From dc93eddc064d6b60e7fa610932d4925112d51307 Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Fri, 26 Sep 2025 14:59:19 -0400 Subject: [PATCH 01/14] feat: Automatic clock skew adjustment --- Package.swift | 1 + .../ClockSkew/AWSClockSkewProvider.swift | 66 +++++++++++++++++++ .../AWSSDKHTTPAuth/AWSSigV4Signer.swift | 4 +- .../CognitoIdentityClient.swift | 3 + .../Sources/InternalAWSSSO/SSOClient.swift | 2 + .../InternalAWSSSOOIDC/SSOOIDCClient.swift | 2 + .../Sources/InternalAWSSTS/STSClient.swift | 3 + .../Documentation.docc/SDKForSwift.md | 2 - .../AWSHTTPBindingProtocolGenerator.kt | 3 + .../swiftmodules/AWSClientRuntimeTypes.kt | 1 + 10 files changed, 84 insertions(+), 3 deletions(-) create mode 100644 Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift diff --git a/Package.swift b/Package.swift index 4620f102014..1bbc1f5a9bb 100644 --- a/Package.swift +++ b/Package.swift @@ -574,6 +574,7 @@ private var runtimeTargets: [Target] { .SmithyIdentity, .SmithyRetriesAPI, .SmithyRetries, + .SmithyTimestamps, .AWSSDKCommon, .AWSSDKHTTPAuth, .AWSSDKChecksums, diff --git a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift new file mode 100644 index 00000000000..a5ef3cec0e8 --- /dev/null +++ b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift @@ -0,0 +1,66 @@ +// +// Copyright Amazon.com Inc. or its affiliates. +// All Rights Reserved. +// +// SPDX-License-Identifier: Apache-2.0 +// + +import struct Foundation.Date +import struct Foundation.TimeInterval +import class SmithyHTTPAPI.HTTPRequest +import class SmithyHTTPAPI.HTTPResponse +@_spi(SmithyTimestamps) import struct SmithyTimestamps.TimestampFormatter + +public enum AWSClockSkewProvider { + + // Any clock skew less than this threshold will not be compensated. + private static var clockSkewThreshold: TimeInterval { 300.0 } // five minutes + + @Sendable + public static func clockSkew( + request: HTTPRequest, + response: HTTPResponse, + error: Error, now: Date + ) -> TimeInterval? { + // Need a server Date and an error code to calculate clock skew. + // If either of these aren't available, return no clock skew. + guard let httpDateString = response.headers.value(for: "Date") else { return nil } + guard let serverDate = httpDate(httpDateString: httpDateString) else { return nil } + guard let code = (error as? AWSServiceError)?.errorCode else { return nil } + + if definiteClockSkewError(code: code) || probableClockSkewError(code: code, request: request) { + let clockSkew = serverDate.timeIntervalSince(now) + if abs(clockSkew) > clockSkewThreshold { + return clockSkew + } + } + return nil + } + + private static func definiteClockSkewError(code: String) -> Bool { + definiteClockSkewErrorCodes.contains(code) + } + + private static func probableClockSkewError(code: String, request: HTTPRequest) -> Bool { + probableClockSkewErrorCodes.contains(code) // && request.method == .head + } + + private static func httpDate(httpDateString: String) -> Date? { + TimestampFormatter(format: .httpDate).date(from: httpDateString) + } +} + +// These error codes indicate it's likely that the cause of the failure was clock skew. +private let definiteClockSkewErrorCodes = Set([ + "RequestTimeTooSkewed", + "RequestExpired", + "RequestInTheFuture", +]) + +// Some S3 HEAD operations will return these codes instead of the definite codes when the +// operation fails due to clock skew. +private let probableClockSkewErrorCodes = Set([ + "InvalidSignatureException", + "AuthFailure", + "SignatureDoesNotMatch", +]) diff --git a/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift b/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift index 82396acafbc..102c7e113c1 100644 --- a/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift +++ b/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift @@ -25,6 +25,7 @@ import struct AwsCommonRuntimeKit.SigningConfig import struct Smithy.AttributeKey import struct Smithy.Attributes import struct Smithy.SwiftLogger +@_spi(WallClock) import struct Smithy.WallClock import struct SmithyIdentity.AWSCredentialIdentity import struct SmithyHTTPAuth.AWSSigningConfig import struct SmithyHTTPAuthAPI.SigningFlags @@ -125,6 +126,7 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { ) } + let clockSkew: TimeInterval = signingProperties.get(key: SigningPropertyKeys.clockSkew) ?? 0.0 let expiration: TimeInterval = signingProperties.get(key: SigningPropertyKeys.expiration) ?? 0 let signedBodyHeader: AWSSignedBodyHeader = signingProperties.get(key: SigningPropertyKeys.signedBodyHeader) ?? .none @@ -156,7 +158,7 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { signedBodyHeader: signedBodyHeader, signedBodyValue: signedBodyValue, flags: flags, - date: Date(), + date: WallClock.now.addingTimeInterval(clockSkew), service: signingName, region: signingRegion, signatureType: signatureType, diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift index 93b13b47d4c..7ea4a82b7a0 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift @@ -21,6 +21,7 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer +import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -411,6 +412,7 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCredentialsForIdentityOutput.httpOutput(from:), GetCredentialsForIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -484,6 +486,7 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdOutput.httpOutput(from:), GetIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift index 6386e72786f..5c0445245ee 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift @@ -20,6 +20,7 @@ import class Smithy.Context import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse +import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -404,6 +405,7 @@ extension SSOClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRoleCredentialsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRoleCredentialsOutput.httpOutput(from:), GetRoleCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift index 1cfba638cb9..7f8a0ff15fd 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift @@ -21,6 +21,7 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer +import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -415,6 +416,7 @@ extension SSOOIDCClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTokenOutput.httpOutput(from:), CreateTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift index 3266d915422..2ef54c25c39 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift @@ -21,6 +21,7 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse +import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -424,6 +425,7 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRoleOutput.httpOutput(from:), AssumeRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -499,6 +501,7 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRoleWithWebIdentityOutput.httpOutput(from:), AssumeRoleWithWebIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Core/SDKForSwift/Documentation.docc/SDKForSwift.md b/Sources/Core/SDKForSwift/Documentation.docc/SDKForSwift.md index 12c55286c99..16ee0a1eae7 100644 --- a/Sources/Core/SDKForSwift/Documentation.docc/SDKForSwift.md +++ b/Sources/Core/SDKForSwift/Documentation.docc/SDKForSwift.md @@ -763,8 +763,6 @@ This SDK is open-source. Code is available on Github [here](https://github.com/ [AWSSFN](../../../../../sdk-for-swift/latest/api/awssfn) -[AWSSMS](../../../../../sdk-for-swift/latest/api/awssms) - [AWSSNS](../../../../../sdk-for-swift/latest/api/awssns) [AWSSQS](../../../../../sdk-for-swift/latest/api/awssqs) diff --git a/codegen/smithy-aws-swift-codegen/src/main/kotlin/software/amazon/smithy/aws/swift/codegen/AWSHTTPBindingProtocolGenerator.kt b/codegen/smithy-aws-swift-codegen/src/main/kotlin/software/amazon/smithy/aws/swift/codegen/AWSHTTPBindingProtocolGenerator.kt index c7b6da6b102..fb060ac8e55 100644 --- a/codegen/smithy-aws-swift-codegen/src/main/kotlin/software/amazon/smithy/aws/swift/codegen/AWSHTTPBindingProtocolGenerator.kt +++ b/codegen/smithy-aws-swift-codegen/src/main/kotlin/software/amazon/smithy/aws/swift/codegen/AWSHTTPBindingProtocolGenerator.kt @@ -32,6 +32,9 @@ abstract class AWSHTTPBindingProtocolGenerator( ) : HTTPBindingProtocolGenerator(customizations) { override var serviceErrorProtocolSymbol: Symbol = AWSClientRuntimeTypes.Core.AWSServiceError + override val clockSkewProviderSymbol: Symbol + get() = AWSClientRuntimeTypes.Core.AWSClockSkewProvider + override val retryErrorInfoProviderSymbol: Symbol get() = AWSClientRuntimeTypes.Core.AWSRetryErrorInfoProvider diff --git a/codegen/smithy-aws-swift-codegen/src/main/kotlin/software/amazon/smithy/aws/swift/codegen/swiftmodules/AWSClientRuntimeTypes.kt b/codegen/smithy-aws-swift-codegen/src/main/kotlin/software/amazon/smithy/aws/swift/codegen/swiftmodules/AWSClientRuntimeTypes.kt index f0348294b7d..dee04b72ac1 100644 --- a/codegen/smithy-aws-swift-codegen/src/main/kotlin/software/amazon/smithy/aws/swift/codegen/swiftmodules/AWSClientRuntimeTypes.kt +++ b/codegen/smithy-aws-swift-codegen/src/main/kotlin/software/amazon/smithy/aws/swift/codegen/swiftmodules/AWSClientRuntimeTypes.kt @@ -47,6 +47,7 @@ object AWSClientRuntimeTypes { runtimeSymbol("UnknownAWSHTTPServiceError", SwiftDeclaration.STRUCT, listOf("UnknownAWSHTTPServiceError")) val AWSServiceError = runtimeSymbol("AWSServiceError", SwiftDeclaration.PROTOCOL) val Sha256TreeHashMiddleware = runtimeSymbol("Sha256TreeHashMiddleware", SwiftDeclaration.STRUCT) + val AWSClockSkewProvider = runtimeSymbol("AWSClockSkewProvider", SwiftDeclaration.ENUM) val AWSRetryErrorInfoProvider = runtimeSymbol("AWSRetryErrorInfoProvider", SwiftDeclaration.ENUM) val AWSRetryMode = runtimeSymbol("AWSRetryMode", SwiftDeclaration.ENUM) val AWSPartitionDefinition = runtimeSymbol("awsPartitionJSON", SwiftDeclaration.LET) From 71ea35f31cb38bf922481f26a86b1832fad4302e Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Fri, 26 Sep 2025 15:31:49 -0400 Subject: [PATCH 02/14] Fix codegen tests --- .../smithy/aws/swift/codegen/PresignerGeneratorTests.kt | 4 ++++ .../aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt | 3 ++- 2 files changed, 6 insertions(+), 1 deletion(-) diff --git a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt index 7cc539051dd..4050fa9d91d 100644 --- a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt +++ b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt @@ -46,6 +46,7 @@ extension GetFooInput { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFooOutput.httpOutput(from:), GetFooOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -116,6 +117,7 @@ extension PostFooInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostFooOutput.httpOutput(from:), PostFooOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -186,6 +188,7 @@ extension PutFooInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFooOutput.httpOutput(from:), PutFooOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -258,6 +261,7 @@ extension PutObjectInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectOutput.httpOutput(from:), PutObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt index 51859b29255..3645f697ae1 100644 --- a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt +++ b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt @@ -33,13 +33,14 @@ class AWSQueryOperationStackTest { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NoInputAndOutputOutput.httpOutput(from:), NoInputAndOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) let endpointParamsBlock = { [config] (context: Smithy.Context) in EndpointParams() } - builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: ${'$'}0) })) + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: NoInputAndOutputInput.write(value:to:))) builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/x-www-form-urlencoded")) builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) From db787793e46dfab55c739d297e0f67c3fda67601 Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Fri, 26 Sep 2025 17:16:30 -0400 Subject: [PATCH 03/14] Fix retry int tests --- .../Retry/AWSRetryIntegrationTests.swift | 18 ++++++++++++------ 1 file changed, 12 insertions(+), 6 deletions(-) diff --git a/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/Retry/AWSRetryIntegrationTests.swift b/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/Retry/AWSRetryIntegrationTests.swift index 34f42a5e62c..2c0bb95b30c 100644 --- a/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/Retry/AWSRetryIntegrationTests.swift +++ b/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/Retry/AWSRetryIntegrationTests.swift @@ -57,7 +57,13 @@ final class RetryIntegrationTests: XCTestCase { .attributes(context) .retryErrorInfoProvider(DefaultRetryErrorInfoProvider.errorInfo(for:)) .retryStrategy(subject) - .deserialize({ _, _ in TestOutputResponse() }) + .deserialize({ response, _ in + if response.statusCode == .ok { + return TestOutputResponse() + } else { + throw TestHTTPError(statusCode: response.statusCode) + } + }) .executeRequest(next) builder.interceptors.add(AmzSdkInvocationIdMiddleware()) builder.interceptors.add(AmzSdkRequestMiddleware(maxRetries: subject.options.maxRetriesBase)) @@ -229,9 +235,10 @@ private class TestOutputHandler: ExecuteRequest { // Return either a successful response or a HTTP error, depending on the directions in the test step. switch testStep.response { case .success: - return HTTPResponse() + return HTTPResponse(statusCode: .ok) case .httpError(let statusCode): - throw TestHTTPError(statusCode: statusCode) + let httpStatusCode = HTTPStatusCode(rawValue: statusCode)! + return HTTPResponse(statusCode: httpStatusCode) } } @@ -310,9 +317,8 @@ private class TestOutputHandler: ExecuteRequest { private struct TestHTTPError: HTTPError, Error { var httpResponse: HTTPResponse - init(statusCode: Int) { - guard let statusCodeValue = HTTPStatusCode(rawValue: statusCode) else { fatalError("Unrecognized HTTP code") } - self.httpResponse = HTTPResponse(statusCode: statusCodeValue) + init(statusCode: HTTPStatusCode) { + self.httpResponse = HTTPResponse(statusCode: statusCode) } } From dafec4cc65610a90a780dbffdcc490d5a9cd473d Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Fri, 26 Sep 2025 17:58:30 -0400 Subject: [PATCH 04/14] Remove WallClock --- .../Sources/AWSSDKSwiftCLI/Resources/Package.Base.txt | 1 + .../AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift | 3 +-- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/AWSSDKSwiftCLI/Sources/AWSSDKSwiftCLI/Resources/Package.Base.txt b/AWSSDKSwiftCLI/Sources/AWSSDKSwiftCLI/Resources/Package.Base.txt index 1c7c60e5bbc..963c52aec4c 100644 --- a/AWSSDKSwiftCLI/Sources/AWSSDKSwiftCLI/Resources/Package.Base.txt +++ b/AWSSDKSwiftCLI/Sources/AWSSDKSwiftCLI/Resources/Package.Base.txt @@ -130,6 +130,7 @@ private var runtimeTargets: [Target] { .SmithyIdentity, .SmithyRetriesAPI, .SmithyRetries, + .SmithyTimestamps, .AWSSDKCommon, .AWSSDKHTTPAuth, .AWSSDKChecksums, diff --git a/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift b/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift index 102c7e113c1..688da93a012 100644 --- a/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift +++ b/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift @@ -25,7 +25,6 @@ import struct AwsCommonRuntimeKit.SigningConfig import struct Smithy.AttributeKey import struct Smithy.Attributes import struct Smithy.SwiftLogger -@_spi(WallClock) import struct Smithy.WallClock import struct SmithyIdentity.AWSCredentialIdentity import struct SmithyHTTPAuth.AWSSigningConfig import struct SmithyHTTPAuthAPI.SigningFlags @@ -158,7 +157,7 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { signedBodyHeader: signedBodyHeader, signedBodyValue: signedBodyValue, flags: flags, - date: WallClock.now.addingTimeInterval(clockSkew), + date: Date().addingTimeInterval(clockSkew), service: signingName, region: signingRegion, signatureType: signatureType, From 336919b9fcb9751b21946ed5b8c91c5fe2c2c8b6 Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Wed, 1 Oct 2025 15:30:14 -0500 Subject: [PATCH 05/14] Use signedAt date for client time --- .../ClockSkew/AWSClockSkewProvider.swift | 61 ++++++++++++------- .../Customizations/AuthTokenGenerator.swift | 14 +++-- .../AWSSDKHTTPAuth/AWSSigV4Signer.swift | 41 +++++++++---- .../CognitoIdentityClient.swift | 6 +- .../Sources/InternalAWSSSO/SSOClient.swift | 4 +- .../InternalAWSSSOOIDC/SSOOIDCClient.swift | 4 +- .../Sources/InternalAWSSTS/STSClient.swift | 6 +- .../swift/codegen/PresignerGeneratorTests.kt | 8 +-- .../awsquery/AWSQueryOperationStackTest.kt | 2 +- 9 files changed, 93 insertions(+), 53 deletions(-) diff --git a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift index a5ef3cec0e8..298f35dff8a 100644 --- a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift +++ b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift @@ -6,59 +6,74 @@ // import struct Foundation.Date +import class Foundation.DateFormatter +import struct Foundation.Locale import struct Foundation.TimeInterval +import struct Foundation.TimeZone +import protocol ClientRuntime.ServiceError import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyTimestamps) import struct SmithyTimestamps.TimestampFormatter public enum AWSClockSkewProvider { - // Any clock skew less than this threshold will not be compensated. - private static var clockSkewThreshold: TimeInterval { 300.0 } // five minutes - @Sendable public static func clockSkew( request: HTTPRequest, response: HTTPResponse, - error: Error, now: Date + error: Error ) -> TimeInterval? { - // Need a server Date and an error code to calculate clock skew. - // If either of these aren't available, return no clock skew. - guard let httpDateString = response.headers.value(for: "Date") else { return nil } - guard let serverDate = httpDate(httpDateString: httpDateString) else { return nil } - guard let code = (error as? AWSServiceError)?.errorCode else { return nil } + // Get the error code, which is a cue that clock skew is the cause of the error + guard let code = (error as? ServiceError)?.errorCode else { return nil } - if definiteClockSkewError(code: code) || probableClockSkewError(code: code, request: request) { - let clockSkew = serverDate.timeIntervalSince(now) - if abs(clockSkew) > clockSkewThreshold { - return clockSkew - } + // Check the error code to see if this error could be due to clock skew + // If not, fail fast to prevent having to parse server datetime (slow) + guard isDefiniteClockSkewError(code: code) || isProbableClockSkewError(code: code, request: request) else { + return nil } - return nil + + // Get the datetime that the request was signed at. If not available, clock skew can't be determined. + guard let clientDate = clientDate(request: request) else { return nil } + + // Need a server Date (from the HTTP response headers) to calculate clock skew. + // If not available, return no clock skew. + guard let serverDate = serverDate(response: response) else { return nil } + + // Calculate & return clock skew if more than the threshold + let threshold: TimeInterval = 60.0 // clock skew of less than 1 minute is discarded + let clockSkew = serverDate.timeIntervalSince(clientDate) + return abs(clockSkew) > threshold ? clockSkew : nil } - private static func definiteClockSkewError(code: String) -> Bool { + private static func isDefiniteClockSkewError(code: String) -> Bool { definiteClockSkewErrorCodes.contains(code) } - private static func probableClockSkewError(code: String, request: HTTPRequest) -> Bool { - probableClockSkewErrorCodes.contains(code) // && request.method == .head + private static func isProbableClockSkewError(code: String, request: HTTPRequest) -> Bool { + // Certain S3 HEAD methods will return generic HTTP 403 errors when the cause of the + // failure is clock skew. To accommodate, check clock skew when the method is HEAD + probableClockSkewErrorCodes.contains(code) || request.method == .head + } + + private static func clientDate(request: HTTPRequest) -> Date? { + request.signedAt } - private static func httpDate(httpDateString: String) -> Date? { - TimestampFormatter(format: .httpDate).date(from: httpDateString) + private static func serverDate(response: HTTPResponse) -> Date? { + guard let httpDateString = response.headers.value(for: "Date") else { return nil } + return TimestampFormatter(format: .httpDate).date(from: httpDateString) } } -// These error codes indicate it's likely that the cause of the failure was clock skew. +// These error codes indicate that the cause of the failure was clock skew. private let definiteClockSkewErrorCodes = Set([ "RequestTimeTooSkewed", "RequestExpired", "RequestInTheFuture", ]) -// Some S3 HEAD operations will return these codes instead of the definite codes when the -// operation fails due to clock skew. +// These error codes indicate that a possible cause of the failure was clock skew. +// So, when these are received, check/set clock skew & retry to see if that helps. private let probableClockSkewErrorCodes = Set([ "InvalidSignatureException", "AuthFailure", diff --git a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/Customizations/AuthTokenGenerator.swift b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/Customizations/AuthTokenGenerator.swift index b378e4264a5..5c10d5316ea 100644 --- a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/Customizations/AuthTokenGenerator.swift +++ b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/Customizations/AuthTokenGenerator.swift @@ -65,6 +65,8 @@ public class AuthTokenGenerator { requestBuilder.withQueryItem(URIQueryItem(name: "Action", value: "connect")) requestBuilder.withQueryItem(URIQueryItem(name: "DBUser", value: username)) + let signedAt = Date() + let signingConfig = AWSSigningConfig( credentials: self.awsCredentialIdentity, expiration: expiration, @@ -74,7 +76,7 @@ public class AuthTokenGenerator { shouldNormalizeURIPath: true, omitSessionToken: false ), - date: Date(), + date: signedAt, service: "rds-db", region: region, signatureType: .requestQueryParams, @@ -83,7 +85,8 @@ public class AuthTokenGenerator { let signedRequest = await AWSSigV4Signer().sigV4SignedRequest( requestBuilder: requestBuilder, - signingConfig: signingConfig + signingConfig: signingConfig, + signedAt: signedAt ) guard let presignedURL = signedRequest?.destination.url else { @@ -119,6 +122,8 @@ public class AuthTokenGenerator { let actionQueryItemValue = isForAdmin ? "DbConnectAdmin" : "DbConnect" requestBuilder.withQueryItem(URIQueryItem(name: "Action", value: actionQueryItemValue)) + let signedAt = Date() + let signingConfig = AWSSigningConfig( credentials: self.awsCredentialIdentity, expiration: expiration, @@ -128,7 +133,7 @@ public class AuthTokenGenerator { shouldNormalizeURIPath: true, omitSessionToken: false ), - date: Date(), + date: signedAt, service: "dsql", region: region, signatureType: .requestQueryParams, @@ -137,7 +142,8 @@ public class AuthTokenGenerator { let signedRequest = await AWSSigV4Signer().sigV4SignedRequest( requestBuilder: requestBuilder, - signingConfig: signingConfig + signingConfig: signingConfig, + signedAt: signedAt ) guard let presignedURL = signedRequest?.destination.url else { diff --git a/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift b/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift index 688da93a012..6f8b3fb805d 100644 --- a/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift +++ b/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift @@ -56,7 +56,13 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { ) } - var signingConfig = try constructSigningConfig(identity: identity, signingProperties: signingProperties) + let signedAt = Date().addingTimeInterval(1800) + + var signingConfig = try constructSigningConfig( + identity: identity, + signingProperties: signingProperties, + signedAt: signedAt + ) // Used to fix signingConfig.date for testing signRequest(). if let date = signingProperties.get(key: AttributeKey(name: "SigV4AuthSchemeTests")) { @@ -75,7 +81,11 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { config: crtSigningConfig ) - let sdkSignedRequest = requestBuilder.update(from: crtSignedRequest, originalRequest: unsignedRequest) + let sdkSignedRequest = requestBuilder.update( + from: crtSignedRequest, + originalRequest: unsignedRequest, + signedAt: signedAt + ) if crtSigningConfig.useAwsChunkedEncoding { guard let requestSignature = crtSignedRequest.signature else { @@ -102,7 +112,8 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { private func constructSigningConfig( identity: AWSCredentialIdentity, - signingProperties: Smithy.Attributes + signingProperties: Smithy.Attributes, + signedAt: Date ) throws -> AWSSigningConfig { guard let unsignedBody = signingProperties.get(key: SigningPropertyKeys.unsignedBody) else { throw Smithy.ClientError.authError( @@ -125,10 +136,9 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { ) } - let clockSkew: TimeInterval = signingProperties.get(key: SigningPropertyKeys.clockSkew) ?? 0.0 - let expiration: TimeInterval = signingProperties.get(key: SigningPropertyKeys.expiration) ?? 0 - let signedBodyHeader: AWSSignedBodyHeader = - signingProperties.get(key: SigningPropertyKeys.signedBodyHeader) ?? .none + let clockSkew = signingProperties.get(key: SigningPropertyKeys.clockSkew) ?? 0.0 + let expiration = signingProperties.get(key: SigningPropertyKeys.expiration) ?? 0.0 + let signedBodyHeader = signingProperties.get(key: SigningPropertyKeys.signedBodyHeader) ?? .none // Determine signed body value let checksumIsPresent = signingProperties.get(key: SigningPropertyKeys.checksum) != nil @@ -157,7 +167,7 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { signedBodyHeader: signedBodyHeader, signedBodyValue: signedBodyValue, flags: flags, - date: Date().addingTimeInterval(clockSkew), + date: signedAt.addingTimeInterval(clockSkew), service: signingName, region: signingRegion, signatureType: signatureType, @@ -197,7 +207,11 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { signatureType: .requestQueryParams, signingAlgorithm: signingAlgorithm ) - let builtRequest = await sigV4SignedRequest(requestBuilder: requestBuilder, signingConfig: signingConfig) + let builtRequest = await sigV4SignedRequest( + requestBuilder: requestBuilder, + signingConfig: signingConfig, + signedAt: date + ) guard let presignedURL = builtRequest?.destination.url else { logger.error("Failed to generate presigend url") return nil @@ -211,7 +225,8 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { public func sigV4SignedRequest( requestBuilder: SmithyHTTPAPI.HTTPRequestBuilder, - signingConfig: AWSSigningConfig + signingConfig: AWSSigningConfig, + signedAt: Date ) async -> SmithyHTTPAPI.HTTPRequest? { let originalRequest = requestBuilder.build() do { @@ -221,7 +236,11 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { request: crtUnsignedRequest, config: signingConfig.toCRTType() ) - let sdkSignedRequest = requestBuilder.update(from: crtSignedRequest, originalRequest: originalRequest) + let sdkSignedRequest = requestBuilder.update( + from: crtSignedRequest, + originalRequest: originalRequest, + signedAt: signedAt + ) return sdkSignedRequest.build() } catch CommonRunTimeError.crtError(let crtError) { logger.error("Failed to sign request (CRT): \(crtError)") diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift index 10ce7881e59..bf64e6f2add 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift @@ -67,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes package class CognitoIdentityClient: ClientRuntime.Client { public static let clientName = "CognitoIdentityClient" - public static let version = "1.5.53" + public static let version = "1.5.54" let client: ClientRuntime.SdkHttpClient let config: CognitoIdentityClient.CognitoIdentityClientConfiguration let serviceName = "Cognito Identity" @@ -412,7 +412,7 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCredentialsForIdentityOutput.httpOutput(from:), GetCredentialsForIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -486,7 +486,7 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdOutput.httpOutput(from:), GetIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift index d2907596fab..54c667c4150 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift @@ -63,7 +63,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes package class SSOClient: ClientRuntime.Client { public static let clientName = "SSOClient" - public static let version = "1.5.53" + public static let version = "1.5.54" let client: ClientRuntime.SdkHttpClient let config: SSOClient.SSOClientConfiguration let serviceName = "SSO" @@ -405,7 +405,7 @@ extension SSOClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRoleCredentialsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRoleCredentialsOutput.httpOutput(from:), GetRoleCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift index e5e80900019..7ffbed05026 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift @@ -66,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes package class SSOOIDCClient: ClientRuntime.Client { public static let clientName = "SSOOIDCClient" - public static let version = "1.5.53" + public static let version = "1.5.54" let client: ClientRuntime.SdkHttpClient let config: SSOOIDCClient.SSOOIDCClientConfiguration let serviceName = "SSO OIDC" @@ -416,7 +416,7 @@ extension SSOOIDCClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTokenOutput.httpOutput(from:), CreateTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift index d58c55ce56c..f28a86bd490 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift @@ -66,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes package class STSClient: ClientRuntime.Client { public static let clientName = "STSClient" - public static let version = "1.5.53" + public static let version = "1.5.54" let client: ClientRuntime.SdkHttpClient let config: STSClient.STSClientConfiguration let serviceName = "STS" @@ -425,7 +425,7 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRoleOutput.httpOutput(from:), AssumeRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -501,7 +501,7 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRoleWithWebIdentityOutput.httpOutput(from:), AssumeRoleWithWebIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt index 4050fa9d91d..12cfc01febd 100644 --- a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt +++ b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt @@ -46,7 +46,7 @@ extension GetFooInput { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFooOutput.httpOutput(from:), GetFooOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -117,7 +117,7 @@ extension PostFooInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostFooOutput.httpOutput(from:), PostFooOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -188,7 +188,7 @@ extension PutFooInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFooOutput.httpOutput(from:), PutFooOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -261,7 +261,7 @@ extension PutObjectInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectOutput.httpOutput(from:), PutObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt index 3645f697ae1..8c8332a4e5b 100644 --- a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt +++ b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt @@ -33,7 +33,7 @@ class AWSQueryOperationStackTest { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NoInputAndOutputOutput.httpOutput(from:), NoInputAndOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:now:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) From 3faee78d721881a938aa70811830e988b3cb5873 Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Thu, 2 Oct 2025 11:00:20 -0500 Subject: [PATCH 06/14] Fix tests --- .../ClockSkew/AWSClockSkewProviderTests.swift | 114 ++++++++++++++++++ .../AWSSDKHTTPAuth/AWSSigV4Signer.swift | 6 +- 2 files changed, 118 insertions(+), 2 deletions(-) create mode 100644 Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/ClockSkew/AWSClockSkewProviderTests.swift diff --git a/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/ClockSkew/AWSClockSkewProviderTests.swift b/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/ClockSkew/AWSClockSkewProviderTests.swift new file mode 100644 index 00000000000..cbff5f81516 --- /dev/null +++ b/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/ClockSkew/AWSClockSkewProviderTests.swift @@ -0,0 +1,114 @@ +// +// Copyright Amazon.com Inc. or its affiliates. +// All Rights Reserved. +// +// SPDX-License-Identifier: Apache-2.0 +// + +import AWSClientRuntime +import XCTest +import Smithy +import ClientRuntime +import SmithyHTTPAPI +@_spi(SmithyTimestamps) import SmithyTimestamps + +class AWSClockSkewProviderTests: XCTestCase { + + func test_clockSkewError_returnsNilWhenClientAndServerTimeAreTheSame() { + let client = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.definite + XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + } + + func test_clockSkewError_returnsNilWhenClientAndServerTimeAreDifferentByLessThanThreshold() { + let client = "Sun, 02 Jan 2000 20:35:26.000 GMT" // +30 seconds + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.definite + XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + } + + func test_clockSkewError_returnsIntervalWhenClientAndServerTimeAreDifferentByMoreThanThreshold() { + let client = "Sun, 02 Jan 2000 20:36:26.000 GMT" // +90 seconds + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.definite + XCTAssertEqual(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error), -90.0) + } + + func test_nonClockSkewError_returnsNilWhenClientAndServerTimeAreTheSame() { + let client = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.notDueToClockSkew + XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + } + + func test_nonClockSkewError_returnsNilWhenClientAndServerTimeAreDifferentByLessThanThreshold() { + let client = "Sun, 02 Jan 2000 20:35:26.000 GMT" // +30 seconds + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.notDueToClockSkew + XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + } + + func test_nonClockSkewError_returnsNilWhenClientAndServerTimeAreDifferentByMoreThanThreshold() { + let client = "Sun, 02 Jan 2000 20:36:26.000 GMT" // +90 seconds + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.notDueToClockSkew + XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + } + + func test_headRequest_returnsNilWhenClientAndServerTimeAreTheSame() { + let client = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.head).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.notDueToClockSkew + XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + } + + func test_headRequest_returnsNilWhenClientAndServerTimeAreDifferentByLessThanThreshold() { + let client = "Sun, 02 Jan 2000 20:35:26.000 GMT" // +30 seconds + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.head).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.notDueToClockSkew + XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + } + + func test_headRequest_returnsIntervalWhenClientAndServerTimeAreDifferentByMoreThanThreshold() { + let client = "Sun, 02 Jan 2000 20:36:26.000 GMT" // +90 seconds + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.head).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.notDueToClockSkew + XCTAssertEqual(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error), -90.0) + } +} + +private struct ClockSkewTestError: Error, ServiceError { + static var definite: Self { .init(typeName: "RequestTimeTooSkewed") } + static var notDueToClockSkew: Self { .init(typeName: "NotAClockSkewError") } + + var typeName: String? + var message: String? { "" } +} diff --git a/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift b/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift index 6f8b3fb805d..f22780f11e7 100644 --- a/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift +++ b/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift @@ -56,7 +56,9 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { ) } - let signedAt = Date().addingTimeInterval(1800) + // Freeze the point in time to be used for signing. + // It will be passed into the signer, and set on the signed HTTPRequest as the signedAt property. + let signedAt = Date().addingTimeInterval(-1800.0) var signingConfig = try constructSigningConfig( identity: identity, @@ -226,7 +228,7 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { public func sigV4SignedRequest( requestBuilder: SmithyHTTPAPI.HTTPRequestBuilder, signingConfig: AWSSigningConfig, - signedAt: Date + signedAt: Date = Date() ) async -> SmithyHTTPAPI.HTTPRequest? { let originalRequest = requestBuilder.build() do { From 465103d71d579198ec3698b04274e92a389bf207 Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Thu, 2 Oct 2025 14:44:19 -0500 Subject: [PATCH 07/14] Added test coverage --- .../ClockSkew/AWSClockSkewProvider.swift | 103 +++++++++++------- .../ClockSkew/AWSClockSkewProviderTests.swift | 79 ++++++++++++-- .../CognitoIdentityClient.swift | 4 +- .../Sources/InternalAWSSSO/SSOClient.swift | 2 +- .../InternalAWSSSOOIDC/SSOOIDCClient.swift | 2 +- .../Sources/InternalAWSSTS/STSClient.swift | 4 +- .../swift/codegen/PresignerGeneratorTests.kt | 8 +- .../awsquery/AWSQueryOperationStackTest.kt | 2 +- .../AWSRestJson1ProtocolGeneratorTests.kt | 6 +- 9 files changed, 147 insertions(+), 63 deletions(-) diff --git a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift index 298f35dff8a..9a9e342c938 100644 --- a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift +++ b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift @@ -10,39 +10,54 @@ import class Foundation.DateFormatter import struct Foundation.Locale import struct Foundation.TimeInterval import struct Foundation.TimeZone +import typealias ClientRuntime.ClockSkewProvider import protocol ClientRuntime.ServiceError import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyTimestamps) import struct SmithyTimestamps.TimestampFormatter public enum AWSClockSkewProvider { + private static var absoluteThreshold: TimeInterval = 300.0 // clock skew of < 5 minutes is not compensated + private static var changeThreshold: TimeInterval = 60.0 // changes to clock skew of < 1 minute are ignored + + public static func provider() -> ClockSkewProvider { + return clockSkew(request:response:error:previous:) + } @Sendable - public static func clockSkew( + private static func clockSkew( request: HTTPRequest, response: HTTPResponse, - error: Error + error: Error, + previous: TimeInterval? ) -> TimeInterval? { - // Get the error code, which is a cue that clock skew is the cause of the error - guard let code = (error as? ServiceError)?.errorCode else { return nil } + // Check if this error could be the result of clock skew. + // If not, leave the current clock skew value unchanged. + guard isAClockSkewError(request: request, error: error) else { return previous } - // Check the error code to see if this error could be due to clock skew - // If not, fail fast to prevent having to parse server datetime (slow) - guard isDefiniteClockSkewError(code: code) || isProbableClockSkewError(code: code, request: request) else { - return nil - } + // Get the new clock skew value based on server & client times. + let new = newClockSkew(request: request, response: response, error: error) - // Get the datetime that the request was signed at. If not available, clock skew can't be determined. - guard let clientDate = clientDate(request: request) else { return nil } + if let new, let previous { + // Update clock skew if it's changed by at least the change threshold + // Updating clock skew for insignificant changes in value will result + // in retry when not likely to succeed + return abs(new - previous) > changeThreshold ? new : previous + } else { + // If previous was nil but new is non-nil, return new. + // If previous was non-nil but new is nil, return nil. + // If previous and new are both nil, return nil. + return new + } + } - // Need a server Date (from the HTTP response headers) to calculate clock skew. - // If not available, return no clock skew. - guard let serverDate = serverDate(response: response) else { return nil } + private static func isAClockSkewError(request: HTTPRequest, error: Error) -> Bool { + // Get the error code, which is a cue that clock skew is the cause of the error + guard let code = (error as? ServiceError)?.errorCode else { return false } - // Calculate & return clock skew if more than the threshold - let threshold: TimeInterval = 60.0 // clock skew of less than 1 minute is discarded - let clockSkew = serverDate.timeIntervalSince(clientDate) - return abs(clockSkew) > threshold ? clockSkew : nil + // Check the error code to see if this error could be due to clock skew + // If not, fail fast to prevent having to parse server datetime (slow) + return isDefiniteClockSkewError(code: code) || isProbableClockSkewError(code: code, request: request) } private static func isDefiniteClockSkewError(code: String) -> Bool { @@ -55,27 +70,39 @@ public enum AWSClockSkewProvider { probableClockSkewErrorCodes.contains(code) || request.method == .head } - private static func clientDate(request: HTTPRequest) -> Date? { - request.signedAt - } + // These error codes indicate that the cause of the failure was clock skew. + private static var definiteClockSkewErrorCodes = Set([ + "RequestTimeTooSkewed", + "RequestExpired", + "RequestInTheFuture", + ]) + + // These error codes indicate that a possible cause of the failure was clock skew. + // So, when these are received, check/set clock skew & retry to see if that helps. + private static var probableClockSkewErrorCodes = Set([ + "InvalidSignatureException", + "AuthFailure", + "SignatureDoesNotMatch", + ]) + + private static func newClockSkew( + request: HTTPRequest, + response: HTTPResponse, + error: Error + ) -> TimeInterval? { + // Get the datetime that the request was signed at. + // If not available, clock skew can't be determined. + // This should always be set when signing with sigv4 & sigv4a. + guard let clientDate = request.signedAt else { return nil } - private static func serverDate(response: HTTPResponse) -> Date? { + // Need a server Date (from the HTTP response headers) to calculate clock skew. + // If not available, return no clock skew. + // This header should always be included on AWS service responses. guard let httpDateString = response.headers.value(for: "Date") else { return nil } - return TimestampFormatter(format: .httpDate).date(from: httpDateString) + guard let serverDate = TimestampFormatter(format: .httpDate).date(from: httpDateString) else { return nil } + + // Calculate & return clock skew if more than the threshold, else return nil. + let clockSkew = serverDate.timeIntervalSince(clientDate) + return abs(clockSkew) > absoluteThreshold ? clockSkew : nil } } - -// These error codes indicate that the cause of the failure was clock skew. -private let definiteClockSkewErrorCodes = Set([ - "RequestTimeTooSkewed", - "RequestExpired", - "RequestInTheFuture", -]) - -// These error codes indicate that a possible cause of the failure was clock skew. -// So, when these are received, check/set clock skew & retry to see if that helps. -private let probableClockSkewErrorCodes = Set([ - "InvalidSignatureException", - "AuthFailure", - "SignatureDoesNotMatch", -]) diff --git a/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/ClockSkew/AWSClockSkewProviderTests.swift b/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/ClockSkew/AWSClockSkewProviderTests.swift index cbff5f81516..41bb5b06207 100644 --- a/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/ClockSkew/AWSClockSkewProviderTests.swift +++ b/Sources/Core/AWSClientRuntime/Tests/AWSClientRuntimeTests/ClockSkew/AWSClockSkewProviderTests.swift @@ -14,94 +14,151 @@ import SmithyHTTPAPI class AWSClockSkewProviderTests: XCTestCase { + // MARK: - nil previous clock skew + func test_clockSkewError_returnsNilWhenClientAndServerTimeAreTheSame() { + let previousClockSkew: TimeInterval? = nil let client = "Sun, 02 Jan 2000 20:34:56.000 GMT" let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) let error = ClockSkewTestError.definite - XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + XCTAssertNil(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew)) } func test_clockSkewError_returnsNilWhenClientAndServerTimeAreDifferentByLessThanThreshold() { + let previousClockSkew: TimeInterval? = nil let client = "Sun, 02 Jan 2000 20:35:26.000 GMT" // +30 seconds let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) let error = ClockSkewTestError.definite - XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + XCTAssertNil(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew)) } func test_clockSkewError_returnsIntervalWhenClientAndServerTimeAreDifferentByMoreThanThreshold() { - let client = "Sun, 02 Jan 2000 20:36:26.000 GMT" // +90 seconds + let previousClockSkew: TimeInterval? = nil + let client = "Sun, 02 Jan 2000 20:44:56.000 GMT" // server + 600 seconds let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) let error = ClockSkewTestError.definite - XCTAssertEqual(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error), -90.0) + XCTAssertEqual(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew), -600.0) } func test_nonClockSkewError_returnsNilWhenClientAndServerTimeAreTheSame() { + let previousClockSkew: TimeInterval? = nil let client = "Sun, 02 Jan 2000 20:34:56.000 GMT" let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) let error = ClockSkewTestError.notDueToClockSkew - XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + XCTAssertNil(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew)) } func test_nonClockSkewError_returnsNilWhenClientAndServerTimeAreDifferentByLessThanThreshold() { + let previousClockSkew: TimeInterval? = nil let client = "Sun, 02 Jan 2000 20:35:26.000 GMT" // +30 seconds let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) let error = ClockSkewTestError.notDueToClockSkew - XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + XCTAssertNil(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew)) } func test_nonClockSkewError_returnsNilWhenClientAndServerTimeAreDifferentByMoreThanThreshold() { + let previousClockSkew: TimeInterval? = nil let client = "Sun, 02 Jan 2000 20:36:26.000 GMT" // +90 seconds let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) let error = ClockSkewTestError.notDueToClockSkew - XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + XCTAssertNil(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew)) } func test_headRequest_returnsNilWhenClientAndServerTimeAreTheSame() { + let previousClockSkew: TimeInterval? = nil let client = "Sun, 02 Jan 2000 20:34:56.000 GMT" let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! let request = HTTPRequestBuilder().withMethod(.head).withSignedAt(clientDate).build() let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) let error = ClockSkewTestError.notDueToClockSkew - XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + XCTAssertNil(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew)) } func test_headRequest_returnsNilWhenClientAndServerTimeAreDifferentByLessThanThreshold() { + let previousClockSkew: TimeInterval? = nil let client = "Sun, 02 Jan 2000 20:35:26.000 GMT" // +30 seconds let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! let request = HTTPRequestBuilder().withMethod(.head).withSignedAt(clientDate).build() let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) let error = ClockSkewTestError.notDueToClockSkew - XCTAssertNil(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error)) + XCTAssertNil(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew)) } func test_headRequest_returnsIntervalWhenClientAndServerTimeAreDifferentByMoreThanThreshold() { - let client = "Sun, 02 Jan 2000 20:36:26.000 GMT" // +90 seconds + let previousClockSkew: TimeInterval? = nil + let client = "Sun, 02 Jan 2000 20:44:56.000 GMT" // server + 600 seconds let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! let request = HTTPRequestBuilder().withMethod(.head).withSignedAt(clientDate).build() let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) let error = ClockSkewTestError.notDueToClockSkew - XCTAssertEqual(AWSClockSkewProvider.clockSkew(request: request, response: response, error: error), -90.0) + XCTAssertEqual(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew), -600.0) + } + + // MARK: - Non-nil previous clock skew + + func test_nonNilPrevious_returnsNilWhenNewClockSkewIsNil() { + let previousClockSkew: TimeInterval = -400.0 + let client = "Sun, 02 Jan 2000 20:34:56.000 GMT" // server + 0 seconds + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.definite + XCTAssertEqual(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew), nil) + } + + func test_nonNilPrevious_returnsPreviousWhenClientAndServerTimeAreDifferentByLessThanThreshold() { + let previousClockSkew: TimeInterval = -400.0 + let client = "Sun, 02 Jan 2000 20:40:56.000 GMT" // server + 360 seconds + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.definite + XCTAssertEqual(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew), previousClockSkew) + } + + func test_nonNilPrevious_returnsNewWhenClientAndServerTimeAreDifferentByMoreThanThreshold() { + let previousClockSkew: TimeInterval = -400.0 + let client = "Sun, 02 Jan 2000 20:44:56.000 GMT" // server + 600 seconds + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.definite + XCTAssertEqual(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew), -600.0) + } + + func test_nonNilPrevious_returnsPreviousWhenErrorIsNotAClockSkewError() { + let previousClockSkew: TimeInterval = -400.0 + let client = "Sun, 02 Jan 2000 20:44:56.000 GMT" // server + 600 seconds + let server = "Sun, 02 Jan 2000 20:34:56.000 GMT" + let clientDate = TimestampFormatter(format: .httpDate).date(from: client)! + let request = HTTPRequestBuilder().withMethod(.get).withSignedAt(clientDate).build() + let response = HTTPResponse(headers: Headers(["Date": server]), body: ByteStream.noStream, statusCode: .badRequest) + let error = ClockSkewTestError.notDueToClockSkew + XCTAssertEqual(AWSClockSkewProvider.provider()(request, response, error, previousClockSkew), previousClockSkew) } } diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift index bf64e6f2add..de717063991 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift @@ -412,7 +412,7 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCredentialsForIdentityOutput.httpOutput(from:), GetCredentialsForIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -486,7 +486,7 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdOutput.httpOutput(from:), GetIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift index 54c667c4150..02eee152829 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift @@ -405,7 +405,7 @@ extension SSOClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRoleCredentialsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRoleCredentialsOutput.httpOutput(from:), GetRoleCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift index 7ffbed05026..62e7cf8b7fa 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift @@ -416,7 +416,7 @@ extension SSOOIDCClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTokenOutput.httpOutput(from:), CreateTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift index f28a86bd490..ac736cbd7af 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift @@ -425,7 +425,7 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRoleOutput.httpOutput(from:), AssumeRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -501,7 +501,7 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRoleWithWebIdentityOutput.httpOutput(from:), AssumeRoleWithWebIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt index 12cfc01febd..95b35310562 100644 --- a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt +++ b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/PresignerGeneratorTests.kt @@ -46,7 +46,7 @@ extension GetFooInput { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFooOutput.httpOutput(from:), GetFooOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -117,7 +117,7 @@ extension PostFooInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostFooOutput.httpOutput(from:), PostFooOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -188,7 +188,7 @@ extension PutFooInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFooOutput.httpOutput(from:), PutFooOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -261,7 +261,7 @@ extension PutObjectInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectOutput.httpOutput(from:), PutObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt index 8c8332a4e5b..05b6ff58914 100644 --- a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt +++ b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsquery/AWSQueryOperationStackTest.kt @@ -33,7 +33,7 @@ class AWSQueryOperationStackTest { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NoInputAndOutputOutput.httpOutput(from:), NoInputAndOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.clockSkew(request:response:error:)) + builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsrestjson/AWSRestJson1ProtocolGeneratorTests.kt b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsrestjson/AWSRestJson1ProtocolGeneratorTests.kt index 483f48eb64e..5b7bd693668 100644 --- a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsrestjson/AWSRestJson1ProtocolGeneratorTests.kt +++ b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsrestjson/AWSRestJson1ProtocolGeneratorTests.kt @@ -206,7 +206,7 @@ extension ExampleClient { region, signingRegion, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -262,7 +262,7 @@ extension ExampleClient { try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -322,7 +322,7 @@ extension ExampleClient { region, region, try DefaultEndpointResolver(), - ClientRuntime.DefaultTelemetry.provider, + ClientRuntime.DefaultTelemetry.provider(), try AWSClientConfigDefaultsProvider.retryStrategyOptions(), AWSClientConfigDefaultsProvider.clientLogMode(), nil, From 620b246e095e090106214f5ff1d18573ee8a876c Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Thu, 2 Oct 2025 15:57:54 -0500 Subject: [PATCH 08/14] Update codegen --- .../InternalAWSCognitoIdentity/CognitoIdentityClient.swift | 6 +++--- .../InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift | 6 +++--- .../Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift | 6 +++--- .../InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift | 6 +++--- 4 files changed, 12 insertions(+), 12 deletions(-) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift index de717063991..2533c0c6120 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift @@ -213,7 +213,7 @@ extension CognitoIdentityClient { region, signingRegion, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -269,7 +269,7 @@ extension CognitoIdentityClient { try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -329,7 +329,7 @@ extension CognitoIdentityClient { region, region, try DefaultEndpointResolver(), - ClientRuntime.DefaultTelemetry.provider, + ClientRuntime.DefaultTelemetry.provider(), try AWSClientConfigDefaultsProvider.retryStrategyOptions(), AWSClientConfigDefaultsProvider.clientLogMode(), nil, diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift index 02eee152829..0da675903aa 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift @@ -209,7 +209,7 @@ extension SSOClient { region, signingRegion, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -265,7 +265,7 @@ extension SSOClient { try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -325,7 +325,7 @@ extension SSOClient { region, region, try DefaultEndpointResolver(), - ClientRuntime.DefaultTelemetry.provider, + ClientRuntime.DefaultTelemetry.provider(), try AWSClientConfigDefaultsProvider.retryStrategyOptions(), AWSClientConfigDefaultsProvider.clientLogMode(), nil, diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift index 62e7cf8b7fa..c59de53adf1 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift @@ -212,7 +212,7 @@ extension SSOOIDCClient { region, signingRegion, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -268,7 +268,7 @@ extension SSOOIDCClient { try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -328,7 +328,7 @@ extension SSOOIDCClient { region, region, try DefaultEndpointResolver(), - ClientRuntime.DefaultTelemetry.provider, + ClientRuntime.DefaultTelemetry.provider(), try AWSClientConfigDefaultsProvider.retryStrategyOptions(), AWSClientConfigDefaultsProvider.clientLogMode(), nil, diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift index ac736cbd7af..f5cf91b0376 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift @@ -217,7 +217,7 @@ extension STSClient { signingRegion, useGlobalEndpoint, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -275,7 +275,7 @@ extension STSClient { try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), useGlobalEndpoint, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -337,7 +337,7 @@ extension STSClient { region, nil, try DefaultEndpointResolver(), - ClientRuntime.DefaultTelemetry.provider, + ClientRuntime.DefaultTelemetry.provider(), try AWSClientConfigDefaultsProvider.retryStrategyOptions(), AWSClientConfigDefaultsProvider.clientLogMode(), nil, From f265647eedd87e020ead9013c7331a390b6f9843 Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Thu, 2 Oct 2025 17:14:14 -0500 Subject: [PATCH 09/14] Update embedded client codegen --- .../InternalAWSCognitoIdentity/CognitoIdentityClient.swift | 6 +++--- .../InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift | 6 +++--- .../Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift | 6 +++--- .../InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift | 6 +++--- 4 files changed, 12 insertions(+), 12 deletions(-) diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift index 2533c0c6120..de717063991 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSCognitoIdentity/Sources/InternalAWSCognitoIdentity/CognitoIdentityClient.swift @@ -213,7 +213,7 @@ extension CognitoIdentityClient { region, signingRegion, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -269,7 +269,7 @@ extension CognitoIdentityClient { try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -329,7 +329,7 @@ extension CognitoIdentityClient { region, region, try DefaultEndpointResolver(), - ClientRuntime.DefaultTelemetry.provider(), + ClientRuntime.DefaultTelemetry.provider, try AWSClientConfigDefaultsProvider.retryStrategyOptions(), AWSClientConfigDefaultsProvider.clientLogMode(), nil, diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift index 0da675903aa..02eee152829 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSO/Sources/InternalAWSSSO/SSOClient.swift @@ -209,7 +209,7 @@ extension SSOClient { region, signingRegion, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -265,7 +265,7 @@ extension SSOClient { try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -325,7 +325,7 @@ extension SSOClient { region, region, try DefaultEndpointResolver(), - ClientRuntime.DefaultTelemetry.provider(), + ClientRuntime.DefaultTelemetry.provider, try AWSClientConfigDefaultsProvider.retryStrategyOptions(), AWSClientConfigDefaultsProvider.clientLogMode(), nil, diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift index c59de53adf1..62e7cf8b7fa 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSSOOIDC/Sources/InternalAWSSSOOIDC/SSOOIDCClient.swift @@ -212,7 +212,7 @@ extension SSOOIDCClient { region, signingRegion, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -268,7 +268,7 @@ extension SSOOIDCClient { try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -328,7 +328,7 @@ extension SSOOIDCClient { region, region, try DefaultEndpointResolver(), - ClientRuntime.DefaultTelemetry.provider(), + ClientRuntime.DefaultTelemetry.provider, try AWSClientConfigDefaultsProvider.retryStrategyOptions(), AWSClientConfigDefaultsProvider.clientLogMode(), nil, diff --git a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift index f5cf91b0376..ac736cbd7af 100644 --- a/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift +++ b/Sources/Core/AWSSDKIdentity/InternalClients/InternalAWSSTS/Sources/InternalAWSSTS/STSClient.swift @@ -217,7 +217,7 @@ extension STSClient { signingRegion, useGlobalEndpoint, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -275,7 +275,7 @@ extension STSClient { try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), useGlobalEndpoint, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -337,7 +337,7 @@ extension STSClient { region, nil, try DefaultEndpointResolver(), - ClientRuntime.DefaultTelemetry.provider(), + ClientRuntime.DefaultTelemetry.provider, try AWSClientConfigDefaultsProvider.retryStrategyOptions(), AWSClientConfigDefaultsProvider.clientLogMode(), nil, From 9cf8f7167ccec4d743ea723ffb9fc0d06d7974d2 Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Thu, 2 Oct 2025 17:18:08 -0500 Subject: [PATCH 10/14] fix codegen tests --- .../awsrestjson/AWSRestJson1ProtocolGeneratorTests.kt | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsrestjson/AWSRestJson1ProtocolGeneratorTests.kt b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsrestjson/AWSRestJson1ProtocolGeneratorTests.kt index 5b7bd693668..483f48eb64e 100644 --- a/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsrestjson/AWSRestJson1ProtocolGeneratorTests.kt +++ b/codegen/smithy-aws-swift-codegen/src/test/kotlin/software/amazon/smithy/aws/swift/codegen/awsrestjson/AWSRestJson1ProtocolGeneratorTests.kt @@ -206,7 +206,7 @@ extension ExampleClient { region, signingRegion, try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -262,7 +262,7 @@ extension ExampleClient { try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try await AWSClientRuntime.AWSClientConfigDefaultsProvider.region(region), try endpointResolver ?? DefaultEndpointResolver(), - telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider(), + telemetryProvider ?? ClientRuntime.DefaultTelemetry.provider, try retryStrategyOptions ?? AWSClientConfigDefaultsProvider.retryStrategyOptions(awsRetryMode, maxAttempts), clientLogMode ?? AWSClientConfigDefaultsProvider.clientLogMode(), endpoint, @@ -322,7 +322,7 @@ extension ExampleClient { region, region, try DefaultEndpointResolver(), - ClientRuntime.DefaultTelemetry.provider(), + ClientRuntime.DefaultTelemetry.provider, try AWSClientConfigDefaultsProvider.retryStrategyOptions(), AWSClientConfigDefaultsProvider.clientLogMode(), nil, From 7568ac755f2477112131c9965c5fb7d663032e12 Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Thu, 2 Oct 2025 17:28:04 -0500 Subject: [PATCH 11/14] Fix Swift 6 language mode --- .../ClockSkew/AWSClockSkewProvider.swift | 34 ++++++++----------- 1 file changed, 15 insertions(+), 19 deletions(-) diff --git a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift index 9a9e342c938..e300af30fbc 100644 --- a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift +++ b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift @@ -5,11 +5,7 @@ // SPDX-License-Identifier: Apache-2.0 // -import struct Foundation.Date -import class Foundation.DateFormatter -import struct Foundation.Locale import struct Foundation.TimeInterval -import struct Foundation.TimeZone import typealias ClientRuntime.ClockSkewProvider import protocol ClientRuntime.ServiceError import class SmithyHTTPAPI.HTTPRequest @@ -70,21 +66,6 @@ public enum AWSClockSkewProvider { probableClockSkewErrorCodes.contains(code) || request.method == .head } - // These error codes indicate that the cause of the failure was clock skew. - private static var definiteClockSkewErrorCodes = Set([ - "RequestTimeTooSkewed", - "RequestExpired", - "RequestInTheFuture", - ]) - - // These error codes indicate that a possible cause of the failure was clock skew. - // So, when these are received, check/set clock skew & retry to see if that helps. - private static var probableClockSkewErrorCodes = Set([ - "InvalidSignatureException", - "AuthFailure", - "SignatureDoesNotMatch", - ]) - private static func newClockSkew( request: HTTPRequest, response: HTTPResponse, @@ -106,3 +87,18 @@ public enum AWSClockSkewProvider { return abs(clockSkew) > absoluteThreshold ? clockSkew : nil } } + +// These error codes indicate that the cause of the failure was clock skew. +private let definiteClockSkewErrorCodes: Set = [ + "RequestTimeTooSkewed", + "RequestExpired", + "RequestInTheFuture", +] + +// These error codes indicate that a possible cause of the failure was clock skew. +// So, when these are received, check/set clock skew & retry to see if that helps. +private let probableClockSkewErrorCodes: Set = [ + "InvalidSignatureException", + "AuthFailure", + "SignatureDoesNotMatch", +] From 04360588ed54a86b12914c6d9d462becc440c8bd Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Thu, 2 Oct 2025 18:01:38 -0500 Subject: [PATCH 12/14] Remove signing date offset --- .../AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift b/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift index f22780f11e7..a21a5c0eb7b 100644 --- a/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift +++ b/Sources/Core/AWSSDKHTTPAuth/Sources/AWSSDKHTTPAuth/AWSSigV4Signer.swift @@ -58,7 +58,7 @@ public final class AWSSigV4Signer: SmithyHTTPAuthAPI.Signer, Sendable { // Freeze the point in time to be used for signing. // It will be passed into the signer, and set on the signed HTTPRequest as the signedAt property. - let signedAt = Date().addingTimeInterval(-1800.0) + let signedAt = Date() var signingConfig = try constructSigningConfig( identity: identity, From 8c9d68f5b0a8c1fcefec9b45684e6cd4e8cbc053 Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Thu, 2 Oct 2025 18:03:51 -0500 Subject: [PATCH 13/14] fix Swift 6 --- .../AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift index e300af30fbc..5d3feef5474 100644 --- a/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift +++ b/Sources/Core/AWSClientRuntime/Sources/AWSClientRuntime/ClockSkew/AWSClockSkewProvider.swift @@ -13,8 +13,8 @@ import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyTimestamps) import struct SmithyTimestamps.TimestampFormatter public enum AWSClockSkewProvider { - private static var absoluteThreshold: TimeInterval = 300.0 // clock skew of < 5 minutes is not compensated - private static var changeThreshold: TimeInterval = 60.0 // changes to clock skew of < 1 minute are ignored + private static var absoluteThreshold: TimeInterval { 300.0 } // clock skew of < 5 minutes is not compensated + private static var changeThreshold: TimeInterval { 60.0 } // changes to clock skew of < 1 minute are ignored public static func provider() -> ClockSkewProvider { return clockSkew(request:response:error:previous:) From 211473011db41f8e992866674ce4f6788855a481 Mon Sep 17 00:00:00 2001 From: Josh Elkins Date: Tue, 7 Oct 2025 13:39:10 -0500 Subject: [PATCH 14/14] Unstage service changes --- Package.version.next | 2 +- .../AWSACM/Sources/AWSACM/ACMClient.swift | 83 +- .../Sources/AWSACMPCA/ACMPCAClient.swift | 118 +- .../Sources/AWSAIOps/AIOpsClient.swift | 58 +- .../AWSAPIGateway/APIGatewayClient.swift | 623 ++- .../ARCRegionswitchClient.swift | 103 +- .../ARCZonalShiftClient.swift | 78 +- .../AccessAnalyzerClient.swift | 188 +- .../Sources/AWSAccount/AccountClient.swift | 73 +- .../AWSAmp/Sources/AWSAmp/AmpClient.swift | 198 +- .../Sources/AWSAmplify/AmplifyClient.swift | 188 +- .../AmplifyBackendClient.swift | 158 +- .../AmplifyUIBuilderClient.swift | 143 +- .../ApiGatewayManagementApiClient.swift | 18 +- .../AWSApiGatewayV2/ApiGatewayV2Client.swift | 388 +- .../AWSAppConfig/AppConfigClient.swift | 228 +- .../AppConfigDataClient.swift | 13 +- .../AWSAppFabric/AppFabricClient.swift | 133 +- .../AppIntegrationsClient.swift | 118 +- .../Sources/AWSAppMesh/AppMeshClient.swift | 193 +- .../AWSAppRunner/AppRunnerClient.swift | 188 +- .../AWSAppStream/AppStreamClient.swift | 398 +- .../Sources/AWSAppSync/AppSyncClient.swift | 373 +- .../Sources/AWSAppTest/AppTestClient.swift | 123 +- .../Sources/AWSAppflow/AppflowClient.swift | 128 +- .../ApplicationAutoScalingClient.swift | 73 +- .../ApplicationCostProfilerClient.swift | 33 +- .../ApplicationDiscoveryClient.swift | 143 +- .../ApplicationInsightsClient.swift | 168 +- .../ApplicationSignalsClient.swift | 113 +- .../Sources/AWSArtifact/ArtifactClient.swift | 38 +- .../Sources/AWSAthena/AthenaClient.swift | 343 +- .../AWSAuditManager/AuditManagerClient.swift | 313 +- .../AWSAutoScaling/AutoScalingClient.swift | 328 +- .../AutoScalingPlansClient.swift | 33 +- .../AWSB2bi/Sources/AWSB2bi/B2biClient.swift | 153 +- .../BCMDashboardsClient.swift | 48 +- .../BCMDataExportsClient.swift | 63 +- .../BCMPricingCalculatorClient.swift | 183 +- .../BCMRecommendedActionsClient.swift | 8 +- .../Sources/AWSBackup/BackupClient.swift | 500 +-- .../AWSBackup/Sources/AWSBackup/Models.swift | 84 +- .../BackupGatewayClient.swift | 128 +- .../AWSBackupSearch/BackupSearchClient.swift | 63 +- .../Sources/AWSBatch/BatchClient.swift | 198 +- .../Sources/AWSBedrock/BedrockClient.swift | 473 +-- .../AWSBedrockAgent/BedrockAgentClient.swift | 363 +- .../BedrockAgentCoreClient.swift | 512 ++- .../Sources/AWSBedrockAgentCore/Models.swift | 1178 +++++- .../BedrockAgentCoreControlClient.swift | 273 +- .../AWSBedrockAgentCoreControl/Models.swift | 138 +- .../BedrockAgentRuntimeClient.swift | 158 +- .../BedrockDataAutomationClient.swift | 73 +- .../BedrockDataAutomationRuntimeClient.swift | 28 +- .../BedrockRuntimeClient.swift | 53 +- .../Sources/AWSBilling/BillingClient.swift | 63 +- .../BillingconductorClient.swift | 163 +- .../Sources/AWSBraket/BraketClient.swift | 68 +- .../Sources/AWSBudgets/BudgetsClient.swift | 133 +- .../Sources/AWSChatbot/ChatbotClient.swift | 173 +- .../Sources/AWSChime/ChimeClient.swift | 313 +- .../ChimeSDKIdentityClient.swift | 153 +- .../ChimeSDKMediaPipelinesClient.swift | 158 +- .../ChimeSDKMeetingsClient.swift | 83 +- .../ChimeSDKMessagingClient.swift | 258 +- .../ChimeSDKVoiceClient.swift | 483 +-- .../AWSCleanRooms/CleanRoomsClient.swift | 438 +-- .../Sources/AWSCleanRooms/Models.swift | 266 ++ .../AWSCleanRoomsML/CleanRoomsMLClient.swift | 298 +- .../Sources/AWSCloud9/Cloud9Client.swift | 68 +- .../AWSCloudControl/CloudControlClient.swift | 43 +- .../CloudDirectoryClient.swift | 333 +- .../CloudFormationClient.swift | 443 +-- .../AWSCloudFront/CloudFrontClient.swift | 740 ++-- .../CloudFrontKeyValueStoreClient.swift | 33 +- .../Sources/AWSCloudHSM/CloudHSMClient.swift | 103 +- .../AWSCloudHSMV2/CloudHSMV2Client.swift | 93 +- .../AWSCloudSearch/CloudSearchClient.swift | 133 +- .../CloudSearchDomainClient.swift | 18 +- .../AWSCloudTrail/CloudTrailClient.swift | 298 +- .../CloudTrailDataClient.swift | 8 +- .../AWSCloudWatch/CloudWatchClient.swift | 198 +- .../CloudWatchEventsClient.swift | 258 +- .../CloudWatchLogsClient.swift | 458 +-- .../AWSCodeBuild/CodeBuildClient.swift | 298 +- .../AWSCodeCatalyst/CodeCatalystClient.swift | 193 +- .../AWSCodeCommit/CodeCommitClient.swift | 398 +- .../CodeConnectionsClient.swift | 138 +- .../AWSCodeDeploy/CodeDeployClient.swift | 238 +- .../CodeGuruProfilerClient.swift | 118 +- .../CodeGuruReviewerClient.swift | 73 +- .../CodeGuruSecurityClient.swift | 68 +- .../AWSCodePipeline/CodePipelineClient.swift | 223 +- .../CodeStarconnectionsClient.swift | 138 +- .../AWSCodeartifact/CodeartifactClient.swift | 243 +- .../CodestarnotificationsClient.swift | 68 +- .../CognitoIdentityClient.swift | 118 +- .../CognitoIdentityProviderClient.swift | 598 ++- .../AWSCognitoSync/CognitoSyncClient.swift | 88 +- .../AWSComprehend/ComprehendClient.swift | 428 +- .../ComprehendMedicalClient.swift | 133 +- .../ComputeOptimizerClient.swift | 143 +- .../AWSConfigService/ConfigClient.swift | 488 +-- .../Sources/AWSConnect/ConnectClient.swift | 1428 +++---- .../ConnectCampaignsClient.swift | 113 +- .../ConnectCampaignsV2Client.swift | 178 +- .../AWSConnectCases/ConnectCasesClient.swift | 213 +- .../ConnectContactLensClient.swift | 8 +- .../ConnectParticipantClient.swift | 58 +- .../ControlCatalogClient.swift | 33 +- .../AWSControlTower/ControlTowerClient.swift | 143 +- .../AWSCostExplorer/CostExplorerClient.swift | 233 +- .../CostOptimizationHubClient.swift | 38 +- .../CostandUsageReportClient.swift | 38 +- .../CustomerProfilesClient.swift | 418 +- .../AWSDAX/Sources/AWSDAX/DAXClient.swift | 108 +- .../AWSDLM/Sources/AWSDLM/DLMClient.swift | 43 +- .../AWSDSQL/Sources/AWSDSQL/DSQLClient.swift | 48 +- .../Sources/AWSDataBrew/DataBrewClient.swift | 223 +- .../AWSDataExchange/DataExchangeClient.swift | 188 +- .../AWSDataPipeline/DataPipelineClient.swift | 98 +- .../Sources/AWSDataSync/DataSyncClient.swift | 268 +- .../Sources/AWSDataZone/DataZoneClient.swift | 848 ++-- .../DatabaseMigrationClient.swift | 563 ++- .../Sources/AWSDeadline/DeadlineClient.swift | 568 ++- .../AWSDetective/DetectiveClient.swift | 148 +- .../AWSDevOpsGuru/DevOpsGuruClient.swift | 158 +- .../AWSDeviceFarm/DeviceFarmClient.swift | 388 +- .../DirectConnectClient.swift | 318 +- .../AWSDirectoryService/DirectoryClient.swift | 403 +- .../DirectoryServiceDataClient.swift | 88 +- .../Sources/AWSDocDB/DocDBClient.swift | 278 +- .../AWSDocDBElastic/DocDBElasticClient.swift | 98 +- .../AWSDrs/Sources/AWSDrs/DrsClient.swift | 253 +- .../Sources/AWSDynamoDB/DynamoDBClient.swift | 288 +- .../DynamoDBStreamsClient.swift | 23 +- .../AWSEBS/Sources/AWSEBS/EBSClient.swift | 33 +- .../AWSEC2/Sources/AWSEC2/EC2Client.swift | 3473 +++++++---------- .../EC2InstanceConnectClient.swift | 13 +- .../AWSECR/Sources/AWSECR/ECRClient.swift | 248 +- .../AWSECRPUBLIC/ECRPUBLICClient.swift | 118 +- .../AWSECS/Sources/AWSECS/ECSClient.swift | 303 +- .../AWSEFS/Sources/AWSEFS/EFSClient.swift | 158 +- .../AWSEKS/Sources/AWSEKS/EKSClient.swift | 298 +- .../Sources/AWSEKSAuth/EKSAuthClient.swift | 8 +- .../AWSEMR/Sources/AWSEMR/EMRClient.swift | 303 +- .../EMRServerlessClient.swift | 83 +- .../EMRcontainersClient.swift | 118 +- .../AWSElastiCache/ElastiCacheClient.swift | 384 +- .../ElasticBeanstalkClient.swift | 238 +- .../ElasticLoadBalancingClient.swift | 148 +- .../ElasticLoadBalancingv2Client.swift | 258 +- .../ElasticTranscoderClient.swift | 88 +- .../ElasticsearchClient.swift | 258 +- .../EntityResolutionClient.swift | 193 +- .../AWSEventBridge/EventBridgeClient.swift | 288 +- .../AWSEvidently/EvidentlyClient.swift | 193 +- .../AWSEvs/Sources/AWSEvs/EvsClient.swift | 68 +- .../AWSFMS/Sources/AWSFMS/FMSClient.swift | 213 +- .../AWSFSx/Sources/AWSFSx/FSxClient.swift | 243 +- .../Sources/AWSFinspace/FinspaceClient.swift | 253 +- .../AWSFinspacedata/FinspacedataClient.swift | 158 +- .../Sources/AWSFirehose/FirehoseClient.swift | 63 +- .../AWSFis/Sources/AWSFis/FisClient.swift | 133 +- .../Sources/AWSForecast/ForecastClient.swift | 318 +- .../ForecastqueryClient.swift | 13 +- .../FraudDetectorClient.swift | 368 +- .../Sources/AWSFreeTier/FreeTierClient.swift | 28 +- .../Sources/AWSGameLift/GameLiftClient.swift | 593 ++- .../GameLiftStreamsClient.swift | 123 +- .../Sources/AWSGeoMaps/GeoMapsClient.swift | 28 +- .../AWSGeoPlaces/GeoPlacesClient.swift | 38 +- .../AWSGeoRoutes/GeoRoutesClient.swift | 28 +- .../Sources/AWSGlacier/GlacierClient.swift | 168 +- .../GlobalAcceleratorClient.swift | 283 +- .../AWSGlue/Sources/AWSGlue/GlueClient.swift | 1288 +++--- .../AWSGlue/Sources/AWSGlue/Models.swift | 7 +- .../Sources/AWSGrafana/GrafanaClient.swift | 128 +- .../AWSGreengrass/GreengrassClient.swift | 463 +-- .../AWSGreengrassV2/GreengrassV2Client.swift | 148 +- .../GroundStationClient.swift | 168 +- .../AWSGuardDuty/GuardDutyClient.swift | 423 +- .../Sources/AWSHealth/HealthClient.swift | 73 +- .../AWSHealthLake/HealthLakeClient.swift | 68 +- .../AWSIAM/Sources/AWSIAM/IAMClient.swift | 823 ++-- .../AWSIVSRealTime/IVSRealTimeClient.swift | 198 +- .../IdentitystoreClient.swift | 98 +- .../AWSImagebuilder/ImagebuilderClient.swift | 378 +- .../AWSInspector/InspectorClient.swift | 188 +- .../AWSInspector2/Inspector2Client.swift | 378 +- .../InspectorScanClient.swift | 8 +- .../InternetMonitorClient.swift | 83 +- .../AWSInvoicing/InvoicingClient.swift | 53 +- .../AWSIoT/Sources/AWSIoT/IoTClient.swift | 1363 +++---- .../AWSIoTAnalytics/IoTAnalyticsClient.swift | 173 +- .../AWSIoTDataPlane/IoTDataPlaneClient.swift | 43 +- .../AWSIoTEvents/IoTEventsClient.swift | 133 +- .../IoTEventsDataClient.swift | 63 +- .../AWSIoTFleetHub/IoTFleetHubClient.swift | 43 +- .../AWSIoTFleetWise/IoTFleetWiseClient.swift | 288 +- .../IoTJobsDataPlaneClient.swift | 28 +- .../IoTManagedIntegrationsClient.swift | 413 +- .../IoTSecureTunnelingClient.swift | 43 +- .../AWSIoTSiteWise/IoTSiteWiseClient.swift | 523 +-- .../IoTThingsGraphClient.swift | 178 +- .../AWSIoTTwinMaker/IoTTwinMakerClient.swift | 203 +- .../AWSIoTWireless/IoTWirelessClient.swift | 563 ++- .../IotDeviceAdvisorClient.swift | 73 +- .../AWSIvs/Sources/AWSIvs/IvsClient.swift | 178 +- .../Sources/AWSIvschat/IvschatClient.swift | 88 +- .../AWSKMS/Sources/AWSKMS/KMSClient.swift | 268 +- .../Sources/AWSKafka/KafkaClient.swift | 263 +- .../AWSKafkaConnect/KafkaConnectClient.swift | 93 +- .../Sources/AWSKendra/KendraClient.swift | 333 +- .../KendraRankingClient.swift | 48 +- .../AWSKeyspaces/KeyspacesClient.swift | 98 +- .../KeyspacesStreamsClient.swift | 23 +- .../Sources/AWSKinesis/KinesisClient.swift | 178 +- .../KinesisAnalyticsClient.swift | 103 +- .../KinesisAnalyticsV2Client.swift | 168 +- .../AWSKinesisVideo/KinesisVideoClient.swift | 153 +- .../KinesisVideoArchivedMediaClient.swift | 33 +- .../KinesisVideoMediaClient.swift | 8 +- .../KinesisVideoSignalingClient.swift | 13 +- .../KinesisVideoWebRTCStorageClient.swift | 13 +- .../LakeFormationClient.swift | 303 +- .../Sources/AWSLambda/LambdaClient.swift | 343 +- .../AWSLaunchWizard/LaunchWizardClient.swift | 63 +- .../LexModelBuildingClient.swift | 213 +- .../AWSLexModelsV2/LexModelsV2Client.swift | 513 +-- .../LexRuntimeClient.swift | 28 +- .../AWSLexRuntimeV2/LexRuntimeV2Client.swift | 33 +- .../LicenseManagerClient.swift | 253 +- ...censeManagerLinuxSubscriptionsClient.swift | 58 +- ...icenseManagerUserSubscriptionsClient.swift | 88 +- .../AWSLightsail/LightsailClient.swift | 808 ++-- .../Sources/AWSLocation/LocationClient.swift | 303 +- .../LookoutEquipmentClient.swift | 248 +- .../LookoutMetricsClient.swift | 153 +- .../LookoutVisionClient.swift | 113 +- .../AWSM2/Sources/AWSM2/M2Client.swift | 188 +- .../AWSMPA/Sources/AWSMPA/MPAClient.swift | 108 +- .../Sources/AWSMTurk/MTurkClient.swift | 198 +- .../AWSMWAA/Sources/AWSMWAA/MWAAClient.swift | 63 +- .../MachineLearningClient.swift | 145 +- .../Sources/AWSMacie2/Macie2Client.swift | 408 +- .../AWSMailManager/MailManagerClient.swift | 303 +- .../ManagedBlockchainClient.swift | 138 +- .../ManagedBlockchainQueryClient.swift | 48 +- .../MarketplaceAgreementClient.swift | 18 +- .../MarketplaceCatalogClient.swift | 68 +- .../MarketplaceCommerceAnalyticsClient.swift | 13 +- .../MarketplaceDeploymentClient.swift | 23 +- .../MarketplaceEntitlementClient.swift | 8 +- .../MarketplaceMeteringClient.swift | 23 +- .../MarketplaceReportingClient.swift | 8 +- .../AWSMediaConnect/MediaConnectClient.swift | 263 +- .../Sources/AWSMediaConnect/Models.swift | 38 +- .../AWSMediaConvert/MediaConvertClient.swift | 163 +- .../AWSMediaLive/MediaLiveClient.swift | 603 ++- .../Sources/AWSMediaLive/Models.swift | 68 +- .../AWSMediaPackage/MediaPackageClient.swift | 98 +- .../MediaPackageV2Client.swift | 153 +- .../MediaPackageVodClient.swift | 88 +- .../AWSMediaStore/MediaStoreClient.swift | 108 +- .../MediaStoreDataClient.swift | 28 +- .../AWSMediaTailor/MediaTailorClient.swift | 223 +- .../MedicalImagingClient.swift | 93 +- .../Sources/AWSMemoryDB/MemoryDBClient.swift | 808 ++-- .../Sources/AWSMemoryDB/Models.swift | 361 +- .../AWSMgn/Sources/AWSMgn/MgnClient.swift | 353 +- .../AWSMigrationHub/MigrationHubClient.swift | 108 +- .../MigrationHubConfigClient.swift | 23 +- .../MigrationHubOrchestratorClient.swift | 158 +- .../MigrationHubRefactorSpacesClient.swift | 123 +- .../MigrationHubStrategyClient.swift | 113 +- .../AWSMq/Sources/AWSMq/MqClient.swift | 123 +- .../Sources/AWSNeptune/NeptuneClient.swift | 359 +- .../AWSNeptuneGraph/NeptuneGraphClient.swift | 173 +- .../AWSNeptunedata/NeptunedataClient.swift | 218 +- .../NetworkFirewallClient.swift | 288 +- .../NetworkFlowMonitorClient.swift | 128 +- .../NetworkManagerClient.swift | 443 +-- .../NetworkMonitorClient.swift | 63 +- .../NotificationsClient.swift | 198 +- .../NotificationsContactsClient.swift | 48 +- .../AWSOAM/Sources/AWSOAM/OAMClient.swift | 78 +- .../AWSOSIS/Sources/AWSOSIS/OSISClient.swift | 113 +- .../ObservabilityAdminClient.swift | 133 +- .../AWSOdb/Sources/AWSOdb/OdbClient.swift | 203 +- .../Sources/AWSOmics/OmicsClient.swift | 483 +-- .../AWSOpenSearch/OpenSearchClient.swift | 383 +- .../OpenSearchServerlessClient.swift | 208 +- .../OrganizationsClient.swift | 288 +- .../Sources/AWSOutposts/OutpostsClient.swift | 173 +- .../AWSPCS/Sources/AWSPCS/PCSClient.swift | 98 +- .../AWSPI/Sources/AWSPI/PIClient.swift | 68 +- .../Sources/AWSPanorama/PanoramaClient.swift | 173 +- .../PartnerCentralSellingClient.swift | 193 +- .../PaymentCryptographyClient.swift | 133 +- .../AWSPaymentCryptographyData/Models.swift | 331 +- .../PaymentCryptographyDataClient.swift | 144 +- .../PcaConnectorAdClient.swift | 128 +- .../PcaConnectorScepClient.swift | 63 +- .../AWSPersonalize/PersonalizeClient.swift | 358 +- .../PersonalizeEventsClient.swift | 28 +- .../PersonalizeRuntimeClient.swift | 18 +- .../Sources/AWSPinpoint/PinpointClient.swift | 613 ++- .../PinpointEmailClient.swift | 213 +- .../PinpointSMSVoiceClient.swift | 43 +- .../PinpointSMSVoiceV2Client.swift | 453 +-- .../Sources/AWSPipes/PipesClient.swift | 53 +- .../AWSPolly/Sources/AWSPolly/Models.swift | 3 - .../Sources/AWSPolly/PollyClient.swift | 48 +- .../Sources/AWSPricing/PricingClient.swift | 28 +- .../Sources/AWSProton/ProtonClient.swift | 438 +-- .../Sources/AWSQApps/QAppsClient.swift | 178 +- .../AWSQBusiness/QBusinessClient.swift | 418 +- .../Sources/AWSQConnect/Models.swift | 377 +- .../Sources/AWSQConnect/QConnectClient.swift | 461 +-- .../AWSQLDB/Sources/AWSQLDB/QLDBClient.swift | 103 +- .../AWSQLDBSession/QLDBSessionClient.swift | 8 +- .../Sources/AWSQuickSight/Models.swift | 12 +- .../AWSQuickSight/QuickSightClient.swift | 1079 ++--- .../AWSRAM/Sources/AWSRAM/RAMClient.swift | 173 +- .../AWSRDS/Sources/AWSRDS/Models.swift | 28 +- .../AWSRDS/Sources/AWSRDS/RDSClient.swift | 824 ++-- .../Sources/AWSRDSData/RDSDataClient.swift | 28 +- .../AWSRUM/Sources/AWSRUM/RUMClient.swift | 103 +- .../AWSRbin/Sources/AWSRbin/RbinClient.swift | 53 +- .../Sources/AWSRedshift/RedshiftClient.swift | 698 ++-- .../AWSRedshiftData/RedshiftDataClient.swift | 58 +- .../RedshiftServerlessClient.swift | 318 +- .../AWSRekognition/RekognitionClient.swift | 378 +- .../AWSRepostspace/RepostspaceClient.swift | 98 +- .../ResiliencehubClient.swift | 318 +- .../Sources/AWSResourceExplorer2/Models.swift | 852 +++- .../AWSResourceExplorer2/Paginators.swift | 122 + .../ResourceExplorer2Client.swift | 684 +++- .../ResourceGroupsClient.swift | 118 +- .../ResourceGroupsTaggingAPIClient.swift | 43 +- .../AWSRoboMaker/RoboMakerClient.swift | 288 +- .../RolesAnywhereClient.swift | 153 +- .../Sources/AWSRoute53/Route53Client.swift | 353 +- .../Route53DomainsClient.swift | 173 +- .../Route53ProfilesClient.swift | 83 +- .../Route53RecoveryClusterClient.swift | 23 +- .../Route53RecoveryControlConfigClient.swift | 128 +- .../Route53RecoveryReadinessClient.swift | 163 +- .../Route53ResolverClient.swift | 343 +- .../Services/AWSS3/Sources/AWSS3/Models.swift | 7 - .../AWSS3/Sources/AWSS3/S3Client.swift | 523 +-- .../AWSS3Control/S3ControlClient.swift | 488 +-- .../AWSS3Outposts/S3OutpostsClient.swift | 28 +- .../Sources/AWSS3Tables/S3TablesClient.swift | 153 +- .../AWSS3Vectors/S3VectorsClient.swift | 83 +- .../AWSSES/Sources/AWSSES/SESClient.swift | 358 +- .../Sources/AWSSESv2/SESv2Client.swift | 548 ++- .../AWSSFN/Sources/AWSSFN/SFNClient.swift | 188 +- .../AWSSNS/Sources/AWSSNS/SNSClient.swift | 213 +- .../AWSSQS/Sources/AWSSQS/SQSClient.swift | 118 +- .../AWSSSM/Sources/AWSSSM/SSMClient.swift | 733 ++-- .../AWSSSMContacts/SSMContactsClient.swift | 198 +- .../SSMGuiConnectClient.swift | 18 +- .../AWSSSMIncidents/SSMIncidentsClient.swift | 158 +- .../SSMQuickSetupClient.swift | 73 +- .../AWSSSO/Sources/AWSSSO/SSOClient.swift | 23 +- .../Sources/AWSSSOAdmin/SSOAdminClient.swift | 378 +- .../Sources/AWSSSOOIDC/SSOOIDCClient.swift | 23 +- .../AWSSTS/Sources/AWSSTS/Models.swift | 2 - .../AWSSTS/Sources/AWSSTS/STSClient.swift | 48 +- .../AWSSWF/Sources/AWSSWF/SWFClient.swift | 198 +- .../AWSSageMaker/SageMakerClient.swift | 1848 ++++----- .../SageMakerA2IRuntimeClient.swift | 28 +- .../SageMakerFeatureStoreRuntimeClient.swift | 23 +- .../SageMakerGeospatialClient.swift | 98 +- .../SageMakerMetricsClient.swift | 13 +- .../SageMakerRuntimeClient.swift | 18 +- .../SagemakerEdgeClient.swift | 18 +- .../AWSSavingsplans/SavingsplansClient.swift | 53 +- .../AWSScheduler/SchedulerClient.swift | 63 +- .../Sources/AWSSchemas/SchemasClient.swift | 158 +- .../SecretsManagerClient.swift | 118 +- .../AWSSecurityHub/SecurityHubClient.swift | 528 +-- .../AWSSecurityIR/SecurityIRClient.swift | 113 +- .../AWSSecurityLake/SecurityLakeClient.swift | 158 +- ...erverlessApplicationRepositoryClient.swift | 73 +- .../ServiceCatalogClient.swift | 453 +-- .../ServiceCatalogAppRegistryClient.swift | 123 +- .../ServiceDiscoveryClient.swift | 153 +- .../ServiceQuotasClient.swift | 103 +- .../Sources/AWSShield/ShieldClient.swift | 183 +- .../Sources/AWSSigner/SignerClient.swift | 98 +- .../SimSpaceWeaverClient.swift | 83 +- .../SnowDeviceManagementClient.swift | 68 +- .../Sources/AWSSnowball/SnowballClient.swift | 138 +- .../SocialMessagingClient.swift | 108 +- .../Sources/AWSSsmSap/SsmSapClient.swift | 138 +- .../StorageGatewayClient.swift | 531 ++- .../AWSSupplyChain/SupplyChainClient.swift | 153 +- .../Sources/AWSSupport/SupportClient.swift | 83 +- .../AWSSupportApp/SupportAppClient.swift | 53 +- .../AWSSynthetics/SyntheticsClient.swift | 113 +- .../AWSTaxSettings/TaxSettingsClient.swift | 83 +- .../Sources/AWSTextract/TextractClient.swift | 128 +- .../TimestreamInfluxDBClient.swift | 88 +- .../TimestreamQueryClient.swift | 78 +- .../TimestreamWriteClient.swift | 98 +- .../AWSTnb/Sources/AWSTnb/TnbClient.swift | 168 +- .../AWSTranscribe/TranscribeClient.swift | 218 +- .../TranscribeStreamingClient.swift | 28 +- .../Sources/AWSTransfer/TransferClient.swift | 358 +- .../AWSTranslate/TranslateClient.swift | 98 +- .../TrustedAdvisorClient.swift | 58 +- .../AWSVPCLattice/VPCLatticeClient.swift | 348 +- .../VerifiedPermissionsClient.swift | 153 +- .../Sources/AWSVoiceID/VoiceIDClient.swift | 148 +- .../AWSWAF/Sources/AWSWAF/WAFClient.swift | 388 +- .../AWSWAFRegional/WAFRegionalClient.swift | 408 +- .../Sources/AWSWAFV2/WAFV2Client.swift | 273 +- .../WellArchitectedClient.swift | 363 +- .../Sources/AWSWisdom/WisdomClient.swift | 208 +- .../Sources/AWSWorkDocs/WorkDocsClient.swift | 223 +- .../Sources/AWSWorkMail/WorkMailClient.swift | 463 +-- .../WorkMailMessageFlowClient.swift | 13 +- .../AWSWorkSpaces/WorkSpacesClient.swift | 458 +-- .../WorkSpacesThinClientClient.swift | 83 +- .../WorkSpacesWebClient.swift | 378 +- .../WorkspacesInstancesClient.swift | 68 +- .../AWSXRay/Sources/AWSXRay/XRayClient.swift | 193 +- 430 files changed, 39911 insertions(+), 53163 deletions(-) diff --git a/Package.version.next b/Package.version.next index 7aa5d93505e..129f2e1773b 100644 --- a/Package.version.next +++ b/Package.version.next @@ -1 +1 @@ -1.5.55 \ No newline at end of file +1.5.58 \ No newline at end of file diff --git a/Sources/Services/AWSACM/Sources/AWSACM/ACMClient.swift b/Sources/Services/AWSACM/Sources/AWSACM/ACMClient.swift index fc8c99a3be5..517a259d7ae 100644 --- a/Sources/Services/AWSACM/Sources/AWSACM/ACMClient.swift +++ b/Sources/Services/AWSACM/Sources/AWSACM/ACMClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ACMClient: ClientRuntime.Client { public static let clientName = "ACMClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ACMClient.ACMClientConfiguration let serviceName = "ACM" @@ -374,9 +373,9 @@ extension ACMClient { /// /// Adds one or more tags to an ACM certificate. Tags are labels that you can use to identify and organize your Amazon Web Services resources. Each tag consists of a key and an optional value. You specify the certificate on input by its Amazon Resource Name (ARN). You specify the tag by using a key-value pair. You can apply a tag to just one certificate if you want to identify a specific characteristic of that certificate, or you can apply the same tag to multiple certificates if you want to filter for a common relationship among those certificates. Similarly, you can apply the same tag to multiple resources if you want to specify a relationship among those resources. For example, you can add the same tag to an ACM certificate and an Elastic Load Balancing load balancer to indicate that they are both used by the same website. For more information, see [Tagging ACM certificates](https://docs.aws.amazon.com/acm/latest/userguide/tags.html). To remove one or more tags, use the [RemoveTagsFromCertificate] action. To view all of the tags that have been applied to the certificate, use the [ListTagsForCertificate] action. /// - /// - Parameter AddTagsToCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddTagsToCertificateInput`) /// - /// - Returns: `AddTagsToCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsToCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToCertificateOutput.httpOutput(from:), AddTagsToCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension ACMClient { /// /// Deletes a certificate and its associated private key. If this action succeeds, the certificate no longer appears in the list that can be displayed by calling the [ListCertificates] action or be retrieved by calling the [GetCertificate] action. The certificate will not be available for use by Amazon Web Services services integrated with ACM. You cannot delete an ACM certificate that is being used by another Amazon Web Services service. To delete a certificate that is in use, the certificate association must first be removed. /// - /// - Parameter DeleteCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCertificateInput`) /// - /// - Returns: `DeleteCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCertificateOutput.httpOutput(from:), DeleteCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension ACMClient { /// /// Returns detailed metadata about the specified ACM certificate. If you have just created a certificate using the RequestCertificate action, there is a delay of several seconds before you can retrieve information about it. /// - /// - Parameter DescribeCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCertificateInput`) /// - /// - Returns: `DescribeCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCertificateOutput.httpOutput(from:), DescribeCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension ACMClient { /// /// Exports a private certificate issued by a private certificate authority (CA) or public certificate for use anywhere. The exported file contains the certificate, the certificate chain, and the encrypted private key associated with the public key that is embedded in the certificate. For security, you must assign a passphrase for the private key when exporting it. For information about exporting and formatting a certificate using the ACM console or CLI, see [Export a private certificate](https://docs.aws.amazon.com/acm/latest/userguide/export-private.html) and [Export a public certificate](https://docs.aws.amazon.com/acm/latest/userguide/export-public-certificate). /// - /// - Parameter ExportCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportCertificateInput`) /// - /// - Returns: `ExportCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportCertificateOutput.httpOutput(from:), ExportCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -664,9 +659,9 @@ extension ACMClient { /// /// Returns the account configuration options associated with an Amazon Web Services account. /// - /// - Parameter GetAccountConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountConfigurationInput`) /// - /// - Returns: `GetAccountConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -699,7 +694,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountConfigurationOutput.httpOutput(from:), GetAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -734,9 +728,9 @@ extension ACMClient { /// /// Retrieves a certificate and its certificate chain. The certificate may be either a public or private certificate issued using the ACM RequestCertificate action, or a certificate imported into ACM using the ImportCertificate action. The chain consists of the certificate of the issuing CA and the intermediate certificates of any other subordinate CAs. All of the certificates are base64 encoded. You can use [OpenSSL](https://wiki.openssl.org/index.php/Command_Line_Utilities) to decode the certificates and inspect individual fields. /// - /// - Parameter GetCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCertificateInput`) /// - /// - Returns: `GetCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -770,7 +764,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCertificateOutput.httpOutput(from:), GetCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -830,9 +823,9 @@ extension ACMClient { /// /// This operation returns the [Amazon Resource Name (ARN)](https://docs.aws.amazon.com/general/latest/gr/aws-arns-and-namespaces.html) of the imported certificate. /// - /// - Parameter ImportCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportCertificateInput`) /// - /// - Returns: `ImportCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -870,7 +863,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportCertificateOutput.httpOutput(from:), ImportCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -905,9 +897,9 @@ extension ACMClient { /// /// Retrieves a list of certificate ARNs and domain names. You can request that only certificates that match a specific status be listed. You can also filter by specific attributes of the certificate. Default filtering returns only RSA_2048 certificates. For more information, see [Filters]. /// - /// - Parameter ListCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCertificatesInput`) /// - /// - Returns: `ListCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -940,7 +932,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCertificatesOutput.httpOutput(from:), ListCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -975,9 +966,9 @@ extension ACMClient { /// /// Lists the tags that have been applied to the ACM certificate. Use the certificate's Amazon Resource Name (ARN) to specify the certificate. To add a tag to an ACM certificate, use the [AddTagsToCertificate] action. To delete a tag, use the [RemoveTagsFromCertificate] action. /// - /// - Parameter ListTagsForCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForCertificateInput`) /// - /// - Returns: `ListTagsForCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1010,7 +1001,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForCertificateOutput.httpOutput(from:), ListTagsForCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1045,9 +1035,9 @@ extension ACMClient { /// /// Adds or modifies account-level configurations in ACM. The supported configuration option is DaysBeforeExpiry. This option specifies the number of days prior to certificate expiration when ACM starts generating EventBridge events. ACM sends one event per day per certificate until the certificate expires. By default, accounts receive events starting 45 days before certificate expiration. /// - /// - Parameter PutAccountConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccountConfigurationInput`) /// - /// - Returns: `PutAccountConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1082,7 +1072,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountConfigurationOutput.httpOutput(from:), PutAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1117,9 +1106,9 @@ extension ACMClient { /// /// Remove one or more tags from an ACM certificate. A tag consists of a key-value pair. If you do not specify the value portion of the tag when calling this function, the tag will be removed regardless of value. If you specify a value, the tag is removed only if it is associated with the specified value. To add tags to a certificate, use the [AddTagsToCertificate] action. To view all of the tags that have been applied to a specific ACM certificate, use the [ListTagsForCertificate] action. /// - /// - Parameter RemoveTagsFromCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveTagsFromCertificateInput`) /// - /// - Returns: `RemoveTagsFromCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsFromCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1156,7 +1145,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromCertificateOutput.httpOutput(from:), RemoveTagsFromCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1191,9 +1179,9 @@ extension ACMClient { /// /// Renews an [eligible ACM certificate](https://docs.aws.amazon.com/acm/latest/userguide/managed-renewal.html). In order to renew your Amazon Web Services Private CA certificates with ACM, you must first [grant the ACM service principal permission to do so](https://docs.aws.amazon.com/privateca/latest/userguide/PcaPermissions.html). For more information, see [Testing Managed Renewal](https://docs.aws.amazon.com/acm/latest/userguide/manual-renewal.html) in the ACM User Guide. /// - /// - Parameter RenewCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RenewCertificateInput`) /// - /// - Returns: `RenewCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RenewCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1227,7 +1215,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RenewCertificateOutput.httpOutput(from:), RenewCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1262,9 +1249,9 @@ extension ACMClient { /// /// Requests an ACM certificate for use with other Amazon Web Services services. To request an ACM certificate, you must specify a fully qualified domain name (FQDN) in the DomainName parameter. You can also specify additional FQDNs in the SubjectAlternativeNames parameter. If you are requesting a private certificate, domain validation is not required. If you are requesting a public certificate, each domain name that you specify must be validated to verify that you own or control the domain. You can use [DNS validation](https://docs.aws.amazon.com/acm/latest/userguide/gs-acm-validate-dns.html) or [email validation](https://docs.aws.amazon.com/acm/latest/userguide/gs-acm-validate-email.html). We recommend that you use DNS validation. ACM behavior differs from the [RFC 6125](https://datatracker.ietf.org/doc/html/rfc6125#appendix-B.2) specification of the certificate validation process. ACM first checks for a Subject Alternative Name, and, if it finds one, ignores the common name (CN). After successful completion of the RequestCertificate action, there is a delay of several seconds before you can retrieve information about the new certificate. /// - /// - Parameter RequestCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RequestCertificateInput`) /// - /// - Returns: `RequestCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RequestCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1302,7 +1289,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RequestCertificateOutput.httpOutput(from:), RequestCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1337,9 +1323,9 @@ extension ACMClient { /// /// Resends the email that requests domain ownership validation. The domain owner or an authorized representative must approve the ACM certificate before it can be issued. The certificate can be approved by clicking a link in the mail to navigate to the Amazon certificate approval website and then clicking I Approve. However, the validation email can be blocked by spam filters. Therefore, if you do not receive the original mail, you can request that the mail be resent within 72 hours of requesting the ACM certificate. If more than 72 hours have elapsed since your original request or since your last attempt to resend validation mail, you must request a new certificate. For more information about setting up your contact email addresses, see [Configure Email for your Domain](https://docs.aws.amazon.com/acm/latest/userguide/setup-email.html). /// - /// - Parameter ResendValidationEmailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResendValidationEmailInput`) /// - /// - Returns: `ResendValidationEmailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResendValidationEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1374,7 +1360,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResendValidationEmailOutput.httpOutput(from:), ResendValidationEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1409,9 +1394,9 @@ extension ACMClient { /// /// Revokes a public ACM certificate. You can only revoke certificates that have been previously exported. /// - /// - Parameter RevokeCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeCertificateInput`) /// - /// - Returns: `RevokeCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1448,7 +1433,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeCertificateOutput.httpOutput(from:), RevokeCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1483,9 +1467,9 @@ extension ACMClient { /// /// Updates a certificate. You can use this function to specify whether to opt in to or out of recording your certificate in a certificate transparency log and exporting. For more information, see [ Opting Out of Certificate Transparency Logging](https://docs.aws.amazon.com/acm/latest/userguide/acm-bestpractices.html#best-practices-transparency) and [Certificate Manager Exportable Managed Certificates](https://docs.aws.amazon.com/acm/latest/userguide/acm-exportable-certificates.html). /// - /// - Parameter UpdateCertificateOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCertificateOptionsInput`) /// - /// - Returns: `UpdateCertificateOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCertificateOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1520,7 +1504,6 @@ extension ACMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCertificateOptionsOutput.httpOutput(from:), UpdateCertificateOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSACMPCA/Sources/AWSACMPCA/ACMPCAClient.swift b/Sources/Services/AWSACMPCA/Sources/AWSACMPCA/ACMPCAClient.swift index d3f683a52bb..3bd0e13a0ff 100644 --- a/Sources/Services/AWSACMPCA/Sources/AWSACMPCA/ACMPCAClient.swift +++ b/Sources/Services/AWSACMPCA/Sources/AWSACMPCA/ACMPCAClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ACMPCAClient: ClientRuntime.Client { public static let clientName = "ACMPCAClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ACMPCAClient.ACMPCAClientConfiguration let serviceName = "ACM PCA" @@ -374,9 +373,9 @@ extension ACMPCAClient { /// /// Creates a root or subordinate private certificate authority (CA). You must specify the CA configuration, an optional configuration for Online Certificate Status Protocol (OCSP) and/or a certificate revocation list (CRL), the CA type, and an optional idempotency token to avoid accidental creation of multiple CAs. The CA configuration specifies the name of the algorithm and key size to be used to create the CA private key, the type of signing algorithm that the CA uses, and X.500 subject information. The OCSP configuration can optionally specify a custom URL for the OCSP responder. The CRL configuration specifies the CRL expiration period in days (the validity period of the CRL), the Amazon S3 bucket that will contain the CRL, and a CNAME alias for the S3 bucket that is included in certificates issued by the CA. If successful, this action returns the Amazon Resource Name (ARN) of the CA. Both Amazon Web Services Private CA and the IAM principal must have permission to write to the S3 bucket that you specify. If the IAM principal making the call does not have permission to write to the bucket, then an exception is thrown. For more information, see [Access policies for CRLs in Amazon S3](https://docs.aws.amazon.com/privateca/latest/userguide/crl-planning.html#s3-policies). Amazon Web Services Private CA assets that are stored in Amazon S3 can be protected with encryption. For more information, see [Encrypting Your CRLs](https://docs.aws.amazon.com/privateca/latest/userguide/crl-planning.html#crl-encryption). /// - /// - Parameter CreateCertificateAuthorityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCertificateAuthorityInput`) /// - /// - Returns: `CreateCertificateAuthorityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCertificateAuthorityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCertificateAuthorityOutput.httpOutput(from:), CreateCertificateAuthorityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension ACMPCAClient { /// /// Creates an audit report that lists every time that your CA private key is used to issue a certificate. The [IssueCertificate](https://docs.aws.amazon.com/privateca/latest/APIReference/API_IssueCertificate.html) and [RevokeCertificate](https://docs.aws.amazon.com/privateca/latest/APIReference/API_RevokeCertificate.html) actions use the private key. To save the audit report to your designated Amazon S3 bucket, you must create a bucket policy that grants Amazon Web Services Private CA permission to access and write to it. For an example policy, see [Prepare an Amazon S3 bucket for audit reports](https://docs.aws.amazon.com/privateca/latest/userguide/PcaAuditReport.html#s3-access). Amazon Web Services Private CA assets that are stored in Amazon S3 can be protected with encryption. For more information, see [Encrypting Your Audit Reports](https://docs.aws.amazon.com/privateca/latest/userguide/PcaAuditReport.html#audit-report-encryption). You can generate a maximum of one report every 30 minutes. /// - /// - Parameter CreateCertificateAuthorityAuditReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCertificateAuthorityAuditReportInput`) /// - /// - Returns: `CreateCertificateAuthorityAuditReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCertificateAuthorityAuditReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCertificateAuthorityAuditReportOutput.httpOutput(from:), CreateCertificateAuthorityAuditReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension ACMPCAClient { /// /// * If the private CA and the ACM certificates reside in different accounts, then permissions cannot be used to enable automatic renewals. Instead, the ACM certificate owner must set up a resource-based policy to enable cross-account issuance and renewals. For more information, see [Using a Resource Based Policy with Amazon Web Services Private CA](https://docs.aws.amazon.com/privateca/latest/userguide/pca-rbp.html). /// - /// - Parameter CreatePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePermissionInput`) /// - /// - Returns: `CreatePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePermissionOutput.httpOutput(from:), CreatePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -600,9 +596,9 @@ extension ACMPCAClient { /// /// Deletes a private certificate authority (CA). You must provide the Amazon Resource Name (ARN) of the private CA that you want to delete. You can find the ARN by calling the [ListCertificateAuthorities](https://docs.aws.amazon.com/privateca/latest/APIReference/API_ListCertificateAuthorities.html) action. Deleting a CA will invalidate other CAs and certificates below it in your CA hierarchy. Before you can delete a CA that you have created and activated, you must disable it. To do this, call the [UpdateCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_UpdateCertificateAuthority.html) action and set the CertificateAuthorityStatus parameter to DISABLED. Additionally, you can delete a CA if you are waiting for it to be created (that is, the status of the CA is CREATING). You can also delete it if the CA has been created but you haven't yet imported the signed certificate into Amazon Web Services Private CA (that is, the status of the CA is PENDING_CERTIFICATE). When you successfully call [DeleteCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_DeleteCertificateAuthority.html), the CA's status changes to DELETED. However, the CA won't be permanently deleted until the restoration period has passed. By default, if you do not set the PermanentDeletionTimeInDays parameter, the CA remains restorable for 30 days. You can set the parameter from 7 to 30 days. The [DescribeCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_DescribeCertificateAuthority.html) action returns the time remaining in the restoration window of a private CA in the DELETED state. To restore an eligible CA, call the [RestoreCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_RestoreCertificateAuthority.html) action. A private CA can be deleted if it is in the PENDING_CERTIFICATE, CREATING, EXPIRED, DISABLED, or FAILED state. To delete a CA in the ACTIVE state, you must first disable it, or else the delete request results in an exception. If you are deleting a private CA in the PENDING_CERTIFICATE or DISABLED state, you can set the length of its restoration period to 7-30 days. The default is 30. During this time, the status is set to DELETED and the CA can be restored. A private CA deleted in the CREATING or FAILED state has no assigned restoration period and cannot be restored. /// - /// - Parameter DeleteCertificateAuthorityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCertificateAuthorityInput`) /// - /// - Returns: `DeleteCertificateAuthorityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCertificateAuthorityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCertificateAuthorityOutput.httpOutput(from:), DeleteCertificateAuthorityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -678,9 +673,9 @@ extension ACMPCAClient { /// /// * If the private CA and the ACM certificates reside in different accounts, then permissions cannot be used to enable automatic renewals. Instead, the ACM certificate owner must set up a resource-based policy to enable cross-account issuance and renewals. For more information, see [Using a Resource Based Policy with Amazon Web Services Private CA](https://docs.aws.amazon.com/privateca/latest/userguide/pca-rbp.html). /// - /// - Parameter DeletePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePermissionInput`) /// - /// - Returns: `DeletePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -715,7 +710,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePermissionOutput.httpOutput(from:), DeletePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -758,9 +752,9 @@ extension ACMPCAClient { /// /// * Updates made in Amazon Web Services Resource Manager (RAM) are reflected in policies. For more information, see [Attach a Policy for Cross-Account Access](https://docs.aws.amazon.com/privateca/latest/userguide/pca-ram.html). /// - /// - Parameter DeletePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyInput`) /// - /// - Returns: `DeletePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -797,7 +791,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyOutput.httpOutput(from:), DeletePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -846,9 +839,9 @@ extension ACMPCAClient { /// /// * DELETED - Your private CA is within the restoration period, after which it is permanently deleted. The length of time remaining in the CA's restoration period is also included in this action's output. /// - /// - Parameter DescribeCertificateAuthorityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCertificateAuthorityInput`) /// - /// - Returns: `DescribeCertificateAuthorityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCertificateAuthorityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -881,7 +874,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCertificateAuthorityOutput.httpOutput(from:), DescribeCertificateAuthorityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -916,9 +908,9 @@ extension ACMPCAClient { /// /// Lists information about a specific audit report created by calling the [CreateCertificateAuthorityAuditReport](https://docs.aws.amazon.com/privateca/latest/APIReference/API_CreateCertificateAuthorityAuditReport.html) action. Audit information is created every time the certificate authority (CA) private key is used. The private key is used when you call the [IssueCertificate](https://docs.aws.amazon.com/privateca/latest/APIReference/API_IssueCertificate.html) action or the [RevokeCertificate](https://docs.aws.amazon.com/privateca/latest/APIReference/API_RevokeCertificate.html) action. /// - /// - Parameter DescribeCertificateAuthorityAuditReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCertificateAuthorityAuditReportInput`) /// - /// - Returns: `DescribeCertificateAuthorityAuditReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCertificateAuthorityAuditReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -952,7 +944,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCertificateAuthorityAuditReportOutput.httpOutput(from:), DescribeCertificateAuthorityAuditReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -987,9 +978,9 @@ extension ACMPCAClient { /// /// Retrieves a certificate from your private CA or one that has been shared with you. The ARN of the certificate is returned when you call the [IssueCertificate](https://docs.aws.amazon.com/privateca/latest/APIReference/API_IssueCertificate.html) action. You must specify both the ARN of your private CA and the ARN of the issued certificate when calling the GetCertificate action. You can retrieve the certificate if it is in the ISSUED, EXPIRED, or REVOKED state. You can call the [CreateCertificateAuthorityAuditReport](https://docs.aws.amazon.com/privateca/latest/APIReference/API_CreateCertificateAuthorityAuditReport.html) action to create a report that contains information about all of the certificates issued and revoked by your private CA. /// - /// - Parameter GetCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCertificateInput`) /// - /// - Returns: `GetCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1025,7 +1016,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCertificateOutput.httpOutput(from:), GetCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1060,9 +1050,9 @@ extension ACMPCAClient { /// /// Retrieves the certificate and certificate chain for your private certificate authority (CA) or one that has been shared with you. Both the certificate and the chain are base64 PEM-encoded. The chain does not include the CA certificate. Each certificate in the chain signs the one before it. /// - /// - Parameter GetCertificateAuthorityCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCertificateAuthorityCertificateInput`) /// - /// - Returns: `GetCertificateAuthorityCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCertificateAuthorityCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1096,7 +1086,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCertificateAuthorityCertificateOutput.httpOutput(from:), GetCertificateAuthorityCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1131,9 +1120,9 @@ extension ACMPCAClient { /// /// Retrieves the certificate signing request (CSR) for your private certificate authority (CA). The CSR is created when you call the [CreateCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_CreateCertificateAuthority.html) action. Sign the CSR with your Amazon Web Services Private CA-hosted or on-premises root or subordinate CA. Then import the signed certificate back into Amazon Web Services Private CA by calling the [ImportCertificateAuthorityCertificate](https://docs.aws.amazon.com/privateca/latest/APIReference/API_ImportCertificateAuthorityCertificate.html) action. The CSR is returned as a base64 PEM-encoded string. /// - /// - Parameter GetCertificateAuthorityCsrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCertificateAuthorityCsrInput`) /// - /// - Returns: `GetCertificateAuthorityCsrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCertificateAuthorityCsrOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1169,7 +1158,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCertificateAuthorityCsrOutput.httpOutput(from:), GetCertificateAuthorityCsrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1212,9 +1200,9 @@ extension ACMPCAClient { /// /// * Updates made in Amazon Web Services Resource Manager (RAM) are reflected in policies. For more information, see [Attach a Policy for Cross-Account Access](https://docs.aws.amazon.com/privateca/latest/userguide/pca-ram.html). /// - /// - Parameter GetPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyInput`) /// - /// - Returns: `GetPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1249,7 +1237,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyOutput.httpOutput(from:), GetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1361,9 +1348,9 @@ extension ACMPCAClient { /// /// Amazon Web Services Private Certificate Authority will also reject any other extension marked as critical not contained on the preceding list of allowed extensions. /// - /// - Parameter ImportCertificateAuthorityCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportCertificateAuthorityCertificateInput`) /// - /// - Returns: `ImportCertificateAuthorityCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportCertificateAuthorityCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1403,7 +1390,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportCertificateAuthorityCertificateOutput.httpOutput(from:), ImportCertificateAuthorityCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1438,9 +1424,9 @@ extension ACMPCAClient { /// /// Uses your private certificate authority (CA), or one that has been shared with you, to issue a client certificate. This action returns the Amazon Resource Name (ARN) of the certificate. You can retrieve the certificate by calling the [GetCertificate](https://docs.aws.amazon.com/privateca/latest/APIReference/API_GetCertificate.html) action and specifying the ARN. You cannot use the ACM ListCertificateAuthorities action to retrieve the ARNs of the certificates that you issue by using Amazon Web Services Private CA. /// - /// - Parameter IssueCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `IssueCertificateInput`) /// - /// - Returns: `IssueCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IssueCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1477,7 +1463,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IssueCertificateOutput.httpOutput(from:), IssueCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1512,9 +1497,9 @@ extension ACMPCAClient { /// /// Lists the private certificate authorities that you created by using the [CreateCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_CreateCertificateAuthority.html) action. /// - /// - Parameter ListCertificateAuthoritiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCertificateAuthoritiesInput`) /// - /// - Returns: `ListCertificateAuthoritiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCertificateAuthoritiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1546,7 +1531,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCertificateAuthoritiesOutput.httpOutput(from:), ListCertificateAuthoritiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1587,9 +1571,9 @@ extension ACMPCAClient { /// /// * If the private CA and the ACM certificates reside in different accounts, then permissions cannot be used to enable automatic renewals. Instead, the ACM certificate owner must set up a resource-based policy to enable cross-account issuance and renewals. For more information, see [Using a Resource Based Policy with Amazon Web Services Private CA](https://docs.aws.amazon.com/privateca/latest/userguide/pca-rbp.html). /// - /// - Parameter ListPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionsInput`) /// - /// - Returns: `ListPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1625,7 +1609,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionsOutput.httpOutput(from:), ListPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1660,9 +1643,9 @@ extension ACMPCAClient { /// /// Lists the tags, if any, that are associated with your private CA or one that has been shared with you. Tags are labels that you can use to identify and organize your CAs. Each tag consists of a key and an optional value. Call the [TagCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_TagCertificateAuthority.html) action to add one or more tags to your CA. Call the [UntagCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_UntagCertificateAuthority.html) action to remove tags. /// - /// - Parameter ListTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1697,7 +1680,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1740,9 +1722,9 @@ extension ACMPCAClient { /// /// * Updates made in Amazon Web Services Resource Manager (RAM) are reflected in policies. For more information, see [Attach a Policy for Cross-Account Access](https://docs.aws.amazon.com/privateca/latest/userguide/pca-ram.html). /// - /// - Parameter PutPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPolicyInput`) /// - /// - Returns: `PutPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1780,7 +1762,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPolicyOutput.httpOutput(from:), PutPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1815,9 +1796,9 @@ extension ACMPCAClient { /// /// Restores a certificate authority (CA) that is in the DELETED state. You can restore a CA during the period that you defined in the PermanentDeletionTimeInDays parameter of the [DeleteCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_DeleteCertificateAuthority.html) action. Currently, you can specify 7 to 30 days. If you did not specify a PermanentDeletionTimeInDays value, by default you can restore the CA at any time in a 30 day period. You can check the time remaining in the restoration period of a private CA in the DELETED state by calling the [DescribeCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_DescribeCertificateAuthority.html) or [ListCertificateAuthorities](https://docs.aws.amazon.com/privateca/latest/APIReference/API_ListCertificateAuthorities.html) actions. The status of a restored CA is set to its pre-deletion status when the RestoreCertificateAuthority action returns. To change its status to ACTIVE, call the [UpdateCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_UpdateCertificateAuthority.html) action. If the private CA was in the PENDING_CERTIFICATE state at deletion, you must use the [ImportCertificateAuthorityCertificate](https://docs.aws.amazon.com/privateca/latest/APIReference/API_ImportCertificateAuthorityCertificate.html) action to import a certificate authority into the private CA before it can be activated. You cannot restore a CA after the restoration period has ended. /// - /// - Parameter RestoreCertificateAuthorityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreCertificateAuthorityInput`) /// - /// - Returns: `RestoreCertificateAuthorityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreCertificateAuthorityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1851,7 +1832,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreCertificateAuthorityOutput.httpOutput(from:), RestoreCertificateAuthorityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1886,9 +1866,9 @@ extension ACMPCAClient { /// /// Revokes a certificate that was issued inside Amazon Web Services Private CA. If you enable a certificate revocation list (CRL) when you create or update your private CA, information about the revoked certificates will be included in the CRL. Amazon Web Services Private CA writes the CRL to an S3 bucket that you specify. A CRL is typically updated approximately 30 minutes after a certificate is revoked. If for any reason the CRL update fails, Amazon Web Services Private CA attempts makes further attempts every 15 minutes. With Amazon CloudWatch, you can create alarms for the metrics CRLGenerated and MisconfiguredCRLBucket. For more information, see [Supported CloudWatch Metrics](https://docs.aws.amazon.com/privateca/latest/userguide/PcaCloudWatch.html). Both Amazon Web Services Private CA and the IAM principal must have permission to write to the S3 bucket that you specify. If the IAM principal making the call does not have permission to write to the bucket, then an exception is thrown. For more information, see [Access policies for CRLs in Amazon S3](https://docs.aws.amazon.com/privateca/latest/userguide/crl-planning.html#s3-policies). Amazon Web Services Private CA also writes revocation information to the audit report. For more information, see [CreateCertificateAuthorityAuditReport](https://docs.aws.amazon.com/privateca/latest/APIReference/API_CreateCertificateAuthorityAuditReport.html). You cannot revoke a root CA self-signed certificate. /// - /// - Parameter RevokeCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeCertificateInput`) /// - /// - Returns: `RevokeCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1928,7 +1908,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeCertificateOutput.httpOutput(from:), RevokeCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1963,9 +1942,9 @@ extension ACMPCAClient { /// /// Adds one or more tags to your private CA. Tags are labels that you can use to identify and organize your Amazon Web Services resources. Each tag consists of a key and an optional value. You specify the private CA on input by its Amazon Resource Name (ARN). You specify the tag by using a key-value pair. You can apply a tag to just one private CA if you want to identify a specific characteristic of that CA, or you can apply the same tag to multiple private CAs if you want to filter for a common relationship among those CAs. To remove one or more tags, use the [UntagCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_UntagCertificateAuthority.html) action. Call the [ListTags](https://docs.aws.amazon.com/privateca/latest/APIReference/API_ListTags.html) action to see what tags are associated with your CA. To attach tags to a private CA during the creation procedure, a CA administrator must first associate an inline IAM policy with the CreateCertificateAuthority action and explicitly allow tagging. For more information, see [Attaching tags to a CA at the time of creation](https://docs.aws.amazon.com/privateca/latest/userguide/auth-InlinePolicies.html#policy-tag-ca). /// - /// - Parameter TagCertificateAuthorityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagCertificateAuthorityInput`) /// - /// - Returns: `TagCertificateAuthorityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagCertificateAuthorityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2001,7 +1980,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagCertificateAuthorityOutput.httpOutput(from:), TagCertificateAuthorityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2036,9 +2014,9 @@ extension ACMPCAClient { /// /// Remove one or more tags from your private CA. A tag consists of a key-value pair. If you do not specify the value portion of the tag when calling this action, the tag will be removed regardless of value. If you specify a value, the tag is removed only if it is associated with the specified value. To add tags to a private CA, use the [TagCertificateAuthority](https://docs.aws.amazon.com/privateca/latest/APIReference/API_TagCertificateAuthority.html). Call the [ListTags](https://docs.aws.amazon.com/privateca/latest/APIReference/API_ListTags.html) action to see what tags are associated with your CA. /// - /// - Parameter UntagCertificateAuthorityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagCertificateAuthorityInput`) /// - /// - Returns: `UntagCertificateAuthorityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagCertificateAuthorityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2073,7 +2051,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagCertificateAuthorityOutput.httpOutput(from:), UntagCertificateAuthorityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2108,9 +2085,9 @@ extension ACMPCAClient { /// /// Updates the status or configuration of a private certificate authority (CA). Your private CA must be in the ACTIVE or DISABLED state before you can update it. You can disable a private CA that is in the ACTIVE state or make a CA that is in the DISABLED state active again. Both Amazon Web Services Private CA and the IAM principal must have permission to write to the S3 bucket that you specify. If the IAM principal making the call does not have permission to write to the bucket, then an exception is thrown. For more information, see [Access policies for CRLs in Amazon S3](https://docs.aws.amazon.com/privateca/latest/userguide/crl-planning.html#s3-policies). /// - /// - Parameter UpdateCertificateAuthorityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCertificateAuthorityInput`) /// - /// - Returns: `UpdateCertificateAuthorityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCertificateAuthorityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2147,7 +2124,6 @@ extension ACMPCAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCertificateAuthorityOutput.httpOutput(from:), UpdateCertificateAuthorityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAIOps/Sources/AWSAIOps/AIOpsClient.swift b/Sources/Services/AWSAIOps/Sources/AWSAIOps/AIOpsClient.swift index 5e2674294b3..ea221754a1a 100644 --- a/Sources/Services/AWSAIOps/Sources/AWSAIOps/AIOpsClient.swift +++ b/Sources/Services/AWSAIOps/Sources/AWSAIOps/AIOpsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AIOpsClient: ClientRuntime.Client { public static let clientName = "AIOpsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AIOpsClient.AIOpsClientConfiguration let serviceName = "AIOps" @@ -382,9 +381,9 @@ extension AIOpsClient { /// /// Currently, you can have one investigation group in each Region in your account. Each investigation in a Region is a part of the investigation group in that Region To create an investigation group and set up CloudWatch investigations, you must be signed in to an IAM principal that has either the AIOpsConsoleAdminPolicy or the AdministratorAccess IAM policy attached, or to an account that has similar permissions. You can configure CloudWatch alarms to start investigations and add events to investigations. If you create your investigation group with CreateInvestigationGroup and you want to enable alarms to do this, you must use PutInvestigationGroupPolicy to create a resource policy that grants this permission to CloudWatch alarms. For more information about configuring CloudWatch alarms, see [Using Amazon CloudWatch alarms](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/AlarmThatSendsEmail.html) /// - /// - Parameter CreateInvestigationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInvestigationGroupInput`) /// - /// - Returns: `CreateInvestigationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInvestigationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -425,7 +424,6 @@ extension AIOpsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInvestigationGroupOutput.httpOutput(from:), CreateInvestigationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -457,9 +455,9 @@ extension AIOpsClient { /// /// Deletes the specified investigation group from your account. You can currently have one investigation group per Region in your account. After you delete an investigation group, you can later create a new investigation group in the same Region. /// - /// - Parameter DeleteInvestigationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInvestigationGroupInput`) /// - /// - Returns: `DeleteInvestigationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInvestigationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -496,7 +494,6 @@ extension AIOpsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInvestigationGroupOutput.httpOutput(from:), DeleteInvestigationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -528,9 +525,9 @@ extension AIOpsClient { /// /// Removes the IAM resource policy from being associated with the investigation group that you specify. /// - /// - Parameter DeleteInvestigationGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInvestigationGroupPolicyInput`) /// - /// - Returns: `DeleteInvestigationGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInvestigationGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension AIOpsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInvestigationGroupPolicyOutput.httpOutput(from:), DeleteInvestigationGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension AIOpsClient { /// /// Returns the configuration information for the specified investigation group. /// - /// - Parameter GetInvestigationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInvestigationGroupInput`) /// - /// - Returns: `GetInvestigationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInvestigationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension AIOpsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInvestigationGroupOutput.httpOutput(from:), GetInvestigationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension AIOpsClient { /// /// Returns the JSON of the IAM resource policy associated with the specified investigation group in a string. For example, {\"Version\":\"2012-10-17\",\"Statement\":[{\"Effect\":\"Allow\",\"Principal\":{\"Service\":\"aiops.alarms.cloudwatch.amazonaws.com\"},\"Action\":[\"aiops:CreateInvestigation\",\"aiops:CreateInvestigationEvent\"],\"Resource\":\"*\",\"Condition\":{\"StringEquals\":{\"aws:SourceAccount\":\"111122223333\"},\"ArnLike\":{\"aws:SourceArn\":\"arn:aws:cloudwatch:us-east-1:111122223333:alarm:*\"}}}]}. /// - /// - Parameter GetInvestigationGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInvestigationGroupPolicyInput`) /// - /// - Returns: `GetInvestigationGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInvestigationGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension AIOpsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInvestigationGroupPolicyOutput.httpOutput(from:), GetInvestigationGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension AIOpsClient { /// /// Returns the ARN and name of each investigation group in the account. /// - /// - Parameter ListInvestigationGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvestigationGroupsInput`) /// - /// - Returns: `ListInvestigationGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvestigationGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -781,7 +775,6 @@ extension AIOpsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInvestigationGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvestigationGroupsOutput.httpOutput(from:), ListInvestigationGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -813,9 +806,9 @@ extension AIOpsClient { /// /// Displays the tags associated with a CloudWatch investigations resource. Currently, investigation groups support tagging. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension AIOpsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -884,9 +876,9 @@ extension AIOpsClient { /// /// Creates an IAM resource policy and assigns it to the specified investigation group. If you create your investigation group with CreateInvestigationGroup and you want to enable CloudWatch alarms to create investigations and add events to investigations, you must use this operation to create a policy similar to this example. { "Version": "2008-10-17", "Statement": [ { "Effect": "Allow", "Principal": { "Service": "aiops.alarms.cloudwatch.amazonaws.com" }, "Action": [ "aiops:CreateInvestigation", "aiops:CreateInvestigationEvent" ], "Resource": "*", "Condition": { "StringEquals": { "aws:SourceAccount": "account-id" }, "ArnLike": { "aws:SourceArn": "arn:aws:cloudwatch:region:account-id:alarm:*" } } } ] } /// - /// - Parameter PutInvestigationGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutInvestigationGroupPolicyInput`) /// - /// - Returns: `PutInvestigationGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutInvestigationGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -926,7 +918,6 @@ extension AIOpsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutInvestigationGroupPolicyOutput.httpOutput(from:), PutInvestigationGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -958,9 +949,9 @@ extension AIOpsClient { /// /// Assigns one or more tags (key-value pairs) to the specified resource. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can associate as many as 50 tags with a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1000,7 +991,6 @@ extension AIOpsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1032,9 +1022,9 @@ extension AIOpsClient { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1072,7 +1062,6 @@ extension AIOpsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1104,9 +1093,9 @@ extension AIOpsClient { /// /// Updates the configuration of the specified investigation group. /// - /// - Parameter UpdateInvestigationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInvestigationGroupInput`) /// - /// - Returns: `UpdateInvestigationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInvestigationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1146,7 +1135,6 @@ extension AIOpsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInvestigationGroupOutput.httpOutput(from:), UpdateInvestigationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAPIGateway/Sources/AWSAPIGateway/APIGatewayClient.swift b/Sources/Services/AWSAPIGateway/Sources/AWSAPIGateway/APIGatewayClient.swift index 293bcca2ba1..b70064ddb85 100644 --- a/Sources/Services/AWSAPIGateway/Sources/AWSAPIGateway/APIGatewayClient.swift +++ b/Sources/Services/AWSAPIGateway/Sources/AWSAPIGateway/APIGatewayClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -72,7 +71,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class APIGatewayClient: ClientRuntime.Client { public static let clientName = "APIGatewayClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: APIGatewayClient.APIGatewayClientConfiguration let serviceName = "API Gateway" @@ -378,9 +377,9 @@ extension APIGatewayClient { /// /// Create an ApiKey resource. /// - /// - Parameter CreateApiKeyInput : Request to create an ApiKey resource. + /// - Parameter input: Request to create an ApiKey resource. (Type: `CreateApiKeyInput`) /// - /// - Returns: `CreateApiKeyOutput` : A resource that can be distributed to callers for executing Method resources that require an API key. API keys can be mapped to any Stage on any RestApi, which indicates that the callers with the API key can make requests to that stage. + /// - Returns: A resource that can be distributed to callers for executing Method resources that require an API key. API keys can be mapped to any Stage on any RestApi, which indicates that the callers with the API key can make requests to that stage. (Type: `CreateApiKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApiKeyOutput.httpOutput(from:), CreateApiKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension APIGatewayClient { /// /// Adds a new Authorizer resource to an existing RestApi resource. /// - /// - Parameter CreateAuthorizerInput : Request to add a new Authorizer to an existing RestApi resource. + /// - Parameter input: Request to add a new Authorizer to an existing RestApi resource. (Type: `CreateAuthorizerInput`) /// - /// - Returns: `CreateAuthorizerOutput` : Represents an authorization layer for methods. If enabled on a method, API Gateway will activate the authorizer when a client calls the method. + /// - Returns: Represents an authorization layer for methods. If enabled on a method, API Gateway will activate the authorizer when a client calls the method. (Type: `CreateAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAuthorizerOutput.httpOutput(from:), CreateAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension APIGatewayClient { /// /// Creates a new BasePathMapping resource. /// - /// - Parameter CreateBasePathMappingInput : Requests API Gateway to create a new BasePathMapping resource. + /// - Parameter input: Requests API Gateway to create a new BasePathMapping resource. (Type: `CreateBasePathMappingInput`) /// - /// - Returns: `CreateBasePathMappingOutput` : Represents the base path that callers of the API must provide as part of the URL after the domain name. + /// - Returns: Represents the base path that callers of the API must provide as part of the URL after the domain name. (Type: `CreateBasePathMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -568,7 +565,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBasePathMappingOutput.httpOutput(from:), CreateBasePathMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension APIGatewayClient { /// /// Creates a Deployment resource, which makes a specified RestApi callable over the internet. /// - /// - Parameter CreateDeploymentInput : Requests API Gateway to create a Deployment resource. + /// - Parameter input: Requests API Gateway to create a Deployment resource. (Type: `CreateDeploymentInput`) /// - /// - Returns: `CreateDeploymentOutput` : An immutable representation of a RestApi resource that can be called by users using Stages. A deployment must be associated with a Stage for it to be callable over the Internet. + /// - Returns: An immutable representation of a RestApi resource that can be called by users using Stages. A deployment must be associated with a Stage for it to be callable over the Internet. (Type: `CreateDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -643,7 +639,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentOutput.httpOutput(from:), CreateDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension APIGatewayClient { /// /// Creates a documentation part. /// - /// - Parameter CreateDocumentationPartInput : Creates a new documentation part of a given API. + /// - Parameter input: Creates a new documentation part of a given API. (Type: `CreateDocumentationPartInput`) /// - /// - Returns: `CreateDocumentationPartOutput` : A documentation part for a targeted API entity. + /// - Returns: A documentation part for a targeted API entity. (Type: `CreateDocumentationPartOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -717,7 +712,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDocumentationPartOutput.httpOutput(from:), CreateDocumentationPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -750,9 +744,9 @@ extension APIGatewayClient { /// /// Creates a documentation version /// - /// - Parameter CreateDocumentationVersionInput : Creates a new documentation version of a given API. + /// - Parameter input: Creates a new documentation version of a given API. (Type: `CreateDocumentationVersionInput`) /// - /// - Returns: `CreateDocumentationVersionOutput` : A snapshot of the documentation of an API. + /// - Returns: A snapshot of the documentation of an API. (Type: `CreateDocumentationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -791,7 +785,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDocumentationVersionOutput.httpOutput(from:), CreateDocumentationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -824,9 +817,9 @@ extension APIGatewayClient { /// /// Creates a new domain name. /// - /// - Parameter CreateDomainNameInput : A request to create a new domain name. + /// - Parameter input: A request to create a new domain name. (Type: `CreateDomainNameInput`) /// - /// - Returns: `CreateDomainNameOutput` : Represents a custom domain name as a user-friendly host name of an API (RestApi). + /// - Returns: Represents a custom domain name as a user-friendly host name of an API (RestApi). (Type: `CreateDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -864,7 +857,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainNameOutput.httpOutput(from:), CreateDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -897,9 +889,9 @@ extension APIGatewayClient { /// /// Creates a domain name access association resource between an access association source and a private custom domain name. /// - /// - Parameter CreateDomainNameAccessAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainNameAccessAssociationInput`) /// - /// - Returns: `CreateDomainNameAccessAssociationOutput` : Represents a domain name access association between an access association source and a private custom domain name. With a domain name access association, an access association source can invoke a private custom domain name while isolated from the public internet. + /// - Returns: Represents a domain name access association between an access association source and a private custom domain name. With a domain name access association, an access association source can invoke a private custom domain name while isolated from the public internet. (Type: `CreateDomainNameAccessAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -937,7 +929,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainNameAccessAssociationOutput.httpOutput(from:), CreateDomainNameAccessAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -970,9 +961,9 @@ extension APIGatewayClient { /// /// Adds a new Model resource to an existing RestApi resource. /// - /// - Parameter CreateModelInput : Request to add a new Model to an existing RestApi resource. + /// - Parameter input: Request to add a new Model to an existing RestApi resource. (Type: `CreateModelInput`) /// - /// - Returns: `CreateModelOutput` : Represents the data structure of a method's request or response payload. + /// - Returns: Represents the data structure of a method's request or response payload. (Type: `CreateModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1011,7 +1002,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelOutput.httpOutput(from:), CreateModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1044,9 +1034,9 @@ extension APIGatewayClient { /// /// Creates a RequestValidator of a given RestApi. /// - /// - Parameter CreateRequestValidatorInput : Creates a RequestValidator of a given RestApi. + /// - Parameter input: Creates a RequestValidator of a given RestApi. (Type: `CreateRequestValidatorInput`) /// - /// - Returns: `CreateRequestValidatorOutput` : A set of validation rules for incoming Method requests. + /// - Returns: A set of validation rules for incoming Method requests. (Type: `CreateRequestValidatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1085,7 +1075,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRequestValidatorOutput.httpOutput(from:), CreateRequestValidatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1118,9 +1107,9 @@ extension APIGatewayClient { /// /// Creates a Resource resource. /// - /// - Parameter CreateResourceInput : Requests API Gateway to create a Resource resource. + /// - Parameter input: Requests API Gateway to create a Resource resource. (Type: `CreateResourceInput`) /// - /// - Returns: `CreateResourceOutput` : Represents an API resource. + /// - Returns: Represents an API resource. (Type: `CreateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1159,7 +1148,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceOutput.httpOutput(from:), CreateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1192,9 +1180,9 @@ extension APIGatewayClient { /// /// Creates a new RestApi resource. /// - /// - Parameter CreateRestApiInput : The POST Request to add a new RestApi resource to your collection. + /// - Parameter input: The POST Request to add a new RestApi resource to your collection. (Type: `CreateRestApiInput`) /// - /// - Returns: `CreateRestApiOutput` : Represents a REST API. + /// - Returns: Represents a REST API. (Type: `CreateRestApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1232,7 +1220,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRestApiOutput.httpOutput(from:), CreateRestApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1265,9 +1252,9 @@ extension APIGatewayClient { /// /// Creates a new Stage resource that references a pre-existing Deployment for the API. /// - /// - Parameter CreateStageInput : Requests API Gateway to create a Stage resource. + /// - Parameter input: Requests API Gateway to create a Stage resource. (Type: `CreateStageInput`) /// - /// - Returns: `CreateStageOutput` : Represents a unique identifier for a version of a deployed RestApi that is callable by users. + /// - Returns: Represents a unique identifier for a version of a deployed RestApi that is callable by users. (Type: `CreateStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1306,7 +1293,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStageOutput.httpOutput(from:), CreateStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1339,9 +1325,9 @@ extension APIGatewayClient { /// /// Creates a usage plan with the throttle and quota limits, as well as the associated API stages, specified in the payload. /// - /// - Parameter CreateUsagePlanInput : The POST request to create a usage plan with the name, description, throttle limits and quota limits, as well as the associated API stages, specified in the payload. + /// - Parameter input: The POST request to create a usage plan with the name, description, throttle limits and quota limits, as well as the associated API stages, specified in the payload. (Type: `CreateUsagePlanInput`) /// - /// - Returns: `CreateUsagePlanOutput` : Represents a usage plan used to specify who can assess associated API stages. Optionally, target request rate and quota limits can be set. In some cases clients can exceed the targets that you set. Don’t rely on usage plans to control costs. Consider using [Amazon Web Services Budgets](https://docs.aws.amazon.com/cost-management/latest/userguide/budgets-managing-costs.html) to monitor costs and [WAF](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html) to manage API requests. + /// - Returns: Represents a usage plan used to specify who can assess associated API stages. Optionally, target request rate and quota limits can be set. In some cases clients can exceed the targets that you set. Don’t rely on usage plans to control costs. Consider using [Amazon Web Services Budgets](https://docs.aws.amazon.com/cost-management/latest/userguide/budgets-managing-costs.html) to monitor costs and [WAF](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html) to manage API requests. (Type: `CreateUsagePlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1380,7 +1366,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUsagePlanOutput.httpOutput(from:), CreateUsagePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1413,9 +1398,9 @@ extension APIGatewayClient { /// /// Creates a usage plan key for adding an existing API key to a usage plan. /// - /// - Parameter CreateUsagePlanKeyInput : The POST request to create a usage plan key for adding an existing API key to a usage plan. + /// - Parameter input: The POST request to create a usage plan key for adding an existing API key to a usage plan. (Type: `CreateUsagePlanKeyInput`) /// - /// - Returns: `CreateUsagePlanKeyOutput` : Represents a usage plan key to identify a plan customer. + /// - Returns: Represents a usage plan key to identify a plan customer. (Type: `CreateUsagePlanKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1454,7 +1439,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUsagePlanKeyOutput.httpOutput(from:), CreateUsagePlanKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1487,9 +1471,9 @@ extension APIGatewayClient { /// /// Creates a VPC link, under the caller's account in a selected region, in an asynchronous operation that typically takes 2-4 minutes to complete and become operational. The caller must have permissions to create and update VPC Endpoint services. /// - /// - Parameter CreateVpcLinkInput : Creates a VPC link, under the caller's account in a selected region, in an asynchronous operation that typically takes 2-4 minutes to complete and become operational. The caller must have permissions to create and update VPC Endpoint services. + /// - Parameter input: Creates a VPC link, under the caller's account in a selected region, in an asynchronous operation that typically takes 2-4 minutes to complete and become operational. The caller must have permissions to create and update VPC Endpoint services. (Type: `CreateVpcLinkInput`) /// - /// - Returns: `CreateVpcLinkOutput` : An API Gateway VPC link for a RestApi to access resources in an Amazon Virtual Private Cloud (VPC). + /// - Returns: An API Gateway VPC link for a RestApi to access resources in an Amazon Virtual Private Cloud (VPC). (Type: `CreateVpcLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1527,7 +1511,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcLinkOutput.httpOutput(from:), CreateVpcLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1560,9 +1543,9 @@ extension APIGatewayClient { /// /// Deletes the ApiKey resource. /// - /// - Parameter DeleteApiKeyInput : A request to delete the ApiKey resource. + /// - Parameter input: A request to delete the ApiKey resource. (Type: `DeleteApiKeyInput`) /// - /// - Returns: `DeleteApiKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApiKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1597,7 +1580,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApiKeyOutput.httpOutput(from:), DeleteApiKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1630,9 +1612,9 @@ extension APIGatewayClient { /// /// Deletes an existing Authorizer resource. /// - /// - Parameter DeleteAuthorizerInput : Request to delete an existing Authorizer resource. + /// - Parameter input: Request to delete an existing Authorizer resource. (Type: `DeleteAuthorizerInput`) /// - /// - Returns: `DeleteAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1667,7 +1649,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAuthorizerOutput.httpOutput(from:), DeleteAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1700,9 +1681,9 @@ extension APIGatewayClient { /// /// Deletes the BasePathMapping resource. /// - /// - Parameter DeleteBasePathMappingInput : A request to delete the BasePathMapping resource. + /// - Parameter input: A request to delete the BasePathMapping resource. (Type: `DeleteBasePathMappingInput`) /// - /// - Returns: `DeleteBasePathMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBasePathMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1738,7 +1719,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBasePathMappingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBasePathMappingOutput.httpOutput(from:), DeleteBasePathMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1771,9 +1751,9 @@ extension APIGatewayClient { /// /// Deletes the ClientCertificate resource. /// - /// - Parameter DeleteClientCertificateInput : A request to delete the ClientCertificate resource. + /// - Parameter input: A request to delete the ClientCertificate resource. (Type: `DeleteClientCertificateInput`) /// - /// - Returns: `DeleteClientCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClientCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1808,7 +1788,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClientCertificateOutput.httpOutput(from:), DeleteClientCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1841,9 +1820,9 @@ extension APIGatewayClient { /// /// Deletes a Deployment resource. Deleting a deployment will only succeed if there are no Stage resources associated with it. /// - /// - Parameter DeleteDeploymentInput : Requests API Gateway to delete a Deployment resource. + /// - Parameter input: Requests API Gateway to delete a Deployment resource. (Type: `DeleteDeploymentInput`) /// - /// - Returns: `DeleteDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1879,7 +1858,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeploymentOutput.httpOutput(from:), DeleteDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1912,9 +1890,9 @@ extension APIGatewayClient { /// /// Deletes a documentation part /// - /// - Parameter DeleteDocumentationPartInput : Deletes an existing documentation part of an API. + /// - Parameter input: Deletes an existing documentation part of an API. (Type: `DeleteDocumentationPartInput`) /// - /// - Returns: `DeleteDocumentationPartOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDocumentationPartOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1949,7 +1927,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDocumentationPartOutput.httpOutput(from:), DeleteDocumentationPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1982,9 +1959,9 @@ extension APIGatewayClient { /// /// Deletes a documentation version. /// - /// - Parameter DeleteDocumentationVersionInput : Deletes an existing documentation version of an API. + /// - Parameter input: Deletes an existing documentation version of an API. (Type: `DeleteDocumentationVersionInput`) /// - /// - Returns: `DeleteDocumentationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDocumentationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2019,7 +1996,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDocumentationVersionOutput.httpOutput(from:), DeleteDocumentationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2052,9 +2028,9 @@ extension APIGatewayClient { /// /// Deletes the DomainName resource. /// - /// - Parameter DeleteDomainNameInput : A request to delete the DomainName resource. + /// - Parameter input: A request to delete the DomainName resource. (Type: `DeleteDomainNameInput`) /// - /// - Returns: `DeleteDomainNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2090,7 +2066,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDomainNameInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainNameOutput.httpOutput(from:), DeleteDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2123,9 +2098,9 @@ extension APIGatewayClient { /// /// Deletes the DomainNameAccessAssociation resource. Only the AWS account that created the DomainNameAccessAssociation resource can delete it. To stop an access association source in another AWS account from accessing your private custom domain name, use the RejectDomainNameAccessAssociation operation. /// - /// - Parameter DeleteDomainNameAccessAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainNameAccessAssociationInput`) /// - /// - Returns: `DeleteDomainNameAccessAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainNameAccessAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2160,7 +2135,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainNameAccessAssociationOutput.httpOutput(from:), DeleteDomainNameAccessAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2193,9 +2167,9 @@ extension APIGatewayClient { /// /// Clears any customization of a GatewayResponse of a specified response type on the given RestApi and resets it with the default settings. /// - /// - Parameter DeleteGatewayResponseInput : Clears any customization of a GatewayResponse of a specified response type on the given RestApi and resets it with the default settings. + /// - Parameter input: Clears any customization of a GatewayResponse of a specified response type on the given RestApi and resets it with the default settings. (Type: `DeleteGatewayResponseInput`) /// - /// - Returns: `DeleteGatewayResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGatewayResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2230,7 +2204,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGatewayResponseOutput.httpOutput(from:), DeleteGatewayResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2263,9 +2236,9 @@ extension APIGatewayClient { /// /// Represents a delete integration. /// - /// - Parameter DeleteIntegrationInput : Represents a delete integration request. + /// - Parameter input: Represents a delete integration request. (Type: `DeleteIntegrationInput`) /// - /// - Returns: `DeleteIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2300,7 +2273,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationOutput.httpOutput(from:), DeleteIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2333,9 +2305,9 @@ extension APIGatewayClient { /// /// Represents a delete integration response. /// - /// - Parameter DeleteIntegrationResponseInput : Represents a delete integration response request. + /// - Parameter input: Represents a delete integration response request. (Type: `DeleteIntegrationResponseInput`) /// - /// - Returns: `DeleteIntegrationResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntegrationResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2370,7 +2342,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationResponseOutput.httpOutput(from:), DeleteIntegrationResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2403,9 +2374,9 @@ extension APIGatewayClient { /// /// Deletes an existing Method resource. /// - /// - Parameter DeleteMethodInput : Request to delete an existing Method resource. + /// - Parameter input: Request to delete an existing Method resource. (Type: `DeleteMethodInput`) /// - /// - Returns: `DeleteMethodOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMethodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2439,7 +2410,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMethodOutput.httpOutput(from:), DeleteMethodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2472,9 +2442,9 @@ extension APIGatewayClient { /// /// Deletes an existing MethodResponse resource. /// - /// - Parameter DeleteMethodResponseInput : A request to delete an existing MethodResponse resource. + /// - Parameter input: A request to delete an existing MethodResponse resource. (Type: `DeleteMethodResponseInput`) /// - /// - Returns: `DeleteMethodResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMethodResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2509,7 +2479,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMethodResponseOutput.httpOutput(from:), DeleteMethodResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2542,9 +2511,9 @@ extension APIGatewayClient { /// /// Deletes a model. /// - /// - Parameter DeleteModelInput : Request to delete an existing model in an existing RestApi resource. + /// - Parameter input: Request to delete an existing model in an existing RestApi resource. (Type: `DeleteModelInput`) /// - /// - Returns: `DeleteModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2579,7 +2548,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelOutput.httpOutput(from:), DeleteModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2612,9 +2580,9 @@ extension APIGatewayClient { /// /// Deletes a RequestValidator of a given RestApi. /// - /// - Parameter DeleteRequestValidatorInput : Deletes a specified RequestValidator of a given RestApi. + /// - Parameter input: Deletes a specified RequestValidator of a given RestApi. (Type: `DeleteRequestValidatorInput`) /// - /// - Returns: `DeleteRequestValidatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRequestValidatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2649,7 +2617,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRequestValidatorOutput.httpOutput(from:), DeleteRequestValidatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2682,9 +2649,9 @@ extension APIGatewayClient { /// /// Deletes a Resource resource. /// - /// - Parameter DeleteResourceInput : Request to delete a Resource. + /// - Parameter input: Request to delete a Resource. (Type: `DeleteResourceInput`) /// - /// - Returns: `DeleteResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2719,7 +2686,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceOutput.httpOutput(from:), DeleteResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2752,9 +2718,9 @@ extension APIGatewayClient { /// /// Deletes the specified API. /// - /// - Parameter DeleteRestApiInput : Request to delete the specified API from your collection. + /// - Parameter input: Request to delete the specified API from your collection. (Type: `DeleteRestApiInput`) /// - /// - Returns: `DeleteRestApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRestApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2789,7 +2755,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRestApiOutput.httpOutput(from:), DeleteRestApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2822,9 +2787,9 @@ extension APIGatewayClient { /// /// Deletes a Stage resource. /// - /// - Parameter DeleteStageInput : Requests API Gateway to delete a Stage resource. + /// - Parameter input: Requests API Gateway to delete a Stage resource. (Type: `DeleteStageInput`) /// - /// - Returns: `DeleteStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2860,7 +2825,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStageOutput.httpOutput(from:), DeleteStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2893,9 +2857,9 @@ extension APIGatewayClient { /// /// Deletes a usage plan of a given plan Id. /// - /// - Parameter DeleteUsagePlanInput : The DELETE request to delete a usage plan of a given plan Id. + /// - Parameter input: The DELETE request to delete a usage plan of a given plan Id. (Type: `DeleteUsagePlanInput`) /// - /// - Returns: `DeleteUsagePlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUsagePlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2930,7 +2894,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUsagePlanOutput.httpOutput(from:), DeleteUsagePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2963,9 +2926,9 @@ extension APIGatewayClient { /// /// Deletes a usage plan key and remove the underlying API key from the associated usage plan. /// - /// - Parameter DeleteUsagePlanKeyInput : The DELETE request to delete a usage plan key and remove the underlying API key from the associated usage plan. + /// - Parameter input: The DELETE request to delete a usage plan key and remove the underlying API key from the associated usage plan. (Type: `DeleteUsagePlanKeyInput`) /// - /// - Returns: `DeleteUsagePlanKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUsagePlanKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3000,7 +2963,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUsagePlanKeyOutput.httpOutput(from:), DeleteUsagePlanKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3033,9 +2995,9 @@ extension APIGatewayClient { /// /// Deletes an existing VpcLink of a specified identifier. /// - /// - Parameter DeleteVpcLinkInput : Deletes an existing VpcLink of a specified identifier. + /// - Parameter input: Deletes an existing VpcLink of a specified identifier. (Type: `DeleteVpcLinkInput`) /// - /// - Returns: `DeleteVpcLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3070,7 +3032,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcLinkOutput.httpOutput(from:), DeleteVpcLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3103,9 +3064,9 @@ extension APIGatewayClient { /// /// Flushes all authorizer cache entries on a stage. /// - /// - Parameter FlushStageAuthorizersCacheInput : Request to flush authorizer cache entries on a specified stage. + /// - Parameter input: Request to flush authorizer cache entries on a specified stage. (Type: `FlushStageAuthorizersCacheInput`) /// - /// - Returns: `FlushStageAuthorizersCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FlushStageAuthorizersCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3141,7 +3102,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FlushStageAuthorizersCacheOutput.httpOutput(from:), FlushStageAuthorizersCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3174,9 +3134,9 @@ extension APIGatewayClient { /// /// Flushes a stage's cache. /// - /// - Parameter FlushStageCacheInput : Requests API Gateway to flush a stage's cache. + /// - Parameter input: Requests API Gateway to flush a stage's cache. (Type: `FlushStageCacheInput`) /// - /// - Returns: `FlushStageCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FlushStageCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3212,7 +3172,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FlushStageCacheOutput.httpOutput(from:), FlushStageCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3245,9 +3204,9 @@ extension APIGatewayClient { /// /// Generates a ClientCertificate resource. /// - /// - Parameter GenerateClientCertificateInput : A request to generate a ClientCertificate resource. + /// - Parameter input: A request to generate a ClientCertificate resource. (Type: `GenerateClientCertificateInput`) /// - /// - Returns: `GenerateClientCertificateOutput` : Represents a client certificate used to configure client-side SSL authentication while sending requests to the integration endpoint. + /// - Returns: Represents a client certificate used to configure client-side SSL authentication while sending requests to the integration endpoint. (Type: `GenerateClientCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3285,7 +3244,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateClientCertificateOutput.httpOutput(from:), GenerateClientCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3318,9 +3276,9 @@ extension APIGatewayClient { /// /// Gets information about the current Account resource. /// - /// - Parameter GetAccountInput : Requests API Gateway to get information about the current Account resource. + /// - Parameter input: Requests API Gateway to get information about the current Account resource. (Type: `GetAccountInput`) /// - /// - Returns: `GetAccountOutput` : Represents an AWS account that is associated with API Gateway. + /// - Returns: Represents an AWS account that is associated with API Gateway. (Type: `GetAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3354,7 +3312,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountOutput.httpOutput(from:), GetAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3387,9 +3344,9 @@ extension APIGatewayClient { /// /// Gets information about the current ApiKey resource. /// - /// - Parameter GetApiKeyInput : A request to get information about the current ApiKey resource. + /// - Parameter input: A request to get information about the current ApiKey resource. (Type: `GetApiKeyInput`) /// - /// - Returns: `GetApiKeyOutput` : A resource that can be distributed to callers for executing Method resources that require an API key. API keys can be mapped to any Stage on any RestApi, which indicates that the callers with the API key can make requests to that stage. + /// - Returns: A resource that can be distributed to callers for executing Method resources that require an API key. API keys can be mapped to any Stage on any RestApi, which indicates that the callers with the API key can make requests to that stage. (Type: `GetApiKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3424,7 +3381,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetApiKeyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApiKeyOutput.httpOutput(from:), GetApiKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3457,9 +3413,9 @@ extension APIGatewayClient { /// /// Gets information about the current ApiKeys resource. /// - /// - Parameter GetApiKeysInput : A request to get information about the current ApiKeys resource. + /// - Parameter input: A request to get information about the current ApiKeys resource. (Type: `GetApiKeysInput`) /// - /// - Returns: `GetApiKeysOutput` : Represents a collection of API keys as represented by an ApiKeys resource. + /// - Returns: Represents a collection of API keys as represented by an ApiKeys resource. (Type: `GetApiKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3494,7 +3450,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetApiKeysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApiKeysOutput.httpOutput(from:), GetApiKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3527,9 +3482,9 @@ extension APIGatewayClient { /// /// Describe an existing Authorizer resource. /// - /// - Parameter GetAuthorizerInput : Request to describe an existing Authorizer resource. + /// - Parameter input: Request to describe an existing Authorizer resource. (Type: `GetAuthorizerInput`) /// - /// - Returns: `GetAuthorizerOutput` : Represents an authorization layer for methods. If enabled on a method, API Gateway will activate the authorizer when a client calls the method. + /// - Returns: Represents an authorization layer for methods. If enabled on a method, API Gateway will activate the authorizer when a client calls the method. (Type: `GetAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3563,7 +3518,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAuthorizerOutput.httpOutput(from:), GetAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3596,9 +3550,9 @@ extension APIGatewayClient { /// /// Describe an existing Authorizers resource. /// - /// - Parameter GetAuthorizersInput : Request to describe an existing Authorizers resource. + /// - Parameter input: Request to describe an existing Authorizers resource. (Type: `GetAuthorizersInput`) /// - /// - Returns: `GetAuthorizersOutput` : Represents a collection of Authorizer resources. + /// - Returns: Represents a collection of Authorizer resources. (Type: `GetAuthorizersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3633,7 +3587,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAuthorizersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAuthorizersOutput.httpOutput(from:), GetAuthorizersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3666,9 +3619,9 @@ extension APIGatewayClient { /// /// Describe a BasePathMapping resource. /// - /// - Parameter GetBasePathMappingInput : Request to describe a BasePathMapping resource. + /// - Parameter input: Request to describe a BasePathMapping resource. (Type: `GetBasePathMappingInput`) /// - /// - Returns: `GetBasePathMappingOutput` : Represents the base path that callers of the API must provide as part of the URL after the domain name. + /// - Returns: Represents the base path that callers of the API must provide as part of the URL after the domain name. (Type: `GetBasePathMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3703,7 +3656,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBasePathMappingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBasePathMappingOutput.httpOutput(from:), GetBasePathMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3736,9 +3688,9 @@ extension APIGatewayClient { /// /// Represents a collection of BasePathMapping resources. /// - /// - Parameter GetBasePathMappingsInput : A request to get information about a collection of BasePathMapping resources. + /// - Parameter input: A request to get information about a collection of BasePathMapping resources. (Type: `GetBasePathMappingsInput`) /// - /// - Returns: `GetBasePathMappingsOutput` : Represents a collection of BasePathMapping resources. + /// - Returns: Represents a collection of BasePathMapping resources. (Type: `GetBasePathMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3773,7 +3725,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBasePathMappingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBasePathMappingsOutput.httpOutput(from:), GetBasePathMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3806,9 +3757,9 @@ extension APIGatewayClient { /// /// Gets information about the current ClientCertificate resource. /// - /// - Parameter GetClientCertificateInput : A request to get information about the current ClientCertificate resource. + /// - Parameter input: A request to get information about the current ClientCertificate resource. (Type: `GetClientCertificateInput`) /// - /// - Returns: `GetClientCertificateOutput` : Represents a client certificate used to configure client-side SSL authentication while sending requests to the integration endpoint. + /// - Returns: Represents a client certificate used to configure client-side SSL authentication while sending requests to the integration endpoint. (Type: `GetClientCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3842,7 +3793,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClientCertificateOutput.httpOutput(from:), GetClientCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3875,9 +3825,9 @@ extension APIGatewayClient { /// /// Gets a collection of ClientCertificate resources. /// - /// - Parameter GetClientCertificatesInput : A request to get information about a collection of ClientCertificate resources. + /// - Parameter input: A request to get information about a collection of ClientCertificate resources. (Type: `GetClientCertificatesInput`) /// - /// - Returns: `GetClientCertificatesOutput` : Represents a collection of ClientCertificate resources. + /// - Returns: Represents a collection of ClientCertificate resources. (Type: `GetClientCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3912,7 +3862,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetClientCertificatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClientCertificatesOutput.httpOutput(from:), GetClientCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3945,9 +3894,9 @@ extension APIGatewayClient { /// /// Gets information about a Deployment resource. /// - /// - Parameter GetDeploymentInput : Requests API Gateway to get information about a Deployment resource. + /// - Parameter input: Requests API Gateway to get information about a Deployment resource. (Type: `GetDeploymentInput`) /// - /// - Returns: `GetDeploymentOutput` : An immutable representation of a RestApi resource that can be called by users using Stages. A deployment must be associated with a Stage for it to be callable over the Internet. + /// - Returns: An immutable representation of a RestApi resource that can be called by users using Stages. A deployment must be associated with a Stage for it to be callable over the Internet. (Type: `GetDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3983,7 +3932,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDeploymentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentOutput.httpOutput(from:), GetDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4016,9 +3964,9 @@ extension APIGatewayClient { /// /// Gets information about a Deployments collection. /// - /// - Parameter GetDeploymentsInput : Requests API Gateway to get information about a Deployments collection. + /// - Parameter input: Requests API Gateway to get information about a Deployments collection. (Type: `GetDeploymentsInput`) /// - /// - Returns: `GetDeploymentsOutput` : Represents a collection resource that contains zero or more references to your existing deployments, and links that guide you on how to interact with your collection. The collection offers a paginated view of the contained deployments. + /// - Returns: Represents a collection resource that contains zero or more references to your existing deployments, and links that guide you on how to interact with your collection. The collection offers a paginated view of the contained deployments. (Type: `GetDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4054,7 +4002,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDeploymentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentsOutput.httpOutput(from:), GetDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4087,9 +4034,9 @@ extension APIGatewayClient { /// /// Gets a documentation part. /// - /// - Parameter GetDocumentationPartInput : Gets a specified documentation part of a given API. + /// - Parameter input: Gets a specified documentation part of a given API. (Type: `GetDocumentationPartInput`) /// - /// - Returns: `GetDocumentationPartOutput` : A documentation part for a targeted API entity. + /// - Returns: A documentation part for a targeted API entity. (Type: `GetDocumentationPartOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4123,7 +4070,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentationPartOutput.httpOutput(from:), GetDocumentationPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4156,9 +4102,9 @@ extension APIGatewayClient { /// /// Gets documentation parts. /// - /// - Parameter GetDocumentationPartsInput : Gets the documentation parts of an API. The result may be filtered by the type, name, or path of API entities (targets). + /// - Parameter input: Gets the documentation parts of an API. The result may be filtered by the type, name, or path of API entities (targets). (Type: `GetDocumentationPartsInput`) /// - /// - Returns: `GetDocumentationPartsOutput` : The collection of documentation parts of an API. + /// - Returns: The collection of documentation parts of an API. (Type: `GetDocumentationPartsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4193,7 +4139,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDocumentationPartsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentationPartsOutput.httpOutput(from:), GetDocumentationPartsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4226,9 +4171,9 @@ extension APIGatewayClient { /// /// Gets a documentation version. /// - /// - Parameter GetDocumentationVersionInput : Gets a documentation snapshot of an API. + /// - Parameter input: Gets a documentation snapshot of an API. (Type: `GetDocumentationVersionInput`) /// - /// - Returns: `GetDocumentationVersionOutput` : A snapshot of the documentation of an API. + /// - Returns: A snapshot of the documentation of an API. (Type: `GetDocumentationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4261,7 +4206,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentationVersionOutput.httpOutput(from:), GetDocumentationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4294,9 +4238,9 @@ extension APIGatewayClient { /// /// Gets documentation versions. /// - /// - Parameter GetDocumentationVersionsInput : Gets the documentation versions of an API. + /// - Parameter input: Gets the documentation versions of an API. (Type: `GetDocumentationVersionsInput`) /// - /// - Returns: `GetDocumentationVersionsOutput` : The collection of documentation snapshots of an API. + /// - Returns: The collection of documentation snapshots of an API. (Type: `GetDocumentationVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4331,7 +4275,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDocumentationVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentationVersionsOutput.httpOutput(from:), GetDocumentationVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4364,9 +4307,9 @@ extension APIGatewayClient { /// /// Represents a domain name that is contained in a simpler, more intuitive URL that can be called. /// - /// - Parameter GetDomainNameInput : Request to get the name of a DomainName resource. + /// - Parameter input: Request to get the name of a DomainName resource. (Type: `GetDomainNameInput`) /// - /// - Returns: `GetDomainNameOutput` : Represents a custom domain name as a user-friendly host name of an API (RestApi). + /// - Returns: Represents a custom domain name as a user-friendly host name of an API (RestApi). (Type: `GetDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4401,7 +4344,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDomainNameInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainNameOutput.httpOutput(from:), GetDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4434,9 +4376,9 @@ extension APIGatewayClient { /// /// Represents a collection on DomainNameAccessAssociations resources. /// - /// - Parameter GetDomainNameAccessAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainNameAccessAssociationsInput`) /// - /// - Returns: `GetDomainNameAccessAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainNameAccessAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4471,7 +4413,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDomainNameAccessAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainNameAccessAssociationsOutput.httpOutput(from:), GetDomainNameAccessAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4504,9 +4445,9 @@ extension APIGatewayClient { /// /// Represents a collection of DomainName resources. /// - /// - Parameter GetDomainNamesInput : Request to describe a collection of DomainName resources. + /// - Parameter input: Request to describe a collection of DomainName resources. (Type: `GetDomainNamesInput`) /// - /// - Returns: `GetDomainNamesOutput` : Represents a collection of DomainName resources. + /// - Returns: Represents a collection of DomainName resources. (Type: `GetDomainNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4541,7 +4482,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDomainNamesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainNamesOutput.httpOutput(from:), GetDomainNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4574,9 +4514,9 @@ extension APIGatewayClient { /// /// Exports a deployed version of a RestApi in a specified format. /// - /// - Parameter GetExportInput : Request a new export of a RestApi for a particular Stage. + /// - Parameter input: Request a new export of a RestApi for a particular Stage. (Type: `GetExportInput`) /// - /// - Returns: `GetExportOutput` : The binary blob response to GetExport, which contains the generated SDK. + /// - Returns: The binary blob response to GetExport, which contains the generated SDK. (Type: `GetExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4614,7 +4554,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetExportInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExportOutput.httpOutput(from:), GetExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4647,9 +4586,9 @@ extension APIGatewayClient { /// /// Gets a GatewayResponse of a specified response type on the given RestApi. /// - /// - Parameter GetGatewayResponseInput : Gets a GatewayResponse of a specified response type on the given RestApi. + /// - Parameter input: Gets a GatewayResponse of a specified response type on the given RestApi. (Type: `GetGatewayResponseInput`) /// - /// - Returns: `GetGatewayResponseOutput` : A gateway response of a given response type and status code, with optional response parameters and mapping templates. + /// - Returns: A gateway response of a given response type and status code, with optional response parameters and mapping templates. (Type: `GetGatewayResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4683,7 +4622,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGatewayResponseOutput.httpOutput(from:), GetGatewayResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4716,9 +4654,9 @@ extension APIGatewayClient { /// /// Gets the GatewayResponses collection on the given RestApi. If an API developer has not added any definitions for gateway responses, the result will be the API Gateway-generated default GatewayResponses collection for the supported response types. /// - /// - Parameter GetGatewayResponsesInput : Gets the GatewayResponses collection on the given RestApi. If an API developer has not added any definitions for gateway responses, the result will be the API Gateway-generated default GatewayResponses collection for the supported response types. + /// - Parameter input: Gets the GatewayResponses collection on the given RestApi. If an API developer has not added any definitions for gateway responses, the result will be the API Gateway-generated default GatewayResponses collection for the supported response types. (Type: `GetGatewayResponsesInput`) /// - /// - Returns: `GetGatewayResponsesOutput` : The collection of the GatewayResponse instances of a RestApi as a responseType-to-GatewayResponse object map of key-value pairs. As such, pagination is not supported for querying this collection. + /// - Returns: The collection of the GatewayResponse instances of a RestApi as a responseType-to-GatewayResponse object map of key-value pairs. As such, pagination is not supported for querying this collection. (Type: `GetGatewayResponsesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4753,7 +4691,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetGatewayResponsesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGatewayResponsesOutput.httpOutput(from:), GetGatewayResponsesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4786,9 +4723,9 @@ extension APIGatewayClient { /// /// Get the integration settings. /// - /// - Parameter GetIntegrationInput : Represents a request to get the integration configuration. + /// - Parameter input: Represents a request to get the integration configuration. (Type: `GetIntegrationInput`) /// - /// - Returns: `GetIntegrationOutput` : Represents an HTTP, HTTP_PROXY, AWS, AWS_PROXY, or Mock integration. + /// - Returns: Represents an HTTP, HTTP_PROXY, AWS, AWS_PROXY, or Mock integration. (Type: `GetIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4822,7 +4759,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntegrationOutput.httpOutput(from:), GetIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4855,9 +4791,9 @@ extension APIGatewayClient { /// /// Represents a get integration response. /// - /// - Parameter GetIntegrationResponseInput : Represents a get integration response request. + /// - Parameter input: Represents a get integration response request. (Type: `GetIntegrationResponseInput`) /// - /// - Returns: `GetIntegrationResponseOutput` : Represents an integration response. The status code must map to an existing MethodResponse, and parameters and templates can be used to transform the back-end response. + /// - Returns: Represents an integration response. The status code must map to an existing MethodResponse, and parameters and templates can be used to transform the back-end response. (Type: `GetIntegrationResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4891,7 +4827,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntegrationResponseOutput.httpOutput(from:), GetIntegrationResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4924,9 +4859,9 @@ extension APIGatewayClient { /// /// Describe an existing Method resource. /// - /// - Parameter GetMethodInput : Request to describe an existing Method resource. + /// - Parameter input: Request to describe an existing Method resource. (Type: `GetMethodInput`) /// - /// - Returns: `GetMethodOutput` : Represents a client-facing interface by which the client calls the API to access back-end resources. A Method resource is integrated with an Integration resource. Both consist of a request and one or more responses. The method request takes the client input that is passed to the back end through the integration request. A method response returns the output from the back end to the client through an integration response. A method request is embodied in a Method resource, whereas an integration request is embodied in an Integration resource. On the other hand, a method response is represented by a MethodResponse resource, whereas an integration response is represented by an IntegrationResponse resource. + /// - Returns: Represents a client-facing interface by which the client calls the API to access back-end resources. A Method resource is integrated with an Integration resource. Both consist of a request and one or more responses. The method request takes the client input that is passed to the back end through the integration request. A method response returns the output from the back end to the client through an integration response. A method request is embodied in a Method resource, whereas an integration request is embodied in an Integration resource. On the other hand, a method response is represented by a MethodResponse resource, whereas an integration response is represented by an IntegrationResponse resource. (Type: `GetMethodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4959,7 +4894,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMethodOutput.httpOutput(from:), GetMethodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4992,9 +4926,9 @@ extension APIGatewayClient { /// /// Describes a MethodResponse resource. /// - /// - Parameter GetMethodResponseInput : Request to describe a MethodResponse resource. + /// - Parameter input: Request to describe a MethodResponse resource. (Type: `GetMethodResponseInput`) /// - /// - Returns: `GetMethodResponseOutput` : Represents a method response of a given HTTP status code returned to the client. The method response is passed from the back end through the associated integration response that can be transformed using a mapping template. + /// - Returns: Represents a method response of a given HTTP status code returned to the client. The method response is passed from the back end through the associated integration response that can be transformed using a mapping template. (Type: `GetMethodResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5027,7 +4961,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMethodResponseOutput.httpOutput(from:), GetMethodResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5060,9 +4993,9 @@ extension APIGatewayClient { /// /// Describes an existing model defined for a RestApi resource. /// - /// - Parameter GetModelInput : Request to list information about a model in an existing RestApi resource. + /// - Parameter input: Request to list information about a model in an existing RestApi resource. (Type: `GetModelInput`) /// - /// - Returns: `GetModelOutput` : Represents the data structure of a method's request or response payload. + /// - Returns: Represents the data structure of a method's request or response payload. (Type: `GetModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5097,7 +5030,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelOutput.httpOutput(from:), GetModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5130,9 +5062,9 @@ extension APIGatewayClient { /// /// Generates a sample mapping template that can be used to transform a payload into the structure of a model. /// - /// - Parameter GetModelTemplateInput : Request to generate a sample mapping template used to transform the payload. + /// - Parameter input: Request to generate a sample mapping template used to transform the payload. (Type: `GetModelTemplateInput`) /// - /// - Returns: `GetModelTemplateOutput` : Represents a mapping template used to transform a payload. + /// - Returns: Represents a mapping template used to transform a payload. (Type: `GetModelTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5166,7 +5098,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelTemplateOutput.httpOutput(from:), GetModelTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5199,9 +5130,9 @@ extension APIGatewayClient { /// /// Describes existing Models defined for a RestApi resource. /// - /// - Parameter GetModelsInput : Request to list existing Models defined for a RestApi resource. + /// - Parameter input: Request to list existing Models defined for a RestApi resource. (Type: `GetModelsInput`) /// - /// - Returns: `GetModelsOutput` : Represents a collection of Model resources. + /// - Returns: Represents a collection of Model resources. (Type: `GetModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5236,7 +5167,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelsOutput.httpOutput(from:), GetModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5269,9 +5199,9 @@ extension APIGatewayClient { /// /// Gets a RequestValidator of a given RestApi. /// - /// - Parameter GetRequestValidatorInput : Gets a RequestValidator of a given RestApi. + /// - Parameter input: Gets a RequestValidator of a given RestApi. (Type: `GetRequestValidatorInput`) /// - /// - Returns: `GetRequestValidatorOutput` : A set of validation rules for incoming Method requests. + /// - Returns: A set of validation rules for incoming Method requests. (Type: `GetRequestValidatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5305,7 +5235,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRequestValidatorOutput.httpOutput(from:), GetRequestValidatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5338,9 +5267,9 @@ extension APIGatewayClient { /// /// Gets the RequestValidators collection of a given RestApi. /// - /// - Parameter GetRequestValidatorsInput : Gets the RequestValidators collection of a given RestApi. + /// - Parameter input: Gets the RequestValidators collection of a given RestApi. (Type: `GetRequestValidatorsInput`) /// - /// - Returns: `GetRequestValidatorsOutput` : A collection of RequestValidator resources of a given RestApi. + /// - Returns: A collection of RequestValidator resources of a given RestApi. (Type: `GetRequestValidatorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5375,7 +5304,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRequestValidatorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRequestValidatorsOutput.httpOutput(from:), GetRequestValidatorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5408,9 +5336,9 @@ extension APIGatewayClient { /// /// Lists information about a resource. /// - /// - Parameter GetResourceInput : Request to list information about a resource. + /// - Parameter input: Request to list information about a resource. (Type: `GetResourceInput`) /// - /// - Returns: `GetResourceOutput` : Represents an API resource. + /// - Returns: Represents an API resource. (Type: `GetResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5444,7 +5372,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceOutput.httpOutput(from:), GetResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5477,9 +5404,9 @@ extension APIGatewayClient { /// /// Lists information about a collection of Resource resources. /// - /// - Parameter GetResourcesInput : Request to list information about a collection of resources. + /// - Parameter input: Request to list information about a collection of resources. (Type: `GetResourcesInput`) /// - /// - Returns: `GetResourcesOutput` : Represents a collection of Resource resources. + /// - Returns: Represents a collection of Resource resources. (Type: `GetResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5514,7 +5441,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcesOutput.httpOutput(from:), GetResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5547,9 +5473,9 @@ extension APIGatewayClient { /// /// Lists the RestApi resource in the collection. /// - /// - Parameter GetRestApiInput : The GET request to list an existing RestApi defined for your collection. + /// - Parameter input: The GET request to list an existing RestApi defined for your collection. (Type: `GetRestApiInput`) /// - /// - Returns: `GetRestApiOutput` : Represents a REST API. + /// - Returns: Represents a REST API. (Type: `GetRestApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5583,7 +5509,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRestApiOutput.httpOutput(from:), GetRestApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5616,9 +5541,9 @@ extension APIGatewayClient { /// /// Lists the RestApis resources for your collection. /// - /// - Parameter GetRestApisInput : The GET request to list existing RestApis defined for your collection. + /// - Parameter input: The GET request to list existing RestApis defined for your collection. (Type: `GetRestApisInput`) /// - /// - Returns: `GetRestApisOutput` : Contains references to your APIs and links that guide you in how to interact with your collection. A collection offers a paginated view of your APIs. + /// - Returns: Contains references to your APIs and links that guide you in how to interact with your collection. A collection offers a paginated view of your APIs. (Type: `GetRestApisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5653,7 +5578,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRestApisInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRestApisOutput.httpOutput(from:), GetRestApisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5686,9 +5610,9 @@ extension APIGatewayClient { /// /// Generates a client SDK for a RestApi and Stage. /// - /// - Parameter GetSdkInput : Request a new generated client SDK for a RestApi and Stage. + /// - Parameter input: Request a new generated client SDK for a RestApi and Stage. (Type: `GetSdkInput`) /// - /// - Returns: `GetSdkOutput` : The binary blob response to GetSdk, which contains the generated SDK. + /// - Returns: The binary blob response to GetSdk, which contains the generated SDK. (Type: `GetSdkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5725,7 +5649,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSdkInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSdkOutput.httpOutput(from:), GetSdkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5758,9 +5681,9 @@ extension APIGatewayClient { /// /// Gets an SDK type. /// - /// - Parameter GetSdkTypeInput : Get an SdkType instance. + /// - Parameter input: Get an SdkType instance. (Type: `GetSdkTypeInput`) /// - /// - Returns: `GetSdkTypeOutput` : A type of SDK that API Gateway can generate. + /// - Returns: A type of SDK that API Gateway can generate. (Type: `GetSdkTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5794,7 +5717,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSdkTypeOutput.httpOutput(from:), GetSdkTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5827,9 +5749,9 @@ extension APIGatewayClient { /// /// Gets SDK types /// - /// - Parameter GetSdkTypesInput : Get the SdkTypes collection. + /// - Parameter input: Get the SdkTypes collection. (Type: `GetSdkTypesInput`) /// - /// - Returns: `GetSdkTypesOutput` : The collection of SdkType instances. + /// - Returns: The collection of SdkType instances. (Type: `GetSdkTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5864,7 +5786,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSdkTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSdkTypesOutput.httpOutput(from:), GetSdkTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5897,9 +5818,9 @@ extension APIGatewayClient { /// /// Gets information about a Stage resource. /// - /// - Parameter GetStageInput : Requests API Gateway to get information about a Stage resource. + /// - Parameter input: Requests API Gateway to get information about a Stage resource. (Type: `GetStageInput`) /// - /// - Returns: `GetStageOutput` : Represents a unique identifier for a version of a deployed RestApi that is callable by users. + /// - Returns: Represents a unique identifier for a version of a deployed RestApi that is callable by users. (Type: `GetStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5935,7 +5856,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStageOutput.httpOutput(from:), GetStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5968,9 +5888,9 @@ extension APIGatewayClient { /// /// Gets information about one or more Stage resources. /// - /// - Parameter GetStagesInput : Requests API Gateway to get information about one or more Stage resources. + /// - Parameter input: Requests API Gateway to get information about one or more Stage resources. (Type: `GetStagesInput`) /// - /// - Returns: `GetStagesOutput` : A list of Stage resources that are associated with the ApiKey resource. + /// - Returns: A list of Stage resources that are associated with the ApiKey resource. (Type: `GetStagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6007,7 +5927,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetStagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStagesOutput.httpOutput(from:), GetStagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6040,9 +5959,9 @@ extension APIGatewayClient { /// /// Gets the Tags collection for a given resource. /// - /// - Parameter GetTagsInput : Gets the Tags collection for a given resource. + /// - Parameter input: Gets the Tags collection for a given resource. (Type: `GetTagsInput`) /// - /// - Returns: `GetTagsOutput` : The collection of tags. Each tag element is associated with a given resource. + /// - Returns: The collection of tags. Each tag element is associated with a given resource. (Type: `GetTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6077,7 +5996,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTagsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTagsOutput.httpOutput(from:), GetTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6110,9 +6028,9 @@ extension APIGatewayClient { /// /// Gets the usage data of a usage plan in a specified time interval. /// - /// - Parameter GetUsageInput : The GET request to get the usage data of a usage plan in a specified time interval. + /// - Parameter input: The GET request to get the usage data of a usage plan in a specified time interval. (Type: `GetUsageInput`) /// - /// - Returns: `GetUsageOutput` : Represents the usage data of a usage plan. + /// - Returns: Represents the usage data of a usage plan. (Type: `GetUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6147,7 +6065,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetUsageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsageOutput.httpOutput(from:), GetUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6180,9 +6097,9 @@ extension APIGatewayClient { /// /// Gets a usage plan of a given plan identifier. /// - /// - Parameter GetUsagePlanInput : The GET request to get a usage plan of a given plan identifier. + /// - Parameter input: The GET request to get a usage plan of a given plan identifier. (Type: `GetUsagePlanInput`) /// - /// - Returns: `GetUsagePlanOutput` : Represents a usage plan used to specify who can assess associated API stages. Optionally, target request rate and quota limits can be set. In some cases clients can exceed the targets that you set. Don’t rely on usage plans to control costs. Consider using [Amazon Web Services Budgets](https://docs.aws.amazon.com/cost-management/latest/userguide/budgets-managing-costs.html) to monitor costs and [WAF](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html) to manage API requests. + /// - Returns: Represents a usage plan used to specify who can assess associated API stages. Optionally, target request rate and quota limits can be set. In some cases clients can exceed the targets that you set. Don’t rely on usage plans to control costs. Consider using [Amazon Web Services Budgets](https://docs.aws.amazon.com/cost-management/latest/userguide/budgets-managing-costs.html) to monitor costs and [WAF](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html) to manage API requests. (Type: `GetUsagePlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6216,7 +6133,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsagePlanOutput.httpOutput(from:), GetUsagePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6249,9 +6165,9 @@ extension APIGatewayClient { /// /// Gets a usage plan key of a given key identifier. /// - /// - Parameter GetUsagePlanKeyInput : The GET request to get a usage plan key of a given key identifier. + /// - Parameter input: The GET request to get a usage plan key of a given key identifier. (Type: `GetUsagePlanKeyInput`) /// - /// - Returns: `GetUsagePlanKeyOutput` : Represents a usage plan key to identify a plan customer. + /// - Returns: Represents a usage plan key to identify a plan customer. (Type: `GetUsagePlanKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6285,7 +6201,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsagePlanKeyOutput.httpOutput(from:), GetUsagePlanKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6318,9 +6233,9 @@ extension APIGatewayClient { /// /// Gets all the usage plan keys representing the API keys added to a specified usage plan. /// - /// - Parameter GetUsagePlanKeysInput : The GET request to get all the usage plan keys representing the API keys added to a specified usage plan. + /// - Parameter input: The GET request to get all the usage plan keys representing the API keys added to a specified usage plan. (Type: `GetUsagePlanKeysInput`) /// - /// - Returns: `GetUsagePlanKeysOutput` : Represents the collection of usage plan keys added to usage plans for the associated API keys and, possibly, other types of keys. + /// - Returns: Represents the collection of usage plan keys added to usage plans for the associated API keys and, possibly, other types of keys. (Type: `GetUsagePlanKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6355,7 +6270,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetUsagePlanKeysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsagePlanKeysOutput.httpOutput(from:), GetUsagePlanKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6388,9 +6302,9 @@ extension APIGatewayClient { /// /// Gets all the usage plans of the caller's account. /// - /// - Parameter GetUsagePlansInput : The GET request to get all the usage plans of the caller's account. + /// - Parameter input: The GET request to get all the usage plans of the caller's account. (Type: `GetUsagePlansInput`) /// - /// - Returns: `GetUsagePlansOutput` : Represents a collection of usage plans for an AWS account. + /// - Returns: Represents a collection of usage plans for an AWS account. (Type: `GetUsagePlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6425,7 +6339,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetUsagePlansInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsagePlansOutput.httpOutput(from:), GetUsagePlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6458,9 +6371,9 @@ extension APIGatewayClient { /// /// Gets a specified VPC link under the caller's account in a region. /// - /// - Parameter GetVpcLinkInput : Gets a specified VPC link under the caller's account in a region. + /// - Parameter input: Gets a specified VPC link under the caller's account in a region. (Type: `GetVpcLinkInput`) /// - /// - Returns: `GetVpcLinkOutput` : An API Gateway VPC link for a RestApi to access resources in an Amazon Virtual Private Cloud (VPC). + /// - Returns: An API Gateway VPC link for a RestApi to access resources in an Amazon Virtual Private Cloud (VPC). (Type: `GetVpcLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6494,7 +6407,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVpcLinkOutput.httpOutput(from:), GetVpcLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6527,9 +6439,9 @@ extension APIGatewayClient { /// /// Gets the VpcLinks collection under the caller's account in a selected region. /// - /// - Parameter GetVpcLinksInput : Gets the VpcLinks collection under the caller's account in a selected region. + /// - Parameter input: Gets the VpcLinks collection under the caller's account in a selected region. (Type: `GetVpcLinksInput`) /// - /// - Returns: `GetVpcLinksOutput` : The collection of VPC links under the caller's account in a region. + /// - Returns: The collection of VPC links under the caller's account in a region. (Type: `GetVpcLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6564,7 +6476,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetVpcLinksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVpcLinksOutput.httpOutput(from:), GetVpcLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6597,9 +6508,9 @@ extension APIGatewayClient { /// /// Import API keys from an external source, such as a CSV-formatted file. /// - /// - Parameter ImportApiKeysInput : The POST request to import API keys from an external source, such as a CSV-formatted file. + /// - Parameter input: The POST request to import API keys from an external source, such as a CSV-formatted file. (Type: `ImportApiKeysInput`) /// - /// - Returns: `ImportApiKeysOutput` : The identifier of an ApiKey used in a UsagePlan. + /// - Returns: The identifier of an ApiKey used in a UsagePlan. (Type: `ImportApiKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6639,7 +6550,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportApiKeysOutput.httpOutput(from:), ImportApiKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6672,9 +6582,9 @@ extension APIGatewayClient { /// /// Imports documentation parts /// - /// - Parameter ImportDocumentationPartsInput : Import documentation parts from an external (e.g., OpenAPI) definition file. + /// - Parameter input: Import documentation parts from an external (e.g., OpenAPI) definition file. (Type: `ImportDocumentationPartsInput`) /// - /// - Returns: `ImportDocumentationPartsOutput` : A collection of the imported DocumentationPart identifiers. + /// - Returns: A collection of the imported DocumentationPart identifiers. (Type: `ImportDocumentationPartsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6714,7 +6624,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportDocumentationPartsOutput.httpOutput(from:), ImportDocumentationPartsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6747,9 +6656,9 @@ extension APIGatewayClient { /// /// A feature of the API Gateway control service for creating a new API from an external API definition file. /// - /// - Parameter ImportRestApiInput : A POST request to import an API to API Gateway using an input of an API definition file. + /// - Parameter input: A POST request to import an API to API Gateway using an input of an API definition file. (Type: `ImportRestApiInput`) /// - /// - Returns: `ImportRestApiOutput` : Represents a REST API. + /// - Returns: Represents a REST API. (Type: `ImportRestApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6789,7 +6698,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportRestApiOutput.httpOutput(from:), ImportRestApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6822,9 +6730,9 @@ extension APIGatewayClient { /// /// Creates a customization of a GatewayResponse of a specified response type and status code on the given RestApi. /// - /// - Parameter PutGatewayResponseInput : Creates a customization of a GatewayResponse of a specified response type and status code on the given RestApi. + /// - Parameter input: Creates a customization of a GatewayResponse of a specified response type and status code on the given RestApi. (Type: `PutGatewayResponseInput`) /// - /// - Returns: `PutGatewayResponseOutput` : A gateway response of a given response type and status code, with optional response parameters and mapping templates. + /// - Returns: A gateway response of a given response type and status code, with optional response parameters and mapping templates. (Type: `PutGatewayResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6863,7 +6771,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutGatewayResponseOutput.httpOutput(from:), PutGatewayResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6896,9 +6803,9 @@ extension APIGatewayClient { /// /// Sets up a method's integration. /// - /// - Parameter PutIntegrationInput : Sets up a method's integration. + /// - Parameter input: Sets up a method's integration. (Type: `PutIntegrationInput`) /// - /// - Returns: `PutIntegrationOutput` : Represents an HTTP, HTTP_PROXY, AWS, AWS_PROXY, or Mock integration. + /// - Returns: Represents an HTTP, HTTP_PROXY, AWS, AWS_PROXY, or Mock integration. (Type: `PutIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6937,7 +6844,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutIntegrationOutput.httpOutput(from:), PutIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6970,9 +6876,9 @@ extension APIGatewayClient { /// /// Represents a put integration. /// - /// - Parameter PutIntegrationResponseInput : Represents a put integration response request. + /// - Parameter input: Represents a put integration response request. (Type: `PutIntegrationResponseInput`) /// - /// - Returns: `PutIntegrationResponseOutput` : Represents an integration response. The status code must map to an existing MethodResponse, and parameters and templates can be used to transform the back-end response. + /// - Returns: Represents an integration response. The status code must map to an existing MethodResponse, and parameters and templates can be used to transform the back-end response. (Type: `PutIntegrationResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7011,7 +6917,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutIntegrationResponseOutput.httpOutput(from:), PutIntegrationResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7044,9 +6949,9 @@ extension APIGatewayClient { /// /// Add a method to an existing Resource resource. /// - /// - Parameter PutMethodInput : Request to add a method to an existing Resource resource. + /// - Parameter input: Request to add a method to an existing Resource resource. (Type: `PutMethodInput`) /// - /// - Returns: `PutMethodOutput` : Represents a client-facing interface by which the client calls the API to access back-end resources. A Method resource is integrated with an Integration resource. Both consist of a request and one or more responses. The method request takes the client input that is passed to the back end through the integration request. A method response returns the output from the back end to the client through an integration response. A method request is embodied in a Method resource, whereas an integration request is embodied in an Integration resource. On the other hand, a method response is represented by a MethodResponse resource, whereas an integration response is represented by an IntegrationResponse resource. + /// - Returns: Represents a client-facing interface by which the client calls the API to access back-end resources. A Method resource is integrated with an Integration resource. Both consist of a request and one or more responses. The method request takes the client input that is passed to the back end through the integration request. A method response returns the output from the back end to the client through an integration response. A method request is embodied in a Method resource, whereas an integration request is embodied in an Integration resource. On the other hand, a method response is represented by a MethodResponse resource, whereas an integration response is represented by an IntegrationResponse resource. (Type: `PutMethodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7085,7 +6990,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMethodOutput.httpOutput(from:), PutMethodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7118,9 +7022,9 @@ extension APIGatewayClient { /// /// Adds a MethodResponse to an existing Method resource. /// - /// - Parameter PutMethodResponseInput : Request to add a MethodResponse to an existing Method resource. + /// - Parameter input: Request to add a MethodResponse to an existing Method resource. (Type: `PutMethodResponseInput`) /// - /// - Returns: `PutMethodResponseOutput` : Represents a method response of a given HTTP status code returned to the client. The method response is passed from the back end through the associated integration response that can be transformed using a mapping template. + /// - Returns: Represents a method response of a given HTTP status code returned to the client. The method response is passed from the back end through the associated integration response that can be transformed using a mapping template. (Type: `PutMethodResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7159,7 +7063,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMethodResponseOutput.httpOutput(from:), PutMethodResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7192,9 +7095,9 @@ extension APIGatewayClient { /// /// A feature of the API Gateway control service for updating an existing API with an input of external API definitions. The update can take the form of merging the supplied definition into the existing API or overwriting the existing API. /// - /// - Parameter PutRestApiInput : A PUT request to update an existing API, with external API definitions specified as the request body. + /// - Parameter input: A PUT request to update an existing API, with external API definitions specified as the request body. (Type: `PutRestApiInput`) /// - /// - Returns: `PutRestApiOutput` : Represents a REST API. + /// - Returns: Represents a REST API. (Type: `PutRestApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7234,7 +7137,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRestApiOutput.httpOutput(from:), PutRestApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7267,9 +7169,9 @@ extension APIGatewayClient { /// /// Rejects a domain name access association with a private custom domain name. To reject a domain name access association with an access association source in another AWS account, use this operation. To remove a domain name access association with an access association source in your own account, use the DeleteDomainNameAccessAssociation operation. /// - /// - Parameter RejectDomainNameAccessAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectDomainNameAccessAssociationInput`) /// - /// - Returns: `RejectDomainNameAccessAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectDomainNameAccessAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7305,7 +7207,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RejectDomainNameAccessAssociationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectDomainNameAccessAssociationOutput.httpOutput(from:), RejectDomainNameAccessAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7338,9 +7239,9 @@ extension APIGatewayClient { /// /// Adds or updates a tag on a given resource. /// - /// - Parameter TagResourceInput : Adds or updates a tag on a given resource. + /// - Parameter input: Adds or updates a tag on a given resource. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7379,7 +7280,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7412,9 +7312,9 @@ extension APIGatewayClient { /// /// Simulate the execution of an Authorizer in your RestApi with headers, parameters, and an incoming request body. /// - /// - Parameter TestInvokeAuthorizerInput : Make a request to simulate the invocation of an Authorizer. + /// - Parameter input: Make a request to simulate the invocation of an Authorizer. (Type: `TestInvokeAuthorizerInput`) /// - /// - Returns: `TestInvokeAuthorizerOutput` : Represents the response of the test invoke request for a custom Authorizer + /// - Returns: Represents the response of the test invoke request for a custom Authorizer (Type: `TestInvokeAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7451,7 +7351,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestInvokeAuthorizerOutput.httpOutput(from:), TestInvokeAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7484,9 +7383,9 @@ extension APIGatewayClient { /// /// Simulate the invocation of a Method in your RestApi with headers, parameters, and an incoming request body. /// - /// - Parameter TestInvokeMethodInput : Make a request to simulate the invocation of a Method. + /// - Parameter input: Make a request to simulate the invocation of a Method. (Type: `TestInvokeMethodInput`) /// - /// - Returns: `TestInvokeMethodOutput` : Represents the response of the test invoke request in the HTTP method. + /// - Returns: Represents the response of the test invoke request in the HTTP method. (Type: `TestInvokeMethodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7523,7 +7422,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestInvokeMethodOutput.httpOutput(from:), TestInvokeMethodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7556,9 +7454,9 @@ extension APIGatewayClient { /// /// Removes a tag from a given resource. /// - /// - Parameter UntagResourceInput : Removes a tag from a given resource. + /// - Parameter input: Removes a tag from a given resource. (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7595,7 +7493,6 @@ extension APIGatewayClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7628,9 +7525,9 @@ extension APIGatewayClient { /// /// Changes information about the current Account resource. /// - /// - Parameter UpdateAccountInput : Requests API Gateway to change information about the current Account resource. + /// - Parameter input: Requests API Gateway to change information about the current Account resource. (Type: `UpdateAccountInput`) /// - /// - Returns: `UpdateAccountOutput` : Represents an AWS account that is associated with API Gateway. + /// - Returns: Represents an AWS account that is associated with API Gateway. (Type: `UpdateAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7669,7 +7566,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountOutput.httpOutput(from:), UpdateAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7702,9 +7598,9 @@ extension APIGatewayClient { /// /// Changes information about an ApiKey resource. /// - /// - Parameter UpdateApiKeyInput : A request to change information about an ApiKey resource. + /// - Parameter input: A request to change information about an ApiKey resource. (Type: `UpdateApiKeyInput`) /// - /// - Returns: `UpdateApiKeyOutput` : A resource that can be distributed to callers for executing Method resources that require an API key. API keys can be mapped to any Stage on any RestApi, which indicates that the callers with the API key can make requests to that stage. + /// - Returns: A resource that can be distributed to callers for executing Method resources that require an API key. API keys can be mapped to any Stage on any RestApi, which indicates that the callers with the API key can make requests to that stage. (Type: `UpdateApiKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7743,7 +7639,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApiKeyOutput.httpOutput(from:), UpdateApiKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7776,9 +7671,9 @@ extension APIGatewayClient { /// /// Updates an existing Authorizer resource. /// - /// - Parameter UpdateAuthorizerInput : Request to update an existing Authorizer resource. + /// - Parameter input: Request to update an existing Authorizer resource. (Type: `UpdateAuthorizerInput`) /// - /// - Returns: `UpdateAuthorizerOutput` : Represents an authorization layer for methods. If enabled on a method, API Gateway will activate the authorizer when a client calls the method. + /// - Returns: Represents an authorization layer for methods. If enabled on a method, API Gateway will activate the authorizer when a client calls the method. (Type: `UpdateAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7817,7 +7712,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAuthorizerOutput.httpOutput(from:), UpdateAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7850,9 +7744,9 @@ extension APIGatewayClient { /// /// Changes information about the BasePathMapping resource. /// - /// - Parameter UpdateBasePathMappingInput : A request to change information about the BasePathMapping resource. + /// - Parameter input: A request to change information about the BasePathMapping resource. (Type: `UpdateBasePathMappingInput`) /// - /// - Returns: `UpdateBasePathMappingOutput` : Represents the base path that callers of the API must provide as part of the URL after the domain name. + /// - Returns: Represents the base path that callers of the API must provide as part of the URL after the domain name. (Type: `UpdateBasePathMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7892,7 +7786,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBasePathMappingOutput.httpOutput(from:), UpdateBasePathMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7925,9 +7818,9 @@ extension APIGatewayClient { /// /// Changes information about an ClientCertificate resource. /// - /// - Parameter UpdateClientCertificateInput : A request to change information about an ClientCertificate resource. + /// - Parameter input: A request to change information about an ClientCertificate resource. (Type: `UpdateClientCertificateInput`) /// - /// - Returns: `UpdateClientCertificateOutput` : Represents a client certificate used to configure client-side SSL authentication while sending requests to the integration endpoint. + /// - Returns: Represents a client certificate used to configure client-side SSL authentication while sending requests to the integration endpoint. (Type: `UpdateClientCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7966,7 +7859,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClientCertificateOutput.httpOutput(from:), UpdateClientCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7999,9 +7891,9 @@ extension APIGatewayClient { /// /// Changes information about a Deployment resource. /// - /// - Parameter UpdateDeploymentInput : Requests API Gateway to change information about a Deployment resource. + /// - Parameter input: Requests API Gateway to change information about a Deployment resource. (Type: `UpdateDeploymentInput`) /// - /// - Returns: `UpdateDeploymentOutput` : An immutable representation of a RestApi resource that can be called by users using Stages. A deployment must be associated with a Stage for it to be callable over the Internet. + /// - Returns: An immutable representation of a RestApi resource that can be called by users using Stages. A deployment must be associated with a Stage for it to be callable over the Internet. (Type: `UpdateDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8041,7 +7933,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeploymentOutput.httpOutput(from:), UpdateDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8074,9 +7965,9 @@ extension APIGatewayClient { /// /// Updates a documentation part. /// - /// - Parameter UpdateDocumentationPartInput : Updates an existing documentation part of a given API. + /// - Parameter input: Updates an existing documentation part of a given API. (Type: `UpdateDocumentationPartInput`) /// - /// - Returns: `UpdateDocumentationPartOutput` : A documentation part for a targeted API entity. + /// - Returns: A documentation part for a targeted API entity. (Type: `UpdateDocumentationPartOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8115,7 +8006,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDocumentationPartOutput.httpOutput(from:), UpdateDocumentationPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8148,9 +8038,9 @@ extension APIGatewayClient { /// /// Updates a documentation version. /// - /// - Parameter UpdateDocumentationVersionInput : Updates an existing documentation version of an API. + /// - Parameter input: Updates an existing documentation version of an API. (Type: `UpdateDocumentationVersionInput`) /// - /// - Returns: `UpdateDocumentationVersionOutput` : A snapshot of the documentation of an API. + /// - Returns: A snapshot of the documentation of an API. (Type: `UpdateDocumentationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8189,7 +8079,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDocumentationVersionOutput.httpOutput(from:), UpdateDocumentationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8222,9 +8111,9 @@ extension APIGatewayClient { /// /// Changes information about the DomainName resource. /// - /// - Parameter UpdateDomainNameInput : A request to change information about the DomainName resource. + /// - Parameter input: A request to change information about the DomainName resource. (Type: `UpdateDomainNameInput`) /// - /// - Returns: `UpdateDomainNameOutput` : Represents a custom domain name as a user-friendly host name of an API (RestApi). + /// - Returns: Represents a custom domain name as a user-friendly host name of an API (RestApi). (Type: `UpdateDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8264,7 +8153,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainNameOutput.httpOutput(from:), UpdateDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8297,9 +8185,9 @@ extension APIGatewayClient { /// /// Updates a GatewayResponse of a specified response type on the given RestApi. /// - /// - Parameter UpdateGatewayResponseInput : Updates a GatewayResponse of a specified response type on the given RestApi. + /// - Parameter input: Updates a GatewayResponse of a specified response type on the given RestApi. (Type: `UpdateGatewayResponseInput`) /// - /// - Returns: `UpdateGatewayResponseOutput` : A gateway response of a given response type and status code, with optional response parameters and mapping templates. + /// - Returns: A gateway response of a given response type and status code, with optional response parameters and mapping templates. (Type: `UpdateGatewayResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8338,7 +8226,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewayResponseOutput.httpOutput(from:), UpdateGatewayResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8371,9 +8258,9 @@ extension APIGatewayClient { /// /// Represents an update integration. /// - /// - Parameter UpdateIntegrationInput : Represents an update integration request. + /// - Parameter input: Represents an update integration request. (Type: `UpdateIntegrationInput`) /// - /// - Returns: `UpdateIntegrationOutput` : Represents an HTTP, HTTP_PROXY, AWS, AWS_PROXY, or Mock integration. + /// - Returns: Represents an HTTP, HTTP_PROXY, AWS, AWS_PROXY, or Mock integration. (Type: `UpdateIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8412,7 +8299,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIntegrationOutput.httpOutput(from:), UpdateIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8445,9 +8331,9 @@ extension APIGatewayClient { /// /// Represents an update integration response. /// - /// - Parameter UpdateIntegrationResponseInput : Represents an update integration response request. + /// - Parameter input: Represents an update integration response request. (Type: `UpdateIntegrationResponseInput`) /// - /// - Returns: `UpdateIntegrationResponseOutput` : Represents an integration response. The status code must map to an existing MethodResponse, and parameters and templates can be used to transform the back-end response. + /// - Returns: Represents an integration response. The status code must map to an existing MethodResponse, and parameters and templates can be used to transform the back-end response. (Type: `UpdateIntegrationResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8486,7 +8372,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIntegrationResponseOutput.httpOutput(from:), UpdateIntegrationResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8519,9 +8404,9 @@ extension APIGatewayClient { /// /// Updates an existing Method resource. /// - /// - Parameter UpdateMethodInput : Request to update an existing Method resource. + /// - Parameter input: Request to update an existing Method resource. (Type: `UpdateMethodInput`) /// - /// - Returns: `UpdateMethodOutput` : Represents a client-facing interface by which the client calls the API to access back-end resources. A Method resource is integrated with an Integration resource. Both consist of a request and one or more responses. The method request takes the client input that is passed to the back end through the integration request. A method response returns the output from the back end to the client through an integration response. A method request is embodied in a Method resource, whereas an integration request is embodied in an Integration resource. On the other hand, a method response is represented by a MethodResponse resource, whereas an integration response is represented by an IntegrationResponse resource. + /// - Returns: Represents a client-facing interface by which the client calls the API to access back-end resources. A Method resource is integrated with an Integration resource. Both consist of a request and one or more responses. The method request takes the client input that is passed to the back end through the integration request. A method response returns the output from the back end to the client through an integration response. A method request is embodied in a Method resource, whereas an integration request is embodied in an Integration resource. On the other hand, a method response is represented by a MethodResponse resource, whereas an integration response is represented by an IntegrationResponse resource. (Type: `UpdateMethodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8559,7 +8444,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMethodOutput.httpOutput(from:), UpdateMethodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8592,9 +8476,9 @@ extension APIGatewayClient { /// /// Updates an existing MethodResponse resource. /// - /// - Parameter UpdateMethodResponseInput : A request to update an existing MethodResponse resource. + /// - Parameter input: A request to update an existing MethodResponse resource. (Type: `UpdateMethodResponseInput`) /// - /// - Returns: `UpdateMethodResponseOutput` : Represents a method response of a given HTTP status code returned to the client. The method response is passed from the back end through the associated integration response that can be transformed using a mapping template. + /// - Returns: Represents a method response of a given HTTP status code returned to the client. The method response is passed from the back end through the associated integration response that can be transformed using a mapping template. (Type: `UpdateMethodResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8633,7 +8517,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMethodResponseOutput.httpOutput(from:), UpdateMethodResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8666,9 +8549,9 @@ extension APIGatewayClient { /// /// Changes information about a model. The maximum size of the model is 400 KB. /// - /// - Parameter UpdateModelInput : Request to update an existing model in an existing RestApi resource. + /// - Parameter input: Request to update an existing model in an existing RestApi resource. (Type: `UpdateModelInput`) /// - /// - Returns: `UpdateModelOutput` : Represents the data structure of a method's request or response payload. + /// - Returns: Represents the data structure of a method's request or response payload. (Type: `UpdateModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8707,7 +8590,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateModelOutput.httpOutput(from:), UpdateModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8740,9 +8622,9 @@ extension APIGatewayClient { /// /// Updates a RequestValidator of a given RestApi. /// - /// - Parameter UpdateRequestValidatorInput : Updates a RequestValidator of a given RestApi. + /// - Parameter input: Updates a RequestValidator of a given RestApi. (Type: `UpdateRequestValidatorInput`) /// - /// - Returns: `UpdateRequestValidatorOutput` : A set of validation rules for incoming Method requests. + /// - Returns: A set of validation rules for incoming Method requests. (Type: `UpdateRequestValidatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8781,7 +8663,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRequestValidatorOutput.httpOutput(from:), UpdateRequestValidatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8814,9 +8695,9 @@ extension APIGatewayClient { /// /// Changes information about a Resource resource. /// - /// - Parameter UpdateResourceInput : Request to change information about a Resource resource. + /// - Parameter input: Request to change information about a Resource resource. (Type: `UpdateResourceInput`) /// - /// - Returns: `UpdateResourceOutput` : Represents an API resource. + /// - Returns: Represents an API resource. (Type: `UpdateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8854,7 +8735,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceOutput.httpOutput(from:), UpdateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8887,9 +8767,9 @@ extension APIGatewayClient { /// /// Changes information about the specified API. /// - /// - Parameter UpdateRestApiInput : Request to update an existing RestApi resource in your collection. + /// - Parameter input: Request to update an existing RestApi resource in your collection. (Type: `UpdateRestApiInput`) /// - /// - Returns: `UpdateRestApiOutput` : Represents a REST API. + /// - Returns: Represents a REST API. (Type: `UpdateRestApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8928,7 +8808,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRestApiOutput.httpOutput(from:), UpdateRestApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8961,9 +8840,9 @@ extension APIGatewayClient { /// /// Changes information about a Stage resource. /// - /// - Parameter UpdateStageInput : Requests API Gateway to change information about a Stage resource. + /// - Parameter input: Requests API Gateway to change information about a Stage resource. (Type: `UpdateStageInput`) /// - /// - Returns: `UpdateStageOutput` : Represents a unique identifier for a version of a deployed RestApi that is callable by users. + /// - Returns: Represents a unique identifier for a version of a deployed RestApi that is callable by users. (Type: `UpdateStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9002,7 +8881,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStageOutput.httpOutput(from:), UpdateStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9035,9 +8913,9 @@ extension APIGatewayClient { /// /// Grants a temporary extension to the remaining quota of a usage plan associated with a specified API key. /// - /// - Parameter UpdateUsageInput : The PATCH request to grant a temporary extension to the remaining quota of a usage plan associated with a specified API key. + /// - Parameter input: The PATCH request to grant a temporary extension to the remaining quota of a usage plan associated with a specified API key. (Type: `UpdateUsageInput`) /// - /// - Returns: `UpdateUsageOutput` : Represents the usage data of a usage plan. + /// - Returns: Represents the usage data of a usage plan. (Type: `UpdateUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9076,7 +8954,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUsageOutput.httpOutput(from:), UpdateUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9109,9 +8986,9 @@ extension APIGatewayClient { /// /// Updates a usage plan of a given plan Id. /// - /// - Parameter UpdateUsagePlanInput : The PATCH request to update a usage plan of a given plan Id. + /// - Parameter input: The PATCH request to update a usage plan of a given plan Id. (Type: `UpdateUsagePlanInput`) /// - /// - Returns: `UpdateUsagePlanOutput` : Represents a usage plan used to specify who can assess associated API stages. Optionally, target request rate and quota limits can be set. In some cases clients can exceed the targets that you set. Don’t rely on usage plans to control costs. Consider using [Amazon Web Services Budgets](https://docs.aws.amazon.com/cost-management/latest/userguide/budgets-managing-costs.html) to monitor costs and [WAF](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html) to manage API requests. + /// - Returns: Represents a usage plan used to specify who can assess associated API stages. Optionally, target request rate and quota limits can be set. In some cases clients can exceed the targets that you set. Don’t rely on usage plans to control costs. Consider using [Amazon Web Services Budgets](https://docs.aws.amazon.com/cost-management/latest/userguide/budgets-managing-costs.html) to monitor costs and [WAF](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html) to manage API requests. (Type: `UpdateUsagePlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9150,7 +9027,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUsagePlanOutput.httpOutput(from:), UpdateUsagePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9183,9 +9059,9 @@ extension APIGatewayClient { /// /// Updates an existing VpcLink of a specified identifier. /// - /// - Parameter UpdateVpcLinkInput : Updates an existing VpcLink of a specified identifier. + /// - Parameter input: Updates an existing VpcLink of a specified identifier. (Type: `UpdateVpcLinkInput`) /// - /// - Returns: `UpdateVpcLinkOutput` : An API Gateway VPC link for a RestApi to access resources in an Amazon Virtual Private Cloud (VPC). + /// - Returns: An API Gateway VPC link for a RestApi to access resources in an Amazon Virtual Private Cloud (VPC). (Type: `UpdateVpcLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9224,7 +9100,6 @@ extension APIGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVpcLinkOutput.httpOutput(from:), UpdateVpcLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSARCRegionswitch/Sources/AWSARCRegionswitch/ARCRegionswitchClient.swift b/Sources/Services/AWSARCRegionswitch/Sources/AWSARCRegionswitch/ARCRegionswitchClient.swift index 5dda99bb558..340c83a2603 100644 --- a/Sources/Services/AWSARCRegionswitch/Sources/AWSARCRegionswitch/ARCRegionswitchClient.swift +++ b/Sources/Services/AWSARCRegionswitch/Sources/AWSARCRegionswitch/ARCRegionswitchClient.swift @@ -26,7 +26,6 @@ import class SmithyHTTPAPI.HTTPResponse import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode import enum ClientRuntime.ClientLogMode -import enum ClientRuntime.DefaultClockSkewProvider import enum ClientRuntime.DefaultRetryErrorInfoProvider import enum ClientRuntime.DefaultTelemetry import enum ClientRuntime.OrchestratorMetricsAttributesKeys @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ARCRegionswitchClient: ClientRuntime.Client { public static let clientName = "ARCRegionswitchClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ARCRegionswitchClient.ARCRegionswitchClientConfiguration let serviceName = "ARC Region switch" @@ -375,9 +374,9 @@ extension ARCRegionswitchClient { /// /// Approves a step in a plan execution that requires manual approval. When you create a plan, you can include approval steps that require manual intervention before the execution can proceed. This operation allows you to provide that approval. You must specify the plan ARN, execution ID, step name, and approval status. You can also provide an optional comment explaining the approval decision. /// - /// - Parameter ApprovePlanExecutionStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ApprovePlanExecutionStepInput`) /// - /// - Returns: `ApprovePlanExecutionStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ApprovePlanExecutionStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApprovePlanExecutionStepOutput.httpOutput(from:), ApprovePlanExecutionStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension ARCRegionswitchClient { /// /// Cancels an in-progress plan execution. This operation stops the execution of the plan and prevents any further steps from being processed. You must specify the plan ARN and execution ID. You can also provide an optional comment explaining why the execution was canceled. /// - /// - Parameter CancelPlanExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelPlanExecutionInput`) /// - /// - Returns: `CancelPlanExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelPlanExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelPlanExecutionOutput.httpOutput(from:), CancelPlanExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension ARCRegionswitchClient { /// /// Creates a new Region switch plan. A plan defines the steps required to shift traffic from one Amazon Web Services Region to another. You must specify a name for the plan, the primary Region, and at least one additional Region. You can also provide a description, execution role, recovery time objective, associated alarms, triggers, and workflows that define the steps to execute during a Region switch. /// - /// - Parameter CreatePlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePlanInput`) /// - /// - Returns: `CreatePlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePlanOutput`) public func createPlan(input: CreatePlanInput) async throws -> CreatePlanOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -551,7 +548,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePlanOutput.httpOutput(from:), CreatePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension ARCRegionswitchClient { /// /// Deletes a Region switch plan. You must specify the ARN of the plan to delete. You cannot delete a plan that has an active execution in progress. /// - /// - Parameter DeletePlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePlanInput`) /// - /// - Returns: `DeletePlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -624,7 +620,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePlanOutput.httpOutput(from:), DeletePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension ARCRegionswitchClient { /// /// Retrieves detailed information about a Region switch plan. You must specify the ARN of the plan. /// - /// - Parameter GetPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPlanInput`) /// - /// - Returns: `GetPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlanOutput.httpOutput(from:), GetPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -733,9 +727,9 @@ extension ARCRegionswitchClient { /// /// Retrieves the evaluation status of a Region switch plan. The evaluation status provides information about the last time the plan was evaluated and any warnings or issues detected. /// - /// - Parameter GetPlanEvaluationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPlanEvaluationStatusInput`) /// - /// - Returns: `GetPlanEvaluationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPlanEvaluationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -769,7 +763,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlanEvaluationStatusOutput.httpOutput(from:), GetPlanEvaluationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension ARCRegionswitchClient { /// /// Retrieves detailed information about a specific plan execution. You must specify the plan ARN and execution ID. /// - /// - Parameter GetPlanExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPlanExecutionInput`) /// - /// - Returns: `GetPlanExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPlanExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlanExecutionOutput.httpOutput(from:), GetPlanExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension ARCRegionswitchClient { /// /// Retrieves information about a Region switch plan in a specific Amazon Web Services Region. This operation is useful for getting Region-specific information about a plan. /// - /// - Parameter GetPlanInRegionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPlanInRegionInput`) /// - /// - Returns: `GetPlanInRegionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPlanInRegionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -915,7 +907,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlanInRegionOutput.httpOutput(from:), GetPlanInRegionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -952,9 +943,9 @@ extension ARCRegionswitchClient { /// /// Lists the events that occurred during a plan execution. These events provide a detailed timeline of the execution process. /// - /// - Parameter ListPlanExecutionEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPlanExecutionEventsInput`) /// - /// - Returns: `ListPlanExecutionEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPlanExecutionEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -988,7 +979,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlanExecutionEventsOutput.httpOutput(from:), ListPlanExecutionEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1025,9 +1015,9 @@ extension ARCRegionswitchClient { /// /// Lists the executions of a Region switch plan. This operation returns information about both current and historical executions. /// - /// - Parameter ListPlanExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPlanExecutionsInput`) /// - /// - Returns: `ListPlanExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPlanExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1061,7 +1051,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlanExecutionsOutput.httpOutput(from:), ListPlanExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1098,9 +1087,9 @@ extension ARCRegionswitchClient { /// /// Lists all Region switch plans in your Amazon Web Services account. /// - /// - Parameter ListPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPlansInput`) /// - /// - Returns: `ListPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPlansOutput`) public func listPlans(input: ListPlansInput) async throws -> ListPlansOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1128,7 +1117,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlansOutput.httpOutput(from:), ListPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1165,9 +1153,9 @@ extension ARCRegionswitchClient { /// /// Lists all Region switch plans in your Amazon Web Services account that are available in the current Amazon Web Services Region. /// - /// - Parameter ListPlansInRegionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPlansInRegionInput`) /// - /// - Returns: `ListPlansInRegionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPlansInRegionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1200,7 +1188,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlansInRegionOutput.httpOutput(from:), ListPlansInRegionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1237,9 +1224,9 @@ extension ARCRegionswitchClient { /// /// List the Amazon Route 53 health checks. /// - /// - Parameter ListRoute53HealthChecksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoute53HealthChecksInput`) /// - /// - Returns: `ListRoute53HealthChecksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoute53HealthChecksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1274,7 +1261,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoute53HealthChecksOutput.httpOutput(from:), ListRoute53HealthChecksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1311,9 +1297,9 @@ extension ARCRegionswitchClient { /// /// Lists the tags attached to a Region switch resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1347,7 +1333,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1384,9 +1369,9 @@ extension ARCRegionswitchClient { /// /// Starts the execution of a Region switch plan. You can execute a plan in either PRACTICE or RECOVERY mode. In PRACTICE mode, the execution simulates the steps without making actual changes to your application's traffic routing. In RECOVERY mode, the execution performs actual changes to shift traffic between Regions. /// - /// - Parameter StartPlanExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPlanExecutionInput`) /// - /// - Returns: `StartPlanExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPlanExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1422,7 +1407,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPlanExecutionOutput.httpOutput(from:), StartPlanExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1459,9 +1443,9 @@ extension ARCRegionswitchClient { /// /// Adds or updates tags for a Region switch resource. You can assign metadata to your resources in the form of tags, which are key-value pairs. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1495,7 +1479,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1532,9 +1515,9 @@ extension ARCRegionswitchClient { /// /// Removes tags from a Region switch resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1568,7 +1551,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1605,9 +1587,9 @@ extension ARCRegionswitchClient { /// /// Updates an existing Region switch plan. You can modify the plan's description, workflows, execution role, recovery time objective, associated alarms, and triggers. /// - /// - Parameter UpdatePlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePlanInput`) /// - /// - Returns: `UpdatePlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1640,7 +1622,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePlanOutput.httpOutput(from:), UpdatePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1677,9 +1658,9 @@ extension ARCRegionswitchClient { /// /// Updates an in-progress plan execution. This operation allows you to modify certain aspects of the execution, such as adding a comment or changing the action. /// - /// - Parameter UpdatePlanExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePlanExecutionInput`) /// - /// - Returns: `UpdatePlanExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePlanExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1714,7 +1695,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePlanExecutionOutput.httpOutput(from:), UpdatePlanExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1751,9 +1731,9 @@ extension ARCRegionswitchClient { /// /// Updates a specific step in an in-progress plan execution. This operation allows you to modify the step's comment or action. /// - /// - Parameter UpdatePlanExecutionStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePlanExecutionStepInput`) /// - /// - Returns: `UpdatePlanExecutionStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePlanExecutionStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1787,7 +1767,6 @@ extension ARCRegionswitchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePlanExecutionStepOutput.httpOutput(from:), UpdatePlanExecutionStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(ClientRuntime.DefaultClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(ClientRuntime.DefaultRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSARCZonalShift/Sources/AWSARCZonalShift/ARCZonalShiftClient.swift b/Sources/Services/AWSARCZonalShift/Sources/AWSARCZonalShift/ARCZonalShiftClient.swift index e39dc574f71..1464422ee48 100644 --- a/Sources/Services/AWSARCZonalShift/Sources/AWSARCZonalShift/ARCZonalShiftClient.swift +++ b/Sources/Services/AWSARCZonalShift/Sources/AWSARCZonalShift/ARCZonalShiftClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ARCZonalShiftClient: ClientRuntime.Client { public static let clientName = "ARCZonalShiftClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ARCZonalShiftClient.ARCZonalShiftClientConfiguration let serviceName = "ARC Zonal Shift" @@ -374,9 +373,9 @@ extension ARCZonalShiftClient { /// /// Cancel an in-progress practice run zonal shift in Amazon Application Recovery Controller. /// - /// - Parameter CancelPracticeRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelPracticeRunInput`) /// - /// - Returns: `CancelPracticeRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelPracticeRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelPracticeRunOutput.httpOutput(from:), CancelPracticeRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension ARCZonalShiftClient { /// /// Cancel a zonal shift in Amazon Application Recovery Controller. To cancel the zonal shift, specify the zonal shift ID. A zonal shift can be one that you've started for a resource in your Amazon Web Services account in an Amazon Web Services Region, or it can be a zonal shift started by a practice run with zonal autoshift. /// - /// - Parameter CancelZonalShiftInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelZonalShiftInput`) /// - /// - Returns: `CancelZonalShiftOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelZonalShiftOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -482,7 +480,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelZonalShiftOutput.httpOutput(from:), CancelZonalShiftOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -514,9 +511,9 @@ extension ARCZonalShiftClient { /// /// A practice run configuration for zonal autoshift is required when you enable zonal autoshift. A practice run configuration includes specifications for blocked dates and blocked time windows, and for Amazon CloudWatch alarms that you create to use with practice runs. The alarms that you specify are an outcome alarm, to monitor application health during practice runs and, optionally, a blocking alarm, to block practice runs from starting. When a resource has a practice run configuration, ARC starts zonal shifts for the resource weekly, to shift traffic for practice runs. Practice runs help you to ensure that shifting away traffic from an Availability Zone during an autoshift is safe for your application. For more information, see [ Considerations when you configure zonal autoshift](https://docs.aws.amazon.com/r53recovery/latest/dg/arc-zonal-autoshift.considerations.html) in the Amazon Application Recovery Controller Developer Guide. /// - /// - Parameter CreatePracticeRunConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePracticeRunConfigurationInput`) /// - /// - Returns: `CreatePracticeRunConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePracticeRunConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePracticeRunConfigurationOutput.httpOutput(from:), CreatePracticeRunConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension ARCZonalShiftClient { /// /// Deletes the practice run configuration for a resource. Before you can delete a practice run configuration for a resource., you must disable zonal autoshift for the resource. Practice runs must be configured for zonal autoshift to be enabled. /// - /// - Parameter DeletePracticeRunConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePracticeRunConfigurationInput`) /// - /// - Returns: `DeletePracticeRunConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePracticeRunConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePracticeRunConfigurationOutput.httpOutput(from:), DeletePracticeRunConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -657,9 +652,9 @@ extension ARCZonalShiftClient { /// /// Returns the status of the autoshift observer notification. Autoshift observer notifications notify you through Amazon EventBridge when there is an autoshift event for zonal autoshift. The status can be ENABLED or DISABLED. When ENABLED, a notification is sent when an autoshift is triggered. When DISABLED, notifications are not sent. /// - /// - Parameter GetAutoshiftObserverNotificationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutoshiftObserverNotificationStatusInput`) /// - /// - Returns: `GetAutoshiftObserverNotificationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutoshiftObserverNotificationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -692,7 +687,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutoshiftObserverNotificationStatusOutput.httpOutput(from:), GetAutoshiftObserverNotificationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -724,9 +718,9 @@ extension ARCZonalShiftClient { /// /// Get information about a resource that's been registered for zonal shifts with Amazon Application Recovery Controller in this Amazon Web Services Region. Resources that are registered for zonal shifts are managed resources in ARC. You can start zonal shifts and configure zonal autoshift for managed resources. /// - /// - Parameter GetManagedResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedResourceInput`) /// - /// - Returns: `GetManagedResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -761,7 +755,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedResourceOutput.httpOutput(from:), GetManagedResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -793,9 +786,9 @@ extension ARCZonalShiftClient { /// /// Returns the autoshifts for an Amazon Web Services Region. By default, the call returns only ACTIVE autoshifts. Optionally, you can specify the status parameter to return COMPLETED autoshifts. /// - /// - Parameter ListAutoshiftsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutoshiftsInput`) /// - /// - Returns: `ListAutoshiftsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutoshiftsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -830,7 +823,6 @@ extension ARCZonalShiftClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAutoshiftsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutoshiftsOutput.httpOutput(from:), ListAutoshiftsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -862,9 +854,9 @@ extension ARCZonalShiftClient { /// /// Lists all the resources in your Amazon Web Services account in this Amazon Web Services Region that are managed for zonal shifts in Amazon Application Recovery Controller, and information about them. The information includes the zonal autoshift status for the resource, as well as the Amazon Resource Name (ARN), the Availability Zones that each resource is deployed in, and the resource name. /// - /// - Parameter ListManagedResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedResourcesInput`) /// - /// - Returns: `ListManagedResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -899,7 +891,6 @@ extension ARCZonalShiftClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListManagedResourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedResourcesOutput.httpOutput(from:), ListManagedResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -931,9 +922,9 @@ extension ARCZonalShiftClient { /// /// Lists all active and completed zonal shifts in Amazon Application Recovery Controller in your Amazon Web Services account in this Amazon Web Services Region. ListZonalShifts returns customer-initiated zonal shifts, as well as practice run zonal shifts that ARC started on your behalf for zonal autoshift. For more information about listing autoshifts, see [">ListAutoshifts](https://docs.aws.amazon.com/arc-zonal-shift/latest/api/API_ListAutoshifts.html). /// - /// - Parameter ListZonalShiftsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListZonalShiftsInput`) /// - /// - Returns: `ListZonalShiftsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListZonalShiftsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -968,7 +959,6 @@ extension ARCZonalShiftClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListZonalShiftsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListZonalShiftsOutput.httpOutput(from:), ListZonalShiftsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1000,9 +990,9 @@ extension ARCZonalShiftClient { /// /// Start an on-demand practice run zonal shift in Amazon Application Recovery Controller. With zonal autoshift enabled, you can start an on-demand practice run to verify preparedness at any time. Amazon Web Services also runs automated practice runs about weekly when you have enabled zonal autoshift. For more information, see [ Considerations when you configure zonal autoshift](https://docs.aws.amazon.com/r53recovery/latest/dg/arc-zonal-autoshift.considerations.html) in the Amazon Application Recovery Controller Developer Guide. /// - /// - Parameter StartPracticeRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPracticeRunInput`) /// - /// - Returns: `StartPracticeRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPracticeRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1041,7 +1031,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPracticeRunOutput.httpOutput(from:), StartPracticeRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1084,9 +1073,9 @@ extension ARCZonalShiftClient { /// /// When you start a zonal shift, traffic for the resource is no longer routed to the Availability Zone. The zonal shift is created immediately in ARC. However, it can take a short time, typically up to a few minutes, for existing, in-progress connections in the Availability Zone to complete. For more information, see [Zonal shift](https://docs.aws.amazon.com/r53recovery/latest/dg/arc-zonal-shift.html) in the Amazon Application Recovery Controller Developer Guide. /// - /// - Parameter StartZonalShiftInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartZonalShiftInput`) /// - /// - Returns: `StartZonalShiftOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartZonalShiftOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1125,7 +1114,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartZonalShiftOutput.httpOutput(from:), StartZonalShiftOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1157,9 +1145,9 @@ extension ARCZonalShiftClient { /// /// Update the status of autoshift observer notification. Autoshift observer notification enables you to be notified, through Amazon EventBridge, when there is an autoshift event for zonal autoshift. If the status is ENABLED, ARC includes all autoshift events when you use the EventBridge pattern Autoshift In Progress. When the status is DISABLED, ARC includes only autoshift events for autoshifts when one or more of your resources is included in the autoshift. For more information, see [ Notifications for practice runs and autoshifts](https://docs.aws.amazon.com/r53recovery/latest/dg/arc-zonal-autoshift.how-it-works.html#ZAShiftNotification) in the Amazon Application Recovery Controller Developer Guide. /// - /// - Parameter UpdateAutoshiftObserverNotificationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAutoshiftObserverNotificationStatusInput`) /// - /// - Returns: `UpdateAutoshiftObserverNotificationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAutoshiftObserverNotificationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1196,7 +1184,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAutoshiftObserverNotificationStatusOutput.httpOutput(from:), UpdateAutoshiftObserverNotificationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1228,9 +1215,9 @@ extension ARCZonalShiftClient { /// /// Update a practice run configuration to change one or more of the following: add, change, or remove the blocking alarm; change the outcome alarm; or add, change, or remove blocking dates or time windows. /// - /// - Parameter UpdatePracticeRunConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePracticeRunConfigurationInput`) /// - /// - Returns: `UpdatePracticeRunConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePracticeRunConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1269,7 +1256,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePracticeRunConfigurationOutput.httpOutput(from:), UpdatePracticeRunConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1301,9 +1287,9 @@ extension ARCZonalShiftClient { /// /// The zonal autoshift configuration for a resource includes the practice run configuration and the status for running autoshifts, zonal autoshift status. When a resource has a practice run configuration, ARC starts weekly zonal shifts for the resource, to shift traffic away from an Availability Zone. Weekly practice runs help you to make sure that your application can continue to operate normally with the loss of one Availability Zone. You can update the zonal autoshift status to enable or disable zonal autoshift. When zonal autoshift is ENABLED, you authorize Amazon Web Services to shift away resource traffic for an application from an Availability Zone during events, on your behalf, to help reduce time to recovery. Traffic is also shifted away for the required weekly practice runs. /// - /// - Parameter UpdateZonalAutoshiftConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateZonalAutoshiftConfigurationInput`) /// - /// - Returns: `UpdateZonalAutoshiftConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateZonalAutoshiftConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1342,7 +1328,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateZonalAutoshiftConfigurationOutput.httpOutput(from:), UpdateZonalAutoshiftConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1374,9 +1359,9 @@ extension ARCZonalShiftClient { /// /// Update an active zonal shift in Amazon Application Recovery Controller in your Amazon Web Services account. You can update a zonal shift to set a new expiration, or edit or replace the comment for the zonal shift. /// - /// - Parameter UpdateZonalShiftInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateZonalShiftInput`) /// - /// - Returns: `UpdateZonalShiftOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateZonalShiftOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1415,7 +1400,6 @@ extension ARCZonalShiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateZonalShiftOutput.httpOutput(from:), UpdateZonalShiftOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAccessAnalyzer/Sources/AWSAccessAnalyzer/AccessAnalyzerClient.swift b/Sources/Services/AWSAccessAnalyzer/Sources/AWSAccessAnalyzer/AccessAnalyzerClient.swift index 33dce53a9a1..6adee52e01b 100644 --- a/Sources/Services/AWSAccessAnalyzer/Sources/AWSAccessAnalyzer/AccessAnalyzerClient.swift +++ b/Sources/Services/AWSAccessAnalyzer/Sources/AWSAccessAnalyzer/AccessAnalyzerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AccessAnalyzerClient: ClientRuntime.Client { public static let clientName = "AccessAnalyzerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AccessAnalyzerClient.AccessAnalyzerClientConfiguration let serviceName = "AccessAnalyzer" @@ -375,9 +374,9 @@ extension AccessAnalyzerClient { /// /// Retroactively applies the archive rule to existing findings that meet the archive rule criteria. /// - /// - Parameter ApplyArchiveRuleInput : Retroactively applies an archive rule. + /// - Parameter input: Retroactively applies an archive rule. (Type: `ApplyArchiveRuleInput`) /// - /// - Returns: `ApplyArchiveRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ApplyArchiveRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplyArchiveRuleOutput.httpOutput(from:), ApplyArchiveRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension AccessAnalyzerClient { /// /// Cancels the requested policy generation. /// - /// - Parameter CancelPolicyGenerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelPolicyGenerationInput`) /// - /// - Returns: `CancelPolicyGenerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelPolicyGenerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelPolicyGenerationOutput.httpOutput(from:), CancelPolicyGenerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension AccessAnalyzerClient { /// /// Checks whether the specified access isn't allowed by a policy. /// - /// - Parameter CheckAccessNotGrantedInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CheckAccessNotGrantedInput`) /// - /// - Returns: `CheckAccessNotGrantedOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CheckAccessNotGrantedOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckAccessNotGrantedOutput.httpOutput(from:), CheckAccessNotGrantedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -589,9 +585,9 @@ extension AccessAnalyzerClient { /// /// Checks whether new access is allowed for an updated policy when compared to the existing policy. You can find examples for reference policies and learn how to set up and run a custom policy check for new access in the [IAM Access Analyzer custom policy checks samples](https://github.com/aws-samples/iam-access-analyzer-custom-policy-check-samples) repository on GitHub. The reference policies in this repository are meant to be passed to the existingPolicyDocument request parameter. /// - /// - Parameter CheckNoNewAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CheckNoNewAccessInput`) /// - /// - Returns: `CheckNoNewAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CheckNoNewAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckNoNewAccessOutput.httpOutput(from:), CheckNoNewAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension AccessAnalyzerClient { /// /// Checks whether a resource policy can grant public access to the specified resource type. /// - /// - Parameter CheckNoPublicAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CheckNoPublicAccessInput`) /// - /// - Returns: `CheckNoPublicAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CheckNoPublicAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckNoPublicAccessOutput.httpOutput(from:), CheckNoPublicAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension AccessAnalyzerClient { /// /// Creates an access preview that allows you to preview IAM Access Analyzer findings for your resource before deploying resource permissions. /// - /// - Parameter CreateAccessPreviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessPreviewInput`) /// - /// - Returns: `CreateAccessPreviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessPreviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +772,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessPreviewOutput.httpOutput(from:), CreateAccessPreviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -810,9 +803,9 @@ extension AccessAnalyzerClient { /// /// Creates an analyzer for your account. /// - /// - Parameter CreateAnalyzerInput : Creates an analyzer. + /// - Parameter input: Creates an analyzer. (Type: `CreateAnalyzerInput`) /// - /// - Returns: `CreateAnalyzerOutput` : The response to the request to create an analyzer. + /// - Returns: The response to the request to create an analyzer. (Type: `CreateAnalyzerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAnalyzerOutput.httpOutput(from:), CreateAnalyzerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -884,9 +876,9 @@ extension AccessAnalyzerClient { /// /// Creates an archive rule for the specified analyzer. Archive rules automatically archive new findings that meet the criteria you define when you create the rule. To learn about filter keys that you can use to create an archive rule, see [IAM Access Analyzer filter keys](https://docs.aws.amazon.com/IAM/latest/UserGuide/access-analyzer-reference-filter-keys.html) in the IAM User Guide. /// - /// - Parameter CreateArchiveRuleInput : Creates an archive rule. + /// - Parameter input: Creates an archive rule. (Type: `CreateArchiveRuleInput`) /// - /// - Returns: `CreateArchiveRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateArchiveRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -927,7 +919,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateArchiveRuleOutput.httpOutput(from:), CreateArchiveRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -959,9 +950,9 @@ extension AccessAnalyzerClient { /// /// Deletes the specified analyzer. When you delete an analyzer, IAM Access Analyzer is disabled for the account or organization in the current or specific Region. All findings that were generated by the analyzer are deleted. You cannot undo this action. /// - /// - Parameter DeleteAnalyzerInput : Deletes an analyzer. + /// - Parameter input: Deletes an analyzer. (Type: `DeleteAnalyzerInput`) /// - /// - Returns: `DeleteAnalyzerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAnalyzerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -998,7 +989,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAnalyzerInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnalyzerOutput.httpOutput(from:), DeleteAnalyzerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1030,9 +1020,9 @@ extension AccessAnalyzerClient { /// /// Deletes the specified archive rule. /// - /// - Parameter DeleteArchiveRuleInput : Deletes an archive rule. + /// - Parameter input: Deletes an archive rule. (Type: `DeleteArchiveRuleInput`) /// - /// - Returns: `DeleteArchiveRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteArchiveRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1069,7 +1059,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteArchiveRuleInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteArchiveRuleOutput.httpOutput(from:), DeleteArchiveRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1101,9 +1090,9 @@ extension AccessAnalyzerClient { /// /// Creates a recommendation for an unused permissions finding. /// - /// - Parameter GenerateFindingRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateFindingRecommendationInput`) /// - /// - Returns: `GenerateFindingRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateFindingRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1138,7 +1127,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GenerateFindingRecommendationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateFindingRecommendationOutput.httpOutput(from:), GenerateFindingRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1170,9 +1158,9 @@ extension AccessAnalyzerClient { /// /// Retrieves information about an access preview for the specified analyzer. /// - /// - Parameter GetAccessPreviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessPreviewInput`) /// - /// - Returns: `GetAccessPreviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessPreviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1208,7 +1196,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAccessPreviewInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessPreviewOutput.httpOutput(from:), GetAccessPreviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1240,9 +1227,9 @@ extension AccessAnalyzerClient { /// /// Retrieves information about a resource that was analyzed. /// - /// - Parameter GetAnalyzedResourceInput : Retrieves an analyzed resource. + /// - Parameter input: Retrieves an analyzed resource. (Type: `GetAnalyzedResourceInput`) /// - /// - Returns: `GetAnalyzedResourceOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `GetAnalyzedResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1278,7 +1265,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAnalyzedResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnalyzedResourceOutput.httpOutput(from:), GetAnalyzedResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1310,9 +1296,9 @@ extension AccessAnalyzerClient { /// /// Retrieves information about the specified analyzer. /// - /// - Parameter GetAnalyzerInput : Retrieves an analyzer. + /// - Parameter input: Retrieves an analyzer. (Type: `GetAnalyzerInput`) /// - /// - Returns: `GetAnalyzerOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `GetAnalyzerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1347,7 +1333,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnalyzerOutput.httpOutput(from:), GetAnalyzerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1379,9 +1364,9 @@ extension AccessAnalyzerClient { /// /// Retrieves information about an archive rule. To learn about filter keys that you can use to create an archive rule, see [IAM Access Analyzer filter keys](https://docs.aws.amazon.com/IAM/latest/UserGuide/access-analyzer-reference-filter-keys.html) in the IAM User Guide. /// - /// - Parameter GetArchiveRuleInput : Retrieves an archive rule. + /// - Parameter input: Retrieves an archive rule. (Type: `GetArchiveRuleInput`) /// - /// - Returns: `GetArchiveRuleOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `GetArchiveRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1416,7 +1401,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetArchiveRuleOutput.httpOutput(from:), GetArchiveRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1448,9 +1432,9 @@ extension AccessAnalyzerClient { /// /// Retrieves information about the specified finding. GetFinding and GetFindingV2 both use access-analyzer:GetFinding in the Action element of an IAM policy statement. You must have permission to perform the access-analyzer:GetFinding action. /// - /// - Parameter GetFindingInput : Retrieves a finding. + /// - Parameter input: Retrieves a finding. (Type: `GetFindingInput`) /// - /// - Returns: `GetFindingOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `GetFindingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1486,7 +1470,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFindingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingOutput.httpOutput(from:), GetFindingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1518,9 +1501,9 @@ extension AccessAnalyzerClient { /// /// Retrieves information about a finding recommendation for the specified analyzer. /// - /// - Parameter GetFindingRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingRecommendationInput`) /// - /// - Returns: `GetFindingRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1556,7 +1539,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFindingRecommendationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingRecommendationOutput.httpOutput(from:), GetFindingRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1588,9 +1570,9 @@ extension AccessAnalyzerClient { /// /// Retrieves information about the specified finding. GetFinding and GetFindingV2 both use access-analyzer:GetFinding in the Action element of an IAM policy statement. You must have permission to perform the access-analyzer:GetFinding action. /// - /// - Parameter GetFindingV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingV2Input`) /// - /// - Returns: `GetFindingV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1626,7 +1608,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFindingV2Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingV2Output.httpOutput(from:), GetFindingV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1658,9 +1639,9 @@ extension AccessAnalyzerClient { /// /// Retrieves a list of aggregated finding statistics for an external access or unused access analyzer. /// - /// - Parameter GetFindingsStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingsStatisticsInput`) /// - /// - Returns: `GetFindingsStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingsStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1698,7 +1679,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsStatisticsOutput.httpOutput(from:), GetFindingsStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1730,9 +1710,9 @@ extension AccessAnalyzerClient { /// /// Retrieves the policy that was generated using StartPolicyGeneration. /// - /// - Parameter GetGeneratedPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGeneratedPolicyInput`) /// - /// - Returns: `GetGeneratedPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGeneratedPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1767,7 +1747,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetGeneratedPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGeneratedPolicyOutput.httpOutput(from:), GetGeneratedPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1799,9 +1778,9 @@ extension AccessAnalyzerClient { /// /// Retrieves a list of access preview findings generated by the specified access preview. /// - /// - Parameter ListAccessPreviewFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessPreviewFindingsInput`) /// - /// - Returns: `ListAccessPreviewFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessPreviewFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1840,7 +1819,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessPreviewFindingsOutput.httpOutput(from:), ListAccessPreviewFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1872,9 +1850,9 @@ extension AccessAnalyzerClient { /// /// Retrieves a list of access previews for the specified analyzer. /// - /// - Parameter ListAccessPreviewsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessPreviewsInput`) /// - /// - Returns: `ListAccessPreviewsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessPreviewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1910,7 +1888,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessPreviewsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessPreviewsOutput.httpOutput(from:), ListAccessPreviewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1942,9 +1919,9 @@ extension AccessAnalyzerClient { /// /// Retrieves a list of resources of the specified type that have been analyzed by the specified analyzer. /// - /// - Parameter ListAnalyzedResourcesInput : Retrieves a list of resources that have been analyzed. + /// - Parameter input: Retrieves a list of resources that have been analyzed. (Type: `ListAnalyzedResourcesInput`) /// - /// - Returns: `ListAnalyzedResourcesOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `ListAnalyzedResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1982,7 +1959,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnalyzedResourcesOutput.httpOutput(from:), ListAnalyzedResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2014,9 +1990,9 @@ extension AccessAnalyzerClient { /// /// Retrieves a list of analyzers. /// - /// - Parameter ListAnalyzersInput : Retrieves a list of analyzers. + /// - Parameter input: Retrieves a list of analyzers. (Type: `ListAnalyzersInput`) /// - /// - Returns: `ListAnalyzersOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `ListAnalyzersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2051,7 +2027,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAnalyzersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnalyzersOutput.httpOutput(from:), ListAnalyzersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2083,9 +2058,9 @@ extension AccessAnalyzerClient { /// /// Retrieves a list of archive rules created for the specified analyzer. /// - /// - Parameter ListArchiveRulesInput : Retrieves a list of archive rules created for the specified analyzer. + /// - Parameter input: Retrieves a list of archive rules created for the specified analyzer. (Type: `ListArchiveRulesInput`) /// - /// - Returns: `ListArchiveRulesOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `ListArchiveRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2120,7 +2095,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListArchiveRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListArchiveRulesOutput.httpOutput(from:), ListArchiveRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2152,9 +2126,9 @@ extension AccessAnalyzerClient { /// /// Retrieves a list of findings generated by the specified analyzer. ListFindings and ListFindingsV2 both use access-analyzer:ListFindings in the Action element of an IAM policy statement. You must have permission to perform the access-analyzer:ListFindings action. To learn about filter keys that you can use to retrieve a list of findings, see [IAM Access Analyzer filter keys](https://docs.aws.amazon.com/IAM/latest/UserGuide/access-analyzer-reference-filter-keys.html) in the IAM User Guide. /// - /// - Parameter ListFindingsInput : Retrieves a list of findings generated by the specified analyzer. + /// - Parameter input: Retrieves a list of findings generated by the specified analyzer. (Type: `ListFindingsInput`) /// - /// - Returns: `ListFindingsOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `ListFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2192,7 +2166,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingsOutput.httpOutput(from:), ListFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2224,9 +2197,9 @@ extension AccessAnalyzerClient { /// /// Retrieves a list of findings generated by the specified analyzer. ListFindings and ListFindingsV2 both use access-analyzer:ListFindings in the Action element of an IAM policy statement. You must have permission to perform the access-analyzer:ListFindings action. To learn about filter keys that you can use to retrieve a list of findings, see [IAM Access Analyzer filter keys](https://docs.aws.amazon.com/IAM/latest/UserGuide/access-analyzer-reference-filter-keys.html) in the IAM User Guide. /// - /// - Parameter ListFindingsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFindingsV2Input`) /// - /// - Returns: `ListFindingsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFindingsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2264,7 +2237,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingsV2Output.httpOutput(from:), ListFindingsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2296,9 +2268,9 @@ extension AccessAnalyzerClient { /// /// Lists all of the policy generations requested in the last seven days. /// - /// - Parameter ListPolicyGenerationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPolicyGenerationsInput`) /// - /// - Returns: `ListPolicyGenerationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPolicyGenerationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2333,7 +2305,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPolicyGenerationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPolicyGenerationsOutput.httpOutput(from:), ListPolicyGenerationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2365,9 +2336,9 @@ extension AccessAnalyzerClient { /// /// Retrieves a list of tags applied to the specified resource. /// - /// - Parameter ListTagsForResourceInput : Retrieves a list of tags applied to the specified resource. + /// - Parameter input: Retrieves a list of tags applied to the specified resource. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2402,7 +2373,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2434,9 +2404,9 @@ extension AccessAnalyzerClient { /// /// Starts the policy generation request. /// - /// - Parameter StartPolicyGenerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPolicyGenerationInput`) /// - /// - Returns: `StartPolicyGenerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPolicyGenerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2476,7 +2446,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPolicyGenerationOutput.httpOutput(from:), StartPolicyGenerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2508,9 +2477,9 @@ extension AccessAnalyzerClient { /// /// Immediately starts a scan of the policies applied to the specified resource. /// - /// - Parameter StartResourceScanInput : Starts a scan of the policies applied to the specified resource. + /// - Parameter input: Starts a scan of the policies applied to the specified resource. (Type: `StartResourceScanInput`) /// - /// - Returns: `StartResourceScanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartResourceScanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2548,7 +2517,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartResourceScanOutput.httpOutput(from:), StartResourceScanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2580,9 +2548,9 @@ extension AccessAnalyzerClient { /// /// Adds a tag to the specified resource. /// - /// - Parameter TagResourceInput : Adds a tag to the specified resource. + /// - Parameter input: Adds a tag to the specified resource. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2620,7 +2588,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2652,9 +2619,9 @@ extension AccessAnalyzerClient { /// /// Removes a tag from the specified resource. /// - /// - Parameter UntagResourceInput : Removes a tag from the specified resource. + /// - Parameter input: Removes a tag from the specified resource. (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : The response to the request. + /// - Returns: The response to the request. (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2690,7 +2657,6 @@ extension AccessAnalyzerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2722,9 +2688,9 @@ extension AccessAnalyzerClient { /// /// Modifies the configuration of an existing analyzer. /// - /// - Parameter UpdateAnalyzerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAnalyzerInput`) /// - /// - Returns: `UpdateAnalyzerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAnalyzerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2763,7 +2729,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnalyzerOutput.httpOutput(from:), UpdateAnalyzerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2795,9 +2760,9 @@ extension AccessAnalyzerClient { /// /// Updates the criteria and values for the specified archive rule. /// - /// - Parameter UpdateArchiveRuleInput : Updates the specified archive rule. + /// - Parameter input: Updates the specified archive rule. (Type: `UpdateArchiveRuleInput`) /// - /// - Returns: `UpdateArchiveRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateArchiveRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2836,7 +2801,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateArchiveRuleOutput.httpOutput(from:), UpdateArchiveRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2868,9 +2832,9 @@ extension AccessAnalyzerClient { /// /// Updates the status for the specified findings. /// - /// - Parameter UpdateFindingsInput : Updates findings with the new values provided in the request. + /// - Parameter input: Updates findings with the new values provided in the request. (Type: `UpdateFindingsInput`) /// - /// - Returns: `UpdateFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2909,7 +2873,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFindingsOutput.httpOutput(from:), UpdateFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2941,9 +2904,9 @@ extension AccessAnalyzerClient { /// /// Requests the validation of a policy and returns a list of findings. The findings help you identify issues and provide actionable recommendations to resolve the issue and enable you to author functional policies that meet security best practices. /// - /// - Parameter ValidatePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidatePolicyInput`) /// - /// - Returns: `ValidatePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidatePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2981,7 +2944,6 @@ extension AccessAnalyzerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidatePolicyOutput.httpOutput(from:), ValidatePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAccount/Sources/AWSAccount/AccountClient.swift b/Sources/Services/AWSAccount/Sources/AWSAccount/AccountClient.swift index 31acc43cb06..a7781eed2a5 100644 --- a/Sources/Services/AWSAccount/Sources/AWSAccount/AccountClient.swift +++ b/Sources/Services/AWSAccount/Sources/AWSAccount/AccountClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AccountClient: ClientRuntime.Client { public static let clientName = "AccountClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AccountClient.AccountClientConfiguration let serviceName = "Account" @@ -373,9 +372,9 @@ extension AccountClient { /// /// Accepts the request that originated from [StartPrimaryEmailUpdate] to update the primary email address (also known as the root user email address) for the specified account. /// - /// - Parameter AcceptPrimaryEmailUpdateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptPrimaryEmailUpdateInput`) /// - /// - Returns: `AcceptPrimaryEmailUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptPrimaryEmailUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptPrimaryEmailUpdateOutput.httpOutput(from:), AcceptPrimaryEmailUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension AccountClient { /// /// Deletes the specified alternate contact from an Amazon Web Services account. For complete details about how to use the alternate contact operations, see [Access or updating the alternate contacts](https://docs.aws.amazon.com/accounts/latest/reference/manage-acct-update-contact.html). Before you can update the alternate contact information for an Amazon Web Services account that is managed by Organizations, you must first enable integration between Amazon Web Services Account Management and Organizations. For more information, see [Enabling trusted access for Amazon Web Services Account Management](https://docs.aws.amazon.com/accounts/latest/reference/using-orgs-trusted-access.html). /// - /// - Parameter DeleteAlternateContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAlternateContactInput`) /// - /// - Returns: `DeleteAlternateContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAlternateContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAlternateContactOutput.httpOutput(from:), DeleteAlternateContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension AccountClient { /// /// Disables (opts-out) a particular Region for an account. The act of disabling a Region will remove all IAM access to any resources that reside in that Region. /// - /// - Parameter DisableRegionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableRegionInput`) /// - /// - Returns: `DisableRegionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableRegionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableRegionOutput.httpOutput(from:), DisableRegionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension AccountClient { /// /// Enables (opts-in) a particular Region for an account. /// - /// - Parameter EnableRegionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableRegionInput`) /// - /// - Returns: `EnableRegionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableRegionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableRegionOutput.httpOutput(from:), EnableRegionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension AccountClient { /// /// Retrieves information about the specified account including its account name, account ID, and account creation date and time. To use this API, an IAM user or role must have the account:GetAccountInformation IAM permission. /// - /// - Parameter GetAccountInformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountInformationInput`) /// - /// - Returns: `GetAccountInformationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountInformationOutput.httpOutput(from:), GetAccountInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -733,9 +727,9 @@ extension AccountClient { /// /// Retrieves the specified alternate contact attached to an Amazon Web Services account. For complete details about how to use the alternate contact operations, see [Access or updating the alternate contacts](https://docs.aws.amazon.com/accounts/latest/reference/manage-acct-update-contact.html). Before you can update the alternate contact information for an Amazon Web Services account that is managed by Organizations, you must first enable integration between Amazon Web Services Account Management and Organizations. For more information, see [Enabling trusted access for Amazon Web Services Account Management](https://docs.aws.amazon.com/accounts/latest/reference/using-orgs-trusted-access.html). /// - /// - Parameter GetAlternateContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAlternateContactInput`) /// - /// - Returns: `GetAlternateContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAlternateContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -773,7 +767,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAlternateContactOutput.httpOutput(from:), GetAlternateContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -805,9 +798,9 @@ extension AccountClient { /// /// Retrieves the primary contact information of an Amazon Web Services account. For complete details about how to use the primary contact operations, see [Update the primary and alternate contact information](https://docs.aws.amazon.com/accounts/latest/reference/manage-acct-update-contact.html). /// - /// - Parameter GetContactInformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContactInformationInput`) /// - /// - Returns: `GetContactInformationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContactInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -845,7 +838,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContactInformationOutput.httpOutput(from:), GetContactInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -877,9 +869,9 @@ extension AccountClient { /// /// Retrieves the primary email address for the specified account. /// - /// - Parameter GetPrimaryEmailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPrimaryEmailInput`) /// - /// - Returns: `GetPrimaryEmailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPrimaryEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -917,7 +909,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPrimaryEmailOutput.httpOutput(from:), GetPrimaryEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -949,9 +940,9 @@ extension AccountClient { /// /// Retrieves the opt-in status of a particular Region. /// - /// - Parameter GetRegionOptStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegionOptStatusInput`) /// - /// - Returns: `GetRegionOptStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegionOptStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -988,7 +979,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegionOptStatusOutput.httpOutput(from:), GetRegionOptStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1020,9 +1010,9 @@ extension AccountClient { /// /// Lists all the Regions for a given account and their respective opt-in statuses. Optionally, this list can be filtered by the region-opt-status-contains parameter. /// - /// - Parameter ListRegionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegionsInput`) /// - /// - Returns: `ListRegionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1059,7 +1049,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegionsOutput.httpOutput(from:), ListRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1091,9 +1080,9 @@ extension AccountClient { /// /// Updates the account name of the specified account. To use this API, IAM principals must have the account:PutAccountName IAM permission. /// - /// - Parameter PutAccountNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccountNameInput`) /// - /// - Returns: `PutAccountNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccountNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1130,7 +1119,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountNameOutput.httpOutput(from:), PutAccountNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1162,9 +1150,9 @@ extension AccountClient { /// /// Modifies the specified alternate contact attached to an Amazon Web Services account. For complete details about how to use the alternate contact operations, see [Access or updating the alternate contacts](https://docs.aws.amazon.com/accounts/latest/reference/manage-acct-update-contact.html). Before you can update the alternate contact information for an Amazon Web Services account that is managed by Organizations, you must first enable integration between Amazon Web Services Account Management and Organizations. For more information, see [Enabling trusted access for Amazon Web Services Account Management](https://docs.aws.amazon.com/accounts/latest/reference/using-orgs-trusted-access.html). /// - /// - Parameter PutAlternateContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAlternateContactInput`) /// - /// - Returns: `PutAlternateContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAlternateContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1201,7 +1189,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAlternateContactOutput.httpOutput(from:), PutAlternateContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1233,9 +1220,9 @@ extension AccountClient { /// /// Updates the primary contact information of an Amazon Web Services account. For complete details about how to use the primary contact operations, see [Update the primary and alternate contact information](https://docs.aws.amazon.com/accounts/latest/reference/manage-acct-update-contact.html). /// - /// - Parameter PutContactInformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutContactInformationInput`) /// - /// - Returns: `PutContactInformationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutContactInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1272,7 +1259,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutContactInformationOutput.httpOutput(from:), PutContactInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1304,9 +1290,9 @@ extension AccountClient { /// /// Starts the process to update the primary email address for the specified account. /// - /// - Parameter StartPrimaryEmailUpdateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPrimaryEmailUpdateInput`) /// - /// - Returns: `StartPrimaryEmailUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPrimaryEmailUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1345,7 +1331,6 @@ extension AccountClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPrimaryEmailUpdateOutput.httpOutput(from:), StartPrimaryEmailUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAmp/Sources/AWSAmp/AmpClient.swift b/Sources/Services/AWSAmp/Sources/AWSAmp/AmpClient.swift index 26e945095b6..19b8297be5f 100644 --- a/Sources/Services/AWSAmp/Sources/AWSAmp/AmpClient.swift +++ b/Sources/Services/AWSAmp/Sources/AWSAmp/AmpClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AmpClient: ClientRuntime.Client { public static let clientName = "AmpClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AmpClient.AmpClientConfiguration let serviceName = "amp" @@ -375,9 +374,9 @@ extension AmpClient { /// /// The CreateAlertManagerDefinition operation creates the alert manager definition in a workspace. If a workspace already has an alert manager definition, don't use this operation to update it. Instead, use PutAlertManagerDefinition. /// - /// - Parameter CreateAlertManagerDefinitionInput : Represents the input of a CreateAlertManagerDefinition operation. + /// - Parameter input: Represents the input of a CreateAlertManagerDefinition operation. (Type: `CreateAlertManagerDefinitionInput`) /// - /// - Returns: `CreateAlertManagerDefinitionOutput` : Represents the output of a CreateAlertManagerDefinition operation. + /// - Returns: Represents the output of a CreateAlertManagerDefinition operation. (Type: `CreateAlertManagerDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAlertManagerDefinitionOutput.httpOutput(from:), CreateAlertManagerDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension AmpClient { /// /// The CreateLoggingConfiguration operation creates rules and alerting logging configuration for the workspace. Use this operation to set the CloudWatch log group to which the logs will be published to. These logging configurations are only for rules and alerting logs. /// - /// - Parameter CreateLoggingConfigurationInput : Represents the input of a CreateLoggingConfiguration operation. + /// - Parameter input: Represents the input of a CreateLoggingConfiguration operation. (Type: `CreateLoggingConfigurationInput`) /// - /// - Returns: `CreateLoggingConfigurationOutput` : Represents the output of a CreateLoggingConfiguration operation. + /// - Returns: Represents the output of a CreateLoggingConfiguration operation. (Type: `CreateLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoggingConfigurationOutput.httpOutput(from:), CreateLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension AmpClient { /// /// Creates a query logging configuration for the specified workspace. This operation enables logging of queries that exceed the specified QSP threshold. /// - /// - Parameter CreateQueryLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQueryLoggingConfigurationInput`) /// - /// - Returns: `CreateQueryLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQueryLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQueryLoggingConfigurationOutput.httpOutput(from:), CreateQueryLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension AmpClient { /// /// The CreateRuleGroupsNamespace operation creates a rule groups namespace within a workspace. A rule groups namespace is associated with exactly one rules file. A workspace can have multiple rule groups namespaces. Use this operation only to create new rule groups namespaces. To update an existing rule groups namespace, use PutRuleGroupsNamespace. /// - /// - Parameter CreateRuleGroupsNamespaceInput : Represents the input of a CreateRuleGroupsNamespace operation. + /// - Parameter input: Represents the input of a CreateRuleGroupsNamespace operation. (Type: `CreateRuleGroupsNamespaceInput`) /// - /// - Returns: `CreateRuleGroupsNamespaceOutput` : Represents the output of a CreateRuleGroupsNamespace operation. + /// - Returns: Represents the output of a CreateRuleGroupsNamespace operation. (Type: `CreateRuleGroupsNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleGroupsNamespaceOutput.httpOutput(from:), CreateRuleGroupsNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension AmpClient { /// /// The CreateScraper operation creates a scraper to collect metrics. A scraper pulls metrics from Prometheus-compatible sources within an Amazon EKS cluster, and sends them to your Amazon Managed Service for Prometheus workspace. Scrapers are flexible, and can be configured to control what metrics are collected, the frequency of collection, what transformations are applied to the metrics, and more. An IAM role will be created for you that Amazon Managed Service for Prometheus uses to access the metrics in your cluster. You must configure this role with a policy that allows it to scrape metrics from your cluster. For more information, see [Configuring your Amazon EKS cluster](https://docs.aws.amazon.com/prometheus/latest/userguide/AMP-collector-how-to.html#AMP-collector-eks-setup) in the Amazon Managed Service for Prometheus User Guide. The scrapeConfiguration parameter contains the base-64 encoded YAML configuration for the scraper. When creating a scraper, the service creates a Network Interface in each Availability Zone that are passed into CreateScraper through subnets. These network interfaces are used to connect to the Amazon EKS cluster within the VPC for scraping metrics. For more information about collectors, including what metrics are collected, and how to configure the scraper, see [Using an Amazon Web Services managed collector](https://docs.aws.amazon.com/prometheus/latest/userguide/AMP-collector-how-to.html) in the Amazon Managed Service for Prometheus User Guide. /// - /// - Parameter CreateScraperInput : Represents the input of a CreateScraper operation. + /// - Parameter input: Represents the input of a CreateScraper operation. (Type: `CreateScraperInput`) /// - /// - Returns: `CreateScraperOutput` : Represents the output of a CreateScraper operation. + /// - Returns: Represents the output of a CreateScraper operation. (Type: `CreateScraperOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -712,7 +707,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScraperOutput.httpOutput(from:), CreateScraperOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -744,9 +738,9 @@ extension AmpClient { /// /// Creates a Prometheus workspace. A workspace is a logical space dedicated to the storage and querying of Prometheus metrics. You can have one or more workspaces in each Region in your account. /// - /// - Parameter CreateWorkspaceInput : Represents the input of a CreateWorkspace operation. + /// - Parameter input: Represents the input of a CreateWorkspace operation. (Type: `CreateWorkspaceInput`) /// - /// - Returns: `CreateWorkspaceOutput` : Represents the output of a CreateWorkspace operation. + /// - Returns: Represents the output of a CreateWorkspace operation. (Type: `CreateWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -786,7 +780,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspaceOutput.httpOutput(from:), CreateWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -818,9 +811,9 @@ extension AmpClient { /// /// Deletes the alert manager definition from a workspace. /// - /// - Parameter DeleteAlertManagerDefinitionInput : Represents the input of a DeleteAlertManagerDefinition operation. + /// - Parameter input: Represents the input of a DeleteAlertManagerDefinition operation. (Type: `DeleteAlertManagerDefinitionInput`) /// - /// - Returns: `DeleteAlertManagerDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAlertManagerDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -858,7 +851,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAlertManagerDefinitionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAlertManagerDefinitionOutput.httpOutput(from:), DeleteAlertManagerDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -890,9 +882,9 @@ extension AmpClient { /// /// Deletes the rules and alerting logging configuration for a workspace. These logging configurations are only for rules and alerting logs. /// - /// - Parameter DeleteLoggingConfigurationInput : Represents the input of a DeleteLoggingConfiguration operation. + /// - Parameter input: Represents the input of a DeleteLoggingConfiguration operation. (Type: `DeleteLoggingConfigurationInput`) /// - /// - Returns: `DeleteLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -929,7 +921,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteLoggingConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoggingConfigurationOutput.httpOutput(from:), DeleteLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -961,9 +952,9 @@ extension AmpClient { /// /// Deletes the query logging configuration for the specified workspace. /// - /// - Parameter DeleteQueryLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueryLoggingConfigurationInput`) /// - /// - Returns: `DeleteQueryLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueryLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1000,7 +991,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteQueryLoggingConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueryLoggingConfigurationOutput.httpOutput(from:), DeleteQueryLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1032,9 +1022,9 @@ extension AmpClient { /// /// Deletes the resource-based policy attached to an Amazon Managed Service for Prometheus workspace. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1072,7 +1062,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteResourcePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1104,9 +1093,9 @@ extension AmpClient { /// /// Deletes one rule groups namespace and its associated rule groups definition. /// - /// - Parameter DeleteRuleGroupsNamespaceInput : Represents the input of a DeleteRuleGroupsNamespace operation. + /// - Parameter input: Represents the input of a DeleteRuleGroupsNamespace operation. (Type: `DeleteRuleGroupsNamespaceInput`) /// - /// - Returns: `DeleteRuleGroupsNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleGroupsNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1144,7 +1133,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteRuleGroupsNamespaceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleGroupsNamespaceOutput.httpOutput(from:), DeleteRuleGroupsNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1176,9 +1164,9 @@ extension AmpClient { /// /// The DeleteScraper operation deletes one scraper, and stops any metrics collection that the scraper performs. /// - /// - Parameter DeleteScraperInput : Represents the input of a DeleteScraper operation. + /// - Parameter input: Represents the input of a DeleteScraper operation. (Type: `DeleteScraperInput`) /// - /// - Returns: `DeleteScraperOutput` : Represents the output of a DeleteScraper operation. + /// - Returns: Represents the output of a DeleteScraper operation. (Type: `DeleteScraperOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1216,7 +1204,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteScraperInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScraperOutput.httpOutput(from:), DeleteScraperOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1248,9 +1235,9 @@ extension AmpClient { /// /// Deletes the logging configuration for a Amazon Managed Service for Prometheus scraper. /// - /// - Parameter DeleteScraperLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScraperLoggingConfigurationInput`) /// - /// - Returns: `DeleteScraperLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScraperLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1287,7 +1274,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteScraperLoggingConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScraperLoggingConfigurationOutput.httpOutput(from:), DeleteScraperLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1319,9 +1305,9 @@ extension AmpClient { /// /// Deletes an existing workspace. When you delete a workspace, the data that has been ingested into it is not immediately deleted. It will be permanently deleted within one month. /// - /// - Parameter DeleteWorkspaceInput : Represents the input of a DeleteWorkspace operation. + /// - Parameter input: Represents the input of a DeleteWorkspace operation. (Type: `DeleteWorkspaceInput`) /// - /// - Returns: `DeleteWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1359,7 +1345,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteWorkspaceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkspaceOutput.httpOutput(from:), DeleteWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1391,9 +1376,9 @@ extension AmpClient { /// /// Retrieves the full information about the alert manager definition for a workspace. /// - /// - Parameter DescribeAlertManagerDefinitionInput : Represents the input of a DescribeAlertManagerDefinition operation. + /// - Parameter input: Represents the input of a DescribeAlertManagerDefinition operation. (Type: `DescribeAlertManagerDefinitionInput`) /// - /// - Returns: `DescribeAlertManagerDefinitionOutput` : Represents the output of a DescribeAlertManagerDefinition operation. + /// - Returns: Represents the output of a DescribeAlertManagerDefinition operation. (Type: `DescribeAlertManagerDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1428,7 +1413,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAlertManagerDefinitionOutput.httpOutput(from:), DescribeAlertManagerDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1460,9 +1444,9 @@ extension AmpClient { /// /// Returns complete information about the current rules and alerting logging configuration of the workspace. These logging configurations are only for rules and alerting logs. /// - /// - Parameter DescribeLoggingConfigurationInput : Represents the input of a DescribeLoggingConfiguration operation. + /// - Parameter input: Represents the input of a DescribeLoggingConfiguration operation. (Type: `DescribeLoggingConfigurationInput`) /// - /// - Returns: `DescribeLoggingConfigurationOutput` : Represents the output of a DescribeLoggingConfiguration operation. + /// - Returns: Represents the output of a DescribeLoggingConfiguration operation. (Type: `DescribeLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1496,7 +1480,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoggingConfigurationOutput.httpOutput(from:), DescribeLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1528,9 +1511,9 @@ extension AmpClient { /// /// Retrieves the details of the query logging configuration for the specified workspace. /// - /// - Parameter DescribeQueryLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQueryLoggingConfigurationInput`) /// - /// - Returns: `DescribeQueryLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQueryLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1564,7 +1547,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQueryLoggingConfigurationOutput.httpOutput(from:), DescribeQueryLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1596,9 +1578,9 @@ extension AmpClient { /// /// Returns information about the resource-based policy attached to an Amazon Managed Service for Prometheus workspace. /// - /// - Parameter DescribeResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourcePolicyInput`) /// - /// - Returns: `DescribeResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1633,7 +1615,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourcePolicyOutput.httpOutput(from:), DescribeResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1665,9 +1646,9 @@ extension AmpClient { /// /// Returns complete information about one rule groups namespace. To retrieve a list of rule groups namespaces, use ListRuleGroupsNamespaces. /// - /// - Parameter DescribeRuleGroupsNamespaceInput : Represents the input of a DescribeRuleGroupsNamespace operation. + /// - Parameter input: Represents the input of a DescribeRuleGroupsNamespace operation. (Type: `DescribeRuleGroupsNamespaceInput`) /// - /// - Returns: `DescribeRuleGroupsNamespaceOutput` : Represents the output of a DescribeRuleGroupsNamespace operation. + /// - Returns: Represents the output of a DescribeRuleGroupsNamespace operation. (Type: `DescribeRuleGroupsNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1702,7 +1683,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRuleGroupsNamespaceOutput.httpOutput(from:), DescribeRuleGroupsNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1734,9 +1714,9 @@ extension AmpClient { /// /// The DescribeScraper operation displays information about an existing scraper. /// - /// - Parameter DescribeScraperInput : Represents the input of a DescribeScraper operation. + /// - Parameter input: Represents the input of a DescribeScraper operation. (Type: `DescribeScraperInput`) /// - /// - Returns: `DescribeScraperOutput` : Represents the output of a DescribeScraper operation. + /// - Returns: Represents the output of a DescribeScraper operation. (Type: `DescribeScraperOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1771,7 +1751,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScraperOutput.httpOutput(from:), DescribeScraperOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1803,9 +1782,9 @@ extension AmpClient { /// /// Describes the logging configuration for a Amazon Managed Service for Prometheus scraper. /// - /// - Parameter DescribeScraperLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScraperLoggingConfigurationInput`) /// - /// - Returns: `DescribeScraperLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScraperLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1839,7 +1818,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScraperLoggingConfigurationOutput.httpOutput(from:), DescribeScraperLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1871,9 +1849,9 @@ extension AmpClient { /// /// Returns information about an existing workspace. /// - /// - Parameter DescribeWorkspaceInput : Represents the input of a DescribeWorkspace operation. + /// - Parameter input: Represents the input of a DescribeWorkspace operation. (Type: `DescribeWorkspaceInput`) /// - /// - Returns: `DescribeWorkspaceOutput` : Represents the output of a DescribeWorkspace operation. + /// - Returns: Represents the output of a DescribeWorkspace operation. (Type: `DescribeWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1908,7 +1886,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceOutput.httpOutput(from:), DescribeWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1940,9 +1917,9 @@ extension AmpClient { /// /// Use this operation to return information about the configuration of a workspace. The configuration details returned include workspace configuration status, label set limits, and retention period. /// - /// - Parameter DescribeWorkspaceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspaceConfigurationInput`) /// - /// - Returns: `DescribeWorkspaceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspaceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1977,7 +1954,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceConfigurationOutput.httpOutput(from:), DescribeWorkspaceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2009,9 +1985,9 @@ extension AmpClient { /// /// The GetDefaultScraperConfiguration operation returns the default scraper configuration used when Amazon EKS creates a scraper for you. /// - /// - Parameter GetDefaultScraperConfigurationInput : Represents the input of a GetDefaultScraperConfiguration operation. + /// - Parameter input: Represents the input of a GetDefaultScraperConfiguration operation. (Type: `GetDefaultScraperConfigurationInput`) /// - /// - Returns: `GetDefaultScraperConfigurationOutput` : Represents the output of a GetDefaultScraperConfiguration operation. + /// - Returns: Represents the output of a GetDefaultScraperConfiguration operation. (Type: `GetDefaultScraperConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2044,7 +2020,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDefaultScraperConfigurationOutput.httpOutput(from:), GetDefaultScraperConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2076,9 +2051,9 @@ extension AmpClient { /// /// Returns a list of rule groups namespaces in a workspace. /// - /// - Parameter ListRuleGroupsNamespacesInput : Represents the input of a ListRuleGroupsNamespaces operation. + /// - Parameter input: Represents the input of a ListRuleGroupsNamespaces operation. (Type: `ListRuleGroupsNamespacesInput`) /// - /// - Returns: `ListRuleGroupsNamespacesOutput` : Represents the output of a ListRuleGroupsNamespaces operation. + /// - Returns: Represents the output of a ListRuleGroupsNamespaces operation. (Type: `ListRuleGroupsNamespacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2114,7 +2089,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRuleGroupsNamespacesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleGroupsNamespacesOutput.httpOutput(from:), ListRuleGroupsNamespacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2146,9 +2120,9 @@ extension AmpClient { /// /// The ListScrapers operation lists all of the scrapers in your account. This includes scrapers being created or deleted. You can optionally filter the returned list. /// - /// - Parameter ListScrapersInput : Represents the input of a ListScrapers operation. + /// - Parameter input: Represents the input of a ListScrapers operation. (Type: `ListScrapersInput`) /// - /// - Returns: `ListScrapersOutput` : Represents the output of a ListScrapers operation. + /// - Returns: Represents the output of a ListScrapers operation. (Type: `ListScrapersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2183,7 +2157,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListScrapersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScrapersOutput.httpOutput(from:), ListScrapersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2215,9 +2188,9 @@ extension AmpClient { /// /// The ListTagsForResource operation returns the tags that are associated with an Amazon Managed Service for Prometheus resource. Currently, the only resources that can be tagged are scrapers, workspaces, and rule groups namespaces. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2252,7 +2225,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2284,9 +2256,9 @@ extension AmpClient { /// /// Lists all of the Amazon Managed Service for Prometheus workspaces in your account. This includes workspaces being created or deleted. /// - /// - Parameter ListWorkspacesInput : Represents the input of a ListWorkspaces operation. + /// - Parameter input: Represents the input of a ListWorkspaces operation. (Type: `ListWorkspacesInput`) /// - /// - Returns: `ListWorkspacesOutput` : Represents the output of a ListWorkspaces operation. + /// - Returns: Represents the output of a ListWorkspaces operation. (Type: `ListWorkspacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2321,7 +2293,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkspacesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkspacesOutput.httpOutput(from:), ListWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2353,9 +2324,9 @@ extension AmpClient { /// /// Updates an existing alert manager definition in a workspace. If the workspace does not already have an alert manager definition, don't use this operation to create it. Instead, use CreateAlertManagerDefinition. /// - /// - Parameter PutAlertManagerDefinitionInput : Represents the input of a PutAlertManagerDefinition operation. + /// - Parameter input: Represents the input of a PutAlertManagerDefinition operation. (Type: `PutAlertManagerDefinitionInput`) /// - /// - Returns: `PutAlertManagerDefinitionOutput` : Represents the output of a PutAlertManagerDefinition operation. + /// - Returns: Represents the output of a PutAlertManagerDefinition operation. (Type: `PutAlertManagerDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2396,7 +2367,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAlertManagerDefinitionOutput.httpOutput(from:), PutAlertManagerDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2428,9 +2398,9 @@ extension AmpClient { /// /// Creates or updates a resource-based policy for an Amazon Managed Service for Prometheus workspace. Use resource-based policies to grant permissions to other AWS accounts or services to access your workspace. Only Prometheus-compatible APIs can be used for workspace sharing. You can add non-Prometheus-compatible APIs to the policy, but they will be ignored. For more information, see [Prometheus-compatible APIs](https://docs.aws.amazon.com/prometheus/latest/userguide/AMP-APIReference-Prometheus-Compatible-Apis.html) in the Amazon Managed Service for Prometheus User Guide. If your workspace uses customer-managed KMS keys for encryption, you must grant the principals in your resource-based policy access to those KMS keys. You can do this by creating KMS grants. For more information, see [CreateGrant](https://docs.aws.amazon.com/kms/latest/APIReference/API_CreateGrant.html) in the AWS Key Management Service API Reference and [Encryption at rest](https://docs.aws.amazon.com/prometheus/latest/userguide/encryption-at-rest-Amazon-Service-Prometheus.html) in the Amazon Managed Service for Prometheus User Guide. For more information about working with IAM, see [Using Amazon Managed Service for Prometheus with IAM](https://docs.aws.amazon.com/prometheus/latest/userguide/security_iam_service-with-iam.html) in the Amazon Managed Service for Prometheus User Guide. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2470,7 +2440,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2502,9 +2471,9 @@ extension AmpClient { /// /// Updates an existing rule groups namespace within a workspace. A rule groups namespace is associated with exactly one rules file. A workspace can have multiple rule groups namespaces. Use this operation only to update existing rule groups namespaces. To create a new rule groups namespace, use CreateRuleGroupsNamespace. You can't use this operation to add tags to an existing rule groups namespace. Instead, use TagResource. /// - /// - Parameter PutRuleGroupsNamespaceInput : Represents the input of a PutRuleGroupsNamespace operation. + /// - Parameter input: Represents the input of a PutRuleGroupsNamespace operation. (Type: `PutRuleGroupsNamespaceInput`) /// - /// - Returns: `PutRuleGroupsNamespaceOutput` : Represents the output of a PutRuleGroupsNamespace operation. + /// - Returns: Represents the output of a PutRuleGroupsNamespace operation. (Type: `PutRuleGroupsNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2545,7 +2514,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRuleGroupsNamespaceOutput.httpOutput(from:), PutRuleGroupsNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2577,9 +2545,9 @@ extension AmpClient { /// /// The TagResource operation associates tags with an Amazon Managed Service for Prometheus resource. The only resources that can be tagged are rule groups namespaces, scrapers, and workspaces. If you specify a new tag key for the resource, this tag is appended to the list of tags associated with the resource. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. To remove a tag, use UntagResource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2617,7 +2585,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2649,9 +2616,9 @@ extension AmpClient { /// /// Removes the specified tags from an Amazon Managed Service for Prometheus resource. The only resources that can be tagged are rule groups namespaces, scrapers, and workspaces. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2687,7 +2654,6 @@ extension AmpClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2719,9 +2685,9 @@ extension AmpClient { /// /// Updates the log group ARN or the workspace ID of the current rules and alerting logging configuration. These logging configurations are only for rules and alerting logs. /// - /// - Parameter UpdateLoggingConfigurationInput : Represents the input of an UpdateLoggingConfiguration operation. + /// - Parameter input: Represents the input of an UpdateLoggingConfiguration operation. (Type: `UpdateLoggingConfigurationInput`) /// - /// - Returns: `UpdateLoggingConfigurationOutput` : Represents the output of an UpdateLoggingConfiguration operation. + /// - Returns: Represents the output of an UpdateLoggingConfiguration operation. (Type: `UpdateLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2760,7 +2726,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLoggingConfigurationOutput.httpOutput(from:), UpdateLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2792,9 +2757,9 @@ extension AmpClient { /// /// Updates the query logging configuration for the specified workspace. /// - /// - Parameter UpdateQueryLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueryLoggingConfigurationInput`) /// - /// - Returns: `UpdateQueryLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueryLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2833,7 +2798,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueryLoggingConfigurationOutput.httpOutput(from:), UpdateQueryLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2865,9 +2829,9 @@ extension AmpClient { /// /// Updates an existing scraper. You can't use this function to update the source from which the scraper is collecting metrics. To change the source, delete the scraper and create a new one. /// - /// - Parameter UpdateScraperInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScraperInput`) /// - /// - Returns: `UpdateScraperOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScraperOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2908,7 +2872,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScraperOutput.httpOutput(from:), UpdateScraperOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2940,9 +2903,9 @@ extension AmpClient { /// /// Updates the logging configuration for a Amazon Managed Service for Prometheus scraper. /// - /// - Parameter UpdateScraperLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScraperLoggingConfigurationInput`) /// - /// - Returns: `UpdateScraperLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScraperLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2980,7 +2943,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScraperLoggingConfigurationOutput.httpOutput(from:), UpdateScraperLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3012,9 +2974,9 @@ extension AmpClient { /// /// Updates the alias of an existing workspace. /// - /// - Parameter UpdateWorkspaceAliasInput : Represents the input of an UpdateWorkspaceAlias operation. + /// - Parameter input: Represents the input of an UpdateWorkspaceAlias operation. (Type: `UpdateWorkspaceAliasInput`) /// - /// - Returns: `UpdateWorkspaceAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkspaceAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3055,7 +3017,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkspaceAliasOutput.httpOutput(from:), UpdateWorkspaceAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3087,9 +3048,9 @@ extension AmpClient { /// /// Use this operation to create or update the label sets, label set limits, and retention period of a workspace. You must specify at least one of limitsPerLabelSet or retentionPeriodInDays for the request to be valid. /// - /// - Parameter UpdateWorkspaceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkspaceConfigurationInput`) /// - /// - Returns: `UpdateWorkspaceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkspaceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3130,7 +3091,6 @@ extension AmpClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkspaceConfigurationOutput.httpOutput(from:), UpdateWorkspaceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAmplify/Sources/AWSAmplify/AmplifyClient.swift b/Sources/Services/AWSAmplify/Sources/AWSAmplify/AmplifyClient.swift index c5462b2f443..fad6db2aa2c 100644 --- a/Sources/Services/AWSAmplify/Sources/AWSAmplify/AmplifyClient.swift +++ b/Sources/Services/AWSAmplify/Sources/AWSAmplify/AmplifyClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AmplifyClient: ClientRuntime.Client { public static let clientName = "AmplifyClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AmplifyClient.AmplifyClientConfiguration let serviceName = "Amplify" @@ -374,9 +373,9 @@ extension AmplifyClient { /// /// Creates a new Amplify app. /// - /// - Parameter CreateAppInput : The request structure used to create apps in Amplify. + /// - Parameter input: The request structure used to create apps in Amplify. (Type: `CreateAppInput`) /// - /// - Returns: `CreateAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppOutput.httpOutput(from:), CreateAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension AmplifyClient { /// /// Creates a new backend environment for an Amplify app. This API is available only to Amplify Gen 1 applications where the backend is created using Amplify Studio or the Amplify command line interface (CLI). This API isn’t available to Amplify Gen 2 applications. When you deploy an application with Amplify Gen 2, you provision the app's backend infrastructure using Typescript code. /// - /// - Parameter CreateBackendEnvironmentInput : The request structure for the backend environment create request. + /// - Parameter input: The request structure for the backend environment create request. (Type: `CreateBackendEnvironmentInput`) /// - /// - Returns: `CreateBackendEnvironmentOutput` : The result structure for the create backend environment request. + /// - Returns: The result structure for the create backend environment request. (Type: `CreateBackendEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackendEnvironmentOutput.httpOutput(from:), CreateBackendEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension AmplifyClient { /// /// Creates a new branch for an Amplify app. /// - /// - Parameter CreateBranchInput : The request structure for the create branch request. + /// - Parameter input: The request structure for the create branch request. (Type: `CreateBranchInput`) /// - /// - Returns: `CreateBranchOutput` : The result structure for create branch request. + /// - Returns: The result structure for create branch request. (Type: `CreateBranchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBranchOutput.httpOutput(from:), CreateBranchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension AmplifyClient { /// /// Creates a deployment for a manually deployed Amplify app. Manually deployed apps are not connected to a Git repository. The maximum duration between the CreateDeployment call and the StartDeployment call cannot exceed 8 hours. If the duration exceeds 8 hours, the StartDeployment call and the associated Job will fail. /// - /// - Parameter CreateDeploymentInput : The request structure for the create a new deployment request. + /// - Parameter input: The request structure for the create a new deployment request. (Type: `CreateDeploymentInput`) /// - /// - Returns: `CreateDeploymentOutput` : The result structure for the create a new deployment request. + /// - Returns: The result structure for the create a new deployment request. (Type: `CreateDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentOutput.httpOutput(from:), CreateDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension AmplifyClient { /// /// Creates a new domain association for an Amplify app. This action associates a custom domain with the Amplify app /// - /// - Parameter CreateDomainAssociationInput : The request structure for the create domain association request. + /// - Parameter input: The request structure for the create domain association request. (Type: `CreateDomainAssociationInput`) /// - /// - Returns: `CreateDomainAssociationOutput` : The result structure for the create domain association request. + /// - Returns: The result structure for the create domain association request. (Type: `CreateDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainAssociationOutput.httpOutput(from:), CreateDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension AmplifyClient { /// /// Creates a new webhook on an Amplify app. /// - /// - Parameter CreateWebhookInput : The request structure for the create webhook request. + /// - Parameter input: The request structure for the create webhook request. (Type: `CreateWebhookInput`) /// - /// - Returns: `CreateWebhookOutput` : The result structure for the create webhook request. + /// - Returns: The result structure for the create webhook request. (Type: `CreateWebhookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -776,7 +770,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWebhookOutput.httpOutput(from:), CreateWebhookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -808,9 +801,9 @@ extension AmplifyClient { /// /// Deletes an existing Amplify app specified by an app ID. /// - /// - Parameter DeleteAppInput : Describes the request structure for the delete app request. + /// - Parameter input: Describes the request structure for the delete app request. (Type: `DeleteAppInput`) /// - /// - Returns: `DeleteAppOutput` : The result structure for the delete app request. + /// - Returns: The result structure for the delete app request. (Type: `DeleteAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -845,7 +838,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppOutput.httpOutput(from:), DeleteAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -877,9 +869,9 @@ extension AmplifyClient { /// /// Deletes a backend environment for an Amplify app. This API is available only to Amplify Gen 1 applications where the backend is created using Amplify Studio or the Amplify command line interface (CLI). This API isn’t available to Amplify Gen 2 applications. When you deploy an application with Amplify Gen 2, you provision the app's backend infrastructure using Typescript code. /// - /// - Parameter DeleteBackendEnvironmentInput : The request structure for the delete backend environment request. + /// - Parameter input: The request structure for the delete backend environment request. (Type: `DeleteBackendEnvironmentInput`) /// - /// - Returns: `DeleteBackendEnvironmentOutput` : The result structure of the delete backend environment result. + /// - Returns: The result structure of the delete backend environment result. (Type: `DeleteBackendEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackendEnvironmentOutput.httpOutput(from:), DeleteBackendEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +937,9 @@ extension AmplifyClient { /// /// Deletes a branch for an Amplify app. /// - /// - Parameter DeleteBranchInput : The request structure for the delete branch request. + /// - Parameter input: The request structure for the delete branch request. (Type: `DeleteBranchInput`) /// - /// - Returns: `DeleteBranchOutput` : The result structure for the delete branch request. + /// - Returns: The result structure for the delete branch request. (Type: `DeleteBranchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -983,7 +974,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBranchOutput.httpOutput(from:), DeleteBranchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1015,9 +1005,9 @@ extension AmplifyClient { /// /// Deletes a domain association for an Amplify app. /// - /// - Parameter DeleteDomainAssociationInput : The request structure for the delete domain association request. + /// - Parameter input: The request structure for the delete domain association request. (Type: `DeleteDomainAssociationInput`) /// - /// - Returns: `DeleteDomainAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1052,7 +1042,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainAssociationOutput.httpOutput(from:), DeleteDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1084,9 +1073,9 @@ extension AmplifyClient { /// /// Deletes a job for a branch of an Amplify app. /// - /// - Parameter DeleteJobInput : The request structure for the delete job request. + /// - Parameter input: The request structure for the delete job request. (Type: `DeleteJobInput`) /// - /// - Returns: `DeleteJobOutput` : The result structure for the delete job request. + /// - Returns: The result structure for the delete job request. (Type: `DeleteJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1121,7 +1110,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobOutput.httpOutput(from:), DeleteJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1153,9 +1141,9 @@ extension AmplifyClient { /// /// Deletes a webhook. /// - /// - Parameter DeleteWebhookInput : The request structure for the delete webhook request. + /// - Parameter input: The request structure for the delete webhook request. (Type: `DeleteWebhookInput`) /// - /// - Returns: `DeleteWebhookOutput` : The result structure for the delete webhook request. + /// - Returns: The result structure for the delete webhook request. (Type: `DeleteWebhookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1190,7 +1178,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWebhookOutput.httpOutput(from:), DeleteWebhookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1222,9 +1209,9 @@ extension AmplifyClient { /// /// Returns the website access logs for a specific time range using a presigned URL. /// - /// - Parameter GenerateAccessLogsInput : The request structure for the generate access logs request. + /// - Parameter input: The request structure for the generate access logs request. (Type: `GenerateAccessLogsInput`) /// - /// - Returns: `GenerateAccessLogsOutput` : The result structure for the generate access logs request. + /// - Returns: The result structure for the generate access logs request. (Type: `GenerateAccessLogsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1261,7 +1248,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateAccessLogsOutput.httpOutput(from:), GenerateAccessLogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1293,9 +1279,9 @@ extension AmplifyClient { /// /// Returns an existing Amplify app specified by an app ID. /// - /// - Parameter GetAppInput : The request structure for the get app request. + /// - Parameter input: The request structure for the get app request. (Type: `GetAppInput`) /// - /// - Returns: `GetAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1329,7 +1315,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAppOutput.httpOutput(from:), GetAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1361,9 +1346,9 @@ extension AmplifyClient { /// /// Returns the artifact info that corresponds to an artifact id. /// - /// - Parameter GetArtifactUrlInput : Returns the request structure for the get artifact request. + /// - Parameter input: Returns the request structure for the get artifact request. (Type: `GetArtifactUrlInput`) /// - /// - Returns: `GetArtifactUrlOutput` : Returns the result structure for the get artifact request. + /// - Returns: Returns the result structure for the get artifact request. (Type: `GetArtifactUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1398,7 +1383,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetArtifactUrlOutput.httpOutput(from:), GetArtifactUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1430,9 +1414,9 @@ extension AmplifyClient { /// /// Returns a backend environment for an Amplify app. This API is available only to Amplify Gen 1 applications where the backend is created using Amplify Studio or the Amplify command line interface (CLI). This API isn’t available to Amplify Gen 2 applications. When you deploy an application with Amplify Gen 2, you provision the app's backend infrastructure using Typescript code. /// - /// - Parameter GetBackendEnvironmentInput : The request structure for the get backend environment request. + /// - Parameter input: The request structure for the get backend environment request. (Type: `GetBackendEnvironmentInput`) /// - /// - Returns: `GetBackendEnvironmentOutput` : The result structure for the get backend environment result. + /// - Returns: The result structure for the get backend environment result. (Type: `GetBackendEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1466,7 +1450,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackendEnvironmentOutput.httpOutput(from:), GetBackendEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1498,9 +1481,9 @@ extension AmplifyClient { /// /// Returns a branch for an Amplify app. /// - /// - Parameter GetBranchInput : The request structure for the get branch request. + /// - Parameter input: The request structure for the get branch request. (Type: `GetBranchInput`) /// - /// - Returns: `GetBranchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBranchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1534,7 +1517,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBranchOutput.httpOutput(from:), GetBranchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1566,9 +1548,9 @@ extension AmplifyClient { /// /// Returns the domain information for an Amplify app. /// - /// - Parameter GetDomainAssociationInput : The request structure for the get domain association request. + /// - Parameter input: The request structure for the get domain association request. (Type: `GetDomainAssociationInput`) /// - /// - Returns: `GetDomainAssociationOutput` : The result structure for the get domain association request. + /// - Returns: The result structure for the get domain association request. (Type: `GetDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1602,7 +1584,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainAssociationOutput.httpOutput(from:), GetDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1634,9 +1615,9 @@ extension AmplifyClient { /// /// Returns a job for a branch of an Amplify app. /// - /// - Parameter GetJobInput : The request structure for the get job request. + /// - Parameter input: The request structure for the get job request. (Type: `GetJobInput`) /// - /// - Returns: `GetJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1671,7 +1652,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobOutput.httpOutput(from:), GetJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1703,9 +1683,9 @@ extension AmplifyClient { /// /// Returns the webhook information that corresponds to a specified webhook ID. /// - /// - Parameter GetWebhookInput : The request structure for the get webhook request. + /// - Parameter input: The request structure for the get webhook request. (Type: `GetWebhookInput`) /// - /// - Returns: `GetWebhookOutput` : The result structure for the get webhook request. + /// - Returns: The result structure for the get webhook request. (Type: `GetWebhookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1740,7 +1720,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWebhookOutput.httpOutput(from:), GetWebhookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1772,9 +1751,9 @@ extension AmplifyClient { /// /// Returns a list of the existing Amplify apps. /// - /// - Parameter ListAppsInput : The request structure for the list apps request. + /// - Parameter input: The request structure for the list apps request. (Type: `ListAppsInput`) /// - /// - Returns: `ListAppsOutput` : The result structure for an Amplify app list request. + /// - Returns: The result structure for an Amplify app list request. (Type: `ListAppsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1808,7 +1787,6 @@ extension AmplifyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppsOutput.httpOutput(from:), ListAppsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1840,9 +1818,9 @@ extension AmplifyClient { /// /// Returns a list of end-to-end testing artifacts for a specified app, branch, and job. To return the build artifacts, use the [GetJob](https://docs.aws.amazon.com/amplify/latest/APIReference/API_GetJob.html) API. For more information about Amplify testing support, see [Setting up end-to-end Cypress tests for your Amplify application](https://docs.aws.amazon.com/amplify/latest/userguide/running-tests.html) in the Amplify Hosting User Guide. /// - /// - Parameter ListArtifactsInput : Describes the request structure for the list artifacts request. + /// - Parameter input: Describes the request structure for the list artifacts request. (Type: `ListArtifactsInput`) /// - /// - Returns: `ListArtifactsOutput` : The result structure for the list artifacts request. + /// - Returns: The result structure for the list artifacts request. (Type: `ListArtifactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1877,7 +1855,6 @@ extension AmplifyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListArtifactsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListArtifactsOutput.httpOutput(from:), ListArtifactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1909,9 +1886,9 @@ extension AmplifyClient { /// /// Lists the backend environments for an Amplify app. This API is available only to Amplify Gen 1 applications where the backend is created using Amplify Studio or the Amplify command line interface (CLI). This API isn’t available to Amplify Gen 2 applications. When you deploy an application with Amplify Gen 2, you provision the app's backend infrastructure using Typescript code. /// - /// - Parameter ListBackendEnvironmentsInput : The request structure for the list backend environments request. + /// - Parameter input: The request structure for the list backend environments request. (Type: `ListBackendEnvironmentsInput`) /// - /// - Returns: `ListBackendEnvironmentsOutput` : The result structure for the list backend environments result. + /// - Returns: The result structure for the list backend environments result. (Type: `ListBackendEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1945,7 +1922,6 @@ extension AmplifyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBackendEnvironmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBackendEnvironmentsOutput.httpOutput(from:), ListBackendEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1977,9 +1953,9 @@ extension AmplifyClient { /// /// Lists the branches of an Amplify app. /// - /// - Parameter ListBranchesInput : The request structure for the list branches request. + /// - Parameter input: The request structure for the list branches request. (Type: `ListBranchesInput`) /// - /// - Returns: `ListBranchesOutput` : The result structure for the list branches request. + /// - Returns: The result structure for the list branches request. (Type: `ListBranchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2013,7 +1989,6 @@ extension AmplifyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBranchesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBranchesOutput.httpOutput(from:), ListBranchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2045,9 +2020,9 @@ extension AmplifyClient { /// /// Returns the domain associations for an Amplify app. /// - /// - Parameter ListDomainAssociationsInput : The request structure for the list domain associations request. + /// - Parameter input: The request structure for the list domain associations request. (Type: `ListDomainAssociationsInput`) /// - /// - Returns: `ListDomainAssociationsOutput` : The result structure for the list domain association request. + /// - Returns: The result structure for the list domain association request. (Type: `ListDomainAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2081,7 +2056,6 @@ extension AmplifyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainAssociationsOutput.httpOutput(from:), ListDomainAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2113,9 +2087,9 @@ extension AmplifyClient { /// /// Lists the jobs for a branch of an Amplify app. /// - /// - Parameter ListJobsInput : The request structure for the list jobs request. + /// - Parameter input: The request structure for the list jobs request. (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : The maximum number of records to list in a single response. + /// - Returns: The maximum number of records to list in a single response. (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2150,7 +2124,6 @@ extension AmplifyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2182,9 +2155,9 @@ extension AmplifyClient { /// /// Returns a list of tags for a specified Amazon Resource Name (ARN). /// - /// - Parameter ListTagsForResourceInput : The request structure to use to list tags for a resource. + /// - Parameter input: The request structure to use to list tags for a resource. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : The response for the list tags for resource request. + /// - Returns: The response for the list tags for resource request. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2217,7 +2190,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2249,9 +2221,9 @@ extension AmplifyClient { /// /// Returns a list of webhooks for an Amplify app. /// - /// - Parameter ListWebhooksInput : The request structure for the list webhooks request. + /// - Parameter input: The request structure for the list webhooks request. (Type: `ListWebhooksInput`) /// - /// - Returns: `ListWebhooksOutput` : The result structure for the list webhooks request. + /// - Returns: The result structure for the list webhooks request. (Type: `ListWebhooksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2286,7 +2258,6 @@ extension AmplifyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWebhooksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWebhooksOutput.httpOutput(from:), ListWebhooksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2318,9 +2289,9 @@ extension AmplifyClient { /// /// Starts a deployment for a manually deployed app. Manually deployed apps are not connected to a Git repository. The maximum duration between the CreateDeployment call and the StartDeployment call cannot exceed 8 hours. If the duration exceeds 8 hours, the StartDeployment call and the associated Job will fail. /// - /// - Parameter StartDeploymentInput : The request structure for the start a deployment request. + /// - Parameter input: The request structure for the start a deployment request. (Type: `StartDeploymentInput`) /// - /// - Returns: `StartDeploymentOutput` : The result structure for the start a deployment request. + /// - Returns: The result structure for the start a deployment request. (Type: `StartDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2358,7 +2329,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDeploymentOutput.httpOutput(from:), StartDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2390,9 +2360,9 @@ extension AmplifyClient { /// /// Starts a new job for a branch of an Amplify app. /// - /// - Parameter StartJobInput : The request structure for the start job request. + /// - Parameter input: The request structure for the start job request. (Type: `StartJobInput`) /// - /// - Returns: `StartJobOutput` : The result structure for the run job request. + /// - Returns: The result structure for the run job request. (Type: `StartJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2430,7 +2400,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartJobOutput.httpOutput(from:), StartJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2462,9 +2431,9 @@ extension AmplifyClient { /// /// Stops a job that is in progress for a branch of an Amplify app. /// - /// - Parameter StopJobInput : The request structure for the stop job request. + /// - Parameter input: The request structure for the stop job request. (Type: `StopJobInput`) /// - /// - Returns: `StopJobOutput` : The result structure for the stop job request. + /// - Returns: The result structure for the stop job request. (Type: `StopJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2499,7 +2468,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopJobOutput.httpOutput(from:), StopJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2531,9 +2499,9 @@ extension AmplifyClient { /// /// Tags the resource with a tag key and value. /// - /// - Parameter TagResourceInput : The request structure to tag a resource with a tag key and value. + /// - Parameter input: The request structure to tag a resource with a tag key and value. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : The response for the tag resource request. + /// - Returns: The response for the tag resource request. (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2569,7 +2537,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2601,9 +2568,9 @@ extension AmplifyClient { /// /// Untags a resource with a specified Amazon Resource Name (ARN). /// - /// - Parameter UntagResourceInput : The request structure for the untag resource request. + /// - Parameter input: The request structure for the untag resource request. (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : The response for the untag resource request. + /// - Returns: The response for the untag resource request. (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2637,7 +2604,6 @@ extension AmplifyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2669,9 +2635,9 @@ extension AmplifyClient { /// /// Updates an existing Amplify app. /// - /// - Parameter UpdateAppInput : The request structure for the update app request. + /// - Parameter input: The request structure for the update app request. (Type: `UpdateAppInput`) /// - /// - Returns: `UpdateAppOutput` : The result structure for an Amplify app update request. + /// - Returns: The result structure for an Amplify app update request. (Type: `UpdateAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2708,7 +2674,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppOutput.httpOutput(from:), UpdateAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2740,9 +2705,9 @@ extension AmplifyClient { /// /// Updates a branch for an Amplify app. /// - /// - Parameter UpdateBranchInput : The request structure for the update branch request. + /// - Parameter input: The request structure for the update branch request. (Type: `UpdateBranchInput`) /// - /// - Returns: `UpdateBranchOutput` : The result structure for the update branch request. + /// - Returns: The result structure for the update branch request. (Type: `UpdateBranchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2780,7 +2745,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBranchOutput.httpOutput(from:), UpdateBranchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2812,9 +2776,9 @@ extension AmplifyClient { /// /// Creates a new domain association for an Amplify app. /// - /// - Parameter UpdateDomainAssociationInput : The request structure for the update domain association request. + /// - Parameter input: The request structure for the update domain association request. (Type: `UpdateDomainAssociationInput`) /// - /// - Returns: `UpdateDomainAssociationOutput` : The result structure for the update domain association request. + /// - Returns: The result structure for the update domain association request. (Type: `UpdateDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2852,7 +2816,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainAssociationOutput.httpOutput(from:), UpdateDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2884,9 +2847,9 @@ extension AmplifyClient { /// /// Updates a webhook. /// - /// - Parameter UpdateWebhookInput : The request structure for the update webhook request. + /// - Parameter input: The request structure for the update webhook request. (Type: `UpdateWebhookInput`) /// - /// - Returns: `UpdateWebhookOutput` : The result structure for the update webhook request. + /// - Returns: The result structure for the update webhook request. (Type: `UpdateWebhookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2924,7 +2887,6 @@ extension AmplifyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWebhookOutput.httpOutput(from:), UpdateWebhookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAmplifyBackend/Sources/AWSAmplifyBackend/AmplifyBackendClient.swift b/Sources/Services/AWSAmplifyBackend/Sources/AWSAmplifyBackend/AmplifyBackendClient.swift index 911ba08f197..61204edd09d 100644 --- a/Sources/Services/AWSAmplifyBackend/Sources/AWSAmplifyBackend/AmplifyBackendClient.swift +++ b/Sources/Services/AWSAmplifyBackend/Sources/AWSAmplifyBackend/AmplifyBackendClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AmplifyBackendClient: ClientRuntime.Client { public static let clientName = "AmplifyBackendClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AmplifyBackendClient.AmplifyBackendClientConfiguration let serviceName = "AmplifyBackend" @@ -372,9 +371,9 @@ extension AmplifyBackendClient { /// /// This operation clones an existing backend. /// - /// - Parameter CloneBackendInput : The request body for CloneBackend. + /// - Parameter input: The request body for CloneBackend. (Type: `CloneBackendInput`) /// - /// - Returns: `CloneBackendOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CloneBackendOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CloneBackendOutput.httpOutput(from:), CloneBackendOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension AmplifyBackendClient { /// /// This operation creates a backend for an Amplify app. Backends are automatically created at the time of app creation. /// - /// - Parameter CreateBackendInput : The request body for CreateBackend. + /// - Parameter input: The request body for CreateBackend. (Type: `CreateBackendInput`) /// - /// - Returns: `CreateBackendOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBackendOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -482,7 +480,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackendOutput.httpOutput(from:), CreateBackendOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -514,9 +511,9 @@ extension AmplifyBackendClient { /// /// Creates a new backend API resource. /// - /// - Parameter CreateBackendAPIInput : The request body for CreateBackendAPI. + /// - Parameter input: The request body for CreateBackendAPI. (Type: `CreateBackendAPIInput`) /// - /// - Returns: `CreateBackendAPIOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBackendAPIOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackendAPIOutput.httpOutput(from:), CreateBackendAPIOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +581,9 @@ extension AmplifyBackendClient { /// /// Creates a new backend authentication resource. /// - /// - Parameter CreateBackendAuthInput : The request body for CreateBackendAuth. + /// - Parameter input: The request body for CreateBackendAuth. (Type: `CreateBackendAuthInput`) /// - /// - Returns: `CreateBackendAuthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBackendAuthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -624,7 +620,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackendAuthOutput.httpOutput(from:), CreateBackendAuthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -656,9 +651,9 @@ extension AmplifyBackendClient { /// /// Creates a config object for a backend. /// - /// - Parameter CreateBackendConfigInput : The request body for CreateBackendConfig. + /// - Parameter input: The request body for CreateBackendConfig. (Type: `CreateBackendConfigInput`) /// - /// - Returns: `CreateBackendConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBackendConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -695,7 +690,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackendConfigOutput.httpOutput(from:), CreateBackendConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -727,9 +721,9 @@ extension AmplifyBackendClient { /// /// Creates a backend storage resource. /// - /// - Parameter CreateBackendStorageInput : The request body for CreateBackendStorage. + /// - Parameter input: The request body for CreateBackendStorage. (Type: `CreateBackendStorageInput`) /// - /// - Returns: `CreateBackendStorageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBackendStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -766,7 +760,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackendStorageOutput.httpOutput(from:), CreateBackendStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -798,9 +791,9 @@ extension AmplifyBackendClient { /// /// Generates a one-time challenge code to authenticate a user into your Amplify Admin UI. /// - /// - Parameter CreateTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTokenInput`) /// - /// - Returns: `CreateTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -834,7 +827,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTokenOutput.httpOutput(from:), CreateTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -866,9 +858,9 @@ extension AmplifyBackendClient { /// /// Removes an existing environment from your Amplify project. /// - /// - Parameter DeleteBackendInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBackendInput`) /// - /// - Returns: `DeleteBackendOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackendOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -902,7 +894,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackendOutput.httpOutput(from:), DeleteBackendOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -934,9 +925,9 @@ extension AmplifyBackendClient { /// /// Deletes an existing backend API resource. /// - /// - Parameter DeleteBackendAPIInput : The request body for DeleteBackendAPI. + /// - Parameter input: The request body for DeleteBackendAPI. (Type: `DeleteBackendAPIInput`) /// - /// - Returns: `DeleteBackendAPIOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackendAPIOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -973,7 +964,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackendAPIOutput.httpOutput(from:), DeleteBackendAPIOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1005,9 +995,9 @@ extension AmplifyBackendClient { /// /// Deletes an existing backend authentication resource. /// - /// - Parameter DeleteBackendAuthInput : The request body for DeleteBackendAuth. + /// - Parameter input: The request body for DeleteBackendAuth. (Type: `DeleteBackendAuthInput`) /// - /// - Returns: `DeleteBackendAuthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackendAuthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1044,7 +1034,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackendAuthOutput.httpOutput(from:), DeleteBackendAuthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1076,9 +1065,9 @@ extension AmplifyBackendClient { /// /// Removes the specified backend storage resource. /// - /// - Parameter DeleteBackendStorageInput : The request body for DeleteBackendStorage. + /// - Parameter input: The request body for DeleteBackendStorage. (Type: `DeleteBackendStorageInput`) /// - /// - Returns: `DeleteBackendStorageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackendStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1115,7 +1104,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackendStorageOutput.httpOutput(from:), DeleteBackendStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1147,9 +1135,9 @@ extension AmplifyBackendClient { /// /// Deletes the challenge token based on the given appId and sessionId. /// - /// - Parameter DeleteTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTokenInput`) /// - /// - Returns: `DeleteTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1183,7 +1171,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTokenOutput.httpOutput(from:), DeleteTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1215,9 +1202,9 @@ extension AmplifyBackendClient { /// /// Generates a model schema for an existing backend API resource. /// - /// - Parameter GenerateBackendAPIModelsInput : The request body for GenerateBackendAPIModels. + /// - Parameter input: The request body for GenerateBackendAPIModels. (Type: `GenerateBackendAPIModelsInput`) /// - /// - Returns: `GenerateBackendAPIModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateBackendAPIModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1254,7 +1241,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateBackendAPIModelsOutput.httpOutput(from:), GenerateBackendAPIModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1286,9 +1272,9 @@ extension AmplifyBackendClient { /// /// Provides project-level details for your Amplify UI project. /// - /// - Parameter GetBackendInput : The request body for GetBackend. + /// - Parameter input: The request body for GetBackend. (Type: `GetBackendInput`) /// - /// - Returns: `GetBackendOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackendOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1325,7 +1311,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackendOutput.httpOutput(from:), GetBackendOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1357,9 +1342,9 @@ extension AmplifyBackendClient { /// /// Gets the details for a backend API. /// - /// - Parameter GetBackendAPIInput : The request body for GetBackendAPI. + /// - Parameter input: The request body for GetBackendAPI. (Type: `GetBackendAPIInput`) /// - /// - Returns: `GetBackendAPIOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackendAPIOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1381,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackendAPIOutput.httpOutput(from:), GetBackendAPIOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1428,9 +1412,9 @@ extension AmplifyBackendClient { /// /// Gets a model introspection schema for an existing backend API resource. /// - /// - Parameter GetBackendAPIModelsInput : The request body for GetBackendAPIModels. + /// - Parameter input: The request body for GetBackendAPIModels. (Type: `GetBackendAPIModelsInput`) /// - /// - Returns: `GetBackendAPIModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackendAPIModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1467,7 +1451,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackendAPIModelsOutput.httpOutput(from:), GetBackendAPIModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1499,9 +1482,9 @@ extension AmplifyBackendClient { /// /// Gets a backend auth details. /// - /// - Parameter GetBackendAuthInput : The request body for GetBackendAuth. + /// - Parameter input: The request body for GetBackendAuth. (Type: `GetBackendAuthInput`) /// - /// - Returns: `GetBackendAuthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackendAuthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1538,7 +1521,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackendAuthOutput.httpOutput(from:), GetBackendAuthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1570,9 +1552,9 @@ extension AmplifyBackendClient { /// /// Returns information about a specific job. /// - /// - Parameter GetBackendJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBackendJobInput`) /// - /// - Returns: `GetBackendJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackendJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1606,7 +1588,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackendJobOutput.httpOutput(from:), GetBackendJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1638,9 +1619,9 @@ extension AmplifyBackendClient { /// /// Gets details for a backend storage resource. /// - /// - Parameter GetBackendStorageInput : The request body for GetBackendStorage. + /// - Parameter input: The request body for GetBackendStorage. (Type: `GetBackendStorageInput`) /// - /// - Returns: `GetBackendStorageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackendStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1677,7 +1658,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackendStorageOutput.httpOutput(from:), GetBackendStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1709,9 +1689,9 @@ extension AmplifyBackendClient { /// /// Gets the challenge token based on the given appId and sessionId. /// - /// - Parameter GetTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTokenInput`) /// - /// - Returns: `GetTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1745,7 +1725,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTokenOutput.httpOutput(from:), GetTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1777,9 +1756,9 @@ extension AmplifyBackendClient { /// /// Imports an existing backend authentication resource. /// - /// - Parameter ImportBackendAuthInput : The request body for ImportBackendAuth. + /// - Parameter input: The request body for ImportBackendAuth. (Type: `ImportBackendAuthInput`) /// - /// - Returns: `ImportBackendAuthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportBackendAuthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1816,7 +1795,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportBackendAuthOutput.httpOutput(from:), ImportBackendAuthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1848,9 +1826,9 @@ extension AmplifyBackendClient { /// /// Imports an existing backend storage resource. /// - /// - Parameter ImportBackendStorageInput : The request body for ImportBackendStorage. + /// - Parameter input: The request body for ImportBackendStorage. (Type: `ImportBackendStorageInput`) /// - /// - Returns: `ImportBackendStorageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportBackendStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1887,7 +1865,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportBackendStorageOutput.httpOutput(from:), ImportBackendStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1919,9 +1896,9 @@ extension AmplifyBackendClient { /// /// Lists the jobs for the backend of an Amplify app. /// - /// - Parameter ListBackendJobsInput : The request body for ListBackendJobs. + /// - Parameter input: The request body for ListBackendJobs. (Type: `ListBackendJobsInput`) /// - /// - Returns: `ListBackendJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBackendJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1958,7 +1935,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBackendJobsOutput.httpOutput(from:), ListBackendJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1990,9 +1966,9 @@ extension AmplifyBackendClient { /// /// The list of S3 buckets in your account. /// - /// - Parameter ListS3BucketsInput : The request body for S3Buckets. + /// - Parameter input: The request body for S3Buckets. (Type: `ListS3BucketsInput`) /// - /// - Returns: `ListS3BucketsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListS3BucketsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2029,7 +2005,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListS3BucketsOutput.httpOutput(from:), ListS3BucketsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2061,9 +2036,9 @@ extension AmplifyBackendClient { /// /// Removes all backend environments from your Amplify project. /// - /// - Parameter RemoveAllBackendsInput : The request body for RemoveAllBackends. + /// - Parameter input: The request body for RemoveAllBackends. (Type: `RemoveAllBackendsInput`) /// - /// - Returns: `RemoveAllBackendsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveAllBackendsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2100,7 +2075,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveAllBackendsOutput.httpOutput(from:), RemoveAllBackendsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2132,9 +2106,9 @@ extension AmplifyBackendClient { /// /// Removes the AWS resources required to access the Amplify Admin UI. /// - /// - Parameter RemoveBackendConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveBackendConfigInput`) /// - /// - Returns: `RemoveBackendConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveBackendConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2168,7 +2142,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveBackendConfigOutput.httpOutput(from:), RemoveBackendConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2200,9 +2173,9 @@ extension AmplifyBackendClient { /// /// Updates an existing backend API resource. /// - /// - Parameter UpdateBackendAPIInput : The request body for UpdateBackendAPI. + /// - Parameter input: The request body for UpdateBackendAPI. (Type: `UpdateBackendAPIInput`) /// - /// - Returns: `UpdateBackendAPIOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBackendAPIOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2239,7 +2212,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBackendAPIOutput.httpOutput(from:), UpdateBackendAPIOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2271,9 +2243,9 @@ extension AmplifyBackendClient { /// /// Updates an existing backend authentication resource. /// - /// - Parameter UpdateBackendAuthInput : The request body for UpdateBackendAuth. + /// - Parameter input: The request body for UpdateBackendAuth. (Type: `UpdateBackendAuthInput`) /// - /// - Returns: `UpdateBackendAuthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBackendAuthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2310,7 +2282,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBackendAuthOutput.httpOutput(from:), UpdateBackendAuthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2342,9 +2313,9 @@ extension AmplifyBackendClient { /// /// Updates the AWS resources required to access the Amplify Admin UI. /// - /// - Parameter UpdateBackendConfigInput : The request body for UpdateBackendConfig. + /// - Parameter input: The request body for UpdateBackendConfig. (Type: `UpdateBackendConfigInput`) /// - /// - Returns: `UpdateBackendConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBackendConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2381,7 +2352,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBackendConfigOutput.httpOutput(from:), UpdateBackendConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2413,9 +2383,9 @@ extension AmplifyBackendClient { /// /// Updates a specific job. /// - /// - Parameter UpdateBackendJobInput : The request body for GetBackendJob. + /// - Parameter input: The request body for GetBackendJob. (Type: `UpdateBackendJobInput`) /// - /// - Returns: `UpdateBackendJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBackendJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2452,7 +2422,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBackendJobOutput.httpOutput(from:), UpdateBackendJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2484,9 +2453,9 @@ extension AmplifyBackendClient { /// /// Updates an existing backend storage resource. /// - /// - Parameter UpdateBackendStorageInput : The request body for UpdateBackendStorage. + /// - Parameter input: The request body for UpdateBackendStorage. (Type: `UpdateBackendStorageInput`) /// - /// - Returns: `UpdateBackendStorageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBackendStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2523,7 +2492,6 @@ extension AmplifyBackendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBackendStorageOutput.httpOutput(from:), UpdateBackendStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAmplifyUIBuilder/Sources/AWSAmplifyUIBuilder/AmplifyUIBuilderClient.swift b/Sources/Services/AWSAmplifyUIBuilder/Sources/AWSAmplifyUIBuilder/AmplifyUIBuilderClient.swift index d8895a7b303..a63e9a08578 100644 --- a/Sources/Services/AWSAmplifyUIBuilder/Sources/AWSAmplifyUIBuilder/AmplifyUIBuilderClient.swift +++ b/Sources/Services/AWSAmplifyUIBuilder/Sources/AWSAmplifyUIBuilder/AmplifyUIBuilderClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AmplifyUIBuilderClient: ClientRuntime.Client { public static let clientName = "AmplifyUIBuilderClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AmplifyUIBuilderClient.AmplifyUIBuilderClientConfiguration let serviceName = "AmplifyUIBuilder" @@ -375,9 +374,9 @@ extension AmplifyUIBuilderClient { /// /// Creates a new component for an Amplify app. /// - /// - Parameter CreateComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateComponentInput`) /// - /// - Returns: `CreateComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComponentOutput.httpOutput(from:), CreateComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension AmplifyUIBuilderClient { /// /// Creates a new form for an Amplify app. /// - /// - Parameter CreateFormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFormInput`) /// - /// - Returns: `CreateFormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFormOutput.httpOutput(from:), CreateFormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension AmplifyUIBuilderClient { /// /// Creates a theme to apply to the components in an Amplify app. /// - /// - Parameter CreateThemeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateThemeInput`) /// - /// - Returns: `CreateThemeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateThemeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateThemeOutput.httpOutput(from:), CreateThemeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension AmplifyUIBuilderClient { /// /// Deletes a component from an Amplify app. /// - /// - Parameter DeleteComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteComponentInput`) /// - /// - Returns: `DeleteComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteComponentOutput.httpOutput(from:), DeleteComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension AmplifyUIBuilderClient { /// /// Deletes a form from an Amplify app. /// - /// - Parameter DeleteFormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFormInput`) /// - /// - Returns: `DeleteFormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFormOutput.httpOutput(from:), DeleteFormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension AmplifyUIBuilderClient { /// /// Deletes a theme from an Amplify app. /// - /// - Parameter DeleteThemeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteThemeInput`) /// - /// - Returns: `DeleteThemeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteThemeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -763,7 +757,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThemeOutput.httpOutput(from:), DeleteThemeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -795,9 +788,9 @@ extension AmplifyUIBuilderClient { /// /// This is for internal use. Amplify uses this action to exchange an access code for a token. /// - /// - Parameter ExchangeCodeForTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExchangeCodeForTokenInput`) /// - /// - Returns: `ExchangeCodeForTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExchangeCodeForTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -831,7 +824,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExchangeCodeForTokenOutput.httpOutput(from:), ExchangeCodeForTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -863,9 +855,9 @@ extension AmplifyUIBuilderClient { /// /// Exports component configurations to code that is ready to integrate into an Amplify app. /// - /// - Parameter ExportComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportComponentsInput`) /// - /// - Returns: `ExportComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -898,7 +890,6 @@ extension AmplifyUIBuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ExportComponentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportComponentsOutput.httpOutput(from:), ExportComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -930,9 +921,9 @@ extension AmplifyUIBuilderClient { /// /// Exports form configurations to code that is ready to integrate into an Amplify app. /// - /// - Parameter ExportFormsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportFormsInput`) /// - /// - Returns: `ExportFormsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportFormsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -965,7 +956,6 @@ extension AmplifyUIBuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ExportFormsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportFormsOutput.httpOutput(from:), ExportFormsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -997,9 +987,9 @@ extension AmplifyUIBuilderClient { /// /// Exports theme configurations to code that is ready to integrate into an Amplify app. /// - /// - Parameter ExportThemesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportThemesInput`) /// - /// - Returns: `ExportThemesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportThemesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1032,7 +1022,6 @@ extension AmplifyUIBuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ExportThemesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportThemesOutput.httpOutput(from:), ExportThemesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1064,9 +1053,9 @@ extension AmplifyUIBuilderClient { /// /// Returns an existing code generation job. /// - /// - Parameter GetCodegenJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCodegenJobInput`) /// - /// - Returns: `GetCodegenJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCodegenJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1100,7 +1089,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCodegenJobOutput.httpOutput(from:), GetCodegenJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1132,9 +1120,9 @@ extension AmplifyUIBuilderClient { /// /// Returns an existing component for an Amplify app. /// - /// - Parameter GetComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComponentInput`) /// - /// - Returns: `GetComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1167,7 +1155,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComponentOutput.httpOutput(from:), GetComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1199,9 +1186,9 @@ extension AmplifyUIBuilderClient { /// /// Returns an existing form for an Amplify app. /// - /// - Parameter GetFormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFormInput`) /// - /// - Returns: `GetFormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1234,7 +1221,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFormOutput.httpOutput(from:), GetFormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1266,9 +1252,9 @@ extension AmplifyUIBuilderClient { /// /// Returns existing metadata for an Amplify app. /// - /// - Parameter GetMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetadataInput`) /// - /// - Returns: `GetMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1300,7 +1286,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetadataOutput.httpOutput(from:), GetMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1332,9 +1317,9 @@ extension AmplifyUIBuilderClient { /// /// Returns an existing theme for an Amplify app. /// - /// - Parameter GetThemeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetThemeInput`) /// - /// - Returns: `GetThemeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetThemeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1367,7 +1352,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetThemeOutput.httpOutput(from:), GetThemeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1399,9 +1383,9 @@ extension AmplifyUIBuilderClient { /// /// Retrieves a list of code generation jobs for a specified Amplify app and backend environment. /// - /// - Parameter ListCodegenJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCodegenJobsInput`) /// - /// - Returns: `ListCodegenJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCodegenJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1435,7 +1419,6 @@ extension AmplifyUIBuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCodegenJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCodegenJobsOutput.httpOutput(from:), ListCodegenJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1467,9 +1450,9 @@ extension AmplifyUIBuilderClient { /// /// Retrieves a list of components for a specified Amplify app and backend environment. /// - /// - Parameter ListComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentsInput`) /// - /// - Returns: `ListComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1502,7 +1485,6 @@ extension AmplifyUIBuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListComponentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentsOutput.httpOutput(from:), ListComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1534,9 +1516,9 @@ extension AmplifyUIBuilderClient { /// /// Retrieves a list of forms for a specified Amplify app and backend environment. /// - /// - Parameter ListFormsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFormsInput`) /// - /// - Returns: `ListFormsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFormsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1569,7 +1551,6 @@ extension AmplifyUIBuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFormsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFormsOutput.httpOutput(from:), ListFormsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1601,9 +1582,9 @@ extension AmplifyUIBuilderClient { /// /// Returns a list of tags for a specified Amazon Resource Name (ARN). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1638,7 +1619,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1670,9 +1650,9 @@ extension AmplifyUIBuilderClient { /// /// Retrieves a list of themes for a specified Amplify app and backend environment. /// - /// - Parameter ListThemesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThemesInput`) /// - /// - Returns: `ListThemesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThemesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1705,7 +1685,6 @@ extension AmplifyUIBuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThemesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThemesOutput.httpOutput(from:), ListThemesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1737,9 +1716,9 @@ extension AmplifyUIBuilderClient { /// /// Stores the metadata information about a feature on a form. /// - /// - Parameter PutMetadataFlagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMetadataFlagInput`) /// - /// - Returns: `PutMetadataFlagOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMetadataFlagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1774,7 +1753,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMetadataFlagOutput.httpOutput(from:), PutMetadataFlagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1806,9 +1784,9 @@ extension AmplifyUIBuilderClient { /// /// This is for internal use. Amplify uses this action to refresh a previously issued access token that might have expired. /// - /// - Parameter RefreshTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RefreshTokenInput`) /// - /// - Returns: `RefreshTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RefreshTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1842,7 +1820,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RefreshTokenOutput.httpOutput(from:), RefreshTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1874,9 +1851,9 @@ extension AmplifyUIBuilderClient { /// /// Starts a code generation job for a specified Amplify app and backend environment. /// - /// - Parameter StartCodegenJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCodegenJobInput`) /// - /// - Returns: `StartCodegenJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCodegenJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1914,7 +1891,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCodegenJobOutput.httpOutput(from:), StartCodegenJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1946,9 +1922,9 @@ extension AmplifyUIBuilderClient { /// /// Tags the resource with a tag key and value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1986,7 +1962,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2018,9 +1993,9 @@ extension AmplifyUIBuilderClient { /// /// Untags a resource with a specified Amazon Resource Name (ARN). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2056,7 +2031,6 @@ extension AmplifyUIBuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2088,9 +2062,9 @@ extension AmplifyUIBuilderClient { /// /// Updates an existing component. /// - /// - Parameter UpdateComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateComponentInput`) /// - /// - Returns: `UpdateComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2128,7 +2102,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateComponentOutput.httpOutput(from:), UpdateComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2160,9 +2133,9 @@ extension AmplifyUIBuilderClient { /// /// Updates an existing form. /// - /// - Parameter UpdateFormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFormInput`) /// - /// - Returns: `UpdateFormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2200,7 +2173,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFormOutput.httpOutput(from:), UpdateFormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2232,9 +2204,9 @@ extension AmplifyUIBuilderClient { /// /// Updates an existing theme. /// - /// - Parameter UpdateThemeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThemeInput`) /// - /// - Returns: `UpdateThemeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThemeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2272,7 +2244,6 @@ extension AmplifyUIBuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThemeOutput.httpOutput(from:), UpdateThemeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSApiGatewayManagementApi/Sources/AWSApiGatewayManagementApi/ApiGatewayManagementApiClient.swift b/Sources/Services/AWSApiGatewayManagementApi/Sources/AWSApiGatewayManagementApi/ApiGatewayManagementApiClient.swift index 1fe024a0100..29002d3891a 100644 --- a/Sources/Services/AWSApiGatewayManagementApi/Sources/AWSApiGatewayManagementApi/ApiGatewayManagementApiClient.swift +++ b/Sources/Services/AWSApiGatewayManagementApi/Sources/AWSApiGatewayManagementApi/ApiGatewayManagementApiClient.swift @@ -22,7 +22,6 @@ import class Smithy.Context import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ApiGatewayManagementApiClient: ClientRuntime.Client { public static let clientName = "ApiGatewayManagementApiClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ApiGatewayManagementApiClient.ApiGatewayManagementApiClientConfiguration let serviceName = "ApiGatewayManagementApi" @@ -372,9 +371,9 @@ extension ApiGatewayManagementApiClient { /// /// Delete the connection with the provided id. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -407,7 +406,6 @@ extension ApiGatewayManagementApiClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -439,9 +437,9 @@ extension ApiGatewayManagementApiClient { /// /// Get information about the connection with the provided id. /// - /// - Parameter GetConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionInput`) /// - /// - Returns: `GetConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -474,7 +472,6 @@ extension ApiGatewayManagementApiClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionOutput.httpOutput(from:), GetConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -506,9 +503,9 @@ extension ApiGatewayManagementApiClient { /// /// Sends the provided data to the specified connection. /// - /// - Parameter PostToConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PostToConnectionInput`) /// - /// - Returns: `PostToConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PostToConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -545,7 +542,6 @@ extension ApiGatewayManagementApiClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostToConnectionOutput.httpOutput(from:), PostToConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSApiGatewayV2/Sources/AWSApiGatewayV2/ApiGatewayV2Client.swift b/Sources/Services/AWSApiGatewayV2/Sources/AWSApiGatewayV2/ApiGatewayV2Client.swift index 4792785ec94..38234ec4ae6 100644 --- a/Sources/Services/AWSApiGatewayV2/Sources/AWSApiGatewayV2/ApiGatewayV2Client.swift +++ b/Sources/Services/AWSApiGatewayV2/Sources/AWSApiGatewayV2/ApiGatewayV2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ApiGatewayV2Client: ClientRuntime.Client { public static let clientName = "ApiGatewayV2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ApiGatewayV2Client.ApiGatewayV2ClientConfiguration let serviceName = "ApiGatewayV2" @@ -374,9 +373,9 @@ extension ApiGatewayV2Client { /// /// Creates an Api resource. /// - /// - Parameter CreateApiInput : Creates a new Api resource to represent an API. + /// - Parameter input: Creates a new Api resource to represent an API. (Type: `CreateApiInput`) /// - /// - Returns: `CreateApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApiOutput.httpOutput(from:), CreateApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension ApiGatewayV2Client { /// /// Creates an API mapping. /// - /// - Parameter CreateApiMappingInput : Creates a new ApiMapping resource to represent an API mapping. + /// - Parameter input: Creates a new ApiMapping resource to represent an API mapping. (Type: `CreateApiMappingInput`) /// - /// - Returns: `CreateApiMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApiMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApiMappingOutput.httpOutput(from:), CreateApiMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension ApiGatewayV2Client { /// /// Creates an Authorizer for an API. /// - /// - Parameter CreateAuthorizerInput : Creates a new Authorizer resource to represent an authorizer. + /// - Parameter input: Creates a new Authorizer resource to represent an authorizer. (Type: `CreateAuthorizerInput`) /// - /// - Returns: `CreateAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAuthorizerOutput.httpOutput(from:), CreateAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension ApiGatewayV2Client { /// /// Creates a Deployment for an API. /// - /// - Parameter CreateDeploymentInput : Creates a new Deployment resource to represent a deployment. + /// - Parameter input: Creates a new Deployment resource to represent a deployment. (Type: `CreateDeploymentInput`) /// - /// - Returns: `CreateDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentOutput.httpOutput(from:), CreateDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension ApiGatewayV2Client { /// /// Creates a domain name. /// - /// - Parameter CreateDomainNameInput : Creates a new DomainName resource to represent a domain name. + /// - Parameter input: Creates a new DomainName resource to represent a domain name. (Type: `CreateDomainNameInput`) /// - /// - Returns: `CreateDomainNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainNameOutput.httpOutput(from:), CreateDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension ApiGatewayV2Client { /// /// Creates an Integration. /// - /// - Parameter CreateIntegrationInput : Creates a new Integration resource to represent an integration. + /// - Parameter input: Creates a new Integration resource to represent an integration. (Type: `CreateIntegrationInput`) /// - /// - Returns: `CreateIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -769,7 +763,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntegrationOutput.httpOutput(from:), CreateIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -801,9 +794,9 @@ extension ApiGatewayV2Client { /// /// Creates an IntegrationResponses. /// - /// - Parameter CreateIntegrationResponseInput : Creates a new IntegrationResponse resource to represent an integration response. + /// - Parameter input: Creates a new IntegrationResponse resource to represent an integration response. (Type: `CreateIntegrationResponseInput`) /// - /// - Returns: `CreateIntegrationResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIntegrationResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntegrationResponseOutput.httpOutput(from:), CreateIntegrationResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -872,9 +864,9 @@ extension ApiGatewayV2Client { /// /// Creates a Model for an API. /// - /// - Parameter CreateModelInput : Creates a new Model. + /// - Parameter input: Creates a new Model. (Type: `CreateModelInput`) /// - /// - Returns: `CreateModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -911,7 +903,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelOutput.httpOutput(from:), CreateModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -943,9 +934,9 @@ extension ApiGatewayV2Client { /// /// Creates a Route for an API. /// - /// - Parameter CreateRouteInput : Creates a new Route resource to represent a route. + /// - Parameter input: Creates a new Route resource to represent a route. (Type: `CreateRouteInput`) /// - /// - Returns: `CreateRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -982,7 +973,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRouteOutput.httpOutput(from:), CreateRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1014,9 +1004,9 @@ extension ApiGatewayV2Client { /// /// Creates a RouteResponse for a Route. /// - /// - Parameter CreateRouteResponseInput : Creates a new RouteResponse resource to represent a route response. + /// - Parameter input: Creates a new RouteResponse resource to represent a route response. (Type: `CreateRouteResponseInput`) /// - /// - Returns: `CreateRouteResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRouteResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1053,7 +1043,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRouteResponseOutput.httpOutput(from:), CreateRouteResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1085,9 +1074,9 @@ extension ApiGatewayV2Client { /// /// Creates a RoutingRule. /// - /// - Parameter CreateRoutingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRoutingRuleInput`) /// - /// - Returns: `CreateRoutingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRoutingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1125,7 +1114,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRoutingRuleOutput.httpOutput(from:), CreateRoutingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1157,9 +1145,9 @@ extension ApiGatewayV2Client { /// /// Creates a Stage for an API. /// - /// - Parameter CreateStageInput : Creates a new Stage resource to represent a stage. + /// - Parameter input: Creates a new Stage resource to represent a stage. (Type: `CreateStageInput`) /// - /// - Returns: `CreateStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1196,7 +1184,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStageOutput.httpOutput(from:), CreateStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1228,9 +1215,9 @@ extension ApiGatewayV2Client { /// /// Creates a VPC link. /// - /// - Parameter CreateVpcLinkInput : Creates a VPC link + /// - Parameter input: Creates a VPC link (Type: `CreateVpcLinkInput`) /// - /// - Returns: `CreateVpcLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1265,7 +1252,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcLinkOutput.httpOutput(from:), CreateVpcLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1297,9 +1283,9 @@ extension ApiGatewayV2Client { /// /// Deletes the AccessLogSettings for a Stage. To disable access logging for a Stage, delete its AccessLogSettings. /// - /// - Parameter DeleteAccessLogSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessLogSettingsInput`) /// - /// - Returns: `DeleteAccessLogSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessLogSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1331,7 +1317,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessLogSettingsOutput.httpOutput(from:), DeleteAccessLogSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1363,9 +1348,9 @@ extension ApiGatewayV2Client { /// /// Deletes an Api resource. /// - /// - Parameter DeleteApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApiInput`) /// - /// - Returns: `DeleteApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1397,7 +1382,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApiOutput.httpOutput(from:), DeleteApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1429,9 +1413,9 @@ extension ApiGatewayV2Client { /// /// Deletes an API mapping. /// - /// - Parameter DeleteApiMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApiMappingInput`) /// - /// - Returns: `DeleteApiMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApiMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1464,7 +1448,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApiMappingOutput.httpOutput(from:), DeleteApiMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1479,9 @@ extension ApiGatewayV2Client { /// /// Deletes an Authorizer. /// - /// - Parameter DeleteAuthorizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAuthorizerInput`) /// - /// - Returns: `DeleteAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1530,7 +1513,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAuthorizerOutput.httpOutput(from:), DeleteAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1562,9 +1544,9 @@ extension ApiGatewayV2Client { /// /// Deletes a CORS configuration. /// - /// - Parameter DeleteCorsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCorsConfigurationInput`) /// - /// - Returns: `DeleteCorsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCorsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1596,7 +1578,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCorsConfigurationOutput.httpOutput(from:), DeleteCorsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1628,9 +1609,9 @@ extension ApiGatewayV2Client { /// /// Deletes a Deployment. /// - /// - Parameter DeleteDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeploymentInput`) /// - /// - Returns: `DeleteDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1662,7 +1643,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeploymentOutput.httpOutput(from:), DeleteDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1694,9 +1674,9 @@ extension ApiGatewayV2Client { /// /// Deletes a domain name. /// - /// - Parameter DeleteDomainNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainNameInput`) /// - /// - Returns: `DeleteDomainNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1728,7 +1708,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainNameOutput.httpOutput(from:), DeleteDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1760,9 +1739,9 @@ extension ApiGatewayV2Client { /// /// Deletes an Integration. /// - /// - Parameter DeleteIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntegrationInput`) /// - /// - Returns: `DeleteIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1794,7 +1773,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationOutput.httpOutput(from:), DeleteIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1826,9 +1804,9 @@ extension ApiGatewayV2Client { /// /// Deletes an IntegrationResponses. /// - /// - Parameter DeleteIntegrationResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntegrationResponseInput`) /// - /// - Returns: `DeleteIntegrationResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntegrationResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1860,7 +1838,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationResponseOutput.httpOutput(from:), DeleteIntegrationResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1892,9 +1869,9 @@ extension ApiGatewayV2Client { /// /// Deletes a Model. /// - /// - Parameter DeleteModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelInput`) /// - /// - Returns: `DeleteModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1926,7 +1903,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelOutput.httpOutput(from:), DeleteModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1958,9 +1934,9 @@ extension ApiGatewayV2Client { /// /// Deletes a Route. /// - /// - Parameter DeleteRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteInput`) /// - /// - Returns: `DeleteRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1992,7 +1968,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteOutput.httpOutput(from:), DeleteRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2024,9 +1999,9 @@ extension ApiGatewayV2Client { /// /// Deletes a route request parameter. Supported only for WebSocket APIs. /// - /// - Parameter DeleteRouteRequestParameterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteRequestParameterInput`) /// - /// - Returns: `DeleteRouteRequestParameterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteRequestParameterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2058,7 +2033,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteRequestParameterOutput.httpOutput(from:), DeleteRouteRequestParameterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2090,9 +2064,9 @@ extension ApiGatewayV2Client { /// /// Deletes a RouteResponse. /// - /// - Parameter DeleteRouteResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteResponseInput`) /// - /// - Returns: `DeleteRouteResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2124,7 +2098,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteResponseOutput.httpOutput(from:), DeleteRouteResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2156,9 +2129,9 @@ extension ApiGatewayV2Client { /// /// Deletes the RouteSettings for a stage. /// - /// - Parameter DeleteRouteSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteSettingsInput`) /// - /// - Returns: `DeleteRouteSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2190,7 +2163,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteSettingsOutput.httpOutput(from:), DeleteRouteSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2222,9 +2194,9 @@ extension ApiGatewayV2Client { /// /// Deletes a routing rule. /// - /// - Parameter DeleteRoutingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRoutingRuleInput`) /// - /// - Returns: `DeleteRoutingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRoutingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2258,7 +2230,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteRoutingRuleInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRoutingRuleOutput.httpOutput(from:), DeleteRoutingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2290,9 +2261,9 @@ extension ApiGatewayV2Client { /// /// Deletes a Stage. /// - /// - Parameter DeleteStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStageInput`) /// - /// - Returns: `DeleteStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2324,7 +2295,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStageOutput.httpOutput(from:), DeleteStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2356,9 +2326,9 @@ extension ApiGatewayV2Client { /// /// Deletes a VPC link. /// - /// - Parameter DeleteVpcLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcLinkInput`) /// - /// - Returns: `DeleteVpcLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2390,7 +2360,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcLinkOutput.httpOutput(from:), DeleteVpcLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2421,9 +2390,9 @@ extension ApiGatewayV2Client { /// Performs the `ExportApi` operation on the `ApiGatewayV2` service. /// /// - /// - Parameter ExportApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportApiInput`) /// - /// - Returns: `ExportApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2457,7 +2426,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ExportApiInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportApiOutput.httpOutput(from:), ExportApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2489,9 +2457,9 @@ extension ApiGatewayV2Client { /// /// Gets an Api resource. /// - /// - Parameter GetApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApiInput`) /// - /// - Returns: `GetApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2523,7 +2491,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApiOutput.httpOutput(from:), GetApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2555,9 +2522,9 @@ extension ApiGatewayV2Client { /// /// Gets an API mapping. /// - /// - Parameter GetApiMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApiMappingInput`) /// - /// - Returns: `GetApiMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApiMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2590,7 +2557,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApiMappingOutput.httpOutput(from:), GetApiMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2622,9 +2588,9 @@ extension ApiGatewayV2Client { /// /// Gets API mappings. /// - /// - Parameter GetApiMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApiMappingsInput`) /// - /// - Returns: `GetApiMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApiMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2658,7 +2624,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetApiMappingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApiMappingsOutput.httpOutput(from:), GetApiMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2690,9 +2655,9 @@ extension ApiGatewayV2Client { /// /// Gets a collection of Api resources. /// - /// - Parameter GetApisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApisInput`) /// - /// - Returns: `GetApisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2726,7 +2691,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetApisInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApisOutput.httpOutput(from:), GetApisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2758,9 +2722,9 @@ extension ApiGatewayV2Client { /// /// Gets an Authorizer. /// - /// - Parameter GetAuthorizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAuthorizerInput`) /// - /// - Returns: `GetAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2792,7 +2756,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAuthorizerOutput.httpOutput(from:), GetAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2824,9 +2787,9 @@ extension ApiGatewayV2Client { /// /// Gets the Authorizers for an API. /// - /// - Parameter GetAuthorizersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAuthorizersInput`) /// - /// - Returns: `GetAuthorizersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAuthorizersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2860,7 +2823,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAuthorizersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAuthorizersOutput.httpOutput(from:), GetAuthorizersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2892,9 +2854,9 @@ extension ApiGatewayV2Client { /// /// Gets a Deployment. /// - /// - Parameter GetDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentInput`) /// - /// - Returns: `GetDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2926,7 +2888,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentOutput.httpOutput(from:), GetDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2958,9 +2919,9 @@ extension ApiGatewayV2Client { /// /// Gets the Deployments for an API. /// - /// - Parameter GetDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentsInput`) /// - /// - Returns: `GetDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2994,7 +2955,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDeploymentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentsOutput.httpOutput(from:), GetDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3026,9 +2986,9 @@ extension ApiGatewayV2Client { /// /// Gets a domain name. /// - /// - Parameter GetDomainNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainNameInput`) /// - /// - Returns: `GetDomainNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3060,7 +3020,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainNameOutput.httpOutput(from:), GetDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3092,9 +3051,9 @@ extension ApiGatewayV2Client { /// /// Gets the domain names for an AWS account. /// - /// - Parameter GetDomainNamesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainNamesInput`) /// - /// - Returns: `GetDomainNamesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3128,7 +3087,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDomainNamesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainNamesOutput.httpOutput(from:), GetDomainNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3160,9 +3118,9 @@ extension ApiGatewayV2Client { /// /// Gets an Integration. /// - /// - Parameter GetIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntegrationInput`) /// - /// - Returns: `GetIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3194,7 +3152,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntegrationOutput.httpOutput(from:), GetIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3226,9 +3183,9 @@ extension ApiGatewayV2Client { /// /// Gets an IntegrationResponses. /// - /// - Parameter GetIntegrationResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntegrationResponseInput`) /// - /// - Returns: `GetIntegrationResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntegrationResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3260,7 +3217,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntegrationResponseOutput.httpOutput(from:), GetIntegrationResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3292,9 +3248,9 @@ extension ApiGatewayV2Client { /// /// Gets the IntegrationResponses for an Integration. /// - /// - Parameter GetIntegrationResponsesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntegrationResponsesInput`) /// - /// - Returns: `GetIntegrationResponsesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntegrationResponsesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3328,7 +3284,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetIntegrationResponsesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntegrationResponsesOutput.httpOutput(from:), GetIntegrationResponsesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3360,9 +3315,9 @@ extension ApiGatewayV2Client { /// /// Gets the Integrations for an API. /// - /// - Parameter GetIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntegrationsInput`) /// - /// - Returns: `GetIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3396,7 +3351,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetIntegrationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntegrationsOutput.httpOutput(from:), GetIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3428,9 +3382,9 @@ extension ApiGatewayV2Client { /// /// Gets a Model. /// - /// - Parameter GetModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelInput`) /// - /// - Returns: `GetModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3462,7 +3416,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelOutput.httpOutput(from:), GetModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3494,9 +3447,9 @@ extension ApiGatewayV2Client { /// /// Gets a model template. /// - /// - Parameter GetModelTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelTemplateInput`) /// - /// - Returns: `GetModelTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3528,7 +3481,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelTemplateOutput.httpOutput(from:), GetModelTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3560,9 +3512,9 @@ extension ApiGatewayV2Client { /// /// Gets the Models for an API. /// - /// - Parameter GetModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelsInput`) /// - /// - Returns: `GetModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3596,7 +3548,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelsOutput.httpOutput(from:), GetModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3628,9 +3579,9 @@ extension ApiGatewayV2Client { /// /// Gets a Route. /// - /// - Parameter GetRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRouteInput`) /// - /// - Returns: `GetRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3662,7 +3613,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRouteOutput.httpOutput(from:), GetRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3694,9 +3644,9 @@ extension ApiGatewayV2Client { /// /// Gets a RouteResponse. /// - /// - Parameter GetRouteResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRouteResponseInput`) /// - /// - Returns: `GetRouteResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRouteResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3728,7 +3678,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRouteResponseOutput.httpOutput(from:), GetRouteResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3760,9 +3709,9 @@ extension ApiGatewayV2Client { /// /// Gets the RouteResponses for a Route. /// - /// - Parameter GetRouteResponsesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRouteResponsesInput`) /// - /// - Returns: `GetRouteResponsesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRouteResponsesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3796,7 +3745,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRouteResponsesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRouteResponsesOutput.httpOutput(from:), GetRouteResponsesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3828,9 +3776,9 @@ extension ApiGatewayV2Client { /// /// Gets the Routes for an API. /// - /// - Parameter GetRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRoutesInput`) /// - /// - Returns: `GetRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRoutesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3864,7 +3812,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRoutesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRoutesOutput.httpOutput(from:), GetRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3896,9 +3843,9 @@ extension ApiGatewayV2Client { /// /// Gets a routing rule. /// - /// - Parameter GetRoutingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRoutingRuleInput`) /// - /// - Returns: `GetRoutingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRoutingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3932,7 +3879,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRoutingRuleInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRoutingRuleOutput.httpOutput(from:), GetRoutingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3964,9 +3910,9 @@ extension ApiGatewayV2Client { /// /// Gets a Stage. /// - /// - Parameter GetStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStageInput`) /// - /// - Returns: `GetStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3998,7 +3944,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStageOutput.httpOutput(from:), GetStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4030,9 +3975,9 @@ extension ApiGatewayV2Client { /// /// Gets the Stages for an API. /// - /// - Parameter GetStagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStagesInput`) /// - /// - Returns: `GetStagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4066,7 +4011,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetStagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStagesOutput.httpOutput(from:), GetStagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4098,9 +4042,9 @@ extension ApiGatewayV2Client { /// /// Gets a collection of Tag resources. /// - /// - Parameter GetTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTagsInput`) /// - /// - Returns: `GetTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4134,7 +4078,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTagsOutput.httpOutput(from:), GetTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4166,9 +4109,9 @@ extension ApiGatewayV2Client { /// /// Gets a VPC link. /// - /// - Parameter GetVpcLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVpcLinkInput`) /// - /// - Returns: `GetVpcLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVpcLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4200,7 +4143,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVpcLinkOutput.httpOutput(from:), GetVpcLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4232,9 +4174,9 @@ extension ApiGatewayV2Client { /// /// Gets a collection of VPC links. /// - /// - Parameter GetVpcLinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVpcLinksInput`) /// - /// - Returns: `GetVpcLinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVpcLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4267,7 +4209,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetVpcLinksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVpcLinksOutput.httpOutput(from:), GetVpcLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4299,9 +4240,9 @@ extension ApiGatewayV2Client { /// /// Imports an API. /// - /// - Parameter ImportApiInput : + /// - Parameter input: (Type: `ImportApiInput`) /// - /// - Returns: `ImportApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4339,7 +4280,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportApiOutput.httpOutput(from:), ImportApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4371,9 +4311,9 @@ extension ApiGatewayV2Client { /// /// Lists routing rules. /// - /// - Parameter ListRoutingRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoutingRulesInput`) /// - /// - Returns: `ListRoutingRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoutingRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4407,7 +4347,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoutingRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoutingRulesOutput.httpOutput(from:), ListRoutingRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4439,9 +4378,9 @@ extension ApiGatewayV2Client { /// /// Updates a routing rule. /// - /// - Parameter PutRoutingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRoutingRuleInput`) /// - /// - Returns: `PutRoutingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRoutingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4479,7 +4418,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRoutingRuleOutput.httpOutput(from:), PutRoutingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4511,9 +4449,9 @@ extension ApiGatewayV2Client { /// /// Puts an Api resource. /// - /// - Parameter ReimportApiInput : + /// - Parameter input: (Type: `ReimportApiInput`) /// - /// - Returns: `ReimportApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReimportApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4551,7 +4489,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReimportApiOutput.httpOutput(from:), ReimportApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4583,9 +4520,9 @@ extension ApiGatewayV2Client { /// /// Resets all authorizer cache entries on a stage. Supported only for HTTP APIs. /// - /// - Parameter ResetAuthorizersCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetAuthorizersCacheInput`) /// - /// - Returns: `ResetAuthorizersCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetAuthorizersCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4617,7 +4554,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetAuthorizersCacheOutput.httpOutput(from:), ResetAuthorizersCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4649,9 +4585,9 @@ extension ApiGatewayV2Client { /// /// Creates a new Tag resource to represent a tag. /// - /// - Parameter TagResourceInput : Creates a new Tag resource to represent a tag. + /// - Parameter input: Creates a new Tag resource to represent a tag. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4688,7 +4624,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4720,9 +4655,9 @@ extension ApiGatewayV2Client { /// /// Deletes a Tag. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4757,7 +4692,6 @@ extension ApiGatewayV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4789,9 +4723,9 @@ extension ApiGatewayV2Client { /// /// Updates an Api resource. /// - /// - Parameter UpdateApiInput : Updates an Api. + /// - Parameter input: Updates an Api. (Type: `UpdateApiInput`) /// - /// - Returns: `UpdateApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4828,7 +4762,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApiOutput.httpOutput(from:), UpdateApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4860,9 +4793,9 @@ extension ApiGatewayV2Client { /// /// The API mapping. /// - /// - Parameter UpdateApiMappingInput : Updates an ApiMapping. + /// - Parameter input: Updates an ApiMapping. (Type: `UpdateApiMappingInput`) /// - /// - Returns: `UpdateApiMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApiMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4899,7 +4832,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApiMappingOutput.httpOutput(from:), UpdateApiMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4931,9 +4863,9 @@ extension ApiGatewayV2Client { /// /// Updates an Authorizer. /// - /// - Parameter UpdateAuthorizerInput : Updates an Authorizer. + /// - Parameter input: Updates an Authorizer. (Type: `UpdateAuthorizerInput`) /// - /// - Returns: `UpdateAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4970,7 +4902,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAuthorizerOutput.httpOutput(from:), UpdateAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5002,9 +4933,9 @@ extension ApiGatewayV2Client { /// /// Updates a Deployment. /// - /// - Parameter UpdateDeploymentInput : Updates a Deployment. + /// - Parameter input: Updates a Deployment. (Type: `UpdateDeploymentInput`) /// - /// - Returns: `UpdateDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5041,7 +4972,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeploymentOutput.httpOutput(from:), UpdateDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5073,9 +5003,9 @@ extension ApiGatewayV2Client { /// /// Updates a domain name. /// - /// - Parameter UpdateDomainNameInput : Updates a DomainName. + /// - Parameter input: Updates a DomainName. (Type: `UpdateDomainNameInput`) /// - /// - Returns: `UpdateDomainNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5112,7 +5042,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainNameOutput.httpOutput(from:), UpdateDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5144,9 +5073,9 @@ extension ApiGatewayV2Client { /// /// Updates an Integration. /// - /// - Parameter UpdateIntegrationInput : Updates an Integration. + /// - Parameter input: Updates an Integration. (Type: `UpdateIntegrationInput`) /// - /// - Returns: `UpdateIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5183,7 +5112,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIntegrationOutput.httpOutput(from:), UpdateIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5215,9 +5143,9 @@ extension ApiGatewayV2Client { /// /// Updates an IntegrationResponses. /// - /// - Parameter UpdateIntegrationResponseInput : Updates an IntegrationResponses. + /// - Parameter input: Updates an IntegrationResponses. (Type: `UpdateIntegrationResponseInput`) /// - /// - Returns: `UpdateIntegrationResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIntegrationResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5254,7 +5182,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIntegrationResponseOutput.httpOutput(from:), UpdateIntegrationResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5286,9 +5213,9 @@ extension ApiGatewayV2Client { /// /// Updates a Model. /// - /// - Parameter UpdateModelInput : Updates a Model. + /// - Parameter input: Updates a Model. (Type: `UpdateModelInput`) /// - /// - Returns: `UpdateModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5325,7 +5252,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateModelOutput.httpOutput(from:), UpdateModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5357,9 +5283,9 @@ extension ApiGatewayV2Client { /// /// Updates a Route. /// - /// - Parameter UpdateRouteInput : Updates a Route. + /// - Parameter input: Updates a Route. (Type: `UpdateRouteInput`) /// - /// - Returns: `UpdateRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5396,7 +5322,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRouteOutput.httpOutput(from:), UpdateRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5428,9 +5353,9 @@ extension ApiGatewayV2Client { /// /// Updates a RouteResponse. /// - /// - Parameter UpdateRouteResponseInput : Updates a RouteResponse. + /// - Parameter input: Updates a RouteResponse. (Type: `UpdateRouteResponseInput`) /// - /// - Returns: `UpdateRouteResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRouteResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5467,7 +5392,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRouteResponseOutput.httpOutput(from:), UpdateRouteResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5499,9 +5423,9 @@ extension ApiGatewayV2Client { /// /// Updates a Stage. /// - /// - Parameter UpdateStageInput : Updates a Stage. + /// - Parameter input: Updates a Stage. (Type: `UpdateStageInput`) /// - /// - Returns: `UpdateStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5538,7 +5462,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStageOutput.httpOutput(from:), UpdateStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5570,9 +5493,9 @@ extension ApiGatewayV2Client { /// /// Updates a VPC link. /// - /// - Parameter UpdateVpcLinkInput : Updates a VPC link. + /// - Parameter input: Updates a VPC link. (Type: `UpdateVpcLinkInput`) /// - /// - Returns: `UpdateVpcLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVpcLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5608,7 +5531,6 @@ extension ApiGatewayV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVpcLinkOutput.httpOutput(from:), UpdateVpcLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAppConfig/Sources/AWSAppConfig/AppConfigClient.swift b/Sources/Services/AWSAppConfig/Sources/AWSAppConfig/AppConfigClient.swift index 77205ff02c3..3c4bea2f8de 100644 --- a/Sources/Services/AWSAppConfig/Sources/AWSAppConfig/AppConfigClient.swift +++ b/Sources/Services/AWSAppConfig/Sources/AWSAppConfig/AppConfigClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -71,7 +70,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AppConfigClient: ClientRuntime.Client { public static let clientName = "AppConfigClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AppConfigClient.AppConfigClientConfiguration let serviceName = "AppConfig" @@ -377,9 +376,9 @@ extension AppConfigClient { /// /// Creates an application. In AppConfig, an application is simply an organizational construct like a folder. This organizational construct has a relationship with some unit of executable code. For example, you could create an application called MyMobileApp to organize and manage configuration data for a mobile application installed by your users. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -471,9 +469,9 @@ extension AppConfigClient { /// /// For more information, see [Create a Configuration and a Configuration Profile](http://docs.aws.amazon.com/appconfig/latest/userguide/appconfig-creating-configuration-and-profile.html) in the AppConfig User Guide. /// - /// - Parameter CreateConfigurationProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfigurationProfileInput`) /// - /// - Returns: `CreateConfigurationProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfigurationProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -510,7 +508,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationProfileOutput.httpOutput(from:), CreateConfigurationProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -542,9 +539,9 @@ extension AppConfigClient { /// /// Creates a deployment strategy that defines important criteria for rolling out your configuration to the designated targets. A deployment strategy includes the overall duration required, a percentage of targets to receive the deployment during each interval, an algorithm that defines how percentage grows, and bake time. /// - /// - Parameter CreateDeploymentStrategyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeploymentStrategyInput`) /// - /// - Returns: `CreateDeploymentStrategyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeploymentStrategyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -580,7 +577,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentStrategyOutput.httpOutput(from:), CreateDeploymentStrategyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -612,9 +608,9 @@ extension AppConfigClient { /// /// Creates an environment. For each application, you define one or more environments. An environment is a deployment group of AppConfig targets, such as applications in a Beta or Production environment. You can also define environments for application subcomponents such as the Web, Mobile and Back-end components for your application. You can configure Amazon CloudWatch alarms for each environment. The system monitors alarms during a configuration deployment. If an alarm is triggered, the system rolls back the configuration. /// - /// - Parameter CreateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentInput`) /// - /// - Returns: `CreateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -651,7 +647,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentOutput.httpOutput(from:), CreateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -692,9 +687,9 @@ extension AppConfigClient { /// /// For more information about extensions, see [Extending workflows](https://docs.aws.amazon.com/appconfig/latest/userguide/working-with-appconfig-extensions.html) in the AppConfig User Guide. /// - /// - Parameter CreateExtensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExtensionInput`) /// - /// - Returns: `CreateExtensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExtensionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -732,7 +727,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExtensionOutput.httpOutput(from:), CreateExtensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -764,9 +758,9 @@ extension AppConfigClient { /// /// When you create an extension or configure an Amazon Web Services authored extension, you associate the extension with an AppConfig application, environment, or configuration profile. For example, you can choose to run the AppConfig deployment events to Amazon SNS Amazon Web Services authored extension and receive notifications on an Amazon SNS topic anytime a configuration deployment is started for a specific application. Defining which extension to associate with an AppConfig resource is called an extension association. An extension association is a specified relationship between an extension and an AppConfig resource, such as an application or a configuration profile. For more information about extensions and associations, see [Extending workflows](https://docs.aws.amazon.com/appconfig/latest/userguide/working-with-appconfig-extensions.html) in the AppConfig User Guide. /// - /// - Parameter CreateExtensionAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExtensionAssociationInput`) /// - /// - Returns: `CreateExtensionAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExtensionAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -803,7 +797,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExtensionAssociationOutput.httpOutput(from:), CreateExtensionAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -835,9 +828,9 @@ extension AppConfigClient { /// /// Creates a new configuration in the AppConfig hosted configuration store. If you're creating a feature flag, we recommend you familiarize yourself with the JSON schema for feature flag data. For more information, see [Type reference for AWS.AppConfig.FeatureFlags](https://docs.aws.amazon.com/appconfig/latest/userguide/appconfig-creating-configuration-and-profile-feature-flags.html#appconfig-type-reference-feature-flags) in the AppConfig User Guide. /// - /// - Parameter CreateHostedConfigurationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHostedConfigurationVersionInput`) /// - /// - Returns: `CreateHostedConfigurationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHostedConfigurationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -877,7 +870,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHostedConfigurationVersionOutput.httpOutput(from:), CreateHostedConfigurationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -909,9 +901,9 @@ extension AppConfigClient { /// /// Deletes an application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -944,7 +936,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -976,9 +967,9 @@ extension AppConfigClient { /// /// Deletes a configuration profile. To prevent users from unintentionally deleting actively-used configuration profiles, enable [deletion protection](https://docs.aws.amazon.com/appconfig/latest/userguide/deletion-protection.html). /// - /// - Parameter DeleteConfigurationProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfigurationProfileInput`) /// - /// - Returns: `DeleteConfigurationProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfigurationProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1013,7 +1004,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteConfigurationProfileInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationProfileOutput.httpOutput(from:), DeleteConfigurationProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1045,9 +1035,9 @@ extension AppConfigClient { /// /// Deletes a deployment strategy. /// - /// - Parameter DeleteDeploymentStrategyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeploymentStrategyInput`) /// - /// - Returns: `DeleteDeploymentStrategyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeploymentStrategyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1080,7 +1070,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeploymentStrategyOutput.httpOutput(from:), DeleteDeploymentStrategyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1112,9 +1101,9 @@ extension AppConfigClient { /// /// Deletes an environment. To prevent users from unintentionally deleting actively-used environments, enable [deletion protection](https://docs.aws.amazon.com/appconfig/latest/userguide/deletion-protection.html). /// - /// - Parameter DeleteEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentInput`) /// - /// - Returns: `DeleteEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1149,7 +1138,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteEnvironmentInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentOutput.httpOutput(from:), DeleteEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1181,9 +1169,9 @@ extension AppConfigClient { /// /// Deletes an AppConfig extension. You must delete all associations to an extension before you delete the extension. /// - /// - Parameter DeleteExtensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExtensionInput`) /// - /// - Returns: `DeleteExtensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExtensionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1217,7 +1205,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteExtensionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExtensionOutput.httpOutput(from:), DeleteExtensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1249,9 +1236,9 @@ extension AppConfigClient { /// /// Deletes an extension association. This action doesn't delete extensions defined in the association. /// - /// - Parameter DeleteExtensionAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExtensionAssociationInput`) /// - /// - Returns: `DeleteExtensionAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExtensionAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1284,7 +1271,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExtensionAssociationOutput.httpOutput(from:), DeleteExtensionAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1316,9 +1302,9 @@ extension AppConfigClient { /// /// Deletes a version of a configuration from the AppConfig hosted configuration store. /// - /// - Parameter DeleteHostedConfigurationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHostedConfigurationVersionInput`) /// - /// - Returns: `DeleteHostedConfigurationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHostedConfigurationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1351,7 +1337,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHostedConfigurationVersionOutput.httpOutput(from:), DeleteHostedConfigurationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1383,9 +1368,9 @@ extension AppConfigClient { /// /// Returns information about the status of the DeletionProtection parameter. /// - /// - Parameter GetAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountSettingsInput`) /// - /// - Returns: `GetAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1417,7 +1402,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSettingsOutput.httpOutput(from:), GetAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1449,9 +1433,9 @@ extension AppConfigClient { /// /// Retrieves information about an application. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1484,7 +1468,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1521,9 +1504,9 @@ extension AppConfigClient { /// * [GetConfiguration] is a priced call. For more information, see [Pricing](https://aws.amazon.com/systems-manager/pricing/). @available(*, deprecated, message: "This API has been deprecated in favor of the GetLatestConfiguration API used in conjunction with StartConfigurationSession.") /// - /// - Parameter GetConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigurationInput`) /// - /// - Returns: `GetConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1557,7 +1540,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationOutput.httpOutput(from:), GetConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1589,9 +1571,9 @@ extension AppConfigClient { /// /// Retrieves information about a configuration profile. /// - /// - Parameter GetConfigurationProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigurationProfileInput`) /// - /// - Returns: `GetConfigurationProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfigurationProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1624,7 +1606,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationProfileOutput.httpOutput(from:), GetConfigurationProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1656,9 +1637,9 @@ extension AppConfigClient { /// /// Retrieves information about a configuration deployment. /// - /// - Parameter GetDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentInput`) /// - /// - Returns: `GetDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1691,7 +1672,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentOutput.httpOutput(from:), GetDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1723,9 +1703,9 @@ extension AppConfigClient { /// /// Retrieves information about a deployment strategy. A deployment strategy defines important criteria for rolling out your configuration to the designated targets. A deployment strategy includes the overall duration required, a percentage of targets to receive the deployment during each interval, an algorithm that defines how percentage grows, and bake time. /// - /// - Parameter GetDeploymentStrategyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentStrategyInput`) /// - /// - Returns: `GetDeploymentStrategyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentStrategyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1758,7 +1738,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentStrategyOutput.httpOutput(from:), GetDeploymentStrategyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1790,9 +1769,9 @@ extension AppConfigClient { /// /// Retrieves information about an environment. An environment is a deployment group of AppConfig applications, such as applications in a Production environment or in an EU_Region environment. Each configuration deployment targets an environment. You can enable one or more Amazon CloudWatch alarms for an environment. If an alarm is triggered during a deployment, AppConfig roles back the configuration. /// - /// - Parameter GetEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentInput`) /// - /// - Returns: `GetEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1825,7 +1804,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentOutput.httpOutput(from:), GetEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1857,9 +1835,9 @@ extension AppConfigClient { /// /// Returns information about an AppConfig extension. /// - /// - Parameter GetExtensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExtensionInput`) /// - /// - Returns: `GetExtensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExtensionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1893,7 +1871,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetExtensionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExtensionOutput.httpOutput(from:), GetExtensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1925,9 +1902,9 @@ extension AppConfigClient { /// /// Returns information about an AppConfig extension association. For more information about extensions and associations, see [Extending workflows](https://docs.aws.amazon.com/appconfig/latest/userguide/working-with-appconfig-extensions.html) in the AppConfig User Guide. /// - /// - Parameter GetExtensionAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExtensionAssociationInput`) /// - /// - Returns: `GetExtensionAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExtensionAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1960,7 +1937,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExtensionAssociationOutput.httpOutput(from:), GetExtensionAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1992,9 +1968,9 @@ extension AppConfigClient { /// /// Retrieves information about a specific configuration version. /// - /// - Parameter GetHostedConfigurationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHostedConfigurationVersionInput`) /// - /// - Returns: `GetHostedConfigurationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHostedConfigurationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2027,7 +2003,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHostedConfigurationVersionOutput.httpOutput(from:), GetHostedConfigurationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2059,9 +2034,9 @@ extension AppConfigClient { /// /// Lists all applications in your Amazon Web Services account. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2094,7 +2069,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2126,9 +2100,9 @@ extension AppConfigClient { /// /// Lists the configuration profiles for an application. /// - /// - Parameter ListConfigurationProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationProfilesInput`) /// - /// - Returns: `ListConfigurationProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2162,7 +2136,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfigurationProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationProfilesOutput.httpOutput(from:), ListConfigurationProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2194,9 +2167,9 @@ extension AppConfigClient { /// /// Lists deployment strategies. /// - /// - Parameter ListDeploymentStrategiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeploymentStrategiesInput`) /// - /// - Returns: `ListDeploymentStrategiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeploymentStrategiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2229,7 +2202,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeploymentStrategiesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentStrategiesOutput.httpOutput(from:), ListDeploymentStrategiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2261,9 +2233,9 @@ extension AppConfigClient { /// /// Lists the deployments for an environment in descending deployment number order. /// - /// - Parameter ListDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeploymentsInput`) /// - /// - Returns: `ListDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2297,7 +2269,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeploymentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentsOutput.httpOutput(from:), ListDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2329,9 +2300,9 @@ extension AppConfigClient { /// /// Lists the environments for an application. /// - /// - Parameter ListEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentsInput`) /// - /// - Returns: `ListEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2365,7 +2336,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentsOutput.httpOutput(from:), ListEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2397,9 +2367,9 @@ extension AppConfigClient { /// /// Lists all AppConfig extension associations in the account. For more information about extensions and associations, see [Extending workflows](https://docs.aws.amazon.com/appconfig/latest/userguide/working-with-appconfig-extensions.html) in the AppConfig User Guide. /// - /// - Parameter ListExtensionAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExtensionAssociationsInput`) /// - /// - Returns: `ListExtensionAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExtensionAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2432,7 +2402,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListExtensionAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExtensionAssociationsOutput.httpOutput(from:), ListExtensionAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2464,9 +2433,9 @@ extension AppConfigClient { /// /// Lists all custom and Amazon Web Services authored AppConfig extensions in the account. For more information about extensions, see [Extending workflows](https://docs.aws.amazon.com/appconfig/latest/userguide/working-with-appconfig-extensions.html) in the AppConfig User Guide. /// - /// - Parameter ListExtensionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExtensionsInput`) /// - /// - Returns: `ListExtensionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExtensionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2499,7 +2468,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListExtensionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExtensionsOutput.httpOutput(from:), ListExtensionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2531,9 +2499,9 @@ extension AppConfigClient { /// /// Lists configurations stored in the AppConfig hosted configuration store by version. /// - /// - Parameter ListHostedConfigurationVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHostedConfigurationVersionsInput`) /// - /// - Returns: `ListHostedConfigurationVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHostedConfigurationVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2567,7 +2535,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHostedConfigurationVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHostedConfigurationVersionsOutput.httpOutput(from:), ListHostedConfigurationVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2599,9 +2566,9 @@ extension AppConfigClient { /// /// Retrieves the list of key-value tags assigned to the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2634,7 +2601,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2666,9 +2632,9 @@ extension AppConfigClient { /// /// Starts a deployment. /// - /// - Parameter StartDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDeploymentInput`) /// - /// - Returns: `StartDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2705,7 +2671,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDeploymentOutput.httpOutput(from:), StartDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2737,9 +2702,9 @@ extension AppConfigClient { /// /// Stops a deployment. This API action works only on deployments that have a status of DEPLOYING, unless an AllowRevert parameter is supplied. If the AllowRevert parameter is supplied, the status of an in-progress deployment will be ROLLED_BACK. The status of a completed deployment will be REVERTED. AppConfig only allows a revert within 72 hours of deployment completion. /// - /// - Parameter StopDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDeploymentInput`) /// - /// - Returns: `StopDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2773,7 +2738,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.HeaderMiddleware(StopDeploymentInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDeploymentOutput.httpOutput(from:), StopDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2805,9 +2769,9 @@ extension AppConfigClient { /// /// Assigns metadata to an AppConfig resource. Tags help organize and categorize your AppConfig resources. Each tag consists of a key and an optional value, both of which you define. You can specify a maximum of 50 tags for a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2843,7 +2807,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2875,9 +2838,9 @@ extension AppConfigClient { /// /// Deletes a tag key and value from an AppConfig resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2911,7 +2874,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2943,9 +2905,9 @@ extension AppConfigClient { /// /// Updates the value of the DeletionProtection parameter. /// - /// - Parameter UpdateAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountSettingsInput`) /// - /// - Returns: `UpdateAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2980,7 +2942,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountSettingsOutput.httpOutput(from:), UpdateAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3012,9 +2973,9 @@ extension AppConfigClient { /// /// Updates an application. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3050,7 +3011,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3082,9 +3042,9 @@ extension AppConfigClient { /// /// Updates a configuration profile. /// - /// - Parameter UpdateConfigurationProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfigurationProfileInput`) /// - /// - Returns: `UpdateConfigurationProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfigurationProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3120,7 +3080,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationProfileOutput.httpOutput(from:), UpdateConfigurationProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3152,9 +3111,9 @@ extension AppConfigClient { /// /// Updates a deployment strategy. /// - /// - Parameter UpdateDeploymentStrategyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDeploymentStrategyInput`) /// - /// - Returns: `UpdateDeploymentStrategyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDeploymentStrategyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3190,7 +3149,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeploymentStrategyOutput.httpOutput(from:), UpdateDeploymentStrategyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3222,9 +3180,9 @@ extension AppConfigClient { /// /// Updates an environment. /// - /// - Parameter UpdateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentInput`) /// - /// - Returns: `UpdateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3260,7 +3218,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentOutput.httpOutput(from:), UpdateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3292,9 +3249,9 @@ extension AppConfigClient { /// /// Updates an AppConfig extension. For more information about extensions, see [Extending workflows](https://docs.aws.amazon.com/appconfig/latest/userguide/working-with-appconfig-extensions.html) in the AppConfig User Guide. /// - /// - Parameter UpdateExtensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateExtensionInput`) /// - /// - Returns: `UpdateExtensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateExtensionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3331,7 +3288,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateExtensionOutput.httpOutput(from:), UpdateExtensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3363,9 +3319,9 @@ extension AppConfigClient { /// /// Updates an association. For more information about extensions and associations, see [Extending workflows](https://docs.aws.amazon.com/appconfig/latest/userguide/working-with-appconfig-extensions.html) in the AppConfig User Guide. /// - /// - Parameter UpdateExtensionAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateExtensionAssociationInput`) /// - /// - Returns: `UpdateExtensionAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateExtensionAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3401,7 +3357,6 @@ extension AppConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateExtensionAssociationOutput.httpOutput(from:), UpdateExtensionAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3433,9 +3388,9 @@ extension AppConfigClient { /// /// Uses the validators in a configuration profile to validate a configuration. /// - /// - Parameter ValidateConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidateConfigurationInput`) /// - /// - Returns: `ValidateConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidateConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3469,7 +3424,6 @@ extension AppConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ValidateConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateConfigurationOutput.httpOutput(from:), ValidateConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAppConfigData/Sources/AWSAppConfigData/AppConfigDataClient.swift b/Sources/Services/AWSAppConfigData/Sources/AWSAppConfigData/AppConfigDataClient.swift index f8c5b61cd91..472c1f24cac 100644 --- a/Sources/Services/AWSAppConfigData/Sources/AWSAppConfigData/AppConfigDataClient.swift +++ b/Sources/Services/AWSAppConfigData/Sources/AWSAppConfigData/AppConfigDataClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AppConfigDataClient: ClientRuntime.Client { public static let clientName = "AppConfigDataClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AppConfigDataClient.AppConfigDataClientConfiguration let serviceName = "AppConfigData" @@ -378,9 +377,9 @@ extension AppConfigDataClient { /// /// * GetLatestConfiguration is a priced call. For more information, see [Pricing](https://aws.amazon.com/systems-manager/pricing/). /// - /// - Parameter GetLatestConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLatestConfigurationInput`) /// - /// - Returns: `GetLatestConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLatestConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension AppConfigDataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLatestConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLatestConfigurationOutput.httpOutput(from:), GetLatestConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension AppConfigDataClient { /// /// Starts a configuration session used to retrieve a deployed configuration. For more information about this API action and to view example CLI commands that show how to use it with the [GetLatestConfiguration] API action, see [Retrieving the configuration](http://docs.aws.amazon.com/appconfig/latest/userguide/appconfig-retrieving-the-configuration) in the AppConfig User Guide. /// - /// - Parameter StartConfigurationSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartConfigurationSessionInput`) /// - /// - Returns: `StartConfigurationSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartConfigurationSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension AppConfigDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartConfigurationSessionOutput.httpOutput(from:), StartConfigurationSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAppFabric/Sources/AWSAppFabric/AppFabricClient.swift b/Sources/Services/AWSAppFabric/Sources/AWSAppFabric/AppFabricClient.swift index 58d7340a265..398bcd94cc5 100644 --- a/Sources/Services/AWSAppFabric/Sources/AWSAppFabric/AppFabricClient.swift +++ b/Sources/Services/AWSAppFabric/Sources/AWSAppFabric/AppFabricClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AppFabricClient: ClientRuntime.Client { public static let clientName = "AppFabricClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AppFabricClient.AppFabricClientConfiguration let serviceName = "AppFabric" @@ -374,9 +373,9 @@ extension AppFabricClient { /// /// Gets user access details in a batch request. This action polls data from the tasks that are kicked off by the StartUserAccessTasks action. /// - /// - Parameter BatchGetUserAccessTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetUserAccessTasksInput`) /// - /// - Returns: `BatchGetUserAccessTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetUserAccessTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetUserAccessTasksOutput.httpOutput(from:), BatchGetUserAccessTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension AppFabricClient { /// /// Establishes a connection between Amazon Web Services AppFabric and an application, which allows AppFabric to call the APIs of the application. /// - /// - Parameter ConnectAppAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConnectAppAuthorizationInput`) /// - /// - Returns: `ConnectAppAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConnectAppAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConnectAppAuthorizationOutput.httpOutput(from:), ConnectAppAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension AppFabricClient { /// /// Creates an app authorization within an app bundle, which allows AppFabric to connect to an application. /// - /// - Parameter CreateAppAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppAuthorizationInput`) /// - /// - Returns: `CreateAppAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppAuthorizationOutput.httpOutput(from:), CreateAppAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension AppFabricClient { /// /// Creates an app bundle to collect data from an application using AppFabric. /// - /// - Parameter CreateAppBundleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppBundleInput`) /// - /// - Returns: `CreateAppBundleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppBundleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppBundleOutput.httpOutput(from:), CreateAppBundleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension AppFabricClient { /// /// Creates a data ingestion for an application. /// - /// - Parameter CreateIngestionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIngestionInput`) /// - /// - Returns: `CreateIngestionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIngestionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIngestionOutput.httpOutput(from:), CreateIngestionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension AppFabricClient { /// /// Creates an ingestion destination, which specifies how an application's ingested data is processed by Amazon Web Services AppFabric and where it's delivered. /// - /// - Parameter CreateIngestionDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIngestionDestinationInput`) /// - /// - Returns: `CreateIngestionDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIngestionDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -783,7 +777,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIngestionDestinationOutput.httpOutput(from:), CreateIngestionDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -815,9 +808,9 @@ extension AppFabricClient { /// /// Deletes an app authorization. You must delete the associated ingestion before you can delete an app authorization. /// - /// - Parameter DeleteAppAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppAuthorizationInput`) /// - /// - Returns: `DeleteAppAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppAuthorizationOutput.httpOutput(from:), DeleteAppAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -884,9 +876,9 @@ extension AppFabricClient { /// /// Deletes an app bundle. You must delete all associated app authorizations before you can delete an app bundle. /// - /// - Parameter DeleteAppBundleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppBundleInput`) /// - /// - Returns: `DeleteAppBundleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppBundleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -921,7 +913,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppBundleOutput.httpOutput(from:), DeleteAppBundleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +944,9 @@ extension AppFabricClient { /// /// Deletes an ingestion. You must stop (disable) the ingestion and you must delete all associated ingestion destinations before you can delete an app ingestion. /// - /// - Parameter DeleteIngestionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIngestionInput`) /// - /// - Returns: `DeleteIngestionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIngestionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -990,7 +981,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIngestionOutput.httpOutput(from:), DeleteIngestionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1022,9 +1012,9 @@ extension AppFabricClient { /// /// Deletes an ingestion destination. This deletes the association between an ingestion and it's destination. It doesn't delete previously ingested data or the storage destination, such as the Amazon S3 bucket where the data is delivered. If the ingestion destination is deleted while the associated ingestion is enabled, the ingestion will fail and is eventually disabled. /// - /// - Parameter DeleteIngestionDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIngestionDestinationInput`) /// - /// - Returns: `DeleteIngestionDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIngestionDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1059,7 +1049,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIngestionDestinationOutput.httpOutput(from:), DeleteIngestionDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1091,9 +1080,9 @@ extension AppFabricClient { /// /// Returns information about an app authorization. /// - /// - Parameter GetAppAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAppAuthorizationInput`) /// - /// - Returns: `GetAppAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAppAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1128,7 +1117,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAppAuthorizationOutput.httpOutput(from:), GetAppAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1160,9 +1148,9 @@ extension AppFabricClient { /// /// Returns information about an app bundle. /// - /// - Parameter GetAppBundleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAppBundleInput`) /// - /// - Returns: `GetAppBundleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAppBundleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1197,7 +1185,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAppBundleOutput.httpOutput(from:), GetAppBundleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1229,9 +1216,9 @@ extension AppFabricClient { /// /// Returns information about an ingestion. /// - /// - Parameter GetIngestionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIngestionInput`) /// - /// - Returns: `GetIngestionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIngestionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1266,7 +1253,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIngestionOutput.httpOutput(from:), GetIngestionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1298,9 +1284,9 @@ extension AppFabricClient { /// /// Returns information about an ingestion destination. /// - /// - Parameter GetIngestionDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIngestionDestinationInput`) /// - /// - Returns: `GetIngestionDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIngestionDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1335,7 +1321,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIngestionDestinationOutput.httpOutput(from:), GetIngestionDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1367,9 +1352,9 @@ extension AppFabricClient { /// /// Returns a list of all app authorizations configured for an app bundle. /// - /// - Parameter ListAppAuthorizationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppAuthorizationsInput`) /// - /// - Returns: `ListAppAuthorizationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppAuthorizationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1405,7 +1390,6 @@ extension AppFabricClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppAuthorizationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppAuthorizationsOutput.httpOutput(from:), ListAppAuthorizationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1437,9 +1421,9 @@ extension AppFabricClient { /// /// Returns a list of app bundles. /// - /// - Parameter ListAppBundlesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppBundlesInput`) /// - /// - Returns: `ListAppBundlesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppBundlesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1474,7 +1458,6 @@ extension AppFabricClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppBundlesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppBundlesOutput.httpOutput(from:), ListAppBundlesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1506,9 +1489,9 @@ extension AppFabricClient { /// /// Returns a list of all ingestion destinations configured for an ingestion. /// - /// - Parameter ListIngestionDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIngestionDestinationsInput`) /// - /// - Returns: `ListIngestionDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIngestionDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1544,7 +1527,6 @@ extension AppFabricClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIngestionDestinationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIngestionDestinationsOutput.httpOutput(from:), ListIngestionDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1576,9 +1558,9 @@ extension AppFabricClient { /// /// Returns a list of all ingestions configured for an app bundle. /// - /// - Parameter ListIngestionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIngestionsInput`) /// - /// - Returns: `ListIngestionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIngestionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1614,7 +1596,6 @@ extension AppFabricClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIngestionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIngestionsOutput.httpOutput(from:), ListIngestionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1646,9 +1627,9 @@ extension AppFabricClient { /// /// Returns a list of tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1683,7 +1664,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1715,9 +1695,9 @@ extension AppFabricClient { /// /// Starts (enables) an ingestion, which collects data from an application. /// - /// - Parameter StartIngestionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartIngestionInput`) /// - /// - Returns: `StartIngestionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartIngestionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1753,7 +1733,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartIngestionOutput.httpOutput(from:), StartIngestionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1785,9 +1764,9 @@ extension AppFabricClient { /// /// Starts the tasks to search user access status for a specific email address. The tasks are stopped when the user access status data is found. The tasks are terminated when the API calls to the application time out. /// - /// - Parameter StartUserAccessTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartUserAccessTasksInput`) /// - /// - Returns: `StartUserAccessTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartUserAccessTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1825,7 +1804,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartUserAccessTasksOutput.httpOutput(from:), StartUserAccessTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1857,9 +1835,9 @@ extension AppFabricClient { /// /// Stops (disables) an ingestion. /// - /// - Parameter StopIngestionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopIngestionInput`) /// - /// - Returns: `StopIngestionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopIngestionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1895,7 +1873,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopIngestionOutput.httpOutput(from:), StopIngestionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1927,9 +1904,9 @@ extension AppFabricClient { /// /// Assigns one or more tags (key-value pairs) to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1967,7 +1944,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1999,9 +1975,9 @@ extension AppFabricClient { /// /// Removes a tag or tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2037,7 +2013,6 @@ extension AppFabricClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2069,9 +2044,9 @@ extension AppFabricClient { /// /// Updates an app authorization within an app bundle, which allows AppFabric to connect to an application. If the app authorization was in a connected state, updating the app authorization will set it back to a PendingConnect state. /// - /// - Parameter UpdateAppAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppAuthorizationInput`) /// - /// - Returns: `UpdateAppAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2109,7 +2084,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppAuthorizationOutput.httpOutput(from:), UpdateAppAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2141,9 +2115,9 @@ extension AppFabricClient { /// /// Updates an ingestion destination, which specifies how an application's ingested data is processed by Amazon Web Services AppFabric and where it's delivered. /// - /// - Parameter UpdateIngestionDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIngestionDestinationInput`) /// - /// - Returns: `UpdateIngestionDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIngestionDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2183,7 +2157,6 @@ extension AppFabricClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIngestionDestinationOutput.httpOutput(from:), UpdateIngestionDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAppIntegrations/Sources/AWSAppIntegrations/AppIntegrationsClient.swift b/Sources/Services/AWSAppIntegrations/Sources/AWSAppIntegrations/AppIntegrationsClient.swift index d9385dc4f7e..6b8dd32f6f2 100644 --- a/Sources/Services/AWSAppIntegrations/Sources/AWSAppIntegrations/AppIntegrationsClient.swift +++ b/Sources/Services/AWSAppIntegrations/Sources/AWSAppIntegrations/AppIntegrationsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AppIntegrationsClient: ClientRuntime.Client { public static let clientName = "AppIntegrationsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AppIntegrationsClient.AppIntegrationsClientConfiguration let serviceName = "AppIntegrations" @@ -375,9 +374,9 @@ extension AppIntegrationsClient { /// /// Creates and persists an Application resource. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension AppIntegrationsClient { /// /// Creates and persists a DataIntegration resource. You cannot create a DataIntegration association for a DataIntegration that has been previously associated. Use a different DataIntegration, or recreate the DataIntegration using the CreateDataIntegration API. /// - /// - Parameter CreateDataIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataIntegrationInput`) /// - /// - Returns: `CreateDataIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataIntegrationOutput.httpOutput(from:), CreateDataIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension AppIntegrationsClient { /// /// Creates and persists a DataIntegrationAssociation resource. /// - /// - Parameter CreateDataIntegrationAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataIntegrationAssociationInput`) /// - /// - Returns: `CreateDataIntegrationAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataIntegrationAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -566,7 +563,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataIntegrationAssociationOutput.httpOutput(from:), CreateDataIntegrationAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -598,9 +594,9 @@ extension AppIntegrationsClient { /// /// Creates an EventIntegration, given a specified name, description, and a reference to an Amazon EventBridge bus in your account and a partner event source that pushes events to that bus. No objects are created in the your account, only metadata that is persisted on the EventIntegration control plane. /// - /// - Parameter CreateEventIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventIntegrationInput`) /// - /// - Returns: `CreateEventIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -640,7 +636,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventIntegrationOutput.httpOutput(from:), CreateEventIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension AppIntegrationsClient { /// /// Deletes the Application. Only Applications that don't have any Application Associations can be deleted. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension AppIntegrationsClient { /// /// Deletes the DataIntegration. Only DataIntegrations that don't have any DataIntegrationAssociations can be deleted. Deleting a DataIntegration also deletes the underlying Amazon AppFlow flow and service linked role. You cannot create a DataIntegration association for a DataIntegration that has been previously associated. Use a different DataIntegration, or recreate the DataIntegration using the [CreateDataIntegration](https://docs.aws.amazon.com/appintegrations/latest/APIReference/API_CreateDataIntegration.html) API. /// - /// - Parameter DeleteDataIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataIntegrationInput`) /// - /// - Returns: `DeleteDataIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +772,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataIntegrationOutput.httpOutput(from:), DeleteDataIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -810,9 +803,9 @@ extension AppIntegrationsClient { /// /// Deletes the specified existing event integration. If the event integration is associated with clients, the request is rejected. /// - /// - Parameter DeleteEventIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventIntegrationInput`) /// - /// - Returns: `DeleteEventIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventIntegrationOutput.httpOutput(from:), DeleteEventIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension AppIntegrationsClient { /// /// Get an Application resource. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -916,7 +908,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -948,9 +939,9 @@ extension AppIntegrationsClient { /// /// Returns information about the DataIntegration. You cannot create a DataIntegration association for a DataIntegration that has been previously associated. Use a different DataIntegration, or recreate the DataIntegration using the [CreateDataIntegration](https://docs.aws.amazon.com/appintegrations/latest/APIReference/API_CreateDataIntegration.html) API. /// - /// - Parameter GetDataIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataIntegrationInput`) /// - /// - Returns: `GetDataIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -985,7 +976,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataIntegrationOutput.httpOutput(from:), GetDataIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1017,9 +1007,9 @@ extension AppIntegrationsClient { /// /// Returns information about the event integration. /// - /// - Parameter GetEventIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventIntegrationInput`) /// - /// - Returns: `GetEventIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventIntegrationOutput.httpOutput(from:), GetEventIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1075,9 @@ extension AppIntegrationsClient { /// /// Returns a paginated list of application associations for an application. /// - /// - Parameter ListApplicationAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationAssociationsInput`) /// - /// - Returns: `ListApplicationAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1124,7 +1113,6 @@ extension AppIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationAssociationsOutput.httpOutput(from:), ListApplicationAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1156,9 +1144,9 @@ extension AppIntegrationsClient { /// /// Lists applications in the account. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1193,7 +1181,6 @@ extension AppIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1225,9 +1212,9 @@ extension AppIntegrationsClient { /// /// Returns a paginated list of DataIntegration associations in the account. You cannot create a DataIntegration association for a DataIntegration that has been previously associated. Use a different DataIntegration, or recreate the DataIntegration using the [CreateDataIntegration](https://docs.aws.amazon.com/appintegrations/latest/APIReference/API_CreateDataIntegration.html) API. /// - /// - Parameter ListDataIntegrationAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataIntegrationAssociationsInput`) /// - /// - Returns: `ListDataIntegrationAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataIntegrationAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1263,7 +1250,6 @@ extension AppIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataIntegrationAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataIntegrationAssociationsOutput.httpOutput(from:), ListDataIntegrationAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1295,9 +1281,9 @@ extension AppIntegrationsClient { /// /// Returns a paginated list of DataIntegrations in the account. You cannot create a DataIntegration association for a DataIntegration that has been previously associated. Use a different DataIntegration, or recreate the DataIntegration using the [CreateDataIntegration](https://docs.aws.amazon.com/appintegrations/latest/APIReference/API_CreateDataIntegration.html) API. /// - /// - Parameter ListDataIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataIntegrationsInput`) /// - /// - Returns: `ListDataIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1332,7 +1318,6 @@ extension AppIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataIntegrationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataIntegrationsOutput.httpOutput(from:), ListDataIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1364,9 +1349,9 @@ extension AppIntegrationsClient { /// /// Returns a paginated list of event integration associations in the account. /// - /// - Parameter ListEventIntegrationAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventIntegrationAssociationsInput`) /// - /// - Returns: `ListEventIntegrationAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventIntegrationAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1402,7 +1387,6 @@ extension AppIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventIntegrationAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventIntegrationAssociationsOutput.httpOutput(from:), ListEventIntegrationAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1434,9 +1418,9 @@ extension AppIntegrationsClient { /// /// Returns a paginated list of event integrations in the account. /// - /// - Parameter ListEventIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventIntegrationsInput`) /// - /// - Returns: `ListEventIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1471,7 +1455,6 @@ extension AppIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventIntegrationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventIntegrationsOutput.httpOutput(from:), ListEventIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1503,9 +1486,9 @@ extension AppIntegrationsClient { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1539,7 +1522,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1571,9 +1553,9 @@ extension AppIntegrationsClient { /// /// Adds the specified tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1610,7 +1592,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1642,9 +1623,9 @@ extension AppIntegrationsClient { /// /// Removes the specified tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1679,7 +1660,6 @@ extension AppIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1711,9 +1691,9 @@ extension AppIntegrationsClient { /// /// Updates and persists an Application resource. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1752,7 +1732,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1784,9 +1763,9 @@ extension AppIntegrationsClient { /// /// Updates the description of a DataIntegration. You cannot create a DataIntegration association for a DataIntegration that has been previously associated. Use a different DataIntegration, or recreate the DataIntegration using the [CreateDataIntegration](https://docs.aws.amazon.com/appintegrations/latest/APIReference/API_CreateDataIntegration.html) API. /// - /// - Parameter UpdateDataIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataIntegrationInput`) /// - /// - Returns: `UpdateDataIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1824,7 +1803,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataIntegrationOutput.httpOutput(from:), UpdateDataIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1856,9 +1834,9 @@ extension AppIntegrationsClient { /// /// Updates and persists a DataIntegrationAssociation resource. Updating a DataIntegrationAssociation with ExecutionConfiguration will rerun the on-demand job. /// - /// - Parameter UpdateDataIntegrationAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataIntegrationAssociationInput`) /// - /// - Returns: `UpdateDataIntegrationAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataIntegrationAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1896,7 +1874,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataIntegrationAssociationOutput.httpOutput(from:), UpdateDataIntegrationAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1928,9 +1905,9 @@ extension AppIntegrationsClient { /// /// Updates the description of an event integration. /// - /// - Parameter UpdateEventIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventIntegrationInput`) /// - /// - Returns: `UpdateEventIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1968,7 +1945,6 @@ extension AppIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventIntegrationOutput.httpOutput(from:), UpdateEventIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAppMesh/Sources/AWSAppMesh/AppMeshClient.swift b/Sources/Services/AWSAppMesh/Sources/AWSAppMesh/AppMeshClient.swift index 3de7d00b777..c1c0de27e7e 100644 --- a/Sources/Services/AWSAppMesh/Sources/AWSAppMesh/AppMeshClient.swift +++ b/Sources/Services/AWSAppMesh/Sources/AWSAppMesh/AppMeshClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AppMeshClient: ClientRuntime.Client { public static let clientName = "AppMeshClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AppMeshClient.AppMeshClientConfiguration let serviceName = "App Mesh" @@ -374,9 +373,9 @@ extension AppMeshClient { /// /// Creates a gateway route. A gateway route is attached to a virtual gateway and routes traffic to an existing virtual service. If a route matches a request, it can distribute traffic to a target virtual service. For more information about gateway routes, see [Gateway routes](https://docs.aws.amazon.com/app-mesh/latest/userguide/gateway-routes.html). /// - /// - Parameter CreateGatewayRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGatewayRouteInput`) /// - /// - Returns: `CreateGatewayRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGatewayRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGatewayRouteOutput.httpOutput(from:), CreateGatewayRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension AppMeshClient { /// /// Creates a service mesh. A service mesh is a logical boundary for network traffic between services that are represented by resources within the mesh. After you create your service mesh, you can create virtual services, virtual nodes, virtual routers, and routes to distribute traffic between the applications in your mesh. For more information about service meshes, see [Service meshes](https://docs.aws.amazon.com/app-mesh/latest/userguide/meshes.html). /// - /// - Parameter CreateMeshInput : + /// - Parameter input: (Type: `CreateMeshInput`) /// - /// - Returns: `CreateMeshOutput` : + /// - Returns: (Type: `CreateMeshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -495,7 +493,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMeshOutput.httpOutput(from:), CreateMeshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -527,9 +524,9 @@ extension AppMeshClient { /// /// Creates a route that is associated with a virtual router. You can route several different protocols and define a retry policy for a route. Traffic can be routed to one or more virtual nodes. For more information about routes, see [Routes](https://docs.aws.amazon.com/app-mesh/latest/userguide/routes.html). /// - /// - Parameter CreateRouteInput : + /// - Parameter input: (Type: `CreateRouteInput`) /// - /// - Returns: `CreateRouteOutput` : + /// - Returns: (Type: `CreateRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -572,7 +569,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRouteOutput.httpOutput(from:), CreateRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -604,9 +600,9 @@ extension AppMeshClient { /// /// Creates a virtual gateway. A virtual gateway allows resources outside your mesh to communicate to resources that are inside your mesh. The virtual gateway represents an Envoy proxy running in an Amazon ECS task, in a Kubernetes service, or on an Amazon EC2 instance. Unlike a virtual node, which represents an Envoy running with an application, a virtual gateway represents Envoy deployed by itself. For more information about virtual gateways, see [Virtual gateways](https://docs.aws.amazon.com/app-mesh/latest/userguide/virtual_gateways.html). /// - /// - Parameter CreateVirtualGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVirtualGatewayInput`) /// - /// - Returns: `CreateVirtualGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVirtualGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -649,7 +645,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVirtualGatewayOutput.httpOutput(from:), CreateVirtualGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -681,9 +676,9 @@ extension AppMeshClient { /// /// Creates a virtual node within a service mesh. A virtual node acts as a logical pointer to a particular task group, such as an Amazon ECS service or a Kubernetes deployment. When you create a virtual node, you can specify the service discovery information for your task group, and whether the proxy running in a task group will communicate with other proxies using Transport Layer Security (TLS). You define a listener for any inbound traffic that your virtual node expects. Any virtual service that your virtual node expects to communicate to is specified as a backend. The response metadata for your new virtual node contains the arn that is associated with the virtual node. Set this value to the full ARN; for example, arn:aws:appmesh:us-west-2:123456789012:myMesh/default/virtualNode/myApp) as the APPMESH_RESOURCE_ARN environment variable for your task group's Envoy proxy container in your task definition or pod spec. This is then mapped to the node.id and node.cluster Envoy parameters. By default, App Mesh uses the name of the resource you specified in APPMESH_RESOURCE_ARN when Envoy is referring to itself in metrics and traces. You can override this behavior by setting the APPMESH_RESOURCE_CLUSTER environment variable with your own name. For more information about virtual nodes, see [Virtual nodes](https://docs.aws.amazon.com/app-mesh/latest/userguide/virtual_nodes.html). You must be using 1.15.0 or later of the Envoy image when setting these variables. For more information aboutApp Mesh Envoy variables, see [Envoy image](https://docs.aws.amazon.com/app-mesh/latest/userguide/envoy.html) in the App Mesh User Guide. /// - /// - Parameter CreateVirtualNodeInput : + /// - Parameter input: (Type: `CreateVirtualNodeInput`) /// - /// - Returns: `CreateVirtualNodeOutput` : + /// - Returns: (Type: `CreateVirtualNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -726,7 +721,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVirtualNodeOutput.httpOutput(from:), CreateVirtualNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -758,9 +752,9 @@ extension AppMeshClient { /// /// Creates a virtual router within a service mesh. Specify a listener for any inbound traffic that your virtual router receives. Create a virtual router for each protocol and port that you need to route. Virtual routers handle traffic for one or more virtual services within your mesh. After you create your virtual router, create and associate routes for your virtual router that direct incoming requests to different virtual nodes. For more information about virtual routers, see [Virtual routers](https://docs.aws.amazon.com/app-mesh/latest/userguide/virtual_routers.html). /// - /// - Parameter CreateVirtualRouterInput : + /// - Parameter input: (Type: `CreateVirtualRouterInput`) /// - /// - Returns: `CreateVirtualRouterOutput` : + /// - Returns: (Type: `CreateVirtualRouterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -803,7 +797,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVirtualRouterOutput.httpOutput(from:), CreateVirtualRouterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -835,9 +828,9 @@ extension AppMeshClient { /// /// Creates a virtual service within a service mesh. A virtual service is an abstraction of a real service that is provided by a virtual node directly or indirectly by means of a virtual router. Dependent services call your virtual service by its virtualServiceName, and those requests are routed to the virtual node or virtual router that is specified as the provider for the virtual service. For more information about virtual services, see [Virtual services](https://docs.aws.amazon.com/app-mesh/latest/userguide/virtual_services.html). /// - /// - Parameter CreateVirtualServiceInput : + /// - Parameter input: (Type: `CreateVirtualServiceInput`) /// - /// - Returns: `CreateVirtualServiceOutput` : + /// - Returns: (Type: `CreateVirtualServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -880,7 +873,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVirtualServiceOutput.httpOutput(from:), CreateVirtualServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -912,9 +904,9 @@ extension AppMeshClient { /// /// Deletes an existing gateway route. /// - /// - Parameter DeleteGatewayRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGatewayRouteInput`) /// - /// - Returns: `DeleteGatewayRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGatewayRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -952,7 +944,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteGatewayRouteInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGatewayRouteOutput.httpOutput(from:), DeleteGatewayRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -984,9 +975,9 @@ extension AppMeshClient { /// /// Deletes an existing service mesh. You must delete all resources (virtual services, routes, virtual routers, and virtual nodes) in the service mesh before you can delete the mesh itself. /// - /// - Parameter DeleteMeshInput : + /// - Parameter input: (Type: `DeleteMeshInput`) /// - /// - Returns: `DeleteMeshOutput` : + /// - Returns: (Type: `DeleteMeshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1023,7 +1014,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMeshOutput.httpOutput(from:), DeleteMeshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1055,9 +1045,9 @@ extension AppMeshClient { /// /// Deletes an existing route. /// - /// - Parameter DeleteRouteInput : + /// - Parameter input: (Type: `DeleteRouteInput`) /// - /// - Returns: `DeleteRouteOutput` : + /// - Returns: (Type: `DeleteRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1095,7 +1085,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteRouteInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteOutput.httpOutput(from:), DeleteRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1127,9 +1116,9 @@ extension AppMeshClient { /// /// Deletes an existing virtual gateway. You cannot delete a virtual gateway if any gateway routes are associated to it. /// - /// - Parameter DeleteVirtualGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVirtualGatewayInput`) /// - /// - Returns: `DeleteVirtualGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVirtualGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1167,7 +1156,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteVirtualGatewayInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVirtualGatewayOutput.httpOutput(from:), DeleteVirtualGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1199,9 +1187,9 @@ extension AppMeshClient { /// /// Deletes an existing virtual node. You must delete any virtual services that list a virtual node as a service provider before you can delete the virtual node itself. /// - /// - Parameter DeleteVirtualNodeInput : Deletes a virtual node input. + /// - Parameter input: Deletes a virtual node input. (Type: `DeleteVirtualNodeInput`) /// - /// - Returns: `DeleteVirtualNodeOutput` : + /// - Returns: (Type: `DeleteVirtualNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1239,7 +1227,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteVirtualNodeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVirtualNodeOutput.httpOutput(from:), DeleteVirtualNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1271,9 +1258,9 @@ extension AppMeshClient { /// /// Deletes an existing virtual router. You must delete any routes associated with the virtual router before you can delete the router itself. /// - /// - Parameter DeleteVirtualRouterInput : + /// - Parameter input: (Type: `DeleteVirtualRouterInput`) /// - /// - Returns: `DeleteVirtualRouterOutput` : + /// - Returns: (Type: `DeleteVirtualRouterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1311,7 +1298,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteVirtualRouterInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVirtualRouterOutput.httpOutput(from:), DeleteVirtualRouterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1343,9 +1329,9 @@ extension AppMeshClient { /// /// Deletes an existing virtual service. /// - /// - Parameter DeleteVirtualServiceInput : + /// - Parameter input: (Type: `DeleteVirtualServiceInput`) /// - /// - Returns: `DeleteVirtualServiceOutput` : + /// - Returns: (Type: `DeleteVirtualServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1383,7 +1369,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteVirtualServiceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVirtualServiceOutput.httpOutput(from:), DeleteVirtualServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1415,9 +1400,9 @@ extension AppMeshClient { /// /// Describes an existing gateway route. /// - /// - Parameter DescribeGatewayRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGatewayRouteInput`) /// - /// - Returns: `DescribeGatewayRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGatewayRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1454,7 +1439,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeGatewayRouteInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGatewayRouteOutput.httpOutput(from:), DescribeGatewayRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1486,9 +1470,9 @@ extension AppMeshClient { /// /// Describes an existing service mesh. /// - /// - Parameter DescribeMeshInput : + /// - Parameter input: (Type: `DescribeMeshInput`) /// - /// - Returns: `DescribeMeshOutput` : + /// - Returns: (Type: `DescribeMeshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1525,7 +1509,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeMeshInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMeshOutput.httpOutput(from:), DescribeMeshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1557,9 +1540,9 @@ extension AppMeshClient { /// /// Describes an existing route. /// - /// - Parameter DescribeRouteInput : + /// - Parameter input: (Type: `DescribeRouteInput`) /// - /// - Returns: `DescribeRouteOutput` : + /// - Returns: (Type: `DescribeRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1596,7 +1579,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeRouteInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRouteOutput.httpOutput(from:), DescribeRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1628,9 +1610,9 @@ extension AppMeshClient { /// /// Describes an existing virtual gateway. /// - /// - Parameter DescribeVirtualGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVirtualGatewayInput`) /// - /// - Returns: `DescribeVirtualGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVirtualGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1667,7 +1649,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeVirtualGatewayInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVirtualGatewayOutput.httpOutput(from:), DescribeVirtualGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1699,9 +1680,9 @@ extension AppMeshClient { /// /// Describes an existing virtual node. /// - /// - Parameter DescribeVirtualNodeInput : + /// - Parameter input: (Type: `DescribeVirtualNodeInput`) /// - /// - Returns: `DescribeVirtualNodeOutput` : + /// - Returns: (Type: `DescribeVirtualNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1738,7 +1719,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeVirtualNodeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVirtualNodeOutput.httpOutput(from:), DescribeVirtualNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1770,9 +1750,9 @@ extension AppMeshClient { /// /// Describes an existing virtual router. /// - /// - Parameter DescribeVirtualRouterInput : + /// - Parameter input: (Type: `DescribeVirtualRouterInput`) /// - /// - Returns: `DescribeVirtualRouterOutput` : + /// - Returns: (Type: `DescribeVirtualRouterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1809,7 +1789,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeVirtualRouterInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVirtualRouterOutput.httpOutput(from:), DescribeVirtualRouterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1841,9 +1820,9 @@ extension AppMeshClient { /// /// Describes an existing virtual service. /// - /// - Parameter DescribeVirtualServiceInput : + /// - Parameter input: (Type: `DescribeVirtualServiceInput`) /// - /// - Returns: `DescribeVirtualServiceOutput` : + /// - Returns: (Type: `DescribeVirtualServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1880,7 +1859,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeVirtualServiceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVirtualServiceOutput.httpOutput(from:), DescribeVirtualServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1912,9 +1890,9 @@ extension AppMeshClient { /// /// Returns a list of existing gateway routes that are associated to a virtual gateway. /// - /// - Parameter ListGatewayRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGatewayRoutesInput`) /// - /// - Returns: `ListGatewayRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGatewayRoutesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1951,7 +1929,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGatewayRoutesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGatewayRoutesOutput.httpOutput(from:), ListGatewayRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1983,9 +1960,9 @@ extension AppMeshClient { /// /// Returns a list of existing service meshes. /// - /// - Parameter ListMeshesInput : + /// - Parameter input: (Type: `ListMeshesInput`) /// - /// - Returns: `ListMeshesOutput` : + /// - Returns: (Type: `ListMeshesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2022,7 +1999,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMeshesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMeshesOutput.httpOutput(from:), ListMeshesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2054,9 +2030,9 @@ extension AppMeshClient { /// /// Returns a list of existing routes in a service mesh. /// - /// - Parameter ListRoutesInput : + /// - Parameter input: (Type: `ListRoutesInput`) /// - /// - Returns: `ListRoutesOutput` : + /// - Returns: (Type: `ListRoutesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2093,7 +2069,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoutesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoutesOutput.httpOutput(from:), ListRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2125,9 +2100,9 @@ extension AppMeshClient { /// /// List the tags for an App Mesh resource. /// - /// - Parameter ListTagsForResourceInput : + /// - Parameter input: (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : + /// - Returns: (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2164,7 +2139,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2196,9 +2170,9 @@ extension AppMeshClient { /// /// Returns a list of existing virtual gateways in a service mesh. /// - /// - Parameter ListVirtualGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVirtualGatewaysInput`) /// - /// - Returns: `ListVirtualGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVirtualGatewaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2235,7 +2209,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVirtualGatewaysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVirtualGatewaysOutput.httpOutput(from:), ListVirtualGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2267,9 +2240,9 @@ extension AppMeshClient { /// /// Returns a list of existing virtual nodes. /// - /// - Parameter ListVirtualNodesInput : + /// - Parameter input: (Type: `ListVirtualNodesInput`) /// - /// - Returns: `ListVirtualNodesOutput` : + /// - Returns: (Type: `ListVirtualNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2306,7 +2279,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVirtualNodesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVirtualNodesOutput.httpOutput(from:), ListVirtualNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2338,9 +2310,9 @@ extension AppMeshClient { /// /// Returns a list of existing virtual routers in a service mesh. /// - /// - Parameter ListVirtualRoutersInput : + /// - Parameter input: (Type: `ListVirtualRoutersInput`) /// - /// - Returns: `ListVirtualRoutersOutput` : + /// - Returns: (Type: `ListVirtualRoutersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2377,7 +2349,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVirtualRoutersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVirtualRoutersOutput.httpOutput(from:), ListVirtualRoutersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2409,9 +2380,9 @@ extension AppMeshClient { /// /// Returns a list of existing virtual services in a service mesh. /// - /// - Parameter ListVirtualServicesInput : + /// - Parameter input: (Type: `ListVirtualServicesInput`) /// - /// - Returns: `ListVirtualServicesOutput` : + /// - Returns: (Type: `ListVirtualServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2448,7 +2419,6 @@ extension AppMeshClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVirtualServicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVirtualServicesOutput.httpOutput(from:), ListVirtualServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2480,9 +2450,9 @@ extension AppMeshClient { /// /// Associates the specified tags to a resource with the specified resourceArn. If existing tags on a resource aren't specified in the request parameters, they aren't changed. When a resource is deleted, the tags associated with that resource are also deleted. /// - /// - Parameter TagResourceInput : + /// - Parameter input: (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : + /// - Returns: (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2523,7 +2493,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2555,9 +2524,9 @@ extension AppMeshClient { /// /// Deletes specified tags from a resource. /// - /// - Parameter UntagResourceInput : + /// - Parameter input: (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : + /// - Returns: (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2597,7 +2566,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2629,9 +2597,9 @@ extension AppMeshClient { /// /// Updates an existing gateway route that is associated to a specified virtual gateway in a service mesh. /// - /// - Parameter UpdateGatewayRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGatewayRouteInput`) /// - /// - Returns: `UpdateGatewayRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGatewayRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2674,7 +2642,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewayRouteOutput.httpOutput(from:), UpdateGatewayRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2706,9 +2673,9 @@ extension AppMeshClient { /// /// Updates an existing service mesh. /// - /// - Parameter UpdateMeshInput : + /// - Parameter input: (Type: `UpdateMeshInput`) /// - /// - Returns: `UpdateMeshOutput` : + /// - Returns: (Type: `UpdateMeshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2749,7 +2716,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMeshOutput.httpOutput(from:), UpdateMeshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2781,9 +2747,9 @@ extension AppMeshClient { /// /// Updates an existing route for a specified service mesh and virtual router. /// - /// - Parameter UpdateRouteInput : + /// - Parameter input: (Type: `UpdateRouteInput`) /// - /// - Returns: `UpdateRouteOutput` : + /// - Returns: (Type: `UpdateRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2826,7 +2792,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRouteOutput.httpOutput(from:), UpdateRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2858,9 +2823,9 @@ extension AppMeshClient { /// /// Updates an existing virtual gateway in a specified service mesh. /// - /// - Parameter UpdateVirtualGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVirtualGatewayInput`) /// - /// - Returns: `UpdateVirtualGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVirtualGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2903,7 +2868,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVirtualGatewayOutput.httpOutput(from:), UpdateVirtualGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2935,9 +2899,9 @@ extension AppMeshClient { /// /// Updates an existing virtual node in a specified service mesh. /// - /// - Parameter UpdateVirtualNodeInput : + /// - Parameter input: (Type: `UpdateVirtualNodeInput`) /// - /// - Returns: `UpdateVirtualNodeOutput` : + /// - Returns: (Type: `UpdateVirtualNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2980,7 +2944,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVirtualNodeOutput.httpOutput(from:), UpdateVirtualNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3012,9 +2975,9 @@ extension AppMeshClient { /// /// Updates an existing virtual router in a specified service mesh. /// - /// - Parameter UpdateVirtualRouterInput : + /// - Parameter input: (Type: `UpdateVirtualRouterInput`) /// - /// - Returns: `UpdateVirtualRouterOutput` : + /// - Returns: (Type: `UpdateVirtualRouterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3057,7 +3020,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVirtualRouterOutput.httpOutput(from:), UpdateVirtualRouterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3089,9 +3051,9 @@ extension AppMeshClient { /// /// Updates an existing virtual service in a specified service mesh. /// - /// - Parameter UpdateVirtualServiceInput : + /// - Parameter input: (Type: `UpdateVirtualServiceInput`) /// - /// - Returns: `UpdateVirtualServiceOutput` : + /// - Returns: (Type: `UpdateVirtualServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3134,7 +3096,6 @@ extension AppMeshClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVirtualServiceOutput.httpOutput(from:), UpdateVirtualServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAppRunner/Sources/AWSAppRunner/AppRunnerClient.swift b/Sources/Services/AWSAppRunner/Sources/AWSAppRunner/AppRunnerClient.swift index 572aa798505..37e89fdf17b 100644 --- a/Sources/Services/AWSAppRunner/Sources/AWSAppRunner/AppRunnerClient.swift +++ b/Sources/Services/AWSAppRunner/Sources/AWSAppRunner/AppRunnerClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AppRunnerClient: ClientRuntime.Client { public static let clientName = "AppRunnerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AppRunnerClient.AppRunnerClientConfiguration let serviceName = "AppRunner" @@ -373,9 +372,9 @@ extension AppRunnerClient { /// /// Associate your own domain name with the App Runner subdomain URL of your App Runner service. After you call AssociateCustomDomain and receive a successful response, use the information in the [CustomDomain] record that's returned to add CNAME records to your Domain Name System (DNS). For each mapped domain name, add a mapping to the target App Runner subdomain and one or more certificate validation records. App Runner then performs DNS validation to verify that you own or control the domain name that you associated. App Runner tracks domain validity in a certificate stored in [AWS Certificate Manager (ACM)](https://docs.aws.amazon.com/acm/latest/userguide). /// - /// - Parameter AssociateCustomDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateCustomDomainInput`) /// - /// - Returns: `AssociateCustomDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateCustomDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateCustomDomainOutput.httpOutput(from:), AssociateCustomDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension AppRunnerClient { /// /// Create an App Runner automatic scaling configuration resource. App Runner requires this resource when you create or update App Runner services and you require non-default auto scaling settings. You can share an auto scaling configuration across multiple services. Create multiple revisions of a configuration by calling this action multiple times using the same AutoScalingConfigurationName. The call returns incremental AutoScalingConfigurationRevision values. When you create a service and configure an auto scaling configuration resource, the service uses the latest active revision of the auto scaling configuration by default. You can optionally configure the service to use a specific revision. Configure a higher MinSize to increase the spread of your App Runner service over more Availability Zones in the Amazon Web Services Region. The tradeoff is a higher minimal cost. Configure a lower MaxSize to control your cost. The tradeoff is lower responsiveness during peak demand. /// - /// - Parameter CreateAutoScalingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAutoScalingConfigurationInput`) /// - /// - Returns: `CreateAutoScalingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAutoScalingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAutoScalingConfigurationOutput.httpOutput(from:), CreateAutoScalingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension AppRunnerClient { /// /// Create an App Runner connection resource. App Runner requires a connection resource when you create App Runner services that access private repositories from certain third-party providers. You can share a connection across multiple services. A connection resource is needed to access GitHub and Bitbucket repositories. Both require a user interface approval process through the App Runner console before you can use the connection. /// - /// - Parameter CreateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionInput`) /// - /// - Returns: `CreateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -551,7 +548,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionOutput.httpOutput(from:), CreateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension AppRunnerClient { /// /// Create an App Runner observability configuration resource. App Runner requires this resource when you create or update App Runner services and you want to enable non-default observability features. You can share an observability configuration across multiple services. Create multiple revisions of a configuration by calling this action multiple times using the same ObservabilityConfigurationName. The call returns incremental ObservabilityConfigurationRevision values. When you create a service and configure an observability configuration resource, the service uses the latest active revision of the observability configuration by default. You can optionally configure the service to use a specific revision. The observability configuration resource is designed to configure multiple features (currently one feature, tracing). This action takes optional parameters that describe the configuration of these features (currently one parameter, TraceConfiguration). If you don't specify a feature parameter, App Runner doesn't enable the feature. /// - /// - Parameter CreateObservabilityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateObservabilityConfigurationInput`) /// - /// - Returns: `CreateObservabilityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateObservabilityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -622,7 +618,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateObservabilityConfigurationOutput.httpOutput(from:), CreateObservabilityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -657,9 +652,9 @@ extension AppRunnerClient { /// /// Create an App Runner service. After the service is created, the action also automatically starts a deployment. This is an asynchronous operation. On a successful call, you can use the returned OperationId and the [ListOperations](https://docs.aws.amazon.com/apprunner/latest/api/API_ListOperations.html) call to track the operation's progress. /// - /// - Parameter CreateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceInput`) /// - /// - Returns: `CreateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -693,7 +688,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceOutput.httpOutput(from:), CreateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension AppRunnerClient { /// /// Create an App Runner VPC connector resource. App Runner requires this resource when you want to associate your App Runner service to a custom Amazon Virtual Private Cloud (Amazon VPC). /// - /// - Parameter CreateVpcConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcConnectorInput`) /// - /// - Returns: `CreateVpcConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -764,7 +758,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcConnectorOutput.httpOutput(from:), CreateVpcConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension AppRunnerClient { /// /// Create an App Runner VPC Ingress Connection resource. App Runner requires this resource when you want to associate your App Runner service with an Amazon VPC endpoint. /// - /// - Parameter CreateVpcIngressConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcIngressConnectionInput`) /// - /// - Returns: `CreateVpcIngressConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcIngressConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -836,7 +829,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcIngressConnectionOutput.httpOutput(from:), CreateVpcIngressConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -871,9 +863,9 @@ extension AppRunnerClient { /// /// Delete an App Runner automatic scaling configuration resource. You can delete a top level auto scaling configuration, a specific revision of one, or all revisions associated with the top level configuration. You can't delete the default auto scaling configuration or a configuration that's used by one or more App Runner services. /// - /// - Parameter DeleteAutoScalingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAutoScalingConfigurationInput`) /// - /// - Returns: `DeleteAutoScalingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAutoScalingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -907,7 +899,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAutoScalingConfigurationOutput.httpOutput(from:), DeleteAutoScalingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -942,9 +933,9 @@ extension AppRunnerClient { /// /// Delete an App Runner connection. You must first ensure that there are no running App Runner services that use this connection. If there are any, the DeleteConnection action fails. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -978,7 +969,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1013,9 +1003,9 @@ extension AppRunnerClient { /// /// Delete an App Runner observability configuration resource. You can delete a specific revision or the latest active revision. You can't delete a configuration that's used by one or more App Runner services. /// - /// - Parameter DeleteObservabilityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteObservabilityConfigurationInput`) /// - /// - Returns: `DeleteObservabilityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteObservabilityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1049,7 +1039,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteObservabilityConfigurationOutput.httpOutput(from:), DeleteObservabilityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1084,9 +1073,9 @@ extension AppRunnerClient { /// /// Delete an App Runner service. This is an asynchronous operation. On a successful call, you can use the returned OperationId and the [ListOperations] call to track the operation's progress. Make sure that you don't have any active VPCIngressConnections associated with the service you want to delete. /// - /// - Parameter DeleteServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceInput`) /// - /// - Returns: `DeleteServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1121,7 +1110,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceOutput.httpOutput(from:), DeleteServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1156,9 +1144,9 @@ extension AppRunnerClient { /// /// Delete an App Runner VPC connector resource. You can't delete a connector that's used by one or more App Runner services. /// - /// - Parameter DeleteVpcConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcConnectorInput`) /// - /// - Returns: `DeleteVpcConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1192,7 +1180,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcConnectorOutput.httpOutput(from:), DeleteVpcConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1235,9 +1222,9 @@ extension AppRunnerClient { /// /// * FAILED_DELETION /// - /// - Parameter DeleteVpcIngressConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcIngressConnectionInput`) /// - /// - Returns: `DeleteVpcIngressConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcIngressConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1272,7 +1259,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcIngressConnectionOutput.httpOutput(from:), DeleteVpcIngressConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1307,9 +1293,9 @@ extension AppRunnerClient { /// /// Return a full description of an App Runner automatic scaling configuration resource. /// - /// - Parameter DescribeAutoScalingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAutoScalingConfigurationInput`) /// - /// - Returns: `DescribeAutoScalingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAutoScalingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1343,7 +1329,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAutoScalingConfigurationOutput.httpOutput(from:), DescribeAutoScalingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1378,9 +1363,9 @@ extension AppRunnerClient { /// /// Return a description of custom domain names that are associated with an App Runner service. /// - /// - Parameter DescribeCustomDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomDomainsInput`) /// - /// - Returns: `DescribeCustomDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1414,7 +1399,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomDomainsOutput.httpOutput(from:), DescribeCustomDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1449,9 +1433,9 @@ extension AppRunnerClient { /// /// Return a full description of an App Runner observability configuration resource. /// - /// - Parameter DescribeObservabilityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeObservabilityConfigurationInput`) /// - /// - Returns: `DescribeObservabilityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeObservabilityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1485,7 +1469,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeObservabilityConfigurationOutput.httpOutput(from:), DescribeObservabilityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1520,9 +1503,9 @@ extension AppRunnerClient { /// /// Return a full description of an App Runner service. /// - /// - Parameter DescribeServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceInput`) /// - /// - Returns: `DescribeServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1556,7 +1539,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceOutput.httpOutput(from:), DescribeServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1591,9 +1573,9 @@ extension AppRunnerClient { /// /// Return a description of an App Runner VPC connector resource. /// - /// - Parameter DescribeVpcConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcConnectorInput`) /// - /// - Returns: `DescribeVpcConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1627,7 +1609,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcConnectorOutput.httpOutput(from:), DescribeVpcConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1662,9 +1643,9 @@ extension AppRunnerClient { /// /// Return a full description of an App Runner VPC Ingress Connection resource. /// - /// - Parameter DescribeVpcIngressConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcIngressConnectionInput`) /// - /// - Returns: `DescribeVpcIngressConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcIngressConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1698,7 +1679,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcIngressConnectionOutput.httpOutput(from:), DescribeVpcIngressConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1733,9 +1713,9 @@ extension AppRunnerClient { /// /// Disassociate a custom domain name from an App Runner service. Certificates tracking domain validity are associated with a custom domain and are stored in [AWS Certificate Manager (ACM)](https://docs.aws.amazon.com/acm/latest/userguide). These certificates aren't deleted as part of this action. App Runner delays certificate deletion for 30 days after a domain is disassociated from your service. /// - /// - Parameter DisassociateCustomDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateCustomDomainInput`) /// - /// - Returns: `DisassociateCustomDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateCustomDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1770,7 +1750,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateCustomDomainOutput.httpOutput(from:), DisassociateCustomDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1805,9 +1784,9 @@ extension AppRunnerClient { /// /// Returns a list of active App Runner automatic scaling configurations in your Amazon Web Services account. You can query the revisions for a specific configuration name or the revisions for all active configurations in your account. You can optionally query only the latest revision of each requested name. To retrieve a full description of a particular configuration revision, call and provide one of the ARNs returned by ListAutoScalingConfigurations. /// - /// - Parameter ListAutoScalingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutoScalingConfigurationsInput`) /// - /// - Returns: `ListAutoScalingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutoScalingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1840,7 +1819,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutoScalingConfigurationsOutput.httpOutput(from:), ListAutoScalingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1875,9 +1853,9 @@ extension AppRunnerClient { /// /// Returns a list of App Runner connections that are associated with your Amazon Web Services account. /// - /// - Parameter ListConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectionsInput`) /// - /// - Returns: `ListConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1910,7 +1888,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectionsOutput.httpOutput(from:), ListConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1945,9 +1922,9 @@ extension AppRunnerClient { /// /// Returns a list of active App Runner observability configurations in your Amazon Web Services account. You can query the revisions for a specific configuration name or the revisions for all active configurations in your account. You can optionally query only the latest revision of each requested name. To retrieve a full description of a particular configuration revision, call and provide one of the ARNs returned by ListObservabilityConfigurations. /// - /// - Parameter ListObservabilityConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObservabilityConfigurationsInput`) /// - /// - Returns: `ListObservabilityConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObservabilityConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1980,7 +1957,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObservabilityConfigurationsOutput.httpOutput(from:), ListObservabilityConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2015,9 +1991,9 @@ extension AppRunnerClient { /// /// Return a list of operations that occurred on an App Runner service. The resulting list of [OperationSummary] objects is sorted in reverse chronological order. The first object on the list represents the last started operation. /// - /// - Parameter ListOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOperationsInput`) /// - /// - Returns: `ListOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2051,7 +2027,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOperationsOutput.httpOutput(from:), ListOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2086,9 +2061,9 @@ extension AppRunnerClient { /// /// Returns a list of running App Runner services in your Amazon Web Services account. /// - /// - Parameter ListServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicesInput`) /// - /// - Returns: `ListServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2121,7 +2096,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicesOutput.httpOutput(from:), ListServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2156,9 +2130,9 @@ extension AppRunnerClient { /// /// Returns a list of the associated App Runner services using an auto scaling configuration. /// - /// - Parameter ListServicesForAutoScalingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicesForAutoScalingConfigurationInput`) /// - /// - Returns: `ListServicesForAutoScalingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicesForAutoScalingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2192,7 +2166,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicesForAutoScalingConfigurationOutput.httpOutput(from:), ListServicesForAutoScalingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2227,9 +2200,9 @@ extension AppRunnerClient { /// /// List tags that are associated with for an App Runner resource. The response contains a list of tag key-value pairs. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2264,7 +2237,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2299,9 +2271,9 @@ extension AppRunnerClient { /// /// Returns a list of App Runner VPC connectors in your Amazon Web Services account. /// - /// - Parameter ListVpcConnectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVpcConnectorsInput`) /// - /// - Returns: `ListVpcConnectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVpcConnectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2334,7 +2306,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcConnectorsOutput.httpOutput(from:), ListVpcConnectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2369,9 +2340,9 @@ extension AppRunnerClient { /// /// Return a list of App Runner VPC Ingress Connections in your Amazon Web Services account. /// - /// - Parameter ListVpcIngressConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVpcIngressConnectionsInput`) /// - /// - Returns: `ListVpcIngressConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVpcIngressConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2404,7 +2375,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcIngressConnectionsOutput.httpOutput(from:), ListVpcIngressConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2439,9 +2409,9 @@ extension AppRunnerClient { /// /// Pause an active App Runner service. App Runner reduces compute capacity for the service to zero and loses state (for example, ephemeral storage is removed). This is an asynchronous operation. On a successful call, you can use the returned OperationId and the [ListOperations] call to track the operation's progress. /// - /// - Parameter PauseServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PauseServiceInput`) /// - /// - Returns: `PauseServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PauseServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2476,7 +2446,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PauseServiceOutput.httpOutput(from:), PauseServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2511,9 +2480,9 @@ extension AppRunnerClient { /// /// Resume an active App Runner service. App Runner provisions compute capacity for the service. This is an asynchronous operation. On a successful call, you can use the returned OperationId and the [ListOperations] call to track the operation's progress. /// - /// - Parameter ResumeServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResumeServiceInput`) /// - /// - Returns: `ResumeServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2548,7 +2517,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeServiceOutput.httpOutput(from:), ResumeServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2583,9 +2551,9 @@ extension AppRunnerClient { /// /// Initiate a manual deployment of the latest commit in a source code repository or the latest image in a source image repository to an App Runner service. For a source code repository, App Runner retrieves the commit and builds a Docker image. For a source image repository, App Runner retrieves the latest Docker image. In both cases, App Runner then deploys the new image to your service and starts a new container instance. This is an asynchronous operation. On a successful call, you can use the returned OperationId and the [ListOperations] call to track the operation's progress. /// - /// - Parameter StartDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDeploymentInput`) /// - /// - Returns: `StartDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2619,7 +2587,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDeploymentOutput.httpOutput(from:), StartDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2654,9 +2621,9 @@ extension AppRunnerClient { /// /// Add tags to, or update the tag values of, an App Runner resource. A tag is a key-value pair. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2691,7 +2658,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2726,9 +2692,9 @@ extension AppRunnerClient { /// /// Remove tags from an App Runner resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2763,7 +2729,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2798,9 +2763,9 @@ extension AppRunnerClient { /// /// Update an auto scaling configuration to be the default. The existing default auto scaling configuration will be set to non-default automatically. /// - /// - Parameter UpdateDefaultAutoScalingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDefaultAutoScalingConfigurationInput`) /// - /// - Returns: `UpdateDefaultAutoScalingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDefaultAutoScalingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2834,7 +2799,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDefaultAutoScalingConfigurationOutput.httpOutput(from:), UpdateDefaultAutoScalingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2869,9 +2833,9 @@ extension AppRunnerClient { /// /// Update an App Runner service. You can update the source configuration and instance configuration of the service. You can also update the ARN of the auto scaling configuration resource that's associated with the service. However, you can't change the name or the encryption configuration of the service. These can be set only when you create the service. To update the tags applied to your service, use the separate actions [TagResource] and [UntagResource]. This is an asynchronous operation. On a successful call, you can use the returned OperationId and the [ListOperations] call to track the operation's progress. /// - /// - Parameter UpdateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceInput`) /// - /// - Returns: `UpdateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2906,7 +2870,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceOutput.httpOutput(from:), UpdateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2947,9 +2910,9 @@ extension AppRunnerClient { /// /// * FAILED_UPDATE /// - /// - Parameter UpdateVpcIngressConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVpcIngressConnectionInput`) /// - /// - Returns: `UpdateVpcIngressConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVpcIngressConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2984,7 +2947,6 @@ extension AppRunnerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVpcIngressConnectionOutput.httpOutput(from:), UpdateVpcIngressConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAppStream/Sources/AWSAppStream/AppStreamClient.swift b/Sources/Services/AWSAppStream/Sources/AWSAppStream/AppStreamClient.swift index 8e208b506bf..cd76838686c 100644 --- a/Sources/Services/AWSAppStream/Sources/AWSAppStream/AppStreamClient.swift +++ b/Sources/Services/AWSAppStream/Sources/AWSAppStream/AppStreamClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AppStreamClient: ClientRuntime.Client { public static let clientName = "AppStreamClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AppStreamClient.AppStreamClientConfiguration let serviceName = "AppStream" @@ -374,9 +373,9 @@ extension AppStreamClient { /// /// Associates the specified app block builder with the specified app block. /// - /// - Parameter AssociateAppBlockBuilderAppBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAppBlockBuilderAppBlockInput`) /// - /// - Returns: `AssociateAppBlockBuilderAppBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAppBlockBuilderAppBlockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAppBlockBuilderAppBlockOutput.httpOutput(from:), AssociateAppBlockBuilderAppBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension AppStreamClient { /// /// Associates the specified application with the specified fleet. This is only supported for Elastic fleets. /// - /// - Parameter AssociateApplicationFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateApplicationFleetInput`) /// - /// - Returns: `AssociateApplicationFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateApplicationFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateApplicationFleetOutput.httpOutput(from:), AssociateApplicationFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension AppStreamClient { /// /// Associates an application to entitle. /// - /// - Parameter AssociateApplicationToEntitlementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateApplicationToEntitlementInput`) /// - /// - Returns: `AssociateApplicationToEntitlementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateApplicationToEntitlementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateApplicationToEntitlementOutput.httpOutput(from:), AssociateApplicationToEntitlementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension AppStreamClient { /// /// Associates the specified fleet with the specified stack. /// - /// - Parameter AssociateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateFleetInput`) /// - /// - Returns: `AssociateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateFleetOutput.httpOutput(from:), AssociateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension AppStreamClient { /// /// Associates the specified users with the specified stacks. Users in a user pool cannot be assigned to stacks with fleets that are joined to an Active Directory domain. /// - /// - Parameter BatchAssociateUserStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAssociateUserStackInput`) /// - /// - Returns: `BatchAssociateUserStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateUserStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateUserStackOutput.httpOutput(from:), BatchAssociateUserStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension AppStreamClient { /// /// Disassociates the specified users from the specified stacks. /// - /// - Parameter BatchDisassociateUserStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisassociateUserStackInput`) /// - /// - Returns: `BatchDisassociateUserStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateUserStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateUserStackOutput.httpOutput(from:), BatchDisassociateUserStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension AppStreamClient { /// /// Copies the image within the same region or to a new region within the same AWS account. Note that any tags you added to the image will not be copied. /// - /// - Parameter CopyImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyImageInput`) /// - /// - Returns: `CopyImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -845,7 +838,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyImageOutput.httpOutput(from:), CopyImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -880,9 +872,9 @@ extension AppStreamClient { /// /// Creates an app block. App blocks are an Amazon AppStream 2.0 resource that stores the details about the virtual hard disk in an S3 bucket. It also stores the setup script with details about how to mount the virtual hard disk. The virtual hard disk includes the application binaries and other files necessary to launch your applications. Multiple applications can be assigned to a single app block. This is only supported for Elastic fleets. /// - /// - Parameter CreateAppBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppBlockInput`) /// - /// - Returns: `CreateAppBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppBlockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -917,7 +909,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppBlockOutput.httpOutput(from:), CreateAppBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -952,9 +943,9 @@ extension AppStreamClient { /// /// Creates an app block builder. /// - /// - Parameter CreateAppBlockBuilderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppBlockBuilderInput`) /// - /// - Returns: `CreateAppBlockBuilderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppBlockBuilderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -995,7 +986,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppBlockBuilderOutput.httpOutput(from:), CreateAppBlockBuilderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1030,9 +1020,9 @@ extension AppStreamClient { /// /// Creates a URL to start a create app block builder streaming session. /// - /// - Parameter CreateAppBlockBuilderStreamingURLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppBlockBuilderStreamingURLInput`) /// - /// - Returns: `CreateAppBlockBuilderStreamingURLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppBlockBuilderStreamingURLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1065,7 +1055,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppBlockBuilderStreamingURLOutput.httpOutput(from:), CreateAppBlockBuilderStreamingURLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1100,9 +1089,9 @@ extension AppStreamClient { /// /// Creates an application. Applications are an Amazon AppStream 2.0 resource that stores the details about how to launch applications on Elastic fleet streaming instances. An application consists of the launch details, icon, and display name. Applications are associated with an app block that contains the application binaries and other files. The applications assigned to an Elastic fleet are the applications users can launch. This is only supported for Elastic fleets. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1138,7 +1127,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1173,9 +1161,9 @@ extension AppStreamClient { /// /// Creates a Directory Config object in AppStream 2.0. This object includes the configuration information required to join fleets and image builders to Microsoft Active Directory domains. /// - /// - Parameter CreateDirectoryConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDirectoryConfigInput`) /// - /// - Returns: `CreateDirectoryConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDirectoryConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1212,7 +1200,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDirectoryConfigOutput.httpOutput(from:), CreateDirectoryConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1247,9 +1234,9 @@ extension AppStreamClient { /// /// Creates a new entitlement. Entitlements control access to specific applications within a stack, based on user attributes. Entitlements apply to SAML 2.0 federated user identities. Amazon AppStream 2.0 user pool and streaming URL users are entitled to all applications in a stack. Entitlements don't apply to the desktop stream view application, or to applications managed by a dynamic app provider using the Dynamic Application Framework. /// - /// - Parameter CreateEntitlementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEntitlementInput`) /// - /// - Returns: `CreateEntitlementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEntitlementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1284,7 +1271,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEntitlementOutput.httpOutput(from:), CreateEntitlementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1319,9 +1305,9 @@ extension AppStreamClient { /// /// Creates a fleet. A fleet consists of streaming instances that your users access for their applications and desktops. /// - /// - Parameter CreateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFleetInput`) /// - /// - Returns: `CreateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1363,7 +1349,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFleetOutput.httpOutput(from:), CreateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1398,9 +1383,9 @@ extension AppStreamClient { /// /// Creates an image builder. An image builder is a virtual machine that is used to create an image. The initial state of the builder is PENDING. When it is ready, the state is RUNNING. /// - /// - Parameter CreateImageBuilderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImageBuilderInput`) /// - /// - Returns: `CreateImageBuilderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImageBuilderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1442,7 +1427,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImageBuilderOutput.httpOutput(from:), CreateImageBuilderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1477,9 +1461,9 @@ extension AppStreamClient { /// /// Creates a URL to start an image builder streaming session. /// - /// - Parameter CreateImageBuilderStreamingURLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImageBuilderStreamingURLInput`) /// - /// - Returns: `CreateImageBuilderStreamingURLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImageBuilderStreamingURLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1512,7 +1496,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImageBuilderStreamingURLOutput.httpOutput(from:), CreateImageBuilderStreamingURLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1547,9 +1530,9 @@ extension AppStreamClient { /// /// Creates a stack to start streaming applications to users. A stack consists of an associated fleet, user access policies, and storage configurations. /// - /// - Parameter CreateStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStackInput`) /// - /// - Returns: `CreateStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1588,7 +1571,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStackOutput.httpOutput(from:), CreateStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1623,9 +1605,9 @@ extension AppStreamClient { /// /// Creates a temporary URL to start an AppStream 2.0 streaming session for the specified user. A streaming URL enables application streaming to be tested without user setup. /// - /// - Parameter CreateStreamingURLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStreamingURLInput`) /// - /// - Returns: `CreateStreamingURLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStreamingURLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1660,7 +1642,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStreamingURLOutput.httpOutput(from:), CreateStreamingURLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1695,9 +1676,9 @@ extension AppStreamClient { /// /// Creates custom branding that customizes the appearance of the streaming application catalog page. /// - /// - Parameter CreateThemeForStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateThemeForStackInput`) /// - /// - Returns: `CreateThemeForStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateThemeForStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1734,7 +1715,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateThemeForStackOutput.httpOutput(from:), CreateThemeForStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1769,9 +1749,9 @@ extension AppStreamClient { /// /// Creates a new image with the latest Windows operating system updates, driver updates, and AppStream 2.0 agent software. For more information, see the "Update an Image by Using Managed AppStream 2.0 Image Updates" section in [Administer Your AppStream 2.0 Images](https://docs.aws.amazon.com/appstream2/latest/developerguide/administer-images.html), in the Amazon AppStream 2.0 Administration Guide. /// - /// - Parameter CreateUpdatedImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUpdatedImageInput`) /// - /// - Returns: `CreateUpdatedImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUpdatedImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1809,7 +1789,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUpdatedImageOutput.httpOutput(from:), CreateUpdatedImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1844,9 +1823,9 @@ extension AppStreamClient { /// /// Creates a usage report subscription. Usage reports are generated daily. /// - /// - Parameter CreateUsageReportSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUsageReportSubscriptionInput`) /// - /// - Returns: `CreateUsageReportSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUsageReportSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1880,7 +1859,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUsageReportSubscriptionOutput.httpOutput(from:), CreateUsageReportSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1915,9 +1893,9 @@ extension AppStreamClient { /// /// Creates a new user in the user pool. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1953,7 +1931,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1988,9 +1965,9 @@ extension AppStreamClient { /// /// Deletes an app block. /// - /// - Parameter DeleteAppBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppBlockInput`) /// - /// - Returns: `DeleteAppBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppBlockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2024,7 +2001,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppBlockOutput.httpOutput(from:), DeleteAppBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2059,9 +2035,9 @@ extension AppStreamClient { /// /// Deletes an app block builder. An app block builder can only be deleted when it has no association with an app block. /// - /// - Parameter DeleteAppBlockBuilderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppBlockBuilderInput`) /// - /// - Returns: `DeleteAppBlockBuilderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppBlockBuilderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2096,7 +2072,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppBlockBuilderOutput.httpOutput(from:), DeleteAppBlockBuilderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2131,9 +2106,9 @@ extension AppStreamClient { /// /// Deletes an application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2168,7 +2143,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2203,9 +2177,9 @@ extension AppStreamClient { /// /// Deletes the specified Directory Config object from AppStream 2.0. This object includes the information required to join streaming instances to an Active Directory domain. /// - /// - Parameter DeleteDirectoryConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDirectoryConfigInput`) /// - /// - Returns: `DeleteDirectoryConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDirectoryConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2238,7 +2212,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDirectoryConfigOutput.httpOutput(from:), DeleteDirectoryConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2273,9 +2246,9 @@ extension AppStreamClient { /// /// Deletes the specified entitlement. /// - /// - Parameter DeleteEntitlementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEntitlementInput`) /// - /// - Returns: `DeleteEntitlementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEntitlementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2310,7 +2283,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEntitlementOutput.httpOutput(from:), DeleteEntitlementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2345,9 +2317,9 @@ extension AppStreamClient { /// /// Deletes the specified fleet. /// - /// - Parameter DeleteFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetInput`) /// - /// - Returns: `DeleteFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2381,7 +2353,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetOutput.httpOutput(from:), DeleteFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2416,9 +2387,9 @@ extension AppStreamClient { /// /// Deletes the specified image. You cannot delete an image when it is in use. After you delete an image, you cannot provision new capacity using the image. /// - /// - Parameter DeleteImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImageInput`) /// - /// - Returns: `DeleteImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2453,7 +2424,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImageOutput.httpOutput(from:), DeleteImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2488,9 +2458,9 @@ extension AppStreamClient { /// /// Deletes the specified image builder and releases the capacity. /// - /// - Parameter DeleteImageBuilderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImageBuilderInput`) /// - /// - Returns: `DeleteImageBuilderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImageBuilderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2524,7 +2494,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImageBuilderOutput.httpOutput(from:), DeleteImageBuilderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2559,9 +2528,9 @@ extension AppStreamClient { /// /// Deletes permissions for the specified private image. After you delete permissions for an image, AWS accounts to which you previously granted these permissions can no longer use the image. /// - /// - Parameter DeleteImagePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImagePermissionsInput`) /// - /// - Returns: `DeleteImagePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImagePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2594,7 +2563,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImagePermissionsOutput.httpOutput(from:), DeleteImagePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2629,9 +2597,9 @@ extension AppStreamClient { /// /// Deletes the specified stack. After the stack is deleted, the application streaming environment provided by the stack is no longer available to users. Also, any reservations made for application streaming sessions for the stack are released. /// - /// - Parameter DeleteStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStackInput`) /// - /// - Returns: `DeleteStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2666,7 +2634,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStackOutput.httpOutput(from:), DeleteStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2701,9 +2668,9 @@ extension AppStreamClient { /// /// Deletes custom branding that customizes the appearance of the streaming application catalog page. /// - /// - Parameter DeleteThemeForStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteThemeForStackInput`) /// - /// - Returns: `DeleteThemeForStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteThemeForStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2737,7 +2704,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThemeForStackOutput.httpOutput(from:), DeleteThemeForStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2772,9 +2738,9 @@ extension AppStreamClient { /// /// Disables usage report generation. /// - /// - Parameter DeleteUsageReportSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUsageReportSubscriptionInput`) /// - /// - Returns: `DeleteUsageReportSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUsageReportSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2807,7 +2773,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUsageReportSubscriptionOutput.httpOutput(from:), DeleteUsageReportSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2842,9 +2807,9 @@ extension AppStreamClient { /// /// Deletes a user from the user pool. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2876,7 +2841,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2911,9 +2875,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more app block builder associations. /// - /// - Parameter DescribeAppBlockBuilderAppBlockAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppBlockBuilderAppBlockAssociationsInput`) /// - /// - Returns: `DescribeAppBlockBuilderAppBlockAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppBlockBuilderAppBlockAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2946,7 +2910,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppBlockBuilderAppBlockAssociationsOutput.httpOutput(from:), DescribeAppBlockBuilderAppBlockAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2981,9 +2944,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more app block builders. /// - /// - Parameter DescribeAppBlockBuildersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppBlockBuildersInput`) /// - /// - Returns: `DescribeAppBlockBuildersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppBlockBuildersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3016,7 +2979,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppBlockBuildersOutput.httpOutput(from:), DescribeAppBlockBuildersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3051,9 +3013,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more app blocks. /// - /// - Parameter DescribeAppBlocksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppBlocksInput`) /// - /// - Returns: `DescribeAppBlocksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppBlocksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3086,7 +3048,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppBlocksOutput.httpOutput(from:), DescribeAppBlocksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3121,9 +3082,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more application fleet associations. Either ApplicationArn or FleetName must be specified. /// - /// - Parameter DescribeApplicationFleetAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationFleetAssociationsInput`) /// - /// - Returns: `DescribeApplicationFleetAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationFleetAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3156,7 +3117,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationFleetAssociationsOutput.httpOutput(from:), DescribeApplicationFleetAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3191,9 +3151,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more applications. /// - /// - Parameter DescribeApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationsInput`) /// - /// - Returns: `DescribeApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3226,7 +3186,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationsOutput.httpOutput(from:), DescribeApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3261,9 +3220,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more specified Directory Config objects for AppStream 2.0, if the names for these objects are provided. Otherwise, all Directory Config objects in the account are described. These objects include the configuration information required to join fleets and image builders to Microsoft Active Directory domains. Although the response syntax in this topic includes the account password, this password is not returned in the actual response. /// - /// - Parameter DescribeDirectoryConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDirectoryConfigsInput`) /// - /// - Returns: `DescribeDirectoryConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDirectoryConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3295,7 +3254,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDirectoryConfigsOutput.httpOutput(from:), DescribeDirectoryConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3330,9 +3288,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one of more entitlements. /// - /// - Parameter DescribeEntitlementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEntitlementsInput`) /// - /// - Returns: `DescribeEntitlementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEntitlementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3366,7 +3324,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEntitlementsOutput.httpOutput(from:), DescribeEntitlementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3401,9 +3358,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more specified fleets, if the fleet names are provided. Otherwise, all fleets in the account are described. /// - /// - Parameter DescribeFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetsInput`) /// - /// - Returns: `DescribeFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3435,7 +3392,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetsOutput.httpOutput(from:), DescribeFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3470,9 +3426,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more specified image builders, if the image builder names are provided. Otherwise, all image builders in the account are described. /// - /// - Parameter DescribeImageBuildersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageBuildersInput`) /// - /// - Returns: `DescribeImageBuildersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageBuildersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3504,7 +3460,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageBuildersOutput.httpOutput(from:), DescribeImageBuildersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3539,9 +3494,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes the permissions for shared AWS account IDs on a private image that you own. /// - /// - Parameter DescribeImagePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImagePermissionsInput`) /// - /// - Returns: `DescribeImagePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImagePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3573,7 +3528,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImagePermissionsOutput.httpOutput(from:), DescribeImagePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3608,9 +3562,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more specified images, if the image names or image ARNs are provided. Otherwise, all images in the account are described. /// - /// - Parameter DescribeImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImagesInput`) /// - /// - Returns: `DescribeImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3643,7 +3597,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImagesOutput.httpOutput(from:), DescribeImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3678,9 +3631,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes the streaming sessions for a specified stack and fleet. If a UserId is provided for the stack and fleet, only streaming sessions for that user are described. If an authentication type is not provided, the default is to authenticate users using a streaming URL. /// - /// - Parameter DescribeSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSessionsInput`) /// - /// - Returns: `DescribeSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3712,7 +3665,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSessionsOutput.httpOutput(from:), DescribeSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3747,9 +3699,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more specified stacks, if the stack names are provided. Otherwise, all stacks in the account are described. /// - /// - Parameter DescribeStacksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStacksInput`) /// - /// - Returns: `DescribeStacksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStacksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3781,7 +3733,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStacksOutput.httpOutput(from:), DescribeStacksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3816,9 +3767,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes the theme for a specified stack. A theme is custom branding that customizes the appearance of the streaming application catalog page. /// - /// - Parameter DescribeThemeForStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeThemeForStackInput`) /// - /// - Returns: `DescribeThemeForStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeThemeForStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3851,7 +3802,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeThemeForStackOutput.httpOutput(from:), DescribeThemeForStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3886,9 +3836,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more usage report subscriptions. /// - /// - Parameter DescribeUsageReportSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUsageReportSubscriptionsInput`) /// - /// - Returns: `DescribeUsageReportSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUsageReportSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3921,7 +3871,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUsageReportSubscriptionsOutput.httpOutput(from:), DescribeUsageReportSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3960,9 +3909,9 @@ extension AppStreamClient { /// /// * The user name (email address of the user associated with the stack) and the authentication type for the user /// - /// - Parameter DescribeUserStackAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserStackAssociationsInput`) /// - /// - Returns: `DescribeUserStackAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserStackAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3995,7 +3944,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserStackAssociationsOutput.httpOutput(from:), DescribeUserStackAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4030,9 +3978,9 @@ extension AppStreamClient { /// /// Retrieves a list that describes one or more specified users in the user pool. /// - /// - Parameter DescribeUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUsersInput`) /// - /// - Returns: `DescribeUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4066,7 +4014,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUsersOutput.httpOutput(from:), DescribeUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4101,9 +4048,9 @@ extension AppStreamClient { /// /// Disables the specified user in the user pool. Users can't sign in to AppStream 2.0 until they are re-enabled. This action does not delete the user. /// - /// - Parameter DisableUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableUserInput`) /// - /// - Returns: `DisableUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4135,7 +4082,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableUserOutput.httpOutput(from:), DisableUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4170,9 +4116,9 @@ extension AppStreamClient { /// /// Disassociates a specified app block builder from a specified app block. /// - /// - Parameter DisassociateAppBlockBuilderAppBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAppBlockBuilderAppBlockInput`) /// - /// - Returns: `DisassociateAppBlockBuilderAppBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAppBlockBuilderAppBlockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4207,7 +4153,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAppBlockBuilderAppBlockOutput.httpOutput(from:), DisassociateAppBlockBuilderAppBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4242,9 +4187,9 @@ extension AppStreamClient { /// /// Disassociates the specified application from the fleet. /// - /// - Parameter DisassociateApplicationFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateApplicationFleetInput`) /// - /// - Returns: `DisassociateApplicationFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateApplicationFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4278,7 +4223,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateApplicationFleetOutput.httpOutput(from:), DisassociateApplicationFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4313,9 +4257,9 @@ extension AppStreamClient { /// /// Deletes the specified application from the specified entitlement. /// - /// - Parameter DisassociateApplicationFromEntitlementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateApplicationFromEntitlementInput`) /// - /// - Returns: `DisassociateApplicationFromEntitlementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateApplicationFromEntitlementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4349,7 +4293,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateApplicationFromEntitlementOutput.httpOutput(from:), DisassociateApplicationFromEntitlementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4384,9 +4327,9 @@ extension AppStreamClient { /// /// Disassociates the specified fleet from the specified stack. /// - /// - Parameter DisassociateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFleetInput`) /// - /// - Returns: `DisassociateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4421,7 +4364,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFleetOutput.httpOutput(from:), DisassociateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4456,9 +4398,9 @@ extension AppStreamClient { /// /// Enables a user in the user pool. After being enabled, users can sign in to AppStream 2.0 and open applications from the stacks to which they are assigned. /// - /// - Parameter EnableUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableUserInput`) /// - /// - Returns: `EnableUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4491,7 +4433,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableUserOutput.httpOutput(from:), EnableUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4526,9 +4467,9 @@ extension AppStreamClient { /// /// Immediately stops the specified streaming session. /// - /// - Parameter ExpireSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExpireSessionInput`) /// - /// - Returns: `ExpireSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExpireSessionOutput`) public func expireSession(input: ExpireSessionInput) async throws -> ExpireSessionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4555,7 +4496,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExpireSessionOutput.httpOutput(from:), ExpireSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4590,9 +4530,9 @@ extension AppStreamClient { /// /// Retrieves the name of the fleet that is associated with the specified stack. /// - /// - Parameter ListAssociatedFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedFleetsInput`) /// - /// - Returns: `ListAssociatedFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedFleetsOutput`) public func listAssociatedFleets(input: ListAssociatedFleetsInput) async throws -> ListAssociatedFleetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4619,7 +4559,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedFleetsOutput.httpOutput(from:), ListAssociatedFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4654,9 +4593,9 @@ extension AppStreamClient { /// /// Retrieves the name of the stack with which the specified fleet is associated. /// - /// - Parameter ListAssociatedStacksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedStacksInput`) /// - /// - Returns: `ListAssociatedStacksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedStacksOutput`) public func listAssociatedStacks(input: ListAssociatedStacksInput) async throws -> ListAssociatedStacksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4683,7 +4622,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedStacksOutput.httpOutput(from:), ListAssociatedStacksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4718,9 +4656,9 @@ extension AppStreamClient { /// /// Retrieves a list of entitled applications. /// - /// - Parameter ListEntitledApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntitledApplicationsInput`) /// - /// - Returns: `ListEntitledApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntitledApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4754,7 +4692,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntitledApplicationsOutput.httpOutput(from:), ListEntitledApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4789,9 +4726,9 @@ extension AppStreamClient { /// /// Retrieves a list of all tags for the specified AppStream 2.0 resource. You can tag AppStream 2.0 image builders, images, fleets, and stacks. For more information about tags, see [Tagging Your Resources](https://docs.aws.amazon.com/appstream2/latest/developerguide/tagging-basic.html) in the Amazon AppStream 2.0 Administration Guide. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4823,7 +4760,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4858,9 +4794,9 @@ extension AppStreamClient { /// /// Starts an app block builder. An app block builder can only be started when it's associated with an app block. Starting an app block builder starts a new instance, which is equivalent to an elastic fleet instance with application builder assistance functionality. /// - /// - Parameter StartAppBlockBuilderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAppBlockBuilderInput`) /// - /// - Returns: `StartAppBlockBuilderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAppBlockBuilderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4898,7 +4834,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAppBlockBuilderOutput.httpOutput(from:), StartAppBlockBuilderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4933,9 +4868,9 @@ extension AppStreamClient { /// /// Starts the specified fleet. /// - /// - Parameter StartFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFleetInput`) /// - /// - Returns: `StartFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4974,7 +4909,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFleetOutput.httpOutput(from:), StartFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5009,9 +4943,9 @@ extension AppStreamClient { /// /// Starts the specified image builder. /// - /// - Parameter StartImageBuilderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImageBuilderInput`) /// - /// - Returns: `StartImageBuilderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImageBuilderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5047,7 +4981,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImageBuilderOutput.httpOutput(from:), StartImageBuilderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5082,9 +5015,9 @@ extension AppStreamClient { /// /// Stops an app block builder. Stopping an app block builder terminates the instance, and the instance state is not persisted. /// - /// - Parameter StopAppBlockBuilderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopAppBlockBuilderInput`) /// - /// - Returns: `StopAppBlockBuilderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopAppBlockBuilderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5118,7 +5051,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopAppBlockBuilderOutput.httpOutput(from:), StopAppBlockBuilderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5153,9 +5085,9 @@ extension AppStreamClient { /// /// Stops the specified fleet. /// - /// - Parameter StopFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopFleetInput`) /// - /// - Returns: `StopFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5188,7 +5120,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopFleetOutput.httpOutput(from:), StopFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5223,9 +5154,9 @@ extension AppStreamClient { /// /// Stops the specified image builder. /// - /// - Parameter StopImageBuilderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopImageBuilderInput`) /// - /// - Returns: `StopImageBuilderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopImageBuilderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5259,7 +5190,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopImageBuilderOutput.httpOutput(from:), StopImageBuilderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5294,9 +5224,9 @@ extension AppStreamClient { /// /// Adds or overwrites one or more tags for the specified AppStream 2.0 resource. You can tag AppStream 2.0 image builders, images, fleets, and stacks. Each tag consists of a key and an optional value. If a resource already has a tag with the same key, this operation updates its value. To list the current tags for your resources, use [ListTagsForResource]. To disassociate tags from your resources, use [UntagResource]. For more information about tags, see [Tagging Your Resources](https://docs.aws.amazon.com/appstream2/latest/developerguide/tagging-basic.html) in the Amazon AppStream 2.0 Administration Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5330,7 +5260,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5365,9 +5294,9 @@ extension AppStreamClient { /// /// Disassociates one or more specified tags from the specified AppStream 2.0 resource. To list the current tags for your resources, use [ListTagsForResource]. For more information about tags, see [Tagging Your Resources](https://docs.aws.amazon.com/appstream2/latest/developerguide/tagging-basic.html) in the Amazon AppStream 2.0 Administration Guide. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5399,7 +5328,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5434,9 +5362,9 @@ extension AppStreamClient { /// /// Updates an app block builder. If the app block builder is in the STARTING or STOPPING state, you can't update it. If the app block builder is in the RUNNING state, you can only update the DisplayName and Description. If the app block builder is in the STOPPED state, you can update any attribute except the Name. /// - /// - Parameter UpdateAppBlockBuilderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppBlockBuilderInput`) /// - /// - Returns: `UpdateAppBlockBuilderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppBlockBuilderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5477,7 +5405,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppBlockBuilderOutput.httpOutput(from:), UpdateAppBlockBuilderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5512,9 +5439,9 @@ extension AppStreamClient { /// /// Updates the specified application. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5548,7 +5475,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5583,9 +5509,9 @@ extension AppStreamClient { /// /// Updates the specified Directory Config object in AppStream 2.0. This object includes the configuration information required to join fleets and image builders to Microsoft Active Directory domains. /// - /// - Parameter UpdateDirectoryConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDirectoryConfigInput`) /// - /// - Returns: `UpdateDirectoryConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDirectoryConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5622,7 +5548,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDirectoryConfigOutput.httpOutput(from:), UpdateDirectoryConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5657,9 +5582,9 @@ extension AppStreamClient { /// /// Updates the specified entitlement. /// - /// - Parameter UpdateEntitlementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEntitlementInput`) /// - /// - Returns: `UpdateEntitlementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEntitlementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5694,7 +5619,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEntitlementOutput.httpOutput(from:), UpdateEntitlementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5736,9 +5660,9 @@ extension AppStreamClient { /// /// If the fleet is in the STARTING or STOPPED state, you can't update it. /// - /// - Parameter UpdateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFleetInput`) /// - /// - Returns: `UpdateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5780,7 +5704,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFleetOutput.httpOutput(from:), UpdateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5815,9 +5738,9 @@ extension AppStreamClient { /// /// Adds or updates permissions for the specified private image. /// - /// - Parameter UpdateImagePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateImagePermissionsInput`) /// - /// - Returns: `UpdateImagePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateImagePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5851,7 +5774,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateImagePermissionsOutput.httpOutput(from:), UpdateImagePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5886,9 +5808,9 @@ extension AppStreamClient { /// /// Updates the specified fields for the specified stack. /// - /// - Parameter UpdateStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStackInput`) /// - /// - Returns: `UpdateStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5928,7 +5850,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStackOutput.httpOutput(from:), UpdateStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5963,9 +5884,9 @@ extension AppStreamClient { /// /// Updates custom branding that customizes the appearance of the streaming application catalog page. /// - /// - Parameter UpdateThemeForStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThemeForStackInput`) /// - /// - Returns: `UpdateThemeForStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThemeForStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6002,7 +5923,6 @@ extension AppStreamClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThemeForStackOutput.httpOutput(from:), UpdateThemeForStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAppSync/Sources/AWSAppSync/AppSyncClient.swift b/Sources/Services/AWSAppSync/Sources/AWSAppSync/AppSyncClient.swift index 061fff332d9..1d4221a61ad 100644 --- a/Sources/Services/AWSAppSync/Sources/AWSAppSync/AppSyncClient.swift +++ b/Sources/Services/AWSAppSync/Sources/AWSAppSync/AppSyncClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AppSyncClient: ClientRuntime.Client { public static let clientName = "AppSyncClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AppSyncClient.AppSyncClientConfiguration let serviceName = "AppSync" @@ -374,9 +373,9 @@ extension AppSyncClient { /// /// Maps an endpoint to your custom domain. /// - /// - Parameter AssociateApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateApiInput`) /// - /// - Returns: `AssociateApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateApiOutput.httpOutput(from:), AssociateApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension AppSyncClient { /// /// Creates an association between a Merged API and source API using the source API's identifier. /// - /// - Parameter AssociateMergedGraphqlApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateMergedGraphqlApiInput`) /// - /// - Returns: `AssociateMergedGraphqlApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateMergedGraphqlApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateMergedGraphqlApiOutput.httpOutput(from:), AssociateMergedGraphqlApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension AppSyncClient { /// /// Creates an association between a Merged API and source API using the Merged API's identifier. /// - /// - Parameter AssociateSourceGraphqlApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSourceGraphqlApiInput`) /// - /// - Returns: `AssociateSourceGraphqlApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSourceGraphqlApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSourceGraphqlApiOutput.httpOutput(from:), AssociateSourceGraphqlApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension AppSyncClient { /// /// Creates an Api object. Use this operation to create an AppSync API with your preferred configuration, such as an Event API that provides real-time message publishing and message subscriptions over WebSockets. /// - /// - Parameter CreateApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApiInput`) /// - /// - Returns: `CreateApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApiOutput.httpOutput(from:), CreateApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension AppSyncClient { /// /// Creates a cache for the GraphQL API. /// - /// - Parameter CreateApiCacheInput : Represents the input of a CreateApiCache operation. + /// - Parameter input: Represents the input of a CreateApiCache operation. (Type: `CreateApiCacheInput`) /// - /// - Returns: `CreateApiCacheOutput` : Represents the output of a CreateApiCache operation. + /// - Returns: Represents the output of a CreateApiCache operation. (Type: `CreateApiCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApiCacheOutput.httpOutput(from:), CreateApiCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension AppSyncClient { /// /// Creates a unique key that you can distribute to clients who invoke your API. /// - /// - Parameter CreateApiKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApiKeyInput`) /// - /// - Returns: `CreateApiKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApiKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApiKeyOutput.httpOutput(from:), CreateApiKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension AppSyncClient { /// /// Creates a ChannelNamespace for an Api. /// - /// - Parameter CreateChannelNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelNamespaceInput`) /// - /// - Returns: `CreateChannelNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -851,7 +844,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelNamespaceOutput.httpOutput(from:), CreateChannelNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -883,9 +875,9 @@ extension AppSyncClient { /// /// Creates a DataSource object. /// - /// - Parameter CreateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSourceInput`) /// - /// - Returns: `CreateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -923,7 +915,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSourceOutput.httpOutput(from:), CreateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -955,9 +946,9 @@ extension AppSyncClient { /// /// Creates a custom DomainName object. /// - /// - Parameter CreateDomainNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainNameInput`) /// - /// - Returns: `CreateDomainNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -993,7 +984,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainNameOutput.httpOutput(from:), CreateDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1025,9 +1015,9 @@ extension AppSyncClient { /// /// Creates a Function object. A function is a reusable entity. You can use multiple functions to compose the resolver logic. /// - /// - Parameter CreateFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFunctionInput`) /// - /// - Returns: `CreateFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1065,7 +1055,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFunctionOutput.httpOutput(from:), CreateFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1097,9 +1086,9 @@ extension AppSyncClient { /// /// Creates a GraphqlApi object. /// - /// - Parameter CreateGraphqlApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGraphqlApiInput`) /// - /// - Returns: `CreateGraphqlApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGraphqlApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1138,7 +1127,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGraphqlApiOutput.httpOutput(from:), CreateGraphqlApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1170,9 +1158,9 @@ extension AppSyncClient { /// /// Creates a Resolver object. A resolver converts incoming requests into a format that a data source can understand, and converts the data source's responses into GraphQL. /// - /// - Parameter CreateResolverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResolverInput`) /// - /// - Returns: `CreateResolverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResolverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1210,7 +1198,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResolverOutput.httpOutput(from:), CreateResolverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1242,9 +1229,9 @@ extension AppSyncClient { /// /// Creates a Type object. /// - /// - Parameter CreateTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTypeInput`) /// - /// - Returns: `CreateTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1282,7 +1269,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTypeOutput.httpOutput(from:), CreateTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1314,9 +1300,9 @@ extension AppSyncClient { /// /// Deletes an Api object /// - /// - Parameter DeleteApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApiInput`) /// - /// - Returns: `DeleteApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1352,7 +1338,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApiOutput.httpOutput(from:), DeleteApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1384,9 +1369,9 @@ extension AppSyncClient { /// /// Deletes an ApiCache object. /// - /// - Parameter DeleteApiCacheInput : Represents the input of a DeleteApiCache operation. + /// - Parameter input: Represents the input of a DeleteApiCache operation. (Type: `DeleteApiCacheInput`) /// - /// - Returns: `DeleteApiCacheOutput` : Represents the output of a DeleteApiCache operation. + /// - Returns: Represents the output of a DeleteApiCache operation. (Type: `DeleteApiCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1421,7 +1406,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApiCacheOutput.httpOutput(from:), DeleteApiCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1453,9 +1437,9 @@ extension AppSyncClient { /// /// Deletes an API key. /// - /// - Parameter DeleteApiKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApiKeyInput`) /// - /// - Returns: `DeleteApiKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApiKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1473,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApiKeyOutput.httpOutput(from:), DeleteApiKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1521,9 +1504,9 @@ extension AppSyncClient { /// /// Deletes a ChannelNamespace. /// - /// - Parameter DeleteChannelNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelNamespaceInput`) /// - /// - Returns: `DeleteChannelNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1559,7 +1542,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelNamespaceOutput.httpOutput(from:), DeleteChannelNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1591,9 +1573,9 @@ extension AppSyncClient { /// /// Deletes a DataSource object. /// - /// - Parameter DeleteDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataSourceInput`) /// - /// - Returns: `DeleteDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1628,7 +1610,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSourceOutput.httpOutput(from:), DeleteDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1660,9 +1641,9 @@ extension AppSyncClient { /// /// Deletes a custom DomainName object. /// - /// - Parameter DeleteDomainNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainNameInput`) /// - /// - Returns: `DeleteDomainNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1697,7 +1678,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainNameOutput.httpOutput(from:), DeleteDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1729,9 +1709,9 @@ extension AppSyncClient { /// /// Deletes a Function. /// - /// - Parameter DeleteFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFunctionInput`) /// - /// - Returns: `DeleteFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1766,7 +1746,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFunctionOutput.httpOutput(from:), DeleteFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1798,9 +1777,9 @@ extension AppSyncClient { /// /// Deletes a GraphqlApi object. /// - /// - Parameter DeleteGraphqlApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGraphqlApiInput`) /// - /// - Returns: `DeleteGraphqlApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGraphqlApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1836,7 +1815,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGraphqlApiOutput.httpOutput(from:), DeleteGraphqlApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1868,9 +1846,9 @@ extension AppSyncClient { /// /// Deletes a Resolver object. /// - /// - Parameter DeleteResolverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResolverInput`) /// - /// - Returns: `DeleteResolverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResolverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1905,7 +1883,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResolverOutput.httpOutput(from:), DeleteResolverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1937,9 +1914,9 @@ extension AppSyncClient { /// /// Deletes a Type object. /// - /// - Parameter DeleteTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTypeInput`) /// - /// - Returns: `DeleteTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1974,7 +1951,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTypeOutput.httpOutput(from:), DeleteTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2006,9 +1982,9 @@ extension AppSyncClient { /// /// Removes an ApiAssociation object from a custom domain. /// - /// - Parameter DisassociateApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateApiInput`) /// - /// - Returns: `DisassociateApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2043,7 +2019,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateApiOutput.httpOutput(from:), DisassociateApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2075,9 +2050,9 @@ extension AppSyncClient { /// /// Deletes an association between a Merged API and source API using the source API's identifier and the association ID. /// - /// - Parameter DisassociateMergedGraphqlApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMergedGraphqlApiInput`) /// - /// - Returns: `DisassociateMergedGraphqlApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMergedGraphqlApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2112,7 +2087,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMergedGraphqlApiOutput.httpOutput(from:), DisassociateMergedGraphqlApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2144,9 +2118,9 @@ extension AppSyncClient { /// /// Deletes an association between a Merged API and source API using the Merged API's identifier and the association ID. /// - /// - Parameter DisassociateSourceGraphqlApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSourceGraphqlApiInput`) /// - /// - Returns: `DisassociateSourceGraphqlApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSourceGraphqlApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2181,7 +2155,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSourceGraphqlApiOutput.httpOutput(from:), DisassociateSourceGraphqlApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2213,9 +2186,9 @@ extension AppSyncClient { /// /// Evaluates the given code and returns the response. The code definition requirements depend on the specified runtime. For APPSYNC_JS runtimes, the code defines the request and response functions. The request function takes the incoming request after a GraphQL operation is parsed and converts it into a request configuration for the selected data source operation. The response function interprets responses from the data source and maps it to the shape of the GraphQL field output type. /// - /// - Parameter EvaluateCodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EvaluateCodeInput`) /// - /// - Returns: `EvaluateCodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EvaluateCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2251,7 +2224,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EvaluateCodeOutput.httpOutput(from:), EvaluateCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2283,9 +2255,9 @@ extension AppSyncClient { /// /// Evaluates a given template and returns the response. The mapping template can be a request or response template. Request templates take the incoming request after a GraphQL operation is parsed and convert it into a request configuration for the selected data source operation. Response templates interpret responses from the data source and map it to the shape of the GraphQL field output type. Mapping templates are written in the Apache Velocity Template Language (VTL). /// - /// - Parameter EvaluateMappingTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EvaluateMappingTemplateInput`) /// - /// - Returns: `EvaluateMappingTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EvaluateMappingTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2321,7 +2293,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EvaluateMappingTemplateOutput.httpOutput(from:), EvaluateMappingTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2353,9 +2324,9 @@ extension AppSyncClient { /// /// Flushes an ApiCache object. /// - /// - Parameter FlushApiCacheInput : Represents the input of a FlushApiCache operation. + /// - Parameter input: Represents the input of a FlushApiCache operation. (Type: `FlushApiCacheInput`) /// - /// - Returns: `FlushApiCacheOutput` : Represents the output of a FlushApiCache operation. + /// - Returns: Represents the output of a FlushApiCache operation. (Type: `FlushApiCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2390,7 +2361,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FlushApiCacheOutput.httpOutput(from:), FlushApiCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2422,9 +2392,9 @@ extension AppSyncClient { /// /// Retrieves an Api object. /// - /// - Parameter GetApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApiInput`) /// - /// - Returns: `GetApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2459,7 +2429,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApiOutput.httpOutput(from:), GetApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2491,9 +2460,9 @@ extension AppSyncClient { /// /// Retrieves an ApiAssociation object. /// - /// - Parameter GetApiAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApiAssociationInput`) /// - /// - Returns: `GetApiAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApiAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2527,7 +2496,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApiAssociationOutput.httpOutput(from:), GetApiAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2559,9 +2527,9 @@ extension AppSyncClient { /// /// Retrieves an ApiCache object. /// - /// - Parameter GetApiCacheInput : Represents the input of a GetApiCache operation. + /// - Parameter input: Represents the input of a GetApiCache operation. (Type: `GetApiCacheInput`) /// - /// - Returns: `GetApiCacheOutput` : Represents the output of a GetApiCache operation. + /// - Returns: Represents the output of a GetApiCache operation. (Type: `GetApiCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2596,7 +2564,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApiCacheOutput.httpOutput(from:), GetApiCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2628,9 +2595,9 @@ extension AppSyncClient { /// /// Retrieves the channel namespace for a specified Api. /// - /// - Parameter GetChannelNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelNamespaceInput`) /// - /// - Returns: `GetChannelNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2665,7 +2632,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelNamespaceOutput.httpOutput(from:), GetChannelNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2697,9 +2663,9 @@ extension AppSyncClient { /// /// Retrieves a DataSource object. /// - /// - Parameter GetDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSourceInput`) /// - /// - Returns: `GetDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2734,7 +2700,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSourceOutput.httpOutput(from:), GetDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2766,9 +2731,9 @@ extension AppSyncClient { /// /// Retrieves the record of an existing introspection. If the retrieval is successful, the result of the instrospection will also be returned. If the retrieval fails the operation, an error message will be returned instead. /// - /// - Parameter GetDataSourceIntrospectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSourceIntrospectionInput`) /// - /// - Returns: `GetDataSourceIntrospectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataSourceIntrospectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2802,7 +2767,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDataSourceIntrospectionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSourceIntrospectionOutput.httpOutput(from:), GetDataSourceIntrospectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2834,9 +2798,9 @@ extension AppSyncClient { /// /// Retrieves a custom DomainName object. /// - /// - Parameter GetDomainNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainNameInput`) /// - /// - Returns: `GetDomainNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2870,7 +2834,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainNameOutput.httpOutput(from:), GetDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2902,9 +2865,9 @@ extension AppSyncClient { /// /// Get a Function. /// - /// - Parameter GetFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionInput`) /// - /// - Returns: `GetFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2937,7 +2900,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionOutput.httpOutput(from:), GetFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2969,9 +2931,9 @@ extension AppSyncClient { /// /// Retrieves a GraphqlApi object. /// - /// - Parameter GetGraphqlApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGraphqlApiInput`) /// - /// - Returns: `GetGraphqlApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGraphqlApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3006,7 +2968,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGraphqlApiOutput.httpOutput(from:), GetGraphqlApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3038,9 +2999,9 @@ extension AppSyncClient { /// /// Retrieves the list of environmental variable key-value pairs associated with an API by its ID value. /// - /// - Parameter GetGraphqlApiEnvironmentVariablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGraphqlApiEnvironmentVariablesInput`) /// - /// - Returns: `GetGraphqlApiEnvironmentVariablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGraphqlApiEnvironmentVariablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3075,7 +3036,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGraphqlApiEnvironmentVariablesOutput.httpOutput(from:), GetGraphqlApiEnvironmentVariablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3107,9 +3067,9 @@ extension AppSyncClient { /// /// Retrieves the introspection schema for a GraphQL API. /// - /// - Parameter GetIntrospectionSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntrospectionSchemaInput`) /// - /// - Returns: `GetIntrospectionSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntrospectionSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3144,7 +3104,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetIntrospectionSchemaInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntrospectionSchemaOutput.httpOutput(from:), GetIntrospectionSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3176,9 +3135,9 @@ extension AppSyncClient { /// /// Retrieves a Resolver object. /// - /// - Parameter GetResolverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResolverInput`) /// - /// - Returns: `GetResolverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResolverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3211,7 +3170,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResolverOutput.httpOutput(from:), GetResolverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3243,9 +3201,9 @@ extension AppSyncClient { /// /// Retrieves the current status of a schema creation operation. /// - /// - Parameter GetSchemaCreationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaCreationStatusInput`) /// - /// - Returns: `GetSchemaCreationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaCreationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3279,7 +3237,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaCreationStatusOutput.httpOutput(from:), GetSchemaCreationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3311,9 +3268,9 @@ extension AppSyncClient { /// /// Retrieves a SourceApiAssociation object. /// - /// - Parameter GetSourceApiAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSourceApiAssociationInput`) /// - /// - Returns: `GetSourceApiAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSourceApiAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3347,7 +3304,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSourceApiAssociationOutput.httpOutput(from:), GetSourceApiAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3379,9 +3335,9 @@ extension AppSyncClient { /// /// Retrieves a Type object. /// - /// - Parameter GetTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTypeInput`) /// - /// - Returns: `GetTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3417,7 +3373,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTypeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTypeOutput.httpOutput(from:), GetTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3449,9 +3404,9 @@ extension AppSyncClient { /// /// Lists the API keys for a given API. API keys are deleted automatically 60 days after they expire. However, they may still be included in the response until they have actually been deleted. You can safely call DeleteApiKey to manually delete a key before it's automatically deleted. /// - /// - Parameter ListApiKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApiKeysInput`) /// - /// - Returns: `ListApiKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApiKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3486,7 +3441,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApiKeysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApiKeysOutput.httpOutput(from:), ListApiKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3518,9 +3472,9 @@ extension AppSyncClient { /// /// Lists the APIs in your AppSync account. ListApis returns only the high level API details. For more detailed information about an API, use GetApi. /// - /// - Parameter ListApisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApisInput`) /// - /// - Returns: `ListApisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3554,7 +3508,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApisInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApisOutput.httpOutput(from:), ListApisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3586,9 +3539,9 @@ extension AppSyncClient { /// /// Lists the channel namespaces for a specified Api. ListChannelNamespaces returns only high level details for the channel namespace. To retrieve code handlers, use GetChannelNamespace. /// - /// - Parameter ListChannelNamespacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelNamespacesInput`) /// - /// - Returns: `ListChannelNamespacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelNamespacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3623,7 +3576,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelNamespacesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelNamespacesOutput.httpOutput(from:), ListChannelNamespacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3655,9 +3607,9 @@ extension AppSyncClient { /// /// Lists the data sources for a given API. /// - /// - Parameter ListDataSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSourcesInput`) /// - /// - Returns: `ListDataSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3692,7 +3644,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourcesOutput.httpOutput(from:), ListDataSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3724,9 +3675,9 @@ extension AppSyncClient { /// /// Lists multiple custom domain names. /// - /// - Parameter ListDomainNamesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainNamesInput`) /// - /// - Returns: `ListDomainNamesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3760,7 +3711,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainNamesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainNamesOutput.httpOutput(from:), ListDomainNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3792,9 +3742,9 @@ extension AppSyncClient { /// /// List multiple functions. /// - /// - Parameter ListFunctionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFunctionsInput`) /// - /// - Returns: `ListFunctionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFunctionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3829,7 +3779,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFunctionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFunctionsOutput.httpOutput(from:), ListFunctionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3861,9 +3810,9 @@ extension AppSyncClient { /// /// Lists your GraphQL APIs. /// - /// - Parameter ListGraphqlApisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGraphqlApisInput`) /// - /// - Returns: `ListGraphqlApisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGraphqlApisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3897,7 +3846,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGraphqlApisInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGraphqlApisOutput.httpOutput(from:), ListGraphqlApisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3929,9 +3877,9 @@ extension AppSyncClient { /// /// Lists the resolvers for a given API and type. /// - /// - Parameter ListResolversInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResolversInput`) /// - /// - Returns: `ListResolversOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResolversOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3966,7 +3914,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResolversInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResolversOutput.httpOutput(from:), ListResolversOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3998,9 +3945,9 @@ extension AppSyncClient { /// /// List the resolvers that are associated with a specific function. /// - /// - Parameter ListResolversByFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResolversByFunctionInput`) /// - /// - Returns: `ListResolversByFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResolversByFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4035,7 +3982,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResolversByFunctionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResolversByFunctionOutput.httpOutput(from:), ListResolversByFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4067,9 +4013,9 @@ extension AppSyncClient { /// /// Lists the SourceApiAssociationSummary data. /// - /// - Parameter ListSourceApiAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSourceApiAssociationsInput`) /// - /// - Returns: `ListSourceApiAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSourceApiAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4104,7 +4050,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSourceApiAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSourceApiAssociationsOutput.httpOutput(from:), ListSourceApiAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4136,9 +4081,9 @@ extension AppSyncClient { /// /// Lists the tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4174,7 +4119,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4206,9 +4150,9 @@ extension AppSyncClient { /// /// Lists the types for a given API. /// - /// - Parameter ListTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTypesInput`) /// - /// - Returns: `ListTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4244,7 +4188,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTypesOutput.httpOutput(from:), ListTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4276,9 +4219,9 @@ extension AppSyncClient { /// /// Lists Type objects by the source API association ID. /// - /// - Parameter ListTypesByAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTypesByAssociationInput`) /// - /// - Returns: `ListTypesByAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTypesByAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4314,7 +4257,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTypesByAssociationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTypesByAssociationOutput.httpOutput(from:), ListTypesByAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4372,9 +4314,9 @@ extension AppSyncClient { /// /// You can create a list of environmental variables by adding it to the environmentVariables payload as a list in the format {"key1":"value1","key2":"value2", …}. Note that each call of the PutGraphqlApiEnvironmentVariables action will result in the overwriting of the existing environmental variable list of that API. This means the existing environmental variables will be lost. To avoid this, you must include all existing and new environmental variables in the list each time you call this action. /// - /// - Parameter PutGraphqlApiEnvironmentVariablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutGraphqlApiEnvironmentVariablesInput`) /// - /// - Returns: `PutGraphqlApiEnvironmentVariablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutGraphqlApiEnvironmentVariablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4413,7 +4355,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutGraphqlApiEnvironmentVariablesOutput.httpOutput(from:), PutGraphqlApiEnvironmentVariablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4445,9 +4386,9 @@ extension AppSyncClient { /// /// Creates a new introspection. Returns the introspectionId of the new introspection after its creation. /// - /// - Parameter StartDataSourceIntrospectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDataSourceIntrospectionInput`) /// - /// - Returns: `StartDataSourceIntrospectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDataSourceIntrospectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4484,7 +4425,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDataSourceIntrospectionOutput.httpOutput(from:), StartDataSourceIntrospectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4516,9 +4456,9 @@ extension AppSyncClient { /// /// Adds a new schema to your GraphQL API. This operation is asynchronous. Use to determine when it has completed. /// - /// - Parameter StartSchemaCreationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSchemaCreationInput`) /// - /// - Returns: `StartSchemaCreationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSchemaCreationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4556,7 +4496,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSchemaCreationOutput.httpOutput(from:), StartSchemaCreationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4588,9 +4527,9 @@ extension AppSyncClient { /// /// Initiates a merge operation. Returns a status that shows the result of the merge operation. /// - /// - Parameter StartSchemaMergeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSchemaMergeInput`) /// - /// - Returns: `StartSchemaMergeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSchemaMergeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4625,7 +4564,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSchemaMergeOutput.httpOutput(from:), StartSchemaMergeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4657,9 +4595,9 @@ extension AppSyncClient { /// /// Tags a resource with user-supplied tags. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4698,7 +4636,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4730,9 +4667,9 @@ extension AppSyncClient { /// /// Untags a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4769,7 +4706,6 @@ extension AppSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4801,9 +4737,9 @@ extension AppSyncClient { /// /// Updates an Api. /// - /// - Parameter UpdateApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApiInput`) /// - /// - Returns: `UpdateApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4842,7 +4778,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApiOutput.httpOutput(from:), UpdateApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4874,9 +4809,9 @@ extension AppSyncClient { /// /// Updates the cache for the GraphQL API. /// - /// - Parameter UpdateApiCacheInput : Represents the input of a UpdateApiCache operation. + /// - Parameter input: Represents the input of a UpdateApiCache operation. (Type: `UpdateApiCacheInput`) /// - /// - Returns: `UpdateApiCacheOutput` : Represents the output of a UpdateApiCache operation. + /// - Returns: Represents the output of a UpdateApiCache operation. (Type: `UpdateApiCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4914,7 +4849,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApiCacheOutput.httpOutput(from:), UpdateApiCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4946,9 +4880,9 @@ extension AppSyncClient { /// /// Updates an API key. You can update the key as long as it's not deleted. /// - /// - Parameter UpdateApiKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApiKeyInput`) /// - /// - Returns: `UpdateApiKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApiKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4987,7 +4921,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApiKeyOutput.httpOutput(from:), UpdateApiKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5019,9 +4952,9 @@ extension AppSyncClient { /// /// Updates a ChannelNamespace associated with an Api. /// - /// - Parameter UpdateChannelNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelNamespaceInput`) /// - /// - Returns: `UpdateChannelNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5060,7 +4993,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelNamespaceOutput.httpOutput(from:), UpdateChannelNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5092,9 +5024,9 @@ extension AppSyncClient { /// /// Updates a DataSource object. /// - /// - Parameter UpdateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSourceInput`) /// - /// - Returns: `UpdateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5132,7 +5064,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSourceOutput.httpOutput(from:), UpdateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5164,9 +5095,9 @@ extension AppSyncClient { /// /// Updates a custom DomainName object. /// - /// - Parameter UpdateDomainNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDomainNameInput`) /// - /// - Returns: `UpdateDomainNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5204,7 +5135,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainNameOutput.httpOutput(from:), UpdateDomainNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5236,9 +5166,9 @@ extension AppSyncClient { /// /// Updates a Function object. /// - /// - Parameter UpdateFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFunctionInput`) /// - /// - Returns: `UpdateFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5276,7 +5206,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFunctionOutput.httpOutput(from:), UpdateFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5308,9 +5237,9 @@ extension AppSyncClient { /// /// Updates a GraphqlApi object. /// - /// - Parameter UpdateGraphqlApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGraphqlApiInput`) /// - /// - Returns: `UpdateGraphqlApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGraphqlApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5349,7 +5278,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGraphqlApiOutput.httpOutput(from:), UpdateGraphqlApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5381,9 +5309,9 @@ extension AppSyncClient { /// /// Updates a Resolver object. /// - /// - Parameter UpdateResolverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResolverInput`) /// - /// - Returns: `UpdateResolverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResolverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5421,7 +5349,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResolverOutput.httpOutput(from:), UpdateResolverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5453,9 +5380,9 @@ extension AppSyncClient { /// /// Updates some of the configuration choices of a particular source API association. /// - /// - Parameter UpdateSourceApiAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSourceApiAssociationInput`) /// - /// - Returns: `UpdateSourceApiAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSourceApiAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5493,7 +5420,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSourceApiAssociationOutput.httpOutput(from:), UpdateSourceApiAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5525,9 +5451,9 @@ extension AppSyncClient { /// /// Updates a Type object. /// - /// - Parameter UpdateTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTypeInput`) /// - /// - Returns: `UpdateTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5565,7 +5491,6 @@ extension AppSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTypeOutput.httpOutput(from:), UpdateTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAppTest/Sources/AWSAppTest/AppTestClient.swift b/Sources/Services/AWSAppTest/Sources/AWSAppTest/AppTestClient.swift index 883b72c9471..a40089b001c 100644 --- a/Sources/Services/AWSAppTest/Sources/AWSAppTest/AppTestClient.swift +++ b/Sources/Services/AWSAppTest/Sources/AWSAppTest/AppTestClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AppTestClient: ClientRuntime.Client { public static let clientName = "AppTestClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AppTestClient.AppTestClientConfiguration let serviceName = "AppTest" @@ -375,9 +374,9 @@ extension AppTestClient { /// /// Creates a test case. /// - /// - Parameter CreateTestCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTestCaseInput`) /// - /// - Returns: `CreateTestCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTestCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTestCaseOutput.httpOutput(from:), CreateTestCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension AppTestClient { /// /// Creates a test configuration. /// - /// - Parameter CreateTestConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTestConfigurationInput`) /// - /// - Returns: `CreateTestConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTestConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTestConfigurationOutput.httpOutput(from:), CreateTestConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension AppTestClient { /// /// Creates a test suite. /// - /// - Parameter CreateTestSuiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTestSuiteInput`) /// - /// - Returns: `CreateTestSuiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTestSuiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTestSuiteOutput.httpOutput(from:), CreateTestSuiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension AppTestClient { /// /// Deletes a test case. /// - /// - Parameter DeleteTestCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTestCaseInput`) /// - /// - Returns: `DeleteTestCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTestCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTestCaseOutput.httpOutput(from:), DeleteTestCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension AppTestClient { /// /// Deletes a test configuration. /// - /// - Parameter DeleteTestConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTestConfigurationInput`) /// - /// - Returns: `DeleteTestConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTestConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTestConfigurationOutput.httpOutput(from:), DeleteTestConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -737,9 +731,9 @@ extension AppTestClient { /// /// Deletes a test run. /// - /// - Parameter DeleteTestRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTestRunInput`) /// - /// - Returns: `DeleteTestRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTestRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTestRunOutput.httpOutput(from:), DeleteTestRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension AppTestClient { /// /// Deletes a test suite. /// - /// - Parameter DeleteTestSuiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTestSuiteInput`) /// - /// - Returns: `DeleteTestSuiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTestSuiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -844,7 +837,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTestSuiteOutput.httpOutput(from:), DeleteTestSuiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -876,9 +868,9 @@ extension AppTestClient { /// /// Gets a test case. /// - /// - Parameter GetTestCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTestCaseInput`) /// - /// - Returns: `GetTestCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTestCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTestCaseInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTestCaseOutput.httpOutput(from:), GetTestCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +937,9 @@ extension AppTestClient { /// /// Gets a test configuration. /// - /// - Parameter GetTestConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTestConfigurationInput`) /// - /// - Returns: `GetTestConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTestConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -984,7 +975,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTestConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTestConfigurationOutput.httpOutput(from:), GetTestConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1016,9 +1006,9 @@ extension AppTestClient { /// /// Gets a test run step. /// - /// - Parameter GetTestRunStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTestRunStepInput`) /// - /// - Returns: `GetTestRunStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTestRunStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTestRunStepInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTestRunStepOutput.httpOutput(from:), GetTestRunStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1075,9 @@ extension AppTestClient { /// /// Gets a test suite. /// - /// - Parameter GetTestSuiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTestSuiteInput`) /// - /// - Returns: `GetTestSuiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTestSuiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1124,7 +1113,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTestSuiteInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTestSuiteOutput.httpOutput(from:), GetTestSuiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1156,9 +1144,9 @@ extension AppTestClient { /// /// Lists tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1193,7 +1181,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1225,9 +1212,9 @@ extension AppTestClient { /// /// Lists test cases. /// - /// - Parameter ListTestCasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestCasesInput`) /// - /// - Returns: `ListTestCasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestCasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1263,7 +1250,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTestCasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestCasesOutput.httpOutput(from:), ListTestCasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1295,9 +1281,9 @@ extension AppTestClient { /// /// Lists test configurations. /// - /// - Parameter ListTestConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestConfigurationsInput`) /// - /// - Returns: `ListTestConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1333,7 +1319,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTestConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestConfigurationsOutput.httpOutput(from:), ListTestConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1365,9 +1350,9 @@ extension AppTestClient { /// /// Lists test run steps. /// - /// - Parameter ListTestRunStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestRunStepsInput`) /// - /// - Returns: `ListTestRunStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestRunStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1403,7 +1388,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTestRunStepsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestRunStepsOutput.httpOutput(from:), ListTestRunStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1435,9 +1419,9 @@ extension AppTestClient { /// /// Lists test run test cases. /// - /// - Parameter ListTestRunTestCasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestRunTestCasesInput`) /// - /// - Returns: `ListTestRunTestCasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestRunTestCasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1473,7 +1457,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTestRunTestCasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestRunTestCasesOutput.httpOutput(from:), ListTestRunTestCasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1505,9 +1488,9 @@ extension AppTestClient { /// /// Lists test runs. /// - /// - Parameter ListTestRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestRunsInput`) /// - /// - Returns: `ListTestRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1543,7 +1526,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTestRunsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestRunsOutput.httpOutput(from:), ListTestRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1575,9 +1557,9 @@ extension AppTestClient { /// /// Lists test suites. /// - /// - Parameter ListTestSuitesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestSuitesInput`) /// - /// - Returns: `ListTestSuitesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestSuitesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1613,7 +1595,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTestSuitesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestSuitesOutput.httpOutput(from:), ListTestSuitesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1645,9 +1626,9 @@ extension AppTestClient { /// /// Starts a test run. /// - /// - Parameter StartTestRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTestRunInput`) /// - /// - Returns: `StartTestRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTestRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1688,7 +1669,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTestRunOutput.httpOutput(from:), StartTestRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1720,9 +1700,9 @@ extension AppTestClient { /// /// Specifies tags of a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1761,7 +1741,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1793,9 +1772,9 @@ extension AppTestClient { /// /// Untags a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1831,7 +1810,6 @@ extension AppTestClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1863,9 +1841,9 @@ extension AppTestClient { /// /// Updates a test case. /// - /// - Parameter UpdateTestCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTestCaseInput`) /// - /// - Returns: `UpdateTestCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTestCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1904,7 +1882,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTestCaseOutput.httpOutput(from:), UpdateTestCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1936,9 +1913,9 @@ extension AppTestClient { /// /// Updates a test configuration. /// - /// - Parameter UpdateTestConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTestConfigurationInput`) /// - /// - Returns: `UpdateTestConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTestConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1977,7 +1954,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTestConfigurationOutput.httpOutput(from:), UpdateTestConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2009,9 +1985,9 @@ extension AppTestClient { /// /// Updates a test suite. /// - /// - Parameter UpdateTestSuiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTestSuiteInput`) /// - /// - Returns: `UpdateTestSuiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTestSuiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2050,7 +2026,6 @@ extension AppTestClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTestSuiteOutput.httpOutput(from:), UpdateTestSuiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAppflow/Sources/AWSAppflow/AppflowClient.swift b/Sources/Services/AWSAppflow/Sources/AWSAppflow/AppflowClient.swift index d45ca276588..e69c724bcf1 100644 --- a/Sources/Services/AWSAppflow/Sources/AWSAppflow/AppflowClient.swift +++ b/Sources/Services/AWSAppflow/Sources/AWSAppflow/AppflowClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AppflowClient: ClientRuntime.Client { public static let clientName = "AppflowClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AppflowClient.AppflowClientConfiguration let serviceName = "Appflow" @@ -375,9 +374,9 @@ extension AppflowClient { /// /// Cancels active runs for a flow. You can cancel all of the active runs for a flow, or you can cancel specific runs by providing their IDs. You can cancel a flow run only when the run is in progress. You can't cancel a run that has already completed or failed. You also can't cancel a run that's scheduled to occur but hasn't started yet. To prevent a scheduled run, you can deactivate the flow with the StopFlow action. You cannot resume a run after you cancel it. When you send your request, the status for each run becomes CancelStarted. When the cancellation completes, the status becomes Canceled. When you cancel a run, you still incur charges for any data that the run already processed before the cancellation. If the run had already written some data to the flow destination, then that data remains in the destination. If you configured the flow to use a batch API (such as the Salesforce Bulk API 2.0), then the run will finish reading or writing its entire batch of data after the cancellation. For these operations, the data processing charges for Amazon AppFlow apply. For the pricing information, see [Amazon AppFlow pricing](http://aws.amazon.com/appflow/pricing/). /// - /// - Parameter CancelFlowExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelFlowExecutionsInput`) /// - /// - Returns: `CancelFlowExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelFlowExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelFlowExecutionsOutput.httpOutput(from:), CancelFlowExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension AppflowClient { /// /// Creates a new connector profile associated with your Amazon Web Services account. There is a soft quota of 100 connector profiles per Amazon Web Services account. If you need more connector profiles than this quota allows, you can submit a request to the Amazon AppFlow team through the Amazon AppFlow support channel. In each connector profile that you create, you can provide the credentials and properties for only one connector. /// - /// - Parameter CreateConnectorProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectorProfileInput`) /// - /// - Returns: `CreateConnectorProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectorProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectorProfileOutput.httpOutput(from:), CreateConnectorProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension AppflowClient { /// /// Enables your application to create a new flow using Amazon AppFlow. You must create a connector profile before calling this API. Please note that the Request Syntax below shows syntax for multiple destinations, however, you can only transfer data to one item in this list at a time. Amazon AppFlow does not currently support flows to multiple destinations at once. /// - /// - Parameter CreateFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFlowInput`) /// - /// - Returns: `CreateFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +561,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFlowOutput.httpOutput(from:), CreateFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension AppflowClient { /// /// Enables you to delete an existing connector profile. /// - /// - Parameter DeleteConnectorProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectorProfileInput`) /// - /// - Returns: `DeleteConnectorProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectorProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectorProfileOutput.httpOutput(from:), DeleteConnectorProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension AppflowClient { /// /// Enables your application to delete an existing flow. Before deleting the flow, Amazon AppFlow validates the request by checking the flow configuration and status. You can delete flows one at a time. /// - /// - Parameter DeleteFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFlowInput`) /// - /// - Returns: `DeleteFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFlowOutput.httpOutput(from:), DeleteFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension AppflowClient { /// /// Describes the given custom connector registered in your Amazon Web Services account. This API can be used for custom connectors that are registered in your account and also for Amazon authored connectors. /// - /// - Parameter DescribeConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectorInput`) /// - /// - Returns: `DescribeConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectorOutput.httpOutput(from:), DescribeConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension AppflowClient { /// /// Provides details regarding the entity used with the connector, with a description of the data model for each field in that entity. /// - /// - Parameter DescribeConnectorEntityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectorEntityInput`) /// - /// - Returns: `DescribeConnectorEntityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectorEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +839,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectorEntityOutput.httpOutput(from:), DescribeConnectorEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension AppflowClient { /// /// Returns a list of connector-profile details matching the provided connector-profile names and connector-types. Both input lists are optional, and you can use them to filter the result. If no names or connector-types are provided, returns all connector profiles in a paginated form. If there is no match, this operation returns an empty list. /// - /// - Parameter DescribeConnectorProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectorProfilesInput`) /// - /// - Returns: `DescribeConnectorProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectorProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -915,7 +907,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectorProfilesOutput.httpOutput(from:), DescribeConnectorProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -947,9 +938,9 @@ extension AppflowClient { /// /// Describes the connectors vended by Amazon AppFlow for specified connector types. If you don't specify a connector type, this operation describes all connectors vended by Amazon AppFlow. If there are more connectors than can be returned in one page, the response contains a nextToken object, which can be be passed in to the next call to the DescribeConnectors API operation to retrieve the next page. /// - /// - Parameter DescribeConnectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectorsInput`) /// - /// - Returns: `DescribeConnectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -984,7 +975,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectorsOutput.httpOutput(from:), DescribeConnectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1016,9 +1006,9 @@ extension AppflowClient { /// /// Provides a description of the specified flow. /// - /// - Parameter DescribeFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFlowInput`) /// - /// - Returns: `DescribeFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1053,7 +1043,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFlowOutput.httpOutput(from:), DescribeFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1085,9 +1074,9 @@ extension AppflowClient { /// /// Fetches the execution history of the flow. /// - /// - Parameter DescribeFlowExecutionRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFlowExecutionRecordsInput`) /// - /// - Returns: `DescribeFlowExecutionRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFlowExecutionRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1123,7 +1112,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFlowExecutionRecordsOutput.httpOutput(from:), DescribeFlowExecutionRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1155,9 +1143,9 @@ extension AppflowClient { /// /// Returns the list of available connector entities supported by Amazon AppFlow. For example, you can query Salesforce for Account and Opportunity entities, or query ServiceNow for the Incident entity. /// - /// - Parameter ListConnectorEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorEntitiesInput`) /// - /// - Returns: `ListConnectorEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1195,7 +1183,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorEntitiesOutput.httpOutput(from:), ListConnectorEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1227,9 +1214,9 @@ extension AppflowClient { /// /// Returns the list of all registered custom connectors in your Amazon Web Services account. This API lists only custom connectors registered in this account, not the Amazon Web Services authored connectors. /// - /// - Parameter ListConnectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorsInput`) /// - /// - Returns: `ListConnectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1264,7 +1251,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorsOutput.httpOutput(from:), ListConnectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1296,9 +1282,9 @@ extension AppflowClient { /// /// Lists all of the flows associated with your account. /// - /// - Parameter ListFlowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowsInput`) /// - /// - Returns: `ListFlowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1333,7 +1319,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowsOutput.httpOutput(from:), ListFlowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1365,9 +1350,9 @@ extension AppflowClient { /// /// Retrieves the tags that are associated with a specified flow. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1400,7 +1385,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1432,9 +1416,9 @@ extension AppflowClient { /// /// Registers a new custom connector with your Amazon Web Services account. Before you can register the connector, you must deploy the associated AWS lambda function in your account. /// - /// - Parameter RegisterConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterConnectorInput`) /// - /// - Returns: `RegisterConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1477,7 +1461,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterConnectorOutput.httpOutput(from:), RegisterConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1509,9 +1492,9 @@ extension AppflowClient { /// /// Resets metadata about your connector entities that Amazon AppFlow stored in its cache. Use this action when you want Amazon AppFlow to return the latest information about the data that you have in a source application. Amazon AppFlow returns metadata about your entities when you use the ListConnectorEntities or DescribeConnectorEntities actions. Following these actions, Amazon AppFlow caches the metadata to reduce the number of API requests that it must send to the source application. Amazon AppFlow automatically resets the cache once every hour, but you can use this action when you want to get the latest metadata right away. /// - /// - Parameter ResetConnectorMetadataCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetConnectorMetadataCacheInput`) /// - /// - Returns: `ResetConnectorMetadataCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetConnectorMetadataCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1548,7 +1531,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetConnectorMetadataCacheOutput.httpOutput(from:), ResetConnectorMetadataCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1580,9 +1562,9 @@ extension AppflowClient { /// /// Activates an existing flow. For on-demand flows, this operation runs the flow immediately. For schedule and event-triggered flows, this operation activates the flow. /// - /// - Parameter StartFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFlowInput`) /// - /// - Returns: `StartFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1620,7 +1602,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFlowOutput.httpOutput(from:), StartFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1652,9 +1633,9 @@ extension AppflowClient { /// /// Deactivates the existing flow. For on-demand flows, this operation returns an unsupportedOperationException error message. For schedule and event-triggered flows, this operation deactivates the flow. /// - /// - Parameter StopFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopFlowInput`) /// - /// - Returns: `StopFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1691,7 +1672,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopFlowOutput.httpOutput(from:), StopFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1723,9 +1703,9 @@ extension AppflowClient { /// /// Applies a tag to the specified flow. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1761,7 +1741,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1793,9 +1772,9 @@ extension AppflowClient { /// /// Unregisters the custom connector registered in your account that matches the connector label provided in the request. /// - /// - Parameter UnregisterConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnregisterConnectorInput`) /// - /// - Returns: `UnregisterConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnregisterConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1831,7 +1810,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnregisterConnectorOutput.httpOutput(from:), UnregisterConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1863,9 +1841,9 @@ extension AppflowClient { /// /// Removes a tag from the specified flow. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1899,7 +1877,6 @@ extension AppflowClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1931,9 +1908,9 @@ extension AppflowClient { /// /// Updates a given connector profile associated with your account. /// - /// - Parameter UpdateConnectorProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectorProfileInput`) /// - /// - Returns: `UpdateConnectorProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectorProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1972,7 +1949,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectorProfileOutput.httpOutput(from:), UpdateConnectorProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2008,9 +1984,9 @@ extension AppflowClient { /// /// * A new AWS Lambda function that you specify /// - /// - Parameter UpdateConnectorRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectorRegistrationInput`) /// - /// - Returns: `UpdateConnectorRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectorRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2053,7 +2029,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectorRegistrationOutput.httpOutput(from:), UpdateConnectorRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2085,9 +2060,9 @@ extension AppflowClient { /// /// Updates an existing flow. /// - /// - Parameter UpdateFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFlowInput`) /// - /// - Returns: `UpdateFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2129,7 +2104,6 @@ extension AppflowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFlowOutput.httpOutput(from:), UpdateFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSApplicationAutoScaling/Sources/AWSApplicationAutoScaling/ApplicationAutoScalingClient.swift b/Sources/Services/AWSApplicationAutoScaling/Sources/AWSApplicationAutoScaling/ApplicationAutoScalingClient.swift index ef4bd12c943..af0b046204a 100644 --- a/Sources/Services/AWSApplicationAutoScaling/Sources/AWSApplicationAutoScaling/ApplicationAutoScalingClient.swift +++ b/Sources/Services/AWSApplicationAutoScaling/Sources/AWSApplicationAutoScaling/ApplicationAutoScalingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ApplicationAutoScalingClient: ClientRuntime.Client { public static let clientName = "ApplicationAutoScalingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ApplicationAutoScalingClient.ApplicationAutoScalingClientConfiguration let serviceName = "Application Auto Scaling" @@ -374,9 +373,9 @@ extension ApplicationAutoScalingClient { /// /// Deletes the specified scaling policy for an Application Auto Scaling scalable target. Deleting a step scaling policy deletes the underlying alarm action, but does not delete the CloudWatch alarm associated with the scaling policy, even if it no longer has an associated action. For more information, see [Delete a step scaling policy](https://docs.aws.amazon.com/autoscaling/application/userguide/create-step-scaling-policy-cli.html#delete-step-scaling-policy) and [Delete a target tracking scaling policy](https://docs.aws.amazon.com/autoscaling/application/userguide/create-target-tracking-policy-cli.html#delete-target-tracking-policy) in the Application Auto Scaling User Guide. /// - /// - Parameter DeleteScalingPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScalingPolicyInput`) /// - /// - Returns: `DeleteScalingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScalingPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScalingPolicyOutput.httpOutput(from:), DeleteScalingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension ApplicationAutoScalingClient { /// /// Deletes the specified scheduled action for an Application Auto Scaling scalable target. For more information, see [Delete a scheduled action](https://docs.aws.amazon.com/autoscaling/application/userguide/scheduled-scaling-additional-cli-commands.html#delete-scheduled-action) in the Application Auto Scaling User Guide. /// - /// - Parameter DeleteScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScheduledActionInput`) /// - /// - Returns: `DeleteScheduledActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScheduledActionOutput.httpOutput(from:), DeleteScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension ApplicationAutoScalingClient { /// /// Deregisters an Application Auto Scaling scalable target when you have finished using it. To see which resources have been registered, use [DescribeScalableTargets](https://docs.aws.amazon.com/autoscaling/application/APIReference/API_DescribeScalableTargets.html). Deregistering a scalable target deletes the scaling policies and the scheduled actions that are associated with it. /// - /// - Parameter DeregisterScalableTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterScalableTargetInput`) /// - /// - Returns: `DeregisterScalableTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterScalableTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterScalableTargetOutput.httpOutput(from:), DeregisterScalableTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension ApplicationAutoScalingClient { /// /// Gets information about the scalable targets in the specified namespace. You can filter the results using ResourceIds and ScalableDimension. /// - /// - Parameter DescribeScalableTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScalableTargetsInput`) /// - /// - Returns: `DescribeScalableTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScalableTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScalableTargetsOutput.httpOutput(from:), DescribeScalableTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension ApplicationAutoScalingClient { /// /// Provides descriptive information about the scaling activities in the specified namespace from the previous six weeks. You can filter the results using ResourceId and ScalableDimension. For information about viewing scaling activities using the Amazon Web Services CLI, see [Scaling activities for Application Auto Scaling](https://docs.aws.amazon.com/autoscaling/application/userguide/application-auto-scaling-scaling-activities.html). /// - /// - Parameter DescribeScalingActivitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScalingActivitiesInput`) /// - /// - Returns: `DescribeScalingActivitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScalingActivitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -699,7 +694,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScalingActivitiesOutput.httpOutput(from:), DescribeScalingActivitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -734,9 +728,9 @@ extension ApplicationAutoScalingClient { /// /// Describes the Application Auto Scaling scaling policies for the specified service namespace. You can filter the results using ResourceId, ScalableDimension, and PolicyNames. For more information, see [Target tracking scaling policies](https://docs.aws.amazon.com/autoscaling/application/userguide/application-auto-scaling-target-tracking.html) and [Step scaling policies](https://docs.aws.amazon.com/autoscaling/application/userguide/application-auto-scaling-step-scaling-policies.html) in the Application Auto Scaling User Guide. /// - /// - Parameter DescribeScalingPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScalingPoliciesInput`) /// - /// - Returns: `DescribeScalingPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScalingPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -772,7 +766,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScalingPoliciesOutput.httpOutput(from:), DescribeScalingPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension ApplicationAutoScalingClient { /// /// Describes the Application Auto Scaling scheduled actions for the specified service namespace. You can filter the results using the ResourceId, ScalableDimension, and ScheduledActionNames parameters. For more information, see [Scheduled scaling](https://docs.aws.amazon.com/autoscaling/application/userguide/application-auto-scaling-scheduled-scaling.html) in the Application Auto Scaling User Guide. /// - /// - Parameter DescribeScheduledActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScheduledActionsInput`) /// - /// - Returns: `DescribeScheduledActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScheduledActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -844,7 +837,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScheduledActionsOutput.httpOutput(from:), DescribeScheduledActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension ApplicationAutoScalingClient { /// /// Retrieves the forecast data for a predictive scaling policy. Load forecasts are predictions of the hourly load values using historical load data from CloudWatch and an analysis of historical trends. Capacity forecasts are represented as predicted values for the minimum capacity that is needed on an hourly basis, based on the hourly load forecast. A minimum of 24 hours of data is required to create the initial forecasts. However, having a full 14 days of historical data results in more accurate forecasts. /// - /// - Parameter GetPredictiveScalingForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPredictiveScalingForecastInput`) /// - /// - Returns: `GetPredictiveScalingForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPredictiveScalingForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPredictiveScalingForecastOutput.httpOutput(from:), GetPredictiveScalingForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -949,9 +940,9 @@ extension ApplicationAutoScalingClient { /// /// Returns all the tags on the specified Application Auto Scaling scalable target. For general information about tags, including the format and syntax, see [Tagging your Amazon Web Services resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html) in the Amazon Web Services General Reference. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -983,7 +974,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1018,9 +1008,9 @@ extension ApplicationAutoScalingClient { /// /// Creates or updates a scaling policy for an Application Auto Scaling scalable target. Each scalable target is identified by a service namespace, resource ID, and scalable dimension. A scaling policy applies to the scalable target identified by those three attributes. You cannot create a scaling policy until you have registered the resource as a scalable target. Multiple scaling policies can be in force at the same time for the same scalable target. You can have one or more target tracking scaling policies, one or more step scaling policies, or both. However, there is a chance that multiple policies could conflict, instructing the scalable target to scale out or in at the same time. Application Auto Scaling gives precedence to the policy that provides the largest capacity for both scale out and scale in. For example, if one policy increases capacity by 3, another policy increases capacity by 200 percent, and the current capacity is 10, Application Auto Scaling uses the policy with the highest calculated capacity (200% of 10 = 20) and scales out to 30. We recommend caution, however, when using target tracking scaling policies with step scaling policies because conflicts between these policies can cause undesirable behavior. For example, if the step scaling policy initiates a scale-in activity before the target tracking policy is ready to scale in, the scale-in activity will not be blocked. After the scale-in activity completes, the target tracking policy could instruct the scalable target to scale out again. For more information, see [Target tracking scaling policies](https://docs.aws.amazon.com/autoscaling/application/userguide/application-auto-scaling-target-tracking.html), [Step scaling policies](https://docs.aws.amazon.com/autoscaling/application/userguide/application-auto-scaling-step-scaling-policies.html), and [Predictive scaling policies](https://docs.aws.amazon.com/autoscaling/application/userguide/aas-create-predictive-scaling-policy.html) in the Application Auto Scaling User Guide. If a scalable target is deregistered, the scalable target is no longer available to use scaling policies. Any scaling policies that were specified for the scalable target are deleted. /// - /// - Parameter PutScalingPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutScalingPolicyInput`) /// - /// - Returns: `PutScalingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutScalingPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1057,7 +1047,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutScalingPolicyOutput.httpOutput(from:), PutScalingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1081,9 @@ extension ApplicationAutoScalingClient { /// /// Creates or updates a scheduled action for an Application Auto Scaling scalable target. Each scalable target is identified by a service namespace, resource ID, and scalable dimension. A scheduled action applies to the scalable target identified by those three attributes. You cannot create a scheduled action until you have registered the resource as a scalable target. When you specify start and end times with a recurring schedule using a cron expression or rates, they form the boundaries for when the recurring action starts and stops. To update a scheduled action, specify the parameters that you want to change. If you don't specify start and end times, the old values are deleted. For more information, see [Scheduled scaling](https://docs.aws.amazon.com/autoscaling/application/userguide/application-auto-scaling-scheduled-scaling.html) in the Application Auto Scaling User Guide. If a scalable target is deregistered, the scalable target is no longer available to run scheduled actions. Any scheduled actions that were specified for the scalable target are deleted. /// - /// - Parameter PutScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutScheduledActionInput`) /// - /// - Returns: `PutScheduledActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1130,7 +1119,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutScheduledActionOutput.httpOutput(from:), PutScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1165,9 +1153,9 @@ extension ApplicationAutoScalingClient { /// /// Registers or updates a scalable target, which is the resource that you want to scale. Scalable targets are uniquely identified by the combination of resource ID, scalable dimension, and namespace, which represents some capacity dimension of the underlying service. When you register a new scalable target, you must specify values for the minimum and maximum capacity. If the specified resource is not active in the target service, this operation does not change the resource's current capacity. Otherwise, it changes the resource's current capacity to a value that is inside of this range. If you add a scaling policy, current capacity is adjustable within the specified range when scaling starts. Application Auto Scaling scaling policies will not scale capacity to values that are outside of the minimum and maximum range. After you register a scalable target, you do not need to register it again to use other Application Auto Scaling operations. To see which resources have been registered, use [DescribeScalableTargets](https://docs.aws.amazon.com/autoscaling/application/APIReference/API_DescribeScalableTargets.html). You can also view the scaling policies for a service namespace by using [DescribeScalableTargets](https://docs.aws.amazon.com/autoscaling/application/APIReference/API_DescribeScalableTargets.html). If you no longer need a scalable target, you can deregister it by using [DeregisterScalableTarget](https://docs.aws.amazon.com/autoscaling/application/APIReference/API_DeregisterScalableTarget.html). To update a scalable target, specify the parameters that you want to change. Include the parameters that identify the scalable target: resource ID, scalable dimension, and namespace. Any parameters that you don't specify are not changed by this update request. If you call the RegisterScalableTarget API operation to create a scalable target, there might be a brief delay until the operation achieves [eventual consistency](https://en.wikipedia.org/wiki/Eventual_consistency). You might become aware of this brief delay if you get unexpected errors when performing sequential operations. The typical strategy is to retry the request, and some Amazon Web Services SDKs include automatic backoff and retry logic. If you call the RegisterScalableTarget API operation to update an existing scalable target, Application Auto Scaling retrieves the current capacity of the resource. If it's below the minimum capacity or above the maximum capacity, Application Auto Scaling adjusts the capacity of the scalable target to place it within these bounds, even if you don't include the MinCapacity or MaxCapacity request parameters. /// - /// - Parameter RegisterScalableTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterScalableTargetInput`) /// - /// - Returns: `RegisterScalableTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterScalableTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1202,7 +1190,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterScalableTargetOutput.httpOutput(from:), RegisterScalableTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1237,9 +1224,9 @@ extension ApplicationAutoScalingClient { /// /// Adds or edits tags on an Application Auto Scaling scalable target. Each tag consists of a tag key and a tag value, which are both case-sensitive strings. To add a tag, specify a new tag key and a tag value. To edit a tag, specify an existing tag key and a new tag value. You can use this operation to tag an Application Auto Scaling scalable target, but you cannot tag a scaling policy or scheduled action. You can also add tags to an Application Auto Scaling scalable target while creating it (RegisterScalableTarget). For general information about tags, including the format and syntax, see [Tagging your Amazon Web Services resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html) in the Amazon Web Services General Reference. Use tags to control access to a scalable target. For more information, see [Tagging support for Application Auto Scaling](https://docs.aws.amazon.com/autoscaling/application/userguide/resource-tagging-support.html) in the Application Auto Scaling User Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1273,7 +1260,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1308,9 +1294,9 @@ extension ApplicationAutoScalingClient { /// /// Deletes tags from an Application Auto Scaling scalable target. To delete a tag, specify the tag key and the Application Auto Scaling scalable target. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1343,7 +1329,6 @@ extension ApplicationAutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSApplicationCostProfiler/Sources/AWSApplicationCostProfiler/ApplicationCostProfilerClient.swift b/Sources/Services/AWSApplicationCostProfiler/Sources/AWSApplicationCostProfiler/ApplicationCostProfilerClient.swift index 15be2fdf69c..39d383afd93 100644 --- a/Sources/Services/AWSApplicationCostProfiler/Sources/AWSApplicationCostProfiler/ApplicationCostProfilerClient.swift +++ b/Sources/Services/AWSApplicationCostProfiler/Sources/AWSApplicationCostProfiler/ApplicationCostProfilerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ApplicationCostProfilerClient: ClientRuntime.Client { public static let clientName = "ApplicationCostProfilerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ApplicationCostProfilerClient.ApplicationCostProfilerClientConfiguration let serviceName = "ApplicationCostProfiler" @@ -374,9 +373,9 @@ extension ApplicationCostProfilerClient { /// /// Deletes the specified report definition in AWS Application Cost Profiler. This stops the report from being generated. /// - /// - Parameter DeleteReportDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReportDefinitionInput`) /// - /// - Returns: `DeleteReportDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReportDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension ApplicationCostProfilerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReportDefinitionOutput.httpOutput(from:), DeleteReportDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension ApplicationCostProfilerClient { /// /// Retrieves the definition of a report already configured in AWS Application Cost Profiler. /// - /// - Parameter GetReportDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReportDefinitionInput`) /// - /// - Returns: `GetReportDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReportDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension ApplicationCostProfilerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReportDefinitionOutput.httpOutput(from:), GetReportDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -510,9 +507,9 @@ extension ApplicationCostProfilerClient { /// /// Ingests application usage data from Amazon Simple Storage Service (Amazon S3). The data must already exist in the S3 location. As part of the action, AWS Application Cost Profiler copies the object from your S3 bucket to an S3 bucket owned by Amazon for processing asynchronously. /// - /// - Parameter ImportApplicationUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportApplicationUsageInput`) /// - /// - Returns: `ImportApplicationUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportApplicationUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -549,7 +546,6 @@ extension ApplicationCostProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportApplicationUsageOutput.httpOutput(from:), ImportApplicationUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -581,9 +577,9 @@ extension ApplicationCostProfilerClient { /// /// Retrieves a list of all reports and their configurations for your AWS account. The maximum number of reports is one. /// - /// - Parameter ListReportDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReportDefinitionsInput`) /// - /// - Returns: `ListReportDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReportDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -618,7 +614,6 @@ extension ApplicationCostProfilerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReportDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReportDefinitionsOutput.httpOutput(from:), ListReportDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -650,9 +645,9 @@ extension ApplicationCostProfilerClient { /// /// Creates the report definition for a report in Application Cost Profiler. /// - /// - Parameter PutReportDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutReportDefinitionInput`) /// - /// - Returns: `PutReportDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutReportDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -690,7 +685,6 @@ extension ApplicationCostProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutReportDefinitionOutput.httpOutput(from:), PutReportDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension ApplicationCostProfilerClient { /// /// Updates existing report in AWS Application Cost Profiler. /// - /// - Parameter UpdateReportDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReportDefinitionInput`) /// - /// - Returns: `UpdateReportDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReportDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -761,7 +755,6 @@ extension ApplicationCostProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReportDefinitionOutput.httpOutput(from:), UpdateReportDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSApplicationDiscoveryService/Sources/AWSApplicationDiscoveryService/ApplicationDiscoveryClient.swift b/Sources/Services/AWSApplicationDiscoveryService/Sources/AWSApplicationDiscoveryService/ApplicationDiscoveryClient.swift index d01a278074d..9cf72c42e02 100644 --- a/Sources/Services/AWSApplicationDiscoveryService/Sources/AWSApplicationDiscoveryService/ApplicationDiscoveryClient.swift +++ b/Sources/Services/AWSApplicationDiscoveryService/Sources/AWSApplicationDiscoveryService/ApplicationDiscoveryClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ApplicationDiscoveryClient: ClientRuntime.Client { public static let clientName = "ApplicationDiscoveryClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ApplicationDiscoveryClient.ApplicationDiscoveryClientConfiguration let serviceName = "Application Discovery" @@ -375,9 +374,9 @@ extension ApplicationDiscoveryClient { /// /// Associates one or more configuration items with an application. /// - /// - Parameter AssociateConfigurationItemsToApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateConfigurationItemsToApplicationInput`) /// - /// - Returns: `AssociateConfigurationItemsToApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateConfigurationItemsToApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateConfigurationItemsToApplicationOutput.httpOutput(from:), AssociateConfigurationItemsToApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension ApplicationDiscoveryClient { /// /// Deletes one or more agents or collectors as specified by ID. Deleting an agent or collector does not delete the previously discovered data. To delete the data collected, use StartBatchDeleteConfigurationTask. /// - /// - Parameter BatchDeleteAgentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteAgentsInput`) /// - /// - Returns: `BatchDeleteAgentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteAgentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteAgentsOutput.httpOutput(from:), BatchDeleteAgentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension ApplicationDiscoveryClient { /// /// Deletes one or more import tasks, each identified by their import ID. Each import task has a number of records that can identify servers or applications. Amazon Web Services Application Discovery Service has built-in matching logic that will identify when discovered servers match existing entries that you've previously discovered, the information for the already-existing discovered server is updated. When you delete an import task that contains records that were used to match, the information in those matched records that comes from the deleted records will also be deleted. /// - /// - Parameter BatchDeleteImportDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteImportDataInput`) /// - /// - Returns: `BatchDeleteImportDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteImportDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteImportDataOutput.httpOutput(from:), BatchDeleteImportDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension ApplicationDiscoveryClient { /// /// Creates an application with the given name and description. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension ApplicationDiscoveryClient { /// /// Creates one or more tags for configuration items. Tags are metadata that help you categorize IT assets. This API accepts a list of multiple configuration items. Do not store sensitive information (like personal data) in tags. /// - /// - Parameter CreateTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTagsInput`) /// - /// - Returns: `CreateTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTagsOutput.httpOutput(from:), CreateTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -740,9 +734,9 @@ extension ApplicationDiscoveryClient { /// /// Deletes a list of applications and their associations with configuration items. /// - /// - Parameter DeleteApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationsInput`) /// - /// - Returns: `DeleteApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +772,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationsOutput.httpOutput(from:), DeleteApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -813,9 +806,9 @@ extension ApplicationDiscoveryClient { /// /// Deletes the association between configuration items and one or more tags. This API accepts a list of multiple configuration items. /// - /// - Parameter DeleteTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTagsInput`) /// - /// - Returns: `DeleteTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsOutput.httpOutput(from:), DeleteTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -887,9 +879,9 @@ extension ApplicationDiscoveryClient { /// /// Lists agents or collectors as specified by ID or other filters. All agents/collectors associated with your user can be listed if you call DescribeAgents as is without passing any parameters. /// - /// - Parameter DescribeAgentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAgentsInput`) /// - /// - Returns: `DescribeAgentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAgentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +917,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAgentsOutput.httpOutput(from:), DescribeAgentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -960,9 +951,9 @@ extension ApplicationDiscoveryClient { /// /// Takes a unique deletion task identifier as input and returns metadata about a configuration deletion task. /// - /// - Parameter DescribeBatchDeleteConfigurationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBatchDeleteConfigurationTaskInput`) /// - /// - Returns: `DescribeBatchDeleteConfigurationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBatchDeleteConfigurationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +988,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBatchDeleteConfigurationTaskOutput.httpOutput(from:), DescribeBatchDeleteConfigurationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1043,9 +1033,9 @@ extension ApplicationDiscoveryClient { /// /// Output fields are specific to the asset type specified. For example, the output for a server configuration item includes a list of attributes about the server, such as host name, operating system, number of network cards, etc. For a complete list of outputs for each asset type, see [Using the DescribeConfigurations Action](https://docs.aws.amazon.com/application-discovery/latest/userguide/discovery-api-queries.html#DescribeConfigurations) in the Amazon Web Services Application Discovery Service User Guide. /// - /// - Parameter DescribeConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConfigurationsInput`) /// - /// - Returns: `DescribeConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1081,7 +1071,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationsOutput.httpOutput(from:), DescribeConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1116,9 +1105,9 @@ extension ApplicationDiscoveryClient { /// /// Lists exports as specified by ID. All continuous exports associated with your user can be listed if you call DescribeContinuousExports as is without passing any parameters. /// - /// - Parameter DescribeContinuousExportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContinuousExportsInput`) /// - /// - Returns: `DescribeContinuousExportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContinuousExportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1156,7 +1145,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContinuousExportsOutput.httpOutput(from:), DescribeContinuousExportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1192,9 +1180,9 @@ extension ApplicationDiscoveryClient { /// DescribeExportConfigurations is deprecated. Use [DescribeExportTasks](https://docs.aws.amazon.com/application-discovery/latest/APIReference/API_DescribeExportTasks.html), instead. @available(*, deprecated) /// - /// - Parameter DescribeExportConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExportConfigurationsInput`) /// - /// - Returns: `DescribeExportConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExportConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1231,7 +1219,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExportConfigurationsOutput.httpOutput(from:), DescribeExportConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1266,9 +1253,9 @@ extension ApplicationDiscoveryClient { /// /// Retrieve status of one or more export tasks. You can retrieve the status of up to 100 export tasks. /// - /// - Parameter DescribeExportTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExportTasksInput`) /// - /// - Returns: `DescribeExportTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExportTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1304,7 +1291,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExportTasksOutput.httpOutput(from:), DescribeExportTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1339,9 +1325,9 @@ extension ApplicationDiscoveryClient { /// /// Returns an array of import tasks for your account, including status information, times, IDs, the Amazon S3 Object URL for the import file, and more. /// - /// - Parameter DescribeImportTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImportTasksInput`) /// - /// - Returns: `DescribeImportTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImportTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1377,7 +1363,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImportTasksOutput.httpOutput(from:), DescribeImportTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1421,9 +1406,9 @@ extension ApplicationDiscoveryClient { /// /// Also, all configuration items associated with your user that have tags can be listed if you call DescribeTags as is without passing any parameters. /// - /// - Parameter DescribeTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTagsInput`) /// - /// - Returns: `DescribeTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1460,7 +1445,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagsOutput.httpOutput(from:), DescribeTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1495,9 +1479,9 @@ extension ApplicationDiscoveryClient { /// /// Disassociates one or more configuration items from an application. /// - /// - Parameter DisassociateConfigurationItemsFromApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateConfigurationItemsFromApplicationInput`) /// - /// - Returns: `DisassociateConfigurationItemsFromApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateConfigurationItemsFromApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1533,7 +1517,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateConfigurationItemsFromApplicationOutput.httpOutput(from:), DisassociateConfigurationItemsFromApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1569,9 +1552,9 @@ extension ApplicationDiscoveryClient { /// Deprecated. Use StartExportTask instead. Exports all discovered configuration data to an Amazon S3 bucket or an application that enables you to view and evaluate the data. Data includes tags and tag associations, processes, connections, servers, and system performance. This API returns an export ID that you can query using the DescribeExportConfigurations API. The system imposes a limit of two configuration exports in six hours. @available(*, deprecated) /// - /// - Parameter ExportConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportConfigurationsInput`) /// - /// - Returns: `ExportConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1608,7 +1591,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportConfigurationsOutput.httpOutput(from:), ExportConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1643,9 +1625,9 @@ extension ApplicationDiscoveryClient { /// /// Retrieves a short summary of discovered assets. This API operation takes no request parameters and is called as is at the command prompt as shown in the example. /// - /// - Parameter GetDiscoverySummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDiscoverySummaryInput`) /// - /// - Returns: `GetDiscoverySummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDiscoverySummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1681,7 +1663,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDiscoverySummaryOutput.httpOutput(from:), GetDiscoverySummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1716,9 +1697,9 @@ extension ApplicationDiscoveryClient { /// /// Retrieves a list of configuration items as specified by the value passed to the required parameter configurationType. Optional filtering may be applied to refine search results. /// - /// - Parameter ListConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationsInput`) /// - /// - Returns: `ListConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1755,7 +1736,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationsOutput.httpOutput(from:), ListConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1790,9 +1770,9 @@ extension ApplicationDiscoveryClient { /// /// Retrieves a list of servers that are one network hop away from a specified server. /// - /// - Parameter ListServerNeighborsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServerNeighborsInput`) /// - /// - Returns: `ListServerNeighborsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServerNeighborsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1828,7 +1808,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServerNeighborsOutput.httpOutput(from:), ListServerNeighborsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1863,9 +1842,9 @@ extension ApplicationDiscoveryClient { /// /// Takes a list of configurationId as input and starts an asynchronous deletion task to remove the configurationItems. Returns a unique deletion task identifier. /// - /// - Parameter StartBatchDeleteConfigurationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBatchDeleteConfigurationTaskInput`) /// - /// - Returns: `StartBatchDeleteConfigurationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBatchDeleteConfigurationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1903,7 +1882,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBatchDeleteConfigurationTaskOutput.httpOutput(from:), StartBatchDeleteConfigurationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1938,9 +1916,9 @@ extension ApplicationDiscoveryClient { /// /// Start the continuous flow of agent's discovered data into Amazon Athena. /// - /// - Parameter StartContinuousExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartContinuousExportInput`) /// - /// - Returns: `StartContinuousExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartContinuousExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1979,7 +1957,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartContinuousExportOutput.httpOutput(from:), StartContinuousExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2014,9 +1991,9 @@ extension ApplicationDiscoveryClient { /// /// Instructs the specified agents to start collecting data. /// - /// - Parameter StartDataCollectionByAgentIdsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDataCollectionByAgentIdsInput`) /// - /// - Returns: `StartDataCollectionByAgentIdsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDataCollectionByAgentIdsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2052,7 +2029,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDataCollectionByAgentIdsOutput.httpOutput(from:), StartDataCollectionByAgentIdsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2087,9 +2063,9 @@ extension ApplicationDiscoveryClient { /// /// Begins the export of a discovered data report to an Amazon S3 bucket managed by Amazon Web Services. Exports might provide an estimate of fees and savings based on certain information that you provide. Fee estimates do not include any taxes that might apply. Your actual fees and savings depend on a variety of factors, including your actual usage of Amazon Web Services services, which might vary from the estimates provided in this report. If you do not specify preferences or agentIds in the filter, a summary of all servers, applications, tags, and performance is generated. This data is an aggregation of all server data collected through on-premises tooling, file import, application grouping and applying tags. If you specify agentIds in a filter, the task exports up to 72 hours of detailed data collected by the identified Application Discovery Agent, including network, process, and performance details. A time range for exported agent data may be set by using startTime and endTime. Export of detailed agent data is limited to five concurrently running exports. Export of detailed agent data is limited to two exports per day. If you enable ec2RecommendationsPreferences in preferences , an Amazon EC2 instance matching the characteristics of each server in Application Discovery Service is generated. Changing the attributes of the ec2RecommendationsPreferences changes the criteria of the recommendation. /// - /// - Parameter StartExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartExportTaskInput`) /// - /// - Returns: `StartExportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartExportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2126,7 +2102,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExportTaskOutput.httpOutput(from:), StartExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2172,9 +2147,9 @@ extension ApplicationDiscoveryClient { /// /// For more information, including step-by-step procedures, see [Migration Hub Import](https://docs.aws.amazon.com/application-discovery/latest/userguide/discovery-import.html) in the Amazon Web Services Application Discovery Service User Guide. There are limits to the number of import tasks you can create (and delete) in an Amazon Web Services account. For more information, see [Amazon Web Services Application Discovery Service Limits](https://docs.aws.amazon.com/application-discovery/latest/userguide/ads_service_limits.html) in the Amazon Web Services Application Discovery Service User Guide. /// - /// - Parameter StartImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImportTaskInput`) /// - /// - Returns: `StartImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2212,7 +2187,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImportTaskOutput.httpOutput(from:), StartImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2247,9 +2221,9 @@ extension ApplicationDiscoveryClient { /// /// Stop the continuous flow of agent's discovered data into Amazon Athena. /// - /// - Parameter StopContinuousExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopContinuousExportInput`) /// - /// - Returns: `StopContinuousExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopContinuousExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2288,7 +2262,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopContinuousExportOutput.httpOutput(from:), StopContinuousExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2323,9 +2296,9 @@ extension ApplicationDiscoveryClient { /// /// Instructs the specified agents to stop collecting data. /// - /// - Parameter StopDataCollectionByAgentIdsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDataCollectionByAgentIdsInput`) /// - /// - Returns: `StopDataCollectionByAgentIdsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDataCollectionByAgentIdsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2361,7 +2334,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDataCollectionByAgentIdsOutput.httpOutput(from:), StopDataCollectionByAgentIdsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2396,9 +2368,9 @@ extension ApplicationDiscoveryClient { /// /// Updates metadata about an application. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2434,7 +2406,6 @@ extension ApplicationDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSApplicationInsights/Sources/AWSApplicationInsights/ApplicationInsightsClient.swift b/Sources/Services/AWSApplicationInsights/Sources/AWSApplicationInsights/ApplicationInsightsClient.swift index c111449ee37..ac06144668b 100644 --- a/Sources/Services/AWSApplicationInsights/Sources/AWSApplicationInsights/ApplicationInsightsClient.swift +++ b/Sources/Services/AWSApplicationInsights/Sources/AWSApplicationInsights/ApplicationInsightsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ApplicationInsightsClient: ClientRuntime.Client { public static let clientName = "ApplicationInsightsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ApplicationInsightsClient.ApplicationInsightsClientConfiguration let serviceName = "Application Insights" @@ -374,9 +373,9 @@ extension ApplicationInsightsClient { /// /// Adds a workload to a component. Each component can have at most five workloads. /// - /// - Parameter AddWorkloadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddWorkloadInput`) /// - /// - Returns: `AddWorkloadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddWorkloadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddWorkloadOutput.httpOutput(from:), AddWorkloadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension ApplicationInsightsClient { /// /// Adds an application that is created from a resource group. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension ApplicationInsightsClient { /// /// Creates a custom component by grouping similar standalone instances to monitor. /// - /// - Parameter CreateComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateComponentInput`) /// - /// - Returns: `CreateComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComponentOutput.httpOutput(from:), CreateComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension ApplicationInsightsClient { /// /// Adds an log pattern to a LogPatternSet. /// - /// - Parameter CreateLogPatternInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLogPatternInput`) /// - /// - Returns: `CreateLogPatternOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLogPatternOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLogPatternOutput.httpOutput(from:), CreateLogPatternOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -664,9 +659,9 @@ extension ApplicationInsightsClient { /// /// Removes the specified application from monitoring. Does not delete the application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension ApplicationInsightsClient { /// /// Ungroups a custom component. When you ungroup custom components, all applicable monitors that are set up for the component are removed and the instances revert to their standalone status. /// - /// - Parameter DeleteComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteComponentInput`) /// - /// - Returns: `DeleteComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -772,7 +766,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteComponentOutput.httpOutput(from:), DeleteComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension ApplicationInsightsClient { /// /// Removes the specified log pattern from a LogPatternSet. /// - /// - Parameter DeleteLogPatternInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLogPatternInput`) /// - /// - Returns: `DeleteLogPatternOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLogPatternOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -844,7 +837,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLogPatternOutput.httpOutput(from:), DeleteLogPatternOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension ApplicationInsightsClient { /// /// Describes the application. /// - /// - Parameter DescribeApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationInput`) /// - /// - Returns: `DescribeApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -915,7 +907,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationOutput.httpOutput(from:), DescribeApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -950,9 +941,9 @@ extension ApplicationInsightsClient { /// /// Describes a component and lists the resources that are grouped together in a component. /// - /// - Parameter DescribeComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeComponentInput`) /// - /// - Returns: `DescribeComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -986,7 +977,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComponentOutput.httpOutput(from:), DescribeComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1021,9 +1011,9 @@ extension ApplicationInsightsClient { /// /// Describes the monitoring configuration of the component. /// - /// - Parameter DescribeComponentConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeComponentConfigurationInput`) /// - /// - Returns: `DescribeComponentConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeComponentConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1057,7 +1047,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComponentConfigurationOutput.httpOutput(from:), DescribeComponentConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1081,9 @@ extension ApplicationInsightsClient { /// /// Describes the recommended monitoring configuration of the component. /// - /// - Parameter DescribeComponentConfigurationRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeComponentConfigurationRecommendationInput`) /// - /// - Returns: `DescribeComponentConfigurationRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeComponentConfigurationRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1128,7 +1117,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComponentConfigurationRecommendationOutput.httpOutput(from:), DescribeComponentConfigurationRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1163,9 +1151,9 @@ extension ApplicationInsightsClient { /// /// Describe a specific log pattern from a LogPatternSet. /// - /// - Parameter DescribeLogPatternInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLogPatternInput`) /// - /// - Returns: `DescribeLogPatternOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLogPatternOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1199,7 +1187,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLogPatternOutput.httpOutput(from:), DescribeLogPatternOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1234,9 +1221,9 @@ extension ApplicationInsightsClient { /// /// Describes an anomaly or error with the application. /// - /// - Parameter DescribeObservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeObservationInput`) /// - /// - Returns: `DescribeObservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeObservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1270,7 +1257,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeObservationOutput.httpOutput(from:), DescribeObservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1305,9 +1291,9 @@ extension ApplicationInsightsClient { /// /// Describes an application problem. /// - /// - Parameter DescribeProblemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProblemInput`) /// - /// - Returns: `DescribeProblemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProblemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1341,7 +1327,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProblemOutput.httpOutput(from:), DescribeProblemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1376,9 +1361,9 @@ extension ApplicationInsightsClient { /// /// Describes the anomalies or errors associated with the problem. /// - /// - Parameter DescribeProblemObservationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProblemObservationsInput`) /// - /// - Returns: `DescribeProblemObservationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProblemObservationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1412,7 +1397,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProblemObservationsOutput.httpOutput(from:), DescribeProblemObservationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1447,9 +1431,9 @@ extension ApplicationInsightsClient { /// /// Describes a workload and its configuration. /// - /// - Parameter DescribeWorkloadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkloadInput`) /// - /// - Returns: `DescribeWorkloadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkloadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1483,7 +1467,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkloadOutput.httpOutput(from:), DescribeWorkloadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1518,9 +1501,9 @@ extension ApplicationInsightsClient { /// /// Lists the IDs of the applications that you are monitoring. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1553,7 +1536,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1588,9 +1570,9 @@ extension ApplicationInsightsClient { /// /// Lists the auto-grouped, standalone, and custom components of the application. /// - /// - Parameter ListComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentsInput`) /// - /// - Returns: `ListComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1624,7 +1606,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentsOutput.httpOutput(from:), ListComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1665,9 +1646,9 @@ extension ApplicationInsightsClient { /// /// * ERROR: alarm not created due to permission errors or exceeding quotas. /// - /// - Parameter ListConfigurationHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationHistoryInput`) /// - /// - Returns: `ListConfigurationHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1701,7 +1682,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationHistoryOutput.httpOutput(from:), ListConfigurationHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1736,9 +1716,9 @@ extension ApplicationInsightsClient { /// /// Lists the log pattern sets in the specific application. /// - /// - Parameter ListLogPatternSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLogPatternSetsInput`) /// - /// - Returns: `ListLogPatternSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLogPatternSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1772,7 +1752,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLogPatternSetsOutput.httpOutput(from:), ListLogPatternSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1807,9 +1786,9 @@ extension ApplicationInsightsClient { /// /// Lists the log patterns in the specific log LogPatternSet. /// - /// - Parameter ListLogPatternsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLogPatternsInput`) /// - /// - Returns: `ListLogPatternsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLogPatternsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1843,7 +1822,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLogPatternsOutput.httpOutput(from:), ListLogPatternsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1878,9 +1856,9 @@ extension ApplicationInsightsClient { /// /// Lists the problems with your application. /// - /// - Parameter ListProblemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProblemsInput`) /// - /// - Returns: `ListProblemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProblemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1914,7 +1892,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProblemsOutput.httpOutput(from:), ListProblemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1949,9 +1926,9 @@ extension ApplicationInsightsClient { /// /// Retrieve a list of the tags (keys and values) that are associated with a specified application. A tag is a label that you optionally define and associate with an application. Each tag consists of a required tag key and an optional associated tag value. A tag key is a general label that acts as a category for more specific tag values. A tag value acts as a descriptor within a tag key. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1984,7 +1961,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2019,9 +1995,9 @@ extension ApplicationInsightsClient { /// /// Lists the workloads that are configured on a given component. /// - /// - Parameter ListWorkloadsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkloadsInput`) /// - /// - Returns: `ListWorkloadsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkloadsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2055,7 +2031,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkloadsOutput.httpOutput(from:), ListWorkloadsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2090,9 +2065,9 @@ extension ApplicationInsightsClient { /// /// Remove workload from a component. /// - /// - Parameter RemoveWorkloadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveWorkloadInput`) /// - /// - Returns: `RemoveWorkloadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveWorkloadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2126,7 +2101,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveWorkloadOutput.httpOutput(from:), RemoveWorkloadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2161,9 +2135,9 @@ extension ApplicationInsightsClient { /// /// Add one or more tags (keys and values) to a specified application. A tag is a label that you optionally define and associate with an application. Tags can help you categorize and manage application in different ways, such as by purpose, owner, environment, or other criteria. Each tag consists of a required tag key and an associated tag value, both of which you define. A tag key is a general label that acts as a category for more specific tag values. A tag value acts as a descriptor within a tag key. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2197,7 +2171,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2232,9 +2205,9 @@ extension ApplicationInsightsClient { /// /// Remove one or more tags (keys and values) from a specified application. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2267,7 +2240,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2302,9 +2274,9 @@ extension ApplicationInsightsClient { /// /// Updates the application. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2338,7 +2310,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2373,9 +2344,9 @@ extension ApplicationInsightsClient { /// /// Updates the custom component name and/or the list of resources that make up the component. /// - /// - Parameter UpdateComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateComponentInput`) /// - /// - Returns: `UpdateComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2410,7 +2381,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateComponentOutput.httpOutput(from:), UpdateComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2445,9 +2415,9 @@ extension ApplicationInsightsClient { /// /// Updates the monitoring configurations for the component. The configuration input parameter is an escaped JSON of the configuration and should match the schema of what is returned by DescribeComponentConfigurationRecommendation. /// - /// - Parameter UpdateComponentConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateComponentConfigurationInput`) /// - /// - Returns: `UpdateComponentConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateComponentConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2482,7 +2452,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateComponentConfigurationOutput.httpOutput(from:), UpdateComponentConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2517,9 +2486,9 @@ extension ApplicationInsightsClient { /// /// Adds a log pattern to a LogPatternSet. /// - /// - Parameter UpdateLogPatternInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLogPatternInput`) /// - /// - Returns: `UpdateLogPatternOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLogPatternOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2554,7 +2523,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLogPatternOutput.httpOutput(from:), UpdateLogPatternOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2589,9 +2557,9 @@ extension ApplicationInsightsClient { /// /// Updates the visibility of the problem or specifies the problem as RESOLVED. /// - /// - Parameter UpdateProblemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProblemInput`) /// - /// - Returns: `UpdateProblemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProblemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2625,7 +2593,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProblemOutput.httpOutput(from:), UpdateProblemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2660,9 +2627,9 @@ extension ApplicationInsightsClient { /// /// Adds a workload to a component. Each component can have at most five workloads. /// - /// - Parameter UpdateWorkloadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkloadInput`) /// - /// - Returns: `UpdateWorkloadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkloadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2696,7 +2663,6 @@ extension ApplicationInsightsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkloadOutput.httpOutput(from:), UpdateWorkloadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSApplicationSignals/Sources/AWSApplicationSignals/ApplicationSignalsClient.swift b/Sources/Services/AWSApplicationSignals/Sources/AWSApplicationSignals/ApplicationSignalsClient.swift index 36ee96cf7ac..cb2c3663d8b 100644 --- a/Sources/Services/AWSApplicationSignals/Sources/AWSApplicationSignals/ApplicationSignalsClient.swift +++ b/Sources/Services/AWSApplicationSignals/Sources/AWSApplicationSignals/ApplicationSignalsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ApplicationSignalsClient: ClientRuntime.Client { public static let clientName = "ApplicationSignalsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ApplicationSignalsClient.ApplicationSignalsClientConfiguration let serviceName = "Application Signals" @@ -374,9 +373,9 @@ extension ApplicationSignalsClient { /// /// Use this operation to retrieve one or more service level objective (SLO) budget reports. An error budget is the amount of time or requests in an unhealthy state that your service can accumulate during an interval before your overall SLO budget health is breached and the SLO is considered to be unmet. For example, an SLO with a threshold of 99.95% and a monthly interval translates to an error budget of 21.9 minutes of downtime in a 30-day month. Budget reports include a health indicator, the attainment value, and remaining budget. For more information about SLO error budgets, see [ SLO concepts](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-ServiceLevelObjectives.html#CloudWatch-ServiceLevelObjectives-concepts). /// - /// - Parameter BatchGetServiceLevelObjectiveBudgetReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetServiceLevelObjectiveBudgetReportInput`) /// - /// - Returns: `BatchGetServiceLevelObjectiveBudgetReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetServiceLevelObjectiveBudgetReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetServiceLevelObjectiveBudgetReportOutput.httpOutput(from:), BatchGetServiceLevelObjectiveBudgetReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension ApplicationSignalsClient { /// /// Add or remove time window exclusions for one or more Service Level Objectives (SLOs). /// - /// - Parameter BatchUpdateExclusionWindowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateExclusionWindowsInput`) /// - /// - Returns: `BatchUpdateExclusionWindowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateExclusionWindowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateExclusionWindowsOutput.httpOutput(from:), BatchUpdateExclusionWindowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -541,9 +538,9 @@ extension ApplicationSignalsClient { /// /// * autoscaling:DescribeAutoScalingGroups /// - /// - Parameter CreateServiceLevelObjectiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceLevelObjectiveInput`) /// - /// - Returns: `CreateServiceLevelObjectiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceLevelObjectiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -581,7 +578,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceLevelObjectiveOutput.httpOutput(from:), CreateServiceLevelObjectiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -613,9 +609,9 @@ extension ApplicationSignalsClient { /// /// Deletes the grouping configuration for this account. This removes all custom grouping attribute definitions that were previously configured. /// - /// - Parameter DeleteGroupingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupingConfigurationInput`) /// - /// - Returns: `DeleteGroupingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -648,7 +644,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupingConfigurationOutput.httpOutput(from:), DeleteGroupingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -680,9 +675,9 @@ extension ApplicationSignalsClient { /// /// Deletes the specified service level objective. /// - /// - Parameter DeleteServiceLevelObjectiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceLevelObjectiveInput`) /// - /// - Returns: `DeleteServiceLevelObjectiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceLevelObjectiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -715,7 +710,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceLevelObjectiveOutput.httpOutput(from:), DeleteServiceLevelObjectiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -747,9 +741,9 @@ extension ApplicationSignalsClient { /// /// Returns information about a service discovered by Application Signals. /// - /// - Parameter GetServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceInput`) /// - /// - Returns: `GetServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -785,7 +779,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceOutput.httpOutput(from:), GetServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -817,9 +810,9 @@ extension ApplicationSignalsClient { /// /// Returns information about one SLO created in the account. /// - /// - Parameter GetServiceLevelObjectiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceLevelObjectiveInput`) /// - /// - Returns: `GetServiceLevelObjectiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceLevelObjectiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceLevelObjectiveOutput.httpOutput(from:), GetServiceLevelObjectiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -884,9 +876,9 @@ extension ApplicationSignalsClient { /// /// Returns a list of audit findings that provide automated analysis of service behavior and root cause analysis. These findings help identify the most significant observations about your services, including performance issues, anomalies, and potential problems. The findings are generated using heuristic algorithms based on established troubleshooting patterns. /// - /// - Parameter ListAuditFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAuditFindingsInput`) /// - /// - Returns: `ListAuditFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAuditFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -922,7 +914,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAuditFindingsOutput.httpOutput(from:), ListAuditFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -954,9 +945,9 @@ extension ApplicationSignalsClient { /// /// Returns the current grouping configuration for this account, including all custom grouping attribute definitions that have been configured. These definitions determine how services are logically grouped based on telemetry attributes, Amazon Web Services tags, or predefined mappings. /// - /// - Parameter ListGroupingAttributeDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupingAttributeDefinitionsInput`) /// - /// - Returns: `ListGroupingAttributeDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupingAttributeDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -990,7 +981,6 @@ extension ApplicationSignalsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGroupingAttributeDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupingAttributeDefinitionsOutput.httpOutput(from:), ListGroupingAttributeDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1022,9 +1012,9 @@ extension ApplicationSignalsClient { /// /// Returns a list of service dependencies of the service that you specify. A dependency is an infrastructure component that an operation of this service connects with. Dependencies can include Amazon Web Services services, Amazon Web Services resources, and third-party services. /// - /// - Parameter ListServiceDependenciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceDependenciesInput`) /// - /// - Returns: `ListServiceDependenciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceDependenciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1060,7 +1050,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceDependenciesOutput.httpOutput(from:), ListServiceDependenciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1081,9 @@ extension ApplicationSignalsClient { /// /// Returns the list of dependents that invoked the specified service during the provided time range. Dependents include other services, CloudWatch Synthetics canaries, and clients that are instrumented with CloudWatch RUM app monitors. /// - /// - Parameter ListServiceDependentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceDependentsInput`) /// - /// - Returns: `ListServiceDependentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceDependentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1130,7 +1119,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceDependentsOutput.httpOutput(from:), ListServiceDependentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1162,9 +1150,9 @@ extension ApplicationSignalsClient { /// /// Retrieves all exclusion windows configured for a specific SLO. /// - /// - Parameter ListServiceLevelObjectiveExclusionWindowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceLevelObjectiveExclusionWindowsInput`) /// - /// - Returns: `ListServiceLevelObjectiveExclusionWindowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceLevelObjectiveExclusionWindowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1198,7 +1186,6 @@ extension ApplicationSignalsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServiceLevelObjectiveExclusionWindowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceLevelObjectiveExclusionWindowsOutput.httpOutput(from:), ListServiceLevelObjectiveExclusionWindowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1230,9 +1217,9 @@ extension ApplicationSignalsClient { /// /// Returns a list of SLOs created in this account. /// - /// - Parameter ListServiceLevelObjectivesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceLevelObjectivesInput`) /// - /// - Returns: `ListServiceLevelObjectivesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceLevelObjectivesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1268,7 +1255,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceLevelObjectivesOutput.httpOutput(from:), ListServiceLevelObjectivesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1300,9 +1286,9 @@ extension ApplicationSignalsClient { /// /// Returns a list of the operations of this service that have been discovered by Application Signals. Only the operations that were invoked during the specified time range are returned. /// - /// - Parameter ListServiceOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceOperationsInput`) /// - /// - Returns: `ListServiceOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1338,7 +1324,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceOperationsOutput.httpOutput(from:), ListServiceOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1370,9 +1355,9 @@ extension ApplicationSignalsClient { /// /// Returns information about the last deployment and other change states of services. This API provides visibility into recent changes that may have affected service performance, helping with troubleshooting and change correlation. /// - /// - Parameter ListServiceStatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceStatesInput`) /// - /// - Returns: `ListServiceStatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceStatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1407,7 +1392,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceStatesOutput.httpOutput(from:), ListServiceStatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1439,9 +1423,9 @@ extension ApplicationSignalsClient { /// /// Returns a list of services that have been discovered by Application Signals. A service represents a minimum logical and transactional unit that completes a business function. Services are discovered through Application Signals instrumentation. /// - /// - Parameter ListServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicesInput`) /// - /// - Returns: `ListServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1474,7 +1458,6 @@ extension ApplicationSignalsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicesOutput.httpOutput(from:), ListServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1506,9 +1489,9 @@ extension ApplicationSignalsClient { /// /// Displays the tags associated with a CloudWatch resource. Tags can be assigned to service level objectives. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1541,7 +1524,6 @@ extension ApplicationSignalsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1573,9 +1555,9 @@ extension ApplicationSignalsClient { /// /// Creates or updates the grouping configuration for this account. This operation allows you to define custom grouping attributes that determine how services are logically grouped based on telemetry attributes, Amazon Web Services tags, or predefined mappings. These grouping attributes can then be used to organize and filter services in the Application Signals console and APIs. /// - /// - Parameter PutGroupingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutGroupingConfigurationInput`) /// - /// - Returns: `PutGroupingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutGroupingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1611,7 +1593,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutGroupingConfigurationOutput.httpOutput(from:), PutGroupingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1660,9 +1641,9 @@ extension ApplicationSignalsClient { /// /// After completing this step, you still need to instrument your Java and Python applications to send data to Application Signals. For more information, see [ Enabling Application Signals](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Application-Signals-Enable.html). /// - /// - Parameter StartDiscoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDiscoveryInput`) /// - /// - Returns: `StartDiscoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDiscoveryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1695,7 +1676,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDiscoveryOutput.httpOutput(from:), StartDiscoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1727,9 +1707,9 @@ extension ApplicationSignalsClient { /// /// Assigns one or more tags (key-value pairs) to the specified CloudWatch resource, such as a service level objective. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with an alarm that already has tags. If you specify a new tag key for the alarm, this tag is appended to the list of tags associated with the alarm. If you specify a tag key that is already associated with the alarm, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a CloudWatch resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1765,7 +1745,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1797,9 +1776,9 @@ extension ApplicationSignalsClient { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1834,7 +1813,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1866,9 +1844,9 @@ extension ApplicationSignalsClient { /// /// Updates an existing service level objective (SLO). If you omit parameters, the previous values of those parameters are retained. You cannot change from a period-based SLO to a request-based SLO, or change from a request-based SLO to a period-based SLO. /// - /// - Parameter UpdateServiceLevelObjectiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceLevelObjectiveInput`) /// - /// - Returns: `UpdateServiceLevelObjectiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceLevelObjectiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1904,7 +1882,6 @@ extension ApplicationSignalsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceLevelObjectiveOutput.httpOutput(from:), UpdateServiceLevelObjectiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSArtifact/Sources/AWSArtifact/ArtifactClient.swift b/Sources/Services/AWSArtifact/Sources/AWSArtifact/ArtifactClient.swift index 008b887f551..5cc13bfd243 100644 --- a/Sources/Services/AWSArtifact/Sources/AWSArtifact/ArtifactClient.swift +++ b/Sources/Services/AWSArtifact/Sources/AWSArtifact/ArtifactClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ArtifactClient: ClientRuntime.Client { public static let clientName = "ArtifactClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ArtifactClient.ArtifactClientConfiguration let serviceName = "Artifact" @@ -373,9 +372,9 @@ extension ArtifactClient { /// /// Get the account settings for Artifact. /// - /// - Parameter GetAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountSettingsInput`) /// - /// - Returns: `GetAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension ArtifactClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSettingsOutput.httpOutput(from:), GetAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension ArtifactClient { /// /// Get the content for a single report. /// - /// - Parameter GetReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReportInput`) /// - /// - Returns: `GetReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension ArtifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetReportInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReportOutput.httpOutput(from:), GetReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension ArtifactClient { /// /// Get the metadata for a single report. /// - /// - Parameter GetReportMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReportMetadataInput`) /// - /// - Returns: `GetReportMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReportMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension ArtifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetReportMetadataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReportMetadataOutput.httpOutput(from:), GetReportMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension ArtifactClient { /// /// Get the Term content associated with a single report. /// - /// - Parameter GetTermForReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTermForReportInput`) /// - /// - Returns: `GetTermForReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTermForReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension ArtifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTermForReportInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTermForReportOutput.httpOutput(from:), GetTermForReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension ArtifactClient { /// /// List active customer-agreements applicable to calling identity. /// - /// - Parameter ListCustomerAgreementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomerAgreementsInput`) /// - /// - Returns: `ListCustomerAgreementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomerAgreementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension ArtifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCustomerAgreementsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomerAgreementsOutput.httpOutput(from:), ListCustomerAgreementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension ArtifactClient { /// /// List available reports. /// - /// - Parameter ListReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReportsInput`) /// - /// - Returns: `ListReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension ArtifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReportsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReportsOutput.httpOutput(from:), ListReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension ArtifactClient { /// /// Put the account settings for Artifact. /// - /// - Parameter PutAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccountSettingsInput`) /// - /// - Returns: `PutAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -841,7 +834,6 @@ extension ArtifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountSettingsOutput.httpOutput(from:), PutAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAthena/Sources/AWSAthena/AthenaClient.swift b/Sources/Services/AWSAthena/Sources/AWSAthena/AthenaClient.swift index bc50191638e..ff135590c24 100644 --- a/Sources/Services/AWSAthena/Sources/AWSAthena/AthenaClient.swift +++ b/Sources/Services/AWSAthena/Sources/AWSAthena/AthenaClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AthenaClient: ClientRuntime.Client { public static let clientName = "AthenaClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AthenaClient.AthenaClientConfiguration let serviceName = "Athena" @@ -374,9 +373,9 @@ extension AthenaClient { /// /// Returns the details of a single named query or a list of up to 50 queries, which you provide as an array of query ID strings. Requires you to have access to the workgroup in which the queries were saved. Use [ListNamedQueriesInput] to get the list of named query IDs in the specified workgroup. If information could not be retrieved for a submitted query ID, information about the query ID submitted is listed under [UnprocessedNamedQueryId]. Named queries differ from executed queries. Use [BatchGetQueryExecutionInput] to get details about each unique query execution, and [ListQueryExecutionsInput] to get a list of query execution IDs. /// - /// - Parameter BatchGetNamedQueryInput : Contains an array of named query IDs. + /// - Parameter input: Contains an array of named query IDs. (Type: `BatchGetNamedQueryInput`) /// - /// - Returns: `BatchGetNamedQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetNamedQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetNamedQueryOutput.httpOutput(from:), BatchGetNamedQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension AthenaClient { /// /// Returns the details of a single prepared statement or a list of up to 256 prepared statements for the array of prepared statement names that you provide. Requires you to have access to the workgroup to which the prepared statements belong. If a prepared statement cannot be retrieved for the name specified, the statement is listed in UnprocessedPreparedStatementNames. /// - /// - Parameter BatchGetPreparedStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetPreparedStatementInput`) /// - /// - Returns: `BatchGetPreparedStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetPreparedStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -479,7 +477,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetPreparedStatementOutput.httpOutput(from:), BatchGetPreparedStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -514,9 +511,9 @@ extension AthenaClient { /// /// Returns the details of a single query execution or a list of up to 50 query executions, which you provide as an array of query execution ID strings. Requires you to have access to the workgroup in which the queries ran. To get a list of query execution IDs, use [ListQueryExecutionsInput$WorkGroup]. Query executions differ from named (saved) queries. Use [BatchGetNamedQueryInput] to get details about named queries. /// - /// - Parameter BatchGetQueryExecutionInput : Contains an array of query execution IDs. + /// - Parameter input: Contains an array of query execution IDs. (Type: `BatchGetQueryExecutionInput`) /// - /// - Returns: `BatchGetQueryExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetQueryExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -549,7 +546,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetQueryExecutionOutput.httpOutput(from:), BatchGetQueryExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -584,9 +580,9 @@ extension AthenaClient { /// /// Cancels the capacity reservation with the specified name. Cancelled reservations remain in your account and will be deleted 45 days after cancellation. During the 45 days, you cannot re-purpose or reuse a reservation that has been cancelled, but you can refer to its tags and view it for historical reference. /// - /// - Parameter CancelCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelCapacityReservationInput`) /// - /// - Returns: `CancelCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelCapacityReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -619,7 +615,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelCapacityReservationOutput.httpOutput(from:), CancelCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -654,9 +649,9 @@ extension AthenaClient { /// /// Creates a capacity reservation with the specified name and number of requested data processing units. /// - /// - Parameter CreateCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCapacityReservationInput`) /// - /// - Returns: `CreateCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCapacityReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -689,7 +684,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCapacityReservationOutput.httpOutput(from:), CreateCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension AthenaClient { /// /// * Glue Connection Name with a maximum length of 255 characters and a prefix athenafederatedcatalog_CATALOG_NAME_SANITIZED with length 23 characters. /// - /// - Parameter CreateDataCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataCatalogInput`) /// - /// - Returns: `CreateDataCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -765,7 +759,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataCatalogOutput.httpOutput(from:), CreateDataCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -800,9 +793,9 @@ extension AthenaClient { /// /// Creates a named query in the specified workgroup. Requires that you have access to the workgroup. /// - /// - Parameter CreateNamedQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNamedQueryInput`) /// - /// - Returns: `CreateNamedQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNamedQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -836,7 +829,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNamedQueryOutput.httpOutput(from:), CreateNamedQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -871,9 +863,9 @@ extension AthenaClient { /// /// Creates an empty ipynb file in the specified Apache Spark enabled workgroup. Throws an error if a file in the workgroup with the same name already exists. /// - /// - Parameter CreateNotebookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNotebookInput`) /// - /// - Returns: `CreateNotebookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNotebookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -907,7 +899,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNotebookOutput.httpOutput(from:), CreateNotebookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -942,9 +933,9 @@ extension AthenaClient { /// /// Creates a prepared statement for use with SQL queries in Athena. /// - /// - Parameter CreatePreparedStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePreparedStatementInput`) /// - /// - Returns: `CreatePreparedStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePreparedStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -977,7 +968,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePreparedStatementOutput.httpOutput(from:), CreatePreparedStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1012,9 +1002,9 @@ extension AthenaClient { /// /// Gets an authentication token and the URL at which the notebook can be accessed. During programmatic access, CreatePresignedNotebookUrl must be called every 10 minutes to refresh the authentication token. For information about granting programmatic access, see [Grant programmatic access](https://docs.aws.amazon.com/athena/latest/ug/setting-up.html#setting-up-grant-programmatic-access). /// - /// - Parameter CreatePresignedNotebookUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePresignedNotebookUrlInput`) /// - /// - Returns: `CreatePresignedNotebookUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePresignedNotebookUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1048,7 +1038,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePresignedNotebookUrlOutput.httpOutput(from:), CreatePresignedNotebookUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1083,9 +1072,9 @@ extension AthenaClient { /// /// Creates a workgroup with the specified name. A workgroup can be an Apache Spark enabled workgroup or an Athena SQL workgroup. /// - /// - Parameter CreateWorkGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkGroupInput`) /// - /// - Returns: `CreateWorkGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1118,7 +1107,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkGroupOutput.httpOutput(from:), CreateWorkGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1153,9 +1141,9 @@ extension AthenaClient { /// /// Deletes a cancelled capacity reservation. A reservation must be cancelled before it can be deleted. A deleted reservation is immediately removed from your account and can no longer be referenced, including by its ARN. A deleted reservation cannot be called by GetCapacityReservation, and deleted reservations do not appear in the output of ListCapacityReservations. /// - /// - Parameter DeleteCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCapacityReservationInput`) /// - /// - Returns: `DeleteCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCapacityReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1188,7 +1176,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCapacityReservationOutput.httpOutput(from:), DeleteCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1223,9 +1210,9 @@ extension AthenaClient { /// /// Deletes a data catalog. /// - /// - Parameter DeleteDataCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataCatalogInput`) /// - /// - Returns: `DeleteDataCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1258,7 +1245,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataCatalogOutput.httpOutput(from:), DeleteDataCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1293,9 +1279,9 @@ extension AthenaClient { /// /// Deletes the named query if you have access to the workgroup in which the query was saved. /// - /// - Parameter DeleteNamedQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNamedQueryInput`) /// - /// - Returns: `DeleteNamedQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNamedQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1329,7 +1315,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNamedQueryOutput.httpOutput(from:), DeleteNamedQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1364,9 +1349,9 @@ extension AthenaClient { /// /// Deletes the specified notebook. /// - /// - Parameter DeleteNotebookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNotebookInput`) /// - /// - Returns: `DeleteNotebookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNotebookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1400,7 +1385,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNotebookOutput.httpOutput(from:), DeleteNotebookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1435,9 +1419,9 @@ extension AthenaClient { /// /// Deletes the prepared statement with the specified name from the specified workgroup. /// - /// - Parameter DeletePreparedStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePreparedStatementInput`) /// - /// - Returns: `DeletePreparedStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePreparedStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1471,7 +1455,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePreparedStatementOutput.httpOutput(from:), DeletePreparedStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1506,9 +1489,9 @@ extension AthenaClient { /// /// Deletes the workgroup with the specified name. The primary workgroup cannot be deleted. /// - /// - Parameter DeleteWorkGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkGroupInput`) /// - /// - Returns: `DeleteWorkGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1541,7 +1524,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkGroupOutput.httpOutput(from:), DeleteWorkGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1576,9 +1558,9 @@ extension AthenaClient { /// /// Exports the specified notebook and its metadata. /// - /// - Parameter ExportNotebookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportNotebookInput`) /// - /// - Returns: `ExportNotebookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportNotebookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1594,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportNotebookOutput.httpOutput(from:), ExportNotebookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1647,9 +1628,9 @@ extension AthenaClient { /// /// Describes a previously submitted calculation execution. /// - /// - Parameter GetCalculationExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCalculationExecutionInput`) /// - /// - Returns: `GetCalculationExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCalculationExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1683,7 +1664,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCalculationExecutionOutput.httpOutput(from:), GetCalculationExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1718,9 +1698,9 @@ extension AthenaClient { /// /// Retrieves the unencrypted code that was executed for the calculation. /// - /// - Parameter GetCalculationExecutionCodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCalculationExecutionCodeInput`) /// - /// - Returns: `GetCalculationExecutionCodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCalculationExecutionCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1754,7 +1734,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCalculationExecutionCodeOutput.httpOutput(from:), GetCalculationExecutionCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1789,9 +1768,9 @@ extension AthenaClient { /// /// Gets the status of a current calculation. /// - /// - Parameter GetCalculationExecutionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCalculationExecutionStatusInput`) /// - /// - Returns: `GetCalculationExecutionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCalculationExecutionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1825,7 +1804,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCalculationExecutionStatusOutput.httpOutput(from:), GetCalculationExecutionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1860,9 +1838,9 @@ extension AthenaClient { /// /// Gets the capacity assignment configuration for a capacity reservation, if one exists. /// - /// - Parameter GetCapacityAssignmentConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCapacityAssignmentConfigurationInput`) /// - /// - Returns: `GetCapacityAssignmentConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCapacityAssignmentConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1895,7 +1873,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCapacityAssignmentConfigurationOutput.httpOutput(from:), GetCapacityAssignmentConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1930,9 +1907,9 @@ extension AthenaClient { /// /// Returns information about the capacity reservation with the specified name. /// - /// - Parameter GetCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCapacityReservationInput`) /// - /// - Returns: `GetCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCapacityReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1965,7 +1942,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCapacityReservationOutput.httpOutput(from:), GetCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2000,9 +1976,9 @@ extension AthenaClient { /// /// Returns the specified data catalog. /// - /// - Parameter GetDataCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataCatalogInput`) /// - /// - Returns: `GetDataCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2035,7 +2011,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataCatalogOutput.httpOutput(from:), GetDataCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2070,9 +2045,9 @@ extension AthenaClient { /// /// Returns a database object for the specified database and data catalog. /// - /// - Parameter GetDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDatabaseInput`) /// - /// - Returns: `GetDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2106,7 +2081,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDatabaseOutput.httpOutput(from:), GetDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2141,9 +2115,9 @@ extension AthenaClient { /// /// Returns information about a single query. Requires that you have access to the workgroup in which the query was saved. /// - /// - Parameter GetNamedQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNamedQueryInput`) /// - /// - Returns: `GetNamedQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNamedQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2176,7 +2150,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNamedQueryOutput.httpOutput(from:), GetNamedQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2211,9 +2184,9 @@ extension AthenaClient { /// /// Retrieves notebook metadata for the specified notebook ID. /// - /// - Parameter GetNotebookMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNotebookMetadataInput`) /// - /// - Returns: `GetNotebookMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNotebookMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2247,7 +2220,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNotebookMetadataOutput.httpOutput(from:), GetNotebookMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2282,9 +2254,9 @@ extension AthenaClient { /// /// Retrieves the prepared statement with the specified name from the specified workgroup. /// - /// - Parameter GetPreparedStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPreparedStatementInput`) /// - /// - Returns: `GetPreparedStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPreparedStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2318,7 +2290,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPreparedStatementOutput.httpOutput(from:), GetPreparedStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2353,9 +2324,9 @@ extension AthenaClient { /// /// Returns information about a single execution of a query if you have access to the workgroup in which the query ran. Each time a query executes, information about the query execution is saved with a unique ID. /// - /// - Parameter GetQueryExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryExecutionInput`) /// - /// - Returns: `GetQueryExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2388,7 +2359,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryExecutionOutput.httpOutput(from:), GetQueryExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2423,9 +2393,9 @@ extension AthenaClient { /// /// Streams the results of a single query execution specified by QueryExecutionId from the Athena query results location in Amazon S3. For more information, see [Working with query results, recent queries, and output files](https://docs.aws.amazon.com/athena/latest/ug/querying.html) in the Amazon Athena User Guide. This request does not execute the query but returns results. Use [StartQueryExecution] to run a query. To stream query results successfully, the IAM principal with permission to call GetQueryResults also must have permissions to the Amazon S3 GetObject action for the Athena query results location. IAM principals with permission to the Amazon S3 GetObject action for the query results location are able to retrieve query results from Amazon S3 even if permission to the GetQueryResults action is denied. To restrict user or role access, ensure that Amazon S3 permissions to the Athena query location are denied. /// - /// - Parameter GetQueryResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryResultsInput`) /// - /// - Returns: `GetQueryResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2459,7 +2429,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryResultsOutput.httpOutput(from:), GetQueryResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2494,9 +2463,9 @@ extension AthenaClient { /// /// Returns query execution runtime statistics related to a single execution of a query if you have access to the workgroup in which the query ran. Statistics from the Timeline section of the response object are available as soon as [QueryExecutionStatus$State] is in a SUCCEEDED or FAILED state. The remaining non-timeline statistics in the response (like stage-level input and output row count and data size) are updated asynchronously and may not be available immediately after a query completes. The non-timeline statistics are also not included when a query has row-level filters defined in Lake Formation. /// - /// - Parameter GetQueryRuntimeStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryRuntimeStatisticsInput`) /// - /// - Returns: `GetQueryRuntimeStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryRuntimeStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2529,7 +2498,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryRuntimeStatisticsOutput.httpOutput(from:), GetQueryRuntimeStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2564,9 +2532,9 @@ extension AthenaClient { /// /// Gets the full details of a previously created session, including the session status and configuration. /// - /// - Parameter GetSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionInput`) /// - /// - Returns: `GetSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2600,7 +2568,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionOutput.httpOutput(from:), GetSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2635,9 +2602,9 @@ extension AthenaClient { /// /// Gets the current status of a session. /// - /// - Parameter GetSessionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionStatusInput`) /// - /// - Returns: `GetSessionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2671,7 +2638,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionStatusOutput.httpOutput(from:), GetSessionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2706,9 +2672,9 @@ extension AthenaClient { /// /// Returns table metadata for the specified catalog, database, and table. /// - /// - Parameter GetTableMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableMetadataInput`) /// - /// - Returns: `GetTableMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2742,7 +2708,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableMetadataOutput.httpOutput(from:), GetTableMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2777,9 +2742,9 @@ extension AthenaClient { /// /// Returns information about the workgroup with the specified name. /// - /// - Parameter GetWorkGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkGroupInput`) /// - /// - Returns: `GetWorkGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2812,7 +2777,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkGroupOutput.httpOutput(from:), GetWorkGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2847,9 +2811,9 @@ extension AthenaClient { /// /// Imports a single ipynb file to a Spark enabled workgroup. To import the notebook, the request must specify a value for either Payload or NoteBookS3LocationUri. If neither is specified or both are specified, an InvalidRequestException occurs. The maximum file size that can be imported is 10 megabytes. If an ipynb file with the same name already exists in the workgroup, throws an error. /// - /// - Parameter ImportNotebookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportNotebookInput`) /// - /// - Returns: `ImportNotebookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportNotebookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2883,7 +2847,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportNotebookOutput.httpOutput(from:), ImportNotebookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2918,9 +2881,9 @@ extension AthenaClient { /// /// Returns the supported DPU sizes for the supported application runtimes (for example, Athena notebook version 1). /// - /// - Parameter ListApplicationDPUSizesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationDPUSizesInput`) /// - /// - Returns: `ListApplicationDPUSizesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationDPUSizesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2954,7 +2917,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationDPUSizesOutput.httpOutput(from:), ListApplicationDPUSizesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2989,9 +2951,9 @@ extension AthenaClient { /// /// Lists the calculations that have been submitted to a session in descending order. Newer calculations are listed first; older calculations are listed later. /// - /// - Parameter ListCalculationExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCalculationExecutionsInput`) /// - /// - Returns: `ListCalculationExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCalculationExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3025,7 +2987,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCalculationExecutionsOutput.httpOutput(from:), ListCalculationExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3060,9 +3021,9 @@ extension AthenaClient { /// /// Lists the capacity reservations for the current account. /// - /// - Parameter ListCapacityReservationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCapacityReservationsInput`) /// - /// - Returns: `ListCapacityReservationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCapacityReservationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3095,7 +3056,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCapacityReservationsOutput.httpOutput(from:), ListCapacityReservationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3130,9 +3090,9 @@ extension AthenaClient { /// /// Lists the data catalogs in the current Amazon Web Services account. In the Athena console, data catalogs are listed as "data sources" on the Data sources page under the Data source name column. /// - /// - Parameter ListDataCatalogsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataCatalogsInput`) /// - /// - Returns: `ListDataCatalogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataCatalogsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3165,7 +3125,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataCatalogsOutput.httpOutput(from:), ListDataCatalogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3200,9 +3159,9 @@ extension AthenaClient { /// /// Lists the databases in the specified data catalog. /// - /// - Parameter ListDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatabasesInput`) /// - /// - Returns: `ListDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3236,7 +3195,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatabasesOutput.httpOutput(from:), ListDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3271,9 +3229,9 @@ extension AthenaClient { /// /// Returns a list of engine versions that are available to choose from, including the Auto option. /// - /// - Parameter ListEngineVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEngineVersionsInput`) /// - /// - Returns: `ListEngineVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEngineVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3306,7 +3264,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEngineVersionsOutput.httpOutput(from:), ListEngineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3341,9 +3298,9 @@ extension AthenaClient { /// /// Lists, in descending order, the executors that joined a session. Newer executors are listed first; older executors are listed later. The result can be optionally filtered by state. /// - /// - Parameter ListExecutorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExecutorsInput`) /// - /// - Returns: `ListExecutorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExecutorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3377,7 +3334,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExecutorsOutput.httpOutput(from:), ListExecutorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3412,9 +3368,9 @@ extension AthenaClient { /// /// Provides a list of available query IDs only for queries saved in the specified workgroup. Requires that you have access to the specified workgroup. If a workgroup is not specified, lists the saved queries for the primary workgroup. /// - /// - Parameter ListNamedQueriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNamedQueriesInput`) /// - /// - Returns: `ListNamedQueriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNamedQueriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3447,7 +3403,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNamedQueriesOutput.httpOutput(from:), ListNamedQueriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3482,9 +3437,9 @@ extension AthenaClient { /// /// Displays the notebook files for the specified workgroup in paginated format. /// - /// - Parameter ListNotebookMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotebookMetadataInput`) /// - /// - Returns: `ListNotebookMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotebookMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3518,7 +3473,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotebookMetadataOutput.httpOutput(from:), ListNotebookMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3553,9 +3507,9 @@ extension AthenaClient { /// /// Lists, in descending order, the sessions that have been created in a notebook that are in an active state like CREATING, CREATED, IDLE or BUSY. Newer sessions are listed first; older sessions are listed later. /// - /// - Parameter ListNotebookSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotebookSessionsInput`) /// - /// - Returns: `ListNotebookSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotebookSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3589,7 +3543,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotebookSessionsOutput.httpOutput(from:), ListNotebookSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3624,9 +3577,9 @@ extension AthenaClient { /// /// Lists the prepared statements in the specified workgroup. /// - /// - Parameter ListPreparedStatementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPreparedStatementsInput`) /// - /// - Returns: `ListPreparedStatementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPreparedStatementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3659,7 +3612,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPreparedStatementsOutput.httpOutput(from:), ListPreparedStatementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3694,9 +3646,9 @@ extension AthenaClient { /// /// Provides a list of available query execution IDs for the queries in the specified workgroup. Athena keeps a query history for 45 days. If a workgroup is not specified, returns a list of query execution IDs for the primary workgroup. Requires you to have access to the workgroup in which the queries ran. /// - /// - Parameter ListQueryExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueryExecutionsInput`) /// - /// - Returns: `ListQueryExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueryExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3729,7 +3681,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueryExecutionsOutput.httpOutput(from:), ListQueryExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3764,9 +3715,9 @@ extension AthenaClient { /// /// Lists the sessions in a workgroup that are in an active state like CREATING, CREATED, IDLE, or BUSY. Newer sessions are listed first; older sessions are listed later. /// - /// - Parameter ListSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionsInput`) /// - /// - Returns: `ListSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3800,7 +3751,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionsOutput.httpOutput(from:), ListSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3835,9 +3785,9 @@ extension AthenaClient { /// /// Lists the metadata for the tables in the specified data catalog database. /// - /// - Parameter ListTableMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTableMetadataInput`) /// - /// - Returns: `ListTableMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTableMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3871,7 +3821,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTableMetadataOutput.httpOutput(from:), ListTableMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3906,9 +3855,9 @@ extension AthenaClient { /// /// Lists the tags associated with an Athena resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3942,7 +3891,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3977,9 +3925,9 @@ extension AthenaClient { /// /// Lists available workgroups for the account. /// - /// - Parameter ListWorkGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkGroupsInput`) /// - /// - Returns: `ListWorkGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4012,7 +3960,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkGroupsOutput.httpOutput(from:), ListWorkGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4047,9 +3994,9 @@ extension AthenaClient { /// /// Puts a new capacity assignment configuration for a specified capacity reservation. If a capacity assignment configuration already exists for the capacity reservation, replaces the existing capacity assignment configuration. /// - /// - Parameter PutCapacityAssignmentConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutCapacityAssignmentConfigurationInput`) /// - /// - Returns: `PutCapacityAssignmentConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutCapacityAssignmentConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4082,7 +4029,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutCapacityAssignmentConfigurationOutput.httpOutput(from:), PutCapacityAssignmentConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4117,9 +4063,9 @@ extension AthenaClient { /// /// Submits calculations for execution within a session. You can supply the code to run as an inline code block within the request. The request syntax requires the [StartCalculationExecutionRequest$CodeBlock] parameter or the [CalculationConfiguration$CodeBlock] parameter, but not both. Because [CalculationConfiguration$CodeBlock] is deprecated, use the [StartCalculationExecutionRequest$CodeBlock] parameter instead. /// - /// - Parameter StartCalculationExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCalculationExecutionInput`) /// - /// - Returns: `StartCalculationExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCalculationExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4153,7 +4099,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCalculationExecutionOutput.httpOutput(from:), StartCalculationExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4188,9 +4133,9 @@ extension AthenaClient { /// /// Runs the SQL query statements contained in the Query. Requires you to have access to the workgroup in which the query ran. Running queries against an external catalog requires [GetDataCatalog] permission to the catalog. For code samples using the Amazon Web Services SDK for Java, see [Examples and Code Samples](http://docs.aws.amazon.com/athena/latest/ug/code-samples.html) in the Amazon Athena User Guide. /// - /// - Parameter StartQueryExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartQueryExecutionInput`) /// - /// - Returns: `StartQueryExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartQueryExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4225,7 +4170,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartQueryExecutionOutput.httpOutput(from:), StartQueryExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4260,9 +4204,9 @@ extension AthenaClient { /// /// Creates a session for running calculations within a workgroup. The session is ready when it reaches an IDLE state. /// - /// - Parameter StartSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSessionInput`) /// - /// - Returns: `StartSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4298,7 +4242,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSessionOutput.httpOutput(from:), StartSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4333,9 +4276,9 @@ extension AthenaClient { /// /// Requests the cancellation of a calculation. A StopCalculationExecution call on a calculation that is already in a terminal state (for example, STOPPED, FAILED, or COMPLETED) succeeds but has no effect. Cancelling a calculation is done on a best effort basis. If a calculation cannot be cancelled, you can be charged for its completion. If you are concerned about being charged for a calculation that cannot be cancelled, consider terminating the session in which the calculation is running. /// - /// - Parameter StopCalculationExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopCalculationExecutionInput`) /// - /// - Returns: `StopCalculationExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopCalculationExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4369,7 +4312,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopCalculationExecutionOutput.httpOutput(from:), StopCalculationExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4404,9 +4346,9 @@ extension AthenaClient { /// /// Stops a query execution. Requires you to have access to the workgroup in which the query ran. /// - /// - Parameter StopQueryExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopQueryExecutionInput`) /// - /// - Returns: `StopQueryExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopQueryExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4440,7 +4382,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopQueryExecutionOutput.httpOutput(from:), StopQueryExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4475,9 +4416,9 @@ extension AthenaClient { /// /// Adds one or more tags to an Athena resource. A tag is a label that you assign to a resource. Each tag consists of a key and an optional value, both of which you define. For example, you can use tags to categorize Athena workgroups, data catalogs, or capacity reservations by purpose, owner, or environment. Use a consistent set of tag keys to make it easier to search and filter the resources in your account. For best practices, see [Tagging Best Practices](https://docs.aws.amazon.com/whitepapers/latest/tagging-best-practices/tagging-best-practices.html). Tag keys can be from 1 to 128 UTF-8 Unicode characters, and tag values can be from 0 to 256 UTF-8 Unicode characters. Tags can use letters and numbers representable in UTF-8, and the following characters: + - = . _ : / @. Tag keys and values are case-sensitive. Tag keys must be unique per resource. If you specify more than one tag, separate them by commas. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4511,7 +4452,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4546,9 +4486,9 @@ extension AthenaClient { /// /// Terminates an active session. A TerminateSession call on a session that is already inactive (for example, in a FAILED, TERMINATED or TERMINATING state) succeeds but has no effect. Calculations running in the session when TerminateSession is called are forcefully stopped, but may display as FAILED instead of STOPPED. /// - /// - Parameter TerminateSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateSessionInput`) /// - /// - Returns: `TerminateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4582,7 +4522,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateSessionOutput.httpOutput(from:), TerminateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4617,9 +4556,9 @@ extension AthenaClient { /// /// Removes one or more tags from an Athena resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4653,7 +4592,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4688,9 +4626,9 @@ extension AthenaClient { /// /// Updates the number of requested data processing units for the capacity reservation with the specified name. /// - /// - Parameter UpdateCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCapacityReservationInput`) /// - /// - Returns: `UpdateCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCapacityReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4723,7 +4661,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCapacityReservationOutput.httpOutput(from:), UpdateCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4758,9 +4695,9 @@ extension AthenaClient { /// /// Updates the data catalog that has the specified name. /// - /// - Parameter UpdateDataCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataCatalogInput`) /// - /// - Returns: `UpdateDataCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4793,7 +4730,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataCatalogOutput.httpOutput(from:), UpdateDataCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4828,9 +4764,9 @@ extension AthenaClient { /// /// Updates a [NamedQuery] object. The database or workgroup cannot be updated. /// - /// - Parameter UpdateNamedQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNamedQueryInput`) /// - /// - Returns: `UpdateNamedQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNamedQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4863,7 +4799,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNamedQueryOutput.httpOutput(from:), UpdateNamedQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4898,9 +4833,9 @@ extension AthenaClient { /// /// Updates the contents of a Spark notebook. /// - /// - Parameter UpdateNotebookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNotebookInput`) /// - /// - Returns: `UpdateNotebookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNotebookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4934,7 +4869,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNotebookOutput.httpOutput(from:), UpdateNotebookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4969,9 +4903,9 @@ extension AthenaClient { /// /// Updates the metadata for a notebook. /// - /// - Parameter UpdateNotebookMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNotebookMetadataInput`) /// - /// - Returns: `UpdateNotebookMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNotebookMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5005,7 +4939,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNotebookMetadataOutput.httpOutput(from:), UpdateNotebookMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5040,9 +4973,9 @@ extension AthenaClient { /// /// Updates a prepared statement. /// - /// - Parameter UpdatePreparedStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePreparedStatementInput`) /// - /// - Returns: `UpdatePreparedStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePreparedStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5076,7 +5009,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePreparedStatementOutput.httpOutput(from:), UpdatePreparedStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5111,9 +5043,9 @@ extension AthenaClient { /// /// Updates the workgroup with the specified name. The workgroup's name cannot be changed. Only ConfigurationUpdates can be specified. /// - /// - Parameter UpdateWorkGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkGroupInput`) /// - /// - Returns: `UpdateWorkGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5146,7 +5078,6 @@ extension AthenaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkGroupOutput.httpOutput(from:), UpdateWorkGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAuditManager/Sources/AWSAuditManager/AuditManagerClient.swift b/Sources/Services/AWSAuditManager/Sources/AWSAuditManager/AuditManagerClient.swift index 87d8815c943..5380ff381dc 100644 --- a/Sources/Services/AWSAuditManager/Sources/AWSAuditManager/AuditManagerClient.swift +++ b/Sources/Services/AWSAuditManager/Sources/AWSAuditManager/AuditManagerClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AuditManagerClient: ClientRuntime.Client { public static let clientName = "AuditManagerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AuditManagerClient.AuditManagerClientConfiguration let serviceName = "AuditManager" @@ -373,9 +372,9 @@ extension AuditManagerClient { /// /// Associates an evidence folder to an assessment report in an Audit Manager assessment. /// - /// - Parameter AssociateAssessmentReportEvidenceFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAssessmentReportEvidenceFolderInput`) /// - /// - Returns: `AssociateAssessmentReportEvidenceFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAssessmentReportEvidenceFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAssessmentReportEvidenceFolderOutput.httpOutput(from:), AssociateAssessmentReportEvidenceFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension AuditManagerClient { /// /// Associates a list of evidence to an assessment report in an Audit Manager assessment. /// - /// - Parameter BatchAssociateAssessmentReportEvidenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAssociateAssessmentReportEvidenceInput`) /// - /// - Returns: `BatchAssociateAssessmentReportEvidenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateAssessmentReportEvidenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateAssessmentReportEvidenceOutput.httpOutput(from:), BatchAssociateAssessmentReportEvidenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension AuditManagerClient { /// /// Creates a batch of delegations for an assessment in Audit Manager. /// - /// - Parameter BatchCreateDelegationByAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateDelegationByAssessmentInput`) /// - /// - Returns: `BatchCreateDelegationByAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateDelegationByAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateDelegationByAssessmentOutput.httpOutput(from:), BatchCreateDelegationByAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension AuditManagerClient { /// /// Deletes a batch of delegations for an assessment in Audit Manager. /// - /// - Parameter BatchDeleteDelegationByAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteDelegationByAssessmentInput`) /// - /// - Returns: `BatchDeleteDelegationByAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteDelegationByAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteDelegationByAssessmentOutput.httpOutput(from:), BatchDeleteDelegationByAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -657,9 +652,9 @@ extension AuditManagerClient { /// /// Disassociates a list of evidence from an assessment report in Audit Manager. /// - /// - Parameter BatchDisassociateAssessmentReportEvidenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisassociateAssessmentReportEvidenceInput`) /// - /// - Returns: `BatchDisassociateAssessmentReportEvidenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateAssessmentReportEvidenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateAssessmentReportEvidenceOutput.httpOutput(from:), BatchDisassociateAssessmentReportEvidenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,9 +733,9 @@ extension AuditManagerClient { /// /// For more information about Audit Manager service restrictions, see [Quotas and restrictions for Audit Manager](https://docs.aws.amazon.com/audit-manager/latest/userguide/service-quotas.html). /// - /// - Parameter BatchImportEvidenceToAssessmentControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchImportEvidenceToAssessmentControlInput`) /// - /// - Returns: `BatchImportEvidenceToAssessmentControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchImportEvidenceToAssessmentControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -779,7 +773,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchImportEvidenceToAssessmentControlOutput.httpOutput(from:), BatchImportEvidenceToAssessmentControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -811,9 +804,9 @@ extension AuditManagerClient { /// /// Creates an assessment in Audit Manager. /// - /// - Parameter CreateAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssessmentInput`) /// - /// - Returns: `CreateAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssessmentOutput.httpOutput(from:), CreateAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -884,9 +876,9 @@ extension AuditManagerClient { /// /// Creates a custom framework in Audit Manager. /// - /// - Parameter CreateAssessmentFrameworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssessmentFrameworkInput`) /// - /// - Returns: `CreateAssessmentFrameworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssessmentFrameworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -924,7 +916,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssessmentFrameworkOutput.httpOutput(from:), CreateAssessmentFrameworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -956,9 +947,9 @@ extension AuditManagerClient { /// /// Creates an assessment report for the specified assessment. /// - /// - Parameter CreateAssessmentReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssessmentReportInput`) /// - /// - Returns: `CreateAssessmentReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssessmentReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -995,7 +986,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssessmentReportOutput.httpOutput(from:), CreateAssessmentReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1027,9 +1017,9 @@ extension AuditManagerClient { /// /// Creates a new custom control in Audit Manager. /// - /// - Parameter CreateControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateControlInput`) /// - /// - Returns: `CreateControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1067,7 +1057,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateControlOutput.httpOutput(from:), CreateControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1099,9 +1088,9 @@ extension AuditManagerClient { /// /// Deletes an assessment in Audit Manager. /// - /// - Parameter DeleteAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssessmentInput`) /// - /// - Returns: `DeleteAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1135,7 +1124,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssessmentOutput.httpOutput(from:), DeleteAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1167,9 +1155,9 @@ extension AuditManagerClient { /// /// Deletes a custom framework in Audit Manager. /// - /// - Parameter DeleteAssessmentFrameworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssessmentFrameworkInput`) /// - /// - Returns: `DeleteAssessmentFrameworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssessmentFrameworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1203,7 +1191,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssessmentFrameworkOutput.httpOutput(from:), DeleteAssessmentFrameworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1235,9 +1222,9 @@ extension AuditManagerClient { /// /// Deletes a share request for a custom framework in Audit Manager. /// - /// - Parameter DeleteAssessmentFrameworkShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssessmentFrameworkShareInput`) /// - /// - Returns: `DeleteAssessmentFrameworkShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssessmentFrameworkShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1272,7 +1259,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAssessmentFrameworkShareInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssessmentFrameworkShareOutput.httpOutput(from:), DeleteAssessmentFrameworkShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1311,9 +1297,9 @@ extension AuditManagerClient { /// /// If Audit Manager can’t access the assessment report in your S3 bucket, the report isn’t deleted. In this event, the DeleteAssessmentReport operation doesn’t fail. Instead, it proceeds to delete the associated metadata only. You must then delete the assessment report from the S3 bucket yourself. This scenario happens when Audit Manager receives a 403 (Forbidden) or 404 (Not Found) error from Amazon S3. To avoid this, make sure that your S3 bucket is available, and that you configured the correct permissions for Audit Manager to delete resources in your S3 bucket. For an example permissions policy that you can use, see [Assessment report destination permissions](https://docs.aws.amazon.com/audit-manager/latest/userguide/security_iam_id-based-policy-examples.html#full-administrator-access-assessment-report-destination) in the Audit Manager User Guide. For information about the issues that could cause a 403 (Forbidden) or 404 (Not Found) error from Amazon S3, see [List of Error Codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#ErrorCodeList) in the Amazon Simple Storage Service API Reference. /// - /// - Parameter DeleteAssessmentReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssessmentReportInput`) /// - /// - Returns: `DeleteAssessmentReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssessmentReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1347,7 +1333,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssessmentReportOutput.httpOutput(from:), DeleteAssessmentReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1379,9 +1364,9 @@ extension AuditManagerClient { /// /// Deletes a custom control in Audit Manager. When you invoke this operation, the custom control is deleted from any frameworks or assessments that it’s currently part of. As a result, Audit Manager will stop collecting evidence for that custom control in all of your assessments. This includes assessments that you previously created before you deleted the custom control. /// - /// - Parameter DeleteControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteControlInput`) /// - /// - Returns: `DeleteControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1415,7 +1400,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteControlOutput.httpOutput(from:), DeleteControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1447,9 +1431,9 @@ extension AuditManagerClient { /// /// Deregisters an account in Audit Manager. Before you deregister, you can use the [UpdateSettings](https://docs.aws.amazon.com/audit-manager/latest/APIReference/API_UpdateSettings.html) API operation to set your preferred data retention policy. By default, Audit Manager retains your data. If you want to delete your data, you can use the DeregistrationPolicy attribute to request the deletion of your data. For more information about data retention, see [Data Protection](https://docs.aws.amazon.com/audit-manager/latest/userguide/data-protection.html) in the Audit Manager User Guide. /// - /// - Parameter DeregisterAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterAccountInput`) /// - /// - Returns: `DeregisterAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1483,7 +1467,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterAccountOutput.httpOutput(from:), DeregisterAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1528,9 +1511,9 @@ extension AuditManagerClient { /// /// At this time, Audit Manager doesn't provide an option to delete evidence for a specific delegated administrator. Instead, when your management account deregisters Audit Manager, we perform a cleanup for the current delegated administrator account at the time of deregistration. /// - /// - Parameter DeregisterOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterOrganizationAdminAccountInput`) /// - /// - Returns: `DeregisterOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1567,7 +1550,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterOrganizationAdminAccountOutput.httpOutput(from:), DeregisterOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1599,9 +1581,9 @@ extension AuditManagerClient { /// /// Disassociates an evidence folder from the specified assessment report in Audit Manager. /// - /// - Parameter DisassociateAssessmentReportEvidenceFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAssessmentReportEvidenceFolderInput`) /// - /// - Returns: `DisassociateAssessmentReportEvidenceFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAssessmentReportEvidenceFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1638,7 +1620,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAssessmentReportEvidenceFolderOutput.httpOutput(from:), DisassociateAssessmentReportEvidenceFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1670,9 +1651,9 @@ extension AuditManagerClient { /// /// Gets the registration status of an account in Audit Manager. /// - /// - Parameter GetAccountStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountStatusInput`) /// - /// - Returns: `GetAccountStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1703,7 +1684,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountStatusOutput.httpOutput(from:), GetAccountStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1735,9 +1715,9 @@ extension AuditManagerClient { /// /// Gets information about a specified assessment. /// - /// - Parameter GetAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssessmentInput`) /// - /// - Returns: `GetAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1771,7 +1751,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssessmentOutput.httpOutput(from:), GetAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1803,9 +1782,9 @@ extension AuditManagerClient { /// /// Gets information about a specified framework. /// - /// - Parameter GetAssessmentFrameworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssessmentFrameworkInput`) /// - /// - Returns: `GetAssessmentFrameworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssessmentFrameworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1839,7 +1818,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssessmentFrameworkOutput.httpOutput(from:), GetAssessmentFrameworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1871,9 +1849,9 @@ extension AuditManagerClient { /// /// Gets the URL of an assessment report in Audit Manager. /// - /// - Parameter GetAssessmentReportUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssessmentReportUrlInput`) /// - /// - Returns: `GetAssessmentReportUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssessmentReportUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1907,7 +1885,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssessmentReportUrlOutput.httpOutput(from:), GetAssessmentReportUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1939,9 +1916,9 @@ extension AuditManagerClient { /// /// Gets a list of changelogs from Audit Manager. /// - /// - Parameter GetChangeLogsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChangeLogsInput`) /// - /// - Returns: `GetChangeLogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChangeLogsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1976,7 +1953,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetChangeLogsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChangeLogsOutput.httpOutput(from:), GetChangeLogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2008,9 +1984,9 @@ extension AuditManagerClient { /// /// Gets information about a specified control. /// - /// - Parameter GetControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetControlInput`) /// - /// - Returns: `GetControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2044,7 +2020,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetControlOutput.httpOutput(from:), GetControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2076,9 +2051,9 @@ extension AuditManagerClient { /// /// Gets a list of delegations from an audit owner to a delegate. /// - /// - Parameter GetDelegationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDelegationsInput`) /// - /// - Returns: `GetDelegationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDelegationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2112,7 +2087,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDelegationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDelegationsOutput.httpOutput(from:), GetDelegationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2144,9 +2118,9 @@ extension AuditManagerClient { /// /// Gets information about a specified evidence item. /// - /// - Parameter GetEvidenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEvidenceInput`) /// - /// - Returns: `GetEvidenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEvidenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2180,7 +2154,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEvidenceOutput.httpOutput(from:), GetEvidenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2212,9 +2185,9 @@ extension AuditManagerClient { /// /// Gets all evidence from a specified evidence folder in Audit Manager. /// - /// - Parameter GetEvidenceByEvidenceFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEvidenceByEvidenceFolderInput`) /// - /// - Returns: `GetEvidenceByEvidenceFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEvidenceByEvidenceFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2249,7 +2222,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetEvidenceByEvidenceFolderInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEvidenceByEvidenceFolderOutput.httpOutput(from:), GetEvidenceByEvidenceFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2290,9 +2262,9 @@ extension AuditManagerClient { /// /// For more information about Audit Manager service restrictions, see [Quotas and restrictions for Audit Manager](https://docs.aws.amazon.com/audit-manager/latest/userguide/service-quotas.html). /// - /// - Parameter GetEvidenceFileUploadUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEvidenceFileUploadUrlInput`) /// - /// - Returns: `GetEvidenceFileUploadUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEvidenceFileUploadUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2327,7 +2299,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetEvidenceFileUploadUrlInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEvidenceFileUploadUrlOutput.httpOutput(from:), GetEvidenceFileUploadUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2359,9 +2330,9 @@ extension AuditManagerClient { /// /// Gets an evidence folder from a specified assessment in Audit Manager. /// - /// - Parameter GetEvidenceFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEvidenceFolderInput`) /// - /// - Returns: `GetEvidenceFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEvidenceFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2395,7 +2366,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEvidenceFolderOutput.httpOutput(from:), GetEvidenceFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2427,9 +2397,9 @@ extension AuditManagerClient { /// /// Gets the evidence folders from a specified assessment in Audit Manager. /// - /// - Parameter GetEvidenceFoldersByAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEvidenceFoldersByAssessmentInput`) /// - /// - Returns: `GetEvidenceFoldersByAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEvidenceFoldersByAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2464,7 +2434,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetEvidenceFoldersByAssessmentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEvidenceFoldersByAssessmentOutput.httpOutput(from:), GetEvidenceFoldersByAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2496,9 +2465,9 @@ extension AuditManagerClient { /// /// Gets a list of evidence folders that are associated with a specified control in an Audit Manager assessment. /// - /// - Parameter GetEvidenceFoldersByAssessmentControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEvidenceFoldersByAssessmentControlInput`) /// - /// - Returns: `GetEvidenceFoldersByAssessmentControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEvidenceFoldersByAssessmentControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2533,7 +2502,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetEvidenceFoldersByAssessmentControlInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEvidenceFoldersByAssessmentControlOutput.httpOutput(from:), GetEvidenceFoldersByAssessmentControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2565,9 +2533,9 @@ extension AuditManagerClient { /// /// Gets the latest analytics data for all your current active assessments. /// - /// - Parameter GetInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInsightsInput`) /// - /// - Returns: `GetInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2599,7 +2567,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInsightsOutput.httpOutput(from:), GetInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2631,9 +2598,9 @@ extension AuditManagerClient { /// /// Gets the latest analytics data for a specific active assessment. /// - /// - Parameter GetInsightsByAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInsightsByAssessmentInput`) /// - /// - Returns: `GetInsightsByAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInsightsByAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2667,7 +2634,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInsightsByAssessmentOutput.httpOutput(from:), GetInsightsByAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2699,9 +2665,9 @@ extension AuditManagerClient { /// /// Gets the name of the delegated Amazon Web Services administrator account for a specified organization. /// - /// - Parameter GetOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOrganizationAdminAccountInput`) /// - /// - Returns: `GetOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2735,7 +2701,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOrganizationAdminAccountOutput.httpOutput(from:), GetOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2767,9 +2732,9 @@ extension AuditManagerClient { /// /// Gets a list of the Amazon Web Services services from which Audit Manager can collect evidence. Audit Manager defines which Amazon Web Services services are in scope for an assessment. Audit Manager infers this scope by examining the assessment’s controls and their data sources, and then mapping this information to one or more of the corresponding Amazon Web Services services that are in this list. For information about why it's no longer possible to specify services in scope manually, see [I can't edit the services in scope for my assessment](https://docs.aws.amazon.com/audit-manager/latest/userguide/evidence-collection-issues.html#unable-to-edit-services) in the Troubleshooting section of the Audit Manager user guide. /// - /// - Parameter GetServicesInScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServicesInScopeInput`) /// - /// - Returns: `GetServicesInScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServicesInScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2802,7 +2767,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServicesInScopeOutput.httpOutput(from:), GetServicesInScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2834,9 +2798,9 @@ extension AuditManagerClient { /// /// Gets the settings for a specified Amazon Web Services account. /// - /// - Parameter GetSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSettingsInput`) /// - /// - Returns: `GetSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2868,7 +2832,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSettingsOutput.httpOutput(from:), GetSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2900,9 +2863,9 @@ extension AuditManagerClient { /// /// Lists the latest analytics data for controls within a specific control domain and a specific active assessment. Control insights are listed only if the control belongs to the control domain and assessment that was specified. Moreover, the control must have collected evidence on the lastUpdated date of controlInsightsByAssessment. If neither of these conditions are met, no data is listed for that control. /// - /// - Parameter ListAssessmentControlInsightsByControlDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssessmentControlInsightsByControlDomainInput`) /// - /// - Returns: `ListAssessmentControlInsightsByControlDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssessmentControlInsightsByControlDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2937,7 +2900,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssessmentControlInsightsByControlDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssessmentControlInsightsByControlDomainOutput.httpOutput(from:), ListAssessmentControlInsightsByControlDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2969,9 +2931,9 @@ extension AuditManagerClient { /// /// Returns a list of sent or received share requests for custom frameworks in Audit Manager. /// - /// - Parameter ListAssessmentFrameworkShareRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssessmentFrameworkShareRequestsInput`) /// - /// - Returns: `ListAssessmentFrameworkShareRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssessmentFrameworkShareRequestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3005,7 +2967,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssessmentFrameworkShareRequestsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssessmentFrameworkShareRequestsOutput.httpOutput(from:), ListAssessmentFrameworkShareRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3037,9 +2998,9 @@ extension AuditManagerClient { /// /// Returns a list of the frameworks that are available in the Audit Manager framework library. /// - /// - Parameter ListAssessmentFrameworksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssessmentFrameworksInput`) /// - /// - Returns: `ListAssessmentFrameworksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssessmentFrameworksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3073,7 +3034,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssessmentFrameworksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssessmentFrameworksOutput.httpOutput(from:), ListAssessmentFrameworksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3105,9 +3065,9 @@ extension AuditManagerClient { /// /// Returns a list of assessment reports created in Audit Manager. /// - /// - Parameter ListAssessmentReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssessmentReportsInput`) /// - /// - Returns: `ListAssessmentReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssessmentReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3141,7 +3101,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssessmentReportsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssessmentReportsOutput.httpOutput(from:), ListAssessmentReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3173,9 +3132,9 @@ extension AuditManagerClient { /// /// Returns a list of current and past assessments from Audit Manager. /// - /// - Parameter ListAssessmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssessmentsInput`) /// - /// - Returns: `ListAssessmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssessmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3209,7 +3168,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssessmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssessmentsOutput.httpOutput(from:), ListAssessmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3241,9 +3199,9 @@ extension AuditManagerClient { /// /// Lists the latest analytics data for control domains across all of your active assessments. Audit Manager supports the control domains that are provided by Amazon Web Services Control Catalog. For information about how to find a list of available control domains, see [ListDomains](https://docs.aws.amazon.com/controlcatalog/latest/APIReference/API_ListDomains.html) in the Amazon Web Services Control Catalog API Reference. A control domain is listed only if at least one of the controls within that domain collected evidence on the lastUpdated date of controlDomainInsights. If this condition isn’t met, no data is listed for that control domain. /// - /// - Parameter ListControlDomainInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListControlDomainInsightsInput`) /// - /// - Returns: `ListControlDomainInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListControlDomainInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3278,7 +3236,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListControlDomainInsightsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListControlDomainInsightsOutput.httpOutput(from:), ListControlDomainInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3310,9 +3267,9 @@ extension AuditManagerClient { /// /// Lists analytics data for control domains within a specified active assessment. Audit Manager supports the control domains that are provided by Amazon Web Services Control Catalog. For information about how to find a list of available control domains, see [ListDomains](https://docs.aws.amazon.com/controlcatalog/latest/APIReference/API_ListDomains.html) in the Amazon Web Services Control Catalog API Reference. A control domain is listed only if at least one of the controls within that domain collected evidence on the lastUpdated date of controlDomainInsights. If this condition isn’t met, no data is listed for that domain. /// - /// - Parameter ListControlDomainInsightsByAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListControlDomainInsightsByAssessmentInput`) /// - /// - Returns: `ListControlDomainInsightsByAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListControlDomainInsightsByAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3347,7 +3304,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListControlDomainInsightsByAssessmentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListControlDomainInsightsByAssessmentOutput.httpOutput(from:), ListControlDomainInsightsByAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3379,9 +3335,9 @@ extension AuditManagerClient { /// /// Lists the latest analytics data for controls within a specific control domain across all active assessments. Control insights are listed only if the control belongs to the control domain that was specified and the control collected evidence on the lastUpdated date of controlInsightsMetadata. If neither of these conditions are met, no data is listed for that control. /// - /// - Parameter ListControlInsightsByControlDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListControlInsightsByControlDomainInput`) /// - /// - Returns: `ListControlInsightsByControlDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListControlInsightsByControlDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3416,7 +3372,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListControlInsightsByControlDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListControlInsightsByControlDomainOutput.httpOutput(from:), ListControlInsightsByControlDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3448,9 +3403,9 @@ extension AuditManagerClient { /// /// Returns a list of controls from Audit Manager. /// - /// - Parameter ListControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListControlsInput`) /// - /// - Returns: `ListControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListControlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3484,7 +3439,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListControlsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListControlsOutput.httpOutput(from:), ListControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3516,9 +3470,9 @@ extension AuditManagerClient { /// /// Returns a list of keywords that are pre-mapped to the specified control data source. /// - /// - Parameter ListKeywordsForDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeywordsForDataSourceInput`) /// - /// - Returns: `ListKeywordsForDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeywordsForDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3552,7 +3506,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKeywordsForDataSourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeywordsForDataSourceOutput.httpOutput(from:), ListKeywordsForDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3584,9 +3537,9 @@ extension AuditManagerClient { /// /// Returns a list of all Audit Manager notifications. /// - /// - Parameter ListNotificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotificationsInput`) /// - /// - Returns: `ListNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3620,7 +3573,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNotificationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotificationsOutput.httpOutput(from:), ListNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3652,9 +3604,9 @@ extension AuditManagerClient { /// /// Returns a list of tags for the specified resource in Audit Manager. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3687,7 +3639,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3719,9 +3670,9 @@ extension AuditManagerClient { /// /// Enables Audit Manager for the specified Amazon Web Services account. /// - /// - Parameter RegisterAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterAccountInput`) /// - /// - Returns: `RegisterAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3759,7 +3710,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterAccountOutput.httpOutput(from:), RegisterAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3791,9 +3741,9 @@ extension AuditManagerClient { /// /// Enables an Amazon Web Services account within the organization as the delegated administrator for Audit Manager. /// - /// - Parameter RegisterOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterOrganizationAdminAccountInput`) /// - /// - Returns: `RegisterOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3831,7 +3781,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterOrganizationAdminAccountOutput.httpOutput(from:), RegisterOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3874,9 +3823,9 @@ extension AuditManagerClient { /// /// When a sender [resends a share request](https://docs.aws.amazon.com/audit-manager/latest/userguide/framework-sharing.html#framework-sharing-resend), the snapshot is replaced with an updated version that corresponds with the latest version of the custom framework. When a recipient accepts a share request, the snapshot is replicated into their Amazon Web Services account under the Amazon Web Services Region that was specified in the share request. When you invoke the StartAssessmentFrameworkShare API, you are about to share a custom framework with another Amazon Web Services account. You may not share a custom framework that is derived from a standard framework if the standard framework is designated as not eligible for sharing by Amazon Web Services, unless you have obtained permission to do so from the owner of the standard framework. To learn more about which standard frameworks are eligible for sharing, see [Framework sharing eligibility](https://docs.aws.amazon.com/audit-manager/latest/userguide/share-custom-framework-concepts-and-terminology.html#eligibility) in the Audit Manager User Guide. /// - /// - Parameter StartAssessmentFrameworkShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAssessmentFrameworkShareInput`) /// - /// - Returns: `StartAssessmentFrameworkShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAssessmentFrameworkShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3913,7 +3862,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAssessmentFrameworkShareOutput.httpOutput(from:), StartAssessmentFrameworkShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3945,9 +3893,9 @@ extension AuditManagerClient { /// /// Tags the specified resource in Audit Manager. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3983,7 +3931,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4015,9 +3962,9 @@ extension AuditManagerClient { /// /// Removes a tag from a resource in Audit Manager. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4051,7 +3998,6 @@ extension AuditManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4083,9 +4029,9 @@ extension AuditManagerClient { /// /// Edits an Audit Manager assessment. /// - /// - Parameter UpdateAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssessmentInput`) /// - /// - Returns: `UpdateAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4124,7 +4070,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssessmentOutput.httpOutput(from:), UpdateAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4156,9 +4101,9 @@ extension AuditManagerClient { /// /// Updates a control within an assessment in Audit Manager. /// - /// - Parameter UpdateAssessmentControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssessmentControlInput`) /// - /// - Returns: `UpdateAssessmentControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssessmentControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4195,7 +4140,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssessmentControlOutput.httpOutput(from:), UpdateAssessmentControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4227,9 +4171,9 @@ extension AuditManagerClient { /// /// Updates the status of a control set in an Audit Manager assessment. /// - /// - Parameter UpdateAssessmentControlSetStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssessmentControlSetStatusInput`) /// - /// - Returns: `UpdateAssessmentControlSetStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssessmentControlSetStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4266,7 +4210,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssessmentControlSetStatusOutput.httpOutput(from:), UpdateAssessmentControlSetStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4298,9 +4241,9 @@ extension AuditManagerClient { /// /// Updates a custom framework in Audit Manager. /// - /// - Parameter UpdateAssessmentFrameworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssessmentFrameworkInput`) /// - /// - Returns: `UpdateAssessmentFrameworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssessmentFrameworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4338,7 +4281,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssessmentFrameworkOutput.httpOutput(from:), UpdateAssessmentFrameworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4370,9 +4312,9 @@ extension AuditManagerClient { /// /// Updates a share request for a custom framework in Audit Manager. /// - /// - Parameter UpdateAssessmentFrameworkShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssessmentFrameworkShareInput`) /// - /// - Returns: `UpdateAssessmentFrameworkShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssessmentFrameworkShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4410,7 +4352,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssessmentFrameworkShareOutput.httpOutput(from:), UpdateAssessmentFrameworkShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4442,9 +4383,9 @@ extension AuditManagerClient { /// /// Updates the status of an assessment in Audit Manager. /// - /// - Parameter UpdateAssessmentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssessmentStatusInput`) /// - /// - Returns: `UpdateAssessmentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssessmentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4482,7 +4423,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssessmentStatusOutput.httpOutput(from:), UpdateAssessmentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4514,9 +4454,9 @@ extension AuditManagerClient { /// /// Updates a custom control in Audit Manager. /// - /// - Parameter UpdateControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateControlInput`) /// - /// - Returns: `UpdateControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4553,7 +4493,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateControlOutput.httpOutput(from:), UpdateControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4585,9 +4524,9 @@ extension AuditManagerClient { /// /// Updates Audit Manager settings for the current account. /// - /// - Parameter UpdateSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSettingsInput`) /// - /// - Returns: `UpdateSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4623,7 +4562,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSettingsOutput.httpOutput(from:), UpdateSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4655,9 +4593,9 @@ extension AuditManagerClient { /// /// Validates the integrity of an assessment report in Audit Manager. /// - /// - Parameter ValidateAssessmentReportIntegrityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidateAssessmentReportIntegrityInput`) /// - /// - Returns: `ValidateAssessmentReportIntegrityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidateAssessmentReportIntegrityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4694,7 +4632,6 @@ extension AuditManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateAssessmentReportIntegrityOutput.httpOutput(from:), ValidateAssessmentReportIntegrityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAutoScaling/Sources/AWSAutoScaling/AutoScalingClient.swift b/Sources/Services/AWSAutoScaling/Sources/AWSAutoScaling/AutoScalingClient.swift index d5549a28719..3738678743a 100644 --- a/Sources/Services/AWSAutoScaling/Sources/AWSAutoScaling/AutoScalingClient.swift +++ b/Sources/Services/AWSAutoScaling/Sources/AWSAutoScaling/AutoScalingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AutoScalingClient: ClientRuntime.Client { public static let clientName = "AutoScalingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AutoScalingClient.AutoScalingClientConfiguration let serviceName = "Auto Scaling" @@ -373,9 +372,9 @@ extension AutoScalingClient { /// /// Attaches one or more EC2 instances to the specified Auto Scaling group. When you attach instances, Amazon EC2 Auto Scaling increases the desired capacity of the group by the number of instances being attached. If the number of instances being attached plus the desired capacity of the group exceeds the maximum size of the group, the operation fails. If there is a Classic Load Balancer attached to your Auto Scaling group, the instances are also registered with the load balancer. If there are target groups attached to your Auto Scaling group, the instances are also registered with the target groups. For more information, see [Detach or attach instances](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-detach-attach-instances.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter AttachInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachInstancesInput`) /// - /// - Returns: `AttachInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -408,7 +407,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachInstancesOutput.httpOutput(from:), AttachInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension AutoScalingClient { /// /// To describe the target groups for an Auto Scaling group, call the [DescribeLoadBalancerTargetGroups](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeLoadBalancerTargetGroups.html) API. To detach the target group from the Auto Scaling group, call the [DetachLoadBalancerTargetGroups](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DetachLoadBalancerTargetGroups.html) API. This operation is additive and does not detach existing target groups or Classic Load Balancers from the Auto Scaling group. For more information, see [Use Elastic Load Balancing to distribute traffic across the instances in your Auto Scaling group](https://docs.aws.amazon.com/autoscaling/ec2/userguide/autoscaling-load-balancer.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter AttachLoadBalancerTargetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachLoadBalancerTargetGroupsInput`) /// - /// - Returns: `AttachLoadBalancerTargetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachLoadBalancerTargetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachLoadBalancerTargetGroupsOutput.httpOutput(from:), AttachLoadBalancerTargetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension AutoScalingClient { /// /// This API operation is superseded by [https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_AttachTrafficSources.html](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_AttachTrafficSources.html), which can attach multiple traffic sources types. We recommend using AttachTrafficSources to simplify how you manage traffic sources. However, we continue to support AttachLoadBalancers. You can use both the original AttachLoadBalancers API operation and AttachTrafficSources on the same Auto Scaling group. Attaches one or more Classic Load Balancers to the specified Auto Scaling group. Amazon EC2 Auto Scaling registers the running instances with these Classic Load Balancers. To describe the load balancers for an Auto Scaling group, call the [DescribeLoadBalancers](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeLoadBalancers.html) API. To detach a load balancer from the Auto Scaling group, call the [DetachLoadBalancers](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DetachLoadBalancers.html) API. This operation is additive and does not detach existing Classic Load Balancers or target groups from the Auto Scaling group. For more information, see [Use Elastic Load Balancing to distribute traffic across the instances in your Auto Scaling group](https://docs.aws.amazon.com/autoscaling/ec2/userguide/autoscaling-load-balancer.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter AttachLoadBalancersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachLoadBalancersInput`) /// - /// - Returns: `AttachLoadBalancersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachLoadBalancersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachLoadBalancersOutput.httpOutput(from:), AttachLoadBalancersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -602,9 +598,9 @@ extension AutoScalingClient { /// /// This operation is additive and does not detach existing traffic sources from the Auto Scaling group. After the operation completes, use the [DescribeTrafficSources](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeTrafficSources.html) API to return details about the state of the attachments between traffic sources and your Auto Scaling group. To detach a traffic source from the Auto Scaling group, call the [DetachTrafficSources](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DetachTrafficSources.html) API. /// - /// - Parameter AttachTrafficSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachTrafficSourcesInput`) /// - /// - Returns: `AttachTrafficSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachTrafficSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachTrafficSourcesOutput.httpOutput(from:), AttachTrafficSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -671,9 +666,9 @@ extension AutoScalingClient { /// /// Deletes one or more scheduled actions for the specified Auto Scaling group. /// - /// - Parameter BatchDeleteScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteScheduledActionInput`) /// - /// - Returns: `BatchDeleteScheduledActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteScheduledActionOutput.httpOutput(from:), BatchDeleteScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,9 +733,9 @@ extension AutoScalingClient { /// /// Creates or updates one or more scheduled scaling actions for an Auto Scaling group. /// - /// - Parameter BatchPutScheduledUpdateGroupActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutScheduledUpdateGroupActionInput`) /// - /// - Returns: `BatchPutScheduledUpdateGroupActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutScheduledUpdateGroupActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -775,7 +769,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutScheduledUpdateGroupActionOutput.httpOutput(from:), BatchPutScheduledUpdateGroupActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension AutoScalingClient { /// /// Cancels an instance refresh or rollback that is in progress. If an instance refresh or rollback is not in progress, an ActiveInstanceRefreshNotFound error occurs. This operation is part of the [instance refresh feature](https://docs.aws.amazon.com/autoscaling/ec2/userguide/asg-instance-refresh.html) in Amazon EC2 Auto Scaling, which helps you update instances in your Auto Scaling group after you make configuration changes. When you cancel an instance refresh, this does not roll back any changes that it made. Use the [RollbackInstanceRefresh](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_RollbackInstanceRefresh.html) API to roll back instead. /// - /// - Parameter CancelInstanceRefreshInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelInstanceRefreshInput`) /// - /// - Returns: `CancelInstanceRefreshOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelInstanceRefreshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -845,7 +838,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelInstanceRefreshOutput.httpOutput(from:), CancelInstanceRefreshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -894,9 +886,9 @@ extension AutoScalingClient { /// /// For more information, see [Complete a lifecycle action](https://docs.aws.amazon.com/autoscaling/ec2/userguide/completing-lifecycle-hooks.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter CompleteLifecycleActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CompleteLifecycleActionInput`) /// - /// - Returns: `CompleteLifecycleActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompleteLifecycleActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -928,7 +920,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteLifecycleActionOutput.httpOutput(from:), CompleteLifecycleActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -962,9 +953,9 @@ extension AutoScalingClient { /// /// We strongly recommend using a launch template when calling this operation to ensure full functionality for Amazon EC2 Auto Scaling and Amazon EC2. Creates an Auto Scaling group with the specified name and attributes. If you exceed your maximum limit of Auto Scaling groups, the call fails. To query this limit, call the [DescribeAccountLimits](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeAccountLimits.html) API. For information about updating this limit, see [Quotas for Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-quotas.html) in the Amazon EC2 Auto Scaling User Guide. If you're new to Amazon EC2 Auto Scaling, see the introductory tutorials in [Get started with Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/get-started-with-ec2-auto-scaling.html) in the Amazon EC2 Auto Scaling User Guide. Every Auto Scaling group has three size properties (DesiredCapacity, MaxSize, and MinSize). Usually, you set these sizes based on a specific number of instances. However, if you configure a mixed instances policy that defines weights for the instance types, you must specify these sizes with the same units that you use for weighting instances. /// - /// - Parameter CreateAutoScalingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAutoScalingGroupInput`) /// - /// - Returns: `CreateAutoScalingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAutoScalingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -999,7 +990,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAutoScalingGroupOutput.httpOutput(from:), CreateAutoScalingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1033,9 +1023,9 @@ extension AutoScalingClient { /// /// Creates a launch configuration. If you exceed your maximum limit of launch configurations, the call fails. To query this limit, call the [DescribeAccountLimits](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeAccountLimits.html) API. For information about updating this limit, see [Quotas for Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-quotas.html) in the Amazon EC2 Auto Scaling User Guide. For more information, see [Launch configurations](https://docs.aws.amazon.com/autoscaling/ec2/userguide/launch-configurations.html) in the Amazon EC2 Auto Scaling User Guide. Amazon EC2 Auto Scaling configures instances launched as part of an Auto Scaling group using either a launch template or a launch configuration. We strongly recommend that you do not use launch configurations. They do not provide full functionality for Amazon EC2 Auto Scaling or Amazon EC2. For information about using launch templates, see [Launch templates](https://docs.aws.amazon.com/autoscaling/ec2/userguide/launch-templates.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter CreateLaunchConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLaunchConfigurationInput`) /// - /// - Returns: `CreateLaunchConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLaunchConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1069,7 +1059,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLaunchConfigurationOutput.httpOutput(from:), CreateLaunchConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1103,9 +1092,9 @@ extension AutoScalingClient { /// /// Creates or updates tags for the specified Auto Scaling group. When you specify a tag with a key that already exists, the operation overwrites the previous tag definition, and you do not get an error message. For more information, see [Tag Auto Scaling groups and instances](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-tagging.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter CreateOrUpdateTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOrUpdateTagsInput`) /// - /// - Returns: `CreateOrUpdateTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOrUpdateTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1140,7 +1129,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOrUpdateTagsOutput.httpOutput(from:), CreateOrUpdateTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1174,9 +1162,9 @@ extension AutoScalingClient { /// /// Deletes the specified Auto Scaling group. If the group has instances or scaling activities in progress, you must specify the option to force the deletion in order for it to succeed. The force delete operation will also terminate the EC2 instances. If the group has a warm pool, the force delete option also deletes the warm pool. To remove instances from the Auto Scaling group before deleting it, call the [DetachInstances](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DetachInstances.html) API with the list of instances and the option to decrement the desired capacity. This ensures that Amazon EC2 Auto Scaling does not launch replacement instances. To terminate all instances before deleting the Auto Scaling group, call the [UpdateAutoScalingGroup](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_UpdateAutoScalingGroup.html) API and set the minimum size and desired capacity of the Auto Scaling group to zero. If the group has scaling policies, deleting the group deletes the policies, the underlying alarm actions, and any alarm that no longer has an associated action. For more information, see [Delete your Auto Scaling infrastructure](https://docs.aws.amazon.com/autoscaling/ec2/userguide/as-process-shutdown.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter DeleteAutoScalingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAutoScalingGroupInput`) /// - /// - Returns: `DeleteAutoScalingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAutoScalingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1210,7 +1198,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAutoScalingGroupOutput.httpOutput(from:), DeleteAutoScalingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1244,9 +1231,9 @@ extension AutoScalingClient { /// /// Deletes the specified launch configuration. The launch configuration must not be attached to an Auto Scaling group. When this call completes, the launch configuration is no longer available for use. /// - /// - Parameter DeleteLaunchConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLaunchConfigurationInput`) /// - /// - Returns: `DeleteLaunchConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLaunchConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1279,7 +1266,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLaunchConfigurationOutput.httpOutput(from:), DeleteLaunchConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1313,9 +1299,9 @@ extension AutoScalingClient { /// /// Deletes the specified lifecycle hook. If there are any outstanding lifecycle actions, they are completed first (ABANDON for launching instances, CONTINUE for terminating instances). /// - /// - Parameter DeleteLifecycleHookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLifecycleHookInput`) /// - /// - Returns: `DeleteLifecycleHookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLifecycleHookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1347,7 +1333,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLifecycleHookOutput.httpOutput(from:), DeleteLifecycleHookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1381,9 +1366,9 @@ extension AutoScalingClient { /// /// Deletes the specified notification. /// - /// - Parameter DeleteNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNotificationConfigurationInput`) /// - /// - Returns: `DeleteNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1415,7 +1400,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNotificationConfigurationOutput.httpOutput(from:), DeleteNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1449,9 +1433,9 @@ extension AutoScalingClient { /// /// Deletes the specified scaling policy. Deleting either a step scaling policy or a simple scaling policy deletes the underlying alarm action, but does not delete the alarm, even if it no longer has an associated action. For more information, see [Delete a scaling policy](https://docs.aws.amazon.com/autoscaling/ec2/userguide/deleting-scaling-policy.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter DeletePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyInput`) /// - /// - Returns: `DeletePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1484,7 +1468,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyOutput.httpOutput(from:), DeletePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1518,9 +1501,9 @@ extension AutoScalingClient { /// /// Deletes the specified scheduled action. /// - /// - Parameter DeleteScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScheduledActionInput`) /// - /// - Returns: `DeleteScheduledActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1552,7 +1535,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScheduledActionOutput.httpOutput(from:), DeleteScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1586,9 +1568,9 @@ extension AutoScalingClient { /// /// Deletes the specified tags. /// - /// - Parameter DeleteTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTagsInput`) /// - /// - Returns: `DeleteTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1621,7 +1603,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsOutput.httpOutput(from:), DeleteTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1655,9 +1636,9 @@ extension AutoScalingClient { /// /// Deletes the warm pool for the specified Auto Scaling group. For more information, see [Warm pools for Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-warm-pools.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter DeleteWarmPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWarmPoolInput`) /// - /// - Returns: `DeleteWarmPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWarmPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1692,7 +1673,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWarmPoolOutput.httpOutput(from:), DeleteWarmPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1726,9 +1706,9 @@ extension AutoScalingClient { /// /// Describes the current Amazon EC2 Auto Scaling resource quotas for your account. When you establish an Amazon Web Services account, the account has initial quotas on the maximum number of Auto Scaling groups and launch configurations that you can create in a given Region. For more information, see [Quotas for Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-quotas.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter DescribeAccountLimitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountLimitsInput`) /// - /// - Returns: `DescribeAccountLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1760,7 +1740,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountLimitsOutput.httpOutput(from:), DescribeAccountLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1800,9 +1779,9 @@ extension AutoScalingClient { /// /// * PercentChangeInCapacity /// - /// - Parameter DescribeAdjustmentTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAdjustmentTypesInput`) /// - /// - Returns: `DescribeAdjustmentTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAdjustmentTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1834,7 +1813,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAdjustmentTypesOutput.httpOutput(from:), DescribeAdjustmentTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1868,9 +1846,9 @@ extension AutoScalingClient { /// /// Gets information about the Auto Scaling groups in the account and Region. If you specify Auto Scaling group names, the output includes information for only the specified Auto Scaling groups. If you specify filters, the output includes information for only those Auto Scaling groups that meet the filter criteria. If you do not specify group names or filters, the output includes information for all Auto Scaling groups. This operation also returns information about instances in Auto Scaling groups. To retrieve information about the instances in a warm pool, you must call the [DescribeWarmPool](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeWarmPool.html) API. /// - /// - Parameter DescribeAutoScalingGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAutoScalingGroupsInput`) /// - /// - Returns: `DescribeAutoScalingGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAutoScalingGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1903,7 +1881,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAutoScalingGroupsOutput.httpOutput(from:), DescribeAutoScalingGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1937,9 +1914,9 @@ extension AutoScalingClient { /// /// Gets information about the Auto Scaling instances in the account and Region. /// - /// - Parameter DescribeAutoScalingInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAutoScalingInstancesInput`) /// - /// - Returns: `DescribeAutoScalingInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAutoScalingInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1972,7 +1949,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAutoScalingInstancesOutput.httpOutput(from:), DescribeAutoScalingInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2006,9 +1982,9 @@ extension AutoScalingClient { /// /// Describes the notification types that are supported by Amazon EC2 Auto Scaling. /// - /// - Parameter DescribeAutoScalingNotificationTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAutoScalingNotificationTypesInput`) /// - /// - Returns: `DescribeAutoScalingNotificationTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAutoScalingNotificationTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2040,7 +2016,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAutoScalingNotificationTypesOutput.httpOutput(from:), DescribeAutoScalingNotificationTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2074,9 +2049,9 @@ extension AutoScalingClient { /// /// Gets information about the instance refreshes for the specified Auto Scaling group from the previous six weeks. This operation is part of the [instance refresh feature](https://docs.aws.amazon.com/autoscaling/ec2/userguide/asg-instance-refresh.html) in Amazon EC2 Auto Scaling, which helps you update instances in your Auto Scaling group after you make configuration changes. To help you determine the status of an instance refresh, Amazon EC2 Auto Scaling returns information about the instance refreshes you previously initiated, including their status, start time, end time, the percentage of the instance refresh that is complete, and the number of instances remaining to update before the instance refresh is complete. If a rollback is initiated while an instance refresh is in progress, Amazon EC2 Auto Scaling also returns information about the rollback of the instance refresh. /// - /// - Parameter DescribeInstanceRefreshesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceRefreshesInput`) /// - /// - Returns: `DescribeInstanceRefreshesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceRefreshesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2109,7 +2084,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceRefreshesOutput.httpOutput(from:), DescribeInstanceRefreshesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2143,9 +2117,9 @@ extension AutoScalingClient { /// /// Gets information about the launch configurations in the account and Region. /// - /// - Parameter DescribeLaunchConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLaunchConfigurationsInput`) /// - /// - Returns: `DescribeLaunchConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLaunchConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2178,7 +2152,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLaunchConfigurationsOutput.httpOutput(from:), DescribeLaunchConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2216,9 +2189,9 @@ extension AutoScalingClient { /// /// * autoscaling:EC2_INSTANCE_TERMINATING /// - /// - Parameter DescribeLifecycleHookTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLifecycleHookTypesInput`) /// - /// - Returns: `DescribeLifecycleHookTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLifecycleHookTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2250,7 +2223,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLifecycleHookTypesOutput.httpOutput(from:), DescribeLifecycleHookTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2284,9 +2256,9 @@ extension AutoScalingClient { /// /// Gets information about the lifecycle hooks for the specified Auto Scaling group. /// - /// - Parameter DescribeLifecycleHooksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLifecycleHooksInput`) /// - /// - Returns: `DescribeLifecycleHooksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLifecycleHooksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2318,7 +2290,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLifecycleHooksOutput.httpOutput(from:), DescribeLifecycleHooksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2352,9 +2323,9 @@ extension AutoScalingClient { /// /// This API operation is superseded by [DescribeTrafficSources](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeTrafficSources.html), which can describe multiple traffic sources types. We recommend using DetachTrafficSources to simplify how you manage traffic sources. However, we continue to support DescribeLoadBalancerTargetGroups. You can use both the original DescribeLoadBalancerTargetGroups API operation and DescribeTrafficSources on the same Auto Scaling group. Gets information about the Elastic Load Balancing target groups for the specified Auto Scaling group. To determine the attachment status of the target group, use the State element in the response. When you attach a target group to an Auto Scaling group, the initial State value is Adding. The state transitions to Added after all Auto Scaling instances are registered with the target group. If Elastic Load Balancing health checks are enabled for the Auto Scaling group, the state transitions to InService after at least one Auto Scaling instance passes the health check. When the target group is in the InService state, Amazon EC2 Auto Scaling can terminate and replace any instances that are reported as unhealthy. If no registered instances pass the health checks, the target group doesn't enter the InService state. Target groups also have an InService state if you attach them in the [CreateAutoScalingGroup](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_CreateAutoScalingGroup.html) API call. If your target group state is InService, but it is not working properly, check the scaling activities by calling [DescribeScalingActivities](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeScalingActivities.html) and take any corrective actions necessary. For help with failed health checks, see [Troubleshooting Amazon EC2 Auto Scaling: Health checks](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ts-as-healthchecks.html) in the Amazon EC2 Auto Scaling User Guide. For more information, see [Use Elastic Load Balancing to distribute traffic across the instances in your Auto Scaling group](https://docs.aws.amazon.com/autoscaling/ec2/userguide/autoscaling-load-balancer.html) in the Amazon EC2 Auto Scaling User Guide. You can use this operation to describe target groups that were attached by using [AttachLoadBalancerTargetGroups](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_AttachLoadBalancerTargetGroups.html), but not for target groups that were attached by using [AttachTrafficSources](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_AttachTrafficSources.html). /// - /// - Parameter DescribeLoadBalancerTargetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLoadBalancerTargetGroupsInput`) /// - /// - Returns: `DescribeLoadBalancerTargetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLoadBalancerTargetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2387,7 +2358,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoadBalancerTargetGroupsOutput.httpOutput(from:), DescribeLoadBalancerTargetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2421,9 +2391,9 @@ extension AutoScalingClient { /// /// This API operation is superseded by [DescribeTrafficSources](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeTrafficSources.html), which can describe multiple traffic sources types. We recommend using DescribeTrafficSources to simplify how you manage traffic sources. However, we continue to support DescribeLoadBalancers. You can use both the original DescribeLoadBalancers API operation and DescribeTrafficSources on the same Auto Scaling group. Gets information about the load balancers for the specified Auto Scaling group. This operation describes only Classic Load Balancers. If you have Application Load Balancers, Network Load Balancers, or Gateway Load Balancers, use the [DescribeLoadBalancerTargetGroups](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeLoadBalancerTargetGroups.html) API instead. To determine the attachment status of the load balancer, use the State element in the response. When you attach a load balancer to an Auto Scaling group, the initial State value is Adding. The state transitions to Added after all Auto Scaling instances are registered with the load balancer. If Elastic Load Balancing health checks are enabled for the Auto Scaling group, the state transitions to InService after at least one Auto Scaling instance passes the health check. When the load balancer is in the InService state, Amazon EC2 Auto Scaling can terminate and replace any instances that are reported as unhealthy. If no registered instances pass the health checks, the load balancer doesn't enter the InService state. Load balancers also have an InService state if you attach them in the [CreateAutoScalingGroup](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_CreateAutoScalingGroup.html) API call. If your load balancer state is InService, but it is not working properly, check the scaling activities by calling [DescribeScalingActivities](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeScalingActivities.html) and take any corrective actions necessary. For help with failed health checks, see [Troubleshooting Amazon EC2 Auto Scaling: Health checks](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ts-as-healthchecks.html) in the Amazon EC2 Auto Scaling User Guide. For more information, see [Use Elastic Load Balancing to distribute traffic across the instances in your Auto Scaling group](https://docs.aws.amazon.com/autoscaling/ec2/userguide/autoscaling-load-balancer.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter DescribeLoadBalancersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLoadBalancersInput`) /// - /// - Returns: `DescribeLoadBalancersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLoadBalancersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2456,7 +2426,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoadBalancersOutput.httpOutput(from:), DescribeLoadBalancersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2490,9 +2459,9 @@ extension AutoScalingClient { /// /// Describes the available CloudWatch metrics for Amazon EC2 Auto Scaling. /// - /// - Parameter DescribeMetricCollectionTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMetricCollectionTypesInput`) /// - /// - Returns: `DescribeMetricCollectionTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMetricCollectionTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2524,7 +2493,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMetricCollectionTypesOutput.httpOutput(from:), DescribeMetricCollectionTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2558,9 +2526,9 @@ extension AutoScalingClient { /// /// Gets information about the Amazon SNS notifications that are configured for one or more Auto Scaling groups. /// - /// - Parameter DescribeNotificationConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNotificationConfigurationsInput`) /// - /// - Returns: `DescribeNotificationConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNotificationConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2593,7 +2561,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNotificationConfigurationsOutput.httpOutput(from:), DescribeNotificationConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2627,9 +2594,9 @@ extension AutoScalingClient { /// /// Gets information about the scaling policies in the account and Region. /// - /// - Parameter DescribePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePoliciesInput`) /// - /// - Returns: `DescribePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2663,7 +2630,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePoliciesOutput.httpOutput(from:), DescribePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2697,9 +2663,9 @@ extension AutoScalingClient { /// /// Gets information about the scaling activities in the account and Region. When scaling events occur, you see a record of the scaling activity in the scaling activities. For more information, see [Verify a scaling activity for an Auto Scaling group](https://docs.aws.amazon.com/autoscaling/ec2/userguide/as-verify-scaling-activity.html) in the Amazon EC2 Auto Scaling User Guide. If the scaling event succeeds, the value of the StatusCode element in the response is Successful. If an attempt to launch instances failed, the StatusCode value is Failed or Cancelled and the StatusMessage element in the response indicates the cause of the failure. For help interpreting the StatusMessage, see [Troubleshooting Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/CHAP_Troubleshooting.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter DescribeScalingActivitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScalingActivitiesInput`) /// - /// - Returns: `DescribeScalingActivitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScalingActivitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2732,7 +2698,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScalingActivitiesOutput.httpOutput(from:), DescribeScalingActivitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2766,9 +2731,9 @@ extension AutoScalingClient { /// /// Describes the scaling process types for use with the [ResumeProcesses](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_ResumeProcesses.html) and [SuspendProcesses](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_SuspendProcesses.html) APIs. /// - /// - Parameter DescribeScalingProcessTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScalingProcessTypesInput`) /// - /// - Returns: `DescribeScalingProcessTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScalingProcessTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2800,7 +2765,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScalingProcessTypesOutput.httpOutput(from:), DescribeScalingProcessTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2834,9 +2798,9 @@ extension AutoScalingClient { /// /// Gets information about the scheduled actions that haven't run or that have not reached their end time. To describe the scaling activities for scheduled actions that have already run, call the [DescribeScalingActivities](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeScalingActivities.html) API. /// - /// - Parameter DescribeScheduledActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScheduledActionsInput`) /// - /// - Returns: `DescribeScheduledActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScheduledActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2869,7 +2833,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScheduledActionsOutput.httpOutput(from:), DescribeScheduledActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2903,9 +2866,9 @@ extension AutoScalingClient { /// /// Describes the specified tags. You can use filters to limit the results. For example, you can query for the tags for a specific Auto Scaling group. You can specify multiple values for a filter. A tag must match at least one of the specified values for it to be included in the results. You can also specify multiple filters. The result includes information for a particular tag only if it matches all the filters. If there's no match, no special message is returned. For more information, see [Tag Auto Scaling groups and instances](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-tagging.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter DescribeTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTagsInput`) /// - /// - Returns: `DescribeTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2938,7 +2901,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagsOutput.httpOutput(from:), DescribeTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2972,9 +2934,9 @@ extension AutoScalingClient { /// /// Describes the termination policies supported by Amazon EC2 Auto Scaling. For more information, see [Configure termination policies for Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-termination-policies.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter DescribeTerminationPolicyTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTerminationPolicyTypesInput`) /// - /// - Returns: `DescribeTerminationPolicyTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTerminationPolicyTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3006,7 +2968,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTerminationPolicyTypesOutput.httpOutput(from:), DescribeTerminationPolicyTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3040,9 +3001,9 @@ extension AutoScalingClient { /// /// Gets information about the traffic sources for the specified Auto Scaling group. You can optionally provide a traffic source type. If you provide a traffic source type, then the results only include that traffic source type. If you do not provide a traffic source type, then the results include all the traffic sources for the specified Auto Scaling group. /// - /// - Parameter DescribeTrafficSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrafficSourcesInput`) /// - /// - Returns: `DescribeTrafficSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrafficSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3075,7 +3036,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrafficSourcesOutput.httpOutput(from:), DescribeTrafficSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3109,9 +3069,9 @@ extension AutoScalingClient { /// /// Gets information about a warm pool and its instances. For more information, see [Warm pools for Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-warm-pools.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter DescribeWarmPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWarmPoolInput`) /// - /// - Returns: `DescribeWarmPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWarmPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3145,7 +3105,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWarmPoolOutput.httpOutput(from:), DescribeWarmPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3179,9 +3138,9 @@ extension AutoScalingClient { /// /// Removes one or more instances from the specified Auto Scaling group. After the instances are detached, you can manage them independent of the Auto Scaling group. If you do not specify the option to decrement the desired capacity, Amazon EC2 Auto Scaling launches instances to replace the ones that are detached. If there is a Classic Load Balancer attached to the Auto Scaling group, the instances are deregistered from the load balancer. If there are target groups attached to the Auto Scaling group, the instances are deregistered from the target groups. For more information, see [Detach or attach instances](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-detach-attach-instances.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter DetachInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachInstancesInput`) /// - /// - Returns: `DetachInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3213,7 +3172,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachInstancesOutput.httpOutput(from:), DetachInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3247,9 +3205,9 @@ extension AutoScalingClient { /// /// This API operation is superseded by [DetachTrafficSources](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeTrafficSources.html), which can detach multiple traffic sources types. We recommend using DetachTrafficSources to simplify how you manage traffic sources. However, we continue to support DetachLoadBalancerTargetGroups. You can use both the original DetachLoadBalancerTargetGroups API operation and DetachTrafficSources on the same Auto Scaling group. Detaches one or more target groups from the specified Auto Scaling group. When you detach a target group, it enters the Removing state while deregistering the instances in the group. When all instances are deregistered, then you can no longer describe the target group using the [DescribeLoadBalancerTargetGroups](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeLoadBalancerTargetGroups.html) API call. The instances remain running. You can use this operation to detach target groups that were attached by using [AttachLoadBalancerTargetGroups](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_AttachLoadBalancerTargetGroups.html), but not for target groups that were attached by using [AttachTrafficSources](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_AttachTrafficSources.html). /// - /// - Parameter DetachLoadBalancerTargetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachLoadBalancerTargetGroupsInput`) /// - /// - Returns: `DetachLoadBalancerTargetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachLoadBalancerTargetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3281,7 +3239,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachLoadBalancerTargetGroupsOutput.httpOutput(from:), DetachLoadBalancerTargetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3315,9 +3272,9 @@ extension AutoScalingClient { /// /// This API operation is superseded by [DetachTrafficSources](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DetachTrafficSources.html), which can detach multiple traffic sources types. We recommend using DetachTrafficSources to simplify how you manage traffic sources. However, we continue to support DetachLoadBalancers. You can use both the original DetachLoadBalancers API operation and DetachTrafficSources on the same Auto Scaling group. Detaches one or more Classic Load Balancers from the specified Auto Scaling group. This operation detaches only Classic Load Balancers. If you have Application Load Balancers, Network Load Balancers, or Gateway Load Balancers, use the [DetachLoadBalancerTargetGroups](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DetachLoadBalancerTargetGroups.html) API instead. When you detach a load balancer, it enters the Removing state while deregistering the instances in the group. When all instances are deregistered, then you can no longer describe the load balancer using the [DescribeLoadBalancers](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeLoadBalancers.html) API call. The instances remain running. /// - /// - Parameter DetachLoadBalancersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachLoadBalancersInput`) /// - /// - Returns: `DetachLoadBalancersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachLoadBalancersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3349,7 +3306,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachLoadBalancersOutput.httpOutput(from:), DetachLoadBalancersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3383,9 +3339,9 @@ extension AutoScalingClient { /// /// Detaches one or more traffic sources from the specified Auto Scaling group. When you detach a traffic source, it enters the Removing state while deregistering the instances in the group. When all instances are deregistered, then you can no longer describe the traffic source using the [DescribeTrafficSources](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeTrafficSources.html) API call. The instances continue to run. /// - /// - Parameter DetachTrafficSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachTrafficSourcesInput`) /// - /// - Returns: `DetachTrafficSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachTrafficSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3417,7 +3373,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachTrafficSourcesOutput.httpOutput(from:), DetachTrafficSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3451,9 +3406,9 @@ extension AutoScalingClient { /// /// Disables group metrics collection for the specified Auto Scaling group. /// - /// - Parameter DisableMetricsCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableMetricsCollectionInput`) /// - /// - Returns: `DisableMetricsCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableMetricsCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3485,7 +3440,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableMetricsCollectionOutput.httpOutput(from:), DisableMetricsCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3519,9 +3473,9 @@ extension AutoScalingClient { /// /// Enables group metrics collection for the specified Auto Scaling group. You can use these metrics to track changes in an Auto Scaling group and to set alarms on threshold values. You can view group metrics using the Amazon EC2 Auto Scaling console or the CloudWatch console. For more information, see [Monitor CloudWatch metrics for your Auto Scaling groups and instances](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-cloudwatch-monitoring.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter EnableMetricsCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableMetricsCollectionInput`) /// - /// - Returns: `EnableMetricsCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableMetricsCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3553,7 +3507,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableMetricsCollectionOutput.httpOutput(from:), EnableMetricsCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3587,9 +3540,9 @@ extension AutoScalingClient { /// /// Moves the specified instances into the standby state. If you choose to decrement the desired capacity of the Auto Scaling group, the instances can enter standby as long as the desired capacity of the Auto Scaling group after the instances are placed into standby is equal to or greater than the minimum capacity of the group. If you choose not to decrement the desired capacity of the Auto Scaling group, the Auto Scaling group launches new instances to replace the instances on standby. For more information, see [Temporarily removing instances from your Auto Scaling group](https://docs.aws.amazon.com/autoscaling/ec2/userguide/as-enter-exit-standby.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter EnterStandbyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnterStandbyInput`) /// - /// - Returns: `EnterStandbyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnterStandbyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3621,7 +3574,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnterStandbyOutput.httpOutput(from:), EnterStandbyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3655,9 +3607,9 @@ extension AutoScalingClient { /// /// Executes the specified policy. This can be useful for testing the design of your scaling policy. /// - /// - Parameter ExecutePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecutePolicyInput`) /// - /// - Returns: `ExecutePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecutePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3690,7 +3642,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecutePolicyOutput.httpOutput(from:), ExecutePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3724,9 +3675,9 @@ extension AutoScalingClient { /// /// Moves the specified instances out of the standby state. After you put the instances back in service, the desired capacity is incremented. For more information, see [Temporarily removing instances from your Auto Scaling group](https://docs.aws.amazon.com/autoscaling/ec2/userguide/as-enter-exit-standby.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter ExitStandbyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExitStandbyInput`) /// - /// - Returns: `ExitStandbyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExitStandbyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3758,7 +3709,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExitStandbyOutput.httpOutput(from:), ExitStandbyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3792,9 +3742,9 @@ extension AutoScalingClient { /// /// Retrieves the forecast data for a predictive scaling policy. Load forecasts are predictions of the hourly load values using historical load data from CloudWatch and an analysis of historical trends. Capacity forecasts are represented as predicted values for the minimum capacity that is needed on an hourly basis, based on the hourly load forecast. A minimum of 24 hours of data is required to create the initial forecasts. However, having a full 14 days of historical data results in more accurate forecasts. For more information, see [Predictive scaling for Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-predictive-scaling.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter GetPredictiveScalingForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPredictiveScalingForecastInput`) /// - /// - Returns: `GetPredictiveScalingForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPredictiveScalingForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3826,7 +3776,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPredictiveScalingForecastOutput.httpOutput(from:), GetPredictiveScalingForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3875,9 +3824,9 @@ extension AutoScalingClient { /// /// For more information, see [Amazon EC2 Auto Scaling lifecycle hooks](https://docs.aws.amazon.com/autoscaling/ec2/userguide/lifecycle-hooks.html) in the Amazon EC2 Auto Scaling User Guide. If you exceed your maximum limit of lifecycle hooks, which by default is 50 per Auto Scaling group, the call fails. You can view the lifecycle hooks for an Auto Scaling group using the [DescribeLifecycleHooks](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeLifecycleHooks.html) API call. If you are no longer using a lifecycle hook, you can delete it by calling the [DeleteLifecycleHook](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DeleteLifecycleHook.html) API. /// - /// - Parameter PutLifecycleHookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLifecycleHookInput`) /// - /// - Returns: `PutLifecycleHookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLifecycleHookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3910,7 +3859,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLifecycleHookOutput.httpOutput(from:), PutLifecycleHookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3944,9 +3892,9 @@ extension AutoScalingClient { /// /// Configures an Auto Scaling group to send notifications when specified events take place. Subscribers to the specified topic can have messages delivered to an endpoint such as a web server or an email address. This configuration overwrites any existing configuration. For more information, see [Amazon SNS notification options for Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-sns-notifications.html) in the Amazon EC2 Auto Scaling User Guide. If you exceed your maximum limit of SNS topics, which is 10 per Auto Scaling group, the call fails. /// - /// - Parameter PutNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutNotificationConfigurationInput`) /// - /// - Returns: `PutNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3980,7 +3928,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutNotificationConfigurationOutput.httpOutput(from:), PutNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4014,9 +3961,9 @@ extension AutoScalingClient { /// /// Creates or updates a scaling policy for an Auto Scaling group. Scaling policies are used to scale an Auto Scaling group based on configurable metrics. If no policies are defined, the dynamic scaling and predictive scaling features are not used. For more information about using dynamic scaling, see [Target tracking scaling policies](https://docs.aws.amazon.com/autoscaling/ec2/userguide/as-scaling-target-tracking.html) and [Step and simple scaling policies](https://docs.aws.amazon.com/autoscaling/ec2/userguide/as-scaling-simple-step.html) in the Amazon EC2 Auto Scaling User Guide. For more information about using predictive scaling, see [Predictive scaling for Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-predictive-scaling.html) in the Amazon EC2 Auto Scaling User Guide. You can view the scaling policies for an Auto Scaling group using the [DescribePolicies](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribePolicies.html) API call. If you are no longer using a scaling policy, you can delete it by calling the [DeletePolicy](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DeletePolicy.html) API. /// - /// - Parameter PutScalingPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutScalingPolicyInput`) /// - /// - Returns: `PutScalingPolicyOutput` : Contains the output of PutScalingPolicy. + /// - Returns: Contains the output of PutScalingPolicy. (Type: `PutScalingPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4050,7 +3997,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutScalingPolicyOutput.httpOutput(from:), PutScalingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4084,9 +4030,9 @@ extension AutoScalingClient { /// /// Creates or updates a scheduled scaling action for an Auto Scaling group. For more information, see [Scheduled scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-scheduled-scaling.html) in the Amazon EC2 Auto Scaling User Guide. You can view the scheduled actions for an Auto Scaling group using the [DescribeScheduledActions](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeScheduledActions.html) API call. If you are no longer using a scheduled action, you can delete it by calling the [DeleteScheduledAction](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DeleteScheduledAction.html) API. If you try to schedule your action in the past, Amazon EC2 Auto Scaling returns an error message. /// - /// - Parameter PutScheduledUpdateGroupActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutScheduledUpdateGroupActionInput`) /// - /// - Returns: `PutScheduledUpdateGroupActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutScheduledUpdateGroupActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4120,7 +4066,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutScheduledUpdateGroupActionOutput.httpOutput(from:), PutScheduledUpdateGroupActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4154,9 +4099,9 @@ extension AutoScalingClient { /// /// Creates or updates a warm pool for the specified Auto Scaling group. A warm pool is a pool of pre-initialized EC2 instances that sits alongside the Auto Scaling group. Whenever your application needs to scale out, the Auto Scaling group can draw on the warm pool to meet its new desired capacity. This operation must be called from the Region in which the Auto Scaling group was created. You can view the instances in the warm pool using the [DescribeWarmPool](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeWarmPool.html) API call. If you are no longer using a warm pool, you can delete it by calling the [DeleteWarmPool](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DeleteWarmPool.html) API. For more information, see [Warm pools for Amazon EC2 Auto Scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-warm-pools.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter PutWarmPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutWarmPoolInput`) /// - /// - Returns: `PutWarmPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutWarmPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4189,7 +4134,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutWarmPoolOutput.httpOutput(from:), PutWarmPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4238,9 +4182,9 @@ extension AutoScalingClient { /// /// For more information, see [Amazon EC2 Auto Scaling lifecycle hooks](https://docs.aws.amazon.com/autoscaling/ec2/userguide/lifecycle-hooks.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter RecordLifecycleActionHeartbeatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RecordLifecycleActionHeartbeatInput`) /// - /// - Returns: `RecordLifecycleActionHeartbeatOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RecordLifecycleActionHeartbeatOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4272,7 +4216,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RecordLifecycleActionHeartbeatOutput.httpOutput(from:), RecordLifecycleActionHeartbeatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4306,9 +4249,9 @@ extension AutoScalingClient { /// /// Resumes the specified suspended auto scaling processes, or all suspended process, for the specified Auto Scaling group. For more information, see [Suspend and resume Amazon EC2 Auto Scaling processes](https://docs.aws.amazon.com/autoscaling/ec2/userguide/as-suspend-resume-processes.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter ResumeProcessesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResumeProcessesInput`) /// - /// - Returns: `ResumeProcessesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeProcessesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4341,7 +4284,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeProcessesOutput.httpOutput(from:), ResumeProcessesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4384,9 +4326,9 @@ extension AutoScalingClient { /// /// When you receive a successful response from this operation, Amazon EC2 Auto Scaling immediately begins replacing instances. You can check the status of this operation through the [DescribeInstanceRefreshes](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeInstanceRefreshes.html) API operation. /// - /// - Parameter RollbackInstanceRefreshInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RollbackInstanceRefreshInput`) /// - /// - Returns: `RollbackInstanceRefreshOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RollbackInstanceRefreshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4421,7 +4363,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RollbackInstanceRefreshOutput.httpOutput(from:), RollbackInstanceRefreshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4455,9 +4396,9 @@ extension AutoScalingClient { /// /// Sets the size of the specified Auto Scaling group. If a scale-in activity occurs as a result of a new DesiredCapacity value that is lower than the current size of the group, the Auto Scaling group uses its termination policy to determine which instances to terminate. For more information, see [Manual scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-scaling-manually.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter SetDesiredCapacityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetDesiredCapacityInput`) /// - /// - Returns: `SetDesiredCapacityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetDesiredCapacityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4490,7 +4431,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetDesiredCapacityOutput.httpOutput(from:), SetDesiredCapacityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4524,9 +4464,9 @@ extension AutoScalingClient { /// /// Sets the health status of the specified instance. For more information, see [Set up a custom health check for your Auto Scaling group](https://docs.aws.amazon.com/autoscaling/ec2/userguide/set-up-a-custom-health-check.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter SetInstanceHealthInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetInstanceHealthInput`) /// - /// - Returns: `SetInstanceHealthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetInstanceHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4558,7 +4498,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetInstanceHealthOutput.httpOutput(from:), SetInstanceHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4592,9 +4531,9 @@ extension AutoScalingClient { /// /// Updates the instance protection settings of the specified instances. This operation cannot be called on instances in a warm pool. For more information, see [Use instance scale-in protection](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-instance-protection.html) in the Amazon EC2 Auto Scaling User Guide. If you exceed your maximum limit of instance IDs, which is 50 per Auto Scaling group, the call fails. /// - /// - Parameter SetInstanceProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetInstanceProtectionInput`) /// - /// - Returns: `SetInstanceProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetInstanceProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4627,7 +4566,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetInstanceProtectionOutput.httpOutput(from:), SetInstanceProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4661,9 +4599,9 @@ extension AutoScalingClient { /// /// Starts an instance refresh. This operation is part of the [instance refresh feature](https://docs.aws.amazon.com/autoscaling/ec2/userguide/asg-instance-refresh.html) in Amazon EC2 Auto Scaling, which helps you update instances in your Auto Scaling group. This feature is helpful, for example, when you have a new AMI or a new user data script. You just need to create a new launch template that specifies the new AMI or user data script. Then start an instance refresh to immediately begin the process of updating instances in the group. If successful, the request's response contains a unique ID that you can use to track the progress of the instance refresh. To query its status, call the [DescribeInstanceRefreshes](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeInstanceRefreshes.html) API. To describe the instance refreshes that have already run, call the [DescribeInstanceRefreshes](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeInstanceRefreshes.html) API. To cancel an instance refresh that is in progress, use the [CancelInstanceRefresh](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_CancelInstanceRefresh.html) API. An instance refresh might fail for several reasons, such as EC2 launch failures, misconfigured health checks, or not ignoring or allowing the termination of instances that are in Standby state or protected from scale in. You can monitor for failed EC2 launches using the scaling activities. To find the scaling activities, call the [DescribeScalingActivities](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeScalingActivities.html) API. If you enable auto rollback, your Auto Scaling group will be rolled back automatically when the instance refresh fails. You can enable this feature before starting an instance refresh by specifying the AutoRollback property in the instance refresh preferences. Otherwise, to roll back an instance refresh before it finishes, use the [RollbackInstanceRefresh](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_RollbackInstanceRefresh.html) API. /// - /// - Parameter StartInstanceRefreshInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartInstanceRefreshInput`) /// - /// - Returns: `StartInstanceRefreshOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartInstanceRefreshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4697,7 +4635,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInstanceRefreshOutput.httpOutput(from:), StartInstanceRefreshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4731,9 +4668,9 @@ extension AutoScalingClient { /// /// Suspends the specified auto scaling processes, or all processes, for the specified Auto Scaling group. If you suspend either the Launch or Terminate process types, it can prevent other process types from functioning properly. For more information, see [Suspend and resume Amazon EC2 Auto Scaling processes](https://docs.aws.amazon.com/autoscaling/ec2/userguide/as-suspend-resume-processes.html) in the Amazon EC2 Auto Scaling User Guide. To resume processes that have been suspended, call the [ResumeProcesses](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_ResumeProcesses.html) API. /// - /// - Parameter SuspendProcessesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SuspendProcessesInput`) /// - /// - Returns: `SuspendProcessesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SuspendProcessesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4766,7 +4703,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SuspendProcessesOutput.httpOutput(from:), SuspendProcessesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4800,9 +4736,9 @@ extension AutoScalingClient { /// /// Terminates the specified instance and optionally adjusts the desired group size. This operation cannot be called on instances in a warm pool. This call simply makes a termination request. The instance is not terminated immediately. When an instance is terminated, the instance status changes to terminated. You can't connect to or start an instance after you've terminated it. If you do not specify the option to decrement the desired capacity, Amazon EC2 Auto Scaling launches instances to replace the ones that are terminated. By default, Amazon EC2 Auto Scaling balances instances across all Availability Zones. If you decrement the desired capacity, your Auto Scaling group can become unbalanced between Availability Zones. Amazon EC2 Auto Scaling tries to rebalance the group, and rebalancing might terminate instances in other zones. For more information, see [Manual scaling](https://docs.aws.amazon.com/autoscaling/ec2/userguide/ec2-auto-scaling-scaling-manually.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter TerminateInstanceInAutoScalingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateInstanceInAutoScalingGroupInput`) /// - /// - Returns: `TerminateInstanceInAutoScalingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateInstanceInAutoScalingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4835,7 +4771,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateInstanceInAutoScalingGroupOutput.httpOutput(from:), TerminateInstanceInAutoScalingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4878,9 +4813,9 @@ extension AutoScalingClient { /// /// To see which properties have been set, call the [DescribeAutoScalingGroups](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribeAutoScalingGroups.html) API. To view the scaling policies for an Auto Scaling group, call the [DescribePolicies](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_DescribePolicies.html) API. If the group has scaling policies, you can update them by calling the [PutScalingPolicy](https://docs.aws.amazon.com/autoscaling/ec2/APIReference/API_PutScalingPolicy.html) API. /// - /// - Parameter UpdateAutoScalingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAutoScalingGroupInput`) /// - /// - Returns: `UpdateAutoScalingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAutoScalingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4914,7 +4849,6 @@ extension AutoScalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAutoScalingGroupOutput.httpOutput(from:), UpdateAutoScalingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSAutoScalingPlans/Sources/AWSAutoScalingPlans/AutoScalingPlansClient.swift b/Sources/Services/AWSAutoScalingPlans/Sources/AWSAutoScalingPlans/AutoScalingPlansClient.swift index 802ad4b1ba9..b8adbe92fad 100644 --- a/Sources/Services/AWSAutoScalingPlans/Sources/AWSAutoScalingPlans/AutoScalingPlansClient.swift +++ b/Sources/Services/AWSAutoScalingPlans/Sources/AWSAutoScalingPlans/AutoScalingPlansClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class AutoScalingPlansClient: ClientRuntime.Client { public static let clientName = "AutoScalingPlansClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: AutoScalingPlansClient.AutoScalingPlansClientConfiguration let serviceName = "Auto Scaling Plans" @@ -374,9 +373,9 @@ extension AutoScalingPlansClient { /// /// Creates a scaling plan. /// - /// - Parameter CreateScalingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScalingPlanInput`) /// - /// - Returns: `CreateScalingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScalingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension AutoScalingPlansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScalingPlanOutput.httpOutput(from:), CreateScalingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension AutoScalingPlansClient { /// /// Deletes the specified scaling plan. Deleting a scaling plan deletes the underlying [ScalingInstruction] for all of the scalable resources that are covered by the plan. If the plan has launched resources or has scaling activities in progress, you must delete those resources separately. /// - /// - Parameter DeleteScalingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScalingPlanInput`) /// - /// - Returns: `DeleteScalingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScalingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension AutoScalingPlansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScalingPlanOutput.httpOutput(from:), DeleteScalingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension AutoScalingPlansClient { /// /// Describes the scalable resources in the specified scaling plan. /// - /// - Parameter DescribeScalingPlanResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScalingPlanResourcesInput`) /// - /// - Returns: `DescribeScalingPlanResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScalingPlanResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension AutoScalingPlansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScalingPlanResourcesOutput.httpOutput(from:), DescribeScalingPlanResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension AutoScalingPlansClient { /// /// Describes one or more of your scaling plans. /// - /// - Parameter DescribeScalingPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScalingPlansInput`) /// - /// - Returns: `DescribeScalingPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScalingPlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension AutoScalingPlansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScalingPlansOutput.httpOutput(from:), DescribeScalingPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension AutoScalingPlansClient { /// /// Retrieves the forecast data for a scalable resource. Capacity forecasts are represented as predicted values, or data points, that are calculated using historical data points from a specified CloudWatch load metric. Data points are available for up to 56 days. /// - /// - Parameter GetScalingPlanResourceForecastDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetScalingPlanResourceForecastDataInput`) /// - /// - Returns: `GetScalingPlanResourceForecastDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetScalingPlanResourceForecastDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -697,7 +692,6 @@ extension AutoScalingPlansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetScalingPlanResourceForecastDataOutput.httpOutput(from:), GetScalingPlanResourceForecastDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -732,9 +726,9 @@ extension AutoScalingPlansClient { /// /// Updates the specified scaling plan. You cannot update a scaling plan if it is in the process of being created, updated, or deleted. /// - /// - Parameter UpdateScalingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScalingPlanInput`) /// - /// - Returns: `UpdateScalingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScalingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -769,7 +763,6 @@ extension AutoScalingPlansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScalingPlanOutput.httpOutput(from:), UpdateScalingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSB2bi/Sources/AWSB2bi/B2biClient.swift b/Sources/Services/AWSB2bi/Sources/AWSB2bi/B2biClient.swift index e92c6464d74..83689531f20 100644 --- a/Sources/Services/AWSB2bi/Sources/AWSB2bi/B2biClient.swift +++ b/Sources/Services/AWSB2bi/Sources/AWSB2bi/B2biClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class B2biClient: ClientRuntime.Client { public static let clientName = "B2biClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: B2biClient.B2biClientConfiguration let serviceName = "b2bi" @@ -376,9 +375,9 @@ extension B2biClient { /// /// Instantiates a capability based on the specified parameters. A trading capability contains the information required to transform incoming EDI documents into JSON or XML outputs. /// - /// - Parameter CreateCapabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCapabilityInput`) /// - /// - Returns: `CreateCapabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCapabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCapabilityOutput.httpOutput(from:), CreateCapabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension B2biClient { /// /// Creates a partnership between a customer and a trading partner, based on the supplied parameters. A partnership represents the connection between you and your trading partner. It ties together a profile and one or more trading capabilities. /// - /// - Parameter CreatePartnershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePartnershipInput`) /// - /// - Returns: `CreatePartnershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePartnershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePartnershipOutput.httpOutput(from:), CreatePartnershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -528,9 +525,9 @@ extension B2biClient { /// /// Creates a customer profile. You can have up to five customer profiles, each representing a distinct private network. A profile is the mechanism used to create the concept of a private network. /// - /// - Parameter CreateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProfileInput`) /// - /// - Returns: `CreateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -569,7 +566,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProfileOutput.httpOutput(from:), CreateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -604,9 +600,9 @@ extension B2biClient { /// /// Amazon Web Services B2B Data Interchange uses a mapping template in JSONata or XSLT format to transform a customer input file into a JSON or XML file that can be converted to EDI. If you provide a sample EDI file with the same structure as the EDI files that you wish to generate, then the service can generate a mapping template. The starter template contains placeholder values which you can replace with JSONata or XSLT expressions to take data from your input file and insert it into the JSON or XML file that is used to generate the EDI. If you do not provide a sample EDI file, then the service can generate a mapping template based on the EDI settings in the templateDetails parameter. Currently, we only support generating a template that can generate the input to produce an Outbound X12 EDI file. /// - /// - Parameter CreateStarterMappingTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStarterMappingTemplateInput`) /// - /// - Returns: `CreateStarterMappingTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStarterMappingTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -641,7 +637,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStarterMappingTemplateOutput.httpOutput(from:), CreateStarterMappingTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -689,9 +684,9 @@ extension B2biClient { /// /// * Use either the inputConversion or outputConversion in place of ediType /// - /// - Parameter CreateTransformerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransformerInput`) /// - /// - Returns: `CreateTransformerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransformerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -730,7 +725,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransformerOutput.httpOutput(from:), CreateTransformerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -765,9 +759,9 @@ extension B2biClient { /// /// Deletes the specified capability. A trading capability contains the information required to transform incoming EDI documents into JSON or XML outputs. /// - /// - Parameter DeleteCapabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCapabilityInput`) /// - /// - Returns: `DeleteCapabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCapabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -804,7 +798,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCapabilityOutput.httpOutput(from:), DeleteCapabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -839,9 +832,9 @@ extension B2biClient { /// /// Deletes the specified partnership. A partnership represents the connection between you and your trading partner. It ties together a profile and one or more trading capabilities. /// - /// - Parameter DeletePartnershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePartnershipInput`) /// - /// - Returns: `DeletePartnershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePartnershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -878,7 +871,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePartnershipOutput.httpOutput(from:), DeletePartnershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -913,9 +905,9 @@ extension B2biClient { /// /// Deletes the specified profile. A profile is the mechanism used to create the concept of a private network. /// - /// - Parameter DeleteProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProfileInput`) /// - /// - Returns: `DeleteProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -952,7 +944,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfileOutput.httpOutput(from:), DeleteProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -987,9 +978,9 @@ extension B2biClient { /// /// Deletes the specified transformer. A transformer can take an EDI file as input and transform it into a JSON-or XML-formatted document. Alternatively, a transformer can take a JSON-or XML-formatted document as input and transform it into an EDI file. /// - /// - Parameter DeleteTransformerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransformerInput`) /// - /// - Returns: `DeleteTransformerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransformerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1026,7 +1017,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransformerOutput.httpOutput(from:), DeleteTransformerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1067,9 +1057,9 @@ extension B2biClient { /// /// * Use the output from the TestMapping operation as either input or output for your GenerateMapping call, along with your sample file. /// - /// - Parameter GenerateMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateMappingInput`) /// - /// - Returns: `GenerateMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1104,7 +1094,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateMappingOutput.httpOutput(from:), GenerateMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1139,9 +1128,9 @@ extension B2biClient { /// /// Retrieves the details for the specified capability. A trading capability contains the information required to transform incoming EDI documents into JSON or XML outputs. /// - /// - Parameter GetCapabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCapabilityInput`) /// - /// - Returns: `GetCapabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCapabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1177,7 +1166,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCapabilityOutput.httpOutput(from:), GetCapabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1212,9 +1200,9 @@ extension B2biClient { /// /// Retrieves the details for a partnership, based on the partner and profile IDs specified. A partnership represents the connection between you and your trading partner. It ties together a profile and one or more trading capabilities. /// - /// - Parameter GetPartnershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPartnershipInput`) /// - /// - Returns: `GetPartnershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPartnershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1250,7 +1238,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPartnershipOutput.httpOutput(from:), GetPartnershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1285,9 +1272,9 @@ extension B2biClient { /// /// Retrieves the details for the profile specified by the profile ID. A profile is the mechanism used to create the concept of a private network. /// - /// - Parameter GetProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProfileInput`) /// - /// - Returns: `GetProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1323,7 +1310,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileOutput.httpOutput(from:), GetProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1358,9 +1344,9 @@ extension B2biClient { /// /// Retrieves the details for the transformer specified by the transformer ID. A transformer can take an EDI file as input and transform it into a JSON-or XML-formatted document. Alternatively, a transformer can take a JSON-or XML-formatted document as input and transform it into an EDI file. /// - /// - Parameter GetTransformerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransformerInput`) /// - /// - Returns: `GetTransformerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransformerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1382,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransformerOutput.httpOutput(from:), GetTransformerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1431,9 +1416,9 @@ extension B2biClient { /// /// Returns the details of the transformer run, based on the Transformer job ID. If 30 days have elapsed since your transformer job was started, the system deletes it. So, if you run GetTransformerJob and supply a transformerId and transformerJobId for a job that was started more than 30 days previously, you receive a 404 response. /// - /// - Parameter GetTransformerJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransformerJobInput`) /// - /// - Returns: `GetTransformerJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransformerJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1470,7 +1455,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransformerJobOutput.httpOutput(from:), GetTransformerJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1505,9 +1489,9 @@ extension B2biClient { /// /// Lists the capabilities associated with your Amazon Web Services account for your current or specified region. A trading capability contains the information required to transform incoming EDI documents into JSON or XML outputs. /// - /// - Parameter ListCapabilitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCapabilitiesInput`) /// - /// - Returns: `ListCapabilitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCapabilitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1543,7 +1527,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCapabilitiesOutput.httpOutput(from:), ListCapabilitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1578,9 +1561,9 @@ extension B2biClient { /// /// Lists the partnerships associated with your Amazon Web Services account for your current or specified region. A partnership represents the connection between you and your trading partner. It ties together a profile and one or more trading capabilities. /// - /// - Parameter ListPartnershipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPartnershipsInput`) /// - /// - Returns: `ListPartnershipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPartnershipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1617,7 +1600,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPartnershipsOutput.httpOutput(from:), ListPartnershipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1652,9 +1634,9 @@ extension B2biClient { /// /// Lists the profiles associated with your Amazon Web Services account for your current or specified region. A profile is the mechanism used to create the concept of a private network. /// - /// - Parameter ListProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfilesInput`) /// - /// - Returns: `ListProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1690,7 +1672,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfilesOutput.httpOutput(from:), ListProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1725,9 +1706,9 @@ extension B2biClient { /// /// Lists all of the tags associated with the Amazon Resource Name (ARN) that you specify. The resource can be a capability, partnership, profile, or transformer. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1761,7 +1742,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1796,9 +1776,9 @@ extension B2biClient { /// /// Lists the available transformers. A transformer can take an EDI file as input and transform it into a JSON-or XML-formatted document. Alternatively, a transformer can take a JSON-or XML-formatted document as input and transform it into an EDI file. /// - /// - Parameter ListTransformersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTransformersInput`) /// - /// - Returns: `ListTransformersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTransformersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1834,7 +1814,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTransformersOutput.httpOutput(from:), ListTransformersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1869,9 +1848,9 @@ extension B2biClient { /// /// Runs a job, using a transformer, to parse input EDI (electronic data interchange) file into the output structures used by Amazon Web Services B2B Data Interchange. If you only want to transform EDI (electronic data interchange) documents, you don't need to create profiles, partnerships or capabilities. Just create and configure a transformer, and then run the StartTransformerJob API to process your files. The system stores transformer jobs for 30 days. During that period, you can run [GetTransformerJob](https://docs.aws.amazon.com/b2bi/latest/APIReference/API_GetTransformerJob.html) and supply its transformerId and transformerJobId to return details of the job. /// - /// - Parameter StartTransformerJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTransformerJobInput`) /// - /// - Returns: `StartTransformerJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTransformerJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1909,7 +1888,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTransformerJobOutput.httpOutput(from:), StartTransformerJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1944,9 +1922,9 @@ extension B2biClient { /// /// Attaches a key-value pair to a resource, as identified by its Amazon Resource Name (ARN). Resources are capability, partnership, profile, transformers and other entities. There is no response returned from this call. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1981,7 +1959,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2016,9 +1993,9 @@ extension B2biClient { /// /// This operation mimics the latter half of a typical Outbound EDI request. It takes an input JSON/XML in the B2Bi shape as input, converts it to an X12 EDI string, and return that string. /// - /// - Parameter TestConversionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestConversionInput`) /// - /// - Returns: `TestConversionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestConversionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2054,7 +2031,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestConversionOutput.httpOutput(from:), TestConversionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2089,9 +2065,9 @@ extension B2biClient { /// /// Maps the input file according to the provided template file. The API call downloads the file contents from the Amazon S3 location, and passes the contents in as a string, to the inputFileContent parameter. /// - /// - Parameter TestMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestMappingInput`) /// - /// - Returns: `TestMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2127,7 +2103,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestMappingOutput.httpOutput(from:), TestMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2162,9 +2137,9 @@ extension B2biClient { /// /// Parses the input EDI (electronic data interchange) file. The input file has a file size limit of 250 KB. /// - /// - Parameter TestParsingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestParsingInput`) /// - /// - Returns: `TestParsingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestParsingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2200,7 +2175,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestParsingOutput.httpOutput(from:), TestParsingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2235,9 +2209,9 @@ extension B2biClient { /// /// Detaches a key-value pair from the specified resource, as identified by its Amazon Resource Name (ARN). Resources are capability, partnership, profile, transformers and other entities. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2272,7 +2246,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2307,9 +2280,9 @@ extension B2biClient { /// /// Updates some of the parameters for a capability, based on the specified parameters. A trading capability contains the information required to transform incoming EDI documents into JSON or XML outputs. /// - /// - Parameter UpdateCapabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCapabilityInput`) /// - /// - Returns: `UpdateCapabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCapabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2347,7 +2320,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCapabilityOutput.httpOutput(from:), UpdateCapabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2382,9 +2354,9 @@ extension B2biClient { /// /// Updates some of the parameters for a partnership between a customer and trading partner. A partnership represents the connection between you and your trading partner. It ties together a profile and one or more trading capabilities. /// - /// - Parameter UpdatePartnershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePartnershipInput`) /// - /// - Returns: `UpdatePartnershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePartnershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2422,7 +2394,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePartnershipOutput.httpOutput(from:), UpdatePartnershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2457,9 +2428,9 @@ extension B2biClient { /// /// Updates the specified parameters for a profile. A profile is the mechanism used to create the concept of a private network. /// - /// - Parameter UpdateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProfileInput`) /// - /// - Returns: `UpdateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2497,7 +2468,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProfileOutput.httpOutput(from:), UpdateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2532,9 +2502,9 @@ extension B2biClient { /// /// Updates the specified parameters for a transformer. A transformer can take an EDI file as input and transform it into a JSON-or XML-formatted document. Alternatively, a transformer can take a JSON-or XML-formatted document as input and transform it into an EDI file. /// - /// - Parameter UpdateTransformerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTransformerInput`) /// - /// - Returns: `UpdateTransformerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTransformerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2542,6 @@ extension B2biClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTransformerOutput.httpOutput(from:), UpdateTransformerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBCMDashboards/Sources/AWSBCMDashboards/BCMDashboardsClient.swift b/Sources/Services/AWSBCMDashboards/Sources/AWSBCMDashboards/BCMDashboardsClient.swift index e8c5343912e..2f36326eef2 100644 --- a/Sources/Services/AWSBCMDashboards/Sources/AWSBCMDashboards/BCMDashboardsClient.swift +++ b/Sources/Services/AWSBCMDashboards/Sources/AWSBCMDashboards/BCMDashboardsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BCMDashboardsClient: ClientRuntime.Client { public static let clientName = "BCMDashboardsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BCMDashboardsClient.BCMDashboardsClientConfiguration let serviceName = "BCM Dashboards" @@ -374,9 +373,9 @@ extension BCMDashboardsClient { /// /// Creates a new dashboard that can contain multiple widgets displaying cost and usage data. You can add custom widgets or use predefined widgets, arranging them in your preferred layout. /// - /// - Parameter CreateDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDashboardInput`) /// - /// - Returns: `CreateDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension BCMDashboardsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDashboardOutput.httpOutput(from:), CreateDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension BCMDashboardsClient { /// /// Deletes a specified dashboard. This action cannot be undone. /// - /// - Parameter DeleteDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDashboardInput`) /// - /// - Returns: `DeleteDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension BCMDashboardsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDashboardOutput.httpOutput(from:), DeleteDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension BCMDashboardsClient { /// /// Retrieves the configuration and metadata of a specified dashboard, including its widgets and layout settings. /// - /// - Parameter GetDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDashboardInput`) /// - /// - Returns: `GetDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension BCMDashboardsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDashboardOutput.httpOutput(from:), GetDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension BCMDashboardsClient { /// /// Retrieves the resource-based policy attached to a dashboard, showing sharing configurations and permissions. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension BCMDashboardsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension BCMDashboardsClient { /// /// Returns a list of all dashboards in your account. /// - /// - Parameter ListDashboardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDashboardsInput`) /// - /// - Returns: `ListDashboardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDashboardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -702,7 +697,6 @@ extension BCMDashboardsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDashboardsOutput.httpOutput(from:), ListDashboardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -737,9 +731,9 @@ extension BCMDashboardsClient { /// /// Returns a list of all tags associated with a specified dashboard resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension BCMDashboardsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension BCMDashboardsClient { /// /// Adds or updates tags for a specified dashboard resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +839,6 @@ extension BCMDashboardsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -881,9 +873,9 @@ extension BCMDashboardsClient { /// /// Removes specified tags from a dashboard resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -918,7 +910,6 @@ extension BCMDashboardsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +944,9 @@ extension BCMDashboardsClient { /// /// Updates an existing dashboard's properties, including its name, description, and widget configurations. /// - /// - Parameter UpdateDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDashboardInput`) /// - /// - Returns: `UpdateDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -991,7 +982,6 @@ extension BCMDashboardsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDashboardOutput.httpOutput(from:), UpdateDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBCMDataExports/Sources/AWSBCMDataExports/BCMDataExportsClient.swift b/Sources/Services/AWSBCMDataExports/Sources/AWSBCMDataExports/BCMDataExportsClient.swift index 00755261728..de9cf4070b2 100644 --- a/Sources/Services/AWSBCMDataExports/Sources/AWSBCMDataExports/BCMDataExportsClient.swift +++ b/Sources/Services/AWSBCMDataExports/Sources/AWSBCMDataExports/BCMDataExportsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BCMDataExportsClient: ClientRuntime.Client { public static let clientName = "BCMDataExportsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BCMDataExportsClient.BCMDataExportsClientConfiguration let serviceName = "BCM Data Exports" @@ -373,9 +372,9 @@ extension BCMDataExportsClient { /// /// Creates a data export and specifies the data query, the delivery preference, and any optional resource tags. A DataQuery consists of both a QueryStatement and TableConfigurations. The QueryStatement is an SQL statement. Data Exports only supports a limited subset of the SQL syntax. For more information on the SQL syntax that is supported, see [Data query](https://docs.aws.amazon.com/cur/latest/userguide/de-data-query.html). To view the available tables and columns, see the [Data Exports table dictionary](https://docs.aws.amazon.com/cur/latest/userguide/de-table-dictionary.html). The TableConfigurations is a collection of specified TableProperties for the table being queried in the QueryStatement. TableProperties are additional configurations you can provide to change the data and schema of a table. Each table can have different TableProperties. However, tables are not required to have any TableProperties. Each table property has a default value that it assumes if not specified. For more information on table configurations, see [Data query](https://docs.aws.amazon.com/cur/latest/userguide/de-data-query.html). To view the table properties available for each table, see the [Data Exports table dictionary](https://docs.aws.amazon.com/cur/latest/userguide/de-table-dictionary.html) or use the ListTables API to get a response of all tables and their available properties. /// - /// - Parameter CreateExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExportInput`) /// - /// - Returns: `CreateExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExportOutput.httpOutput(from:), CreateExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension BCMDataExportsClient { /// /// Deletes an existing data export. /// - /// - Parameter DeleteExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExportInput`) /// - /// - Returns: `DeleteExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -482,7 +480,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExportOutput.httpOutput(from:), DeleteExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension BCMDataExportsClient { /// /// Exports data based on the source data update. /// - /// - Parameter GetExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExecutionInput`) /// - /// - Returns: `GetExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExecutionOutput.httpOutput(from:), GetExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -589,9 +585,9 @@ extension BCMDataExportsClient { /// /// Views the definition of an existing data export. /// - /// - Parameter GetExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExportInput`) /// - /// - Returns: `GetExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExportOutput.httpOutput(from:), GetExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension BCMDataExportsClient { /// /// Returns the metadata for the specified table and table properties. This includes the list of columns in the table schema, their data types, and column descriptions. /// - /// - Parameter GetTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableInput`) /// - /// - Returns: `GetTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -697,7 +692,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableOutput.httpOutput(from:), GetTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -732,9 +726,9 @@ extension BCMDataExportsClient { /// /// Lists the historical executions for the export. /// - /// - Parameter ListExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExecutionsInput`) /// - /// - Returns: `ListExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -769,7 +763,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExecutionsOutput.httpOutput(from:), ListExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -804,9 +797,9 @@ extension BCMDataExportsClient { /// /// Lists all data export definitions. /// - /// - Parameter ListExportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExportsInput`) /// - /// - Returns: `ListExportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExportsOutput.httpOutput(from:), ListExportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -875,9 +867,9 @@ extension BCMDataExportsClient { /// /// Lists all available tables in data exports. /// - /// - Parameter ListTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTablesInput`) /// - /// - Returns: `ListTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -911,7 +903,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTablesOutput.httpOutput(from:), ListTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +937,9 @@ extension BCMDataExportsClient { /// /// List tags associated with an existing data export. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -983,7 +974,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1018,9 +1008,9 @@ extension BCMDataExportsClient { /// /// Adds tags for an existing data export definition. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1055,7 +1045,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1090,9 +1079,9 @@ extension BCMDataExportsClient { /// /// Deletes tags associated with an existing data export definition. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1127,7 +1116,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1162,9 +1150,9 @@ extension BCMDataExportsClient { /// /// Updates an existing data export by overwriting all export parameters. All export parameters must be provided in the UpdateExport request. /// - /// - Parameter UpdateExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateExportInput`) /// - /// - Returns: `UpdateExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1199,7 +1187,6 @@ extension BCMDataExportsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateExportOutput.httpOutput(from:), UpdateExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBCMPricingCalculator/Sources/AWSBCMPricingCalculator/BCMPricingCalculatorClient.swift b/Sources/Services/AWSBCMPricingCalculator/Sources/AWSBCMPricingCalculator/BCMPricingCalculatorClient.swift index bcbb7496777..f20dbffe3bd 100644 --- a/Sources/Services/AWSBCMPricingCalculator/Sources/AWSBCMPricingCalculator/BCMPricingCalculatorClient.swift +++ b/Sources/Services/AWSBCMPricingCalculator/Sources/AWSBCMPricingCalculator/BCMPricingCalculatorClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BCMPricingCalculatorClient: ClientRuntime.Client { public static let clientName = "BCMPricingCalculatorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BCMPricingCalculatorClient.BCMPricingCalculatorClientConfiguration let serviceName = "BCM Pricing Calculator" @@ -375,9 +374,9 @@ extension BCMPricingCalculatorClient { /// /// Create Compute Savings Plans, EC2 Instance Savings Plans, or EC2 Reserved Instances commitments that you want to model in a Bill Scenario. The BatchCreateBillScenarioCommitmentModification operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission bcm-pricing-calculator:CreateBillScenarioCommitmentModification in your policies. /// - /// - Parameter BatchCreateBillScenarioCommitmentModificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateBillScenarioCommitmentModificationInput`) /// - /// - Returns: `BatchCreateBillScenarioCommitmentModificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateBillScenarioCommitmentModificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateBillScenarioCommitmentModificationOutput.httpOutput(from:), BatchCreateBillScenarioCommitmentModificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension BCMPricingCalculatorClient { /// /// Create Amazon Web Services service usage that you want to model in a Bill Scenario. The BatchCreateBillScenarioUsageModification operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission bcm-pricing-calculator:CreateBillScenarioUsageModification in your policies. /// - /// - Parameter BatchCreateBillScenarioUsageModificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateBillScenarioUsageModificationInput`) /// - /// - Returns: `BatchCreateBillScenarioUsageModificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateBillScenarioUsageModificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateBillScenarioUsageModificationOutput.httpOutput(from:), BatchCreateBillScenarioUsageModificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -528,9 +525,9 @@ extension BCMPricingCalculatorClient { /// /// Create Amazon Web Services service usage that you want to model in a Workload Estimate. The BatchCreateWorkloadEstimateUsage operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission bcm-pricing-calculator:CreateWorkloadEstimateUsage in your policies. /// - /// - Parameter BatchCreateWorkloadEstimateUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateWorkloadEstimateUsageInput`) /// - /// - Returns: `BatchCreateWorkloadEstimateUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateWorkloadEstimateUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -570,7 +567,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateWorkloadEstimateUsageOutput.httpOutput(from:), BatchCreateWorkloadEstimateUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -605,9 +601,9 @@ extension BCMPricingCalculatorClient { /// /// Delete commitment that you have created in a Bill Scenario. You can only delete a commitment that you had added and cannot model deletion (or removal) of a existing commitment. If you want model deletion of an existing commitment, see the negate [ BillScenarioCommitmentModificationAction](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_AWSBCMPricingCalculator_BillScenarioCommitmentModificationAction.html) of [ BatchCreateBillScenarioCommitmentModification](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_AWSBCMPricingCalculator_BatchCreateBillScenarioUsageModification.html) operation. The BatchDeleteBillScenarioCommitmentModification operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission bcm-pricing-calculator:DeleteBillScenarioCommitmentModification in your policies. /// - /// - Parameter BatchDeleteBillScenarioCommitmentModificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteBillScenarioCommitmentModificationInput`) /// - /// - Returns: `BatchDeleteBillScenarioCommitmentModificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteBillScenarioCommitmentModificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -645,7 +641,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteBillScenarioCommitmentModificationOutput.httpOutput(from:), BatchDeleteBillScenarioCommitmentModificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -680,9 +675,9 @@ extension BCMPricingCalculatorClient { /// /// Delete usage that you have created in a Bill Scenario. You can only delete usage that you had added and cannot model deletion (or removal) of a existing usage. If you want model removal of an existing usage, see [ BatchUpdateBillScenarioUsageModification](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_AWSBCMPricingCalculator_BatchUpdateBillScenarioUsageModification.html). The BatchDeleteBillScenarioUsageModification operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission bcm-pricing-calculator:DeleteBillScenarioUsageModification in your policies. /// - /// - Parameter BatchDeleteBillScenarioUsageModificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteBillScenarioUsageModificationInput`) /// - /// - Returns: `BatchDeleteBillScenarioUsageModificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteBillScenarioUsageModificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -721,7 +716,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteBillScenarioUsageModificationOutput.httpOutput(from:), BatchDeleteBillScenarioUsageModificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -756,9 +750,9 @@ extension BCMPricingCalculatorClient { /// /// Delete usage that you have created in a Workload estimate. You can only delete usage that you had added and cannot model deletion (or removal) of a existing usage. If you want model removal of an existing usage, see [ BatchUpdateWorkloadEstimateUsage](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_AWSBCMPricingCalculator_BatchUpdateWorkloadEstimateUsage.html). The BatchDeleteWorkloadEstimateUsage operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission bcm-pricing-calculator:DeleteWorkloadEstimateUsage in your policies. /// - /// - Parameter BatchDeleteWorkloadEstimateUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteWorkloadEstimateUsageInput`) /// - /// - Returns: `BatchDeleteWorkloadEstimateUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteWorkloadEstimateUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -796,7 +790,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteWorkloadEstimateUsageOutput.httpOutput(from:), BatchDeleteWorkloadEstimateUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -831,9 +824,9 @@ extension BCMPricingCalculatorClient { /// /// Update a newly added or existing commitment. You can update the commitment group based on a commitment ID and a Bill scenario ID. The BatchUpdateBillScenarioCommitmentModification operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission bcm-pricing-calculator:UpdateBillScenarioCommitmentModification in your policies. /// - /// - Parameter BatchUpdateBillScenarioCommitmentModificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateBillScenarioCommitmentModificationInput`) /// - /// - Returns: `BatchUpdateBillScenarioCommitmentModificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateBillScenarioCommitmentModificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -871,7 +864,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateBillScenarioCommitmentModificationOutput.httpOutput(from:), BatchUpdateBillScenarioCommitmentModificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -906,9 +898,9 @@ extension BCMPricingCalculatorClient { /// /// Update a newly added or existing usage lines. You can update the usage amounts, usage hour, and usage group based on a usage ID and a Bill scenario ID. The BatchUpdateBillScenarioUsageModification operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission bcm-pricing-calculator:UpdateBillScenarioUsageModification in your policies. /// - /// - Parameter BatchUpdateBillScenarioUsageModificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateBillScenarioUsageModificationInput`) /// - /// - Returns: `BatchUpdateBillScenarioUsageModificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateBillScenarioUsageModificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -947,7 +939,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateBillScenarioUsageModificationOutput.httpOutput(from:), BatchUpdateBillScenarioUsageModificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -982,9 +973,9 @@ extension BCMPricingCalculatorClient { /// /// Update a newly added or existing usage lines. You can update the usage amounts and usage group based on a usage ID and a Workload estimate ID. The BatchUpdateWorkloadEstimateUsage operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission bcm-pricing-calculator:UpdateWorkloadEstimateUsage in your policies. /// - /// - Parameter BatchUpdateWorkloadEstimateUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateWorkloadEstimateUsageInput`) /// - /// - Returns: `BatchUpdateWorkloadEstimateUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateWorkloadEstimateUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1022,7 +1013,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateWorkloadEstimateUsageOutput.httpOutput(from:), BatchUpdateWorkloadEstimateUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1057,9 +1047,9 @@ extension BCMPricingCalculatorClient { /// /// Create a Bill estimate from a Bill scenario. In the Bill scenario you can model usage addition, usage changes, and usage removal. You can also model commitment addition and commitment removal. After all changes in a Bill scenario is made satisfactorily, you can call this API with a Bill scenario ID to generate the Bill estimate. Bill estimate calculates the pre-tax cost for your consolidated billing family, incorporating all modeled usage and commitments alongside existing usage and commitments from your most recent completed anniversary bill, with any applicable discounts applied. /// - /// - Parameter CreateBillEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBillEstimateInput`) /// - /// - Returns: `CreateBillEstimateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBillEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1098,7 +1088,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBillEstimateOutput.httpOutput(from:), CreateBillEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1133,9 +1122,9 @@ extension BCMPricingCalculatorClient { /// /// Creates a new bill scenario to model potential changes to Amazon Web Services usage and costs. /// - /// - Parameter CreateBillScenarioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBillScenarioInput`) /// - /// - Returns: `CreateBillScenarioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBillScenarioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1174,7 +1163,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBillScenarioOutput.httpOutput(from:), CreateBillScenarioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1209,9 +1197,9 @@ extension BCMPricingCalculatorClient { /// /// Creates a new workload estimate to model costs for a specific workload. /// - /// - Parameter CreateWorkloadEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkloadEstimateInput`) /// - /// - Returns: `CreateWorkloadEstimateOutput` : Mixin for common fields returned by CRUD APIs + /// - Returns: Mixin for common fields returned by CRUD APIs (Type: `CreateWorkloadEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1250,7 +1238,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkloadEstimateOutput.httpOutput(from:), CreateWorkloadEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1285,9 +1272,9 @@ extension BCMPricingCalculatorClient { /// /// Deletes an existing bill estimate. /// - /// - Parameter DeleteBillEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBillEstimateInput`) /// - /// - Returns: `DeleteBillEstimateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBillEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1324,7 +1311,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBillEstimateOutput.httpOutput(from:), DeleteBillEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1359,9 +1345,9 @@ extension BCMPricingCalculatorClient { /// /// Deletes an existing bill scenario. /// - /// - Parameter DeleteBillScenarioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBillScenarioInput`) /// - /// - Returns: `DeleteBillScenarioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBillScenarioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1398,7 +1384,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBillScenarioOutput.httpOutput(from:), DeleteBillScenarioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1433,9 +1418,9 @@ extension BCMPricingCalculatorClient { /// /// Deletes an existing workload estimate. /// - /// - Parameter DeleteWorkloadEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkloadEstimateInput`) /// - /// - Returns: `DeleteWorkloadEstimateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkloadEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1471,7 +1456,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkloadEstimateOutput.httpOutput(from:), DeleteWorkloadEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1506,9 +1490,9 @@ extension BCMPricingCalculatorClient { /// /// Retrieves details of a specific bill estimate. /// - /// - Parameter GetBillEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBillEstimateInput`) /// - /// - Returns: `GetBillEstimateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBillEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1545,7 +1529,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBillEstimateOutput.httpOutput(from:), GetBillEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1580,9 +1563,9 @@ extension BCMPricingCalculatorClient { /// /// Retrieves details of a specific bill scenario. /// - /// - Parameter GetBillScenarioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBillScenarioInput`) /// - /// - Returns: `GetBillScenarioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBillScenarioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1619,7 +1602,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBillScenarioOutput.httpOutput(from:), GetBillScenarioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1654,9 +1636,9 @@ extension BCMPricingCalculatorClient { /// /// Retrieves the current preferences for Pricing Calculator. /// - /// - Parameter GetPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPreferencesInput`) /// - /// - Returns: `GetPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1692,7 +1674,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPreferencesOutput.httpOutput(from:), GetPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1727,9 +1708,9 @@ extension BCMPricingCalculatorClient { /// /// Retrieves details of a specific workload estimate. /// - /// - Parameter GetWorkloadEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkloadEstimateInput`) /// - /// - Returns: `GetWorkloadEstimateOutput` : Mixin for common fields returned by CRUD APIs + /// - Returns: Mixin for common fields returned by CRUD APIs (Type: `GetWorkloadEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1766,7 +1747,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkloadEstimateOutput.httpOutput(from:), GetWorkloadEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1801,9 +1781,9 @@ extension BCMPricingCalculatorClient { /// /// Lists the commitments associated with a bill estimate. /// - /// - Parameter ListBillEstimateCommitmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillEstimateCommitmentsInput`) /// - /// - Returns: `ListBillEstimateCommitmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillEstimateCommitmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1840,7 +1820,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillEstimateCommitmentsOutput.httpOutput(from:), ListBillEstimateCommitmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1875,9 +1854,9 @@ extension BCMPricingCalculatorClient { /// /// Lists the input commitment modifications associated with a bill estimate. /// - /// - Parameter ListBillEstimateInputCommitmentModificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillEstimateInputCommitmentModificationsInput`) /// - /// - Returns: `ListBillEstimateInputCommitmentModificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillEstimateInputCommitmentModificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1914,7 +1893,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillEstimateInputCommitmentModificationsOutput.httpOutput(from:), ListBillEstimateInputCommitmentModificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1949,9 +1927,9 @@ extension BCMPricingCalculatorClient { /// /// Lists the input usage modifications associated with a bill estimate. /// - /// - Parameter ListBillEstimateInputUsageModificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillEstimateInputUsageModificationsInput`) /// - /// - Returns: `ListBillEstimateInputUsageModificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillEstimateInputUsageModificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1988,7 +1966,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillEstimateInputUsageModificationsOutput.httpOutput(from:), ListBillEstimateInputUsageModificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2023,9 +2000,9 @@ extension BCMPricingCalculatorClient { /// /// Lists the line items associated with a bill estimate. /// - /// - Parameter ListBillEstimateLineItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillEstimateLineItemsInput`) /// - /// - Returns: `ListBillEstimateLineItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillEstimateLineItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2062,7 +2039,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillEstimateLineItemsOutput.httpOutput(from:), ListBillEstimateLineItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2097,9 +2073,9 @@ extension BCMPricingCalculatorClient { /// /// Lists all bill estimates for the account. /// - /// - Parameter ListBillEstimatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillEstimatesInput`) /// - /// - Returns: `ListBillEstimatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillEstimatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2135,7 +2111,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillEstimatesOutput.httpOutput(from:), ListBillEstimatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2170,9 +2145,9 @@ extension BCMPricingCalculatorClient { /// /// Lists the commitment modifications associated with a bill scenario. /// - /// - Parameter ListBillScenarioCommitmentModificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillScenarioCommitmentModificationsInput`) /// - /// - Returns: `ListBillScenarioCommitmentModificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillScenarioCommitmentModificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2209,7 +2184,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillScenarioCommitmentModificationsOutput.httpOutput(from:), ListBillScenarioCommitmentModificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2244,9 +2218,9 @@ extension BCMPricingCalculatorClient { /// /// Lists the usage modifications associated with a bill scenario. /// - /// - Parameter ListBillScenarioUsageModificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillScenarioUsageModificationsInput`) /// - /// - Returns: `ListBillScenarioUsageModificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillScenarioUsageModificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2283,7 +2257,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillScenarioUsageModificationsOutput.httpOutput(from:), ListBillScenarioUsageModificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2318,9 +2291,9 @@ extension BCMPricingCalculatorClient { /// /// Lists all bill scenarios for the account. /// - /// - Parameter ListBillScenariosInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillScenariosInput`) /// - /// - Returns: `ListBillScenariosOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillScenariosOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2356,7 +2329,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillScenariosOutput.httpOutput(from:), ListBillScenariosOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2391,9 +2363,9 @@ extension BCMPricingCalculatorClient { /// /// Lists all tags associated with a specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2429,7 +2401,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2464,9 +2435,9 @@ extension BCMPricingCalculatorClient { /// /// Lists the usage associated with a workload estimate. /// - /// - Parameter ListWorkloadEstimateUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkloadEstimateUsageInput`) /// - /// - Returns: `ListWorkloadEstimateUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkloadEstimateUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2503,7 +2474,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkloadEstimateUsageOutput.httpOutput(from:), ListWorkloadEstimateUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2538,9 +2508,9 @@ extension BCMPricingCalculatorClient { /// /// Lists all workload estimates for the account. /// - /// - Parameter ListWorkloadEstimatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkloadEstimatesInput`) /// - /// - Returns: `ListWorkloadEstimatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkloadEstimatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2576,7 +2546,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkloadEstimatesOutput.httpOutput(from:), ListWorkloadEstimatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2611,9 +2580,9 @@ extension BCMPricingCalculatorClient { /// /// Adds one or more tags to a specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2650,7 +2619,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2685,9 +2653,9 @@ extension BCMPricingCalculatorClient { /// /// Removes one or more tags from a specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2723,7 +2691,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2758,9 +2725,9 @@ extension BCMPricingCalculatorClient { /// /// Updates an existing bill estimate. /// - /// - Parameter UpdateBillEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBillEstimateInput`) /// - /// - Returns: `UpdateBillEstimateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBillEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2798,7 +2765,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBillEstimateOutput.httpOutput(from:), UpdateBillEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2833,9 +2799,9 @@ extension BCMPricingCalculatorClient { /// /// Updates an existing bill scenario. /// - /// - Parameter UpdateBillScenarioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBillScenarioInput`) /// - /// - Returns: `UpdateBillScenarioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBillScenarioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2873,7 +2839,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBillScenarioOutput.httpOutput(from:), UpdateBillScenarioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2908,9 +2873,9 @@ extension BCMPricingCalculatorClient { /// /// Updates the preferences for Pricing Calculator. /// - /// - Parameter UpdatePreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePreferencesInput`) /// - /// - Returns: `UpdatePreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2947,7 +2912,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePreferencesOutput.httpOutput(from:), UpdatePreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2982,9 +2946,9 @@ extension BCMPricingCalculatorClient { /// /// Updates an existing workload estimate. /// - /// - Parameter UpdateWorkloadEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkloadEstimateInput`) /// - /// - Returns: `UpdateWorkloadEstimateOutput` : Mixin for common fields returned by CRUD APIs + /// - Returns: Mixin for common fields returned by CRUD APIs (Type: `UpdateWorkloadEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3022,7 +2986,6 @@ extension BCMPricingCalculatorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkloadEstimateOutput.httpOutput(from:), UpdateWorkloadEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBCMRecommendedActions/Sources/AWSBCMRecommendedActions/BCMRecommendedActionsClient.swift b/Sources/Services/AWSBCMRecommendedActions/Sources/AWSBCMRecommendedActions/BCMRecommendedActionsClient.swift index e862147b68c..db756138bff 100644 --- a/Sources/Services/AWSBCMRecommendedActions/Sources/AWSBCMRecommendedActions/BCMRecommendedActionsClient.swift +++ b/Sources/Services/AWSBCMRecommendedActions/Sources/AWSBCMRecommendedActions/BCMRecommendedActionsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BCMRecommendedActionsClient: ClientRuntime.Client { public static let clientName = "BCMRecommendedActionsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BCMRecommendedActionsClient.BCMRecommendedActionsClientConfiguration let serviceName = "BCM Recommended Actions" @@ -373,9 +372,9 @@ extension BCMRecommendedActionsClient { /// /// Returns a list of recommended actions that match the filter criteria. /// - /// - Parameter ListRecommendedActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendedActionsInput`) /// - /// - Returns: `ListRecommendedActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendedActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension BCMRecommendedActionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendedActionsOutput.httpOutput(from:), ListRecommendedActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBackup/Sources/AWSBackup/BackupClient.swift b/Sources/Services/AWSBackup/Sources/AWSBackup/BackupClient.swift index 4a328cf7ed9..83b7a5efedc 100644 --- a/Sources/Services/AWSBackup/Sources/AWSBackup/BackupClient.swift +++ b/Sources/Services/AWSBackup/Sources/AWSBackup/BackupClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BackupClient: ClientRuntime.Client { public static let clientName = "BackupClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BackupClient.BackupClientConfiguration let serviceName = "Backup" @@ -375,9 +374,9 @@ extension BackupClient { /// /// Associates an MPA approval team with a backup vault. /// - /// - Parameter AssociateBackupVaultMpaApprovalTeamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateBackupVaultMpaApprovalTeamInput`) /// - /// - Returns: `AssociateBackupVaultMpaApprovalTeamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateBackupVaultMpaApprovalTeamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateBackupVaultMpaApprovalTeamOutput.httpOutput(from:), AssociateBackupVaultMpaApprovalTeamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension BackupClient { /// /// Removes the specified legal hold on a recovery point. This action can only be performed by a user with sufficient permissions. /// - /// - Parameter CancelLegalHoldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelLegalHoldInput`) /// - /// - Returns: `CancelLegalHoldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelLegalHoldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CancelLegalHoldInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelLegalHoldOutput.httpOutput(from:), CancelLegalHoldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension BackupClient { /// /// Creates a backup plan using a backup plan name and backup rules. A backup plan is a document that contains information that Backup uses to schedule tasks that create recovery points for resources. If you call CreateBackupPlan with a plan that already exists, you receive an AlreadyExistsException exception. /// - /// - Parameter CreateBackupPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBackupPlanInput`) /// - /// - Returns: `CreateBackupPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBackupPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackupPlanOutput.httpOutput(from:), CreateBackupPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension BackupClient { /// /// Creates a JSON document that specifies a set of resources to assign to a backup plan. For examples, see [Assigning resources programmatically](https://docs.aws.amazon.com/aws-backup/latest/devguide/assigning-resources.html#assigning-resources-json). /// - /// - Parameter CreateBackupSelectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBackupSelectionInput`) /// - /// - Returns: `CreateBackupSelectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBackupSelectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackupSelectionOutput.httpOutput(from:), CreateBackupSelectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension BackupClient { /// /// Creates a logical container where backups are stored. A CreateBackupVault request includes a name, optionally one or more resource tags, an encryption key, and a request ID. Do not include sensitive data, such as passport numbers, in the name of a backup vault. /// - /// - Parameter CreateBackupVaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBackupVaultInput`) /// - /// - Returns: `CreateBackupVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBackupVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackupVaultOutput.httpOutput(from:), CreateBackupVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension BackupClient { /// /// Creates a framework with one or more controls. A framework is a collection of controls that you can use to evaluate your backup practices. By using pre-built customizable controls to define your policies, you can evaluate whether your backup practices comply with your policies and which resources are not yet in compliance. /// - /// - Parameter CreateFrameworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFrameworkInput`) /// - /// - Returns: `CreateFrameworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFrameworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFrameworkOutput.httpOutput(from:), CreateFrameworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension BackupClient { /// /// Creates a legal hold on a recovery point (backup). A legal hold is a restraint on altering or deleting a backup until an authorized user cancels the legal hold. Any actions to delete or disassociate a recovery point will fail with an error if one or more active legal holds are on the recovery point. /// - /// - Parameter CreateLegalHoldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLegalHoldInput`) /// - /// - Returns: `CreateLegalHoldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLegalHoldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -849,7 +842,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLegalHoldOutput.httpOutput(from:), CreateLegalHoldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -881,9 +873,9 @@ extension BackupClient { /// /// Creates a logical container to where backups may be copied. This request includes a name, the Region, the maximum number of retention days, the minimum number of retention days, and optionally can include tags and a creator request ID. Do not include sensitive data, such as passport numbers, in the name of a backup vault. /// - /// - Parameter CreateLogicallyAirGappedBackupVaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLogicallyAirGappedBackupVaultInput`) /// - /// - Returns: `CreateLogicallyAirGappedBackupVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLogicallyAirGappedBackupVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -923,7 +915,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLogicallyAirGappedBackupVaultOutput.httpOutput(from:), CreateLogicallyAirGappedBackupVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -955,9 +946,9 @@ extension BackupClient { /// /// Creates a report plan. A report plan is a document that contains information about the contents of the report and where Backup will deliver it. If you call CreateReportPlan with a plan that already exists, you receive an AlreadyExistsException exception. /// - /// - Parameter CreateReportPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReportPlanInput`) /// - /// - Returns: `CreateReportPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReportPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -996,7 +987,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReportPlanOutput.httpOutput(from:), CreateReportPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1028,9 +1018,9 @@ extension BackupClient { /// /// Creates a restore access backup vault that provides temporary access to recovery points in a logically air-gapped backup vault, subject to MPA approval. /// - /// - Parameter CreateRestoreAccessBackupVaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRestoreAccessBackupVaultInput`) /// - /// - Returns: `CreateRestoreAccessBackupVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRestoreAccessBackupVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1071,7 +1061,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRestoreAccessBackupVaultOutput.httpOutput(from:), CreateRestoreAccessBackupVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1103,9 +1092,9 @@ extension BackupClient { /// /// Creates a restore testing plan. The first of two steps to create a restore testing plan. After this request is successful, finish the procedure using CreateRestoreTestingSelection. /// - /// - Parameter CreateRestoreTestingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRestoreTestingPlanInput`) /// - /// - Returns: `CreateRestoreTestingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRestoreTestingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1144,7 +1133,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRestoreTestingPlanOutput.httpOutput(from:), CreateRestoreTestingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1183,9 +1171,9 @@ extension BackupClient { /// /// Each protected resource type can have one single value. A restore testing selection can include a wildcard value ("*") for ProtectedResourceArns along with ProtectedResourceConditions. Alternatively, you can include up to 30 specific protected resource ARNs in ProtectedResourceArns. Cannot select by both protected resource types AND specific ARNs. Request will fail if both are included. /// - /// - Parameter CreateRestoreTestingSelectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRestoreTestingSelectionInput`) /// - /// - Returns: `CreateRestoreTestingSelectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRestoreTestingSelectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1224,7 +1212,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRestoreTestingSelectionOutput.httpOutput(from:), CreateRestoreTestingSelectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1256,9 +1243,9 @@ extension BackupClient { /// /// Deletes a backup plan. A backup plan can only be deleted after all associated selections of resources have been deleted. Deleting a backup plan deletes the current version of a backup plan. Previous versions, if any, will still exist. /// - /// - Parameter DeleteBackupPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBackupPlanInput`) /// - /// - Returns: `DeleteBackupPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackupPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1293,7 +1280,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackupPlanOutput.httpOutput(from:), DeleteBackupPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1325,9 +1311,9 @@ extension BackupClient { /// /// Deletes the resource selection associated with a backup plan that is specified by the SelectionId. /// - /// - Parameter DeleteBackupSelectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBackupSelectionInput`) /// - /// - Returns: `DeleteBackupSelectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackupSelectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1361,7 +1347,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackupSelectionOutput.httpOutput(from:), DeleteBackupSelectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1393,9 +1378,9 @@ extension BackupClient { /// /// Deletes the backup vault identified by its name. A vault can be deleted only if it is empty. /// - /// - Parameter DeleteBackupVaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBackupVaultInput`) /// - /// - Returns: `DeleteBackupVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackupVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1430,7 +1415,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackupVaultOutput.httpOutput(from:), DeleteBackupVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1462,9 +1446,9 @@ extension BackupClient { /// /// Deletes the policy document that manages permissions on a backup vault. /// - /// - Parameter DeleteBackupVaultAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBackupVaultAccessPolicyInput`) /// - /// - Returns: `DeleteBackupVaultAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackupVaultAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1498,7 +1482,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackupVaultAccessPolicyOutput.httpOutput(from:), DeleteBackupVaultAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1530,9 +1513,9 @@ extension BackupClient { /// /// Deletes Backup Vault Lock from a backup vault specified by a backup vault name. If the Vault Lock configuration is immutable, then you cannot delete Vault Lock using API operations, and you will receive an InvalidRequestException if you attempt to do so. For more information, see [Vault Lock](https://docs.aws.amazon.com/aws-backup/latest/devguide/vault-lock.html) in the Backup Developer Guide. /// - /// - Parameter DeleteBackupVaultLockConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBackupVaultLockConfigurationInput`) /// - /// - Returns: `DeleteBackupVaultLockConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackupVaultLockConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1567,7 +1550,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackupVaultLockConfigurationOutput.httpOutput(from:), DeleteBackupVaultLockConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1599,9 +1581,9 @@ extension BackupClient { /// /// Deletes event notifications for the specified backup vault. /// - /// - Parameter DeleteBackupVaultNotificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBackupVaultNotificationsInput`) /// - /// - Returns: `DeleteBackupVaultNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackupVaultNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1635,7 +1617,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackupVaultNotificationsOutput.httpOutput(from:), DeleteBackupVaultNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1667,9 +1648,9 @@ extension BackupClient { /// /// Deletes the framework specified by a framework name. /// - /// - Parameter DeleteFrameworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFrameworkInput`) /// - /// - Returns: `DeleteFrameworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFrameworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1704,7 +1685,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFrameworkOutput.httpOutput(from:), DeleteFrameworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1736,9 +1716,9 @@ extension BackupClient { /// /// Deletes the recovery point specified by a recovery point ID. If the recovery point ID belongs to a continuous backup, calling this endpoint deletes the existing continuous backup and stops future continuous backup. When an IAM role's permissions are insufficient to call this API, the service sends back an HTTP 200 response with an empty HTTP body, but the recovery point is not deleted. Instead, it enters an EXPIRED state. EXPIRED recovery points can be deleted with this API once the IAM role has the iam:CreateServiceLinkedRole action. To learn more about adding this role, see [ Troubleshooting manual deletions](https://docs.aws.amazon.com/aws-backup/latest/devguide/deleting-backups.html#deleting-backups-troubleshooting). If the user or role is deleted or the permission within the role is removed, the deletion will not be successful and will enter an EXPIRED state. /// - /// - Parameter DeleteRecoveryPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRecoveryPointInput`) /// - /// - Returns: `DeleteRecoveryPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRecoveryPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1774,7 +1754,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRecoveryPointOutput.httpOutput(from:), DeleteRecoveryPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1806,9 +1785,9 @@ extension BackupClient { /// /// Deletes the report plan specified by a report plan name. /// - /// - Parameter DeleteReportPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReportPlanInput`) /// - /// - Returns: `DeleteReportPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReportPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1843,7 +1822,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReportPlanOutput.httpOutput(from:), DeleteReportPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1875,9 +1853,9 @@ extension BackupClient { /// /// This request deletes the specified restore testing plan. Deletion can only successfully occur if all associated restore testing selections are deleted first. /// - /// - Parameter DeleteRestoreTestingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRestoreTestingPlanInput`) /// - /// - Returns: `DeleteRestoreTestingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRestoreTestingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1909,7 +1887,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRestoreTestingPlanOutput.httpOutput(from:), DeleteRestoreTestingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1941,9 +1918,9 @@ extension BackupClient { /// /// Input the Restore Testing Plan name and Restore Testing Selection name. All testing selections associated with a restore testing plan must be deleted before the restore testing plan can be deleted. /// - /// - Parameter DeleteRestoreTestingSelectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRestoreTestingSelectionInput`) /// - /// - Returns: `DeleteRestoreTestingSelectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRestoreTestingSelectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1975,7 +1952,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRestoreTestingSelectionOutput.httpOutput(from:), DeleteRestoreTestingSelectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2007,9 +1983,9 @@ extension BackupClient { /// /// Returns backup job details for the specified BackupJobId. /// - /// - Parameter DescribeBackupJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBackupJobInput`) /// - /// - Returns: `DescribeBackupJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBackupJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2044,7 +2020,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBackupJobOutput.httpOutput(from:), DescribeBackupJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2076,9 +2051,9 @@ extension BackupClient { /// /// Returns metadata about a backup vault specified by its name. /// - /// - Parameter DescribeBackupVaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBackupVaultInput`) /// - /// - Returns: `DescribeBackupVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBackupVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2113,7 +2088,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeBackupVaultInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBackupVaultOutput.httpOutput(from:), DescribeBackupVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2145,9 +2119,9 @@ extension BackupClient { /// /// Returns metadata associated with creating a copy of a resource. /// - /// - Parameter DescribeCopyJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCopyJobInput`) /// - /// - Returns: `DescribeCopyJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCopyJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2181,7 +2155,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCopyJobOutput.httpOutput(from:), DescribeCopyJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2213,9 +2186,9 @@ extension BackupClient { /// /// Returns the framework details for the specified FrameworkName. /// - /// - Parameter DescribeFrameworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFrameworkInput`) /// - /// - Returns: `DescribeFrameworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFrameworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2249,7 +2222,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFrameworkOutput.httpOutput(from:), DescribeFrameworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2281,9 +2253,9 @@ extension BackupClient { /// /// Describes whether the Amazon Web Services account is opted in to cross-account backup. Returns an error if the account is not a member of an Organizations organization. Example: describe-global-settings --region us-west-2 /// - /// - Parameter DescribeGlobalSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGlobalSettingsInput`) /// - /// - Returns: `DescribeGlobalSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGlobalSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2315,7 +2287,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGlobalSettingsOutput.httpOutput(from:), DescribeGlobalSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2347,9 +2318,9 @@ extension BackupClient { /// /// Returns information about a saved resource, including the last time it was backed up, its Amazon Resource Name (ARN), and the Amazon Web Services service type of the saved resource. /// - /// - Parameter DescribeProtectedResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProtectedResourceInput`) /// - /// - Returns: `DescribeProtectedResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProtectedResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2383,7 +2354,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProtectedResourceOutput.httpOutput(from:), DescribeProtectedResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2415,9 +2385,9 @@ extension BackupClient { /// /// Returns metadata associated with a recovery point, including ID, status, encryption, and lifecycle. /// - /// - Parameter DescribeRecoveryPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecoveryPointInput`) /// - /// - Returns: `DescribeRecoveryPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecoveryPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2452,7 +2422,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeRecoveryPointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecoveryPointOutput.httpOutput(from:), DescribeRecoveryPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2484,9 +2453,9 @@ extension BackupClient { /// /// Returns the current service opt-in settings for the Region. If service opt-in is enabled for a service, Backup tries to protect that service's resources in this Region, when the resource is included in an on-demand backup or scheduled backup plan. Otherwise, Backup does not try to protect that service's resources in this Region. /// - /// - Parameter DescribeRegionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegionSettingsInput`) /// - /// - Returns: `DescribeRegionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2517,7 +2486,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegionSettingsOutput.httpOutput(from:), DescribeRegionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2549,9 +2517,9 @@ extension BackupClient { /// /// Returns the details associated with creating a report as specified by its ReportJobId. /// - /// - Parameter DescribeReportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReportJobInput`) /// - /// - Returns: `DescribeReportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2584,7 +2552,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReportJobOutput.httpOutput(from:), DescribeReportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2616,9 +2583,9 @@ extension BackupClient { /// /// Returns a list of all report plans for an Amazon Web Services account and Amazon Web Services Region. /// - /// - Parameter DescribeReportPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReportPlanInput`) /// - /// - Returns: `DescribeReportPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReportPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2652,7 +2619,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReportPlanOutput.httpOutput(from:), DescribeReportPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2684,9 +2650,9 @@ extension BackupClient { /// /// Returns metadata associated with a restore job that is specified by a job ID. /// - /// - Parameter DescribeRestoreJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRestoreJobInput`) /// - /// - Returns: `DescribeRestoreJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRestoreJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2721,7 +2687,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRestoreJobOutput.httpOutput(from:), DescribeRestoreJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2753,9 +2718,9 @@ extension BackupClient { /// /// Removes the association between an MPA approval team and a backup vault, disabling the MPA approval workflow for restore operations. /// - /// - Parameter DisassociateBackupVaultMpaApprovalTeamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateBackupVaultMpaApprovalTeamInput`) /// - /// - Returns: `DisassociateBackupVaultMpaApprovalTeamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateBackupVaultMpaApprovalTeamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2794,7 +2759,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateBackupVaultMpaApprovalTeamOutput.httpOutput(from:), DisassociateBackupVaultMpaApprovalTeamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2826,9 +2790,9 @@ extension BackupClient { /// /// Deletes the specified continuous backup recovery point from Backup and releases control of that continuous backup to the source service, such as Amazon RDS. The source service will continue to create and retain continuous backups using the lifecycle that you specified in your original backup plan. Does not support snapshot backup recovery points. /// - /// - Parameter DisassociateRecoveryPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateRecoveryPointInput`) /// - /// - Returns: `DisassociateRecoveryPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateRecoveryPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2864,7 +2828,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateRecoveryPointOutput.httpOutput(from:), DisassociateRecoveryPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2896,9 +2859,9 @@ extension BackupClient { /// /// This action to a specific child (nested) recovery point removes the relationship between the specified recovery point and its parent (composite) recovery point. /// - /// - Parameter DisassociateRecoveryPointFromParentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateRecoveryPointFromParentInput`) /// - /// - Returns: `DisassociateRecoveryPointFromParentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateRecoveryPointFromParentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2933,7 +2896,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateRecoveryPointFromParentOutput.httpOutput(from:), DisassociateRecoveryPointFromParentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2965,9 +2927,9 @@ extension BackupClient { /// /// Returns the backup plan that is specified by the plan ID as a backup template. /// - /// - Parameter ExportBackupPlanTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportBackupPlanTemplateInput`) /// - /// - Returns: `ExportBackupPlanTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportBackupPlanTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3001,7 +2963,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportBackupPlanTemplateOutput.httpOutput(from:), ExportBackupPlanTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3033,9 +2994,9 @@ extension BackupClient { /// /// Returns BackupPlan details for the specified BackupPlanId. The details are the body of a backup plan in JSON format, in addition to plan metadata. /// - /// - Parameter GetBackupPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBackupPlanInput`) /// - /// - Returns: `GetBackupPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackupPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3070,7 +3031,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBackupPlanInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackupPlanOutput.httpOutput(from:), GetBackupPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3102,9 +3062,9 @@ extension BackupClient { /// /// Returns a valid JSON document specifying a backup plan or an error. /// - /// - Parameter GetBackupPlanFromJSONInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBackupPlanFromJSONInput`) /// - /// - Returns: `GetBackupPlanFromJSONOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackupPlanFromJSONOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3142,7 +3102,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackupPlanFromJSONOutput.httpOutput(from:), GetBackupPlanFromJSONOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3174,9 +3133,9 @@ extension BackupClient { /// /// Returns the template specified by its templateId as a backup plan. /// - /// - Parameter GetBackupPlanFromTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBackupPlanFromTemplateInput`) /// - /// - Returns: `GetBackupPlanFromTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackupPlanFromTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3210,7 +3169,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackupPlanFromTemplateOutput.httpOutput(from:), GetBackupPlanFromTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3242,9 +3200,9 @@ extension BackupClient { /// /// Returns selection metadata and a document in JSON format that specifies a list of resources that are associated with a backup plan. /// - /// - Parameter GetBackupSelectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBackupSelectionInput`) /// - /// - Returns: `GetBackupSelectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackupSelectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3278,7 +3236,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackupSelectionOutput.httpOutput(from:), GetBackupSelectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3310,9 +3267,9 @@ extension BackupClient { /// /// Returns the access policy document that is associated with the named backup vault. /// - /// - Parameter GetBackupVaultAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBackupVaultAccessPolicyInput`) /// - /// - Returns: `GetBackupVaultAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackupVaultAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3346,7 +3303,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackupVaultAccessPolicyOutput.httpOutput(from:), GetBackupVaultAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3378,9 +3334,9 @@ extension BackupClient { /// /// Returns event notifications for the specified backup vault. /// - /// - Parameter GetBackupVaultNotificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBackupVaultNotificationsInput`) /// - /// - Returns: `GetBackupVaultNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBackupVaultNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3414,7 +3370,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBackupVaultNotificationsOutput.httpOutput(from:), GetBackupVaultNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3446,9 +3401,9 @@ extension BackupClient { /// /// This action returns details for a specified legal hold. The details are the body of a legal hold in JSON format, in addition to metadata. /// - /// - Parameter GetLegalHoldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLegalHoldInput`) /// - /// - Returns: `GetLegalHoldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLegalHoldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3482,7 +3437,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLegalHoldOutput.httpOutput(from:), GetLegalHoldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3514,9 +3468,9 @@ extension BackupClient { /// /// This operation returns the metadata and details specific to the backup index associated with the specified recovery point. /// - /// - Parameter GetRecoveryPointIndexDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecoveryPointIndexDetailsInput`) /// - /// - Returns: `GetRecoveryPointIndexDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecoveryPointIndexDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3550,7 +3504,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecoveryPointIndexDetailsOutput.httpOutput(from:), GetRecoveryPointIndexDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3582,9 +3535,9 @@ extension BackupClient { /// /// Returns a set of metadata key-value pairs that were used to create the backup. /// - /// - Parameter GetRecoveryPointRestoreMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecoveryPointRestoreMetadataInput`) /// - /// - Returns: `GetRecoveryPointRestoreMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecoveryPointRestoreMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3619,7 +3572,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRecoveryPointRestoreMetadataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecoveryPointRestoreMetadataOutput.httpOutput(from:), GetRecoveryPointRestoreMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3651,9 +3603,9 @@ extension BackupClient { /// /// This request returns the metadata for the specified restore job. /// - /// - Parameter GetRestoreJobMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRestoreJobMetadataInput`) /// - /// - Returns: `GetRestoreJobMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRestoreJobMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3687,7 +3639,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRestoreJobMetadataOutput.httpOutput(from:), GetRestoreJobMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3719,9 +3670,9 @@ extension BackupClient { /// /// This request returns the minimal required set of metadata needed to start a restore job with secure default settings. BackupVaultName and RecoveryPointArn are required parameters. BackupVaultAccountId is an optional parameter. /// - /// - Parameter GetRestoreTestingInferredMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRestoreTestingInferredMetadataInput`) /// - /// - Returns: `GetRestoreTestingInferredMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRestoreTestingInferredMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3756,7 +3707,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRestoreTestingInferredMetadataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRestoreTestingInferredMetadataOutput.httpOutput(from:), GetRestoreTestingInferredMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3788,9 +3738,9 @@ extension BackupClient { /// /// Returns RestoreTestingPlan details for the specified RestoreTestingPlanName. The details are the body of a restore testing plan in JSON format, in addition to plan metadata. /// - /// - Parameter GetRestoreTestingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRestoreTestingPlanInput`) /// - /// - Returns: `GetRestoreTestingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRestoreTestingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3822,7 +3772,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRestoreTestingPlanOutput.httpOutput(from:), GetRestoreTestingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3854,9 +3803,9 @@ extension BackupClient { /// /// Returns RestoreTestingSelection, which displays resources and elements of the restore testing plan. /// - /// - Parameter GetRestoreTestingSelectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRestoreTestingSelectionInput`) /// - /// - Returns: `GetRestoreTestingSelectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRestoreTestingSelectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3888,7 +3837,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRestoreTestingSelectionOutput.httpOutput(from:), GetRestoreTestingSelectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3920,9 +3868,9 @@ extension BackupClient { /// /// Returns the Amazon Web Services resource types supported by Backup. /// - /// - Parameter GetSupportedResourceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSupportedResourceTypesInput`) /// - /// - Returns: `GetSupportedResourceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSupportedResourceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3953,7 +3901,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSupportedResourceTypesOutput.httpOutput(from:), GetSupportedResourceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3985,9 +3932,9 @@ extension BackupClient { /// /// This is a request for a summary of backup jobs created or running within the most recent 30 days. You can include parameters AccountID, State, ResourceType, MessageCategory, AggregationPeriod, MaxResults, or NextToken to filter results. This request returns a summary that contains Region, Account, State, ResourceType, MessageCategory, StartTime, EndTime, and Count of included jobs. /// - /// - Parameter ListBackupJobSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBackupJobSummariesInput`) /// - /// - Returns: `ListBackupJobSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBackupJobSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4020,7 +3967,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBackupJobSummariesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBackupJobSummariesOutput.httpOutput(from:), ListBackupJobSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4052,9 +3998,9 @@ extension BackupClient { /// /// Returns a list of existing backup jobs for an authenticated account for the last 30 days. For a longer period of time, consider using these [monitoring tools](https://docs.aws.amazon.com/aws-backup/latest/devguide/monitoring.html). /// - /// - Parameter ListBackupJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBackupJobsInput`) /// - /// - Returns: `ListBackupJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBackupJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4087,7 +4033,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBackupJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBackupJobsOutput.httpOutput(from:), ListBackupJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4119,9 +4064,9 @@ extension BackupClient { /// /// Lists the backup plan templates. /// - /// - Parameter ListBackupPlanTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBackupPlanTemplatesInput`) /// - /// - Returns: `ListBackupPlanTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBackupPlanTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4156,7 +4101,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBackupPlanTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBackupPlanTemplatesOutput.httpOutput(from:), ListBackupPlanTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4188,9 +4132,9 @@ extension BackupClient { /// /// Returns version metadata of your backup plans, including Amazon Resource Names (ARNs), backup plan IDs, creation and deletion dates, plan names, and version IDs. /// - /// - Parameter ListBackupPlanVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBackupPlanVersionsInput`) /// - /// - Returns: `ListBackupPlanVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBackupPlanVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4225,7 +4169,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBackupPlanVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBackupPlanVersionsOutput.httpOutput(from:), ListBackupPlanVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4257,9 +4200,9 @@ extension BackupClient { /// /// Lists the active backup plans for the account. /// - /// - Parameter ListBackupPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBackupPlansInput`) /// - /// - Returns: `ListBackupPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBackupPlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4294,7 +4237,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBackupPlansInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBackupPlansOutput.httpOutput(from:), ListBackupPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4326,9 +4268,9 @@ extension BackupClient { /// /// Returns an array containing metadata of the resources associated with the target backup plan. /// - /// - Parameter ListBackupSelectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBackupSelectionsInput`) /// - /// - Returns: `ListBackupSelectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBackupSelectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4363,7 +4305,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBackupSelectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBackupSelectionsOutput.httpOutput(from:), ListBackupSelectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4395,9 +4336,9 @@ extension BackupClient { /// /// Returns a list of recovery point storage containers along with information about them. /// - /// - Parameter ListBackupVaultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBackupVaultsInput`) /// - /// - Returns: `ListBackupVaultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBackupVaultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4432,7 +4373,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBackupVaultsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBackupVaultsOutput.httpOutput(from:), ListBackupVaultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4464,9 +4404,9 @@ extension BackupClient { /// /// This request obtains a list of copy jobs created or running within the the most recent 30 days. You can include parameters AccountID, State, ResourceType, MessageCategory, AggregationPeriod, MaxResults, or NextToken to filter results. This request returns a summary that contains Region, Account, State, RestourceType, MessageCategory, StartTime, EndTime, and Count of included jobs. /// - /// - Parameter ListCopyJobSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCopyJobSummariesInput`) /// - /// - Returns: `ListCopyJobSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCopyJobSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4499,7 +4439,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCopyJobSummariesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCopyJobSummariesOutput.httpOutput(from:), ListCopyJobSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4531,9 +4470,9 @@ extension BackupClient { /// /// Returns metadata about your copy jobs. /// - /// - Parameter ListCopyJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCopyJobsInput`) /// - /// - Returns: `ListCopyJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCopyJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4566,7 +4505,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCopyJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCopyJobsOutput.httpOutput(from:), ListCopyJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4598,9 +4536,9 @@ extension BackupClient { /// /// Returns a list of all frameworks for an Amazon Web Services account and Amazon Web Services Region. /// - /// - Parameter ListFrameworksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFrameworksInput`) /// - /// - Returns: `ListFrameworksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFrameworksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4633,7 +4571,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFrameworksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFrameworksOutput.httpOutput(from:), ListFrameworksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4665,9 +4602,9 @@ extension BackupClient { /// /// This operation returns a list of recovery points that have an associated index, belonging to the specified account. Optional parameters you can include are: MaxResults; NextToken; SourceResourceArns; CreatedBefore; CreatedAfter; and ResourceType. /// - /// - Parameter ListIndexedRecoveryPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIndexedRecoveryPointsInput`) /// - /// - Returns: `ListIndexedRecoveryPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIndexedRecoveryPointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4701,7 +4638,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIndexedRecoveryPointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIndexedRecoveryPointsOutput.httpOutput(from:), ListIndexedRecoveryPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4733,9 +4669,9 @@ extension BackupClient { /// /// This action returns metadata about active and previous legal holds. /// - /// - Parameter ListLegalHoldsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLegalHoldsInput`) /// - /// - Returns: `ListLegalHoldsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLegalHoldsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4768,7 +4704,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLegalHoldsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLegalHoldsOutput.httpOutput(from:), ListLegalHoldsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4800,9 +4735,9 @@ extension BackupClient { /// /// Returns an array of resources successfully backed up by Backup, including the time the resource was saved, an Amazon Resource Name (ARN) of the resource, and a resource type. /// - /// - Parameter ListProtectedResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProtectedResourcesInput`) /// - /// - Returns: `ListProtectedResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProtectedResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4835,7 +4770,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProtectedResourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProtectedResourcesOutput.httpOutput(from:), ListProtectedResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4867,9 +4801,9 @@ extension BackupClient { /// /// This request lists the protected resources corresponding to each backup vault. /// - /// - Parameter ListProtectedResourcesByBackupVaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProtectedResourcesByBackupVaultInput`) /// - /// - Returns: `ListProtectedResourcesByBackupVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProtectedResourcesByBackupVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4903,7 +4837,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProtectedResourcesByBackupVaultInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProtectedResourcesByBackupVaultOutput.httpOutput(from:), ListProtectedResourcesByBackupVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4935,9 +4868,9 @@ extension BackupClient { /// /// Returns detailed information about the recovery points stored in a backup vault. /// - /// - Parameter ListRecoveryPointsByBackupVaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecoveryPointsByBackupVaultInput`) /// - /// - Returns: `ListRecoveryPointsByBackupVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecoveryPointsByBackupVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4972,7 +4905,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecoveryPointsByBackupVaultInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecoveryPointsByBackupVaultOutput.httpOutput(from:), ListRecoveryPointsByBackupVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5004,9 +4936,9 @@ extension BackupClient { /// /// This action returns recovery point ARNs (Amazon Resource Names) of the specified legal hold. /// - /// - Parameter ListRecoveryPointsByLegalHoldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecoveryPointsByLegalHoldInput`) /// - /// - Returns: `ListRecoveryPointsByLegalHoldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecoveryPointsByLegalHoldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5040,7 +4972,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecoveryPointsByLegalHoldInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecoveryPointsByLegalHoldOutput.httpOutput(from:), ListRecoveryPointsByLegalHoldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5072,9 +5003,9 @@ extension BackupClient { /// /// The information about the recovery points of the type specified by a resource Amazon Resource Name (ARN). For Amazon EFS and Amazon EC2, this action only lists recovery points created by Backup. /// - /// - Parameter ListRecoveryPointsByResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecoveryPointsByResourceInput`) /// - /// - Returns: `ListRecoveryPointsByResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecoveryPointsByResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5109,7 +5040,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecoveryPointsByResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecoveryPointsByResourceOutput.httpOutput(from:), ListRecoveryPointsByResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5141,9 +5071,9 @@ extension BackupClient { /// /// Returns details about your report jobs. /// - /// - Parameter ListReportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReportJobsInput`) /// - /// - Returns: `ListReportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5177,7 +5107,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReportJobsOutput.httpOutput(from:), ListReportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5209,9 +5138,9 @@ extension BackupClient { /// /// Returns a list of your report plans. For detailed information about a single report plan, use DescribeReportPlan. /// - /// - Parameter ListReportPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReportPlansInput`) /// - /// - Returns: `ListReportPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReportPlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5244,7 +5173,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReportPlansInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReportPlansOutput.httpOutput(from:), ListReportPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5276,9 +5204,9 @@ extension BackupClient { /// /// Returns a list of restore access backup vaults associated with a specified backup vault. /// - /// - Parameter ListRestoreAccessBackupVaultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRestoreAccessBackupVaultsInput`) /// - /// - Returns: `ListRestoreAccessBackupVaultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRestoreAccessBackupVaultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5313,7 +5241,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRestoreAccessBackupVaultsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRestoreAccessBackupVaultsOutput.httpOutput(from:), ListRestoreAccessBackupVaultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5345,9 +5272,9 @@ extension BackupClient { /// /// This request obtains a summary of restore jobs created or running within the the most recent 30 days. You can include parameters AccountID, State, ResourceType, AggregationPeriod, MaxResults, or NextToken to filter results. This request returns a summary that contains Region, Account, State, RestourceType, MessageCategory, StartTime, EndTime, and Count of included jobs. /// - /// - Parameter ListRestoreJobSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRestoreJobSummariesInput`) /// - /// - Returns: `ListRestoreJobSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRestoreJobSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5380,7 +5307,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRestoreJobSummariesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRestoreJobSummariesOutput.httpOutput(from:), ListRestoreJobSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5412,9 +5338,9 @@ extension BackupClient { /// /// Returns a list of jobs that Backup initiated to restore a saved resource, including details about the recovery process. /// - /// - Parameter ListRestoreJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRestoreJobsInput`) /// - /// - Returns: `ListRestoreJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRestoreJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5449,7 +5375,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRestoreJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRestoreJobsOutput.httpOutput(from:), ListRestoreJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5481,9 +5406,9 @@ extension BackupClient { /// /// This returns restore jobs that contain the specified protected resource. You must include ResourceArn. You can optionally include NextToken, ByStatus, MaxResults, ByRecoveryPointCreationDateAfter , and ByRecoveryPointCreationDateBefore. /// - /// - Parameter ListRestoreJobsByProtectedResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRestoreJobsByProtectedResourceInput`) /// - /// - Returns: `ListRestoreJobsByProtectedResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRestoreJobsByProtectedResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5518,7 +5443,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRestoreJobsByProtectedResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRestoreJobsByProtectedResourceOutput.httpOutput(from:), ListRestoreJobsByProtectedResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5550,9 +5474,9 @@ extension BackupClient { /// /// Returns a list of restore testing plans. /// - /// - Parameter ListRestoreTestingPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRestoreTestingPlansInput`) /// - /// - Returns: `ListRestoreTestingPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRestoreTestingPlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5585,7 +5509,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRestoreTestingPlansInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRestoreTestingPlansOutput.httpOutput(from:), ListRestoreTestingPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5617,9 +5540,9 @@ extension BackupClient { /// /// Returns a list of restore testing selections. Can be filtered by MaxResults and RestoreTestingPlanName. /// - /// - Parameter ListRestoreTestingSelectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRestoreTestingSelectionsInput`) /// - /// - Returns: `ListRestoreTestingSelectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRestoreTestingSelectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5653,7 +5576,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRestoreTestingSelectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRestoreTestingSelectionsOutput.httpOutput(from:), ListRestoreTestingSelectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5685,9 +5607,9 @@ extension BackupClient { /// /// Returns the tags assigned to the resource, such as a target recovery point, backup plan, or backup vault. This operation returns results depending on the resource type used in the value for resourceArn. For example, recovery points of Amazon DynamoDB with Advanced Settings have an ARN (Amazon Resource Name) that begins with arn:aws:backup. Recovery points (backups) of DynamoDB without Advanced Settings enabled have an ARN that begins with arn:aws:dynamodb. When this operation is called and when you include values of resourceArn that have an ARN other than arn:aws:backup, it may return one of the exceptions listed below. To prevent this exception, include only values representing resource types that are fully managed by Backup. These have an ARN that begins arn:aws:backup and they are noted in the [Feature availability by resource](https://docs.aws.amazon.com/aws-backup/latest/devguide/backup-feature-availability.html#features-by-resource) table. /// - /// - Parameter ListTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5722,7 +5644,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5754,9 +5675,9 @@ extension BackupClient { /// /// Sets a resource-based policy that is used to manage access permissions on the target backup vault. Requires a backup vault name and an access policy document in JSON format. /// - /// - Parameter PutBackupVaultAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBackupVaultAccessPolicyInput`) /// - /// - Returns: `PutBackupVaultAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBackupVaultAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5793,7 +5714,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBackupVaultAccessPolicyOutput.httpOutput(from:), PutBackupVaultAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5825,9 +5745,9 @@ extension BackupClient { /// /// Applies Backup Vault Lock to a backup vault, preventing attempts to delete any recovery point stored in or created in a backup vault. Vault Lock also prevents attempts to update the lifecycle policy that controls the retention period of any recovery point currently stored in a backup vault. If specified, Vault Lock enforces a minimum and maximum retention period for future backup and copy jobs that target a backup vault. Backup Vault Lock has been assessed by Cohasset Associates for use in environments that are subject to SEC 17a-4, CFTC, and FINRA regulations. For more information about how Backup Vault Lock relates to these regulations, see the [Cohasset Associates Compliance Assessment.](https://docs.aws.amazon.com/aws-backup/latest/devguide/samples/cohassetreport.zip) For more information, see [Backup Vault Lock](https://docs.aws.amazon.com/aws-backup/latest/devguide/vault-lock.html). /// - /// - Parameter PutBackupVaultLockConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBackupVaultLockConfigurationInput`) /// - /// - Returns: `PutBackupVaultLockConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBackupVaultLockConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5865,7 +5785,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBackupVaultLockConfigurationOutput.httpOutput(from:), PutBackupVaultLockConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5897,9 +5816,9 @@ extension BackupClient { /// /// Turns on notifications on a backup vault for the specified topic and events. /// - /// - Parameter PutBackupVaultNotificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBackupVaultNotificationsInput`) /// - /// - Returns: `PutBackupVaultNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBackupVaultNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5936,7 +5855,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBackupVaultNotificationsOutput.httpOutput(from:), PutBackupVaultNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5968,9 +5886,9 @@ extension BackupClient { /// /// This request allows you to send your independent self-run restore test validation results. RestoreJobId and ValidationStatus are required. Optionally, you can input a ValidationStatusMessage. /// - /// - Parameter PutRestoreValidationResultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRestoreValidationResultInput`) /// - /// - Returns: `PutRestoreValidationResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRestoreValidationResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6008,7 +5926,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRestoreValidationResultOutput.httpOutput(from:), PutRestoreValidationResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6040,9 +5957,9 @@ extension BackupClient { /// /// Revokes access to a restore access backup vault, removing the ability to restore from its recovery points and permanently deleting the vault. /// - /// - Parameter RevokeRestoreAccessBackupVaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeRestoreAccessBackupVaultInput`) /// - /// - Returns: `RevokeRestoreAccessBackupVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeRestoreAccessBackupVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6078,7 +5995,6 @@ extension BackupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RevokeRestoreAccessBackupVaultInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeRestoreAccessBackupVaultOutput.httpOutput(from:), RevokeRestoreAccessBackupVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6110,9 +6026,9 @@ extension BackupClient { /// /// Starts an on-demand backup job for the specified resource. /// - /// - Parameter StartBackupJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBackupJobInput`) /// - /// - Returns: `StartBackupJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBackupJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6152,7 +6068,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBackupJobOutput.httpOutput(from:), StartBackupJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6182,11 +6097,11 @@ extension BackupClient { /// Performs the `StartCopyJob` operation on the `Backup` service. /// - /// Starts a job to create a one-time copy of the specified resource. Does not support continuous backups. + /// Starts a job to create a one-time copy of the specified resource. Does not support continuous backups. See [Copy job retry](https://docs.aws.amazon.com/aws-backup/latest/devguide/recov-point-create-a-copy.html#backup-copy-retry) for information on how Backup retries copy job operations. /// - /// - Parameter StartCopyJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCopyJobInput`) /// - /// - Returns: `StartCopyJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCopyJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6226,7 +6141,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCopyJobOutput.httpOutput(from:), StartCopyJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6258,9 +6172,9 @@ extension BackupClient { /// /// Starts an on-demand report job for the specified report plan. /// - /// - Parameter StartReportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartReportJobInput`) /// - /// - Returns: `StartReportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartReportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6298,7 +6212,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReportJobOutput.httpOutput(from:), StartReportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6330,9 +6243,9 @@ extension BackupClient { /// /// Recovers the saved resource identified by an Amazon Resource Name (ARN). /// - /// - Parameter StartRestoreJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRestoreJobInput`) /// - /// - Returns: `StartRestoreJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRestoreJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6371,7 +6284,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRestoreJobOutput.httpOutput(from:), StartRestoreJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6421,9 +6333,9 @@ extension BackupClient { /// /// * Amazon RDS /// - /// - Parameter StopBackupJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopBackupJobInput`) /// - /// - Returns: `StopBackupJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopBackupJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6458,7 +6370,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopBackupJobOutput.httpOutput(from:), StopBackupJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6490,9 +6401,9 @@ extension BackupClient { /// /// Assigns a set of key-value pairs to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6530,7 +6441,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6562,9 +6472,9 @@ extension BackupClient { /// /// Removes a set of key-value pairs from a recovery point, backup plan, or backup vault identified by an Amazon Resource Name (ARN) This API is not supported for recovery points for resource types including Aurora, Amazon DocumentDB. Amazon EBS, Amazon FSx, Neptune, and Amazon RDS. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6601,7 +6511,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6633,9 +6542,9 @@ extension BackupClient { /// /// Updates the specified backup plan. The new version is uniquely identified by its ID. /// - /// - Parameter UpdateBackupPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBackupPlanInput`) /// - /// - Returns: `UpdateBackupPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBackupPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6672,7 +6581,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBackupPlanOutput.httpOutput(from:), UpdateBackupPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6704,9 +6612,9 @@ extension BackupClient { /// /// Updates the specified framework. /// - /// - Parameter UpdateFrameworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFrameworkInput`) /// - /// - Returns: `UpdateFrameworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFrameworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6747,7 +6655,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFrameworkOutput.httpOutput(from:), UpdateFrameworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6779,9 +6686,9 @@ extension BackupClient { /// /// Updates whether the Amazon Web Services account is opted in to cross-account backup. Returns an error if the account is not an Organizations management account. Use the DescribeGlobalSettings API to determine the current settings. /// - /// - Parameter UpdateGlobalSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGlobalSettingsInput`) /// - /// - Returns: `UpdateGlobalSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGlobalSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6818,7 +6725,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGlobalSettingsOutput.httpOutput(from:), UpdateGlobalSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6850,9 +6756,9 @@ extension BackupClient { /// /// This operation updates the settings of a recovery point index. Required: BackupVaultName, RecoveryPointArn, and IAMRoleArn /// - /// - Parameter UpdateRecoveryPointIndexSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRecoveryPointIndexSettingsInput`) /// - /// - Returns: `UpdateRecoveryPointIndexSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRecoveryPointIndexSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6890,7 +6796,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRecoveryPointIndexSettingsOutput.httpOutput(from:), UpdateRecoveryPointIndexSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6922,9 +6827,9 @@ extension BackupClient { /// /// Sets the transition lifecycle of a recovery point. The lifecycle defines when a protected resource is transitioned to cold storage and when it expires. Backup transitions and expires backups automatically according to the lifecycle that you define. Resource types that can transition to cold storage are listed in the [Feature availability by resource](https://docs.aws.amazon.com/aws-backup/latest/devguide/backup-feature-availability.html#features-by-resource) table. Backup ignores this expression for other resource types. Backups transitioned to cold storage must be stored in cold storage for a minimum of 90 days. Therefore, the “retention” setting must be 90 days greater than the “transition to cold after days” setting. The “transition to cold after days” setting cannot be changed after a backup has been transitioned to cold. If your lifecycle currently uses the parameters DeleteAfterDays and MoveToColdStorageAfterDays, include these parameters and their values when you call this operation. Not including them may result in your plan updating with null values. This operation does not support continuous backups. /// - /// - Parameter UpdateRecoveryPointLifecycleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRecoveryPointLifecycleInput`) /// - /// - Returns: `UpdateRecoveryPointLifecycleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRecoveryPointLifecycleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6962,7 +6867,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRecoveryPointLifecycleOutput.httpOutput(from:), UpdateRecoveryPointLifecycleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6994,9 +6898,9 @@ extension BackupClient { /// /// Updates the current service opt-in settings for the Region. Use the DescribeRegionSettings API to determine the resource types that are supported. /// - /// - Parameter UpdateRegionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRegionSettingsInput`) /// - /// - Returns: `UpdateRegionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRegionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7032,7 +6936,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRegionSettingsOutput.httpOutput(from:), UpdateRegionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7064,9 +6967,9 @@ extension BackupClient { /// /// Updates the specified report plan. /// - /// - Parameter UpdateReportPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReportPlanInput`) /// - /// - Returns: `UpdateReportPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReportPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7105,7 +7008,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReportPlanOutput.httpOutput(from:), UpdateReportPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7147,9 +7049,9 @@ extension BackupClient { /// /// * SelectionWindowDays /// - /// - Parameter UpdateRestoreTestingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRestoreTestingPlanInput`) /// - /// - Returns: `UpdateRestoreTestingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRestoreTestingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7187,7 +7089,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRestoreTestingPlanOutput.httpOutput(from:), UpdateRestoreTestingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7219,9 +7120,9 @@ extension BackupClient { /// /// Updates the specified restore testing selection. Most elements except the RestoreTestingSelectionName can be updated with this request. You can use either protected resource ARNs or conditions, but not both. /// - /// - Parameter UpdateRestoreTestingSelectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRestoreTestingSelectionInput`) /// - /// - Returns: `UpdateRestoreTestingSelectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRestoreTestingSelectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7259,7 +7160,6 @@ extension BackupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRestoreTestingSelectionOutput.httpOutput(from:), UpdateRestoreTestingSelectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBackup/Sources/AWSBackup/Models.swift b/Sources/Services/AWSBackup/Sources/AWSBackup/Models.swift index 36c27264043..e2426dd3bc2 100644 --- a/Sources/Services/AWSBackup/Sources/AWSBackup/Models.swift +++ b/Sources/Services/AWSBackup/Sources/AWSBackup/Models.swift @@ -3365,7 +3365,7 @@ public struct DescribeGlobalSettingsInput: Swift.Sendable { } public struct DescribeGlobalSettingsOutput: Swift.Sendable { - /// The status of the flag isCrossAccountBackupEnabled. + /// The status of the flags isCrossAccountBackupEnabled and isMpaEnabled ('Mpa' refers to multi-party approval). public var globalSettings: [Swift.String: Swift.String]? /// The date and time that the flag isCrossAccountBackupEnabled was last updated. This update is in Unix format and Coordinated Universal Time (UTC). The value of LastUpdateTime is accurate to milliseconds. For example, the value 1516925490.087 represents Friday, January 26, 2018 12:11:30.087 AM. public var lastUpdateTime: Foundation.Date? @@ -4163,18 +4163,77 @@ public struct GetBackupPlanInput: Swift.Sendable { /// Uniquely identifies a backup plan. /// This member is required. public var backupPlanId: Swift.String? + /// Number of future scheduled backup runs to preview. When set to 0 (default), no scheduled runs preview is included in the response. Valid range is 0-10. + public var maxScheduledRunsPreview: Swift.Int? /// Unique, randomly generated, Unicode, UTF-8 encoded strings that are at most 1,024 bytes long. Version IDs cannot be edited. public var versionId: Swift.String? public init( backupPlanId: Swift.String? = nil, + maxScheduledRunsPreview: Swift.Int? = 0, versionId: Swift.String? = nil ) { self.backupPlanId = backupPlanId + self.maxScheduledRunsPreview = maxScheduledRunsPreview self.versionId = versionId } } +extension BackupClientTypes { + + public enum RuleExecutionType: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { + case continuous + case continuousAndSnapshots + case snapshots + case sdkUnknown(Swift.String) + + public static var allCases: [RuleExecutionType] { + return [ + .continuous, + .continuousAndSnapshots, + .snapshots + ] + } + + public init?(rawValue: Swift.String) { + let value = Self.allCases.first(where: { $0.rawValue == rawValue }) + self = value ?? Self.sdkUnknown(rawValue) + } + + public var rawValue: Swift.String { + switch self { + case .continuous: return "CONTINUOUS" + case .continuousAndSnapshots: return "CONTINUOUS_AND_SNAPSHOTS" + case .snapshots: return "SNAPSHOTS" + case let .sdkUnknown(s): return s + } + } + } +} + +extension BackupClientTypes { + + /// Contains information about a scheduled backup plan execution, including the execution time, rule type, and associated rule identifier. + public struct ScheduledPlanExecutionMember: Swift.Sendable { + /// The timestamp when the backup is scheduled to run, in Unix format and Coordinated Universal Time (UTC). The value is accurate to milliseconds. + public var executionTime: Foundation.Date? + /// The type of backup rule execution. Valid values are CONTINUOUS (point-in-time recovery), SNAPSHOTS (snapshot backups), or CONTINUOUS_AND_SNAPSHOTS (both types combined). + public var ruleExecutionType: BackupClientTypes.RuleExecutionType? + /// The unique identifier of the backup rule that will execute at the scheduled time. + public var ruleId: Swift.String? + + public init( + executionTime: Foundation.Date? = nil, + ruleExecutionType: BackupClientTypes.RuleExecutionType? = nil, + ruleId: Swift.String? = nil + ) { + self.executionTime = executionTime + self.ruleExecutionType = ruleExecutionType + self.ruleId = ruleId + } + } +} + public struct GetBackupPlanOutput: Swift.Sendable { /// Contains a list of BackupOptions for each resource type. The list is populated only if the advanced option is set for the backup plan. public var advancedBackupSettings: [BackupClientTypes.AdvancedBackupSetting]? @@ -4192,6 +4251,8 @@ public struct GetBackupPlanOutput: Swift.Sendable { public var deletionDate: Foundation.Date? /// The last time this backup plan was run. A date and time, in Unix format and Coordinated Universal Time (UTC). The value of LastExecutionDate is accurate to milliseconds. For example, the value 1516925490.087 represents Friday, January 26, 2018 12:11:30.087 AM. public var lastExecutionDate: Foundation.Date? + /// List of upcoming scheduled backup runs. Only included when MaxScheduledRunsPreview parameter is greater than 0. Contains up to 10 future backup executions with their scheduled times, execution types, and associated rule IDs. + public var scheduledRunsPreview: [BackupClientTypes.ScheduledPlanExecutionMember]? /// Unique, randomly generated, Unicode, UTF-8 encoded strings that are at most 1,024 bytes long. Version IDs cannot be edited. public var versionId: Swift.String? @@ -4204,6 +4265,7 @@ public struct GetBackupPlanOutput: Swift.Sendable { creatorRequestId: Swift.String? = nil, deletionDate: Foundation.Date? = nil, lastExecutionDate: Foundation.Date? = nil, + scheduledRunsPreview: [BackupClientTypes.ScheduledPlanExecutionMember]? = nil, versionId: Swift.String? = nil ) { self.advancedBackupSettings = advancedBackupSettings @@ -4214,6 +4276,7 @@ public struct GetBackupPlanOutput: Swift.Sendable { self.creatorRequestId = creatorRequestId self.deletionDate = deletionDate self.lastExecutionDate = lastExecutionDate + self.scheduledRunsPreview = scheduledRunsPreview self.versionId = versionId } } @@ -7382,7 +7445,7 @@ public struct UpdateFrameworkOutput: Swift.Sendable { } public struct UpdateGlobalSettingsInput: Swift.Sendable { - /// A value for isCrossAccountBackupEnabled and a Region. Example: update-global-settings --global-settings isCrossAccountBackupEnabled=false --region us-west-2. + /// Inputs can include: A value for isCrossAccountBackupEnabled and a Region. Example: update-global-settings --global-settings isCrossAccountBackupEnabled=false --region us-west-2. A value for Multi-party approval, styled as "Mpa": isMpaEnabled. Values can be true or false. Example: update-global-settings --global-settings isMpaEnabled=false --region us-west-2. public var globalSettings: [Swift.String: Swift.String]? public init( @@ -8151,6 +8214,10 @@ extension GetBackupPlanInput { let versionIdQueryItem = Smithy.URIQueryItem(name: "versionId".urlPercentEncoding(), value: Swift.String(versionId).urlPercentEncoding()) items.append(versionIdQueryItem) } + if let maxScheduledRunsPreview = value.maxScheduledRunsPreview { + let maxScheduledRunsPreviewQueryItem = Smithy.URIQueryItem(name: "MaxScheduledRunsPreview".urlPercentEncoding(), value: Swift.String(maxScheduledRunsPreview).urlPercentEncoding()) + items.append(maxScheduledRunsPreviewQueryItem) + } return items } } @@ -10287,6 +10354,7 @@ extension GetBackupPlanOutput { value.creatorRequestId = try reader["CreatorRequestId"].readIfPresent() value.deletionDate = try reader["DeletionDate"].readTimestampIfPresent(format: SmithyTimestamps.TimestampFormat.epochSeconds) value.lastExecutionDate = try reader["LastExecutionDate"].readTimestampIfPresent(format: SmithyTimestamps.TimestampFormat.epochSeconds) + value.scheduledRunsPreview = try reader["ScheduledRunsPreview"].readListIfPresent(memberReadingClosure: BackupClientTypes.ScheduledPlanExecutionMember.read(from:), memberNodeInfo: "member", isFlattened: false) value.versionId = try reader["VersionId"].readIfPresent() return value } @@ -13258,6 +13326,18 @@ extension BackupClientTypes.CopyAction { } } +extension BackupClientTypes.ScheduledPlanExecutionMember { + + static func read(from reader: SmithyJSON.Reader) throws -> BackupClientTypes.ScheduledPlanExecutionMember { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = BackupClientTypes.ScheduledPlanExecutionMember() + value.executionTime = try reader["ExecutionTime"].readTimestampIfPresent(format: SmithyTimestamps.TimestampFormat.epochSeconds) + value.ruleId = try reader["RuleId"].readIfPresent() + value.ruleExecutionType = try reader["RuleExecutionType"].readIfPresent() + return value + } +} + extension BackupClientTypes.BackupSelection { static func write(value: BackupClientTypes.BackupSelection?, to writer: SmithyJSON.Writer) throws { diff --git a/Sources/Services/AWSBackupGateway/Sources/AWSBackupGateway/BackupGatewayClient.swift b/Sources/Services/AWSBackupGateway/Sources/AWSBackupGateway/BackupGatewayClient.swift index 62131d7fad0..117c43ffe25 100644 --- a/Sources/Services/AWSBackupGateway/Sources/AWSBackupGateway/BackupGatewayClient.swift +++ b/Sources/Services/AWSBackupGateway/Sources/AWSBackupGateway/BackupGatewayClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BackupGatewayClient: ClientRuntime.Client { public static let clientName = "BackupGatewayClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BackupGatewayClient.BackupGatewayClientConfiguration let serviceName = "Backup Gateway" @@ -373,9 +372,9 @@ extension BackupGatewayClient { /// /// Associates a backup gateway with your server. After you complete the association process, you can back up and restore your VMs through the gateway. /// - /// - Parameter AssociateGatewayToServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateGatewayToServerInput`) /// - /// - Returns: `AssociateGatewayToServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateGatewayToServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateGatewayToServerOutput.httpOutput(from:), AssociateGatewayToServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension BackupGatewayClient { /// /// Creates a backup gateway. After you create a gateway, you can associate it with a server using the AssociateGatewayToServer operation. /// - /// - Parameter CreateGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGatewayInput`) /// - /// - Returns: `CreateGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGatewayOutput.httpOutput(from:), CreateGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension BackupGatewayClient { /// /// Deletes a backup gateway. /// - /// - Parameter DeleteGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGatewayInput`) /// - /// - Returns: `DeleteGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGatewayOutput.httpOutput(from:), DeleteGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension BackupGatewayClient { /// /// Deletes a hypervisor. /// - /// - Parameter DeleteHypervisorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHypervisorInput`) /// - /// - Returns: `DeleteHypervisorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHypervisorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHypervisorOutput.httpOutput(from:), DeleteHypervisorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension BackupGatewayClient { /// /// Disassociates a backup gateway from the specified server. After the disassociation process finishes, the gateway can no longer access the virtual machines on the server. /// - /// - Parameter DisassociateGatewayFromServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateGatewayFromServerInput`) /// - /// - Returns: `DisassociateGatewayFromServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateGatewayFromServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -700,7 +695,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateGatewayFromServerOutput.httpOutput(from:), DisassociateGatewayFromServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension BackupGatewayClient { /// /// Retrieves the bandwidth rate limit schedule for a specified gateway. By default, gateways do not have bandwidth rate limit schedules, which means no bandwidth rate limiting is in effect. Use this to get a gateway's bandwidth rate limit schedule. /// - /// - Parameter GetBandwidthRateLimitScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBandwidthRateLimitScheduleInput`) /// - /// - Returns: `GetBandwidthRateLimitScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBandwidthRateLimitScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -772,7 +766,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBandwidthRateLimitScheduleOutput.httpOutput(from:), GetBandwidthRateLimitScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension BackupGatewayClient { /// /// By providing the ARN (Amazon Resource Name), this API returns the gateway. /// - /// - Parameter GetGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGatewayInput`) /// - /// - Returns: `GetGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -844,7 +837,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGatewayOutput.httpOutput(from:), GetGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension BackupGatewayClient { /// /// This action requests information about the specified hypervisor to which the gateway will connect. A hypervisor is hardware, software, or firmware that creates and manages virtual machines, and allocates resources to them. /// - /// - Parameter GetHypervisorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHypervisorInput`) /// - /// - Returns: `GetHypervisorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHypervisorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -916,7 +908,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHypervisorOutput.httpOutput(from:), GetHypervisorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -951,9 +942,9 @@ extension BackupGatewayClient { /// /// This action retrieves the property mappings for the specified hypervisor. A hypervisor property mapping displays the relationship of entity properties available from the on-premises hypervisor to the properties available in Amazon Web Services. /// - /// - Parameter GetHypervisorPropertyMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHypervisorPropertyMappingsInput`) /// - /// - Returns: `GetHypervisorPropertyMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHypervisorPropertyMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -988,7 +979,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHypervisorPropertyMappingsOutput.httpOutput(from:), GetHypervisorPropertyMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1023,9 +1013,9 @@ extension BackupGatewayClient { /// /// By providing the ARN (Amazon Resource Name), this API returns the virtual machine. /// - /// - Parameter GetVirtualMachineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVirtualMachineInput`) /// - /// - Returns: `GetVirtualMachineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVirtualMachineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1060,7 +1050,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVirtualMachineOutput.httpOutput(from:), GetVirtualMachineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1095,9 +1084,9 @@ extension BackupGatewayClient { /// /// Connect to a hypervisor by importing its configuration. /// - /// - Parameter ImportHypervisorConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportHypervisorConfigurationInput`) /// - /// - Returns: `ImportHypervisorConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportHypervisorConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1133,7 +1122,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportHypervisorConfigurationOutput.httpOutput(from:), ImportHypervisorConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1168,9 +1156,9 @@ extension BackupGatewayClient { /// /// Lists backup gateways owned by an Amazon Web Services account in an Amazon Web Services Region. The returned list is ordered by gateway Amazon Resource Name (ARN). /// - /// - Parameter ListGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGatewaysInput`) /// - /// - Returns: `ListGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGatewaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1204,7 +1192,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGatewaysOutput.httpOutput(from:), ListGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1239,9 +1226,9 @@ extension BackupGatewayClient { /// /// Lists your hypervisors. /// - /// - Parameter ListHypervisorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHypervisorsInput`) /// - /// - Returns: `ListHypervisorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHypervisorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1275,7 +1262,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHypervisorsOutput.httpOutput(from:), ListHypervisorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1310,9 +1296,9 @@ extension BackupGatewayClient { /// /// Lists the tags applied to the resource identified by its Amazon Resource Name (ARN). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1347,7 +1333,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1382,9 +1367,9 @@ extension BackupGatewayClient { /// /// Lists your virtual machines. /// - /// - Parameter ListVirtualMachinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVirtualMachinesInput`) /// - /// - Returns: `ListVirtualMachinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVirtualMachinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1418,7 +1403,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVirtualMachinesOutput.httpOutput(from:), ListVirtualMachinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1453,9 +1437,9 @@ extension BackupGatewayClient { /// /// This action sets the bandwidth rate limit schedule for a specified gateway. By default, gateways do not have a bandwidth rate limit schedule, which means no bandwidth rate limiting is in effect. Use this to initiate a gateway's bandwidth rate limit schedule. /// - /// - Parameter PutBandwidthRateLimitScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBandwidthRateLimitScheduleInput`) /// - /// - Returns: `PutBandwidthRateLimitScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBandwidthRateLimitScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1490,7 +1474,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBandwidthRateLimitScheduleOutput.httpOutput(from:), PutBandwidthRateLimitScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1525,9 +1508,9 @@ extension BackupGatewayClient { /// /// This action sets the property mappings for the specified hypervisor. A hypervisor property mapping displays the relationship of entity properties available from the on-premises hypervisor to the properties available in Amazon Web Services. /// - /// - Parameter PutHypervisorPropertyMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutHypervisorPropertyMappingsInput`) /// - /// - Returns: `PutHypervisorPropertyMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutHypervisorPropertyMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1564,7 +1547,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutHypervisorPropertyMappingsOutput.httpOutput(from:), PutHypervisorPropertyMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1599,9 +1581,9 @@ extension BackupGatewayClient { /// /// Set the maintenance start time for a gateway. /// - /// - Parameter PutMaintenanceStartTimeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMaintenanceStartTimeInput`) /// - /// - Returns: `PutMaintenanceStartTimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMaintenanceStartTimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1637,7 +1619,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMaintenanceStartTimeOutput.httpOutput(from:), PutMaintenanceStartTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1672,9 +1653,9 @@ extension BackupGatewayClient { /// /// This action sends a request to sync metadata across the specified virtual machines. /// - /// - Parameter StartVirtualMachinesMetadataSyncInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartVirtualMachinesMetadataSyncInput`) /// - /// - Returns: `StartVirtualMachinesMetadataSyncOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartVirtualMachinesMetadataSyncOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1710,7 +1691,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartVirtualMachinesMetadataSyncOutput.httpOutput(from:), StartVirtualMachinesMetadataSyncOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1745,9 +1725,9 @@ extension BackupGatewayClient { /// /// Tag the resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1782,7 +1762,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1817,9 +1796,9 @@ extension BackupGatewayClient { /// /// Tests your hypervisor configuration to validate that backup gateway can connect with the hypervisor and its resources. /// - /// - Parameter TestHypervisorConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestHypervisorConfigurationInput`) /// - /// - Returns: `TestHypervisorConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestHypervisorConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1855,7 +1834,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestHypervisorConfigurationOutput.httpOutput(from:), TestHypervisorConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1890,9 +1868,9 @@ extension BackupGatewayClient { /// /// Removes tags from the resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1927,7 +1905,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1962,9 +1939,9 @@ extension BackupGatewayClient { /// /// Updates a gateway's name. Specify which gateway to update using the Amazon Resource Name (ARN) of the gateway in your request. /// - /// - Parameter UpdateGatewayInformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGatewayInformationInput`) /// - /// - Returns: `UpdateGatewayInformationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGatewayInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2000,7 +1977,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewayInformationOutput.httpOutput(from:), UpdateGatewayInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2035,9 +2011,9 @@ extension BackupGatewayClient { /// /// Updates the gateway virtual machine (VM) software. The request immediately triggers the software update. When you make this request, you get a 200 OK success response immediately. However, it might take some time for the update to complete. /// - /// - Parameter UpdateGatewaySoftwareNowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGatewaySoftwareNowInput`) /// - /// - Returns: `UpdateGatewaySoftwareNowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGatewaySoftwareNowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2072,7 +2048,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewaySoftwareNowOutput.httpOutput(from:), UpdateGatewaySoftwareNowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2107,9 +2082,9 @@ extension BackupGatewayClient { /// /// Updates a hypervisor metadata, including its host, username, and password. Specify which hypervisor to update using the Amazon Resource Name (ARN) of the hypervisor in your request. /// - /// - Parameter UpdateHypervisorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHypervisorInput`) /// - /// - Returns: `UpdateHypervisorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHypervisorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2146,7 +2121,6 @@ extension BackupGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHypervisorOutput.httpOutput(from:), UpdateHypervisorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBackupSearch/Sources/AWSBackupSearch/BackupSearchClient.swift b/Sources/Services/AWSBackupSearch/Sources/AWSBackupSearch/BackupSearchClient.swift index f182899cd97..6a8888c6536 100644 --- a/Sources/Services/AWSBackupSearch/Sources/AWSBackupSearch/BackupSearchClient.swift +++ b/Sources/Services/AWSBackupSearch/Sources/AWSBackupSearch/BackupSearchClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BackupSearchClient: ClientRuntime.Client { public static let clientName = "BackupSearchClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BackupSearchClient.BackupSearchClientConfiguration let serviceName = "BackupSearch" @@ -374,9 +373,9 @@ extension BackupSearchClient { /// /// This operation retrieves metadata of a search job, including its progress. /// - /// - Parameter GetSearchJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSearchJobInput`) /// - /// - Returns: `GetSearchJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSearchJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension BackupSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSearchJobOutput.httpOutput(from:), GetSearchJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension BackupSearchClient { /// /// This operation retrieves the metadata of an export job. An export job is an operation that transmits the results of a search job to a specified S3 bucket in a .csv file. An export job allows you to retain results of a search beyond the search job's scheduled retention of 7 days. /// - /// - Parameter GetSearchResultExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSearchResultExportJobInput`) /// - /// - Returns: `GetSearchResultExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSearchResultExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension BackupSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSearchResultExportJobOutput.httpOutput(from:), GetSearchResultExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension BackupSearchClient { /// /// This operation returns a list of all backups (recovery points) in a paginated format that were included in the search job. If a search does not display an expected backup in the results, you can call this operation to display each backup included in the search. Any backups that were not included because they have a FAILED status from a permissions issue will be displayed, along with a status message. Only recovery points with a backup index that has a status of ACTIVE will be included in search results. If the index has any other status, its status will be displayed along with a status message. /// - /// - Parameter ListSearchJobBackupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSearchJobBackupsInput`) /// - /// - Returns: `ListSearchJobBackupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSearchJobBackupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -550,7 +547,6 @@ extension BackupSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSearchJobBackupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSearchJobBackupsOutput.httpOutput(from:), ListSearchJobBackupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -582,9 +578,9 @@ extension BackupSearchClient { /// /// This operation returns a list of a specified search job. /// - /// - Parameter ListSearchJobResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSearchJobResultsInput`) /// - /// - Returns: `ListSearchJobResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSearchJobResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -620,7 +616,6 @@ extension BackupSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSearchJobResultsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSearchJobResultsOutput.httpOutput(from:), ListSearchJobResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -652,9 +647,9 @@ extension BackupSearchClient { /// /// This operation returns a list of search jobs belonging to an account. /// - /// - Parameter ListSearchJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSearchJobsInput`) /// - /// - Returns: `ListSearchJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSearchJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -689,7 +684,6 @@ extension BackupSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSearchJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSearchJobsOutput.httpOutput(from:), ListSearchJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -721,9 +715,9 @@ extension BackupSearchClient { /// /// This operation exports search results of a search job to a specified destination S3 bucket. /// - /// - Parameter ListSearchResultExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSearchResultExportJobsInput`) /// - /// - Returns: `ListSearchResultExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSearchResultExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -760,7 +754,6 @@ extension BackupSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSearchResultExportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSearchResultExportJobsOutput.httpOutput(from:), ListSearchResultExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -792,9 +785,9 @@ extension BackupSearchClient { /// /// This operation returns the tags for a resource type. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -829,7 +822,6 @@ extension BackupSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -861,9 +853,9 @@ extension BackupSearchClient { /// /// This operation creates a search job which returns recovery points filtered by SearchScope and items filtered by ItemFilters. You can optionally include ClientToken, EncryptionKeyArn, Name, and/or Tags. /// - /// - Parameter StartSearchJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSearchJobInput`) /// - /// - Returns: `StartSearchJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSearchJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -903,7 +895,6 @@ extension BackupSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSearchJobOutput.httpOutput(from:), StartSearchJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -935,9 +926,9 @@ extension BackupSearchClient { /// /// This operations starts a job to export the results of search job to a designated S3 bucket. /// - /// - Parameter StartSearchResultExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSearchResultExportJobInput`) /// - /// - Returns: `StartSearchResultExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSearchResultExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -977,7 +968,6 @@ extension BackupSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSearchResultExportJobOutput.httpOutput(from:), StartSearchResultExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1009,9 +999,9 @@ extension BackupSearchClient { /// /// This operations ends a search job. Only a search job with a status of RUNNING can be stopped. /// - /// - Parameter StopSearchJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSearchJobInput`) /// - /// - Returns: `StopSearchJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSearchJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1047,7 +1037,6 @@ extension BackupSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSearchJobOutput.httpOutput(from:), StopSearchJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1079,9 +1068,9 @@ extension BackupSearchClient { /// /// This operation puts tags on the resource you indicate. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1119,7 +1108,6 @@ extension BackupSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1151,9 +1139,9 @@ extension BackupSearchClient { /// /// This operation removes tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1189,7 +1177,6 @@ extension BackupSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBatch/Sources/AWSBatch/BatchClient.swift b/Sources/Services/AWSBatch/Sources/AWSBatch/BatchClient.swift index 3c32a8aa0d0..152193456df 100644 --- a/Sources/Services/AWSBatch/Sources/AWSBatch/BatchClient.swift +++ b/Sources/Services/AWSBatch/Sources/AWSBatch/BatchClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BatchClient: ClientRuntime.Client { public static let clientName = "BatchClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BatchClient.BatchClientConfiguration let serviceName = "Batch" @@ -374,9 +373,9 @@ extension BatchClient { /// /// Cancels a job in an Batch job queue. Jobs that are in a SUBMITTED, PENDING, or RUNNABLE state are cancelled and the job status is updated to FAILED. A PENDING job is canceled after all dependency jobs are completed. Therefore, it may take longer than expected to cancel a job in PENDING status. When you try to cancel an array parent job in PENDING, Batch attempts to cancel all child jobs. The array parent job is canceled when all child jobs are completed. Jobs that progressed to the STARTING or RUNNING state aren't canceled. However, the API operation still succeeds, even if no job is canceled. These jobs must be terminated with the [TerminateJob] operation. /// - /// - Parameter CancelJobInput : Contains the parameters for CancelJob. + /// - Parameter input: Contains the parameters for CancelJob. (Type: `CancelJobInput`) /// - /// - Returns: `CancelJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJobOutput.httpOutput(from:), CancelJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension BatchClient { /// /// Creates an Batch compute environment. You can create MANAGED or UNMANAGED compute environments. MANAGED compute environments can use Amazon EC2 or Fargate resources. UNMANAGED compute environments can only use EC2 resources. In a managed compute environment, Batch manages the capacity and instance types of the compute resources within the environment. This is based on the compute resource specification that you define or the [launch template](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-launch-templates.html) that you specify when you create the compute environment. Either, you can choose to use EC2 On-Demand Instances and EC2 Spot Instances. Or, you can use Fargate and Fargate Spot capacity in your managed compute environment. You can optionally set a maximum price so that Spot Instances only launch when the Spot Instance price is less than a specified percentage of the On-Demand price. In an unmanaged compute environment, you can manage your own EC2 compute resources and have flexibility with how you configure your compute resources. For example, you can use custom AMIs. However, you must verify that each of your AMIs meet the Amazon ECS container instance AMI specification. For more information, see [container instance AMIs](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/container_instance_AMIs.html) in the Amazon Elastic Container Service Developer Guide. After you created your unmanaged compute environment, you can use the [DescribeComputeEnvironments] operation to find the Amazon ECS cluster that's associated with it. Then, launch your container instances into that Amazon ECS cluster. For more information, see [Launching an Amazon ECS container instance](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/launch_container_instance.html) in the Amazon Elastic Container Service Developer Guide. Batch doesn't automatically upgrade the AMIs in a compute environment after it's created. For more information on how to update a compute environment's AMI, see [Updating compute environments](https://docs.aws.amazon.com/batch/latest/userguide/updating-compute-environments.html) in the Batch User Guide. /// - /// - Parameter CreateComputeEnvironmentInput : Contains the parameters for CreateComputeEnvironment. + /// - Parameter input: Contains the parameters for CreateComputeEnvironment. (Type: `CreateComputeEnvironmentInput`) /// - /// - Returns: `CreateComputeEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateComputeEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComputeEnvironmentOutput.httpOutput(from:), CreateComputeEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension BatchClient { /// /// Creates an Batch consumable resource. /// - /// - Parameter CreateConsumableResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConsumableResourceInput`) /// - /// - Returns: `CreateConsumableResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConsumableResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -549,7 +546,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConsumableResourceOutput.httpOutput(from:), CreateConsumableResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -581,9 +577,9 @@ extension BatchClient { /// /// Creates an Batch job queue. When you create a job queue, you associate one or more compute environments to the queue and assign an order of preference for the compute environments. You also set a priority to the job queue that determines the order that the Batch scheduler places jobs onto its associated compute environments. For example, if a compute environment is associated with more than one job queue, the job queue with a higher priority is given preference for scheduling jobs to that compute environment. /// - /// - Parameter CreateJobQueueInput : Contains the parameters for CreateJobQueue. + /// - Parameter input: Contains the parameters for CreateJobQueue. (Type: `CreateJobQueueInput`) /// - /// - Returns: `CreateJobQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -618,7 +614,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobQueueOutput.httpOutput(from:), CreateJobQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -650,9 +645,9 @@ extension BatchClient { /// /// Creates an Batch scheduling policy. /// - /// - Parameter CreateSchedulingPolicyInput : Contains the parameters for CreateSchedulingPolicy. + /// - Parameter input: Contains the parameters for CreateSchedulingPolicy. (Type: `CreateSchedulingPolicyInput`) /// - /// - Returns: `CreateSchedulingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSchedulingPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -687,7 +682,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSchedulingPolicyOutput.httpOutput(from:), CreateSchedulingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -719,9 +713,9 @@ extension BatchClient { /// /// Creates a service environment for running service jobs. Service environments define capacity limits for specific service types such as SageMaker Training jobs. /// - /// - Parameter CreateServiceEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceEnvironmentInput`) /// - /// - Returns: `CreateServiceEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -756,7 +750,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceEnvironmentOutput.httpOutput(from:), CreateServiceEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -788,9 +781,9 @@ extension BatchClient { /// /// Deletes an Batch compute environment. Before you can delete a compute environment, you must set its state to DISABLED with the [UpdateComputeEnvironment] API operation and disassociate it from any job queues with the [UpdateJobQueue] API operation. Compute environments that use Fargate resources must terminate all active jobs on that compute environment before deleting the compute environment. If this isn't done, the compute environment enters an invalid state. /// - /// - Parameter DeleteComputeEnvironmentInput : Contains the parameters for DeleteComputeEnvironment. + /// - Parameter input: Contains the parameters for DeleteComputeEnvironment. (Type: `DeleteComputeEnvironmentInput`) /// - /// - Returns: `DeleteComputeEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteComputeEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -825,7 +818,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteComputeEnvironmentOutput.httpOutput(from:), DeleteComputeEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -857,9 +849,9 @@ extension BatchClient { /// /// Deletes the specified consumable resource. /// - /// - Parameter DeleteConsumableResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConsumableResourceInput`) /// - /// - Returns: `DeleteConsumableResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConsumableResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -894,7 +886,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConsumableResourceOutput.httpOutput(from:), DeleteConsumableResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -926,9 +917,9 @@ extension BatchClient { /// /// Deletes the specified job queue. You must first disable submissions for a queue with the [UpdateJobQueue] operation. All jobs in the queue are eventually terminated when you delete a job queue. The jobs are terminated at a rate of about 16 jobs each second. It's not necessary to disassociate compute environments from a queue before submitting a DeleteJobQueue request. /// - /// - Parameter DeleteJobQueueInput : Contains the parameters for DeleteJobQueue. + /// - Parameter input: Contains the parameters for DeleteJobQueue. (Type: `DeleteJobQueueInput`) /// - /// - Returns: `DeleteJobQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -963,7 +954,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobQueueOutput.httpOutput(from:), DeleteJobQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -995,9 +985,9 @@ extension BatchClient { /// /// Deletes the specified scheduling policy. You can't delete a scheduling policy that's used in any job queues. /// - /// - Parameter DeleteSchedulingPolicyInput : Contains the parameters for DeleteSchedulingPolicy. + /// - Parameter input: Contains the parameters for DeleteSchedulingPolicy. (Type: `DeleteSchedulingPolicyInput`) /// - /// - Returns: `DeleteSchedulingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSchedulingPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1032,7 +1022,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSchedulingPolicyOutput.httpOutput(from:), DeleteSchedulingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1064,9 +1053,9 @@ extension BatchClient { /// /// Deletes a Service environment. Before you can delete a service environment, you must first set its state to DISABLED with the UpdateServiceEnvironment API operation and disassociate it from any job queues with the UpdateJobQueue API operation. /// - /// - Parameter DeleteServiceEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceEnvironmentInput`) /// - /// - Returns: `DeleteServiceEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1101,7 +1090,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceEnvironmentOutput.httpOutput(from:), DeleteServiceEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1133,9 +1121,9 @@ extension BatchClient { /// /// Deregisters an Batch job definition. Job definitions are permanently deleted after 180 days. /// - /// - Parameter DeregisterJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterJobDefinitionInput`) /// - /// - Returns: `DeregisterJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1170,7 +1158,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterJobDefinitionOutput.httpOutput(from:), DeregisterJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1202,9 +1189,9 @@ extension BatchClient { /// /// Describes one or more of your compute environments. If you're using an unmanaged compute environment, you can use the DescribeComputeEnvironment operation to determine the ecsClusterArn that you launch your Amazon ECS container instances into. /// - /// - Parameter DescribeComputeEnvironmentsInput : Contains the parameters for DescribeComputeEnvironments. + /// - Parameter input: Contains the parameters for DescribeComputeEnvironments. (Type: `DescribeComputeEnvironmentsInput`) /// - /// - Returns: `DescribeComputeEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeComputeEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1239,7 +1226,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComputeEnvironmentsOutput.httpOutput(from:), DescribeComputeEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1271,9 +1257,9 @@ extension BatchClient { /// /// Returns a description of the specified consumable resource. /// - /// - Parameter DescribeConsumableResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConsumableResourceInput`) /// - /// - Returns: `DescribeConsumableResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConsumableResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1308,7 +1294,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConsumableResourceOutput.httpOutput(from:), DescribeConsumableResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1340,9 +1325,9 @@ extension BatchClient { /// /// Describes a list of job definitions. You can specify a status (such as ACTIVE) to only return job definitions that match that status. /// - /// - Parameter DescribeJobDefinitionsInput : Contains the parameters for DescribeJobDefinitions. + /// - Parameter input: Contains the parameters for DescribeJobDefinitions. (Type: `DescribeJobDefinitionsInput`) /// - /// - Returns: `DescribeJobDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1377,7 +1362,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobDefinitionsOutput.httpOutput(from:), DescribeJobDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1409,9 +1393,9 @@ extension BatchClient { /// /// Describes one or more of your job queues. /// - /// - Parameter DescribeJobQueuesInput : Contains the parameters for DescribeJobQueues. + /// - Parameter input: Contains the parameters for DescribeJobQueues. (Type: `DescribeJobQueuesInput`) /// - /// - Returns: `DescribeJobQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1446,7 +1430,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobQueuesOutput.httpOutput(from:), DescribeJobQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1478,9 +1461,9 @@ extension BatchClient { /// /// Describes a list of Batch jobs. /// - /// - Parameter DescribeJobsInput : Contains the parameters for DescribeJobs. + /// - Parameter input: Contains the parameters for DescribeJobs. (Type: `DescribeJobsInput`) /// - /// - Returns: `DescribeJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1515,7 +1498,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobsOutput.httpOutput(from:), DescribeJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1547,9 +1529,9 @@ extension BatchClient { /// /// Describes one or more of your scheduling policies. /// - /// - Parameter DescribeSchedulingPoliciesInput : Contains the parameters for DescribeSchedulingPolicies. + /// - Parameter input: Contains the parameters for DescribeSchedulingPolicies. (Type: `DescribeSchedulingPoliciesInput`) /// - /// - Returns: `DescribeSchedulingPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSchedulingPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1584,7 +1566,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSchedulingPoliciesOutput.httpOutput(from:), DescribeSchedulingPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1616,9 +1597,9 @@ extension BatchClient { /// /// Describes one or more of your service environments. /// - /// - Parameter DescribeServiceEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceEnvironmentsInput`) /// - /// - Returns: `DescribeServiceEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1653,7 +1634,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceEnvironmentsOutput.httpOutput(from:), DescribeServiceEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1685,9 +1665,9 @@ extension BatchClient { /// /// The details of a service job. /// - /// - Parameter DescribeServiceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceJobInput`) /// - /// - Returns: `DescribeServiceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1722,7 +1702,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceJobOutput.httpOutput(from:), DescribeServiceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1754,9 +1733,9 @@ extension BatchClient { /// /// Provides a list of the first 100 RUNNABLE jobs associated to a single job queue. /// - /// - Parameter GetJobQueueSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobQueueSnapshotInput`) /// - /// - Returns: `GetJobQueueSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobQueueSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1791,7 +1770,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobQueueSnapshotOutput.httpOutput(from:), GetJobQueueSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1823,9 +1801,9 @@ extension BatchClient { /// /// Returns a list of Batch consumable resources. /// - /// - Parameter ListConsumableResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConsumableResourcesInput`) /// - /// - Returns: `ListConsumableResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConsumableResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1860,7 +1838,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConsumableResourcesOutput.httpOutput(from:), ListConsumableResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1901,9 +1878,9 @@ extension BatchClient { /// /// You can filter the results by job status with the jobStatus parameter. If you don't specify a status, only RUNNING jobs are returned. /// - /// - Parameter ListJobsInput : Contains the parameters for ListJobs. + /// - Parameter input: Contains the parameters for ListJobs. (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1938,7 +1915,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1970,9 +1946,9 @@ extension BatchClient { /// /// Returns a list of Batch jobs that require a specific consumable resource. /// - /// - Parameter ListJobsByConsumableResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobsByConsumableResourceInput`) /// - /// - Returns: `ListJobsByConsumableResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobsByConsumableResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2007,7 +1983,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsByConsumableResourceOutput.httpOutput(from:), ListJobsByConsumableResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2039,9 +2014,9 @@ extension BatchClient { /// /// Returns a list of Batch scheduling policies. /// - /// - Parameter ListSchedulingPoliciesInput : Contains the parameters for ListSchedulingPolicies. + /// - Parameter input: Contains the parameters for ListSchedulingPolicies. (Type: `ListSchedulingPoliciesInput`) /// - /// - Returns: `ListSchedulingPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchedulingPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2076,7 +2051,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchedulingPoliciesOutput.httpOutput(from:), ListSchedulingPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2108,9 +2082,9 @@ extension BatchClient { /// /// Returns a list of service jobs for a specified job queue. /// - /// - Parameter ListServiceJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceJobsInput`) /// - /// - Returns: `ListServiceJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2145,7 +2119,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceJobsOutput.httpOutput(from:), ListServiceJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2177,9 +2150,9 @@ extension BatchClient { /// /// Lists the tags for an Batch resource. Batch resources that support tags are compute environments, jobs, job definitions, job queues, and scheduling policies. ARNs for child jobs of array and multi-node parallel (MNP) jobs aren't supported. /// - /// - Parameter ListTagsForResourceInput : Contains the parameters for ListTagsForResource. + /// - Parameter input: Contains the parameters for ListTagsForResource. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2211,7 +2184,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2243,9 +2215,9 @@ extension BatchClient { /// /// Registers an Batch job definition. /// - /// - Parameter RegisterJobDefinitionInput : Contains the parameters for RegisterJobDefinition. + /// - Parameter input: Contains the parameters for RegisterJobDefinition. (Type: `RegisterJobDefinitionInput`) /// - /// - Returns: `RegisterJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2280,7 +2252,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterJobDefinitionOutput.httpOutput(from:), RegisterJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2312,9 +2283,9 @@ extension BatchClient { /// /// Submits an Batch job from a job definition. Parameters that are specified during [SubmitJob] override parameters defined in the job definition. vCPU and memory requirements that are specified in the resourceRequirements objects in the job definition are the exception. They can't be overridden this way using the memory and vcpus parameters. Rather, you must specify updates to job definition parameters in a resourceRequirements object that's included in the containerOverrides parameter. Job queues with a scheduling policy are limited to 500 active share identifiers at a time. Jobs that run on Fargate resources can't be guaranteed to run for more than 14 days. This is because, after 14 days, Fargate resources might become unavailable and job might be terminated. /// - /// - Parameter SubmitJobInput : Contains the parameters for SubmitJob. + /// - Parameter input: Contains the parameters for SubmitJob. (Type: `SubmitJobInput`) /// - /// - Returns: `SubmitJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubmitJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2349,7 +2320,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitJobOutput.httpOutput(from:), SubmitJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2381,9 +2351,9 @@ extension BatchClient { /// /// Submits a service job to a specified job queue to run on SageMaker AI. A service job is a unit of work that you submit to Batch for execution on SageMaker AI. /// - /// - Parameter SubmitServiceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubmitServiceJobInput`) /// - /// - Returns: `SubmitServiceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubmitServiceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2419,7 +2389,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitServiceJobOutput.httpOutput(from:), SubmitServiceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2451,9 +2420,9 @@ extension BatchClient { /// /// Associates the specified tags to a resource with the specified resourceArn. If existing tags on a resource aren't specified in the request parameters, they aren't changed. When a resource is deleted, the tags that are associated with that resource are deleted as well. Batch resources that support tags are compute environments, jobs, job definitions, job queues, and scheduling policies. ARNs for child jobs of array and multi-node parallel (MNP) jobs aren't supported. /// - /// - Parameter TagResourceInput : Contains the parameters for TagResource. + /// - Parameter input: Contains the parameters for TagResource. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2488,7 +2457,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2520,9 +2488,9 @@ extension BatchClient { /// /// Terminates a job in a job queue. Jobs that are in the STARTING or RUNNING state are terminated, which causes them to transition to FAILED. Jobs that have not progressed to the STARTING state are cancelled. /// - /// - Parameter TerminateJobInput : Contains the parameters for TerminateJob. + /// - Parameter input: Contains the parameters for TerminateJob. (Type: `TerminateJobInput`) /// - /// - Returns: `TerminateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2557,7 +2525,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateJobOutput.httpOutput(from:), TerminateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2589,9 +2556,9 @@ extension BatchClient { /// /// Terminates a service job in a job queue. /// - /// - Parameter TerminateServiceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateServiceJobInput`) /// - /// - Returns: `TerminateServiceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateServiceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2626,7 +2593,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateServiceJobOutput.httpOutput(from:), TerminateServiceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2658,9 +2624,9 @@ extension BatchClient { /// /// Deletes specified tags from an Batch resource. /// - /// - Parameter UntagResourceInput : Contains the parameters for UntagResource. + /// - Parameter input: Contains the parameters for UntagResource. (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2693,7 +2659,6 @@ extension BatchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2725,9 +2690,9 @@ extension BatchClient { /// /// Updates an Batch compute environment. /// - /// - Parameter UpdateComputeEnvironmentInput : Contains the parameters for UpdateComputeEnvironment. + /// - Parameter input: Contains the parameters for UpdateComputeEnvironment. (Type: `UpdateComputeEnvironmentInput`) /// - /// - Returns: `UpdateComputeEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateComputeEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2762,7 +2727,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateComputeEnvironmentOutput.httpOutput(from:), UpdateComputeEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2794,9 +2758,9 @@ extension BatchClient { /// /// Updates a consumable resource. /// - /// - Parameter UpdateConsumableResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConsumableResourceInput`) /// - /// - Returns: `UpdateConsumableResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConsumableResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2832,7 +2796,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConsumableResourceOutput.httpOutput(from:), UpdateConsumableResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2864,9 +2827,9 @@ extension BatchClient { /// /// Updates a job queue. /// - /// - Parameter UpdateJobQueueInput : Contains the parameters for UpdateJobQueue. + /// - Parameter input: Contains the parameters for UpdateJobQueue. (Type: `UpdateJobQueueInput`) /// - /// - Returns: `UpdateJobQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2901,7 +2864,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobQueueOutput.httpOutput(from:), UpdateJobQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2933,9 +2895,9 @@ extension BatchClient { /// /// Updates a scheduling policy. /// - /// - Parameter UpdateSchedulingPolicyInput : Contains the parameters for UpdateSchedulingPolicy. + /// - Parameter input: Contains the parameters for UpdateSchedulingPolicy. (Type: `UpdateSchedulingPolicyInput`) /// - /// - Returns: `UpdateSchedulingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSchedulingPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2970,7 +2932,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSchedulingPolicyOutput.httpOutput(from:), UpdateSchedulingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3002,9 +2963,9 @@ extension BatchClient { /// /// Updates a service environment. You can update the state of a service environment from ENABLED to DISABLED to prevent new service jobs from being placed in the service environment. /// - /// - Parameter UpdateServiceEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceEnvironmentInput`) /// - /// - Returns: `UpdateServiceEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3039,7 +3000,6 @@ extension BatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceEnvironmentOutput.httpOutput(from:), UpdateServiceEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBedrock/Sources/AWSBedrock/BedrockClient.swift b/Sources/Services/AWSBedrock/Sources/AWSBedrock/BedrockClient.swift index e8e7db53cf5..e21f974dd55 100644 --- a/Sources/Services/AWSBedrock/Sources/AWSBedrock/BedrockClient.swift +++ b/Sources/Services/AWSBedrock/Sources/AWSBedrock/BedrockClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -72,7 +71,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BedrockClient: ClientRuntime.Client { public static let clientName = "BedrockClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BedrockClient.BedrockClientConfiguration let serviceName = "Bedrock" @@ -378,9 +377,9 @@ extension BedrockClient { /// /// Deletes a batch of evaluation jobs. An evaluation job can only be deleted if it has following status FAILED, COMPLETED, and STOPPED. You can request up to 25 model evaluation jobs be deleted in a single request. /// - /// - Parameter BatchDeleteEvaluationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteEvaluationJobInput`) /// - /// - Returns: `BatchDeleteEvaluationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteEvaluationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteEvaluationJobOutput.httpOutput(from:), BatchDeleteEvaluationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension BedrockClient { /// /// Cancels a running Automated Reasoning policy build workflow. This stops the policy generation process and prevents further processing of the source documents. /// - /// - Parameter CancelAutomatedReasoningPolicyBuildWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelAutomatedReasoningPolicyBuildWorkflowInput`) /// - /// - Returns: `CancelAutomatedReasoningPolicyBuildWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelAutomatedReasoningPolicyBuildWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelAutomatedReasoningPolicyBuildWorkflowOutput.httpOutput(from:), CancelAutomatedReasoningPolicyBuildWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension BedrockClient { /// /// Creates an Automated Reasoning policy for Amazon Bedrock Guardrails. Automated Reasoning policies use mathematical techniques to detect hallucinations, suggest corrections, and highlight unstated assumptions in the responses of your GenAI application. To create a policy, you upload a source document that describes the rules that you're encoding. Automated Reasoning extracts important concepts from the source document that will become variables in the policy and infers policy rules. /// - /// - Parameter CreateAutomatedReasoningPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAutomatedReasoningPolicyInput`) /// - /// - Returns: `CreateAutomatedReasoningPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAutomatedReasoningPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -566,7 +563,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAutomatedReasoningPolicyOutput.httpOutput(from:), CreateAutomatedReasoningPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension BedrockClient { /// /// Creates a test for an Automated Reasoning policy. Tests validate that your policy works as expected by providing sample inputs and expected outcomes. Use tests to verify policy behavior before deploying to production. /// - /// - Parameter CreateAutomatedReasoningPolicyTestCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAutomatedReasoningPolicyTestCaseInput`) /// - /// - Returns: `CreateAutomatedReasoningPolicyTestCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAutomatedReasoningPolicyTestCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -642,7 +638,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAutomatedReasoningPolicyTestCaseOutput.httpOutput(from:), CreateAutomatedReasoningPolicyTestCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -675,9 +670,9 @@ extension BedrockClient { /// /// Creates a new version of an existing Automated Reasoning policy. This allows you to iterate on your policy rules while maintaining previous versions for rollback or comparison purposes. /// - /// - Parameter CreateAutomatedReasoningPolicyVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAutomatedReasoningPolicyVersionInput`) /// - /// - Returns: `CreateAutomatedReasoningPolicyVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAutomatedReasoningPolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAutomatedReasoningPolicyVersionOutput.httpOutput(from:), CreateAutomatedReasoningPolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -767,9 +761,9 @@ extension BedrockClient { /// /// * [DeleteCustomModel](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_DeleteCustomModel.html) /// - /// - Parameter CreateCustomModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomModelInput`) /// - /// - Returns: `CreateCustomModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -811,7 +805,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomModelOutput.httpOutput(from:), CreateCustomModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -850,9 +843,9 @@ extension BedrockClient { /// /// * [DeleteCustomModelDeployment](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_DeleteCustomModelDeployment.html) /// - /// - Parameter CreateCustomModelDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomModelDeploymentInput`) /// - /// - Returns: `CreateCustomModelDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomModelDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -893,7 +886,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomModelDeploymentOutput.httpOutput(from:), CreateCustomModelDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -926,9 +918,9 @@ extension BedrockClient { /// /// Creates an evaluation job. /// - /// - Parameter CreateEvaluationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEvaluationJobInput`) /// - /// - Returns: `CreateEvaluationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEvaluationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -969,7 +961,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEvaluationJobOutput.httpOutput(from:), CreateEvaluationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1002,9 +993,9 @@ extension BedrockClient { /// /// Request a model access agreement for the specified model. /// - /// - Parameter CreateFoundationModelAgreementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFoundationModelAgreementInput`) /// - /// - Returns: `CreateFoundationModelAgreementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFoundationModelAgreementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1043,7 +1034,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFoundationModelAgreementOutput.httpOutput(from:), CreateFoundationModelAgreementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1087,9 +1077,9 @@ extension BedrockClient { /// /// In addition to the above policies, you can also configure the messages to be returned to the user if a user input or model response is in violation of the policies defined in the guardrail. For more information, see [Amazon Bedrock Guardrails](https://docs.aws.amazon.com/bedrock/latest/userguide/guardrails.html) in the Amazon Bedrock User Guide. /// - /// - Parameter CreateGuardrailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGuardrailInput`) /// - /// - Returns: `CreateGuardrailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGuardrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1131,7 +1121,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGuardrailOutput.httpOutput(from:), CreateGuardrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1164,9 +1153,9 @@ extension BedrockClient { /// /// Creates a version of the guardrail. Use this API to create a snapshot of the guardrail when you are satisfied with a configuration, or to compare the configuration with another version. /// - /// - Parameter CreateGuardrailVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGuardrailVersionInput`) /// - /// - Returns: `CreateGuardrailVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGuardrailVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1207,7 +1196,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGuardrailVersionOutput.httpOutput(from:), CreateGuardrailVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1240,9 +1228,9 @@ extension BedrockClient { /// /// Creates an application inference profile to track metrics and costs when invoking a model. To create an application inference profile for a foundation model in one region, specify the ARN of the model in that region. To create an application inference profile for a foundation model across multiple regions, specify the ARN of the system-defined inference profile that contains the regions that you want to route requests to. For more information, see [Increase throughput and resilience with cross-region inference in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/cross-region-inference.html). in the Amazon Bedrock User Guide. /// - /// - Parameter CreateInferenceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInferenceProfileInput`) /// - /// - Returns: `CreateInferenceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInferenceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1284,7 +1272,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInferenceProfileOutput.httpOutput(from:), CreateInferenceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1317,9 +1304,9 @@ extension BedrockClient { /// /// Creates an endpoint for a model from Amazon Bedrock Marketplace. The endpoint is hosted by Amazon SageMaker. /// - /// - Parameter CreateMarketplaceModelEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMarketplaceModelEndpointInput`) /// - /// - Returns: `CreateMarketplaceModelEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMarketplaceModelEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1360,7 +1347,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMarketplaceModelEndpointOutput.httpOutput(from:), CreateMarketplaceModelEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1393,9 +1379,9 @@ extension BedrockClient { /// /// Copies a model to another region so that it can be used there. For more information, see [Copy models to be used in other regions](https://docs.aws.amazon.com/bedrock/latest/userguide/copy-model.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter CreateModelCopyJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelCopyJobInput`) /// - /// - Returns: `CreateModelCopyJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelCopyJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1433,7 +1419,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelCopyJobOutput.httpOutput(from:), CreateModelCopyJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1466,9 +1451,9 @@ extension BedrockClient { /// /// Creates a fine-tuning job to customize a base model. You specify the base foundation model and the location of the training data. After the model-customization job completes successfully, your custom model resource will be ready to use. Amazon Bedrock returns validation loss metrics and output generations after the job completes. For information on the format of training and validation data, see [Prepare the datasets](https://docs.aws.amazon.com/bedrock/latest/userguide/model-customization-prepare.html). Model-customization jobs are asynchronous and the completion time depends on the base model and the training/validation data size. To monitor a job, use the GetModelCustomizationJob operation to retrieve the job status. For more information, see [Custom models](https://docs.aws.amazon.com/bedrock/latest/userguide/custom-models.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter CreateModelCustomizationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelCustomizationJobInput`) /// - /// - Returns: `CreateModelCustomizationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelCustomizationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1510,7 +1495,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelCustomizationJobOutput.httpOutput(from:), CreateModelCustomizationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1543,9 +1527,9 @@ extension BedrockClient { /// /// Creates a model import job to import model that you have customized in other environments, such as Amazon SageMaker. For more information, see [Import a customized model](https://docs.aws.amazon.com/bedrock/latest/userguide/model-customization-import-model.html) /// - /// - Parameter CreateModelImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelImportJobInput`) /// - /// - Returns: `CreateModelImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1586,7 +1570,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelImportJobOutput.httpOutput(from:), CreateModelImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1619,9 +1602,9 @@ extension BedrockClient { /// /// Creates a batch inference job to invoke a model on multiple prompts. Format your data according to [Format your inference data](https://docs.aws.amazon.com/bedrock/latest/userguide/batch-inference-data) and upload it to an Amazon S3 bucket. For more information, see [Process multiple prompts with batch inference](https://docs.aws.amazon.com/bedrock/latest/userguide/batch-inference.html). The response returns a jobArn that you can use to stop or get details about the job. /// - /// - Parameter CreateModelInvocationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelInvocationJobInput`) /// - /// - Returns: `CreateModelInvocationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelInvocationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1662,7 +1645,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelInvocationJobOutput.httpOutput(from:), CreateModelInvocationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1695,9 +1677,9 @@ extension BedrockClient { /// /// Creates a prompt router that manages the routing of requests between multiple foundation models based on the routing criteria. /// - /// - Parameter CreatePromptRouterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePromptRouterInput`) /// - /// - Returns: `CreatePromptRouterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePromptRouterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1739,7 +1721,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePromptRouterOutput.httpOutput(from:), CreatePromptRouterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1772,9 +1753,9 @@ extension BedrockClient { /// /// Creates dedicated throughput for a base or custom model with the model units and for the duration that you specify. For pricing details, see [Amazon Bedrock Pricing](http://aws.amazon.com/bedrock/pricing/). For more information, see [Provisioned Throughput](https://docs.aws.amazon.com/bedrock/latest/userguide/prov-throughput.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter CreateProvisionedModelThroughputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProvisionedModelThroughputInput`) /// - /// - Returns: `CreateProvisionedModelThroughputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProvisionedModelThroughputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1815,7 +1796,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProvisionedModelThroughputOutput.httpOutput(from:), CreateProvisionedModelThroughputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1848,9 +1828,9 @@ extension BedrockClient { /// /// Deletes an Automated Reasoning policy or policy version. This operation is idempotent. If you delete a policy more than once, each call succeeds. Deleting a policy removes it permanently and cannot be undone. /// - /// - Parameter DeleteAutomatedReasoningPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAutomatedReasoningPolicyInput`) /// - /// - Returns: `DeleteAutomatedReasoningPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAutomatedReasoningPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1885,7 +1865,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAutomatedReasoningPolicyOutput.httpOutput(from:), DeleteAutomatedReasoningPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1918,9 +1897,9 @@ extension BedrockClient { /// /// Deletes an Automated Reasoning policy build workflow and its associated artifacts. This permanently removes the workflow history and any generated assets. /// - /// - Parameter DeleteAutomatedReasoningPolicyBuildWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAutomatedReasoningPolicyBuildWorkflowInput`) /// - /// - Returns: `DeleteAutomatedReasoningPolicyBuildWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAutomatedReasoningPolicyBuildWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1958,7 +1937,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAutomatedReasoningPolicyBuildWorkflowInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAutomatedReasoningPolicyBuildWorkflowOutput.httpOutput(from:), DeleteAutomatedReasoningPolicyBuildWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1991,9 +1969,9 @@ extension BedrockClient { /// /// Deletes an Automated Reasoning policy test. This operation is idempotent; if you delete a test more than once, each call succeeds. /// - /// - Parameter DeleteAutomatedReasoningPolicyTestCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAutomatedReasoningPolicyTestCaseInput`) /// - /// - Returns: `DeleteAutomatedReasoningPolicyTestCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAutomatedReasoningPolicyTestCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2031,7 +2009,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAutomatedReasoningPolicyTestCaseInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAutomatedReasoningPolicyTestCaseOutput.httpOutput(from:), DeleteAutomatedReasoningPolicyTestCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2064,9 +2041,9 @@ extension BedrockClient { /// /// Deletes a custom model that you created earlier. For more information, see [Custom models](https://docs.aws.amazon.com/bedrock/latest/userguide/custom-models.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter DeleteCustomModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomModelInput`) /// - /// - Returns: `DeleteCustomModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2102,7 +2079,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomModelOutput.httpOutput(from:), DeleteCustomModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2141,9 +2117,9 @@ extension BedrockClient { /// /// * [ListCustomModelDeployments](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_ListCustomModelDeployments.html) /// - /// - Parameter DeleteCustomModelDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomModelDeploymentInput`) /// - /// - Returns: `DeleteCustomModelDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomModelDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2179,7 +2155,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomModelDeploymentOutput.httpOutput(from:), DeleteCustomModelDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2212,9 +2187,9 @@ extension BedrockClient { /// /// Delete the model access agreement for the specified model. /// - /// - Parameter DeleteFoundationModelAgreementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFoundationModelAgreementInput`) /// - /// - Returns: `DeleteFoundationModelAgreementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFoundationModelAgreementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2253,7 +2228,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFoundationModelAgreementOutput.httpOutput(from:), DeleteFoundationModelAgreementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2290,9 +2264,9 @@ extension BedrockClient { /// /// * To delete a version of a guardrail, specify the ARN of the guardrail in the guardrailIdentifier field and the version in the guardrailVersion field. /// - /// - Parameter DeleteGuardrailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGuardrailInput`) /// - /// - Returns: `DeleteGuardrailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGuardrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2329,7 +2303,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteGuardrailInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGuardrailOutput.httpOutput(from:), DeleteGuardrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2362,9 +2335,9 @@ extension BedrockClient { /// /// Deletes a custom model that you imported earlier. For more information, see [Import a customized model](https://docs.aws.amazon.com/bedrock/latest/userguide/model-customization-import-model.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter DeleteImportedModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImportedModelInput`) /// - /// - Returns: `DeleteImportedModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImportedModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2400,7 +2373,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImportedModelOutput.httpOutput(from:), DeleteImportedModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2433,9 +2405,9 @@ extension BedrockClient { /// /// Deletes an application inference profile. For more information, see [Increase throughput and resilience with cross-region inference in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/cross-region-inference.html). in the Amazon Bedrock User Guide. /// - /// - Parameter DeleteInferenceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInferenceProfileInput`) /// - /// - Returns: `DeleteInferenceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInferenceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2471,7 +2443,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInferenceProfileOutput.httpOutput(from:), DeleteInferenceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2504,9 +2475,9 @@ extension BedrockClient { /// /// Deletes an endpoint for a model from Amazon Bedrock Marketplace. /// - /// - Parameter DeleteMarketplaceModelEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMarketplaceModelEndpointInput`) /// - /// - Returns: `DeleteMarketplaceModelEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMarketplaceModelEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2541,7 +2512,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMarketplaceModelEndpointOutput.httpOutput(from:), DeleteMarketplaceModelEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2574,9 +2544,9 @@ extension BedrockClient { /// /// Delete the invocation logging. /// - /// - Parameter DeleteModelInvocationLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelInvocationLoggingConfigurationInput`) /// - /// - Returns: `DeleteModelInvocationLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelInvocationLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2609,7 +2579,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelInvocationLoggingConfigurationOutput.httpOutput(from:), DeleteModelInvocationLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2642,9 +2611,9 @@ extension BedrockClient { /// /// Deletes a specified prompt router. This action cannot be undone. /// - /// - Parameter DeletePromptRouterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePromptRouterInput`) /// - /// - Returns: `DeletePromptRouterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePromptRouterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2679,7 +2648,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePromptRouterOutput.httpOutput(from:), DeletePromptRouterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2712,9 +2680,9 @@ extension BedrockClient { /// /// Deletes a Provisioned Throughput. You can't delete a Provisioned Throughput before the commitment term is over. For more information, see [Provisioned Throughput](https://docs.aws.amazon.com/bedrock/latest/userguide/prov-throughput.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter DeleteProvisionedModelThroughputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProvisionedModelThroughputInput`) /// - /// - Returns: `DeleteProvisionedModelThroughputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProvisionedModelThroughputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2750,7 +2718,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProvisionedModelThroughputOutput.httpOutput(from:), DeleteProvisionedModelThroughputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2783,9 +2750,9 @@ extension BedrockClient { /// /// Deregisters an endpoint for a model from Amazon Bedrock Marketplace. This operation removes the endpoint's association with Amazon Bedrock but does not delete the underlying Amazon SageMaker endpoint. /// - /// - Parameter DeregisterMarketplaceModelEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterMarketplaceModelEndpointInput`) /// - /// - Returns: `DeregisterMarketplaceModelEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterMarketplaceModelEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2821,7 +2788,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterMarketplaceModelEndpointOutput.httpOutput(from:), DeregisterMarketplaceModelEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2854,9 +2820,9 @@ extension BedrockClient { /// /// Exports the policy definition for an Automated Reasoning policy version. Returns the complete policy definition including rules, variables, and custom variable types in a structured format. /// - /// - Parameter ExportAutomatedReasoningPolicyVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportAutomatedReasoningPolicyVersionInput`) /// - /// - Returns: `ExportAutomatedReasoningPolicyVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportAutomatedReasoningPolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2891,7 +2857,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportAutomatedReasoningPolicyVersionOutput.httpOutput(from:), ExportAutomatedReasoningPolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2924,9 +2889,9 @@ extension BedrockClient { /// /// Retrieves details about an Automated Reasoning policy or policy version. Returns information including the policy definition, metadata, and timestamps. /// - /// - Parameter GetAutomatedReasoningPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutomatedReasoningPolicyInput`) /// - /// - Returns: `GetAutomatedReasoningPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutomatedReasoningPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2961,7 +2926,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutomatedReasoningPolicyOutput.httpOutput(from:), GetAutomatedReasoningPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2994,9 +2958,9 @@ extension BedrockClient { /// /// Retrieves the current annotations for an Automated Reasoning policy build workflow. Annotations contain corrections to the rules, variables and types to be applied to the policy. /// - /// - Parameter GetAutomatedReasoningPolicyAnnotationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutomatedReasoningPolicyAnnotationsInput`) /// - /// - Returns: `GetAutomatedReasoningPolicyAnnotationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutomatedReasoningPolicyAnnotationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3031,7 +2995,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutomatedReasoningPolicyAnnotationsOutput.httpOutput(from:), GetAutomatedReasoningPolicyAnnotationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3064,9 +3027,9 @@ extension BedrockClient { /// /// Retrieves detailed information about an Automated Reasoning policy build workflow, including its status, configuration, and metadata. /// - /// - Parameter GetAutomatedReasoningPolicyBuildWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutomatedReasoningPolicyBuildWorkflowInput`) /// - /// - Returns: `GetAutomatedReasoningPolicyBuildWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutomatedReasoningPolicyBuildWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3101,7 +3064,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutomatedReasoningPolicyBuildWorkflowOutput.httpOutput(from:), GetAutomatedReasoningPolicyBuildWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3134,9 +3096,9 @@ extension BedrockClient { /// /// Retrieves the resulting assets from a completed Automated Reasoning policy build workflow, including build logs, quality reports, and generated policy artifacts. /// - /// - Parameter GetAutomatedReasoningPolicyBuildWorkflowResultAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutomatedReasoningPolicyBuildWorkflowResultAssetsInput`) /// - /// - Returns: `GetAutomatedReasoningPolicyBuildWorkflowResultAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutomatedReasoningPolicyBuildWorkflowResultAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3172,7 +3134,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAutomatedReasoningPolicyBuildWorkflowResultAssetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutomatedReasoningPolicyBuildWorkflowResultAssetsOutput.httpOutput(from:), GetAutomatedReasoningPolicyBuildWorkflowResultAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3205,9 +3166,9 @@ extension BedrockClient { /// /// Retrieves the next test scenario for validating an Automated Reasoning policy. This is used during the interactive policy refinement process to test policy behavior. /// - /// - Parameter GetAutomatedReasoningPolicyNextScenarioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutomatedReasoningPolicyNextScenarioInput`) /// - /// - Returns: `GetAutomatedReasoningPolicyNextScenarioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutomatedReasoningPolicyNextScenarioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3242,7 +3203,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutomatedReasoningPolicyNextScenarioOutput.httpOutput(from:), GetAutomatedReasoningPolicyNextScenarioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3275,9 +3235,9 @@ extension BedrockClient { /// /// Retrieves details about a specific Automated Reasoning policy test. /// - /// - Parameter GetAutomatedReasoningPolicyTestCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutomatedReasoningPolicyTestCaseInput`) /// - /// - Returns: `GetAutomatedReasoningPolicyTestCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutomatedReasoningPolicyTestCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3312,7 +3272,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutomatedReasoningPolicyTestCaseOutput.httpOutput(from:), GetAutomatedReasoningPolicyTestCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3345,9 +3304,9 @@ extension BedrockClient { /// /// Retrieves the test result for a specific Automated Reasoning policy test. Returns detailed validation findings and execution status. /// - /// - Parameter GetAutomatedReasoningPolicyTestResultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutomatedReasoningPolicyTestResultInput`) /// - /// - Returns: `GetAutomatedReasoningPolicyTestResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutomatedReasoningPolicyTestResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3382,7 +3341,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutomatedReasoningPolicyTestResultOutput.httpOutput(from:), GetAutomatedReasoningPolicyTestResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3415,9 +3373,9 @@ extension BedrockClient { /// /// Get the properties associated with a Amazon Bedrock custom model that you have created. For more information, see [Custom models](https://docs.aws.amazon.com/bedrock/latest/userguide/custom-models.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter GetCustomModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCustomModelInput`) /// - /// - Returns: `GetCustomModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCustomModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3452,7 +3410,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomModelOutput.httpOutput(from:), GetCustomModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3491,9 +3448,9 @@ extension BedrockClient { /// /// * [DeleteCustomModelDeployment](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_DeleteCustomModelDeployment.html) /// - /// - Parameter GetCustomModelDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCustomModelDeploymentInput`) /// - /// - Returns: `GetCustomModelDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCustomModelDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3528,7 +3485,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomModelDeploymentOutput.httpOutput(from:), GetCustomModelDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3561,9 +3517,9 @@ extension BedrockClient { /// /// Gets information about an evaluation job, such as the status of the job. /// - /// - Parameter GetEvaluationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEvaluationJobInput`) /// - /// - Returns: `GetEvaluationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEvaluationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3598,7 +3554,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEvaluationJobOutput.httpOutput(from:), GetEvaluationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3631,9 +3586,9 @@ extension BedrockClient { /// /// Get details about a Amazon Bedrock foundation model. /// - /// - Parameter GetFoundationModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFoundationModelInput`) /// - /// - Returns: `GetFoundationModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFoundationModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3668,7 +3623,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFoundationModelOutput.httpOutput(from:), GetFoundationModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3701,9 +3655,9 @@ extension BedrockClient { /// /// Get information about the Foundation model availability. /// - /// - Parameter GetFoundationModelAvailabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFoundationModelAvailabilityInput`) /// - /// - Returns: `GetFoundationModelAvailabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFoundationModelAvailabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3738,7 +3692,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFoundationModelAvailabilityOutput.httpOutput(from:), GetFoundationModelAvailabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3771,9 +3724,9 @@ extension BedrockClient { /// /// Gets details about a guardrail. If you don't specify a version, the response returns details for the DRAFT version. /// - /// - Parameter GetGuardrailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGuardrailInput`) /// - /// - Returns: `GetGuardrailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGuardrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3809,7 +3762,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetGuardrailInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGuardrailOutput.httpOutput(from:), GetGuardrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3842,9 +3794,9 @@ extension BedrockClient { /// /// Gets properties associated with a customized model you imported. /// - /// - Parameter GetImportedModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImportedModelInput`) /// - /// - Returns: `GetImportedModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImportedModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3879,7 +3831,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImportedModelOutput.httpOutput(from:), GetImportedModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3912,9 +3863,9 @@ extension BedrockClient { /// /// Gets information about an inference profile. For more information, see [Increase throughput and resilience with cross-region inference in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/cross-region-inference.html). in the Amazon Bedrock User Guide. /// - /// - Parameter GetInferenceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInferenceProfileInput`) /// - /// - Returns: `GetInferenceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInferenceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3949,7 +3900,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInferenceProfileOutput.httpOutput(from:), GetInferenceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3982,9 +3932,9 @@ extension BedrockClient { /// /// Retrieves details about a specific endpoint for a model from Amazon Bedrock Marketplace. /// - /// - Parameter GetMarketplaceModelEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMarketplaceModelEndpointInput`) /// - /// - Returns: `GetMarketplaceModelEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMarketplaceModelEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4019,7 +3969,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMarketplaceModelEndpointOutput.httpOutput(from:), GetMarketplaceModelEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4052,9 +4001,9 @@ extension BedrockClient { /// /// Retrieves information about a model copy job. For more information, see [Copy models to be used in other regions](https://docs.aws.amazon.com/bedrock/latest/userguide/copy-model.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter GetModelCopyJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelCopyJobInput`) /// - /// - Returns: `GetModelCopyJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelCopyJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4089,7 +4038,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelCopyJobOutput.httpOutput(from:), GetModelCopyJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4122,9 +4070,9 @@ extension BedrockClient { /// /// Retrieves the properties associated with a model-customization job, including the status of the job. For more information, see [Custom models](https://docs.aws.amazon.com/bedrock/latest/userguide/custom-models.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter GetModelCustomizationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelCustomizationJobInput`) /// - /// - Returns: `GetModelCustomizationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelCustomizationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4159,7 +4107,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelCustomizationJobOutput.httpOutput(from:), GetModelCustomizationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4192,9 +4139,9 @@ extension BedrockClient { /// /// Retrieves the properties associated with import model job, including the status of the job. For more information, see [Import a customized model](https://docs.aws.amazon.com/bedrock/latest/userguide/model-customization-import-model.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter GetModelImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelImportJobInput`) /// - /// - Returns: `GetModelImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4229,7 +4176,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelImportJobOutput.httpOutput(from:), GetModelImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4262,9 +4208,9 @@ extension BedrockClient { /// /// Gets details about a batch inference job. For more information, see [Monitor batch inference jobs](https://docs.aws.amazon.com/bedrock/latest/userguide/batch-inference-monitor) /// - /// - Parameter GetModelInvocationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelInvocationJobInput`) /// - /// - Returns: `GetModelInvocationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelInvocationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4299,7 +4245,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelInvocationJobOutput.httpOutput(from:), GetModelInvocationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4332,9 +4277,9 @@ extension BedrockClient { /// /// Get the current configuration values for model invocation logging. /// - /// - Parameter GetModelInvocationLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelInvocationLoggingConfigurationInput`) /// - /// - Returns: `GetModelInvocationLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelInvocationLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4367,7 +4312,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelInvocationLoggingConfigurationOutput.httpOutput(from:), GetModelInvocationLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4400,9 +4344,9 @@ extension BedrockClient { /// /// Retrieves details about a prompt router. /// - /// - Parameter GetPromptRouterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPromptRouterInput`) /// - /// - Returns: `GetPromptRouterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPromptRouterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4437,7 +4381,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPromptRouterOutput.httpOutput(from:), GetPromptRouterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4470,9 +4413,9 @@ extension BedrockClient { /// /// Returns details for a Provisioned Throughput. For more information, see [Provisioned Throughput](https://docs.aws.amazon.com/bedrock/latest/userguide/prov-throughput.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter GetProvisionedModelThroughputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProvisionedModelThroughputInput`) /// - /// - Returns: `GetProvisionedModelThroughputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProvisionedModelThroughputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4507,7 +4450,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProvisionedModelThroughputOutput.httpOutput(from:), GetProvisionedModelThroughputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4540,9 +4482,9 @@ extension BedrockClient { /// /// Get usecase for model access. /// - /// - Parameter GetUseCaseForModelAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUseCaseForModelAccessInput`) /// - /// - Returns: `GetUseCaseForModelAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUseCaseForModelAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4576,7 +4518,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUseCaseForModelAccessOutput.httpOutput(from:), GetUseCaseForModelAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4609,9 +4550,9 @@ extension BedrockClient { /// /// Lists all Automated Reasoning policies in your account, with optional filtering by policy ARN. This helps you manage and discover existing policies. /// - /// - Parameter ListAutomatedReasoningPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutomatedReasoningPoliciesInput`) /// - /// - Returns: `ListAutomatedReasoningPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutomatedReasoningPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4647,7 +4588,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAutomatedReasoningPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutomatedReasoningPoliciesOutput.httpOutput(from:), ListAutomatedReasoningPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4680,9 +4620,9 @@ extension BedrockClient { /// /// Lists all build workflows for an Automated Reasoning policy, showing the history of policy creation and modification attempts. /// - /// - Parameter ListAutomatedReasoningPolicyBuildWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutomatedReasoningPolicyBuildWorkflowsInput`) /// - /// - Returns: `ListAutomatedReasoningPolicyBuildWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutomatedReasoningPolicyBuildWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4718,7 +4658,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAutomatedReasoningPolicyBuildWorkflowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutomatedReasoningPolicyBuildWorkflowsOutput.httpOutput(from:), ListAutomatedReasoningPolicyBuildWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4751,9 +4690,9 @@ extension BedrockClient { /// /// Lists tests for an Automated Reasoning policy. We recommend using pagination to ensure that the operation returns quickly and successfully. /// - /// - Parameter ListAutomatedReasoningPolicyTestCasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutomatedReasoningPolicyTestCasesInput`) /// - /// - Returns: `ListAutomatedReasoningPolicyTestCasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutomatedReasoningPolicyTestCasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4789,7 +4728,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAutomatedReasoningPolicyTestCasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutomatedReasoningPolicyTestCasesOutput.httpOutput(from:), ListAutomatedReasoningPolicyTestCasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4822,9 +4760,9 @@ extension BedrockClient { /// /// Lists test results for an Automated Reasoning policy, showing how the policy performed against various test scenarios and validation checks. /// - /// - Parameter ListAutomatedReasoningPolicyTestResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutomatedReasoningPolicyTestResultsInput`) /// - /// - Returns: `ListAutomatedReasoningPolicyTestResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutomatedReasoningPolicyTestResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4861,7 +4799,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAutomatedReasoningPolicyTestResultsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutomatedReasoningPolicyTestResultsOutput.httpOutput(from:), ListAutomatedReasoningPolicyTestResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4900,9 +4837,9 @@ extension BedrockClient { /// /// * [DeleteCustomModelDeployment](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_DeleteCustomModelDeployment.html) /// - /// - Parameter ListCustomModelDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomModelDeploymentsInput`) /// - /// - Returns: `ListCustomModelDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomModelDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4937,7 +4874,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCustomModelDeploymentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomModelDeploymentsOutput.httpOutput(from:), ListCustomModelDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4970,9 +4906,9 @@ extension BedrockClient { /// /// Returns a list of the custom models that you have created with the CreateModelCustomizationJob operation. For more information, see [Custom models](https://docs.aws.amazon.com/bedrock/latest/userguide/custom-models.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter ListCustomModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomModelsInput`) /// - /// - Returns: `ListCustomModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5007,7 +4943,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCustomModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomModelsOutput.httpOutput(from:), ListCustomModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5040,9 +4975,9 @@ extension BedrockClient { /// /// Lists all existing evaluation jobs. /// - /// - Parameter ListEvaluationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEvaluationJobsInput`) /// - /// - Returns: `ListEvaluationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEvaluationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5077,7 +5012,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEvaluationJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEvaluationJobsOutput.httpOutput(from:), ListEvaluationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5110,9 +5044,9 @@ extension BedrockClient { /// /// Get the offers associated with the specified model. /// - /// - Parameter ListFoundationModelAgreementOffersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFoundationModelAgreementOffersInput`) /// - /// - Returns: `ListFoundationModelAgreementOffersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFoundationModelAgreementOffersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5148,7 +5082,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFoundationModelAgreementOffersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFoundationModelAgreementOffersOutput.httpOutput(from:), ListFoundationModelAgreementOffersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5181,9 +5114,9 @@ extension BedrockClient { /// /// Lists Amazon Bedrock foundation models that you can use. You can filter the results with the request parameters. For more information, see [Foundation models](https://docs.aws.amazon.com/bedrock/latest/userguide/foundation-models.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter ListFoundationModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFoundationModelsInput`) /// - /// - Returns: `ListFoundationModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFoundationModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5218,7 +5151,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFoundationModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFoundationModelsOutput.httpOutput(from:), ListFoundationModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5251,9 +5183,9 @@ extension BedrockClient { /// /// Lists details about all the guardrails in an account. To list the DRAFT version of all your guardrails, don't specify the guardrailIdentifier field. To list all versions of a guardrail, specify the ARN of the guardrail in the guardrailIdentifier field. You can set the maximum number of results to return in a response in the maxResults field. If there are more results than the number you set, the response returns a nextToken that you can send in another ListGuardrails request to see the next batch of results. /// - /// - Parameter ListGuardrailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGuardrailsInput`) /// - /// - Returns: `ListGuardrailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGuardrailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5289,7 +5221,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGuardrailsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGuardrailsOutput.httpOutput(from:), ListGuardrailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5322,9 +5253,9 @@ extension BedrockClient { /// /// Returns a list of models you've imported. You can filter the results to return based on one or more criteria. For more information, see [Import a customized model](https://docs.aws.amazon.com/bedrock/latest/userguide/model-customization-import-model.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter ListImportedModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImportedModelsInput`) /// - /// - Returns: `ListImportedModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImportedModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5359,7 +5290,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListImportedModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportedModelsOutput.httpOutput(from:), ListImportedModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5392,9 +5322,9 @@ extension BedrockClient { /// /// Returns a list of inference profiles that you can use. For more information, see [Increase throughput and resilience with cross-region inference in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/cross-region-inference.html). in the Amazon Bedrock User Guide. /// - /// - Parameter ListInferenceProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInferenceProfilesInput`) /// - /// - Returns: `ListInferenceProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInferenceProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5429,7 +5359,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInferenceProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInferenceProfilesOutput.httpOutput(from:), ListInferenceProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5462,9 +5391,9 @@ extension BedrockClient { /// /// Lists the endpoints for models from Amazon Bedrock Marketplace in your Amazon Web Services account. /// - /// - Parameter ListMarketplaceModelEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMarketplaceModelEndpointsInput`) /// - /// - Returns: `ListMarketplaceModelEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMarketplaceModelEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5500,7 +5429,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMarketplaceModelEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMarketplaceModelEndpointsOutput.httpOutput(from:), ListMarketplaceModelEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5533,9 +5461,9 @@ extension BedrockClient { /// /// Returns a list of model copy jobs that you have submitted. You can filter the jobs to return based on one or more criteria. For more information, see [Copy models to be used in other regions](https://docs.aws.amazon.com/bedrock/latest/userguide/copy-model.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter ListModelCopyJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelCopyJobsInput`) /// - /// - Returns: `ListModelCopyJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelCopyJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5571,7 +5499,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListModelCopyJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelCopyJobsOutput.httpOutput(from:), ListModelCopyJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5604,9 +5531,9 @@ extension BedrockClient { /// /// Returns a list of model customization jobs that you have submitted. You can filter the jobs to return based on one or more criteria. For more information, see [Custom models](https://docs.aws.amazon.com/bedrock/latest/userguide/custom-models.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter ListModelCustomizationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelCustomizationJobsInput`) /// - /// - Returns: `ListModelCustomizationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelCustomizationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5641,7 +5568,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListModelCustomizationJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelCustomizationJobsOutput.httpOutput(from:), ListModelCustomizationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5674,9 +5600,9 @@ extension BedrockClient { /// /// Returns a list of import jobs you've submitted. You can filter the results to return based on one or more criteria. For more information, see [Import a customized model](https://docs.aws.amazon.com/bedrock/latest/userguide/model-customization-import-model.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter ListModelImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelImportJobsInput`) /// - /// - Returns: `ListModelImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5711,7 +5637,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListModelImportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelImportJobsOutput.httpOutput(from:), ListModelImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5744,9 +5669,9 @@ extension BedrockClient { /// /// Lists all batch inference jobs in the account. For more information, see [View details about a batch inference job](https://docs.aws.amazon.com/bedrock/latest/userguide/batch-inference-view.html). /// - /// - Parameter ListModelInvocationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelInvocationJobsInput`) /// - /// - Returns: `ListModelInvocationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelInvocationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5781,7 +5706,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListModelInvocationJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelInvocationJobsOutput.httpOutput(from:), ListModelInvocationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5814,9 +5738,9 @@ extension BedrockClient { /// /// Retrieves a list of prompt routers. /// - /// - Parameter ListPromptRoutersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPromptRoutersInput`) /// - /// - Returns: `ListPromptRoutersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPromptRoutersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5851,7 +5775,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPromptRoutersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPromptRoutersOutput.httpOutput(from:), ListPromptRoutersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5884,9 +5807,9 @@ extension BedrockClient { /// /// Lists the Provisioned Throughputs in the account. For more information, see [Provisioned Throughput](https://docs.aws.amazon.com/bedrock/latest/userguide/prov-throughput.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter ListProvisionedModelThroughputsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProvisionedModelThroughputsInput`) /// - /// - Returns: `ListProvisionedModelThroughputsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProvisionedModelThroughputsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5921,7 +5844,6 @@ extension BedrockClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProvisionedModelThroughputsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProvisionedModelThroughputsOutput.httpOutput(from:), ListProvisionedModelThroughputsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5954,9 +5876,9 @@ extension BedrockClient { /// /// List the tags associated with the specified resource. For more information, see [Tagging resources](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5994,7 +5916,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6027,9 +5948,9 @@ extension BedrockClient { /// /// Set the configuration values for model invocation logging. /// - /// - Parameter PutModelInvocationLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutModelInvocationLoggingConfigurationInput`) /// - /// - Returns: `PutModelInvocationLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutModelInvocationLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6066,7 +5987,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutModelInvocationLoggingConfigurationOutput.httpOutput(from:), PutModelInvocationLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6099,9 +6019,9 @@ extension BedrockClient { /// /// Put usecase for model access. /// - /// - Parameter PutUseCaseForModelAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutUseCaseForModelAccessInput`) /// - /// - Returns: `PutUseCaseForModelAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutUseCaseForModelAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6138,7 +6058,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutUseCaseForModelAccessOutput.httpOutput(from:), PutUseCaseForModelAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6171,9 +6090,9 @@ extension BedrockClient { /// /// Registers an existing Amazon SageMaker endpoint with Amazon Bedrock Marketplace, allowing it to be used with Amazon Bedrock APIs. /// - /// - Parameter RegisterMarketplaceModelEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterMarketplaceModelEndpointInput`) /// - /// - Returns: `RegisterMarketplaceModelEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterMarketplaceModelEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6212,7 +6131,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterMarketplaceModelEndpointOutput.httpOutput(from:), RegisterMarketplaceModelEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6245,9 +6163,9 @@ extension BedrockClient { /// /// Starts a new build workflow for an Automated Reasoning policy. This initiates the process of analyzing source documents and generating policy rules, variables, and types. /// - /// - Parameter StartAutomatedReasoningPolicyBuildWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAutomatedReasoningPolicyBuildWorkflowInput`) /// - /// - Returns: `StartAutomatedReasoningPolicyBuildWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAutomatedReasoningPolicyBuildWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6290,7 +6208,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAutomatedReasoningPolicyBuildWorkflowOutput.httpOutput(from:), StartAutomatedReasoningPolicyBuildWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6323,9 +6240,9 @@ extension BedrockClient { /// /// Initiates a test workflow to validate Automated Reasoning policy tests. The workflow executes the specified tests against the policy and generates validation results. /// - /// - Parameter StartAutomatedReasoningPolicyTestWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAutomatedReasoningPolicyTestWorkflowInput`) /// - /// - Returns: `StartAutomatedReasoningPolicyTestWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAutomatedReasoningPolicyTestWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6365,7 +6282,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAutomatedReasoningPolicyTestWorkflowOutput.httpOutput(from:), StartAutomatedReasoningPolicyTestWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6398,9 +6314,9 @@ extension BedrockClient { /// /// Stops an evaluation job that is current being created or running. /// - /// - Parameter StopEvaluationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopEvaluationJobInput`) /// - /// - Returns: `StopEvaluationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopEvaluationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6436,7 +6352,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopEvaluationJobOutput.httpOutput(from:), StopEvaluationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6469,9 +6384,9 @@ extension BedrockClient { /// /// Stops an active model customization job. For more information, see [Custom models](https://docs.aws.amazon.com/bedrock/latest/userguide/custom-models.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter StopModelCustomizationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopModelCustomizationJobInput`) /// - /// - Returns: `StopModelCustomizationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopModelCustomizationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6507,7 +6422,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopModelCustomizationJobOutput.httpOutput(from:), StopModelCustomizationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6540,9 +6454,9 @@ extension BedrockClient { /// /// Stops a batch inference job. You're only charged for tokens that were already processed. For more information, see [Stop a batch inference job](https://docs.aws.amazon.com/bedrock/latest/userguide/batch-inference-stop.html). /// - /// - Parameter StopModelInvocationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopModelInvocationJobInput`) /// - /// - Returns: `StopModelInvocationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopModelInvocationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6578,7 +6492,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopModelInvocationJobOutput.httpOutput(from:), StopModelInvocationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6611,9 +6524,9 @@ extension BedrockClient { /// /// Associate tags with a resource. For more information, see [Tagging resources](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6652,7 +6565,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6685,9 +6597,9 @@ extension BedrockClient { /// /// Remove one or more tags from a resource. For more information, see [Tagging resources](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6725,7 +6637,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6758,9 +6669,9 @@ extension BedrockClient { /// /// Updates an existing Automated Reasoning policy with new rules, variables, or configuration. This creates a new version of the policy while preserving the previous version. /// - /// - Parameter UpdateAutomatedReasoningPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAutomatedReasoningPolicyInput`) /// - /// - Returns: `UpdateAutomatedReasoningPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAutomatedReasoningPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6800,7 +6711,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAutomatedReasoningPolicyOutput.httpOutput(from:), UpdateAutomatedReasoningPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6833,9 +6743,9 @@ extension BedrockClient { /// /// Updates the annotations for an Automated Reasoning policy build workflow. This allows you to modify extracted rules, variables, and types before finalizing the policy. /// - /// - Parameter UpdateAutomatedReasoningPolicyAnnotationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAutomatedReasoningPolicyAnnotationsInput`) /// - /// - Returns: `UpdateAutomatedReasoningPolicyAnnotationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAutomatedReasoningPolicyAnnotationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6874,7 +6784,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAutomatedReasoningPolicyAnnotationsOutput.httpOutput(from:), UpdateAutomatedReasoningPolicyAnnotationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6907,9 +6816,9 @@ extension BedrockClient { /// /// Updates an existing Automated Reasoning policy test. You can modify the content, query, expected result, and confidence threshold. /// - /// - Parameter UpdateAutomatedReasoningPolicyTestCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAutomatedReasoningPolicyTestCaseInput`) /// - /// - Returns: `UpdateAutomatedReasoningPolicyTestCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAutomatedReasoningPolicyTestCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6950,7 +6859,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAutomatedReasoningPolicyTestCaseOutput.httpOutput(from:), UpdateAutomatedReasoningPolicyTestCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7009,9 +6917,9 @@ extension BedrockClient { /// /// * (Optional) For security, include the ARN of a KMS key in the kmsKeyId field. /// - /// - Parameter UpdateGuardrailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGuardrailInput`) /// - /// - Returns: `UpdateGuardrailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGuardrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7051,7 +6959,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGuardrailOutput.httpOutput(from:), UpdateGuardrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7084,9 +6991,9 @@ extension BedrockClient { /// /// Updates the configuration of an existing endpoint for a model from Amazon Bedrock Marketplace. /// - /// - Parameter UpdateMarketplaceModelEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMarketplaceModelEndpointInput`) /// - /// - Returns: `UpdateMarketplaceModelEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMarketplaceModelEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7127,7 +7034,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMarketplaceModelEndpointOutput.httpOutput(from:), UpdateMarketplaceModelEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7160,9 +7066,9 @@ extension BedrockClient { /// /// Updates the name or associated model for a Provisioned Throughput. For more information, see [Provisioned Throughput](https://docs.aws.amazon.com/bedrock/latest/userguide/prov-throughput.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter UpdateProvisionedModelThroughputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProvisionedModelThroughputInput`) /// - /// - Returns: `UpdateProvisionedModelThroughputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProvisionedModelThroughputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7200,7 +7106,6 @@ extension BedrockClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProvisionedModelThroughputOutput.httpOutput(from:), UpdateProvisionedModelThroughputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBedrockAgent/Sources/AWSBedrockAgent/BedrockAgentClient.swift b/Sources/Services/AWSBedrockAgent/Sources/AWSBedrockAgent/BedrockAgentClient.swift index aee18772d15..6c17e0709f7 100644 --- a/Sources/Services/AWSBedrockAgent/Sources/AWSBedrockAgent/BedrockAgentClient.swift +++ b/Sources/Services/AWSBedrockAgent/Sources/AWSBedrockAgent/BedrockAgentClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BedrockAgentClient: ClientRuntime.Client { public static let clientName = "BedrockAgentClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BedrockAgentClient.BedrockAgentClientConfiguration let serviceName = "Bedrock Agent" @@ -375,9 +374,9 @@ extension BedrockAgentClient { /// /// Makes an agent a collaborator for another agent. /// - /// - Parameter AssociateAgentCollaboratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAgentCollaboratorInput`) /// - /// - Returns: `AssociateAgentCollaboratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAgentCollaboratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAgentCollaboratorOutput.httpOutput(from:), AssociateAgentCollaboratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension BedrockAgentClient { /// /// Associates a knowledge base with an agent. If a knowledge base is associated and its indexState is set to Enabled, the agent queries the knowledge base for information to augment its response to the user. /// - /// - Parameter AssociateAgentKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAgentKnowledgeBaseInput`) /// - /// - Returns: `AssociateAgentKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAgentKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAgentKnowledgeBaseOutput.httpOutput(from:), AssociateAgentKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -543,9 +540,9 @@ extension BedrockAgentClient { /// /// * The agent instructions will not be honored if your agent has only one knowledge base, uses default prompts, has no action group, and user input is disabled. /// - /// - Parameter CreateAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAgentInput`) /// - /// - Returns: `CreateAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -585,7 +582,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAgentOutput.httpOutput(from:), CreateAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -617,9 +613,9 @@ extension BedrockAgentClient { /// /// Creates an action group for an agent. An action group represents the actions that an agent can carry out for the customer by defining the APIs that an agent can call and the logic for calling them. To allow your agent to request the user for additional information when trying to complete a task, add an action group with the parentActionGroupSignature field set to AMAZON.UserInput. To allow your agent to generate, run, and troubleshoot code when trying to complete a task, add an action group with the parentActionGroupSignature field set to AMAZON.CodeInterpreter. You must leave the description, apiSchema, and actionGroupExecutor fields blank for this action group. During orchestration, if your agent determines that it needs to invoke an API in an action group, but doesn't have enough information to complete the API request, it will invoke this action group instead and return an [Observation](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_agent-runtime_Observation.html) reprompting the user for more information. /// - /// - Parameter CreateAgentActionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAgentActionGroupInput`) /// - /// - Returns: `CreateAgentActionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAgentActionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -660,7 +656,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAgentActionGroupOutput.httpOutput(from:), CreateAgentActionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -692,9 +687,9 @@ extension BedrockAgentClient { /// /// Creates an alias of an agent that can be used to deploy the agent. /// - /// - Parameter CreateAgentAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAgentAliasInput`) /// - /// - Returns: `CreateAgentAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAgentAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -735,7 +730,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAgentAliasOutput.httpOutput(from:), CreateAgentAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -767,9 +761,9 @@ extension BedrockAgentClient { /// /// Connects a knowledge base to a data source. You specify the configuration for the specific data source service in the dataSourceConfiguration field. You can't change the chunkingConfiguration after you create the data source connector. /// - /// - Parameter CreateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSourceInput`) /// - /// - Returns: `CreateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -810,7 +804,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSourceOutput.httpOutput(from:), CreateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -842,9 +835,9 @@ extension BedrockAgentClient { /// /// Creates a prompt flow that you can use to send an input through various steps to yield an output. Configure nodes, each of which corresponds to a step of the flow, and create connections between the nodes to create paths to different outputs. For more information, see [How it works](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-how-it-works.html) and [Create a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-create.html) in the Amazon Bedrock User Guide. /// - /// - Parameter CreateFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFlowInput`) /// - /// - Returns: `CreateFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -884,7 +877,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFlowOutput.httpOutput(from:), CreateFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -916,9 +908,9 @@ extension BedrockAgentClient { /// /// Creates an alias of a flow for deployment. For more information, see [Deploy a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-deploy.html) in the Amazon Bedrock User Guide. /// - /// - Parameter CreateFlowAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFlowAliasInput`) /// - /// - Returns: `CreateFlowAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFlowAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -959,7 +951,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFlowAliasOutput.httpOutput(from:), CreateFlowAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -991,9 +982,9 @@ extension BedrockAgentClient { /// /// Creates a version of the flow that you can deploy. For more information, see [Deploy a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-deploy.html) in the Amazon Bedrock User Guide. /// - /// - Parameter CreateFlowVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFlowVersionInput`) /// - /// - Returns: `CreateFlowVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFlowVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1034,7 +1025,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFlowVersionOutput.httpOutput(from:), CreateFlowVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1082,9 +1072,9 @@ extension BedrockAgentClient { /// /// * For a Redis Enterprise Cloud database, use the redisEnterpriseCloudConfiguration object. For more information, see [Create a vector store in Redis Enterprise Cloud](https://docs.aws.amazon.com/bedrock/latest/userguide/knowledge-base-setup-redis.html). /// - /// - Parameter CreateKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKnowledgeBaseInput`) /// - /// - Returns: `CreateKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1124,7 +1114,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKnowledgeBaseOutput.httpOutput(from:), CreateKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1156,9 +1145,9 @@ extension BedrockAgentClient { /// /// Creates a prompt in your prompt library that you can add to a flow. For more information, see [Prompt management in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management.html), [Create a prompt using Prompt management](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-create.html) and [Prompt flows in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows.html) in the Amazon Bedrock User Guide. /// - /// - Parameter CreatePromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePromptInput`) /// - /// - Returns: `CreatePromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1198,7 +1187,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePromptOutput.httpOutput(from:), CreatePromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1230,9 +1218,9 @@ extension BedrockAgentClient { /// /// Creates a static snapshot of your prompt that can be deployed to production. For more information, see [Deploy prompts using Prompt management by creating versions](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-deploy.html) in the Amazon Bedrock User Guide. /// - /// - Parameter CreatePromptVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePromptVersionInput`) /// - /// - Returns: `CreatePromptVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePromptVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1273,7 +1261,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePromptVersionOutput.httpOutput(from:), CreatePromptVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1305,9 +1292,9 @@ extension BedrockAgentClient { /// /// Deletes an agent. /// - /// - Parameter DeleteAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAgentInput`) /// - /// - Returns: `DeleteAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1344,7 +1331,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAgentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAgentOutput.httpOutput(from:), DeleteAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1376,9 +1362,9 @@ extension BedrockAgentClient { /// /// Deletes an action group in an agent. /// - /// - Parameter DeleteAgentActionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAgentActionGroupInput`) /// - /// - Returns: `DeleteAgentActionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAgentActionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1415,7 +1401,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAgentActionGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAgentActionGroupOutput.httpOutput(from:), DeleteAgentActionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1447,9 +1432,9 @@ extension BedrockAgentClient { /// /// Deletes an alias of an agent. /// - /// - Parameter DeleteAgentAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAgentAliasInput`) /// - /// - Returns: `DeleteAgentAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAgentAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1484,7 +1469,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAgentAliasOutput.httpOutput(from:), DeleteAgentAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1516,9 +1500,9 @@ extension BedrockAgentClient { /// /// Deletes a version of an agent. /// - /// - Parameter DeleteAgentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAgentVersionInput`) /// - /// - Returns: `DeleteAgentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAgentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1555,7 +1539,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAgentVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAgentVersionOutput.httpOutput(from:), DeleteAgentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1587,9 +1570,9 @@ extension BedrockAgentClient { /// /// Deletes a data source from a knowledge base. /// - /// - Parameter DeleteDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataSourceInput`) /// - /// - Returns: `DeleteDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1625,7 +1608,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSourceOutput.httpOutput(from:), DeleteDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1657,9 +1639,9 @@ extension BedrockAgentClient { /// /// Deletes a flow. /// - /// - Parameter DeleteFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFlowInput`) /// - /// - Returns: `DeleteFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1696,7 +1678,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteFlowInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFlowOutput.httpOutput(from:), DeleteFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1728,9 +1709,9 @@ extension BedrockAgentClient { /// /// Deletes an alias of a flow. /// - /// - Parameter DeleteFlowAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFlowAliasInput`) /// - /// - Returns: `DeleteFlowAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFlowAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1766,7 +1747,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFlowAliasOutput.httpOutput(from:), DeleteFlowAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1798,9 +1778,9 @@ extension BedrockAgentClient { /// /// Deletes a version of a flow. /// - /// - Parameter DeleteFlowVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFlowVersionInput`) /// - /// - Returns: `DeleteFlowVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFlowVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1837,7 +1817,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteFlowVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFlowVersionOutput.httpOutput(from:), DeleteFlowVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1869,9 +1848,9 @@ extension BedrockAgentClient { /// /// Deletes a knowledge base. Before deleting a knowledge base, you should disassociate the knowledge base from any agents that it is associated with by making a [DisassociateAgentKnowledgeBase](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_agent_DisassociateAgentKnowledgeBase.html) request. /// - /// - Parameter DeleteKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKnowledgeBaseInput`) /// - /// - Returns: `DeleteKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1907,7 +1886,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKnowledgeBaseOutput.httpOutput(from:), DeleteKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1939,9 +1917,9 @@ extension BedrockAgentClient { /// /// Deletes documents from a data source and syncs the changes to the knowledge base that is connected to it. For more information, see [Ingest changes directly into a knowledge base](https://docs.aws.amazon.com/bedrock/latest/userguide/kb-direct-ingestion.html) in the Amazon Bedrock User Guide. /// - /// - Parameter DeleteKnowledgeBaseDocumentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKnowledgeBaseDocumentsInput`) /// - /// - Returns: `DeleteKnowledgeBaseDocumentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKnowledgeBaseDocumentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1981,7 +1959,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKnowledgeBaseDocumentsOutput.httpOutput(from:), DeleteKnowledgeBaseDocumentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2013,9 +1990,9 @@ extension BedrockAgentClient { /// /// Deletes a prompt or a version of it, depending on whether you include the promptVersion field or not. For more information, see [Delete prompts from the Prompt management tool](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-manage.html#prompt-management-delete.html) and [Delete a version of a prompt from the Prompt management tool](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-deploy.html#prompt-management-versions-delete.html) in the Amazon Bedrock User Guide. /// - /// - Parameter DeletePromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePromptInput`) /// - /// - Returns: `DeletePromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2052,7 +2029,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePromptInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePromptOutput.httpOutput(from:), DeletePromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2084,9 +2060,9 @@ extension BedrockAgentClient { /// /// Disassociates an agent collaborator. /// - /// - Parameter DisassociateAgentCollaboratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAgentCollaboratorInput`) /// - /// - Returns: `DisassociateAgentCollaboratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAgentCollaboratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2122,7 +2098,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAgentCollaboratorOutput.httpOutput(from:), DisassociateAgentCollaboratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2154,9 +2129,9 @@ extension BedrockAgentClient { /// /// Disassociates a knowledge base from an agent. /// - /// - Parameter DisassociateAgentKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAgentKnowledgeBaseInput`) /// - /// - Returns: `DisassociateAgentKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAgentKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2192,7 +2167,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAgentKnowledgeBaseOutput.httpOutput(from:), DisassociateAgentKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2224,9 +2198,9 @@ extension BedrockAgentClient { /// /// Gets information about an agent. /// - /// - Parameter GetAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgentInput`) /// - /// - Returns: `GetAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2261,7 +2235,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentOutput.httpOutput(from:), GetAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2293,9 +2266,9 @@ extension BedrockAgentClient { /// /// Gets information about an action group for an agent. /// - /// - Parameter GetAgentActionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgentActionGroupInput`) /// - /// - Returns: `GetAgentActionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgentActionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2330,7 +2303,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentActionGroupOutput.httpOutput(from:), GetAgentActionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2362,9 +2334,9 @@ extension BedrockAgentClient { /// /// Gets information about an alias of an agent. /// - /// - Parameter GetAgentAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgentAliasInput`) /// - /// - Returns: `GetAgentAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgentAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2399,7 +2371,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentAliasOutput.httpOutput(from:), GetAgentAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2431,9 +2402,9 @@ extension BedrockAgentClient { /// /// Retrieves information about an agent's collaborator. /// - /// - Parameter GetAgentCollaboratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgentCollaboratorInput`) /// - /// - Returns: `GetAgentCollaboratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgentCollaboratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2468,7 +2439,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentCollaboratorOutput.httpOutput(from:), GetAgentCollaboratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2500,9 +2470,9 @@ extension BedrockAgentClient { /// /// Gets information about a knowledge base associated with an agent. /// - /// - Parameter GetAgentKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgentKnowledgeBaseInput`) /// - /// - Returns: `GetAgentKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgentKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2537,7 +2507,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentKnowledgeBaseOutput.httpOutput(from:), GetAgentKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2569,9 +2538,9 @@ extension BedrockAgentClient { /// /// Gets details about a version of an agent. /// - /// - Parameter GetAgentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgentVersionInput`) /// - /// - Returns: `GetAgentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2606,7 +2575,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentVersionOutput.httpOutput(from:), GetAgentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2638,9 +2606,9 @@ extension BedrockAgentClient { /// /// Gets information about a data source. /// - /// - Parameter GetDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSourceInput`) /// - /// - Returns: `GetDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2675,7 +2643,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSourceOutput.httpOutput(from:), GetDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2707,9 +2674,9 @@ extension BedrockAgentClient { /// /// Retrieves information about a flow. For more information, see [Manage a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-manage.html) in the Amazon Bedrock User Guide. /// - /// - Parameter GetFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFlowInput`) /// - /// - Returns: `GetFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2744,7 +2711,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFlowOutput.httpOutput(from:), GetFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2776,9 +2742,9 @@ extension BedrockAgentClient { /// /// Retrieves information about a flow. For more information, see [Deploy a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-deploy.html) in the Amazon Bedrock User Guide. /// - /// - Parameter GetFlowAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFlowAliasInput`) /// - /// - Returns: `GetFlowAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFlowAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2813,7 +2779,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFlowAliasOutput.httpOutput(from:), GetFlowAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2845,9 +2810,9 @@ extension BedrockAgentClient { /// /// Retrieves information about a version of a flow. For more information, see [Deploy a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-deploy.html) in the Amazon Bedrock User Guide. /// - /// - Parameter GetFlowVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFlowVersionInput`) /// - /// - Returns: `GetFlowVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFlowVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2882,7 +2847,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFlowVersionOutput.httpOutput(from:), GetFlowVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2914,9 +2878,9 @@ extension BedrockAgentClient { /// /// Gets information about a data ingestion job. Data sources are ingested into your knowledge base so that Large Language Models (LLMs) can use your data. /// - /// - Parameter GetIngestionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIngestionJobInput`) /// - /// - Returns: `GetIngestionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIngestionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2951,7 +2915,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIngestionJobOutput.httpOutput(from:), GetIngestionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2983,9 +2946,9 @@ extension BedrockAgentClient { /// /// Gets information about a knoweldge base. /// - /// - Parameter GetKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKnowledgeBaseInput`) /// - /// - Returns: `GetKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3020,7 +2983,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKnowledgeBaseOutput.httpOutput(from:), GetKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3052,9 +3014,9 @@ extension BedrockAgentClient { /// /// Retrieves specific documents from a data source that is connected to a knowledge base. For more information, see [Ingest changes directly into a knowledge base](https://docs.aws.amazon.com/bedrock/latest/userguide/kb-direct-ingestion.html) in the Amazon Bedrock User Guide. /// - /// - Parameter GetKnowledgeBaseDocumentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKnowledgeBaseDocumentsInput`) /// - /// - Returns: `GetKnowledgeBaseDocumentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKnowledgeBaseDocumentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3093,7 +3055,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKnowledgeBaseDocumentsOutput.httpOutput(from:), GetKnowledgeBaseDocumentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3125,9 +3086,9 @@ extension BedrockAgentClient { /// /// Retrieves information about the working draft (DRAFT version) of a prompt or a version of it, depending on whether you include the promptVersion field or not. For more information, see [View information about prompts using Prompt management](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-manage.html#prompt-management-view.html) and [View information about a version of your prompt](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-deploy.html#prompt-management-versions-view.html) in the Amazon Bedrock User Guide. /// - /// - Parameter GetPromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPromptInput`) /// - /// - Returns: `GetPromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3163,7 +3124,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPromptInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPromptOutput.httpOutput(from:), GetPromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3195,9 +3155,9 @@ extension BedrockAgentClient { /// /// Ingests documents directly into the knowledge base that is connected to the data source. The dataSourceType specified in the content for each document must match the type of the data source that you specify in the header. For more information, see [Ingest changes directly into a knowledge base](https://docs.aws.amazon.com/bedrock/latest/userguide/kb-direct-ingestion.html) in the Amazon Bedrock User Guide. /// - /// - Parameter IngestKnowledgeBaseDocumentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `IngestKnowledgeBaseDocumentsInput`) /// - /// - Returns: `IngestKnowledgeBaseDocumentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IngestKnowledgeBaseDocumentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3237,7 +3197,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IngestKnowledgeBaseDocumentsOutput.httpOutput(from:), IngestKnowledgeBaseDocumentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3269,9 +3228,9 @@ extension BedrockAgentClient { /// /// Lists the action groups for an agent and information about each one. /// - /// - Parameter ListAgentActionGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgentActionGroupsInput`) /// - /// - Returns: `ListAgentActionGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgentActionGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3309,7 +3268,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentActionGroupsOutput.httpOutput(from:), ListAgentActionGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3341,9 +3299,9 @@ extension BedrockAgentClient { /// /// Lists the aliases of an agent and information about each one. /// - /// - Parameter ListAgentAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgentAliasesInput`) /// - /// - Returns: `ListAgentAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgentAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3381,7 +3339,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentAliasesOutput.httpOutput(from:), ListAgentAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3413,9 +3370,9 @@ extension BedrockAgentClient { /// /// Retrieve a list of an agent's collaborators. /// - /// - Parameter ListAgentCollaboratorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgentCollaboratorsInput`) /// - /// - Returns: `ListAgentCollaboratorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgentCollaboratorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3453,7 +3410,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentCollaboratorsOutput.httpOutput(from:), ListAgentCollaboratorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3485,9 +3441,9 @@ extension BedrockAgentClient { /// /// Lists knowledge bases associated with an agent and information about each one. /// - /// - Parameter ListAgentKnowledgeBasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgentKnowledgeBasesInput`) /// - /// - Returns: `ListAgentKnowledgeBasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgentKnowledgeBasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3525,7 +3481,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentKnowledgeBasesOutput.httpOutput(from:), ListAgentKnowledgeBasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3557,9 +3512,9 @@ extension BedrockAgentClient { /// /// Lists the versions of an agent and information about each version. /// - /// - Parameter ListAgentVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgentVersionsInput`) /// - /// - Returns: `ListAgentVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgentVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3597,7 +3552,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentVersionsOutput.httpOutput(from:), ListAgentVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3629,9 +3583,9 @@ extension BedrockAgentClient { /// /// Lists the agents belonging to an account and information about each agent. /// - /// - Parameter ListAgentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgentsInput`) /// - /// - Returns: `ListAgentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3668,7 +3622,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentsOutput.httpOutput(from:), ListAgentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3700,9 +3653,9 @@ extension BedrockAgentClient { /// /// Lists the data sources in a knowledge base and information about each one. /// - /// - Parameter ListDataSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSourcesInput`) /// - /// - Returns: `ListDataSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3740,7 +3693,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourcesOutput.httpOutput(from:), ListDataSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3772,9 +3724,9 @@ extension BedrockAgentClient { /// /// Returns a list of aliases for a flow. /// - /// - Parameter ListFlowAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowAliasesInput`) /// - /// - Returns: `ListFlowAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3810,7 +3762,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFlowAliasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowAliasesOutput.httpOutput(from:), ListFlowAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3842,9 +3793,9 @@ extension BedrockAgentClient { /// /// Returns a list of information about each flow. For more information, see [Deploy a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-deploy.html) in the Amazon Bedrock User Guide. /// - /// - Parameter ListFlowVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowVersionsInput`) /// - /// - Returns: `ListFlowVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3880,7 +3831,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFlowVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowVersionsOutput.httpOutput(from:), ListFlowVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3912,9 +3862,9 @@ extension BedrockAgentClient { /// /// Returns a list of flows and information about each flow. For more information, see [Manage a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-manage.html) in the Amazon Bedrock User Guide. /// - /// - Parameter ListFlowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowsInput`) /// - /// - Returns: `ListFlowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3949,7 +3899,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFlowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowsOutput.httpOutput(from:), ListFlowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3981,9 +3930,9 @@ extension BedrockAgentClient { /// /// Lists the data ingestion jobs for a data source. The list also includes information about each job. /// - /// - Parameter ListIngestionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIngestionJobsInput`) /// - /// - Returns: `ListIngestionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIngestionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4021,7 +3970,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIngestionJobsOutput.httpOutput(from:), ListIngestionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4053,9 +4001,9 @@ extension BedrockAgentClient { /// /// Retrieves all the documents contained in a data source that is connected to a knowledge base. For more information, see [Ingest changes directly into a knowledge base](https://docs.aws.amazon.com/bedrock/latest/userguide/kb-direct-ingestion.html) in the Amazon Bedrock User Guide. /// - /// - Parameter ListKnowledgeBaseDocumentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKnowledgeBaseDocumentsInput`) /// - /// - Returns: `ListKnowledgeBaseDocumentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKnowledgeBaseDocumentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4094,7 +4042,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKnowledgeBaseDocumentsOutput.httpOutput(from:), ListKnowledgeBaseDocumentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4126,9 +4073,9 @@ extension BedrockAgentClient { /// /// Lists the knowledge bases in an account. The list also includesinformation about each knowledge base. /// - /// - Parameter ListKnowledgeBasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKnowledgeBasesInput`) /// - /// - Returns: `ListKnowledgeBasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKnowledgeBasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4165,7 +4112,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKnowledgeBasesOutput.httpOutput(from:), ListKnowledgeBasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4197,9 +4143,9 @@ extension BedrockAgentClient { /// /// Returns either information about the working draft (DRAFT version) of each prompt in an account, or information about of all versions of a prompt, depending on whether you include the promptIdentifier field or not. For more information, see [View information about prompts using Prompt management](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-manage.html#prompt-management-view.html) in the Amazon Bedrock User Guide. /// - /// - Parameter ListPromptsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPromptsInput`) /// - /// - Returns: `ListPromptsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPromptsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4235,7 +4181,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPromptsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPromptsOutput.httpOutput(from:), ListPromptsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4267,9 +4212,9 @@ extension BedrockAgentClient { /// /// List all the tags for the resource you specify. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4304,7 +4249,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4336,9 +4280,9 @@ extension BedrockAgentClient { /// /// Creates a DRAFT version of the agent that can be used for internal testing. /// - /// - Parameter PrepareAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PrepareAgentInput`) /// - /// - Returns: `PrepareAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PrepareAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4375,7 +4319,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PrepareAgentOutput.httpOutput(from:), PrepareAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4407,9 +4350,9 @@ extension BedrockAgentClient { /// /// Prepares the DRAFT version of a flow so that it can be invoked. For more information, see [Test a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-test.html) in the Amazon Bedrock User Guide. /// - /// - Parameter PrepareFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PrepareFlowInput`) /// - /// - Returns: `PrepareFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PrepareFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4446,7 +4389,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PrepareFlowOutput.httpOutput(from:), PrepareFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4478,9 +4420,9 @@ extension BedrockAgentClient { /// /// Begins a data ingestion job. Data sources are ingested into your knowledge base so that Large Language Models (LLMs) can use your data. /// - /// - Parameter StartIngestionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartIngestionJobInput`) /// - /// - Returns: `StartIngestionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartIngestionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4521,7 +4463,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartIngestionJobOutput.httpOutput(from:), StartIngestionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4553,9 +4494,9 @@ extension BedrockAgentClient { /// /// Stops a currently running data ingestion job. You can send a StartIngestionJob request again to ingest the rest of your data when you are ready. /// - /// - Parameter StopIngestionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopIngestionJobInput`) /// - /// - Returns: `StopIngestionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopIngestionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4591,7 +4532,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopIngestionJobOutput.httpOutput(from:), StopIngestionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4623,9 +4563,9 @@ extension BedrockAgentClient { /// /// Associate tags with a resource. For more information, see [Tagging resources](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html) in the Amazon Bedrock User Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4664,7 +4604,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4696,9 +4635,9 @@ extension BedrockAgentClient { /// /// Remove tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4734,7 +4673,6 @@ extension BedrockAgentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4766,9 +4704,9 @@ extension BedrockAgentClient { /// /// Updates the configuration of an agent. /// - /// - Parameter UpdateAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAgentInput`) /// - /// - Returns: `UpdateAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4808,7 +4746,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgentOutput.httpOutput(from:), UpdateAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4840,9 +4777,9 @@ extension BedrockAgentClient { /// /// Updates the configuration for an action group for an agent. /// - /// - Parameter UpdateAgentActionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAgentActionGroupInput`) /// - /// - Returns: `UpdateAgentActionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgentActionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4882,7 +4819,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgentActionGroupOutput.httpOutput(from:), UpdateAgentActionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4914,9 +4850,9 @@ extension BedrockAgentClient { /// /// Updates configurations for an alias of an agent. /// - /// - Parameter UpdateAgentAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAgentAliasInput`) /// - /// - Returns: `UpdateAgentAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgentAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4956,7 +4892,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgentAliasOutput.httpOutput(from:), UpdateAgentAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4988,9 +4923,9 @@ extension BedrockAgentClient { /// /// Updates an agent's collaborator. /// - /// - Parameter UpdateAgentCollaboratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAgentCollaboratorInput`) /// - /// - Returns: `UpdateAgentCollaboratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgentCollaboratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5030,7 +4965,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgentCollaboratorOutput.httpOutput(from:), UpdateAgentCollaboratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5062,9 +4996,9 @@ extension BedrockAgentClient { /// /// Updates the configuration for a knowledge base that has been associated with an agent. /// - /// - Parameter UpdateAgentKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAgentKnowledgeBaseInput`) /// - /// - Returns: `UpdateAgentKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgentKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5103,7 +5037,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgentKnowledgeBaseOutput.httpOutput(from:), UpdateAgentKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5135,9 +5068,9 @@ extension BedrockAgentClient { /// /// Updates the configurations for a data source connector. You can't change the chunkingConfiguration after you create the data source connector. Specify the existing chunkingConfiguration. /// - /// - Parameter UpdateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSourceInput`) /// - /// - Returns: `UpdateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5176,7 +5109,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSourceOutput.httpOutput(from:), UpdateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5208,9 +5140,9 @@ extension BedrockAgentClient { /// /// Modifies a flow. Include both fields that you want to keep and fields that you want to change. For more information, see [How it works](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-how-it-works.html) and [Create a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-create.html) in the Amazon Bedrock User Guide. /// - /// - Parameter UpdateFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFlowInput`) /// - /// - Returns: `UpdateFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5250,7 +5182,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFlowOutput.httpOutput(from:), UpdateFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5282,9 +5213,9 @@ extension BedrockAgentClient { /// /// Modifies the alias of a flow. Include both fields that you want to keep and ones that you want to change. For more information, see [Deploy a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-deploy.html) in the Amazon Bedrock User Guide. /// - /// - Parameter UpdateFlowAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFlowAliasInput`) /// - /// - Returns: `UpdateFlowAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFlowAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5324,7 +5255,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFlowAliasOutput.httpOutput(from:), UpdateFlowAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5365,9 +5295,9 @@ extension BedrockAgentClient { /// /// You can't change the knowledgeBaseConfiguration or storageConfiguration fields, so you must specify the same configurations as when you created the knowledge base. You can send a [GetKnowledgeBase](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_agent_GetKnowledgeBase.html) request and copy the same configurations. /// - /// - Parameter UpdateKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKnowledgeBaseInput`) /// - /// - Returns: `UpdateKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5406,7 +5336,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKnowledgeBaseOutput.httpOutput(from:), UpdateKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5438,9 +5367,9 @@ extension BedrockAgentClient { /// /// Modifies a prompt in your prompt library. Include both fields that you want to keep and fields that you want to replace. For more information, see [Prompt management in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management.html) and [Edit prompts in your prompt library](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-manage.html#prompt-management-edit) in the Amazon Bedrock User Guide. /// - /// - Parameter UpdatePromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePromptInput`) /// - /// - Returns: `UpdatePromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5480,7 +5409,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePromptOutput.httpOutput(from:), UpdatePromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5512,9 +5440,9 @@ extension BedrockAgentClient { /// /// Validates the definition of a flow. /// - /// - Parameter ValidateFlowDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidateFlowDefinitionInput`) /// - /// - Returns: `ValidateFlowDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidateFlowDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5551,7 +5479,6 @@ extension BedrockAgentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateFlowDefinitionOutput.httpOutput(from:), ValidateFlowDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBedrockAgentCore/Sources/AWSBedrockAgentCore/BedrockAgentCoreClient.swift b/Sources/Services/AWSBedrockAgentCore/Sources/AWSBedrockAgentCore/BedrockAgentCoreClient.swift index 494be8414ec..95cf607e88a 100644 --- a/Sources/Services/AWSBedrockAgentCore/Sources/AWSBedrockAgentCore/BedrockAgentCoreClient.swift +++ b/Sources/Services/AWSBedrockAgentCore/Sources/AWSBedrockAgentCore/BedrockAgentCoreClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -65,6 +64,7 @@ import struct ClientRuntime.SignerMiddleware import struct ClientRuntime.URLHostMiddleware import struct ClientRuntime.URLPathMiddleware import struct Smithy.Attributes +import struct Smithy.Document import struct SmithyIdentity.BearerTokenIdentity @_spi(StaticBearerTokenIdentityResolver) import struct SmithyIdentity.StaticBearerTokenIdentityResolver import struct SmithyRetries.DefaultRetryStrategy @@ -73,7 +73,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BedrockAgentCoreClient: ClientRuntime.Client { public static let clientName = "BedrockAgentCoreClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BedrockAgentCoreClient.BedrockAgentCoreClientConfiguration let serviceName = "Bedrock AgentCore" @@ -375,13 +375,230 @@ extension BedrockAgentCoreClient { } extension BedrockAgentCoreClient { + /// Performs the `BatchCreateMemoryRecords` operation on the `BedrockAgentCore` service. + /// + /// Creates multiple memory records in a single batch operation for the specified memory with custom content. + /// + /// - Parameter input: [no documentation found] (Type: `BatchCreateMemoryRecordsInput`) + /// + /// - Returns: [no documentation found] (Type: `BatchCreateMemoryRecordsOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The exception that occurs when you do not have sufficient permissions to perform an action. Verify that your IAM policy includes the necessary permissions for the operation you are trying to perform. + /// - `ResourceNotFoundException` : The exception that occurs when the specified resource does not exist. This can happen when using an invalid identifier or when trying to access a resource that has been deleted. + /// - `ServiceException` : The service encountered an internal error. Try your request again later. + /// - `ServiceQuotaExceededException` : The exception that occurs when the request would cause a service quota to be exceeded. Review your service quotas and either reduce your request rate or request a quota increase. + /// - `ThrottledException` : The request was denied due to request throttling. Reduce the frequency of requests and try again. + /// - `ValidationException` : The exception that occurs when the input fails to satisfy the constraints specified by the service. Check the error message for details about which input parameter is invalid and correct your request. + public func batchCreateMemoryRecords(input: BatchCreateMemoryRecordsInput) async throws -> BatchCreateMemoryRecordsOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "batchCreateMemoryRecords") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "bedrock-agentcore") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.IdempotencyTokenMiddleware(keyPath: \.clientToken)) + builder.interceptors.add(ClientRuntime.URLPathMiddleware(BatchCreateMemoryRecordsInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: BatchCreateMemoryRecordsInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateMemoryRecordsOutput.httpOutput(from:), BatchCreateMemoryRecordsOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Bedrock AgentCore", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: BedrockAgentCoreClient.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "BedrockAgentCore") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "BatchCreateMemoryRecords") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + + /// Performs the `BatchDeleteMemoryRecords` operation on the `BedrockAgentCore` service. + /// + /// Deletes multiple memory records in a single batch operation from the specified memory. + /// + /// - Parameter input: [no documentation found] (Type: `BatchDeleteMemoryRecordsInput`) + /// + /// - Returns: [no documentation found] (Type: `BatchDeleteMemoryRecordsOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The exception that occurs when you do not have sufficient permissions to perform an action. Verify that your IAM policy includes the necessary permissions for the operation you are trying to perform. + /// - `ResourceNotFoundException` : The exception that occurs when the specified resource does not exist. This can happen when using an invalid identifier or when trying to access a resource that has been deleted. + /// - `ServiceException` : The service encountered an internal error. Try your request again later. + /// - `ServiceQuotaExceededException` : The exception that occurs when the request would cause a service quota to be exceeded. Review your service quotas and either reduce your request rate or request a quota increase. + /// - `ThrottledException` : The request was denied due to request throttling. Reduce the frequency of requests and try again. + /// - `ValidationException` : The exception that occurs when the input fails to satisfy the constraints specified by the service. Check the error message for details about which input parameter is invalid and correct your request. + public func batchDeleteMemoryRecords(input: BatchDeleteMemoryRecordsInput) async throws -> BatchDeleteMemoryRecordsOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "batchDeleteMemoryRecords") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "bedrock-agentcore") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(BatchDeleteMemoryRecordsInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: BatchDeleteMemoryRecordsInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteMemoryRecordsOutput.httpOutput(from:), BatchDeleteMemoryRecordsOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Bedrock AgentCore", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: BedrockAgentCoreClient.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "BedrockAgentCore") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "BatchDeleteMemoryRecords") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + + /// Performs the `BatchUpdateMemoryRecords` operation on the `BedrockAgentCore` service. + /// + /// Updates multiple memory records with custom content in a single batch operation within the specified memory. + /// + /// - Parameter input: [no documentation found] (Type: `BatchUpdateMemoryRecordsInput`) + /// + /// - Returns: [no documentation found] (Type: `BatchUpdateMemoryRecordsOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The exception that occurs when you do not have sufficient permissions to perform an action. Verify that your IAM policy includes the necessary permissions for the operation you are trying to perform. + /// - `ResourceNotFoundException` : The exception that occurs when the specified resource does not exist. This can happen when using an invalid identifier or when trying to access a resource that has been deleted. + /// - `ServiceException` : The service encountered an internal error. Try your request again later. + /// - `ServiceQuotaExceededException` : The exception that occurs when the request would cause a service quota to be exceeded. Review your service quotas and either reduce your request rate or request a quota increase. + /// - `ThrottledException` : The request was denied due to request throttling. Reduce the frequency of requests and try again. + /// - `ValidationException` : The exception that occurs when the input fails to satisfy the constraints specified by the service. Check the error message for details about which input parameter is invalid and correct your request. + public func batchUpdateMemoryRecords(input: BatchUpdateMemoryRecordsInput) async throws -> BatchUpdateMemoryRecordsOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "batchUpdateMemoryRecords") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "bedrock-agentcore") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(BatchUpdateMemoryRecordsInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: BatchUpdateMemoryRecordsInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateMemoryRecordsOutput.httpOutput(from:), BatchUpdateMemoryRecordsOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Bedrock AgentCore", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: BedrockAgentCoreClient.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "BedrockAgentCore") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "BatchUpdateMemoryRecords") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + /// Performs the `CreateEvent` operation on the `BedrockAgentCore` service. /// /// Creates an event in an AgentCore Memory resource. Events represent interactions or activities that occur within a session and are associated with specific actors. To use this operation, you must have the bedrock-agentcore:CreateEvent permission. This operation is subject to request rate limiting. /// - /// - Parameter CreateEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventInput`) /// - /// - Returns: `CreateEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -422,7 +639,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventOutput.httpOutput(from:), CreateEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -454,9 +670,9 @@ extension BedrockAgentCoreClient { /// /// Deletes an event from an AgentCore Memory resource. When you delete an event, it is permanently removed. To use this operation, you must have the bedrock-agentcore:DeleteEvent permission. /// - /// - Parameter DeleteEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventInput`) /// - /// - Returns: `DeleteEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +709,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventOutput.httpOutput(from:), DeleteEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +740,9 @@ extension BedrockAgentCoreClient { /// /// Deletes a memory record from an AgentCore Memory resource. When you delete a memory record, it is permanently removed. To use this operation, you must have the bedrock-agentcore:DeleteMemoryRecord permission. /// - /// - Parameter DeleteMemoryRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMemoryRecordInput`) /// - /// - Returns: `DeleteMemoryRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMemoryRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +779,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMemoryRecordOutput.httpOutput(from:), DeleteMemoryRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,6 +806,79 @@ extension BedrockAgentCoreClient { return try await op.execute(input: input) } + /// Performs the `GetAgentCard` operation on the `BedrockAgentCore` service. + /// + /// Retrieves the A2A agent card associated with an AgentCore Runtime agent. + /// + /// - Parameter input: [no documentation found] (Type: `GetAgentCardInput`) + /// + /// - Returns: [no documentation found] (Type: `GetAgentCardOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The exception that occurs when you do not have sufficient permissions to perform an action. Verify that your IAM policy includes the necessary permissions for the operation you are trying to perform. + /// - `InternalServerException` : The exception that occurs when the service encounters an unexpected internal error. This is a temporary condition that will resolve itself with retries. We recommend implementing exponential backoff retry logic in your application. + /// - `ResourceNotFoundException` : The exception that occurs when the specified resource does not exist. This can happen when using an invalid identifier or when trying to access a resource that has been deleted. + /// - `RuntimeClientError` : The exception that occurs when there is an error in the runtime client. This can happen due to network issues, invalid configuration, or other client-side problems. Check the error message for specific details about the error. + /// - `ServiceQuotaExceededException` : The exception that occurs when the request would cause a service quota to be exceeded. Review your service quotas and either reduce your request rate or request a quota increase. + /// - `ThrottlingException` : The exception that occurs when the request was denied due to request throttling. This happens when you exceed the allowed request rate for an operation. Reduce the frequency of requests or implement exponential backoff retry logic in your application. + /// - `ValidationException` : The exception that occurs when the input fails to satisfy the constraints specified by the service. Check the error message for details about which input parameter is invalid and correct your request. + public func getAgentCard(input: GetAgentCardInput) async throws -> GetAgentCardOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .get) + .withServiceName(value: serviceName) + .withOperation(value: "getAgentCard") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "bedrock-agentcore") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.IdempotencyTokenMiddleware(keyPath: \.runtimeSessionId)) + builder.interceptors.add(ClientRuntime.URLPathMiddleware(GetAgentCardInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.serialize(ClientRuntime.HeaderMiddleware(GetAgentCardInput.headerProvider(_:))) + builder.serialize(ClientRuntime.QueryItemMiddleware(GetAgentCardInput.queryItemProvider(_:))) + builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentCardOutput.httpOutput(from:), GetAgentCardOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Bedrock AgentCore", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: BedrockAgentCoreClient.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "BedrockAgentCore") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "GetAgentCard") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + /// Performs the `GetBrowserSession` operation on the `BedrockAgentCore` service. /// /// Retrieves detailed information about a specific browser session in Amazon Bedrock. This operation returns the session's configuration, current status, associated streams, and metadata. To get a browser session, you must specify both the browser identifier and the session ID. The response includes information about the session's viewport configuration, timeout settings, and stream endpoints. The following operations are related to GetBrowserSession: @@ -602,9 +889,9 @@ extension BedrockAgentCoreClient { /// /// * [StopBrowserSession](https://docs.aws.amazon.com/API_StopBrowserSession.html) /// - /// - Parameter GetBrowserSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBrowserSessionInput`) /// - /// - Returns: `GetBrowserSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBrowserSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -640,7 +927,6 @@ extension BedrockAgentCoreClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBrowserSessionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBrowserSessionOutput.httpOutput(from:), GetBrowserSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -678,9 +964,9 @@ extension BedrockAgentCoreClient { /// /// * [StopCodeInterpreterSession](https://docs.aws.amazon.com/API_StopCodeInterpreterSession.html) /// - /// - Parameter GetCodeInterpreterSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCodeInterpreterSessionInput`) /// - /// - Returns: `GetCodeInterpreterSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCodeInterpreterSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -716,7 +1002,6 @@ extension BedrockAgentCoreClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCodeInterpreterSessionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCodeInterpreterSessionOutput.httpOutput(from:), GetCodeInterpreterSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -748,9 +1033,9 @@ extension BedrockAgentCoreClient { /// /// Retrieves information about a specific event in an AgentCore Memory resource. To use this operation, you must have the bedrock-agentcore:GetEvent permission. /// - /// - Parameter GetEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventInput`) /// - /// - Returns: `GetEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -787,7 +1072,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventOutput.httpOutput(from:), GetEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -819,9 +1103,9 @@ extension BedrockAgentCoreClient { /// /// Retrieves a specific memory record from an AgentCore Memory resource. To use this operation, you must have the bedrock-agentcore:GetMemoryRecord permission. /// - /// - Parameter GetMemoryRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMemoryRecordInput`) /// - /// - Returns: `GetMemoryRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMemoryRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -858,7 +1142,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMemoryRecordOutput.httpOutput(from:), GetMemoryRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -888,11 +1171,11 @@ extension BedrockAgentCoreClient { /// Performs the `GetResourceApiKey` operation on the `BedrockAgentCore` service. /// - /// Retrieves an API Key associated with an API Key Credential Provider + /// Retrieves the API key associated with an API key credential provider. /// - /// - Parameter GetResourceApiKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceApiKeyInput`) /// - /// - Returns: `GetResourceApiKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceApiKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -931,7 +1214,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceApiKeyOutput.httpOutput(from:), GetResourceApiKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -961,11 +1243,11 @@ extension BedrockAgentCoreClient { /// Performs the `GetResourceOauth2Token` operation on the `BedrockAgentCore` service. /// - /// Returns the OAuth 2.0 token of the provided resource + /// Returns the OAuth 2.0 token of the provided resource. /// - /// - Parameter GetResourceOauth2TokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceOauth2TokenInput`) /// - /// - Returns: `GetResourceOauth2TokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceOauth2TokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1004,7 +1286,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceOauth2TokenOutput.httpOutput(from:), GetResourceOauth2TokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1034,11 +1315,11 @@ extension BedrockAgentCoreClient { /// Performs the `GetWorkloadAccessToken` operation on the `BedrockAgentCore` service. /// - /// Obtains an Workload access token for agentic workloads not acting on behalf of user. + /// Obtains a workload access token for agentic workloads not acting on behalf of a user. /// - /// - Parameter GetWorkloadAccessTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkloadAccessTokenInput`) /// - /// - Returns: `GetWorkloadAccessTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkloadAccessTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1077,7 +1358,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkloadAccessTokenOutput.httpOutput(from:), GetWorkloadAccessTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1107,11 +1387,11 @@ extension BedrockAgentCoreClient { /// Performs the `GetWorkloadAccessTokenForJWT` operation on the `BedrockAgentCore` service. /// - /// Obtains an Workload access token for agentic workloads acting on behalf of user with JWT token + /// Obtains a workload access token for agentic workloads acting on behalf of a user, using a JWT token. /// - /// - Parameter GetWorkloadAccessTokenForJWTInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkloadAccessTokenForJWTInput`) /// - /// - Returns: `GetWorkloadAccessTokenForJWTOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkloadAccessTokenForJWTOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1150,7 +1430,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkloadAccessTokenForJWTOutput.httpOutput(from:), GetWorkloadAccessTokenForJWTOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1180,11 +1459,11 @@ extension BedrockAgentCoreClient { /// Performs the `GetWorkloadAccessTokenForUserId` operation on the `BedrockAgentCore` service. /// - /// Obtains an Workload access token for agentic workloads acting on behalf of user with User Id. + /// Obtains a workload access token for agentic workloads acting on behalf of a user, using the user's ID. /// - /// - Parameter GetWorkloadAccessTokenForUserIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkloadAccessTokenForUserIdInput`) /// - /// - Returns: `GetWorkloadAccessTokenForUserIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkloadAccessTokenForUserIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1223,7 +1502,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkloadAccessTokenForUserIdOutput.httpOutput(from:), GetWorkloadAccessTokenForUserIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1255,9 +1533,9 @@ extension BedrockAgentCoreClient { /// /// Sends a request to an agent or tool hosted in an Amazon Bedrock AgentCore Runtime and receives responses in real-time. To invoke an agent you must specify the AgentCore Runtime ARN and provide a payload containing your request. You can optionally specify a qualifier to target a specific version or endpoint of the agent. This operation supports streaming responses, allowing you to receive partial responses as they become available. We recommend using pagination to ensure that the operation returns quickly and successfully when processing large responses. For example code, see [Invoke an AgentCore Runtime agent](https://docs.aws.amazon.com/bedrock-agentcore/latest/devguide/runtime-invoke-agent.html). If you're integrating your agent with OAuth, you can't use the Amazon Web Services SDK to call InvokeAgentRuntime. Instead, make a HTTPS request to InvokeAgentRuntime. For an example, see [Authenticate and authorize with Inbound Auth and Outbound Auth](https://docs.aws.amazon.com/bedrock-agentcore/latest/devguide/runtime-oauth.html). To use this operation, you must have the bedrock-agentcore:InvokeAgentRuntime permission. /// - /// - Parameter InvokeAgentRuntimeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeAgentRuntimeInput`) /// - /// - Returns: `InvokeAgentRuntimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeAgentRuntimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1300,7 +1578,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeAgentRuntimeOutput.httpOutput(from:), InvokeAgentRuntimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1336,9 +1613,9 @@ extension BedrockAgentCoreClient { /// /// * [GetCodeInterpreterSession](https://docs.aws.amazon.com/API_GetCodeInterpreterSession.html) /// - /// - Parameter InvokeCodeInterpreterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeCodeInterpreterInput`) /// - /// - Returns: `InvokeCodeInterpreterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeCodeInterpreterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1379,7 +1656,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeCodeInterpreterOutput.httpOutput(from:), InvokeCodeInterpreterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1411,9 +1687,9 @@ extension BedrockAgentCoreClient { /// /// Lists all actors in an AgentCore Memory resource. We recommend using pagination to ensure that the operation returns quickly and successfully. To use this operation, you must have the bedrock-agentcore:ListActors permission. /// - /// - Parameter ListActorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListActorsInput`) /// - /// - Returns: `ListActorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListActorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1453,7 +1729,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActorsOutput.httpOutput(from:), ListActorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1489,9 +1764,9 @@ extension BedrockAgentCoreClient { /// /// * [GetBrowserSession](https://docs.aws.amazon.com/API_GetBrowserSession.html) /// - /// - Parameter ListBrowserSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBrowserSessionsInput`) /// - /// - Returns: `ListBrowserSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBrowserSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1529,7 +1804,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBrowserSessionsOutput.httpOutput(from:), ListBrowserSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1565,9 +1839,9 @@ extension BedrockAgentCoreClient { /// /// * [GetCodeInterpreterSession](https://docs.aws.amazon.com/API_GetCodeInterpreterSession.html) /// - /// - Parameter ListCodeInterpreterSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCodeInterpreterSessionsInput`) /// - /// - Returns: `ListCodeInterpreterSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCodeInterpreterSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1605,7 +1879,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCodeInterpreterSessionsOutput.httpOutput(from:), ListCodeInterpreterSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1637,9 +1910,9 @@ extension BedrockAgentCoreClient { /// /// Lists events in an AgentCore Memory resource based on specified criteria. We recommend using pagination to ensure that the operation returns quickly and successfully. To use this operation, you must have the bedrock-agentcore:ListEvents permission. /// - /// - Parameter ListEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventsInput`) /// - /// - Returns: `ListEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1679,7 +1952,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventsOutput.httpOutput(from:), ListEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1711,9 +1983,9 @@ extension BedrockAgentCoreClient { /// /// Lists memory records in an AgentCore Memory resource based on specified criteria. We recommend using pagination to ensure that the operation returns quickly and successfully. To use this operation, you must have the bedrock-agentcore:ListMemoryRecords permission. /// - /// - Parameter ListMemoryRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMemoryRecordsInput`) /// - /// - Returns: `ListMemoryRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMemoryRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1753,7 +2025,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMemoryRecordsOutput.httpOutput(from:), ListMemoryRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1785,9 +2056,9 @@ extension BedrockAgentCoreClient { /// /// Lists sessions in an AgentCore Memory resource based on specified criteria. We recommend using pagination to ensure that the operation returns quickly and successfully. To use this operation, you must have the bedrock-agentcore:ListSessions permission. /// - /// - Parameter ListSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionsInput`) /// - /// - Returns: `ListSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1827,7 +2098,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionsOutput.httpOutput(from:), ListSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1859,9 +2129,9 @@ extension BedrockAgentCoreClient { /// /// Searches for and retrieves memory records from an AgentCore Memory resource based on specified search criteria. We recommend using pagination to ensure that the operation returns quickly and successfully. To use this operation, you must have the bedrock-agentcore:RetrieveMemoryRecords permission. /// - /// - Parameter RetrieveMemoryRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetrieveMemoryRecordsInput`) /// - /// - Returns: `RetrieveMemoryRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetrieveMemoryRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1901,7 +2171,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetrieveMemoryRecordsOutput.httpOutput(from:), RetrieveMemoryRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1939,9 +2208,9 @@ extension BedrockAgentCoreClient { /// /// * [StopBrowserSession](https://docs.aws.amazon.com/API_StopBrowserSession.html) /// - /// - Parameter StartBrowserSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBrowserSessionInput`) /// - /// - Returns: `StartBrowserSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBrowserSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1982,7 +2251,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBrowserSessionOutput.httpOutput(from:), StartBrowserSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2020,9 +2288,9 @@ extension BedrockAgentCoreClient { /// /// * [StopCodeInterpreterSession](https://docs.aws.amazon.com/API_StopCodeInterpreterSession.html) /// - /// - Parameter StartCodeInterpreterSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCodeInterpreterSessionInput`) /// - /// - Returns: `StartCodeInterpreterSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCodeInterpreterSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2063,7 +2331,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCodeInterpreterSessionOutput.httpOutput(from:), StartCodeInterpreterSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2099,9 +2366,9 @@ extension BedrockAgentCoreClient { /// /// * [GetBrowserSession](https://docs.aws.amazon.com/API_GetBrowserSession.html) /// - /// - Parameter StopBrowserSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopBrowserSessionInput`) /// - /// - Returns: `StopBrowserSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopBrowserSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2143,7 +2410,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopBrowserSessionOutput.httpOutput(from:), StopBrowserSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2179,9 +2445,9 @@ extension BedrockAgentCoreClient { /// /// * [GetCodeInterpreterSession](https://docs.aws.amazon.com/API_GetCodeInterpreterSession.html) /// - /// - Parameter StopCodeInterpreterSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopCodeInterpreterSessionInput`) /// - /// - Returns: `StopCodeInterpreterSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopCodeInterpreterSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2223,7 +2489,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopCodeInterpreterSessionOutput.httpOutput(from:), StopCodeInterpreterSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2251,13 +2516,91 @@ extension BedrockAgentCoreClient { return try await op.execute(input: input) } + /// Performs the `StopRuntimeSession` operation on the `BedrockAgentCore` service. + /// + /// Stops a session that is running in an running AgentCore Runtime agent. + /// + /// - Parameter input: [no documentation found] (Type: `StopRuntimeSessionInput`) + /// + /// - Returns: [no documentation found] (Type: `StopRuntimeSessionOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The exception that occurs when you do not have sufficient permissions to perform an action. Verify that your IAM policy includes the necessary permissions for the operation you are trying to perform. + /// - `ConflictException` : The exception that occurs when the request conflicts with the current state of the resource. This can happen when trying to modify a resource that is currently being modified by another request, or when trying to create a resource that already exists. + /// - `InternalServerException` : The exception that occurs when the service encounters an unexpected internal error. This is a temporary condition that will resolve itself with retries. We recommend implementing exponential backoff retry logic in your application. + /// - `ResourceNotFoundException` : The exception that occurs when the specified resource does not exist. This can happen when using an invalid identifier or when trying to access a resource that has been deleted. + /// - `RuntimeClientError` : The exception that occurs when there is an error in the runtime client. This can happen due to network issues, invalid configuration, or other client-side problems. Check the error message for specific details about the error. + /// - `ServiceQuotaExceededException` : The exception that occurs when the request would cause a service quota to be exceeded. Review your service quotas and either reduce your request rate or request a quota increase. + /// - `ThrottlingException` : The exception that occurs when the request was denied due to request throttling. This happens when you exceed the allowed request rate for an operation. Reduce the frequency of requests or implement exponential backoff retry logic in your application. + /// - `UnauthorizedException` : This exception is thrown when the JWT bearer token is invalid or not found for OAuth bearer token based access + /// - `ValidationException` : The exception that occurs when the input fails to satisfy the constraints specified by the service. Check the error message for details about which input parameter is invalid and correct your request. + public func stopRuntimeSession(input: StopRuntimeSessionInput) async throws -> StopRuntimeSessionOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "stopRuntimeSession") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "bedrock-agentcore") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.IdempotencyTokenMiddleware(keyPath: \.clientToken)) + builder.interceptors.add(ClientRuntime.URLPathMiddleware(StopRuntimeSessionInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.serialize(ClientRuntime.HeaderMiddleware(StopRuntimeSessionInput.headerProvider(_:))) + builder.serialize(ClientRuntime.QueryItemMiddleware(StopRuntimeSessionInput.queryItemProvider(_:))) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: StopRuntimeSessionInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(StopRuntimeSessionOutput.httpOutput(from:), StopRuntimeSessionOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Bedrock AgentCore", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: BedrockAgentCoreClient.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "BedrockAgentCore") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "StopRuntimeSession") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + /// Performs the `UpdateBrowserStream` operation on the `BedrockAgentCore` service. /// /// Updates a browser stream. To use this operation, you must have permissions to perform the bedrock:UpdateBrowserStream action. /// - /// - Parameter UpdateBrowserStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBrowserStreamInput`) /// - /// - Returns: `UpdateBrowserStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBrowserStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2299,7 +2642,6 @@ extension BedrockAgentCoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBrowserStreamOutput.httpOutput(from:), UpdateBrowserStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBedrockAgentCore/Sources/AWSBedrockAgentCore/Models.swift b/Sources/Services/AWSBedrockAgentCore/Sources/AWSBedrockAgentCore/Models.swift index 920fdde627d..a0a52bcfcd6 100644 --- a/Sources/Services/AWSBedrockAgentCore/Sources/AWSBedrockAgentCore/Models.swift +++ b/Sources/Services/AWSBedrockAgentCore/Sources/AWSBedrockAgentCore/Models.swift @@ -281,6 +281,46 @@ public struct ValidationException: ClientRuntime.ModeledError, AWSClientRuntime. } } +public struct GetAgentCardInput: Swift.Sendable { + /// The ARN of the AgentCore Runtime agent for which you want to get the A2A agent card. + /// This member is required. + public var agentRuntimeArn: Swift.String? + /// Optional qualifier to specify an agent alias, such as prodcode> or dev. If you don't provide a value, the DEFAULT alias is used. + public var qualifier: Swift.String? + /// The session ID that the AgentCore Runtime agent is using. + public var runtimeSessionId: Swift.String? + + public init( + agentRuntimeArn: Swift.String? = nil, + qualifier: Swift.String? = nil, + runtimeSessionId: Swift.String? = nil + ) { + self.agentRuntimeArn = agentRuntimeArn + self.qualifier = qualifier + self.runtimeSessionId = runtimeSessionId + } +} + +public struct GetAgentCardOutput: Swift.Sendable { + /// An agent card document that contains metadata and capabilities for an AgentCore Runtime agent. + /// This member is required. + public var agentCard: Smithy.Document? + /// The ID of the session associated with the AgentCore Runtime agent. + public var runtimeSessionId: Swift.String? + /// The status code of the request. + public var statusCode: Swift.Int? + + public init( + agentCard: Smithy.Document? = nil, + runtimeSessionId: Swift.String? = nil, + statusCode: Swift.Int? = nil + ) { + self.agentCard = agentCard + self.runtimeSessionId = runtimeSessionId + self.statusCode = statusCode + } +} + public struct InvokeAgentRuntimeInput: Swift.Sendable { /// The desired MIME type for the response from the agent runtime. This tells the agent runtime what format to use for the response data. Common values include application/json for JSON data. public var accept: Swift.String? @@ -400,6 +440,92 @@ extension InvokeAgentRuntimeOutput: Swift.CustomDebugStringConvertible { "InvokeAgentRuntimeOutput(baggage: \(Swift.String(describing: baggage)), contentType: \(Swift.String(describing: contentType)), mcpProtocolVersion: \(Swift.String(describing: mcpProtocolVersion)), mcpSessionId: \(Swift.String(describing: mcpSessionId)), runtimeSessionId: \(Swift.String(describing: runtimeSessionId)), statusCode: \(Swift.String(describing: statusCode)), traceId: \(Swift.String(describing: traceId)), traceParent: \(Swift.String(describing: traceParent)), traceState: \(Swift.String(describing: traceState)), response: \"CONTENT_REDACTED\")"} } +/// The exception that occurs when the request conflicts with the current state of the resource. This can happen when trying to modify a resource that is currently being modified by another request, or when trying to create a resource that already exists. +public struct ConflictException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { + + public struct Properties: Swift.Sendable { + public internal(set) var message: Swift.String? = nil + } + + public internal(set) var properties = Properties() + public static var typeName: Swift.String { "ConflictException" } + public static var fault: ClientRuntime.ErrorFault { .client } + public static var isRetryable: Swift.Bool { false } + public static var isThrottling: Swift.Bool { false } + public internal(set) var httpResponse = SmithyHTTPAPI.HTTPResponse() + public internal(set) var message: Swift.String? + public internal(set) var requestID: Swift.String? + + public init( + message: Swift.String? = nil + ) { + self.properties.message = message + } +} + +/// This exception is thrown when the JWT bearer token is invalid or not found for OAuth bearer token based access +public struct UnauthorizedException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { + + public struct Properties: Swift.Sendable { + public internal(set) var message: Swift.String? = nil + } + + public internal(set) var properties = Properties() + public static var typeName: Swift.String { "UnauthorizedException" } + public static var fault: ClientRuntime.ErrorFault { .client } + public static var isRetryable: Swift.Bool { false } + public static var isThrottling: Swift.Bool { false } + public internal(set) var httpResponse = SmithyHTTPAPI.HTTPResponse() + public internal(set) var message: Swift.String? + public internal(set) var requestID: Swift.String? + + public init( + message: Swift.String? = nil + ) { + self.properties.message = message + } +} + +public struct StopRuntimeSessionInput: Swift.Sendable { + /// The ARN of the agent that contains the session that you want to stop. + /// This member is required. + public var agentRuntimeArn: Swift.String? + /// Idempotent token used to identify the request. If you use the same token with multiple requests, the same response is returned. Use ClientToken to prevent the same request from being processed more than once. + public var clientToken: Swift.String? + /// Optional qualifier to specify an agent alias, such as prodcode> or dev. If you don't provide a value, the DEFAULT alias is used. + public var qualifier: Swift.String? + /// The ID of the session that you want to stop. + /// This member is required. + public var runtimeSessionId: Swift.String? + + public init( + agentRuntimeArn: Swift.String? = nil, + clientToken: Swift.String? = nil, + qualifier: Swift.String? = nil, + runtimeSessionId: Swift.String? = nil + ) { + self.agentRuntimeArn = agentRuntimeArn + self.clientToken = clientToken + self.qualifier = qualifier + self.runtimeSessionId = runtimeSessionId + } +} + +public struct StopRuntimeSessionOutput: Swift.Sendable { + /// The ID of the session that you requested to stop. + public var runtimeSessionId: Swift.String? + /// The status code of the request to stop the session. + public var statusCode: Swift.Int? + + public init( + runtimeSessionId: Swift.String? = nil, + statusCode: Swift.Int? = nil + ) { + self.runtimeSessionId = runtimeSessionId + self.statusCode = statusCode + } +} + public struct GetBrowserSessionInput: Swift.Sendable { /// The unique identifier of the browser associated with the session. /// This member is required. @@ -681,29 +807,6 @@ public struct ListBrowserSessionsOutput: Swift.Sendable { } } -/// The exception that occurs when the request conflicts with the current state of the resource. This can happen when trying to modify a resource that is currently being modified by another request, or when trying to create a resource that already exists. -public struct ConflictException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { - - public struct Properties: Swift.Sendable { - public internal(set) var message: Swift.String? = nil - } - - public internal(set) var properties = Properties() - public static var typeName: Swift.String { "ConflictException" } - public static var fault: ClientRuntime.ErrorFault { .client } - public static var isRetryable: Swift.Bool { false } - public static var isThrottling: Swift.Bool { false } - public internal(set) var httpResponse = SmithyHTTPAPI.HTTPResponse() - public internal(set) var message: Swift.String? - public internal(set) var requestID: Swift.String? - - public init( - message: Swift.String? = nil - ) { - self.properties.message = message - } -} - public struct StartBrowserSessionInput: Swift.Sendable { /// The unique identifier of the browser to use for this session. This identifier specifies which browser environment to initialize for the session. /// This member is required. @@ -1046,7 +1149,7 @@ public struct StartCodeInterpreterSessionInput: Swift.Sendable { public var codeInterpreterIdentifier: Swift.String? /// The name of the code interpreter session. This name helps you identify and manage the session. The name does not need to be unique. public var name: Swift.String? - /// The time in seconds after which the session automatically terminates if there is no activity. The default value is 3600 seconds (1 hour). The minimum allowed value is 60 seconds, and the maximum allowed value is 28800 seconds (8 hours). + /// The time in seconds after which the session automatically terminates if there is no activity. The default value is 900 seconds (15 minutes). The minimum allowed value is 60 seconds, and the maximum allowed value is 28800 seconds (8 hours). public var sessionTimeoutSeconds: Swift.Int? public init( @@ -1127,34 +1230,11 @@ public struct StopCodeInterpreterSessionOutput: Swift.Sendable { } } -/// This exception is thrown when the JWT bearer token is invalid or not found for OAuth bearer token based access -public struct UnauthorizedException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { - - public struct Properties: Swift.Sendable { - public internal(set) var message: Swift.String? = nil - } - - public internal(set) var properties = Properties() - public static var typeName: Swift.String { "UnauthorizedException" } - public static var fault: ClientRuntime.ErrorFault { .client } - public static var isRetryable: Swift.Bool { false } - public static var isThrottling: Swift.Bool { false } - public internal(set) var httpResponse = SmithyHTTPAPI.HTTPResponse() - public internal(set) var message: Swift.String? - public internal(set) var requestID: Swift.String? - - public init( - message: Swift.String? = nil - ) { - self.properties.message = message - } -} - public struct GetResourceApiKeyInput: Swift.Sendable { - /// The credential provider name of the resource you are retrieving the API Key of. + /// The credential provider name for the resource from which you are retrieving the API key. /// This member is required. public var resourceCredentialProviderName: Swift.String? - /// The identity token of the workload you want to get the API Key of. + /// The identity token of the workload from which you want to retrieve the API key. /// This member is required. public var workloadIdentityToken: Swift.String? @@ -1173,7 +1253,7 @@ extension GetResourceApiKeyInput: Swift.CustomDebugStringConvertible { } public struct GetResourceApiKeyOutput: Swift.Sendable { - /// The API Key associated with the resource requested. + /// The API key associated with the resource requested. /// This member is required. public var apiKey: Swift.String? @@ -1219,22 +1299,22 @@ extension BedrockAgentCoreClientTypes { } public struct GetResourceOauth2TokenInput: Swift.Sendable { - /// Gives the ability to send extra/custom parameters to the resource credentials provider during the authorization process. Standard OAuth2 flow parameters will not be overriden. + /// A map of custom parameters to include in the authorization request to the resource credential provider. These parameters are in addition to the standard OAuth 2.0 flow parameters, and will not override them. public var customParameters: [Swift.String: Swift.String]? - /// If true, always initiate a new 3LO flow + /// Indicates whether to always initiate a new three-legged OAuth (3LO) flow, regardless of any existing session. public var forceAuthentication: Swift.Bool? - /// The type of flow to be performed + /// The type of flow to be performed. /// This member is required. public var oauth2Flow: BedrockAgentCoreClientTypes.Oauth2FlowType? - /// Reference to the credential provider + /// The name of the resource's credential provider. /// This member is required. public var resourceCredentialProviderName: Swift.String? - /// Callback url to redirect after token retrieval completes. Should be one of the provideded urls during WorkloadIdentity creation + /// The callback URL to redirect to after the OAuth 2.0 token retrieval is complete. This URL must be one of the provided URLs configured for the workload identity. public var resourceOauth2ReturnUrl: Swift.String? - /// The OAuth scopes requested + /// The OAuth scopes being requested. /// This member is required. public var scopes: [Swift.String]? - /// The identity token of the workload you want to retrive the Oauth2 Token of. + /// The identity token of the workload from which you want to retrieve the OAuth2 token. /// This member is required. public var workloadIdentityToken: Swift.String? @@ -1263,9 +1343,9 @@ extension GetResourceOauth2TokenInput: Swift.CustomDebugStringConvertible { } public struct GetResourceOauth2TokenOutput: Swift.Sendable { - /// OAuth2 token ready for use + /// The OAuth 2.0 access token to use. public var accessToken: Swift.String? - /// The URL for the authorization process, provided if the Access token requires user Authorization. + /// The URL to initiate the authorization process, provided when the access token requires user authorization. public var authorizationUrl: Swift.String? public init( @@ -1283,7 +1363,7 @@ extension GetResourceOauth2TokenOutput: Swift.CustomDebugStringConvertible { } public struct GetWorkloadAccessTokenInput: Swift.Sendable { - /// Unique identifier for the registered agent + /// The unique identifier for the registered workload. /// This member is required. public var workloadName: Swift.String? @@ -1295,7 +1375,7 @@ public struct GetWorkloadAccessTokenInput: Swift.Sendable { } public struct GetWorkloadAccessTokenOutput: Swift.Sendable { - /// Opaque token representing both agent and user identity + /// An opaque token representing the identity of both the workload and the user. /// This member is required. public var workloadAccessToken: Swift.String? @@ -1312,10 +1392,10 @@ extension GetWorkloadAccessTokenOutput: Swift.CustomDebugStringConvertible { } public struct GetWorkloadAccessTokenForJWTInput: Swift.Sendable { - /// OAuth2 token issued by the user's identity provider + /// The OAuth 2.0 token issued by the user's identity provider. /// This member is required. public var userToken: Swift.String? - /// Unique identifier for the registered agent + /// The unique identifier for the registered workload. /// This member is required. public var workloadName: Swift.String? @@ -1334,7 +1414,7 @@ extension GetWorkloadAccessTokenForJWTInput: Swift.CustomDebugStringConvertible } public struct GetWorkloadAccessTokenForJWTOutput: Swift.Sendable { - /// Opaque token representing both agent and user identity + /// An opaque token representing the identity of both the workload and the user. /// This member is required. public var workloadAccessToken: Swift.String? @@ -1351,10 +1431,10 @@ extension GetWorkloadAccessTokenForJWTOutput: Swift.CustomDebugStringConvertible } public struct GetWorkloadAccessTokenForUserIdInput: Swift.Sendable { - /// The user id of the user you are retrieving the access token for. + /// The ID of the user for whom you are retrieving the access token. /// This member is required. public var userId: Swift.String? - /// The name of the worklaod you want to get the access token of. + /// The name of the workload from which you want to retrieve the access token. /// This member is required. public var workloadName: Swift.String? @@ -1368,7 +1448,7 @@ public struct GetWorkloadAccessTokenForUserIdInput: Swift.Sendable { } public struct GetWorkloadAccessTokenForUserIdOutput: Swift.Sendable { - /// The workload access token of the named workload. + /// The access token for the specified workload. /// This member is required. public var workloadAccessToken: Swift.String? @@ -1834,30 +1914,6 @@ public struct InvokeCodeInterpreterOutput: Swift.Sendable { } } -/// The input fails to satisfy the constraints specified by AgentCore. Check your input values and try again. -public struct InvalidInputException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { - - public struct Properties: Swift.Sendable { - /// This member is required. - public internal(set) var message: Swift.String? = nil - } - - public internal(set) var properties = Properties() - public static var typeName: Swift.String { "InvalidInputException" } - public static var fault: ClientRuntime.ErrorFault { .client } - public static var isRetryable: Swift.Bool { false } - public static var isThrottling: Swift.Bool { false } - public internal(set) var httpResponse = SmithyHTTPAPI.HTTPResponse() - public internal(set) var message: Swift.String? - public internal(set) var requestID: Swift.String? - - public init( - message: Swift.String? = nil - ) { - self.properties.message = message - } -} - /// The service encountered an internal error. Try your request again later. public struct ServiceException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { @@ -1908,49 +1964,81 @@ public struct ThrottledException: ClientRuntime.ModeledError, AWSClientRuntime.A extension BedrockAgentCoreClientTypes { - /// Contains information about a branch in an AgentCore Memory resource. Branches allow for organizing events into different conversation threads or paths. - public struct Branch: Swift.Sendable { - /// The name of the branch. + /// Contains the content of a memory record. + public enum MemoryContent: Swift.Sendable { + /// The text content of the memory record. + case text(Swift.String) + case sdkUnknown(Swift.String) + } +} + +extension BedrockAgentCoreClientTypes { + + /// Input structure to create a new memory record. + public struct MemoryRecordCreateInput: Swift.Sendable { + /// The content to be stored within the memory record. /// This member is required. - public var name: Swift.String? - /// The identifier of the root event for this branch. - public var rootEventId: Swift.String? + public var content: BedrockAgentCoreClientTypes.MemoryContent? + /// The ID of the memory strategy that defines how this memory record is grouped. + public var memoryStrategyId: Swift.String? + /// A list of namespace identifiers that categorize or group the memory record. + /// This member is required. + public var namespaces: [Swift.String]? + /// A client-provided identifier for tracking this specific record creation request. + /// This member is required. + public var requestIdentifier: Swift.String? + /// Time at which the memory record was created. + /// This member is required. + public var timestamp: Foundation.Date? public init( - name: Swift.String? = nil, - rootEventId: Swift.String? = nil + content: BedrockAgentCoreClientTypes.MemoryContent? = nil, + memoryStrategyId: Swift.String? = nil, + namespaces: [Swift.String]? = nil, + requestIdentifier: Swift.String? = nil, + timestamp: Foundation.Date? = nil ) { - self.name = name - self.rootEventId = rootEventId + self.content = content + self.memoryStrategyId = memoryStrategyId + self.namespaces = namespaces + self.requestIdentifier = requestIdentifier + self.timestamp = timestamp } } } -extension BedrockAgentCoreClientTypes { +public struct BatchCreateMemoryRecordsInput: Swift.Sendable { + /// A unique, case-sensitive identifier to ensure idempotent processing of the batch request. + public var clientToken: Swift.String? + /// The unique ID of the memory resource where records will be created. + /// This member is required. + public var memoryId: Swift.String? + /// A list of memory record creation inputs to be processed in the batch operation. + /// This member is required. + public var records: [BedrockAgentCoreClientTypes.MemoryRecordCreateInput]? - /// Contains the content of a memory item. - public enum Content: Swift.Sendable { - /// The text content of the memory item. - case text(Swift.String) - case sdkUnknown(Swift.String) + public init( + clientToken: Swift.String? = nil, + memoryId: Swift.String? = nil, + records: [BedrockAgentCoreClientTypes.MemoryRecordCreateInput]? = nil + ) { + self.clientToken = clientToken + self.memoryId = memoryId + self.records = records } } extension BedrockAgentCoreClientTypes { - public enum Role: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { - case assistant - case other - case tool - case user + public enum MemoryRecordStatus: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { + case failed + case succeeded case sdkUnknown(Swift.String) - public static var allCases: [Role] { + public static var allCases: [MemoryRecordStatus] { return [ - .assistant, - .other, - .tool, - .user + .failed, + .succeeded ] } @@ -1961,10 +2049,8 @@ extension BedrockAgentCoreClientTypes { public var rawValue: Swift.String { switch self { - case .assistant: return "ASSISTANT" - case .other: return "OTHER" - case .tool: return "TOOL" - case .user: return "USER" + case .failed: return "FAILED" + case .succeeded: return "SUCCEEDED" case let .sdkUnknown(s): return s } } @@ -1973,28 +2059,294 @@ extension BedrockAgentCoreClientTypes { extension BedrockAgentCoreClientTypes { - /// Contains conversational content for an event payload. - public struct Conversational: Swift.Sendable { - /// The content of the conversation message. + /// Output information returned after processing a memory record operation. + public struct MemoryRecordOutput: Swift.Sendable { + /// The error code returned when the memory record operation fails. + public var errorCode: Swift.Int? + /// A human-readable error message describing why the memory record operation failed. + public var errorMessage: Swift.String? + /// The unique ID associated to the memory record. /// This member is required. - public var content: BedrockAgentCoreClientTypes.Content? - /// The role of the participant in the conversation (for example, "user" or "assistant"). + public var memoryRecordId: Swift.String? + /// The client-provided identifier that was used to track this record operation. + public var requestIdentifier: Swift.String? + /// The status of the memory record operation (e.g., SUCCEEDED, FAILED). /// This member is required. - public var role: BedrockAgentCoreClientTypes.Role? + public var status: BedrockAgentCoreClientTypes.MemoryRecordStatus? public init( - content: BedrockAgentCoreClientTypes.Content? = nil, - role: BedrockAgentCoreClientTypes.Role? = nil + errorCode: Swift.Int? = nil, + errorMessage: Swift.String? = nil, + memoryRecordId: Swift.String? = nil, + requestIdentifier: Swift.String? = nil, + status: BedrockAgentCoreClientTypes.MemoryRecordStatus? = nil ) { - self.content = content - self.role = role + self.errorCode = errorCode + self.errorMessage = errorMessage + self.memoryRecordId = memoryRecordId + self.requestIdentifier = requestIdentifier + self.status = status } } } -extension BedrockAgentCoreClientTypes { +public struct BatchCreateMemoryRecordsOutput: Swift.Sendable { + /// A list of memory records that failed to be created, including error details for each failure. + /// This member is required. + public var failedRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? + /// A list of memory records that were successfully created during the batch operation. + /// This member is required. + public var successfulRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? - /// Contains the payload content for an event. + public init( + failedRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? = nil, + successfulRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? = nil + ) { + self.failedRecords = failedRecords + self.successfulRecords = successfulRecords + } +} + +extension BedrockAgentCoreClientTypes { + + /// Input structure to delete an existing memory record. + public struct MemoryRecordDeleteInput: Swift.Sendable { + /// The unique ID of the memory record to be deleted. + /// This member is required. + public var memoryRecordId: Swift.String? + + public init( + memoryRecordId: Swift.String? = nil + ) { + self.memoryRecordId = memoryRecordId + } + } +} + +public struct BatchDeleteMemoryRecordsInput: Swift.Sendable { + /// The unique ID of the memory resource where records will be deleted. + /// This member is required. + public var memoryId: Swift.String? + /// A list of memory record deletion inputs to be processed in the batch operation. + /// This member is required. + public var records: [BedrockAgentCoreClientTypes.MemoryRecordDeleteInput]? + + public init( + memoryId: Swift.String? = nil, + records: [BedrockAgentCoreClientTypes.MemoryRecordDeleteInput]? = nil + ) { + self.memoryId = memoryId + self.records = records + } +} + +public struct BatchDeleteMemoryRecordsOutput: Swift.Sendable { + /// A list of memory records that failed to be deleted, including error details for each failure. + /// This member is required. + public var failedRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? + /// A list of memory records that were successfully deleted during the batch operation. + /// This member is required. + public var successfulRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? + + public init( + failedRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? = nil, + successfulRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? = nil + ) { + self.failedRecords = failedRecords + self.successfulRecords = successfulRecords + } +} + +extension BedrockAgentCoreClientTypes { + + /// Input structure to update an existing memory record. + public struct MemoryRecordUpdateInput: Swift.Sendable { + /// The content to be stored within the memory record. + public var content: BedrockAgentCoreClientTypes.MemoryContent? + /// The unique ID of the memory record to be updated. + /// This member is required. + public var memoryRecordId: Swift.String? + /// The updated ID of the memory strategy that defines how this memory record is grouped. + public var memoryStrategyId: Swift.String? + /// The updated list of namespace identifiers for categorizing the memory record. + public var namespaces: [Swift.String]? + /// Time at which the memory record was updated + /// This member is required. + public var timestamp: Foundation.Date? + + public init( + content: BedrockAgentCoreClientTypes.MemoryContent? = nil, + memoryRecordId: Swift.String? = nil, + memoryStrategyId: Swift.String? = nil, + namespaces: [Swift.String]? = nil, + timestamp: Foundation.Date? = nil + ) { + self.content = content + self.memoryRecordId = memoryRecordId + self.memoryStrategyId = memoryStrategyId + self.namespaces = namespaces + self.timestamp = timestamp + } + } +} + +public struct BatchUpdateMemoryRecordsInput: Swift.Sendable { + /// The unique ID of the memory resource where records will be updated. + /// This member is required. + public var memoryId: Swift.String? + /// A list of memory record update inputs to be processed in the batch operation. + /// This member is required. + public var records: [BedrockAgentCoreClientTypes.MemoryRecordUpdateInput]? + + public init( + memoryId: Swift.String? = nil, + records: [BedrockAgentCoreClientTypes.MemoryRecordUpdateInput]? = nil + ) { + self.memoryId = memoryId + self.records = records + } +} + +public struct BatchUpdateMemoryRecordsOutput: Swift.Sendable { + /// A list of memory records that failed to be updated, including error details for each failure. + /// This member is required. + public var failedRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? + /// A list of memory records that were successfully updated during the batch operation. + /// This member is required. + public var successfulRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? + + public init( + failedRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? = nil, + successfulRecords: [BedrockAgentCoreClientTypes.MemoryRecordOutput]? = nil + ) { + self.failedRecords = failedRecords + self.successfulRecords = successfulRecords + } +} + +/// The input fails to satisfy the constraints specified by AgentCore. Check your input values and try again. +public struct InvalidInputException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { + + public struct Properties: Swift.Sendable { + /// This member is required. + public internal(set) var message: Swift.String? = nil + } + + public internal(set) var properties = Properties() + public static var typeName: Swift.String { "InvalidInputException" } + public static var fault: ClientRuntime.ErrorFault { .client } + public static var isRetryable: Swift.Bool { false } + public static var isThrottling: Swift.Bool { false } + public internal(set) var httpResponse = SmithyHTTPAPI.HTTPResponse() + public internal(set) var message: Swift.String? + public internal(set) var requestID: Swift.String? + + public init( + message: Swift.String? = nil + ) { + self.properties.message = message + } +} + +extension BedrockAgentCoreClientTypes { + + /// Contains information about a branch in an AgentCore Memory resource. Branches allow for organizing events into different conversation threads or paths. + public struct Branch: Swift.Sendable { + /// The name of the branch. + /// This member is required. + public var name: Swift.String? + /// The identifier of the root event for this branch. + public var rootEventId: Swift.String? + + public init( + name: Swift.String? = nil, + rootEventId: Swift.String? = nil + ) { + self.name = name + self.rootEventId = rootEventId + } + } +} + +extension BedrockAgentCoreClientTypes { + + /// Value associated with the eventMetadata key. + public enum MetadataValue: Swift.Sendable { + /// Value associated with the eventMetadata key. + case stringvalue(Swift.String) + case sdkUnknown(Swift.String) + } +} + +extension BedrockAgentCoreClientTypes { + + /// Contains the content of a memory item. + public enum Content: Swift.Sendable { + /// The text content of the memory item. + case text(Swift.String) + case sdkUnknown(Swift.String) + } +} + +extension BedrockAgentCoreClientTypes { + + public enum Role: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { + case assistant + case other + case tool + case user + case sdkUnknown(Swift.String) + + public static var allCases: [Role] { + return [ + .assistant, + .other, + .tool, + .user + ] + } + + public init?(rawValue: Swift.String) { + let value = Self.allCases.first(where: { $0.rawValue == rawValue }) + self = value ?? Self.sdkUnknown(rawValue) + } + + public var rawValue: Swift.String { + switch self { + case .assistant: return "ASSISTANT" + case .other: return "OTHER" + case .tool: return "TOOL" + case .user: return "USER" + case let .sdkUnknown(s): return s + } + } + } +} + +extension BedrockAgentCoreClientTypes { + + /// Contains conversational content for an event payload. + public struct Conversational: Swift.Sendable { + /// The content of the conversation message. + /// This member is required. + public var content: BedrockAgentCoreClientTypes.Content? + /// The role of the participant in the conversation (for example, "user" or "assistant"). + /// This member is required. + public var role: BedrockAgentCoreClientTypes.Role? + + public init( + content: BedrockAgentCoreClientTypes.Content? = nil, + role: BedrockAgentCoreClientTypes.Role? = nil + ) { + self.content = content + self.role = role + } + } +} + +extension BedrockAgentCoreClientTypes { + + /// Contains the payload content for an event. public enum PayloadType: Swift.Sendable { /// The conversational content of the payload. case conversational(BedrockAgentCoreClientTypes.Conversational) @@ -2018,6 +2370,8 @@ public struct CreateEventInput: Swift.Sendable { /// The identifier of the AgentCore Memory resource in which to create the event. /// This member is required. public var memoryId: Swift.String? + /// The key-value metadata to attach to the event. + public var metadata: [Swift.String: BedrockAgentCoreClientTypes.MetadataValue]? /// The content payload of the event. This can include conversational data or binary content. /// This member is required. public var payload: [BedrockAgentCoreClientTypes.PayloadType]? @@ -2030,6 +2384,7 @@ public struct CreateEventInput: Swift.Sendable { clientToken: Swift.String? = nil, eventTimestamp: Foundation.Date? = nil, memoryId: Swift.String? = nil, + metadata: [Swift.String: BedrockAgentCoreClientTypes.MetadataValue]? = nil, payload: [BedrockAgentCoreClientTypes.PayloadType]? = nil, sessionId: Swift.String? = nil ) { @@ -2038,6 +2393,7 @@ public struct CreateEventInput: Swift.Sendable { self.clientToken = clientToken self.eventTimestamp = eventTimestamp self.memoryId = memoryId + self.metadata = metadata self.payload = payload self.sessionId = sessionId } @@ -2061,6 +2417,8 @@ extension BedrockAgentCoreClientTypes { /// The identifier of the AgentCore Memory resource containing the event. /// This member is required. public var memoryId: Swift.String? + /// Metadata associated with an event. + public var metadata: [Swift.String: BedrockAgentCoreClientTypes.MetadataValue]? /// The content payload of the event. /// This member is required. public var payload: [BedrockAgentCoreClientTypes.PayloadType]? @@ -2074,6 +2432,7 @@ extension BedrockAgentCoreClientTypes { eventId: Swift.String? = nil, eventTimestamp: Foundation.Date? = nil, memoryId: Swift.String? = nil, + metadata: [Swift.String: BedrockAgentCoreClientTypes.MetadataValue]? = nil, payload: [BedrockAgentCoreClientTypes.PayloadType]? = nil, sessionId: Swift.String? = nil ) { @@ -2082,6 +2441,7 @@ extension BedrockAgentCoreClientTypes { self.eventId = eventId self.eventTimestamp = eventTimestamp self.memoryId = memoryId + self.metadata = metadata self.payload = payload self.sessionId = sessionId } @@ -2224,16 +2584,6 @@ public struct GetMemoryRecordInput: Swift.Sendable { } } -extension BedrockAgentCoreClientTypes { - - /// Contains the content of a memory record. - public enum MemoryContent: Swift.Sendable { - /// The text content of the memory record. - case text(Swift.String) - case sdkUnknown(Swift.String) - } -} - extension BedrockAgentCoreClientTypes { /// Contains information about a memory record in an AgentCore Memory resource. @@ -2338,17 +2688,98 @@ extension BedrockAgentCoreClientTypes { } } +extension BedrockAgentCoreClientTypes { + + /// Left expression of the event metadata filter. + public enum LeftExpression: Swift.Sendable { + /// Key associated with the metadata in an event. + case metadatakey(Swift.String) + case sdkUnknown(Swift.String) + } +} + +extension BedrockAgentCoreClientTypes { + + public enum OperatorType: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { + case equalsTo + case exists + case notExists + case sdkUnknown(Swift.String) + + public static var allCases: [OperatorType] { + return [ + .equalsTo, + .exists, + .notExists + ] + } + + public init?(rawValue: Swift.String) { + let value = Self.allCases.first(where: { $0.rawValue == rawValue }) + self = value ?? Self.sdkUnknown(rawValue) + } + + public var rawValue: Swift.String { + switch self { + case .equalsTo: return "EQUALS_TO" + case .exists: return "EXISTS" + case .notExists: return "NOT_EXISTS" + case let .sdkUnknown(s): return s + } + } + } +} + +extension BedrockAgentCoreClientTypes { + + /// Right expression of the eventMetadatafilter. + public enum RightExpression: Swift.Sendable { + /// Value associated with the key in eventMetadata. + case metadatavalue(BedrockAgentCoreClientTypes.MetadataValue) + case sdkUnknown(Swift.String) + } +} + +extension BedrockAgentCoreClientTypes { + + /// Filter expression for retrieving events based on metadata associated with an event. + public struct EventMetadataFilterExpression: Swift.Sendable { + /// Left operand of the event metadata filter expression. + /// This member is required. + public var `left`: BedrockAgentCoreClientTypes.LeftExpression? + /// Operator applied to the event metadata filter expression. + /// This member is required. + public var `operator`: BedrockAgentCoreClientTypes.OperatorType? + /// Right operand of the event metadata filter expression. + public var `right`: BedrockAgentCoreClientTypes.RightExpression? + + public init( + `left`: BedrockAgentCoreClientTypes.LeftExpression? = nil, + `operator`: BedrockAgentCoreClientTypes.OperatorType? = nil, + `right`: BedrockAgentCoreClientTypes.RightExpression? = nil + ) { + self.`left` = `left` + self.`operator` = `operator` + self.`right` = `right` + } + } +} + extension BedrockAgentCoreClientTypes { /// Contains filter criteria for listing events. public struct FilterInput: Swift.Sendable { /// The branch filter criteria to apply when listing events. public var branch: BedrockAgentCoreClientTypes.BranchFilter? + /// Event metadata filter criteria to apply when retrieving events. + public var eventMetadata: [BedrockAgentCoreClientTypes.EventMetadataFilterExpression]? public init( - branch: BedrockAgentCoreClientTypes.BranchFilter? = nil + branch: BedrockAgentCoreClientTypes.BranchFilter? = nil, + eventMetadata: [BedrockAgentCoreClientTypes.EventMetadataFilterExpression]? = nil ) { self.branch = branch + self.eventMetadata = eventMetadata } } } @@ -2634,6 +3065,36 @@ public struct RetrieveMemoryRecordsOutput: Swift.Sendable { } } +extension BatchCreateMemoryRecordsInput { + + static func urlPathProvider(_ value: BatchCreateMemoryRecordsInput) -> Swift.String? { + guard let memoryId = value.memoryId else { + return nil + } + return "/memories/\(memoryId.urlPercentEncoding())/memoryRecords/batchCreate" + } +} + +extension BatchDeleteMemoryRecordsInput { + + static func urlPathProvider(_ value: BatchDeleteMemoryRecordsInput) -> Swift.String? { + guard let memoryId = value.memoryId else { + return nil + } + return "/memories/\(memoryId.urlPercentEncoding())/memoryRecords/batchDelete" + } +} + +extension BatchUpdateMemoryRecordsInput { + + static func urlPathProvider(_ value: BatchUpdateMemoryRecordsInput) -> Swift.String? { + guard let memoryId = value.memoryId else { + return nil + } + return "/memories/\(memoryId.urlPercentEncoding())/memoryRecords/batchUpdate" + } +} + extension CreateEventInput { static func urlPathProvider(_ value: CreateEventInput) -> Swift.String? { @@ -2676,6 +3137,39 @@ extension DeleteMemoryRecordInput { } } +extension GetAgentCardInput { + + static func urlPathProvider(_ value: GetAgentCardInput) -> Swift.String? { + guard let agentRuntimeArn = value.agentRuntimeArn else { + return nil + } + return "/runtimes/\(agentRuntimeArn.urlPercentEncoding())/invocations/.well-known/agent-card.json" + } +} + +extension GetAgentCardInput { + + static func headerProvider(_ value: GetAgentCardInput) -> SmithyHTTPAPI.Headers { + var items = SmithyHTTPAPI.Headers() + if let runtimeSessionId = value.runtimeSessionId { + items.add(SmithyHTTPAPI.Header(name: "X-Amzn-Bedrock-AgentCore-Runtime-Session-Id", value: Swift.String(runtimeSessionId))) + } + return items + } +} + +extension GetAgentCardInput { + + static func queryItemProvider(_ value: GetAgentCardInput) throws -> [Smithy.URIQueryItem] { + var items = [Smithy.URIQueryItem]() + if let qualifier = value.qualifier { + let qualifierQueryItem = Smithy.URIQueryItem(name: "qualifier".urlPercentEncoding(), value: Swift.String(qualifier).urlPercentEncoding()) + items.append(qualifierQueryItem) + } + return items + } +} + extension GetBrowserSessionInput { static func urlPathProvider(_ value: GetBrowserSessionInput) -> Swift.String? { @@ -3019,6 +3513,39 @@ extension StopCodeInterpreterSessionInput { } } +extension StopRuntimeSessionInput { + + static func urlPathProvider(_ value: StopRuntimeSessionInput) -> Swift.String? { + guard let agentRuntimeArn = value.agentRuntimeArn else { + return nil + } + return "/runtimes/\(agentRuntimeArn.urlPercentEncoding())/stopruntimesession" + } +} + +extension StopRuntimeSessionInput { + + static func headerProvider(_ value: StopRuntimeSessionInput) -> SmithyHTTPAPI.Headers { + var items = SmithyHTTPAPI.Headers() + if let runtimeSessionId = value.runtimeSessionId { + items.add(SmithyHTTPAPI.Header(name: "X-Amzn-Bedrock-AgentCore-Runtime-Session-Id", value: Swift.String(runtimeSessionId))) + } + return items + } +} + +extension StopRuntimeSessionInput { + + static func queryItemProvider(_ value: StopRuntimeSessionInput) throws -> [Smithy.URIQueryItem] { + var items = [Smithy.URIQueryItem]() + if let qualifier = value.qualifier { + let qualifierQueryItem = Smithy.URIQueryItem(name: "qualifier".urlPercentEncoding(), value: Swift.String(qualifier).urlPercentEncoding()) + items.append(qualifierQueryItem) + } + return items + } +} + extension UpdateBrowserStreamInput { static func urlPathProvider(_ value: UpdateBrowserStreamInput) -> Swift.String? { @@ -3043,6 +3570,31 @@ extension UpdateBrowserStreamInput { } } +extension BatchCreateMemoryRecordsInput { + + static func write(value: BatchCreateMemoryRecordsInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["clientToken"].write(value.clientToken) + try writer["records"].writeList(value.records, memberWritingClosure: BedrockAgentCoreClientTypes.MemoryRecordCreateInput.write(value:to:), memberNodeInfo: "member", isFlattened: false) + } +} + +extension BatchDeleteMemoryRecordsInput { + + static func write(value: BatchDeleteMemoryRecordsInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["records"].writeList(value.records, memberWritingClosure: BedrockAgentCoreClientTypes.MemoryRecordDeleteInput.write(value:to:), memberNodeInfo: "member", isFlattened: false) + } +} + +extension BatchUpdateMemoryRecordsInput { + + static func write(value: BatchUpdateMemoryRecordsInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["records"].writeList(value.records, memberWritingClosure: BedrockAgentCoreClientTypes.MemoryRecordUpdateInput.write(value:to:), memberNodeInfo: "member", isFlattened: false) + } +} + extension CreateEventInput { static func write(value: CreateEventInput?, to writer: SmithyJSON.Writer) throws { @@ -3051,6 +3603,7 @@ extension CreateEventInput { try writer["branch"].write(value.branch, with: BedrockAgentCoreClientTypes.Branch.write(value:to:)) try writer["clientToken"].write(value.clientToken) try writer["eventTimestamp"].writeTimestamp(value.eventTimestamp, format: SmithyTimestamps.TimestampFormat.epochSeconds) + try writer["metadata"].writeMap(value.metadata, valueWritingClosure: BedrockAgentCoreClientTypes.MetadataValue.write(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) try writer["payload"].writeList(value.payload, memberWritingClosure: BedrockAgentCoreClientTypes.PayloadType.write(value:to:), memberNodeInfo: "member", isFlattened: false) try writer["sessionId"].write(value.sessionId) } @@ -3224,7 +3777,15 @@ extension StopBrowserSessionInput { extension StopCodeInterpreterSessionInput { - static func write(value: StopCodeInterpreterSessionInput?, to writer: SmithyJSON.Writer) throws { + static func write(value: StopCodeInterpreterSessionInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["clientToken"].write(value.clientToken) + } +} + +extension StopRuntimeSessionInput { + + static func write(value: StopRuntimeSessionInput?, to writer: SmithyJSON.Writer) throws { guard let value else { return } try writer["clientToken"].write(value.clientToken) } @@ -3239,6 +3800,45 @@ extension UpdateBrowserStreamInput { } } +extension BatchCreateMemoryRecordsOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> BatchCreateMemoryRecordsOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = BatchCreateMemoryRecordsOutput() + value.failedRecords = try reader["failedRecords"].readListIfPresent(memberReadingClosure: BedrockAgentCoreClientTypes.MemoryRecordOutput.read(from:), memberNodeInfo: "member", isFlattened: false) ?? [] + value.successfulRecords = try reader["successfulRecords"].readListIfPresent(memberReadingClosure: BedrockAgentCoreClientTypes.MemoryRecordOutput.read(from:), memberNodeInfo: "member", isFlattened: false) ?? [] + return value + } +} + +extension BatchDeleteMemoryRecordsOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> BatchDeleteMemoryRecordsOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = BatchDeleteMemoryRecordsOutput() + value.failedRecords = try reader["failedRecords"].readListIfPresent(memberReadingClosure: BedrockAgentCoreClientTypes.MemoryRecordOutput.read(from:), memberNodeInfo: "member", isFlattened: false) ?? [] + value.successfulRecords = try reader["successfulRecords"].readListIfPresent(memberReadingClosure: BedrockAgentCoreClientTypes.MemoryRecordOutput.read(from:), memberNodeInfo: "member", isFlattened: false) ?? [] + return value + } +} + +extension BatchUpdateMemoryRecordsOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> BatchUpdateMemoryRecordsOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = BatchUpdateMemoryRecordsOutput() + value.failedRecords = try reader["failedRecords"].readListIfPresent(memberReadingClosure: BedrockAgentCoreClientTypes.MemoryRecordOutput.read(from:), memberNodeInfo: "member", isFlattened: false) ?? [] + value.successfulRecords = try reader["successfulRecords"].readListIfPresent(memberReadingClosure: BedrockAgentCoreClientTypes.MemoryRecordOutput.read(from:), memberNodeInfo: "member", isFlattened: false) ?? [] + return value + } +} + extension CreateEventOutput { static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> CreateEventOutput { @@ -3275,6 +3875,21 @@ extension DeleteMemoryRecordOutput { } } +extension GetAgentCardOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> GetAgentCardOutput { + var value = GetAgentCardOutput() + if let runtimeSessionIdHeaderValue = httpResponse.headers.value(for: "X-Amzn-Bedrock-AgentCore-Runtime-Session-Id") { + value.runtimeSessionId = runtimeSessionIdHeaderValue + } + if let data = try await httpResponse.body.readData() { + value.agentCard = try Smithy.Document.make(from: data) + } + value.statusCode = httpResponse.statusCode.rawValue + return value + } +} + extension GetBrowserSessionOutput { static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> GetBrowserSessionOutput { @@ -3603,6 +4218,18 @@ extension StopCodeInterpreterSessionOutput { } } +extension StopRuntimeSessionOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> StopRuntimeSessionOutput { + var value = StopRuntimeSessionOutput() + if let runtimeSessionIdHeaderValue = httpResponse.headers.value(for: "X-Amzn-Bedrock-AgentCore-Runtime-Session-Id") { + value.runtimeSessionId = runtimeSessionIdHeaderValue + } + value.statusCode = httpResponse.statusCode.rawValue + return value + } +} + extension UpdateBrowserStreamOutput { static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> UpdateBrowserStreamOutput { @@ -3618,6 +4245,63 @@ extension UpdateBrowserStreamOutput { } } +enum BatchCreateMemoryRecordsOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "ResourceNotFoundException": return try ResourceNotFoundException.makeError(baseError: baseError) + case "ServiceException": return try ServiceException.makeError(baseError: baseError) + case "ServiceQuotaExceededException": return try ServiceQuotaExceededException.makeError(baseError: baseError) + case "ThrottledException": return try ThrottledException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + +enum BatchDeleteMemoryRecordsOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "ResourceNotFoundException": return try ResourceNotFoundException.makeError(baseError: baseError) + case "ServiceException": return try ServiceException.makeError(baseError: baseError) + case "ServiceQuotaExceededException": return try ServiceQuotaExceededException.makeError(baseError: baseError) + case "ThrottledException": return try ThrottledException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + +enum BatchUpdateMemoryRecordsOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "ResourceNotFoundException": return try ResourceNotFoundException.makeError(baseError: baseError) + case "ServiceException": return try ServiceException.makeError(baseError: baseError) + case "ServiceQuotaExceededException": return try ServiceQuotaExceededException.makeError(baseError: baseError) + case "ThrottledException": return try ThrottledException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + enum CreateEventOutputError { static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { @@ -3678,6 +4362,26 @@ enum DeleteMemoryRecordOutputError { } } +enum GetAgentCardOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ResourceNotFoundException": return try ResourceNotFoundException.makeError(baseError: baseError) + case "RuntimeClientError": return try RuntimeClientError.makeError(baseError: baseError) + case "ServiceQuotaExceededException": return try ServiceQuotaExceededException.makeError(baseError: baseError) + case "ThrottlingException": return try ThrottlingException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + enum GetBrowserSessionOutputError { static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { @@ -4105,6 +4809,28 @@ enum StopCodeInterpreterSessionOutputError { } } +enum StopRuntimeSessionOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "ConflictException": return try ConflictException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ResourceNotFoundException": return try ResourceNotFoundException.makeError(baseError: baseError) + case "RuntimeClientError": return try RuntimeClientError.makeError(baseError: baseError) + case "ServiceQuotaExceededException": return try ServiceQuotaExceededException.makeError(baseError: baseError) + case "ThrottlingException": return try ThrottlingException.makeError(baseError: baseError) + case "UnauthorizedException": return try UnauthorizedException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + enum UpdateBrowserStreamOutputError { static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { @@ -4138,19 +4864,6 @@ extension AccessDeniedException { } } -extension InvalidInputException { - - static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> InvalidInputException { - let reader = baseError.errorBodyReader - var value = InvalidInputException() - value.properties.message = try reader["message"].readIfPresent() ?? "" - value.httpResponse = baseError.httpResponse - value.requestID = baseError.requestID - value.message = baseError.message - return value - } -} - extension ResourceNotFoundException { static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> ResourceNotFoundException { @@ -4218,6 +4931,19 @@ extension ValidationException { } } +extension InvalidInputException { + + static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> InvalidInputException { + let reader = baseError.errorBodyReader + var value = InvalidInputException() + value.properties.message = try reader["message"].readIfPresent() ?? "" + value.httpResponse = baseError.httpResponse + value.requestID = baseError.requestID + value.message = baseError.message + return value + } +} + extension InternalServerException { static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> InternalServerException { @@ -4231,11 +4957,11 @@ extension InternalServerException { } } -extension ThrottlingException { +extension RuntimeClientError { - static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> ThrottlingException { + static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> RuntimeClientError { let reader = baseError.errorBodyReader - var value = ThrottlingException() + var value = RuntimeClientError() value.properties.message = try reader["message"].readIfPresent() value.httpResponse = baseError.httpResponse value.requestID = baseError.requestID @@ -4244,11 +4970,11 @@ extension ThrottlingException { } } -extension UnauthorizedException { +extension ThrottlingException { - static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> UnauthorizedException { + static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> ThrottlingException { let reader = baseError.errorBodyReader - var value = UnauthorizedException() + var value = ThrottlingException() value.properties.message = try reader["message"].readIfPresent() value.httpResponse = baseError.httpResponse value.requestID = baseError.requestID @@ -4257,11 +4983,11 @@ extension UnauthorizedException { } } -extension RuntimeClientError { +extension UnauthorizedException { - static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> RuntimeClientError { + static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> UnauthorizedException { let reader = baseError.errorBodyReader - var value = RuntimeClientError() + var value = UnauthorizedException() value.properties.message = try reader["message"].readIfPresent() value.httpResponse = baseError.httpResponse value.requestID = baseError.requestID @@ -4336,6 +5062,20 @@ extension BedrockAgentCoreClientTypes.CodeInterpreterStreamOutput { } } +extension BedrockAgentCoreClientTypes.MemoryRecordOutput { + + static func read(from reader: SmithyJSON.Reader) throws -> BedrockAgentCoreClientTypes.MemoryRecordOutput { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = BedrockAgentCoreClientTypes.MemoryRecordOutput() + value.memoryRecordId = try reader["memoryRecordId"].readIfPresent() ?? "" + value.status = try reader["status"].readIfPresent() ?? .sdkUnknown("") + value.requestIdentifier = try reader["requestIdentifier"].readIfPresent() + value.errorCode = try reader["errorCode"].readIfPresent() + value.errorMessage = try reader["errorMessage"].readIfPresent() + return value + } +} + extension BedrockAgentCoreClientTypes.Event { static func read(from reader: SmithyJSON.Reader) throws -> BedrockAgentCoreClientTypes.Event { @@ -4348,10 +5088,35 @@ extension BedrockAgentCoreClientTypes.Event { value.eventTimestamp = try reader["eventTimestamp"].readTimestampIfPresent(format: SmithyTimestamps.TimestampFormat.epochSeconds) ?? SmithyTimestamps.TimestampFormatter(format: .dateTime).date(from: "1970-01-01T00:00:00Z") value.payload = try reader["payload"].readListIfPresent(memberReadingClosure: BedrockAgentCoreClientTypes.PayloadType.read(from:), memberNodeInfo: "member", isFlattened: false) ?? [] value.branch = try reader["branch"].readIfPresent(with: BedrockAgentCoreClientTypes.Branch.read(from:)) + value.metadata = try reader["metadata"].readMapIfPresent(valueReadingClosure: BedrockAgentCoreClientTypes.MetadataValue.read(from:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) return value } } +extension BedrockAgentCoreClientTypes.MetadataValue { + + static func write(value: BedrockAgentCoreClientTypes.MetadataValue?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + switch value { + case let .stringvalue(stringvalue): + try writer["stringValue"].write(stringvalue) + case let .sdkUnknown(sdkUnknown): + try writer["sdkUnknown"].write(sdkUnknown) + } + } + + static func read(from reader: SmithyJSON.Reader) throws -> BedrockAgentCoreClientTypes.MetadataValue { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + let name = reader.children.filter { $0.hasContent && $0.nodeInfo.name != "__type" }.first?.nodeInfo.name + switch name { + case "stringValue": + return .stringvalue(try reader["stringValue"].read()) + default: + return .sdkUnknown(name ?? "") + } + } +} + extension BedrockAgentCoreClientTypes.Branch { static func write(value: BedrockAgentCoreClientTypes.Branch?, to writer: SmithyJSON.Writer) throws { @@ -4503,6 +5268,16 @@ extension BedrockAgentCoreClientTypes.MemoryRecord { extension BedrockAgentCoreClientTypes.MemoryContent { + static func write(value: BedrockAgentCoreClientTypes.MemoryContent?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + switch value { + case let .text(text): + try writer["text"].write(text) + case let .sdkUnknown(sdkUnknown): + try writer["sdkUnknown"].write(sdkUnknown) + } + } + static func read(from reader: SmithyJSON.Reader) throws -> BedrockAgentCoreClientTypes.MemoryContent { guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } let name = reader.children.filter { $0.hasContent && $0.nodeInfo.name != "__type" }.first?.nodeInfo.name @@ -4724,6 +5499,38 @@ extension BedrockAgentCoreClientTypes.SessionSummary { } } +extension BedrockAgentCoreClientTypes.MemoryRecordCreateInput { + + static func write(value: BedrockAgentCoreClientTypes.MemoryRecordCreateInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["content"].write(value.content, with: BedrockAgentCoreClientTypes.MemoryContent.write(value:to:)) + try writer["memoryStrategyId"].write(value.memoryStrategyId) + try writer["namespaces"].writeList(value.namespaces, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) + try writer["requestIdentifier"].write(value.requestIdentifier) + try writer["timestamp"].writeTimestamp(value.timestamp, format: SmithyTimestamps.TimestampFormat.epochSeconds) + } +} + +extension BedrockAgentCoreClientTypes.MemoryRecordDeleteInput { + + static func write(value: BedrockAgentCoreClientTypes.MemoryRecordDeleteInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["memoryRecordId"].write(value.memoryRecordId) + } +} + +extension BedrockAgentCoreClientTypes.MemoryRecordUpdateInput { + + static func write(value: BedrockAgentCoreClientTypes.MemoryRecordUpdateInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["content"].write(value.content, with: BedrockAgentCoreClientTypes.MemoryContent.write(value:to:)) + try writer["memoryRecordId"].write(value.memoryRecordId) + try writer["memoryStrategyId"].write(value.memoryStrategyId) + try writer["namespaces"].writeList(value.namespaces, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) + try writer["timestamp"].writeTimestamp(value.timestamp, format: SmithyTimestamps.TimestampFormat.epochSeconds) + } +} + extension BedrockAgentCoreClientTypes.ToolArguments { static func write(value: BedrockAgentCoreClientTypes.ToolArguments?, to writer: SmithyJSON.Writer) throws { @@ -4755,6 +5562,43 @@ extension BedrockAgentCoreClientTypes.FilterInput { static func write(value: BedrockAgentCoreClientTypes.FilterInput?, to writer: SmithyJSON.Writer) throws { guard let value else { return } try writer["branch"].write(value.branch, with: BedrockAgentCoreClientTypes.BranchFilter.write(value:to:)) + try writer["eventMetadata"].writeList(value.eventMetadata, memberWritingClosure: BedrockAgentCoreClientTypes.EventMetadataFilterExpression.write(value:to:), memberNodeInfo: "member", isFlattened: false) + } +} + +extension BedrockAgentCoreClientTypes.EventMetadataFilterExpression { + + static func write(value: BedrockAgentCoreClientTypes.EventMetadataFilterExpression?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["left"].write(value.`left`, with: BedrockAgentCoreClientTypes.LeftExpression.write(value:to:)) + try writer["operator"].write(value.`operator`) + try writer["right"].write(value.`right`, with: BedrockAgentCoreClientTypes.RightExpression.write(value:to:)) + } +} + +extension BedrockAgentCoreClientTypes.RightExpression { + + static func write(value: BedrockAgentCoreClientTypes.RightExpression?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + switch value { + case let .metadatavalue(metadatavalue): + try writer["metadataValue"].write(metadatavalue, with: BedrockAgentCoreClientTypes.MetadataValue.write(value:to:)) + case let .sdkUnknown(sdkUnknown): + try writer["sdkUnknown"].write(sdkUnknown) + } + } +} + +extension BedrockAgentCoreClientTypes.LeftExpression { + + static func write(value: BedrockAgentCoreClientTypes.LeftExpression?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + switch value { + case let .metadatakey(metadatakey): + try writer["metadataKey"].write(metadatakey) + case let .sdkUnknown(sdkUnknown): + try writer["sdkUnknown"].write(sdkUnknown) + } } } diff --git a/Sources/Services/AWSBedrockAgentCoreControl/Sources/AWSBedrockAgentCoreControl/BedrockAgentCoreControlClient.swift b/Sources/Services/AWSBedrockAgentCoreControl/Sources/AWSBedrockAgentCoreControl/BedrockAgentCoreControlClient.swift index e7ddc5b2010..95aa01a22a6 100644 --- a/Sources/Services/AWSBedrockAgentCoreControl/Sources/AWSBedrockAgentCoreControl/BedrockAgentCoreControlClient.swift +++ b/Sources/Services/AWSBedrockAgentCoreControl/Sources/AWSBedrockAgentCoreControl/BedrockAgentCoreControlClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BedrockAgentCoreControlClient: ClientRuntime.Client { public static let clientName = "BedrockAgentCoreControlClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BedrockAgentCoreControlClient.BedrockAgentCoreControlClientConfiguration let serviceName = "Bedrock AgentCore Control" @@ -375,9 +374,9 @@ extension BedrockAgentCoreControlClient { /// /// Creates an Amazon Bedrock AgentCore Runtime. /// - /// - Parameter CreateAgentRuntimeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAgentRuntimeInput`) /// - /// - Returns: `CreateAgentRuntimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAgentRuntimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAgentRuntimeOutput.httpOutput(from:), CreateAgentRuntimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension BedrockAgentCoreControlClient { /// /// Creates an AgentCore Runtime endpoint. /// - /// - Parameter CreateAgentRuntimeEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAgentRuntimeEndpointInput`) /// - /// - Returns: `CreateAgentRuntimeEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAgentRuntimeEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAgentRuntimeEndpointOutput.httpOutput(from:), CreateAgentRuntimeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension BedrockAgentCoreControlClient { /// /// Creates a new API key credential provider. /// - /// - Parameter CreateApiKeyCredentialProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApiKeyCredentialProviderInput`) /// - /// - Returns: `CreateApiKeyCredentialProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApiKeyCredentialProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -570,7 +567,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApiKeyCredentialProviderOutput.httpOutput(from:), CreateApiKeyCredentialProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -602,9 +598,9 @@ extension BedrockAgentCoreControlClient { /// /// Creates a custom browser. /// - /// - Parameter CreateBrowserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBrowserInput`) /// - /// - Returns: `CreateBrowserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBrowserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -644,7 +640,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBrowserOutput.httpOutput(from:), CreateBrowserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension BedrockAgentCoreControlClient { /// /// Creates a custom code interpreter. /// - /// - Parameter CreateCodeInterpreterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCodeInterpreterInput`) /// - /// - Returns: `CreateCodeInterpreterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCodeInterpreterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -718,7 +713,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCodeInterpreterOutput.httpOutput(from:), CreateCodeInterpreterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -750,9 +744,9 @@ extension BedrockAgentCoreControlClient { /// /// Creates a gateway for Amazon Bedrock Agent. A gateway serves as an integration point between your agent and external services. To create a gateway, you must specify a name, protocol type, and IAM role. The role grants the gateway permission to access Amazon Web Services services and resources. /// - /// - Parameter CreateGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGatewayInput`) /// - /// - Returns: `CreateGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -792,7 +786,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGatewayOutput.httpOutput(from:), CreateGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -824,9 +817,9 @@ extension BedrockAgentCoreControlClient { /// /// Creates a target for a gateway. A target defines an endpoint that the gateway can connect to. /// - /// - Parameter CreateGatewayTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGatewayTargetInput`) /// - /// - Returns: `CreateGatewayTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGatewayTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -867,7 +860,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGatewayTargetOutput.httpOutput(from:), CreateGatewayTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -899,9 +891,9 @@ extension BedrockAgentCoreControlClient { /// /// Creates a new Amazon Bedrock AgentCore Memory resource. /// - /// - Parameter CreateMemoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMemoryInput`) /// - /// - Returns: `CreateMemoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMemoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -942,7 +934,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMemoryOutput.httpOutput(from:), CreateMemoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -974,9 +965,9 @@ extension BedrockAgentCoreControlClient { /// /// Creates a new OAuth2 credential provider. /// - /// - Parameter CreateOauth2CredentialProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOauth2CredentialProviderInput`) /// - /// - Returns: `CreateOauth2CredentialProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOauth2CredentialProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1020,7 +1011,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOauth2CredentialProviderOutput.httpOutput(from:), CreateOauth2CredentialProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1052,9 +1042,9 @@ extension BedrockAgentCoreControlClient { /// /// Creates a new workload identity. /// - /// - Parameter CreateWorkloadIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkloadIdentityInput`) /// - /// - Returns: `CreateWorkloadIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkloadIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1093,7 +1083,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkloadIdentityOutput.httpOutput(from:), CreateWorkloadIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1125,9 +1114,9 @@ extension BedrockAgentCoreControlClient { /// /// Deletes an Amazon Bedrock AgentCore Runtime. /// - /// - Parameter DeleteAgentRuntimeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAgentRuntimeInput`) /// - /// - Returns: `DeleteAgentRuntimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAgentRuntimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1162,7 +1151,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAgentRuntimeOutput.httpOutput(from:), DeleteAgentRuntimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1194,9 +1182,9 @@ extension BedrockAgentCoreControlClient { /// /// Deletes an AAgentCore Runtime endpoint. /// - /// - Parameter DeleteAgentRuntimeEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAgentRuntimeEndpointInput`) /// - /// - Returns: `DeleteAgentRuntimeEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAgentRuntimeEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1233,7 +1221,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAgentRuntimeEndpointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAgentRuntimeEndpointOutput.httpOutput(from:), DeleteAgentRuntimeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1265,9 +1252,9 @@ extension BedrockAgentCoreControlClient { /// /// Deletes an API key credential provider. /// - /// - Parameter DeleteApiKeyCredentialProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApiKeyCredentialProviderInput`) /// - /// - Returns: `DeleteApiKeyCredentialProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApiKeyCredentialProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1306,7 +1293,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApiKeyCredentialProviderOutput.httpOutput(from:), DeleteApiKeyCredentialProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1338,9 +1324,9 @@ extension BedrockAgentCoreControlClient { /// /// Deletes a custom browser. /// - /// - Parameter DeleteBrowserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBrowserInput`) /// - /// - Returns: `DeleteBrowserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBrowserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1379,7 +1365,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBrowserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBrowserOutput.httpOutput(from:), DeleteBrowserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1411,9 +1396,9 @@ extension BedrockAgentCoreControlClient { /// /// Deletes a custom code interpreter. /// - /// - Parameter DeleteCodeInterpreterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCodeInterpreterInput`) /// - /// - Returns: `DeleteCodeInterpreterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCodeInterpreterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1452,7 +1437,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteCodeInterpreterInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCodeInterpreterOutput.httpOutput(from:), DeleteCodeInterpreterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1484,9 +1468,9 @@ extension BedrockAgentCoreControlClient { /// /// Deletes a gateway. /// - /// - Parameter DeleteGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGatewayInput`) /// - /// - Returns: `DeleteGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1522,7 +1506,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGatewayOutput.httpOutput(from:), DeleteGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1554,9 +1537,9 @@ extension BedrockAgentCoreControlClient { /// /// Deletes a gateway target. /// - /// - Parameter DeleteGatewayTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGatewayTargetInput`) /// - /// - Returns: `DeleteGatewayTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGatewayTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1592,7 +1575,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGatewayTargetOutput.httpOutput(from:), DeleteGatewayTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1624,9 +1606,9 @@ extension BedrockAgentCoreControlClient { /// /// Deletes an Amazon Bedrock AgentCore Memory resource. /// - /// - Parameter DeleteMemoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMemoryInput`) /// - /// - Returns: `DeleteMemoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMemoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1663,7 +1645,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteMemoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMemoryOutput.httpOutput(from:), DeleteMemoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1695,9 +1676,9 @@ extension BedrockAgentCoreControlClient { /// /// Deletes an OAuth2 credential provider. /// - /// - Parameter DeleteOauth2CredentialProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOauth2CredentialProviderInput`) /// - /// - Returns: `DeleteOauth2CredentialProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOauth2CredentialProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1736,7 +1717,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOauth2CredentialProviderOutput.httpOutput(from:), DeleteOauth2CredentialProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1768,9 +1748,9 @@ extension BedrockAgentCoreControlClient { /// /// Deletes a workload identity. /// - /// - Parameter DeleteWorkloadIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkloadIdentityInput`) /// - /// - Returns: `DeleteWorkloadIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkloadIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1809,7 +1789,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkloadIdentityOutput.httpOutput(from:), DeleteWorkloadIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1841,9 +1820,9 @@ extension BedrockAgentCoreControlClient { /// /// Gets an Amazon Bedrock AgentCore Runtime. /// - /// - Parameter GetAgentRuntimeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgentRuntimeInput`) /// - /// - Returns: `GetAgentRuntimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgentRuntimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1879,7 +1858,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAgentRuntimeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentRuntimeOutput.httpOutput(from:), GetAgentRuntimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1911,9 +1889,9 @@ extension BedrockAgentCoreControlClient { /// /// Gets information about an Amazon Secure AgentEndpoint. /// - /// - Parameter GetAgentRuntimeEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgentRuntimeEndpointInput`) /// - /// - Returns: `GetAgentRuntimeEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgentRuntimeEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1948,7 +1926,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentRuntimeEndpointOutput.httpOutput(from:), GetAgentRuntimeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1980,9 +1957,9 @@ extension BedrockAgentCoreControlClient { /// /// Retrieves information about an API key credential provider. /// - /// - Parameter GetApiKeyCredentialProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApiKeyCredentialProviderInput`) /// - /// - Returns: `GetApiKeyCredentialProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApiKeyCredentialProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2022,7 +1999,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApiKeyCredentialProviderOutput.httpOutput(from:), GetApiKeyCredentialProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2054,9 +2030,9 @@ extension BedrockAgentCoreControlClient { /// /// Gets information about a custom browser. /// - /// - Parameter GetBrowserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBrowserInput`) /// - /// - Returns: `GetBrowserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBrowserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2091,7 +2067,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBrowserOutput.httpOutput(from:), GetBrowserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2123,9 +2098,9 @@ extension BedrockAgentCoreControlClient { /// /// Gets information about a custom code interpreter. /// - /// - Parameter GetCodeInterpreterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCodeInterpreterInput`) /// - /// - Returns: `GetCodeInterpreterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCodeInterpreterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2160,7 +2135,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCodeInterpreterOutput.httpOutput(from:), GetCodeInterpreterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2192,9 +2166,9 @@ extension BedrockAgentCoreControlClient { /// /// Retrieves information about a specific Gateway. /// - /// - Parameter GetGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGatewayInput`) /// - /// - Returns: `GetGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2229,7 +2203,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGatewayOutput.httpOutput(from:), GetGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2261,9 +2234,9 @@ extension BedrockAgentCoreControlClient { /// /// Retrieves information about a specific gateway target. /// - /// - Parameter GetGatewayTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGatewayTargetInput`) /// - /// - Returns: `GetGatewayTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGatewayTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2298,7 +2271,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGatewayTargetOutput.httpOutput(from:), GetGatewayTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2330,9 +2302,9 @@ extension BedrockAgentCoreControlClient { /// /// Retrieve an existing Amazon Bedrock AgentCore Memory resource. /// - /// - Parameter GetMemoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMemoryInput`) /// - /// - Returns: `GetMemoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMemoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2367,7 +2339,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMemoryOutput.httpOutput(from:), GetMemoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2399,9 +2370,9 @@ extension BedrockAgentCoreControlClient { /// /// Retrieves information about an OAuth2 credential provider. /// - /// - Parameter GetOauth2CredentialProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOauth2CredentialProviderInput`) /// - /// - Returns: `GetOauth2CredentialProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOauth2CredentialProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2441,7 +2412,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOauth2CredentialProviderOutput.httpOutput(from:), GetOauth2CredentialProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2473,9 +2443,9 @@ extension BedrockAgentCoreControlClient { /// /// Retrieves information about a token vault. /// - /// - Parameter GetTokenVaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTokenVaultInput`) /// - /// - Returns: `GetTokenVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTokenVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2514,7 +2484,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTokenVaultOutput.httpOutput(from:), GetTokenVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2546,9 +2515,9 @@ extension BedrockAgentCoreControlClient { /// /// Retrieves information about a workload identity. /// - /// - Parameter GetWorkloadIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkloadIdentityInput`) /// - /// - Returns: `GetWorkloadIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkloadIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2587,7 +2556,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkloadIdentityOutput.httpOutput(from:), GetWorkloadIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2619,9 +2587,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists all endpoints for a specific Amazon Secure Agent. /// - /// - Parameter ListAgentRuntimeEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgentRuntimeEndpointsInput`) /// - /// - Returns: `ListAgentRuntimeEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgentRuntimeEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2656,7 +2624,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAgentRuntimeEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentRuntimeEndpointsOutput.httpOutput(from:), ListAgentRuntimeEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2688,9 +2655,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists all versions of a specific Amazon Secure Agent. /// - /// - Parameter ListAgentRuntimeVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgentRuntimeVersionsInput`) /// - /// - Returns: `ListAgentRuntimeVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgentRuntimeVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2726,7 +2693,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAgentRuntimeVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentRuntimeVersionsOutput.httpOutput(from:), ListAgentRuntimeVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2758,9 +2724,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists all Amazon Secure Agents in your account. /// - /// - Parameter ListAgentRuntimesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgentRuntimesInput`) /// - /// - Returns: `ListAgentRuntimesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgentRuntimesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2795,7 +2761,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAgentRuntimesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentRuntimesOutput.httpOutput(from:), ListAgentRuntimesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2827,9 +2792,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists all API key credential providers in your account. /// - /// - Parameter ListApiKeyCredentialProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApiKeyCredentialProvidersInput`) /// - /// - Returns: `ListApiKeyCredentialProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApiKeyCredentialProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2868,7 +2833,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApiKeyCredentialProvidersOutput.httpOutput(from:), ListApiKeyCredentialProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2900,9 +2864,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists all custom browsers in your account. /// - /// - Parameter ListBrowsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBrowsersInput`) /// - /// - Returns: `ListBrowsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBrowsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2937,7 +2901,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBrowsersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBrowsersOutput.httpOutput(from:), ListBrowsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2969,9 +2932,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists all custom code interpreters in your account. /// - /// - Parameter ListCodeInterpretersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCodeInterpretersInput`) /// - /// - Returns: `ListCodeInterpretersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCodeInterpretersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3006,7 +2969,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCodeInterpretersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCodeInterpretersOutput.httpOutput(from:), ListCodeInterpretersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3038,9 +3000,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists all targets for a specific gateway. /// - /// - Parameter ListGatewayTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGatewayTargetsInput`) /// - /// - Returns: `ListGatewayTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGatewayTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3075,7 +3037,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGatewayTargetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGatewayTargetsOutput.httpOutput(from:), ListGatewayTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3107,9 +3068,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists all gateways in the account. /// - /// - Parameter ListGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGatewaysInput`) /// - /// - Returns: `ListGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGatewaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3144,7 +3105,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGatewaysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGatewaysOutput.httpOutput(from:), ListGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3176,9 +3136,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists the available Amazon Bedrock AgentCore Memory resources in the current Amazon Web Services Region. /// - /// - Parameter ListMemoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMemoriesInput`) /// - /// - Returns: `ListMemoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMemoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3216,7 +3176,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMemoriesOutput.httpOutput(from:), ListMemoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3248,9 +3207,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists all OAuth2 credential providers in your account. /// - /// - Parameter ListOauth2CredentialProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOauth2CredentialProvidersInput`) /// - /// - Returns: `ListOauth2CredentialProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOauth2CredentialProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3289,7 +3248,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOauth2CredentialProvidersOutput.httpOutput(from:), ListOauth2CredentialProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3321,9 +3279,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists the tags associated with the specified resource. This feature is currently available only for AgentCore Runtime, Browser, Code Interpreter tool, and Gateway. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3358,7 +3316,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3390,9 +3347,9 @@ extension BedrockAgentCoreControlClient { /// /// Lists all workload identities in your account. /// - /// - Parameter ListWorkloadIdentitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkloadIdentitiesInput`) /// - /// - Returns: `ListWorkloadIdentitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkloadIdentitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3431,7 +3388,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkloadIdentitiesOutput.httpOutput(from:), ListWorkloadIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3463,9 +3419,9 @@ extension BedrockAgentCoreControlClient { /// /// Sets the customer master key (CMK) for a token vault. /// - /// - Parameter SetTokenVaultCMKInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetTokenVaultCMKInput`) /// - /// - Returns: `SetTokenVaultCMKOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetTokenVaultCMKOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3505,7 +3461,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetTokenVaultCMKOutput.httpOutput(from:), SetTokenVaultCMKOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3537,9 +3492,9 @@ extension BedrockAgentCoreControlClient { /// /// Associates the specified tags to a resource with the specified resourceArn. If existing tags on a resource are not specified in the request parameters, they are not changed. When a resource is deleted, the tags associated with that resource are also deleted. This feature is currently available only for AgentCore Runtime, Browser, Code Interpreter tool, and Gateway. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3578,7 +3533,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3610,9 +3564,9 @@ extension BedrockAgentCoreControlClient { /// /// Removes the specified tags from the specified resource. This feature is currently available only for AgentCore Runtime, Browser, Code Interpreter tool, and Gateway. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3648,7 +3602,6 @@ extension BedrockAgentCoreControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3680,9 +3633,9 @@ extension BedrockAgentCoreControlClient { /// /// Updates an existing Amazon Secure Agent. /// - /// - Parameter UpdateAgentRuntimeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAgentRuntimeInput`) /// - /// - Returns: `UpdateAgentRuntimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgentRuntimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3723,7 +3676,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgentRuntimeOutput.httpOutput(from:), UpdateAgentRuntimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3755,9 +3707,9 @@ extension BedrockAgentCoreControlClient { /// /// Updates an existing Amazon Bedrock AgentCore Runtime endpoint. /// - /// - Parameter UpdateAgentRuntimeEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAgentRuntimeEndpointInput`) /// - /// - Returns: `UpdateAgentRuntimeEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgentRuntimeEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3798,7 +3750,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgentRuntimeEndpointOutput.httpOutput(from:), UpdateAgentRuntimeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3830,9 +3781,9 @@ extension BedrockAgentCoreControlClient { /// /// Updates an existing API key credential provider. /// - /// - Parameter UpdateApiKeyCredentialProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApiKeyCredentialProviderInput`) /// - /// - Returns: `UpdateApiKeyCredentialProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApiKeyCredentialProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3875,7 +3826,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApiKeyCredentialProviderOutput.httpOutput(from:), UpdateApiKeyCredentialProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3907,9 +3857,9 @@ extension BedrockAgentCoreControlClient { /// /// Updates an existing gateway. /// - /// - Parameter UpdateGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGatewayInput`) /// - /// - Returns: `UpdateGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3949,7 +3899,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewayOutput.httpOutput(from:), UpdateGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3981,9 +3930,9 @@ extension BedrockAgentCoreControlClient { /// /// Updates an existing gateway target. /// - /// - Parameter UpdateGatewayTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGatewayTargetInput`) /// - /// - Returns: `UpdateGatewayTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGatewayTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4023,7 +3972,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewayTargetOutput.httpOutput(from:), UpdateGatewayTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4055,9 +4003,9 @@ extension BedrockAgentCoreControlClient { /// /// Update an Amazon Bedrock AgentCore Memory resource memory. /// - /// - Parameter UpdateMemoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMemoryInput`) /// - /// - Returns: `UpdateMemoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMemoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4098,7 +4046,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMemoryOutput.httpOutput(from:), UpdateMemoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4130,9 +4077,9 @@ extension BedrockAgentCoreControlClient { /// /// Updates an existing OAuth2 credential provider. /// - /// - Parameter UpdateOauth2CredentialProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOauth2CredentialProviderInput`) /// - /// - Returns: `UpdateOauth2CredentialProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOauth2CredentialProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4175,7 +4122,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOauth2CredentialProviderOutput.httpOutput(from:), UpdateOauth2CredentialProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4207,9 +4153,9 @@ extension BedrockAgentCoreControlClient { /// /// Updates an existing workload identity. /// - /// - Parameter UpdateWorkloadIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkloadIdentityInput`) /// - /// - Returns: `UpdateWorkloadIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkloadIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4248,7 +4194,6 @@ extension BedrockAgentCoreControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkloadIdentityOutput.httpOutput(from:), UpdateWorkloadIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBedrockAgentCoreControl/Sources/AWSBedrockAgentCoreControl/Models.swift b/Sources/Services/AWSBedrockAgentCoreControl/Sources/AWSBedrockAgentCoreControl/Models.swift index 09469d6f404..f2482a49e31 100644 --- a/Sources/Services/AWSBedrockAgentCoreControl/Sources/AWSBedrockAgentCoreControl/Models.swift +++ b/Sources/Services/AWSBedrockAgentCoreControl/Sources/AWSBedrockAgentCoreControl/Models.swift @@ -724,6 +724,25 @@ extension BedrockAgentCoreControlClientTypes { } } +extension BedrockAgentCoreControlClientTypes { + + /// LifecycleConfiguration lets you manage the lifecycle of runtime sessions and resources in AgentCore Runtime. This configuration helps optimize resource utilization by automatically cleaning up idle sessions and preventing long-running instances from consuming resources indefinitely. + public struct LifecycleConfiguration: Swift.Sendable { + /// Timeout in seconds for idle runtime sessions. When a session remains idle for this duration, it will be automatically terminated. Default: 900 seconds (15 minutes). + public var idleRuntimeSessionTimeout: Swift.Int? + /// Maximum lifetime for the instance in seconds. Once reached, instances will be automatically terminated and replaced. Default: 28800 seconds (8 hours). + public var maxLifetime: Swift.Int? + + public init( + idleRuntimeSessionTimeout: Swift.Int? = nil, + maxLifetime: Swift.Int? = nil + ) { + self.idleRuntimeSessionTimeout = idleRuntimeSessionTimeout + self.maxLifetime = maxLifetime + } + } +} + extension BedrockAgentCoreControlClientTypes { public enum NetworkMode: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { @@ -797,12 +816,14 @@ extension BedrockAgentCoreControlClientTypes { extension BedrockAgentCoreControlClientTypes { public enum ServerProtocol: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { + case a2a case http case mcp case sdkUnknown(Swift.String) public static var allCases: [ServerProtocol] { return [ + .a2a, .http, .mcp ] @@ -815,6 +836,7 @@ extension BedrockAgentCoreControlClientTypes { public var rawValue: Swift.String { switch self { + case .a2a: return "A2A" case .http: return "HTTP" case .mcp: return "MCP" case let .sdkUnknown(s): return s @@ -864,6 +886,8 @@ public struct CreateAgentRuntimeInput: Swift.Sendable { public var description: Swift.String? /// Environment variables to set in the AgentCore Runtime environment. public var environmentVariables: [Swift.String: Swift.String]? + /// The life cycle configuration for the AgentCore Runtime. + public var lifecycleConfiguration: BedrockAgentCoreControlClientTypes.LifecycleConfiguration? /// The network configuration for the AgentCore Runtime. /// This member is required. public var networkConfiguration: BedrockAgentCoreControlClientTypes.NetworkConfiguration? @@ -884,6 +908,7 @@ public struct CreateAgentRuntimeInput: Swift.Sendable { clientToken: Swift.String? = nil, description: Swift.String? = nil, environmentVariables: [Swift.String: Swift.String]? = nil, + lifecycleConfiguration: BedrockAgentCoreControlClientTypes.LifecycleConfiguration? = nil, networkConfiguration: BedrockAgentCoreControlClientTypes.NetworkConfiguration? = nil, protocolConfiguration: BedrockAgentCoreControlClientTypes.ProtocolConfiguration? = nil, requestHeaderConfiguration: BedrockAgentCoreControlClientTypes.RequestHeaderConfiguration? = nil, @@ -896,6 +921,7 @@ public struct CreateAgentRuntimeInput: Swift.Sendable { self.clientToken = clientToken self.description = description self.environmentVariables = environmentVariables + self.lifecycleConfiguration = lifecycleConfiguration self.networkConfiguration = networkConfiguration self.protocolConfiguration = protocolConfiguration self.requestHeaderConfiguration = requestHeaderConfiguration @@ -906,7 +932,7 @@ public struct CreateAgentRuntimeInput: Swift.Sendable { extension CreateAgentRuntimeInput: Swift.CustomDebugStringConvertible { public var debugDescription: Swift.String { - "CreateAgentRuntimeInput(agentRuntimeArtifact: \(Swift.String(describing: agentRuntimeArtifact)), agentRuntimeName: \(Swift.String(describing: agentRuntimeName)), authorizerConfiguration: \(Swift.String(describing: authorizerConfiguration)), clientToken: \(Swift.String(describing: clientToken)), networkConfiguration: \(Swift.String(describing: networkConfiguration)), protocolConfiguration: \(Swift.String(describing: protocolConfiguration)), requestHeaderConfiguration: \(Swift.String(describing: requestHeaderConfiguration)), roleArn: \(Swift.String(describing: roleArn)), tags: \(Swift.String(describing: tags)), description: \"CONTENT_REDACTED\", environmentVariables: \"CONTENT_REDACTED\")"} + "CreateAgentRuntimeInput(agentRuntimeArtifact: \(Swift.String(describing: agentRuntimeArtifact)), agentRuntimeName: \(Swift.String(describing: agentRuntimeName)), authorizerConfiguration: \(Swift.String(describing: authorizerConfiguration)), clientToken: \(Swift.String(describing: clientToken)), lifecycleConfiguration: \(Swift.String(describing: lifecycleConfiguration)), networkConfiguration: \(Swift.String(describing: networkConfiguration)), protocolConfiguration: \(Swift.String(describing: protocolConfiguration)), requestHeaderConfiguration: \(Swift.String(describing: requestHeaderConfiguration)), roleArn: \(Swift.String(describing: roleArn)), tags: \(Swift.String(describing: tags)), description: \"CONTENT_REDACTED\", environmentVariables: \"CONTENT_REDACTED\")"} } extension BedrockAgentCoreControlClientTypes { @@ -1069,6 +1095,9 @@ public struct GetAgentRuntimeOutput: Swift.Sendable { /// The timestamp when the AgentCore Runtime was last updated. /// This member is required. public var lastUpdatedAt: Foundation.Date? + /// The life cycle configuration for the AgentCore Runtime. + /// This member is required. + public var lifecycleConfiguration: BedrockAgentCoreControlClientTypes.LifecycleConfiguration? /// The network configuration for the AgentCore Runtime. /// This member is required. public var networkConfiguration: BedrockAgentCoreControlClientTypes.NetworkConfiguration? @@ -1096,6 +1125,7 @@ public struct GetAgentRuntimeOutput: Swift.Sendable { description: Swift.String? = nil, environmentVariables: [Swift.String: Swift.String]? = nil, lastUpdatedAt: Foundation.Date? = nil, + lifecycleConfiguration: BedrockAgentCoreControlClientTypes.LifecycleConfiguration? = nil, networkConfiguration: BedrockAgentCoreControlClientTypes.NetworkConfiguration? = nil, protocolConfiguration: BedrockAgentCoreControlClientTypes.ProtocolConfiguration? = nil, requestHeaderConfiguration: BedrockAgentCoreControlClientTypes.RequestHeaderConfiguration? = nil, @@ -1113,6 +1143,7 @@ public struct GetAgentRuntimeOutput: Swift.Sendable { self.description = description self.environmentVariables = environmentVariables self.lastUpdatedAt = lastUpdatedAt + self.lifecycleConfiguration = lifecycleConfiguration self.networkConfiguration = networkConfiguration self.protocolConfiguration = protocolConfiguration self.requestHeaderConfiguration = requestHeaderConfiguration @@ -1124,7 +1155,7 @@ public struct GetAgentRuntimeOutput: Swift.Sendable { extension GetAgentRuntimeOutput: Swift.CustomDebugStringConvertible { public var debugDescription: Swift.String { - "GetAgentRuntimeOutput(agentRuntimeArn: \(Swift.String(describing: agentRuntimeArn)), agentRuntimeArtifact: \(Swift.String(describing: agentRuntimeArtifact)), agentRuntimeId: \(Swift.String(describing: agentRuntimeId)), agentRuntimeName: \(Swift.String(describing: agentRuntimeName)), agentRuntimeVersion: \(Swift.String(describing: agentRuntimeVersion)), authorizerConfiguration: \(Swift.String(describing: authorizerConfiguration)), createdAt: \(Swift.String(describing: createdAt)), lastUpdatedAt: \(Swift.String(describing: lastUpdatedAt)), networkConfiguration: \(Swift.String(describing: networkConfiguration)), protocolConfiguration: \(Swift.String(describing: protocolConfiguration)), requestHeaderConfiguration: \(Swift.String(describing: requestHeaderConfiguration)), roleArn: \(Swift.String(describing: roleArn)), status: \(Swift.String(describing: status)), workloadIdentityDetails: \(Swift.String(describing: workloadIdentityDetails)), description: \"CONTENT_REDACTED\", environmentVariables: \"CONTENT_REDACTED\")"} + "GetAgentRuntimeOutput(agentRuntimeArn: \(Swift.String(describing: agentRuntimeArn)), agentRuntimeArtifact: \(Swift.String(describing: agentRuntimeArtifact)), agentRuntimeId: \(Swift.String(describing: agentRuntimeId)), agentRuntimeName: \(Swift.String(describing: agentRuntimeName)), agentRuntimeVersion: \(Swift.String(describing: agentRuntimeVersion)), authorizerConfiguration: \(Swift.String(describing: authorizerConfiguration)), createdAt: \(Swift.String(describing: createdAt)), lastUpdatedAt: \(Swift.String(describing: lastUpdatedAt)), lifecycleConfiguration: \(Swift.String(describing: lifecycleConfiguration)), networkConfiguration: \(Swift.String(describing: networkConfiguration)), protocolConfiguration: \(Swift.String(describing: protocolConfiguration)), requestHeaderConfiguration: \(Swift.String(describing: requestHeaderConfiguration)), roleArn: \(Swift.String(describing: roleArn)), status: \(Swift.String(describing: status)), workloadIdentityDetails: \(Swift.String(describing: workloadIdentityDetails)), description: \"CONTENT_REDACTED\", environmentVariables: \"CONTENT_REDACTED\")"} } public struct ListAgentRuntimesInput: Swift.Sendable { @@ -1260,6 +1291,8 @@ public struct UpdateAgentRuntimeInput: Swift.Sendable { public var description: Swift.String? /// Updated environment variables to set in the AgentCore Runtime environment. public var environmentVariables: [Swift.String: Swift.String]? + /// The updated life cycle configuration for the AgentCore Runtime. + public var lifecycleConfiguration: BedrockAgentCoreControlClientTypes.LifecycleConfiguration? /// The updated network configuration for the AgentCore Runtime. /// This member is required. public var networkConfiguration: BedrockAgentCoreControlClientTypes.NetworkConfiguration? @@ -1278,6 +1311,7 @@ public struct UpdateAgentRuntimeInput: Swift.Sendable { clientToken: Swift.String? = nil, description: Swift.String? = nil, environmentVariables: [Swift.String: Swift.String]? = nil, + lifecycleConfiguration: BedrockAgentCoreControlClientTypes.LifecycleConfiguration? = nil, networkConfiguration: BedrockAgentCoreControlClientTypes.NetworkConfiguration? = nil, protocolConfiguration: BedrockAgentCoreControlClientTypes.ProtocolConfiguration? = nil, requestHeaderConfiguration: BedrockAgentCoreControlClientTypes.RequestHeaderConfiguration? = nil, @@ -1289,6 +1323,7 @@ public struct UpdateAgentRuntimeInput: Swift.Sendable { self.clientToken = clientToken self.description = description self.environmentVariables = environmentVariables + self.lifecycleConfiguration = lifecycleConfiguration self.networkConfiguration = networkConfiguration self.protocolConfiguration = protocolConfiguration self.requestHeaderConfiguration = requestHeaderConfiguration @@ -1298,7 +1333,7 @@ public struct UpdateAgentRuntimeInput: Swift.Sendable { extension UpdateAgentRuntimeInput: Swift.CustomDebugStringConvertible { public var debugDescription: Swift.String { - "UpdateAgentRuntimeInput(agentRuntimeArtifact: \(Swift.String(describing: agentRuntimeArtifact)), agentRuntimeId: \(Swift.String(describing: agentRuntimeId)), authorizerConfiguration: \(Swift.String(describing: authorizerConfiguration)), clientToken: \(Swift.String(describing: clientToken)), networkConfiguration: \(Swift.String(describing: networkConfiguration)), protocolConfiguration: \(Swift.String(describing: protocolConfiguration)), requestHeaderConfiguration: \(Swift.String(describing: requestHeaderConfiguration)), roleArn: \(Swift.String(describing: roleArn)), description: \"CONTENT_REDACTED\", environmentVariables: \"CONTENT_REDACTED\")"} + "UpdateAgentRuntimeInput(agentRuntimeArtifact: \(Swift.String(describing: agentRuntimeArtifact)), agentRuntimeId: \(Swift.String(describing: agentRuntimeId)), authorizerConfiguration: \(Swift.String(describing: authorizerConfiguration)), clientToken: \(Swift.String(describing: clientToken)), lifecycleConfiguration: \(Swift.String(describing: lifecycleConfiguration)), networkConfiguration: \(Swift.String(describing: networkConfiguration)), protocolConfiguration: \(Swift.String(describing: protocolConfiguration)), requestHeaderConfiguration: \(Swift.String(describing: requestHeaderConfiguration)), roleArn: \(Swift.String(describing: roleArn)), description: \"CONTENT_REDACTED\", environmentVariables: \"CONTENT_REDACTED\")"} } public struct UpdateAgentRuntimeOutput: Swift.Sendable { @@ -4065,6 +4100,8 @@ public struct CreateMemoryInput: Swift.Sendable { /// The name of the memory. The name must be unique within your account. /// This member is required. public var name: Swift.String? + /// A map of tag keys and values to assign to an AgentCore Memory. Tags enable you to categorize your resources in different ways, for example, by purpose, owner, or environment. + public var tags: [Swift.String: Swift.String]? public init( clientToken: Swift.String? = nil, @@ -4073,7 +4110,8 @@ public struct CreateMemoryInput: Swift.Sendable { eventExpiryDuration: Swift.Int? = nil, memoryExecutionRoleArn: Swift.String? = nil, memoryStrategies: [BedrockAgentCoreControlClientTypes.MemoryStrategyInput]? = nil, - name: Swift.String? = nil + name: Swift.String? = nil, + tags: [Swift.String: Swift.String]? = nil ) { self.clientToken = clientToken self.description = description @@ -4082,12 +4120,13 @@ public struct CreateMemoryInput: Swift.Sendable { self.memoryExecutionRoleArn = memoryExecutionRoleArn self.memoryStrategies = memoryStrategies self.name = name + self.tags = tags } } extension CreateMemoryInput: Swift.CustomDebugStringConvertible { public var debugDescription: Swift.String { - "CreateMemoryInput(clientToken: \(Swift.String(describing: clientToken)), encryptionKeyArn: \(Swift.String(describing: encryptionKeyArn)), eventExpiryDuration: \(Swift.String(describing: eventExpiryDuration)), memoryExecutionRoleArn: \(Swift.String(describing: memoryExecutionRoleArn)), memoryStrategies: \(Swift.String(describing: memoryStrategies)), name: \(Swift.String(describing: name)), description: \"CONTENT_REDACTED\")"} + "CreateMemoryInput(clientToken: \(Swift.String(describing: clientToken)), encryptionKeyArn: \(Swift.String(describing: encryptionKeyArn)), eventExpiryDuration: \(Swift.String(describing: eventExpiryDuration)), memoryExecutionRoleArn: \(Swift.String(describing: memoryExecutionRoleArn)), memoryStrategies: \(Swift.String(describing: memoryStrategies)), name: \(Swift.String(describing: name)), tags: \(Swift.String(describing: tags)), description: \"CONTENT_REDACTED\")"} } extension BedrockAgentCoreControlClientTypes { @@ -6860,6 +6899,7 @@ extension CreateAgentRuntimeInput { try writer["clientToken"].write(value.clientToken) try writer["description"].write(value.description) try writer["environmentVariables"].writeMap(value.environmentVariables, valueWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) + try writer["lifecycleConfiguration"].write(value.lifecycleConfiguration, with: BedrockAgentCoreControlClientTypes.LifecycleConfiguration.write(value:to:)) try writer["networkConfiguration"].write(value.networkConfiguration, with: BedrockAgentCoreControlClientTypes.NetworkConfiguration.write(value:to:)) try writer["protocolConfiguration"].write(value.protocolConfiguration, with: BedrockAgentCoreControlClientTypes.ProtocolConfiguration.write(value:to:)) try writer["requestHeaderConfiguration"].write(value.requestHeaderConfiguration, with: BedrockAgentCoreControlClientTypes.RequestHeaderConfiguration.write(value:to:)) @@ -6957,6 +6997,7 @@ extension CreateMemoryInput { try writer["memoryExecutionRoleArn"].write(value.memoryExecutionRoleArn) try writer["memoryStrategies"].writeList(value.memoryStrategies, memberWritingClosure: BedrockAgentCoreControlClientTypes.MemoryStrategyInput.write(value:to:), memberNodeInfo: "member", isFlattened: false) try writer["name"].write(value.name) + try writer["tags"].writeMap(value.tags, valueWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) } } @@ -7097,6 +7138,7 @@ extension UpdateAgentRuntimeInput { try writer["clientToken"].write(value.clientToken) try writer["description"].write(value.description) try writer["environmentVariables"].writeMap(value.environmentVariables, valueWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) + try writer["lifecycleConfiguration"].write(value.lifecycleConfiguration, with: BedrockAgentCoreControlClientTypes.LifecycleConfiguration.write(value:to:)) try writer["networkConfiguration"].write(value.networkConfiguration, with: BedrockAgentCoreControlClientTypes.NetworkConfiguration.write(value:to:)) try writer["protocolConfiguration"].write(value.protocolConfiguration, with: BedrockAgentCoreControlClientTypes.ProtocolConfiguration.write(value:to:)) try writer["requestHeaderConfiguration"].write(value.requestHeaderConfiguration, with: BedrockAgentCoreControlClientTypes.RequestHeaderConfiguration.write(value:to:)) @@ -7479,6 +7521,7 @@ extension GetAgentRuntimeOutput { value.description = try reader["description"].readIfPresent() value.environmentVariables = try reader["environmentVariables"].readMapIfPresent(valueReadingClosure: SmithyReadWrite.ReadingClosures.readString(from:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) value.lastUpdatedAt = try reader["lastUpdatedAt"].readTimestampIfPresent(format: SmithyTimestamps.TimestampFormat.dateTime) ?? SmithyTimestamps.TimestampFormatter(format: .dateTime).date(from: "1970-01-01T00:00:00Z") + value.lifecycleConfiguration = try reader["lifecycleConfiguration"].readIfPresent(with: BedrockAgentCoreControlClientTypes.LifecycleConfiguration.read(from:)) value.networkConfiguration = try reader["networkConfiguration"].readIfPresent(with: BedrockAgentCoreControlClientTypes.NetworkConfiguration.read(from:)) value.protocolConfiguration = try reader["protocolConfiguration"].readIfPresent(with: BedrockAgentCoreControlClientTypes.ProtocolConfiguration.read(from:)) value.requestHeaderConfiguration = try reader["requestHeaderConfiguration"].readIfPresent(with: BedrockAgentCoreControlClientTypes.RequestHeaderConfiguration.read(from:)) @@ -9773,6 +9816,57 @@ extension BedrockAgentCoreControlClientTypes.SemanticExtractionOverride { } } +extension BedrockAgentCoreControlClientTypes.NetworkConfiguration { + + static func write(value: BedrockAgentCoreControlClientTypes.NetworkConfiguration?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["networkMode"].write(value.networkMode) + try writer["networkModeConfig"].write(value.networkModeConfig, with: BedrockAgentCoreControlClientTypes.VpcConfig.write(value:to:)) + } + + static func read(from reader: SmithyJSON.Reader) throws -> BedrockAgentCoreControlClientTypes.NetworkConfiguration { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = BedrockAgentCoreControlClientTypes.NetworkConfiguration() + value.networkMode = try reader["networkMode"].readIfPresent() ?? .sdkUnknown("") + value.networkModeConfig = try reader["networkModeConfig"].readIfPresent(with: BedrockAgentCoreControlClientTypes.VpcConfig.read(from:)) + return value + } +} + +extension BedrockAgentCoreControlClientTypes.VpcConfig { + + static func write(value: BedrockAgentCoreControlClientTypes.VpcConfig?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["securityGroups"].writeList(value.securityGroups, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) + try writer["subnets"].writeList(value.subnets, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) + } + + static func read(from reader: SmithyJSON.Reader) throws -> BedrockAgentCoreControlClientTypes.VpcConfig { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = BedrockAgentCoreControlClientTypes.VpcConfig() + value.securityGroups = try reader["securityGroups"].readListIfPresent(memberReadingClosure: SmithyReadWrite.ReadingClosures.readString(from:), memberNodeInfo: "member", isFlattened: false) ?? [] + value.subnets = try reader["subnets"].readListIfPresent(memberReadingClosure: SmithyReadWrite.ReadingClosures.readString(from:), memberNodeInfo: "member", isFlattened: false) ?? [] + return value + } +} + +extension BedrockAgentCoreControlClientTypes.LifecycleConfiguration { + + static func write(value: BedrockAgentCoreControlClientTypes.LifecycleConfiguration?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["idleRuntimeSessionTimeout"].write(value.idleRuntimeSessionTimeout) + try writer["maxLifetime"].write(value.maxLifetime) + } + + static func read(from reader: SmithyJSON.Reader) throws -> BedrockAgentCoreControlClientTypes.LifecycleConfiguration { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = BedrockAgentCoreControlClientTypes.LifecycleConfiguration() + value.idleRuntimeSessionTimeout = try reader["idleRuntimeSessionTimeout"].readIfPresent() + value.maxLifetime = try reader["maxLifetime"].readIfPresent() + return value + } +} + extension BedrockAgentCoreControlClientTypes.AgentRuntimeArtifact { static func write(value: BedrockAgentCoreControlClientTypes.AgentRuntimeArtifact?, to writer: SmithyJSON.Writer) throws { @@ -9812,40 +9906,6 @@ extension BedrockAgentCoreControlClientTypes.ContainerConfiguration { } } -extension BedrockAgentCoreControlClientTypes.NetworkConfiguration { - - static func write(value: BedrockAgentCoreControlClientTypes.NetworkConfiguration?, to writer: SmithyJSON.Writer) throws { - guard let value else { return } - try writer["networkMode"].write(value.networkMode) - try writer["networkModeConfig"].write(value.networkModeConfig, with: BedrockAgentCoreControlClientTypes.VpcConfig.write(value:to:)) - } - - static func read(from reader: SmithyJSON.Reader) throws -> BedrockAgentCoreControlClientTypes.NetworkConfiguration { - guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } - var value = BedrockAgentCoreControlClientTypes.NetworkConfiguration() - value.networkMode = try reader["networkMode"].readIfPresent() ?? .sdkUnknown("") - value.networkModeConfig = try reader["networkModeConfig"].readIfPresent(with: BedrockAgentCoreControlClientTypes.VpcConfig.read(from:)) - return value - } -} - -extension BedrockAgentCoreControlClientTypes.VpcConfig { - - static func write(value: BedrockAgentCoreControlClientTypes.VpcConfig?, to writer: SmithyJSON.Writer) throws { - guard let value else { return } - try writer["securityGroups"].writeList(value.securityGroups, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) - try writer["subnets"].writeList(value.subnets, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) - } - - static func read(from reader: SmithyJSON.Reader) throws -> BedrockAgentCoreControlClientTypes.VpcConfig { - guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } - var value = BedrockAgentCoreControlClientTypes.VpcConfig() - value.securityGroups = try reader["securityGroups"].readListIfPresent(memberReadingClosure: SmithyReadWrite.ReadingClosures.readString(from:), memberNodeInfo: "member", isFlattened: false) ?? [] - value.subnets = try reader["subnets"].readListIfPresent(memberReadingClosure: SmithyReadWrite.ReadingClosures.readString(from:), memberNodeInfo: "member", isFlattened: false) ?? [] - return value - } -} - extension BedrockAgentCoreControlClientTypes.ProtocolConfiguration { static func write(value: BedrockAgentCoreControlClientTypes.ProtocolConfiguration?, to writer: SmithyJSON.Writer) throws { diff --git a/Sources/Services/AWSBedrockAgentRuntime/Sources/AWSBedrockAgentRuntime/BedrockAgentRuntimeClient.swift b/Sources/Services/AWSBedrockAgentRuntime/Sources/AWSBedrockAgentRuntime/BedrockAgentRuntimeClient.swift index 02b4329b22d..447ce10e435 100644 --- a/Sources/Services/AWSBedrockAgentRuntime/Sources/AWSBedrockAgentRuntime/BedrockAgentRuntimeClient.swift +++ b/Sources/Services/AWSBedrockAgentRuntime/Sources/AWSBedrockAgentRuntime/BedrockAgentRuntimeClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BedrockAgentRuntimeClient: ClientRuntime.Client { public static let clientName = "BedrockAgentRuntimeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BedrockAgentRuntimeClient.BedrockAgentRuntimeClientConfiguration let serviceName = "Bedrock Agent Runtime" @@ -381,9 +380,9 @@ extension BedrockAgentRuntimeClient { /// /// * [GetSession](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_agent-runtime_GetSession.html) /// - /// - Parameter CreateInvocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInvocationInput`) /// - /// - Returns: `CreateInvocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInvocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -423,7 +422,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInvocationOutput.httpOutput(from:), CreateInvocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -463,9 +461,9 @@ extension BedrockAgentRuntimeClient { /// /// * [DeleteSession](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_agent-runtime_DeleteSession.html) /// - /// - Parameter CreateSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSessionInput`) /// - /// - Returns: `CreateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -504,7 +502,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSessionOutput.httpOutput(from:), CreateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -536,9 +533,9 @@ extension BedrockAgentRuntimeClient { /// /// Deletes memory from the specified memory identifier. /// - /// - Parameter DeleteAgentMemoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAgentMemoryInput`) /// - /// - Returns: `DeleteAgentMemoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAgentMemoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -578,7 +575,6 @@ extension BedrockAgentRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAgentMemoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAgentMemoryOutput.httpOutput(from:), DeleteAgentMemoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -610,9 +606,9 @@ extension BedrockAgentRuntimeClient { /// /// Deletes a session that you ended. You can't delete a session with an ACTIVE status. To delete an active session, you must first end it with the [EndSession](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_agent-runtime_EndSession.html) API operation. For more information about sessions, see [Store and retrieve conversation history and context with Amazon Bedrock sessions](https://docs.aws.amazon.com/bedrock/latest/userguide/sessions.html). /// - /// - Parameter DeleteSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSessionInput`) /// - /// - Returns: `DeleteSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -648,7 +644,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSessionOutput.httpOutput(from:), DeleteSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -680,9 +675,9 @@ extension BedrockAgentRuntimeClient { /// /// Ends the session. After you end a session, you can still access its content but you can’t add to it. To delete the session and it's content, you use the DeleteSession API operation. For more information about sessions, see [Store and retrieve conversation history and context with Amazon Bedrock sessions](https://docs.aws.amazon.com/bedrock/latest/userguide/sessions.html). /// - /// - Parameter EndSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EndSessionInput`) /// - /// - Returns: `EndSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EndSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -718,7 +713,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EndSessionOutput.httpOutput(from:), EndSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -750,9 +744,9 @@ extension BedrockAgentRuntimeClient { /// /// Generates an SQL query from a natural language query. For more information, see [Generate a query for structured data](https://docs.aws.amazon.com/bedrock/latest/userguide/knowledge-base-generate-query.html) in the Amazon Bedrock User Guide. /// - /// - Parameter GenerateQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateQueryInput`) /// - /// - Returns: `GenerateQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -794,7 +788,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateQueryOutput.httpOutput(from:), GenerateQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -826,9 +819,9 @@ extension BedrockAgentRuntimeClient { /// /// Gets the sessions stored in the memory of the agent. /// - /// - Parameter GetAgentMemoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgentMemoryInput`) /// - /// - Returns: `GetAgentMemoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgentMemoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -868,7 +861,6 @@ extension BedrockAgentRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAgentMemoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentMemoryOutput.httpOutput(from:), GetAgentMemoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -900,9 +892,9 @@ extension BedrockAgentRuntimeClient { /// /// Retrieves the flow definition snapshot used for a flow execution. The snapshot represents the flow metadata and definition as it existed at the time the execution was started. Note that even if the flow is edited after an execution starts, the snapshot connected to the execution remains unchanged. Flow executions is in preview release for Amazon Bedrock and is subject to change. /// - /// - Parameter GetExecutionFlowSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExecutionFlowSnapshotInput`) /// - /// - Returns: `GetExecutionFlowSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExecutionFlowSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -937,7 +929,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExecutionFlowSnapshotOutput.httpOutput(from:), GetExecutionFlowSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -969,9 +960,9 @@ extension BedrockAgentRuntimeClient { /// /// Retrieves details about a specific flow execution, including its status, start and end times, and any errors that occurred during execution. /// - /// - Parameter GetFlowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFlowExecutionInput`) /// - /// - Returns: `GetFlowExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFlowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1006,7 +997,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFlowExecutionOutput.httpOutput(from:), GetFlowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1038,9 +1028,9 @@ extension BedrockAgentRuntimeClient { /// /// Retrieves the details of a specific invocation step within an invocation in a session. For more information about sessions, see [Store and retrieve conversation history and context with Amazon Bedrock sessions](https://docs.aws.amazon.com/bedrock/latest/userguide/sessions.html). /// - /// - Parameter GetInvocationStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInvocationStepInput`) /// - /// - Returns: `GetInvocationStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInvocationStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1078,7 +1068,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInvocationStepOutput.httpOutput(from:), GetInvocationStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1110,9 +1099,9 @@ extension BedrockAgentRuntimeClient { /// /// Retrieves details about a specific session. For more information about sessions, see [Store and retrieve conversation history and context with Amazon Bedrock sessions](https://docs.aws.amazon.com/bedrock/latest/userguide/sessions.html). /// - /// - Parameter GetSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionInput`) /// - /// - Returns: `GetSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1147,7 +1136,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionOutput.httpOutput(from:), GetSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1198,9 +1186,9 @@ extension BedrockAgentRuntimeClient { /// /// * Errors are also surfaced in the response. /// - /// - Parameter InvokeAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeAgentInput`) /// - /// - Returns: `InvokeAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1244,7 +1232,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeAgentOutput.httpOutput(from:), InvokeAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1276,9 +1263,9 @@ extension BedrockAgentRuntimeClient { /// /// Invokes an alias of a flow to run the inputs that you specify and return the output of each node as a stream. If there's an error, the error is returned. For more information, see [Test a flow in Amazon Bedrock](https://docs.aws.amazon.com/bedrock/latest/userguide/flows-test.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). The CLI doesn't support streaming operations in Amazon Bedrock, including InvokeFlow. /// - /// - Parameter InvokeFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeFlowInput`) /// - /// - Returns: `InvokeFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1320,7 +1307,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeFlowOutput.httpOutput(from:), InvokeFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1365,9 +1351,9 @@ extension BedrockAgentRuntimeClient { /// /// * The agent instructions will not be honored if your agent has only one knowledge base, uses default prompts, has no action group, and user input is disabled. /// - /// - Parameter InvokeInlineAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeInlineAgentInput`) /// - /// - Returns: `InvokeInlineAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeInlineAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1409,7 +1395,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeInlineAgentOutput.httpOutput(from:), InvokeInlineAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1441,9 +1426,9 @@ extension BedrockAgentRuntimeClient { /// /// Lists events that occurred during a flow execution. Events provide detailed information about the execution progress, including node inputs and outputs, flow inputs and outputs, condition results, and failure events. Flow executions is in preview release for Amazon Bedrock and is subject to change. /// - /// - Parameter ListFlowExecutionEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowExecutionEventsInput`) /// - /// - Returns: `ListFlowExecutionEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowExecutionEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1479,7 +1464,6 @@ extension BedrockAgentRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFlowExecutionEventsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowExecutionEventsOutput.httpOutput(from:), ListFlowExecutionEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1511,9 +1495,9 @@ extension BedrockAgentRuntimeClient { /// /// Lists all executions of a flow. Results can be paginated and include summary information about each execution, such as status, start and end times, and the execution's Amazon Resource Name (ARN). Flow executions is in preview release for Amazon Bedrock and is subject to change. /// - /// - Parameter ListFlowExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowExecutionsInput`) /// - /// - Returns: `ListFlowExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1549,7 +1533,6 @@ extension BedrockAgentRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFlowExecutionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowExecutionsOutput.httpOutput(from:), ListFlowExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1581,9 +1564,9 @@ extension BedrockAgentRuntimeClient { /// /// Lists all invocation steps associated with a session and optionally, an invocation within the session. For more information about sessions, see [Store and retrieve conversation history and context with Amazon Bedrock sessions](https://docs.aws.amazon.com/bedrock/latest/userguide/sessions.html). /// - /// - Parameter ListInvocationStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvocationStepsInput`) /// - /// - Returns: `ListInvocationStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvocationStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1622,7 +1605,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvocationStepsOutput.httpOutput(from:), ListInvocationStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1654,9 +1636,9 @@ extension BedrockAgentRuntimeClient { /// /// Lists all invocations associated with a specific session. For more information about sessions, see [Store and retrieve conversation history and context with Amazon Bedrock sessions](https://docs.aws.amazon.com/bedrock/latest/userguide/sessions.html). /// - /// - Parameter ListInvocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvocationsInput`) /// - /// - Returns: `ListInvocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1692,7 +1674,6 @@ extension BedrockAgentRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInvocationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvocationsOutput.httpOutput(from:), ListInvocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1724,9 +1705,9 @@ extension BedrockAgentRuntimeClient { /// /// Lists all sessions in your Amazon Web Services account. For more information about sessions, see [Store and retrieve conversation history and context with Amazon Bedrock sessions](https://docs.aws.amazon.com/bedrock/latest/userguide/sessions.html). /// - /// - Parameter ListSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionsInput`) /// - /// - Returns: `ListSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1761,7 +1742,6 @@ extension BedrockAgentRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSessionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionsOutput.httpOutput(from:), ListSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1793,9 +1773,9 @@ extension BedrockAgentRuntimeClient { /// /// List all the tags for the resource you specify. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1830,7 +1810,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1862,9 +1841,9 @@ extension BedrockAgentRuntimeClient { /// /// Optimizes a prompt for the task that you specify. For more information, see [Optimize a prompt](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-optimize.html) in the [Amazon Bedrock User Guide](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html). /// - /// - Parameter OptimizePromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `OptimizePromptInput`) /// - /// - Returns: `OptimizePromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `OptimizePromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1903,7 +1882,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(OptimizePromptOutput.httpOutput(from:), OptimizePromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1943,9 +1921,9 @@ extension BedrockAgentRuntimeClient { /// /// * [ListSessions](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_agent-runtime_ListInvocations.html) /// - /// - Parameter PutInvocationStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutInvocationStepInput`) /// - /// - Returns: `PutInvocationStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutInvocationStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1985,7 +1963,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutInvocationStepOutput.httpOutput(from:), PutInvocationStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2017,9 +1994,9 @@ extension BedrockAgentRuntimeClient { /// /// Reranks the relevance of sources based on queries. For more information, see [Improve the relevance of query responses with a reranker model](https://docs.aws.amazon.com/bedrock/latest/userguide/rerank.html). /// - /// - Parameter RerankInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RerankInput`) /// - /// - Returns: `RerankOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RerankOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2061,7 +2038,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RerankOutput.httpOutput(from:), RerankOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2093,9 +2069,9 @@ extension BedrockAgentRuntimeClient { /// /// Queries a knowledge base and retrieves information from it. /// - /// - Parameter RetrieveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetrieveInput`) /// - /// - Returns: `RetrieveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetrieveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2137,7 +2113,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetrieveOutput.httpOutput(from:), RetrieveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2169,9 +2144,9 @@ extension BedrockAgentRuntimeClient { /// /// Queries a knowledge base and generates responses based on the retrieved results and using the specified foundation model or [inference profile](https://docs.aws.amazon.com/bedrock/latest/userguide/cross-region-inference.html). The response only cites sources that are relevant to the query. /// - /// - Parameter RetrieveAndGenerateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetrieveAndGenerateInput`) /// - /// - Returns: `RetrieveAndGenerateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetrieveAndGenerateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2213,7 +2188,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetrieveAndGenerateOutput.httpOutput(from:), RetrieveAndGenerateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2245,9 +2219,9 @@ extension BedrockAgentRuntimeClient { /// /// Queries a knowledge base and generates responses based on the retrieved results, with output in streaming format. The CLI doesn't support streaming operations in Amazon Bedrock, including InvokeModelWithResponseStream. This operation requires permission for the bedrock:RetrieveAndGenerate action. /// - /// - Parameter RetrieveAndGenerateStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetrieveAndGenerateStreamInput`) /// - /// - Returns: `RetrieveAndGenerateStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetrieveAndGenerateStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2289,7 +2263,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetrieveAndGenerateStreamOutput.httpOutput(from:), RetrieveAndGenerateStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2321,9 +2294,9 @@ extension BedrockAgentRuntimeClient { /// /// Starts an execution of an Amazon Bedrock flow. Unlike flows that run until completion or time out after five minutes, flow executions let you run flows asynchronously for longer durations. Flow executions also yield control so that your application can perform other tasks. This operation returns an Amazon Resource Name (ARN) that you can use to track and manage your flow execution. Flow executions is in preview release for Amazon Bedrock and is subject to change. /// - /// - Parameter StartFlowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFlowExecutionInput`) /// - /// - Returns: `StartFlowExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFlowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2365,7 +2338,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFlowExecutionOutput.httpOutput(from:), StartFlowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2397,9 +2369,9 @@ extension BedrockAgentRuntimeClient { /// /// Stops an Amazon Bedrock flow's execution. This operation prevents further processing of the flow and changes the execution status to Aborted. /// - /// - Parameter StopFlowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopFlowExecutionInput`) /// - /// - Returns: `StopFlowExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopFlowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2437,7 +2409,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopFlowExecutionOutput.httpOutput(from:), StopFlowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2469,9 +2440,9 @@ extension BedrockAgentRuntimeClient { /// /// Associate tags with a resource. For more information, see [Tagging resources](https://docs.aws.amazon.com/bedrock/latest/userguide/what-is-service.html) in the Amazon Bedrock User Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2510,7 +2481,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2542,9 +2512,9 @@ extension BedrockAgentRuntimeClient { /// /// Remove tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2580,7 +2550,6 @@ extension BedrockAgentRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2612,9 +2581,9 @@ extension BedrockAgentRuntimeClient { /// /// Updates the metadata or encryption settings of a session. For more information about sessions, see [Store and retrieve conversation history and context with Amazon Bedrock sessions](https://docs.aws.amazon.com/bedrock/latest/userguide/sessions.html). /// - /// - Parameter UpdateSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSessionInput`) /// - /// - Returns: `UpdateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2653,7 +2622,6 @@ extension BedrockAgentRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSessionOutput.httpOutput(from:), UpdateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBedrockDataAutomation/Sources/AWSBedrockDataAutomation/BedrockDataAutomationClient.swift b/Sources/Services/AWSBedrockDataAutomation/Sources/AWSBedrockDataAutomation/BedrockDataAutomationClient.swift index 2fe097a7bbe..c1f2fcdfb27 100644 --- a/Sources/Services/AWSBedrockDataAutomation/Sources/AWSBedrockDataAutomation/BedrockDataAutomationClient.swift +++ b/Sources/Services/AWSBedrockDataAutomation/Sources/AWSBedrockDataAutomation/BedrockDataAutomationClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BedrockDataAutomationClient: ClientRuntime.Client { public static let clientName = "BedrockDataAutomationClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BedrockDataAutomationClient.BedrockDataAutomationClientConfiguration let serviceName = "Bedrock Data Automation" @@ -374,9 +373,9 @@ extension BedrockDataAutomationClient { /// /// Creates an Amazon Bedrock Data Automation Blueprint /// - /// - Parameter CreateBlueprintInput : Create Blueprint Request + /// - Parameter input: Create Blueprint Request (Type: `CreateBlueprintInput`) /// - /// - Returns: `CreateBlueprintOutput` : Create Blueprint Response + /// - Returns: Create Blueprint Response (Type: `CreateBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBlueprintOutput.httpOutput(from:), CreateBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension BedrockDataAutomationClient { /// /// Creates a new version of an existing Amazon Bedrock Data Automation Blueprint /// - /// - Parameter CreateBlueprintVersionInput : Create Blueprint Version Request + /// - Parameter input: Create Blueprint Version Request (Type: `CreateBlueprintVersionInput`) /// - /// - Returns: `CreateBlueprintVersionOutput` : Create Blueprint Version Response + /// - Returns: Create Blueprint Version Response (Type: `CreateBlueprintVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBlueprintVersionOutput.httpOutput(from:), CreateBlueprintVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension BedrockDataAutomationClient { /// /// Creates an Amazon Bedrock Data Automation Project /// - /// - Parameter CreateDataAutomationProjectInput : Create DataAutomationProject Request + /// - Parameter input: Create DataAutomationProject Request (Type: `CreateDataAutomationProjectInput`) /// - /// - Returns: `CreateDataAutomationProjectOutput` : Create DataAutomationProject Response + /// - Returns: Create DataAutomationProject Response (Type: `CreateDataAutomationProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +561,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataAutomationProjectOutput.httpOutput(from:), CreateDataAutomationProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension BedrockDataAutomationClient { /// /// Deletes an existing Amazon Bedrock Data Automation Blueprint /// - /// - Parameter DeleteBlueprintInput : Delete Blueprint Request + /// - Parameter input: Delete Blueprint Request (Type: `DeleteBlueprintInput`) /// - /// - Returns: `DeleteBlueprintOutput` : Delete Blueprint Response + /// - Returns: Delete Blueprint Response (Type: `DeleteBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension BedrockDataAutomationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBlueprintInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBlueprintOutput.httpOutput(from:), DeleteBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension BedrockDataAutomationClient { /// /// Deletes an existing Amazon Bedrock Data Automation Project /// - /// - Parameter DeleteDataAutomationProjectInput : Delete DataAutomationProject Request + /// - Parameter input: Delete DataAutomationProject Request (Type: `DeleteDataAutomationProjectInput`) /// - /// - Returns: `DeleteDataAutomationProjectOutput` : Delete DataAutomationProject Response + /// - Returns: Delete DataAutomationProject Response (Type: `DeleteDataAutomationProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataAutomationProjectOutput.httpOutput(from:), DeleteDataAutomationProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension BedrockDataAutomationClient { /// /// Gets an existing Amazon Bedrock Data Automation Blueprint /// - /// - Parameter GetBlueprintInput : Get Blueprint Request + /// - Parameter input: Get Blueprint Request (Type: `GetBlueprintInput`) /// - /// - Returns: `GetBlueprintOutput` : Get Blueprint Response + /// - Returns: Get Blueprint Response (Type: `GetBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -775,7 +769,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBlueprintOutput.httpOutput(from:), GetBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension BedrockDataAutomationClient { /// /// Gets an existing Amazon Bedrock Data Automation Project /// - /// - Parameter GetDataAutomationProjectInput : Get DataAutomationProject Request + /// - Parameter input: Get DataAutomationProject Request (Type: `GetDataAutomationProjectInput`) /// - /// - Returns: `GetDataAutomationProjectOutput` : Get DataAutomationProject Response + /// - Returns: Get DataAutomationProject Response (Type: `GetDataAutomationProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataAutomationProjectOutput.httpOutput(from:), GetDataAutomationProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension BedrockDataAutomationClient { /// /// Lists all existing Amazon Bedrock Data Automation Blueprints /// - /// - Parameter ListBlueprintsInput : List Blueprint Request + /// - Parameter input: List Blueprint Request (Type: `ListBlueprintsInput`) /// - /// - Returns: `ListBlueprintsOutput` : List Blueprint Response + /// - Returns: List Blueprint Response (Type: `ListBlueprintsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +911,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBlueprintsOutput.httpOutput(from:), ListBlueprintsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -951,9 +942,9 @@ extension BedrockDataAutomationClient { /// /// Lists all existing Amazon Bedrock Data Automation Projects /// - /// - Parameter ListDataAutomationProjectsInput : List DataAutomationProject Request + /// - Parameter input: List DataAutomationProject Request (Type: `ListDataAutomationProjectsInput`) /// - /// - Returns: `ListDataAutomationProjectsOutput` : List DataAutomationProject Response + /// - Returns: List DataAutomationProject Response (Type: `ListDataAutomationProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -991,7 +982,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataAutomationProjectsOutput.httpOutput(from:), ListDataAutomationProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1023,9 +1013,9 @@ extension BedrockDataAutomationClient { /// /// List tags for an Amazon Bedrock Data Automation resource /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1063,7 +1053,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1095,9 +1084,9 @@ extension BedrockDataAutomationClient { /// /// Tag an Amazon Bedrock Data Automation resource /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1136,7 +1125,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1168,9 +1156,9 @@ extension BedrockDataAutomationClient { /// /// Untag an Amazon Bedrock Data Automation resource /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1208,7 +1196,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1240,9 +1227,9 @@ extension BedrockDataAutomationClient { /// /// Updates an existing Amazon Bedrock Data Automation Blueprint /// - /// - Parameter UpdateBlueprintInput : Update Blueprint Request + /// - Parameter input: Update Blueprint Request (Type: `UpdateBlueprintInput`) /// - /// - Returns: `UpdateBlueprintOutput` : Update Blueprint Response + /// - Returns: Update Blueprint Response (Type: `UpdateBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1281,7 +1268,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBlueprintOutput.httpOutput(from:), UpdateBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1313,9 +1299,9 @@ extension BedrockDataAutomationClient { /// /// Updates an existing Amazon Bedrock Data Automation Project /// - /// - Parameter UpdateDataAutomationProjectInput : Update DataAutomationProject Request + /// - Parameter input: Update DataAutomationProject Request (Type: `UpdateDataAutomationProjectInput`) /// - /// - Returns: `UpdateDataAutomationProjectOutput` : Update DataAutomationProject Response + /// - Returns: Update DataAutomationProject Response (Type: `UpdateDataAutomationProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1355,7 +1341,6 @@ extension BedrockDataAutomationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataAutomationProjectOutput.httpOutput(from:), UpdateDataAutomationProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBedrockDataAutomationRuntime/Sources/AWSBedrockDataAutomationRuntime/BedrockDataAutomationRuntimeClient.swift b/Sources/Services/AWSBedrockDataAutomationRuntime/Sources/AWSBedrockDataAutomationRuntime/BedrockDataAutomationRuntimeClient.swift index d291bfd74e9..32e29e381fc 100644 --- a/Sources/Services/AWSBedrockDataAutomationRuntime/Sources/AWSBedrockDataAutomationRuntime/BedrockDataAutomationRuntimeClient.swift +++ b/Sources/Services/AWSBedrockDataAutomationRuntime/Sources/AWSBedrockDataAutomationRuntime/BedrockDataAutomationRuntimeClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BedrockDataAutomationRuntimeClient: ClientRuntime.Client { public static let clientName = "BedrockDataAutomationRuntimeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BedrockDataAutomationRuntimeClient.BedrockDataAutomationRuntimeClientConfiguration let serviceName = "Bedrock Data Automation Runtime" @@ -374,9 +373,9 @@ extension BedrockDataAutomationRuntimeClient { /// /// API used to get data automation status. /// - /// - Parameter GetDataAutomationStatusInput : Structure for request of GetDataAutomationStatus API. + /// - Parameter input: Structure for request of GetDataAutomationStatus API. (Type: `GetDataAutomationStatusInput`) /// - /// - Returns: `GetDataAutomationStatusOutput` : Response of GetDataAutomationStatus API. + /// - Returns: Response of GetDataAutomationStatus API. (Type: `GetDataAutomationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension BedrockDataAutomationRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataAutomationStatusOutput.httpOutput(from:), GetDataAutomationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension BedrockDataAutomationRuntimeClient { /// /// Async API: Invoke data automation. /// - /// - Parameter InvokeDataAutomationAsyncInput : Invoke Data Automation Async Request + /// - Parameter input: Invoke Data Automation Async Request (Type: `InvokeDataAutomationAsyncInput`) /// - /// - Returns: `InvokeDataAutomationAsyncOutput` : Invoke Data Automation Async Response + /// - Returns: Invoke Data Automation Async Response (Type: `InvokeDataAutomationAsyncOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension BedrockDataAutomationRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeDataAutomationAsyncOutput.httpOutput(from:), InvokeDataAutomationAsyncOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension BedrockDataAutomationRuntimeClient { /// /// List tags for an Amazon Bedrock Data Automation resource /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension BedrockDataAutomationRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension BedrockDataAutomationRuntimeClient { /// /// Tag an Amazon Bedrock Data Automation resource /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension BedrockDataAutomationRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -668,9 +663,9 @@ extension BedrockDataAutomationRuntimeClient { /// /// Untag an Amazon Bedrock Data Automation resource /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension BedrockDataAutomationRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBedrockRuntime/Sources/AWSBedrockRuntime/BedrockRuntimeClient.swift b/Sources/Services/AWSBedrockRuntime/Sources/AWSBedrockRuntime/BedrockRuntimeClient.swift index b7429c623b6..b295da4cf46 100644 --- a/Sources/Services/AWSBedrockRuntime/Sources/AWSBedrockRuntime/BedrockRuntimeClient.swift +++ b/Sources/Services/AWSBedrockRuntime/Sources/AWSBedrockRuntime/BedrockRuntimeClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -76,7 +75,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BedrockRuntimeClient: ClientRuntime.Client { public static let clientName = "BedrockRuntimeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BedrockRuntimeClient.BedrockRuntimeClientConfiguration let serviceName = "Bedrock Runtime" @@ -382,9 +381,9 @@ extension BedrockRuntimeClient { /// /// The action to apply a guardrail. For troubleshooting some of the common errors you might encounter when using the ApplyGuardrail API, see [Troubleshooting Amazon Bedrock API Error Codes](https://docs.aws.amazon.com/bedrock/latest/userguide/troubleshooting-api-error-codes.html) in the Amazon Bedrock User Guide /// - /// - Parameter ApplyGuardrailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ApplyGuardrailInput`) /// - /// - Returns: `ApplyGuardrailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ApplyGuardrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -424,7 +423,6 @@ extension BedrockRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplyGuardrailOutput.httpOutput(from:), ApplyGuardrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -457,9 +455,9 @@ extension BedrockRuntimeClient { /// /// Sends messages to the specified Amazon Bedrock model. Converse provides a consistent interface that works with all models that support messages. This allows you to write code once and use it with different models. If a model has unique inference parameters, you can also pass those unique parameters to the model. Amazon Bedrock doesn't store any text, images, or documents that you provide as content. The data is only used to generate the response. You can submit a prompt by including it in the messages field, specifying the modelId of a foundation model or inference profile to run inference on it, and including any other fields that are relevant to your use case. You can also submit a prompt from Prompt management by specifying the ARN of the prompt version and including a map of variables to values in the promptVariables field. You can append more messages to the prompt by using the messages field. If you use a prompt from Prompt management, you can't include the following fields in the request: additionalModelRequestFields, inferenceConfig, system, or toolConfig. Instead, these fields must be defined through Prompt management. For more information, see [Use a prompt from Prompt management](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-use.html). For information about the Converse API, see Use the Converse API in the Amazon Bedrock User Guide. To use a guardrail, see Use a guardrail with the Converse API in the Amazon Bedrock User Guide. To use a tool with a model, see Tool use (Function calling) in the Amazon Bedrock User Guide For example code, see Converse API examples in the Amazon Bedrock User Guide. This operation requires permission for the bedrock:InvokeModel action. To deny all inference access to resources that you specify in the modelId field, you need to deny access to the bedrock:InvokeModel and bedrock:InvokeModelWithResponseStream actions. Doing this also denies access to the resource through the base inference actions ([InvokeModel](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_runtime_InvokeModel.html) and [InvokeModelWithResponseStream](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_runtime_InvokeModelWithResponseStream.html)). For more information see [Deny access for inference on specific models](https://docs.aws.amazon.com/bedrock/latest/userguide/security_iam_id-based-policy-examples.html#security_iam_id-based-policy-examples-deny-inference). For troubleshooting some of the common errors you might encounter when using the Converse API, see [Troubleshooting Amazon Bedrock API Error Codes](https://docs.aws.amazon.com/bedrock/latest/userguide/troubleshooting-api-error-codes.html) in the Amazon Bedrock User Guide /// - /// - Parameter ConverseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConverseInput`) /// - /// - Returns: `ConverseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConverseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -501,7 +499,6 @@ extension BedrockRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConverseOutput.httpOutput(from:), ConverseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -534,9 +531,9 @@ extension BedrockRuntimeClient { /// /// Sends messages to the specified Amazon Bedrock model and returns the response in a stream. ConverseStream provides a consistent API that works with all Amazon Bedrock models that support messages. This allows you to write code once and use it with different models. Should a model have unique inference parameters, you can also pass those unique parameters to the model. To find out if a model supports streaming, call [GetFoundationModel](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_GetFoundationModel.html) and check the responseStreamingSupported field in the response. The CLI doesn't support streaming operations in Amazon Bedrock, including ConverseStream. Amazon Bedrock doesn't store any text, images, or documents that you provide as content. The data is only used to generate the response. You can submit a prompt by including it in the messages field, specifying the modelId of a foundation model or inference profile to run inference on it, and including any other fields that are relevant to your use case. You can also submit a prompt from Prompt management by specifying the ARN of the prompt version and including a map of variables to values in the promptVariables field. You can append more messages to the prompt by using the messages field. If you use a prompt from Prompt management, you can't include the following fields in the request: additionalModelRequestFields, inferenceConfig, system, or toolConfig. Instead, these fields must be defined through Prompt management. For more information, see [Use a prompt from Prompt management](https://docs.aws.amazon.com/bedrock/latest/userguide/prompt-management-use.html). For information about the Converse API, see Use the Converse API in the Amazon Bedrock User Guide. To use a guardrail, see Use a guardrail with the Converse API in the Amazon Bedrock User Guide. To use a tool with a model, see Tool use (Function calling) in the Amazon Bedrock User Guide For example code, see Conversation streaming example in the Amazon Bedrock User Guide. This operation requires permission for the bedrock:InvokeModelWithResponseStream action. To deny all inference access to resources that you specify in the modelId field, you need to deny access to the bedrock:InvokeModel and bedrock:InvokeModelWithResponseStream actions. Doing this also denies access to the resource through the base inference actions ([InvokeModel](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_runtime_InvokeModel.html) and [InvokeModelWithResponseStream](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_runtime_InvokeModelWithResponseStream.html)). For more information see [Deny access for inference on specific models](https://docs.aws.amazon.com/bedrock/latest/userguide/security_iam_id-based-policy-examples.html#security_iam_id-based-policy-examples-deny-inference). For troubleshooting some of the common errors you might encounter when using the ConverseStream API, see [Troubleshooting Amazon Bedrock API Error Codes](https://docs.aws.amazon.com/bedrock/latest/userguide/troubleshooting-api-error-codes.html) in the Amazon Bedrock User Guide /// - /// - Parameter ConverseStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConverseStreamInput`) /// - /// - Returns: `ConverseStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConverseStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -578,7 +575,6 @@ extension BedrockRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConverseStreamOutput.httpOutput(from:), ConverseStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -624,9 +620,9 @@ extension BedrockRuntimeClient { /// /// * [Converse](https://docs.aws.amazon.com/bedrock/latest/API/API_runtime_Converse.html) - Sends conversation-based inference requests to foundation models /// - /// - Parameter CountTokensInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CountTokensInput`) /// - /// - Returns: `CountTokensOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CountTokensOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -665,7 +661,6 @@ extension BedrockRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CountTokensOutput.httpOutput(from:), CountTokensOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -698,9 +693,9 @@ extension BedrockRuntimeClient { /// /// Retrieve information about an asynchronous invocation. /// - /// - Parameter GetAsyncInvokeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAsyncInvokeInput`) /// - /// - Returns: `GetAsyncInvokeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAsyncInvokeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -734,7 +729,6 @@ extension BedrockRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAsyncInvokeOutput.httpOutput(from:), GetAsyncInvokeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -767,9 +761,9 @@ extension BedrockRuntimeClient { /// /// Invokes the specified Amazon Bedrock model to run inference using the prompt and inference parameters provided in the request body. You use model inference to generate text, images, and embeddings. For example code, see Invoke model code examples in the Amazon Bedrock User Guide. This operation requires permission for the bedrock:InvokeModel action. To deny all inference access to resources that you specify in the modelId field, you need to deny access to the bedrock:InvokeModel and bedrock:InvokeModelWithResponseStream actions. Doing this also denies access to the resource through the Converse API actions ([Converse](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_runtime_Converse.html) and [ConverseStream](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_runtime_ConverseStream.html)). For more information see [Deny access for inference on specific models](https://docs.aws.amazon.com/bedrock/latest/userguide/security_iam_id-based-policy-examples.html#security_iam_id-based-policy-examples-deny-inference). For troubleshooting some of the common errors you might encounter when using the InvokeModel API, see [Troubleshooting Amazon Bedrock API Error Codes](https://docs.aws.amazon.com/bedrock/latest/userguide/troubleshooting-api-error-codes.html) in the Amazon Bedrock User Guide /// - /// - Parameter InvokeModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeModelInput`) /// - /// - Returns: `InvokeModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -813,7 +807,6 @@ extension BedrockRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeModelOutput.httpOutput(from:), InvokeModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -846,9 +839,9 @@ extension BedrockRuntimeClient { /// /// Invoke the specified Amazon Bedrock model to run inference using the bidirectional stream. The response is returned in a stream that remains open for 8 minutes. A single session can contain multiple prompts and responses from the model. The prompts to the model are provided as audio files and the model's responses are spoken back to the user and transcribed. It is possible for users to interrupt the model's response with a new prompt, which will halt the response speech. The model will retain contextual awareness of the conversation while pivoting to respond to the new prompt. /// - /// - Parameter InvokeModelWithBidirectionalStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeModelWithBidirectionalStreamInput`) /// - /// - Returns: `InvokeModelWithBidirectionalStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeModelWithBidirectionalStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -893,7 +886,6 @@ extension BedrockRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeModelWithBidirectionalStreamOutput.httpOutput(from:), InvokeModelWithBidirectionalStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -926,9 +918,9 @@ extension BedrockRuntimeClient { /// /// Invoke the specified Amazon Bedrock model to run inference using the prompt and inference parameters provided in the request body. The response is returned in a stream. To see if a model supports streaming, call [GetFoundationModel](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_GetFoundationModel.html) and check the responseStreamingSupported field in the response. The CLI doesn't support streaming operations in Amazon Bedrock, including InvokeModelWithResponseStream. For example code, see Invoke model with streaming code example in the Amazon Bedrock User Guide. This operation requires permissions to perform the bedrock:InvokeModelWithResponseStream action. To deny all inference access to resources that you specify in the modelId field, you need to deny access to the bedrock:InvokeModel and bedrock:InvokeModelWithResponseStream actions. Doing this also denies access to the resource through the Converse API actions ([Converse](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_runtime_Converse.html) and [ConverseStream](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_runtime_ConverseStream.html)). For more information see [Deny access for inference on specific models](https://docs.aws.amazon.com/bedrock/latest/userguide/security_iam_id-based-policy-examples.html#security_iam_id-based-policy-examples-deny-inference). For troubleshooting some of the common errors you might encounter when using the InvokeModelWithResponseStream API, see [Troubleshooting Amazon Bedrock API Error Codes](https://docs.aws.amazon.com/bedrock/latest/userguide/troubleshooting-api-error-codes.html) in the Amazon Bedrock User Guide /// - /// - Parameter InvokeModelWithResponseStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeModelWithResponseStreamInput`) /// - /// - Returns: `InvokeModelWithResponseStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeModelWithResponseStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -973,7 +965,6 @@ extension BedrockRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeModelWithResponseStreamOutput.httpOutput(from:), InvokeModelWithResponseStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1006,9 +997,9 @@ extension BedrockRuntimeClient { /// /// Lists asynchronous invocations. /// - /// - Parameter ListAsyncInvokesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAsyncInvokesInput`) /// - /// - Returns: `ListAsyncInvokesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAsyncInvokesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1043,7 +1034,6 @@ extension BedrockRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAsyncInvokesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAsyncInvokesOutput.httpOutput(from:), ListAsyncInvokesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1076,9 +1066,9 @@ extension BedrockRuntimeClient { /// /// Starts an asynchronous invocation. This operation requires permission for the bedrock:InvokeModel action. To deny all inference access to resources that you specify in the modelId field, you need to deny access to the bedrock:InvokeModel and bedrock:InvokeModelWithResponseStream actions. Doing this also denies access to the resource through the Converse API actions ([Converse](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_runtime_Converse.html) and [ConverseStream](https://docs.aws.amazon.com/bedrock/latest/APIReference/API_runtime_ConverseStream.html)). For more information see [Deny access for inference on specific models](https://docs.aws.amazon.com/bedrock/latest/userguide/security_iam_id-based-policy-examples.html#security_iam_id-based-policy-examples-deny-inference). /// - /// - Parameter StartAsyncInvokeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAsyncInvokeInput`) /// - /// - Returns: `StartAsyncInvokeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAsyncInvokeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1120,7 +1110,6 @@ extension BedrockRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAsyncInvokeOutput.httpOutput(from:), StartAsyncInvokeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBilling/Sources/AWSBilling/BillingClient.swift b/Sources/Services/AWSBilling/Sources/AWSBilling/BillingClient.swift index 531554b78cf..ecb578a095c 100644 --- a/Sources/Services/AWSBilling/Sources/AWSBilling/BillingClient.swift +++ b/Sources/Services/AWSBilling/Sources/AWSBilling/BillingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BillingClient: ClientRuntime.Client { public static let clientName = "BillingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BillingClient.BillingClientConfiguration let serviceName = "Billing" @@ -375,9 +374,9 @@ extension BillingClient { /// /// Associates one or more source billing views with an existing billing view. This allows creating aggregate billing views that combine data from multiple sources. /// - /// - Parameter AssociateSourceViewsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSourceViewsInput`) /// - /// - Returns: `AssociateSourceViewsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSourceViewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSourceViewsOutput.httpOutput(from:), AssociateSourceViewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension BillingClient { /// /// Creates a billing view with the specified billing view attributes. /// - /// - Parameter CreateBillingViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBillingViewInput`) /// - /// - Returns: `CreateBillingViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBillingViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBillingViewOutput.httpOutput(from:), CreateBillingViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -528,9 +525,9 @@ extension BillingClient { /// /// Deletes the specified billing view. /// - /// - Parameter DeleteBillingViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBillingViewInput`) /// - /// - Returns: `DeleteBillingViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBillingViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -566,7 +563,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBillingViewOutput.httpOutput(from:), DeleteBillingViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension BillingClient { /// /// Removes the association between one or more source billing views and an existing billing view. This allows modifying the composition of aggregate billing views. /// - /// - Parameter DisassociateSourceViewsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSourceViewsInput`) /// - /// - Returns: `DisassociateSourceViewsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSourceViewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -641,7 +637,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSourceViewsOutput.httpOutput(from:), DisassociateSourceViewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension BillingClient { /// /// Returns the metadata associated to the specified billing view ARN. /// - /// - Parameter GetBillingViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBillingViewInput`) /// - /// - Returns: `GetBillingViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBillingViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -714,7 +709,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBillingViewOutput.httpOutput(from:), GetBillingViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -749,9 +743,9 @@ extension BillingClient { /// /// Returns the resource-based policy document attached to the resource in JSON format. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -787,7 +781,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -822,9 +815,9 @@ extension BillingClient { /// /// Lists the billing views available for a given time period. Every Amazon Web Services account has a unique PRIMARY billing view that represents the billing data available by default. Accounts that use Billing Conductor also have BILLING_GROUP billing views representing pro forma costs associated with each created billing group. /// - /// - Parameter ListBillingViewsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillingViewsInput`) /// - /// - Returns: `ListBillingViewsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillingViewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -859,7 +852,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillingViewsOutput.httpOutput(from:), ListBillingViewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -894,9 +886,9 @@ extension BillingClient { /// /// Lists the source views (managed Amazon Web Services billing views) associated with the billing view. /// - /// - Parameter ListSourceViewsForBillingViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSourceViewsForBillingViewInput`) /// - /// - Returns: `ListSourceViewsForBillingViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSourceViewsForBillingViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -932,7 +924,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSourceViewsForBillingViewOutput.httpOutput(from:), ListSourceViewsForBillingViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -967,9 +958,9 @@ extension BillingClient { /// /// Lists tags associated with the billing view resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1005,7 +996,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1040,9 +1030,9 @@ extension BillingClient { /// /// An API operation for adding one or more tags (key-value pairs) to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1078,7 +1068,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1113,9 +1102,9 @@ extension BillingClient { /// /// Removes one or more tags from a resource. Specify only tag keys in your request. Don't specify the value. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1151,7 +1140,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1186,9 +1174,9 @@ extension BillingClient { /// /// An API to update the attributes of the billing view. /// - /// - Parameter UpdateBillingViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBillingViewInput`) /// - /// - Returns: `UpdateBillingViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBillingViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1227,7 +1215,6 @@ extension BillingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBillingViewOutput.httpOutput(from:), UpdateBillingViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBillingconductor/Sources/AWSBillingconductor/BillingconductorClient.swift b/Sources/Services/AWSBillingconductor/Sources/AWSBillingconductor/BillingconductorClient.swift index 6b72fc6ed82..6c2fbf0f790 100644 --- a/Sources/Services/AWSBillingconductor/Sources/AWSBillingconductor/BillingconductorClient.swift +++ b/Sources/Services/AWSBillingconductor/Sources/AWSBillingconductor/BillingconductorClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BillingconductorClient: ClientRuntime.Client { public static let clientName = "BillingconductorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BillingconductorClient.BillingconductorClientConfiguration let serviceName = "billingconductor" @@ -375,9 +374,9 @@ extension BillingconductorClient { /// /// Connects an array of account IDs in a consolidated billing family to a predefined billing group. The account IDs must be a part of the consolidated billing family during the current month, and not already associated with another billing group. The maximum number of accounts that can be associated in one call is 30. /// - /// - Parameter AssociateAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAccountsInput`) /// - /// - Returns: `AssociateAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAccountsOutput.httpOutput(from:), AssociateAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension BillingconductorClient { /// /// Connects an array of PricingRuleArns to a defined PricingPlan. The maximum number PricingRuleArn that can be associated in one call is 30. /// - /// - Parameter AssociatePricingRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociatePricingRulesInput`) /// - /// - Returns: `AssociatePricingRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociatePricingRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePricingRulesOutput.httpOutput(from:), AssociatePricingRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension BillingconductorClient { /// /// Associates a batch of resources to a percentage custom line item. /// - /// - Parameter BatchAssociateResourcesToCustomLineItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAssociateResourcesToCustomLineItemInput`) /// - /// - Returns: `BatchAssociateResourcesToCustomLineItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateResourcesToCustomLineItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateResourcesToCustomLineItemOutput.httpOutput(from:), BatchAssociateResourcesToCustomLineItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension BillingconductorClient { /// /// Disassociates a batch of resources from a percentage custom line item. /// - /// - Parameter BatchDisassociateResourcesFromCustomLineItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisassociateResourcesFromCustomLineItemInput`) /// - /// - Returns: `BatchDisassociateResourcesFromCustomLineItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateResourcesFromCustomLineItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateResourcesFromCustomLineItemOutput.httpOutput(from:), BatchDisassociateResourcesFromCustomLineItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension BillingconductorClient { /// /// Creates a billing group that resembles a consolidated billing family that Amazon Web Services charges, based off of the predefined pricing plan computation. /// - /// - Parameter CreateBillingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBillingGroupInput`) /// - /// - Returns: `CreateBillingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBillingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -713,7 +708,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBillingGroupOutput.httpOutput(from:), CreateBillingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -745,9 +739,9 @@ extension BillingconductorClient { /// /// Creates a custom line item that can be used to create a one-time fixed charge that can be applied to a single billing group for the current or previous billing period. The one-time fixed charge is either a fee or discount. /// - /// - Parameter CreateCustomLineItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomLineItemInput`) /// - /// - Returns: `CreateCustomLineItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomLineItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +782,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomLineItemOutput.httpOutput(from:), CreateCustomLineItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -820,9 +813,9 @@ extension BillingconductorClient { /// /// Creates a pricing plan that is used for computing Amazon Web Services charges for billing groups. /// - /// - Parameter CreatePricingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePricingPlanInput`) /// - /// - Returns: `CreatePricingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePricingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -864,7 +857,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePricingPlanOutput.httpOutput(from:), CreatePricingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -896,9 +888,9 @@ extension BillingconductorClient { /// /// Creates a pricing rule can be associated to a pricing plan, or a set of pricing plans. /// - /// - Parameter CreatePricingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePricingRuleInput`) /// - /// - Returns: `CreatePricingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePricingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -939,7 +931,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePricingRuleOutput.httpOutput(from:), CreatePricingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -971,9 +962,9 @@ extension BillingconductorClient { /// /// Deletes a billing group. /// - /// - Parameter DeleteBillingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBillingGroupInput`) /// - /// - Returns: `DeleteBillingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBillingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1010,7 +1001,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBillingGroupOutput.httpOutput(from:), DeleteBillingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1042,9 +1032,9 @@ extension BillingconductorClient { /// /// Deletes the custom line item identified by the given ARN in the current, or previous billing period. /// - /// - Parameter DeleteCustomLineItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomLineItemInput`) /// - /// - Returns: `DeleteCustomLineItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomLineItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1082,7 +1072,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomLineItemOutput.httpOutput(from:), DeleteCustomLineItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1114,9 +1103,9 @@ extension BillingconductorClient { /// /// Deletes a pricing plan. The pricing plan must not be associated with any billing groups to delete successfully. /// - /// - Parameter DeletePricingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePricingPlanInput`) /// - /// - Returns: `DeletePricingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePricingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1154,7 +1143,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePricingPlanOutput.httpOutput(from:), DeletePricingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1186,9 +1174,9 @@ extension BillingconductorClient { /// /// Deletes the pricing rule that's identified by the input Amazon Resource Name (ARN). /// - /// - Parameter DeletePricingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePricingRuleInput`) /// - /// - Returns: `DeletePricingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePricingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1226,7 +1214,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePricingRuleOutput.httpOutput(from:), DeletePricingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1258,9 +1245,9 @@ extension BillingconductorClient { /// /// Removes the specified list of account IDs from the given billing group. /// - /// - Parameter DisassociateAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAccountsInput`) /// - /// - Returns: `DisassociateAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1299,7 +1286,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAccountsOutput.httpOutput(from:), DisassociateAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1331,9 +1317,9 @@ extension BillingconductorClient { /// /// Disassociates a list of pricing rules from a pricing plan. /// - /// - Parameter DisassociatePricingRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociatePricingRulesInput`) /// - /// - Returns: `DisassociatePricingRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociatePricingRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1372,7 +1358,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociatePricingRulesOutput.httpOutput(from:), DisassociatePricingRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1404,9 +1389,9 @@ extension BillingconductorClient { /// /// Retrieves the margin summary report, which includes the Amazon Web Services cost and charged amount (pro forma cost) by Amazon Web Service for a specific billing group. /// - /// - Parameter GetBillingGroupCostReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBillingGroupCostReportInput`) /// - /// - Returns: `GetBillingGroupCostReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBillingGroupCostReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1444,7 +1429,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBillingGroupCostReportOutput.httpOutput(from:), GetBillingGroupCostReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1476,9 +1460,9 @@ extension BillingconductorClient { /// /// This is a paginated call to list linked accounts that are linked to the payer account for the specified time period. If no information is provided, the current billing period is used. The response will optionally include the billing group that's associated with the linked account. /// - /// - Parameter ListAccountAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountAssociationsInput`) /// - /// - Returns: `ListAccountAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1516,7 +1500,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountAssociationsOutput.httpOutput(from:), ListAccountAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1548,9 +1531,9 @@ extension BillingconductorClient { /// /// A paginated call to retrieve a summary report of actual Amazon Web Services charges and the calculated Amazon Web Services charges based on the associated pricing plan of a billing group. /// - /// - Parameter ListBillingGroupCostReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillingGroupCostReportsInput`) /// - /// - Returns: `ListBillingGroupCostReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillingGroupCostReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1588,7 +1571,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillingGroupCostReportsOutput.httpOutput(from:), ListBillingGroupCostReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1620,9 +1602,9 @@ extension BillingconductorClient { /// /// A paginated call to retrieve a list of billing groups for the given billing period. If you don't provide a billing group, the current billing period is used. /// - /// - Parameter ListBillingGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillingGroupsInput`) /// - /// - Returns: `ListBillingGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillingGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1660,7 +1642,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillingGroupsOutput.httpOutput(from:), ListBillingGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1692,9 +1673,9 @@ extension BillingconductorClient { /// /// A paginated call to get a list of all custom line item versions. /// - /// - Parameter ListCustomLineItemVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomLineItemVersionsInput`) /// - /// - Returns: `ListCustomLineItemVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomLineItemVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1731,7 +1712,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomLineItemVersionsOutput.httpOutput(from:), ListCustomLineItemVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1763,9 +1743,9 @@ extension BillingconductorClient { /// /// A paginated call to get a list of all custom line items (FFLIs) for the given billing period. If you don't provide a billing period, the current billing period is used. /// - /// - Parameter ListCustomLineItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomLineItemsInput`) /// - /// - Returns: `ListCustomLineItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomLineItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1803,7 +1783,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomLineItemsOutput.httpOutput(from:), ListCustomLineItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1835,9 +1814,9 @@ extension BillingconductorClient { /// /// A paginated call to get pricing plans for the given billing period. If you don't provide a billing period, the current billing period is used. /// - /// - Parameter ListPricingPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPricingPlansInput`) /// - /// - Returns: `ListPricingPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPricingPlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1874,7 +1853,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPricingPlansOutput.httpOutput(from:), ListPricingPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1906,9 +1884,9 @@ extension BillingconductorClient { /// /// A list of the pricing plans that are associated with a pricing rule. /// - /// - Parameter ListPricingPlansAssociatedWithPricingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPricingPlansAssociatedWithPricingRuleInput`) /// - /// - Returns: `ListPricingPlansAssociatedWithPricingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPricingPlansAssociatedWithPricingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1946,7 +1924,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPricingPlansAssociatedWithPricingRuleOutput.httpOutput(from:), ListPricingPlansAssociatedWithPricingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1978,9 +1955,9 @@ extension BillingconductorClient { /// /// Describes a pricing rule that can be associated to a pricing plan, or set of pricing plans. /// - /// - Parameter ListPricingRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPricingRulesInput`) /// - /// - Returns: `ListPricingRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPricingRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2017,7 +1994,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPricingRulesOutput.httpOutput(from:), ListPricingRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2049,9 +2025,9 @@ extension BillingconductorClient { /// /// Lists the pricing rules that are associated with a pricing plan. /// - /// - Parameter ListPricingRulesAssociatedToPricingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPricingRulesAssociatedToPricingPlanInput`) /// - /// - Returns: `ListPricingRulesAssociatedToPricingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPricingRulesAssociatedToPricingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2089,7 +2065,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPricingRulesAssociatedToPricingPlanOutput.httpOutput(from:), ListPricingRulesAssociatedToPricingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2121,9 +2096,9 @@ extension BillingconductorClient { /// /// List the resources that are associated to a custom line item. /// - /// - Parameter ListResourcesAssociatedToCustomLineItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcesAssociatedToCustomLineItemInput`) /// - /// - Returns: `ListResourcesAssociatedToCustomLineItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcesAssociatedToCustomLineItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2161,7 +2136,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcesAssociatedToCustomLineItemOutput.httpOutput(from:), ListResourcesAssociatedToCustomLineItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2193,9 +2167,9 @@ extension BillingconductorClient { /// /// A list the tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2230,7 +2204,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2262,9 +2235,9 @@ extension BillingconductorClient { /// /// Associates the specified tags to a resource with the specified resourceArn. If existing tags on a resource are not specified in the request parameters, they are not changed. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2302,7 +2275,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2334,9 +2306,9 @@ extension BillingconductorClient { /// /// Deletes specified tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2372,7 +2344,6 @@ extension BillingconductorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2404,9 +2375,9 @@ extension BillingconductorClient { /// /// This updates an existing billing group. /// - /// - Parameter UpdateBillingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBillingGroupInput`) /// - /// - Returns: `UpdateBillingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBillingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2445,7 +2416,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBillingGroupOutput.httpOutput(from:), UpdateBillingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2477,9 +2447,9 @@ extension BillingconductorClient { /// /// Update an existing custom line item in the current or previous billing period. /// - /// - Parameter UpdateCustomLineItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCustomLineItemInput`) /// - /// - Returns: `UpdateCustomLineItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCustomLineItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2517,7 +2487,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomLineItemOutput.httpOutput(from:), UpdateCustomLineItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2549,9 +2518,9 @@ extension BillingconductorClient { /// /// This updates an existing pricing plan. /// - /// - Parameter UpdatePricingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePricingPlanInput`) /// - /// - Returns: `UpdatePricingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePricingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2590,7 +2559,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePricingPlanOutput.httpOutput(from:), UpdatePricingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2622,9 +2590,9 @@ extension BillingconductorClient { /// /// Updates an existing pricing rule. /// - /// - Parameter UpdatePricingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePricingRuleInput`) /// - /// - Returns: `UpdatePricingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePricingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2663,7 +2631,6 @@ extension BillingconductorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePricingRuleOutput.httpOutput(from:), UpdatePricingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBraket/Sources/AWSBraket/BraketClient.swift b/Sources/Services/AWSBraket/Sources/AWSBraket/BraketClient.swift index 2733b2717ee..1f8634de64b 100644 --- a/Sources/Services/AWSBraket/Sources/AWSBraket/BraketClient.swift +++ b/Sources/Services/AWSBraket/Sources/AWSBraket/BraketClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BraketClient: ClientRuntime.Client { public static let clientName = "BraketClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BraketClient.BraketClientConfiguration let serviceName = "Braket" @@ -375,9 +374,9 @@ extension BraketClient { /// /// Cancels an Amazon Braket hybrid job. /// - /// - Parameter CancelJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelJobInput`) /// - /// - Returns: `CancelJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension BraketClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJobOutput.httpOutput(from:), CancelJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension BraketClient { /// /// Cancels the specified task. /// - /// - Parameter CancelQuantumTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelQuantumTaskInput`) /// - /// - Returns: `CancelQuantumTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelQuantumTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension BraketClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelQuantumTaskOutput.httpOutput(from:), CancelQuantumTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension BraketClient { /// /// Creates an Amazon Braket hybrid job. /// - /// - Parameter CreateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobInput`) /// - /// - Returns: `CreateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension BraketClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobOutput.httpOutput(from:), CreateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension BraketClient { /// /// Creates a quantum task. /// - /// - Parameter CreateQuantumTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQuantumTaskInput`) /// - /// - Returns: `CreateQuantumTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQuantumTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension BraketClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQuantumTaskOutput.httpOutput(from:), CreateQuantumTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension BraketClient { /// /// Retrieves the devices available in Amazon Braket. For backwards compatibility with older versions of BraketSchemas, OpenQASM information is omitted from GetDevice API calls. To get this information the user-agent needs to present a recent version of the BraketSchemas (1.8.0 or later). The Braket SDK automatically reports this for you. If you do not see OpenQASM results in the GetDevice response when using a Braket SDK, you may need to set AWS_EXECUTION_ENV environment variable to configure user-agent. See the code examples provided below for how to do this for the AWS CLI, Boto3, and the Go, Java, and JavaScript/TypeScript SDKs. /// - /// - Parameter GetDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeviceInput`) /// - /// - Returns: `GetDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -707,7 +702,6 @@ extension BraketClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceOutput.httpOutput(from:), GetDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,9 +733,9 @@ extension BraketClient { /// /// Retrieves the specified Amazon Braket hybrid job. /// - /// - Parameter GetJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobInput`) /// - /// - Returns: `GetJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension BraketClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobOutput.httpOutput(from:), GetJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension BraketClient { /// /// Retrieves the specified quantum task. /// - /// - Parameter GetQuantumTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQuantumTaskInput`) /// - /// - Returns: `GetQuantumTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQuantumTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension BraketClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetQuantumTaskInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQuantumTaskOutput.httpOutput(from:), GetQuantumTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension BraketClient { /// /// Shows the tags associated with this resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension BraketClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +937,9 @@ extension BraketClient { /// /// Searches for devices using the specified filters. /// - /// - Parameter SearchDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchDevicesInput`) /// - /// - Returns: `SearchDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -985,7 +976,6 @@ extension BraketClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchDevicesOutput.httpOutput(from:), SearchDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1017,9 +1007,9 @@ extension BraketClient { /// /// Searches for Amazon Braket hybrid jobs that match the specified filter values. /// - /// - Parameter SearchJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchJobsInput`) /// - /// - Returns: `SearchJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1056,7 +1046,6 @@ extension BraketClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchJobsOutput.httpOutput(from:), SearchJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1088,9 +1077,9 @@ extension BraketClient { /// /// Searches for tasks that match the specified filter values. /// - /// - Parameter SearchQuantumTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchQuantumTasksInput`) /// - /// - Returns: `SearchQuantumTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchQuantumTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1127,7 +1116,6 @@ extension BraketClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchQuantumTasksOutput.httpOutput(from:), SearchQuantumTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1159,9 +1147,9 @@ extension BraketClient { /// /// Add a tag to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1197,7 +1185,6 @@ extension BraketClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1229,9 +1216,9 @@ extension BraketClient { /// /// Remove tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1265,7 +1252,6 @@ extension BraketClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSBudgets/Sources/AWSBudgets/BudgetsClient.swift b/Sources/Services/AWSBudgets/Sources/AWSBudgets/BudgetsClient.swift index 6c54d59ae25..2a42ad2ce31 100644 --- a/Sources/Services/AWSBudgets/Sources/AWSBudgets/BudgetsClient.swift +++ b/Sources/Services/AWSBudgets/Sources/AWSBudgets/BudgetsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class BudgetsClient: ClientRuntime.Client { public static let clientName = "BudgetsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: BudgetsClient.BudgetsClientConfiguration let serviceName = "Budgets" @@ -373,9 +372,9 @@ extension BudgetsClient { /// /// Creates a budget and, if included, notifications and subscribers. Only one of BudgetLimit or PlannedBudgetLimits can be present in the syntax at one time. Use the syntax that matches your use case. The Request Syntax section shows the BudgetLimit syntax. For PlannedBudgetLimits, see the [Examples](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_budgets_CreateBudget.html#API_CreateBudget_Examples) section. Similarly, only one set of filter and metric selections can be present in the syntax at one time. Either FilterExpression and Metrics or CostFilters and CostTypes, not both or a different combination. We recommend using FilterExpression and Metrics as they provide more flexible and powerful filtering capabilities. The Request Syntax section shows the FilterExpression/Metrics syntax. /// - /// - Parameter CreateBudgetInput : Request of CreateBudget + /// - Parameter input: Request of CreateBudget (Type: `CreateBudgetInput`) /// - /// - Returns: `CreateBudgetOutput` : Response of CreateBudget + /// - Returns: Response of CreateBudget (Type: `CreateBudgetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBudgetOutput.httpOutput(from:), CreateBudgetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension BudgetsClient { /// /// Creates a budget action. /// - /// - Parameter CreateBudgetActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBudgetActionInput`) /// - /// - Returns: `CreateBudgetActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBudgetActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBudgetActionOutput.httpOutput(from:), CreateBudgetActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension BudgetsClient { /// /// Creates a notification. You must create the budget before you create the associated notification. /// - /// - Parameter CreateNotificationInput : Request of CreateNotification + /// - Parameter input: Request of CreateNotification (Type: `CreateNotificationInput`) /// - /// - Returns: `CreateNotificationOutput` : Response of CreateNotification + /// - Returns: Response of CreateNotification (Type: `CreateNotificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -566,7 +563,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNotificationOutput.httpOutput(from:), CreateNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension BudgetsClient { /// /// Creates a subscriber. You must create the associated budget and notification before you create the subscriber. /// - /// - Parameter CreateSubscriberInput : Request of CreateSubscriber + /// - Parameter input: Request of CreateSubscriber (Type: `CreateSubscriberInput`) /// - /// - Returns: `CreateSubscriberOutput` : Response of CreateSubscriber + /// - Returns: Response of CreateSubscriber (Type: `CreateSubscriberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -641,7 +637,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubscriberOutput.httpOutput(from:), CreateSubscriberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension BudgetsClient { /// /// Deletes a budget. You can delete your budget at any time. Deleting a budget also deletes the notifications and subscribers that are associated with that budget. /// - /// - Parameter DeleteBudgetInput : Request of DeleteBudget + /// - Parameter input: Request of DeleteBudget (Type: `DeleteBudgetInput`) /// - /// - Returns: `DeleteBudgetOutput` : Response of DeleteBudget + /// - Returns: Response of DeleteBudget (Type: `DeleteBudgetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -714,7 +709,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBudgetOutput.httpOutput(from:), DeleteBudgetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -749,9 +743,9 @@ extension BudgetsClient { /// /// Deletes a budget action. /// - /// - Parameter DeleteBudgetActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBudgetActionInput`) /// - /// - Returns: `DeleteBudgetActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBudgetActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +782,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBudgetActionOutput.httpOutput(from:), DeleteBudgetActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -823,9 +816,9 @@ extension BudgetsClient { /// /// Deletes a notification. Deleting a notification also deletes the subscribers that are associated with the notification. /// - /// - Parameter DeleteNotificationInput : Request of DeleteNotification + /// - Parameter input: Request of DeleteNotification (Type: `DeleteNotificationInput`) /// - /// - Returns: `DeleteNotificationOutput` : Response of DeleteNotification + /// - Returns: Response of DeleteNotification (Type: `DeleteNotificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -861,7 +854,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNotificationOutput.httpOutput(from:), DeleteNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -896,9 +888,9 @@ extension BudgetsClient { /// /// Deletes a subscriber. Deleting the last subscriber to a notification also deletes the notification. /// - /// - Parameter DeleteSubscriberInput : Request of DeleteSubscriber + /// - Parameter input: Request of DeleteSubscriber (Type: `DeleteSubscriberInput`) /// - /// - Returns: `DeleteSubscriberOutput` : Response of DeleteSubscriber + /// - Returns: Response of DeleteSubscriber (Type: `DeleteSubscriberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -934,7 +926,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubscriberOutput.httpOutput(from:), DeleteSubscriberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -969,9 +960,9 @@ extension BudgetsClient { /// /// Describes a budget. The Request Syntax section shows the BudgetLimit syntax. For PlannedBudgetLimits, see the [Examples](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_budgets_DescribeBudget.html#API_DescribeBudget_Examples) section. /// - /// - Parameter DescribeBudgetInput : Request of DescribeBudget + /// - Parameter input: Request of DescribeBudget (Type: `DescribeBudgetInput`) /// - /// - Returns: `DescribeBudgetOutput` : Response of DescribeBudget + /// - Returns: Response of DescribeBudget (Type: `DescribeBudgetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1007,7 +998,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBudgetOutput.httpOutput(from:), DescribeBudgetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1042,9 +1032,9 @@ extension BudgetsClient { /// /// Describes a budget action detail. /// - /// - Parameter DescribeBudgetActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBudgetActionInput`) /// - /// - Returns: `DescribeBudgetActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBudgetActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1080,7 +1070,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBudgetActionOutput.httpOutput(from:), DescribeBudgetActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1115,9 +1104,9 @@ extension BudgetsClient { /// /// Describes a budget action history detail. /// - /// - Parameter DescribeBudgetActionHistoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBudgetActionHistoriesInput`) /// - /// - Returns: `DescribeBudgetActionHistoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBudgetActionHistoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1154,7 +1143,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBudgetActionHistoriesOutput.httpOutput(from:), DescribeBudgetActionHistoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1189,9 +1177,9 @@ extension BudgetsClient { /// /// Describes all of the budget actions for an account. /// - /// - Parameter DescribeBudgetActionsForAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBudgetActionsForAccountInput`) /// - /// - Returns: `DescribeBudgetActionsForAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBudgetActionsForAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1227,7 +1215,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBudgetActionsForAccountOutput.httpOutput(from:), DescribeBudgetActionsForAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1262,9 +1249,9 @@ extension BudgetsClient { /// /// Describes all of the budget actions for a budget. /// - /// - Parameter DescribeBudgetActionsForBudgetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBudgetActionsForBudgetInput`) /// - /// - Returns: `DescribeBudgetActionsForBudgetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBudgetActionsForBudgetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1301,7 +1288,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBudgetActionsForBudgetOutput.httpOutput(from:), DescribeBudgetActionsForBudgetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1336,9 +1322,9 @@ extension BudgetsClient { /// /// Lists the budget names and notifications that are associated with an account. /// - /// - Parameter DescribeBudgetNotificationsForAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBudgetNotificationsForAccountInput`) /// - /// - Returns: `DescribeBudgetNotificationsForAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBudgetNotificationsForAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1376,7 +1362,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBudgetNotificationsForAccountOutput.httpOutput(from:), DescribeBudgetNotificationsForAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1411,9 +1396,9 @@ extension BudgetsClient { /// /// Describes the history for DAILY, MONTHLY, and QUARTERLY budgets. Budget history isn't available for ANNUAL budgets. /// - /// - Parameter DescribeBudgetPerformanceHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBudgetPerformanceHistoryInput`) /// - /// - Returns: `DescribeBudgetPerformanceHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBudgetPerformanceHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1451,7 +1436,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBudgetPerformanceHistoryOutput.httpOutput(from:), DescribeBudgetPerformanceHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1486,9 +1470,9 @@ extension BudgetsClient { /// /// Lists the budgets that are associated with an account. The Request Syntax section shows the BudgetLimit syntax. For PlannedBudgetLimits, see the [Examples](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_budgets_DescribeBudgets.html#API_DescribeBudgets_Examples) section. /// - /// - Parameter DescribeBudgetsInput : Request of DescribeBudgets + /// - Parameter input: Request of DescribeBudgets (Type: `DescribeBudgetsInput`) /// - /// - Returns: `DescribeBudgetsOutput` : Response of DescribeBudgets + /// - Returns: Response of DescribeBudgets (Type: `DescribeBudgetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1526,7 +1510,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBudgetsOutput.httpOutput(from:), DescribeBudgetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1561,9 +1544,9 @@ extension BudgetsClient { /// /// Lists the notifications that are associated with a budget. /// - /// - Parameter DescribeNotificationsForBudgetInput : Request of DescribeNotificationsForBudget + /// - Parameter input: Request of DescribeNotificationsForBudget (Type: `DescribeNotificationsForBudgetInput`) /// - /// - Returns: `DescribeNotificationsForBudgetOutput` : Response of GetNotificationsForBudget + /// - Returns: Response of GetNotificationsForBudget (Type: `DescribeNotificationsForBudgetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1601,7 +1584,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNotificationsForBudgetOutput.httpOutput(from:), DescribeNotificationsForBudgetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1636,9 +1618,9 @@ extension BudgetsClient { /// /// Lists the subscribers that are associated with a notification. /// - /// - Parameter DescribeSubscribersForNotificationInput : Request of DescribeSubscribersForNotification + /// - Parameter input: Request of DescribeSubscribersForNotification (Type: `DescribeSubscribersForNotificationInput`) /// - /// - Returns: `DescribeSubscribersForNotificationOutput` : Response of DescribeSubscribersForNotification + /// - Returns: Response of DescribeSubscribersForNotification (Type: `DescribeSubscribersForNotificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1676,7 +1658,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSubscribersForNotificationOutput.httpOutput(from:), DescribeSubscribersForNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1711,9 +1692,9 @@ extension BudgetsClient { /// /// Executes a budget action. /// - /// - Parameter ExecuteBudgetActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteBudgetActionInput`) /// - /// - Returns: `ExecuteBudgetActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteBudgetActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1750,7 +1731,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteBudgetActionOutput.httpOutput(from:), ExecuteBudgetActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1785,9 +1765,9 @@ extension BudgetsClient { /// /// Lists tags associated with a budget or budget action resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1823,7 +1803,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1858,9 +1837,9 @@ extension BudgetsClient { /// /// Creates tags for a budget or budget action resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1897,7 +1876,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1932,9 +1910,9 @@ extension BudgetsClient { /// /// Deletes tags associated with a budget or budget action resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1970,7 +1948,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2005,9 +1982,9 @@ extension BudgetsClient { /// /// Updates a budget. You can change every part of a budget except for the budgetName and the calculatedSpend. When you modify a budget, the calculatedSpend drops to zero until Amazon Web Services has new usage data to use for forecasting. Only one of BudgetLimit or PlannedBudgetLimits can be present in the syntax at one time. Use the syntax that matches your case. The Request Syntax section shows the BudgetLimit syntax. For PlannedBudgetLimits, see the [Examples](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_budgets_UpdateBudget.html#API_UpdateBudget_Examples) section. Similarly, only one set of filter and metric selections can be present in the syntax at one time. Either FilterExpression and Metrics or CostFilters and CostTypes, not both or a different combination. We recommend using FilterExpression and Metrics as they provide more flexible and powerful filtering capabilities. The Request Syntax section shows the FilterExpression/Metrics syntax. /// - /// - Parameter UpdateBudgetInput : Request of UpdateBudget + /// - Parameter input: Request of UpdateBudget (Type: `UpdateBudgetInput`) /// - /// - Returns: `UpdateBudgetOutput` : Response of UpdateBudget + /// - Returns: Response of UpdateBudget (Type: `UpdateBudgetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2044,7 +2021,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBudgetOutput.httpOutput(from:), UpdateBudgetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2079,9 +2055,9 @@ extension BudgetsClient { /// /// Updates a budget action. /// - /// - Parameter UpdateBudgetActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBudgetActionInput`) /// - /// - Returns: `UpdateBudgetActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBudgetActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2118,7 +2094,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBudgetActionOutput.httpOutput(from:), UpdateBudgetActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2153,9 +2128,9 @@ extension BudgetsClient { /// /// Updates a notification. /// - /// - Parameter UpdateNotificationInput : Request of UpdateNotification + /// - Parameter input: Request of UpdateNotification (Type: `UpdateNotificationInput`) /// - /// - Returns: `UpdateNotificationOutput` : Response of UpdateNotification + /// - Returns: Response of UpdateNotification (Type: `UpdateNotificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2192,7 +2167,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNotificationOutput.httpOutput(from:), UpdateNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2227,9 +2201,9 @@ extension BudgetsClient { /// /// Updates a subscriber. /// - /// - Parameter UpdateSubscriberInput : Request of UpdateSubscriber + /// - Parameter input: Request of UpdateSubscriber (Type: `UpdateSubscriberInput`) /// - /// - Returns: `UpdateSubscriberOutput` : Response of UpdateSubscriber + /// - Returns: Response of UpdateSubscriber (Type: `UpdateSubscriberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2266,7 +2240,6 @@ extension BudgetsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubscriberOutput.httpOutput(from:), UpdateSubscriberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSChatbot/Sources/AWSChatbot/ChatbotClient.swift b/Sources/Services/AWSChatbot/Sources/AWSChatbot/ChatbotClient.swift index b5c59794c14..33ec9fb8176 100644 --- a/Sources/Services/AWSChatbot/Sources/AWSChatbot/ChatbotClient.swift +++ b/Sources/Services/AWSChatbot/Sources/AWSChatbot/ChatbotClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ChatbotClient: ClientRuntime.Client { public static let clientName = "ChatbotClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ChatbotClient.ChatbotClientConfiguration let serviceName = "chatbot" @@ -373,9 +372,9 @@ extension ChatbotClient { /// /// Links a resource (for example, a custom action) to a channel configuration. /// - /// - Parameter AssociateToConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateToConfigurationInput`) /// - /// - Returns: `AssociateToConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateToConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateToConfigurationOutput.httpOutput(from:), AssociateToConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension ChatbotClient { /// /// Creates an AWS Chatbot configuration for Amazon Chime. /// - /// - Parameter CreateChimeWebhookConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChimeWebhookConfigurationInput`) /// - /// - Returns: `CreateChimeWebhookConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChimeWebhookConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChimeWebhookConfigurationOutput.httpOutput(from:), CreateChimeWebhookConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension ChatbotClient { /// /// Creates a custom action that can be invoked as an alias or as a button on a notification. /// - /// - Parameter CreateCustomActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomActionInput`) /// - /// - Returns: `CreateCustomActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomActionOutput.httpOutput(from:), CreateCustomActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension ChatbotClient { /// /// Creates an AWS Chatbot configuration for Microsoft Teams. /// - /// - Parameter CreateMicrosoftTeamsChannelConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMicrosoftTeamsChannelConfigurationInput`) /// - /// - Returns: `CreateMicrosoftTeamsChannelConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMicrosoftTeamsChannelConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMicrosoftTeamsChannelConfigurationOutput.httpOutput(from:), CreateMicrosoftTeamsChannelConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +655,9 @@ extension ChatbotClient { /// /// Creates an AWS Chatbot confugration for Slack. /// - /// - Parameter CreateSlackChannelConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSlackChannelConfigurationInput`) /// - /// - Returns: `CreateSlackChannelConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSlackChannelConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -700,7 +695,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSlackChannelConfigurationOutput.httpOutput(from:), CreateSlackChannelConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -732,9 +726,9 @@ extension ChatbotClient { /// /// Deletes a Amazon Chime webhook configuration for AWS Chatbot. /// - /// - Parameter DeleteChimeWebhookConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChimeWebhookConfigurationInput`) /// - /// - Returns: `DeleteChimeWebhookConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChimeWebhookConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChimeWebhookConfigurationOutput.httpOutput(from:), DeleteChimeWebhookConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension ChatbotClient { /// /// Deletes a custom action. /// - /// - Parameter DeleteCustomActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomActionInput`) /// - /// - Returns: `DeleteCustomActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomActionOutput.httpOutput(from:), DeleteCustomActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -874,9 +866,9 @@ extension ChatbotClient { /// /// Deletes a Microsoft Teams channel configuration for AWS Chatbot /// - /// - Parameter DeleteMicrosoftTeamsChannelConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMicrosoftTeamsChannelConfigurationInput`) /// - /// - Returns: `DeleteMicrosoftTeamsChannelConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMicrosoftTeamsChannelConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -913,7 +905,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMicrosoftTeamsChannelConfigurationOutput.httpOutput(from:), DeleteMicrosoftTeamsChannelConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -945,9 +936,9 @@ extension ChatbotClient { /// /// Deletes the Microsoft Teams team authorization allowing for channels to be configured in that Microsoft Teams team. Note that the Microsoft Teams team must have no channels configured to remove it. /// - /// - Parameter DeleteMicrosoftTeamsConfiguredTeamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMicrosoftTeamsConfiguredTeamInput`) /// - /// - Returns: `DeleteMicrosoftTeamsConfiguredTeamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMicrosoftTeamsConfiguredTeamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -982,7 +973,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMicrosoftTeamsConfiguredTeamOutput.httpOutput(from:), DeleteMicrosoftTeamsConfiguredTeamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1014,9 +1004,9 @@ extension ChatbotClient { /// /// Identifes a user level permission for a channel configuration. /// - /// - Parameter DeleteMicrosoftTeamsUserIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMicrosoftTeamsUserIdentityInput`) /// - /// - Returns: `DeleteMicrosoftTeamsUserIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMicrosoftTeamsUserIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1052,7 +1042,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMicrosoftTeamsUserIdentityOutput.httpOutput(from:), DeleteMicrosoftTeamsUserIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1084,9 +1073,9 @@ extension ChatbotClient { /// /// Deletes a Slack channel configuration for AWS Chatbot /// - /// - Parameter DeleteSlackChannelConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSlackChannelConfigurationInput`) /// - /// - Returns: `DeleteSlackChannelConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSlackChannelConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1123,7 +1112,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSlackChannelConfigurationOutput.httpOutput(from:), DeleteSlackChannelConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1155,9 +1143,9 @@ extension ChatbotClient { /// /// Deletes a user level permission for a Slack channel configuration. /// - /// - Parameter DeleteSlackUserIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSlackUserIdentityInput`) /// - /// - Returns: `DeleteSlackUserIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSlackUserIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1193,7 +1181,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSlackUserIdentityOutput.httpOutput(from:), DeleteSlackUserIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1225,9 +1212,9 @@ extension ChatbotClient { /// /// Deletes the Slack workspace authorization that allows channels to be configured in that workspace. This requires all configured channels in the workspace to be deleted. /// - /// - Parameter DeleteSlackWorkspaceAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSlackWorkspaceAuthorizationInput`) /// - /// - Returns: `DeleteSlackWorkspaceAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSlackWorkspaceAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1262,7 +1249,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSlackWorkspaceAuthorizationOutput.httpOutput(from:), DeleteSlackWorkspaceAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1294,9 +1280,9 @@ extension ChatbotClient { /// /// Lists Amazon Chime webhook configurations optionally filtered by ChatConfigurationArn /// - /// - Parameter DescribeChimeWebhookConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChimeWebhookConfigurationsInput`) /// - /// - Returns: `DescribeChimeWebhookConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChimeWebhookConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1332,7 +1318,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChimeWebhookConfigurationsOutput.httpOutput(from:), DescribeChimeWebhookConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1364,9 +1349,9 @@ extension ChatbotClient { /// /// Lists Slack channel configurations optionally filtered by ChatConfigurationArn /// - /// - Parameter DescribeSlackChannelConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSlackChannelConfigurationsInput`) /// - /// - Returns: `DescribeSlackChannelConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSlackChannelConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1402,7 +1387,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSlackChannelConfigurationsOutput.httpOutput(from:), DescribeSlackChannelConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1434,9 +1418,9 @@ extension ChatbotClient { /// /// Lists all Slack user identities with a mapped role. /// - /// - Parameter DescribeSlackUserIdentitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSlackUserIdentitiesInput`) /// - /// - Returns: `DescribeSlackUserIdentitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSlackUserIdentitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1472,7 +1456,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSlackUserIdentitiesOutput.httpOutput(from:), DescribeSlackUserIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1504,9 +1487,9 @@ extension ChatbotClient { /// /// List all authorized Slack workspaces connected to the AWS Account onboarded with AWS Chatbot. /// - /// - Parameter DescribeSlackWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSlackWorkspacesInput`) /// - /// - Returns: `DescribeSlackWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSlackWorkspacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1542,7 +1525,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSlackWorkspacesOutput.httpOutput(from:), DescribeSlackWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1574,9 +1556,9 @@ extension ChatbotClient { /// /// Unlink a resource, for example a custom action, from a channel configuration. /// - /// - Parameter DisassociateFromConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFromConfigurationInput`) /// - /// - Returns: `DisassociateFromConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFromConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1594,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFromConfigurationOutput.httpOutput(from:), DisassociateFromConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1644,9 +1625,9 @@ extension ChatbotClient { /// /// Returns AWS Chatbot account preferences. /// - /// - Parameter GetAccountPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountPreferencesInput`) /// - /// - Returns: `GetAccountPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1678,7 +1659,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountPreferencesOutput.httpOutput(from:), GetAccountPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1710,9 +1690,9 @@ extension ChatbotClient { /// /// Returns a custom action. /// - /// - Parameter GetCustomActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCustomActionInput`) /// - /// - Returns: `GetCustomActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCustomActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1749,7 +1729,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomActionOutput.httpOutput(from:), GetCustomActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1781,9 +1760,9 @@ extension ChatbotClient { /// /// Returns a Microsoft Teams channel configuration in an AWS account. /// - /// - Parameter GetMicrosoftTeamsChannelConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMicrosoftTeamsChannelConfigurationInput`) /// - /// - Returns: `GetMicrosoftTeamsChannelConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMicrosoftTeamsChannelConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1819,7 +1798,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMicrosoftTeamsChannelConfigurationOutput.httpOutput(from:), GetMicrosoftTeamsChannelConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1851,9 +1829,9 @@ extension ChatbotClient { /// /// Lists resources associated with a channel configuration. /// - /// - Parameter ListAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociationsInput`) /// - /// - Returns: `ListAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociationsOutput`) public func listAssociations(input: ListAssociationsInput) async throws -> ListAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1882,7 +1860,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociationsOutput.httpOutput(from:), ListAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1914,9 +1891,9 @@ extension ChatbotClient { /// /// Lists custom actions defined in this account. /// - /// - Parameter ListCustomActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomActionsInput`) /// - /// - Returns: `ListCustomActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1952,7 +1929,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomActionsOutput.httpOutput(from:), ListCustomActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1984,9 +1960,9 @@ extension ChatbotClient { /// /// Lists all AWS Chatbot Microsoft Teams channel configurations in an AWS account. /// - /// - Parameter ListMicrosoftTeamsChannelConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMicrosoftTeamsChannelConfigurationsInput`) /// - /// - Returns: `ListMicrosoftTeamsChannelConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMicrosoftTeamsChannelConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2022,7 +1998,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMicrosoftTeamsChannelConfigurationsOutput.httpOutput(from:), ListMicrosoftTeamsChannelConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2054,9 +2029,9 @@ extension ChatbotClient { /// /// Lists all authorized Microsoft Teams for an AWS Account /// - /// - Parameter ListMicrosoftTeamsConfiguredTeamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMicrosoftTeamsConfiguredTeamsInput`) /// - /// - Returns: `ListMicrosoftTeamsConfiguredTeamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMicrosoftTeamsConfiguredTeamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2092,7 +2067,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMicrosoftTeamsConfiguredTeamsOutput.httpOutput(from:), ListMicrosoftTeamsConfiguredTeamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2124,9 +2098,9 @@ extension ChatbotClient { /// /// A list all Microsoft Teams user identities with a mapped role. /// - /// - Parameter ListMicrosoftTeamsUserIdentitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMicrosoftTeamsUserIdentitiesInput`) /// - /// - Returns: `ListMicrosoftTeamsUserIdentitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMicrosoftTeamsUserIdentitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2162,7 +2136,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMicrosoftTeamsUserIdentitiesOutput.httpOutput(from:), ListMicrosoftTeamsUserIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2194,9 +2167,9 @@ extension ChatbotClient { /// /// Lists all of the tags associated with the Amazon Resource Name (ARN) that you specify. The resource can be a user, server, or role. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2232,7 +2205,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2264,9 +2236,9 @@ extension ChatbotClient { /// /// Attaches a key-value pair to a resource, as identified by its Amazon Resource Name (ARN). Resources are users, servers, roles, and other entities. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2303,7 +2275,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2335,9 +2306,9 @@ extension ChatbotClient { /// /// Detaches a key-value pair from a resource, as identified by its Amazon Resource Name (ARN). Resources are users, servers, roles, and other entities. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2373,7 +2344,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2405,9 +2375,9 @@ extension ChatbotClient { /// /// Updates AWS Chatbot account preferences. /// - /// - Parameter UpdateAccountPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountPreferencesInput`) /// - /// - Returns: `UpdateAccountPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2443,7 +2413,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountPreferencesOutput.httpOutput(from:), UpdateAccountPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2475,9 +2444,9 @@ extension ChatbotClient { /// /// Updates a Amazon Chime webhook configuration. /// - /// - Parameter UpdateChimeWebhookConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChimeWebhookConfigurationInput`) /// - /// - Returns: `UpdateChimeWebhookConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChimeWebhookConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2514,7 +2483,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChimeWebhookConfigurationOutput.httpOutput(from:), UpdateChimeWebhookConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2546,9 +2514,9 @@ extension ChatbotClient { /// /// Updates a custom action. /// - /// - Parameter UpdateCustomActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCustomActionInput`) /// - /// - Returns: `UpdateCustomActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCustomActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2585,7 +2553,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomActionOutput.httpOutput(from:), UpdateCustomActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2617,9 +2584,9 @@ extension ChatbotClient { /// /// Updates an Microsoft Teams channel configuration. /// - /// - Parameter UpdateMicrosoftTeamsChannelConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMicrosoftTeamsChannelConfigurationInput`) /// - /// - Returns: `UpdateMicrosoftTeamsChannelConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMicrosoftTeamsChannelConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2656,7 +2623,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMicrosoftTeamsChannelConfigurationOutput.httpOutput(from:), UpdateMicrosoftTeamsChannelConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2688,9 +2654,9 @@ extension ChatbotClient { /// /// Updates a Slack channel configuration. /// - /// - Parameter UpdateSlackChannelConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSlackChannelConfigurationInput`) /// - /// - Returns: `UpdateSlackChannelConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSlackChannelConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2727,7 +2693,6 @@ extension ChatbotClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSlackChannelConfigurationOutput.httpOutput(from:), UpdateSlackChannelConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSChime/Sources/AWSChime/ChimeClient.swift b/Sources/Services/AWSChime/Sources/AWSChime/ChimeClient.swift index 9f0476cb085..658a62a67dc 100644 --- a/Sources/Services/AWSChime/Sources/AWSChime/ChimeClient.swift +++ b/Sources/Services/AWSChime/Sources/AWSChime/ChimeClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ChimeClient: ClientRuntime.Client { public static let clientName = "ChimeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ChimeClient.ChimeClientConfiguration let serviceName = "Chime" @@ -375,9 +374,9 @@ extension ChimeClient { /// /// Associates a phone number with the specified Amazon Chime user. /// - /// - Parameter AssociatePhoneNumberWithUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociatePhoneNumberWithUserInput`) /// - /// - Returns: `AssociatePhoneNumberWithUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociatePhoneNumberWithUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePhoneNumberWithUserOutput.httpOutput(from:), AssociatePhoneNumberWithUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension ChimeClient { /// /// Associates the specified sign-in delegate groups with the specified Amazon Chime account. /// - /// - Parameter AssociateSigninDelegateGroupsWithAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSigninDelegateGroupsWithAccountInput`) /// - /// - Returns: `AssociateSigninDelegateGroupsWithAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSigninDelegateGroupsWithAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -494,7 +492,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSigninDelegateGroupsWithAccountOutput.httpOutput(from:), AssociateSigninDelegateGroupsWithAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension ChimeClient { /// /// Adds up to 50 members to a chat room in an Amazon Chime Enterprise account. Members can be users or bots. The member role designates whether the member is a chat room administrator or a general chat room member. /// - /// - Parameter BatchCreateRoomMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateRoomMembershipInput`) /// - /// - Returns: `BatchCreateRoomMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateRoomMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -569,7 +566,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateRoomMembershipOutput.httpOutput(from:), BatchCreateRoomMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension ChimeClient { /// /// Moves phone numbers into the Deletion queue. Phone numbers must be disassociated from any users or Amazon Chime Voice Connectors before they can be deleted. Phone numbers remain in the Deletion queue for 7 days before they are deleted permanently. /// - /// - Parameter BatchDeletePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeletePhoneNumberInput`) /// - /// - Returns: `BatchDeletePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeletePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -644,7 +640,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeletePhoneNumberOutput.httpOutput(from:), BatchDeletePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension ChimeClient { /// /// Suspends up to 50 users from a Team or EnterpriseLWA Amazon Chime account. For more information about different account types, see [Managing Your Amazon Chime Accounts](https://docs.aws.amazon.com/chime/latest/ag/manage-chime-account.html) in the Amazon Chime Administration Guide. Users suspended from a Team account are disassociated from the account,but they can continue to use Amazon Chime as free users. To remove the suspension from suspended Team account users, invite them to the Team account again. You can use the [InviteUsers] action to do so. Users suspended from an EnterpriseLWA account are immediately signed out of Amazon Chime and can no longer sign in. To remove the suspension from suspended EnterpriseLWA account users, use the [BatchUnsuspendUser] action. To sign out users without suspending them, use the [LogoutUser] action. /// - /// - Parameter BatchSuspendUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchSuspendUserInput`) /// - /// - Returns: `BatchSuspendUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchSuspendUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchSuspendUserOutput.httpOutput(from:), BatchSuspendUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -751,9 +745,9 @@ extension ChimeClient { /// /// Removes the suspension from up to 50 previously suspended users for the specified Amazon Chime EnterpriseLWA account. Only users on EnterpriseLWA accounts can be unsuspended using this action. For more information about different account types, see [ Managing Your Amazon Chime Accounts ](https://docs.aws.amazon.com/chime/latest/ag/manage-chime-account.html) in the account types, in the Amazon Chime Administration Guide. Previously suspended users who are unsuspended using this action are returned to Registered status. Users who are not previously suspended are ignored. /// - /// - Parameter BatchUnsuspendUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUnsuspendUserInput`) /// - /// - Returns: `BatchUnsuspendUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUnsuspendUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -794,7 +788,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUnsuspendUserOutput.httpOutput(from:), BatchUnsuspendUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -826,9 +819,9 @@ extension ChimeClient { /// /// Updates phone number product types or calling names. You can update one attribute at a time for each UpdatePhoneNumberRequestItem. For example, you can update the product type or the calling name. For toll-free numbers, you cannot use the Amazon Chime Business Calling product type. For numbers outside the U.S., you must use the Amazon Chime SIP Media Application Dial-In product type. Updates to outbound calling names can take up to 72 hours to complete. Pending updates to outbound calling names must be complete before you can request another update. /// - /// - Parameter BatchUpdatePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdatePhoneNumberInput`) /// - /// - Returns: `BatchUpdatePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdatePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -869,7 +862,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdatePhoneNumberOutput.httpOutput(from:), BatchUpdatePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +893,9 @@ extension ChimeClient { /// /// Updates user details within the [UpdateUserRequestItem] object for up to 20 users for the specified Amazon Chime account. Currently, only LicenseType updates are supported for this action. /// - /// - Parameter BatchUpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateUserInput`) /// - /// - Returns: `BatchUpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -943,7 +935,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateUserOutput.httpOutput(from:), BatchUpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -975,9 +966,9 @@ extension ChimeClient { /// /// Creates an Amazon Chime account under the administrator's AWS account. Only Team account types are currently supported for this action. For more information about different account types, see [Managing Your Amazon Chime Accounts](https://docs.aws.amazon.com/chime/latest/ag/manage-chime-account.html) in the Amazon Chime Administration Guide. /// - /// - Parameter CreateAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccountInput`) /// - /// - Returns: `CreateAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1017,7 +1008,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccountOutput.httpOutput(from:), CreateAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1049,9 +1039,9 @@ extension ChimeClient { /// /// Creates a bot for an Amazon Chime Enterprise account. /// - /// - Parameter CreateBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBotInput`) /// - /// - Returns: `CreateBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1092,7 +1082,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBotOutput.httpOutput(from:), CreateBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1124,9 +1113,9 @@ extension ChimeClient { /// /// Uses the join token and call metadata in a meeting request (From number, To number, and so forth) to initiate an outbound call to a public switched telephone network (PSTN) and join them into a Chime meeting. Also ensures that the From number belongs to the customer. To play welcome audio or implement an interactive voice response (IVR), use the CreateSipMediaApplicationCall action with the corresponding SIP media application ID. This API is not available in a dedicated namespace. /// - /// - Parameter CreateMeetingDialOutInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMeetingDialOutInput`) /// - /// - Returns: `CreateMeetingDialOutOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMeetingDialOutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1167,7 +1156,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMeetingDialOutOutput.httpOutput(from:), CreateMeetingDialOutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1199,9 +1187,9 @@ extension ChimeClient { /// /// Creates an order for phone numbers to be provisioned. For toll-free numbers, you cannot use the Amazon Chime Business Calling product type. For numbers outside the U.S., you must use the Amazon Chime SIP Media Application Dial-In product type. /// - /// - Parameter CreatePhoneNumberOrderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePhoneNumberOrderInput`) /// - /// - Returns: `CreatePhoneNumberOrderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePhoneNumberOrderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1242,7 +1230,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePhoneNumberOrderOutput.httpOutput(from:), CreatePhoneNumberOrderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1274,9 +1261,9 @@ extension ChimeClient { /// /// Creates a chat room for the specified Amazon Chime Enterprise account. /// - /// - Parameter CreateRoomInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRoomInput`) /// - /// - Returns: `CreateRoomOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRoomOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1318,7 +1305,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRoomOutput.httpOutput(from:), CreateRoomOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1350,9 +1336,9 @@ extension ChimeClient { /// /// Adds a member to a chat room in an Amazon Chime Enterprise account. A member can be either a user or a bot. The member role designates whether the member is a chat room administrator or a general chat room member. /// - /// - Parameter CreateRoomMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRoomMembershipInput`) /// - /// - Returns: `CreateRoomMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRoomMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1394,7 +1380,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRoomMembershipOutput.httpOutput(from:), CreateRoomMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1426,9 +1411,9 @@ extension ChimeClient { /// /// Creates a user under the specified Amazon Chime account. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1470,7 +1455,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1502,9 +1486,9 @@ extension ChimeClient { /// /// Deletes the specified Amazon Chime account. You must suspend all users before deleting Team account. You can use the [BatchSuspendUser] action to dodo. For EnterpriseLWA and EnterpriseAD accounts, you must release the claimed domains for your Amazon Chime account before deletion. As soon as you release the domain, all users under that account are suspended. Deleted accounts appear in your Disabled accounts list for 90 days. To restore deleted account from your Disabled accounts list, you must contact AWS Support. After 90 days, deleted accounts are permanently removed from your Disabled accounts list. /// - /// - Parameter DeleteAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountInput`) /// - /// - Returns: `DeleteAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1542,7 +1526,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountOutput.httpOutput(from:), DeleteAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1574,9 +1557,9 @@ extension ChimeClient { /// /// Deletes the events configuration that allows a bot to receive outgoing events. /// - /// - Parameter DeleteEventsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventsConfigurationInput`) /// - /// - Returns: `DeleteEventsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1595,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventsConfigurationOutput.httpOutput(from:), DeleteEventsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1644,9 +1626,9 @@ extension ChimeClient { /// /// Moves the specified phone number into the Deletion queue. A phone number must be disassociated from any users or Amazon Chime Voice Connectors before it can be deleted. Deleted phone numbers remain in the Deletion queue for 7 days before they are deleted permanently. /// - /// - Parameter DeletePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePhoneNumberInput`) /// - /// - Returns: `DeletePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1683,7 +1665,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePhoneNumberOutput.httpOutput(from:), DeletePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1715,9 +1696,9 @@ extension ChimeClient { /// /// Deletes a chat room in an Amazon Chime Enterprise account. /// - /// - Parameter DeleteRoomInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRoomInput`) /// - /// - Returns: `DeleteRoomOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRoomOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1754,7 +1735,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRoomOutput.httpOutput(from:), DeleteRoomOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1786,9 +1766,9 @@ extension ChimeClient { /// /// Removes a member from a chat room in an Amazon Chime Enterprise account. /// - /// - Parameter DeleteRoomMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRoomMembershipInput`) /// - /// - Returns: `DeleteRoomMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRoomMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1825,7 +1805,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRoomMembershipOutput.httpOutput(from:), DeleteRoomMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1857,9 +1836,9 @@ extension ChimeClient { /// /// Disassociates the primary provisioned phone number from the specified Amazon Chime user. /// - /// - Parameter DisassociatePhoneNumberFromUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociatePhoneNumberFromUserInput`) /// - /// - Returns: `DisassociatePhoneNumberFromUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociatePhoneNumberFromUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1897,7 +1876,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociatePhoneNumberFromUserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociatePhoneNumberFromUserOutput.httpOutput(from:), DisassociatePhoneNumberFromUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1929,9 +1907,9 @@ extension ChimeClient { /// /// Disassociates the specified sign-in delegate groups from the specified Amazon Chime account. /// - /// - Parameter DisassociateSigninDelegateGroupsFromAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSigninDelegateGroupsFromAccountInput`) /// - /// - Returns: `DisassociateSigninDelegateGroupsFromAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSigninDelegateGroupsFromAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1972,7 +1950,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSigninDelegateGroupsFromAccountOutput.httpOutput(from:), DisassociateSigninDelegateGroupsFromAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2004,9 +1981,9 @@ extension ChimeClient { /// /// Retrieves details for the specified Amazon Chime account, such as account type and supported licenses. /// - /// - Parameter GetAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountInput`) /// - /// - Returns: `GetAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2043,7 +2020,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountOutput.httpOutput(from:), GetAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2075,9 +2051,9 @@ extension ChimeClient { /// /// Retrieves account settings for the specified Amazon Chime account ID, such as remote control and dialout settings. For more information about these settings, see [Use the Policies Page](https://docs.aws.amazon.com/chime/latest/ag/policies.html) in the Amazon Chime Administration Guide. /// - /// - Parameter GetAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountSettingsInput`) /// - /// - Returns: `GetAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2114,7 +2090,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSettingsOutput.httpOutput(from:), GetAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2146,9 +2121,9 @@ extension ChimeClient { /// /// Retrieves details for the specified bot, such as bot email address, bot type, status, and display name. /// - /// - Parameter GetBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBotInput`) /// - /// - Returns: `GetBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2185,7 +2160,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBotOutput.httpOutput(from:), GetBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2217,9 +2191,9 @@ extension ChimeClient { /// /// Gets details for an events configuration that allows a bot to receive outgoing events, such as an HTTPS endpoint or Lambda function ARN. /// - /// - Parameter GetEventsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventsConfigurationInput`) /// - /// - Returns: `GetEventsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2256,7 +2230,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventsConfigurationOutput.httpOutput(from:), GetEventsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2288,9 +2261,9 @@ extension ChimeClient { /// /// Retrieves global settings for the administrator's AWS account, such as Amazon Chime Business Calling and Amazon Chime Voice Connector settings. /// - /// - Parameter GetGlobalSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGlobalSettingsInput`) /// - /// - Returns: `GetGlobalSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGlobalSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2326,7 +2299,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGlobalSettingsOutput.httpOutput(from:), GetGlobalSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2358,9 +2330,9 @@ extension ChimeClient { /// /// Retrieves details for the specified phone number ID, such as associations, capabilities, and product type. /// - /// - Parameter GetPhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPhoneNumberInput`) /// - /// - Returns: `GetPhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2397,7 +2369,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPhoneNumberOutput.httpOutput(from:), GetPhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2429,9 +2400,9 @@ extension ChimeClient { /// /// Retrieves details for the specified phone number order, such as the order creation timestamp, phone numbers in E.164 format, product type, and order status. /// - /// - Parameter GetPhoneNumberOrderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPhoneNumberOrderInput`) /// - /// - Returns: `GetPhoneNumberOrderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPhoneNumberOrderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2468,7 +2439,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPhoneNumberOrderOutput.httpOutput(from:), GetPhoneNumberOrderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2500,9 +2470,9 @@ extension ChimeClient { /// /// Retrieves the phone number settings for the administrator's AWS account, such as the default outbound calling name. /// - /// - Parameter GetPhoneNumberSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPhoneNumberSettingsInput`) /// - /// - Returns: `GetPhoneNumberSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPhoneNumberSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2538,7 +2508,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPhoneNumberSettingsOutput.httpOutput(from:), GetPhoneNumberSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2570,9 +2539,9 @@ extension ChimeClient { /// /// Gets the retention settings for the specified Amazon Chime Enterprise account. For more information about retention settings, see [Managing Chat Retention Policies](https://docs.aws.amazon.com/chime/latest/ag/chat-retention.html) in the Amazon Chime Administration Guide. /// - /// - Parameter GetRetentionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRetentionSettingsInput`) /// - /// - Returns: `GetRetentionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRetentionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2609,7 +2578,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRetentionSettingsOutput.httpOutput(from:), GetRetentionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2641,9 +2609,9 @@ extension ChimeClient { /// /// Retrieves room details, such as the room name, for a room in an Amazon Chime Enterprise account. /// - /// - Parameter GetRoomInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRoomInput`) /// - /// - Returns: `GetRoomOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRoomOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2680,7 +2648,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRoomOutput.httpOutput(from:), GetRoomOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2712,9 +2679,9 @@ extension ChimeClient { /// /// Retrieves details for the specified user ID, such as primary email address, license type,and personal meeting PIN. To retrieve user details with an email address instead of a user ID, use the [ListUsers] action, and then filter by email address. /// - /// - Parameter GetUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserInput`) /// - /// - Returns: `GetUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2751,7 +2718,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserOutput.httpOutput(from:), GetUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2783,9 +2749,9 @@ extension ChimeClient { /// /// Retrieves settings for the specified user ID, such as any associated phone number settings. /// - /// - Parameter GetUserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserSettingsInput`) /// - /// - Returns: `GetUserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2822,7 +2788,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserSettingsOutput.httpOutput(from:), GetUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2854,9 +2819,9 @@ extension ChimeClient { /// /// Sends email to a maximum of 50 users, inviting them to the specified Amazon Chime Team account. Only Team account types are currently supported for this action. /// - /// - Parameter InviteUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InviteUsersInput`) /// - /// - Returns: `InviteUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InviteUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2897,7 +2862,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InviteUsersOutput.httpOutput(from:), InviteUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2929,9 +2893,9 @@ extension ChimeClient { /// /// Lists the Amazon Chime accounts under the administrator's AWS account. You can filter accounts by account name prefix. To find out which Amazon Chime account a user belongs to, you can filter by the user's email address, which returns one account result. /// - /// - Parameter ListAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountsInput`) /// - /// - Returns: `ListAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2969,7 +2933,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountsOutput.httpOutput(from:), ListAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3001,9 +2964,9 @@ extension ChimeClient { /// /// Lists the bots associated with the administrator's Amazon Chime Enterprise account ID. /// - /// - Parameter ListBotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotsInput`) /// - /// - Returns: `ListBotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3041,7 +3004,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBotsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotsOutput.httpOutput(from:), ListBotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3073,9 +3035,9 @@ extension ChimeClient { /// /// Lists the phone number orders for the administrator's Amazon Chime account. /// - /// - Parameter ListPhoneNumberOrdersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPhoneNumberOrdersInput`) /// - /// - Returns: `ListPhoneNumberOrdersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPhoneNumberOrdersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3112,7 +3074,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPhoneNumberOrdersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPhoneNumberOrdersOutput.httpOutput(from:), ListPhoneNumberOrdersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3144,9 +3105,9 @@ extension ChimeClient { /// /// Lists the phone numbers for the specified Amazon Chime account, Amazon Chime user, Amazon Chime Voice Connector, or Amazon Chime Voice Connector group. /// - /// - Parameter ListPhoneNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPhoneNumbersInput`) /// - /// - Returns: `ListPhoneNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPhoneNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3184,7 +3145,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPhoneNumbersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPhoneNumbersOutput.httpOutput(from:), ListPhoneNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3216,9 +3176,9 @@ extension ChimeClient { /// /// Lists the membership details for the specified room in an Amazon Chime Enterprise account, such as the members' IDs, email addresses, and names. /// - /// - Parameter ListRoomMembershipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoomMembershipsInput`) /// - /// - Returns: `ListRoomMembershipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoomMembershipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3256,7 +3216,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoomMembershipsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoomMembershipsOutput.httpOutput(from:), ListRoomMembershipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3288,9 +3247,9 @@ extension ChimeClient { /// /// Lists the room details for the specified Amazon Chime Enterprise account. Optionally, filter the results by a member ID (user ID or bot ID) to see a list of rooms that the member belongs to. /// - /// - Parameter ListRoomsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoomsInput`) /// - /// - Returns: `ListRoomsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoomsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3328,7 +3287,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoomsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoomsOutput.httpOutput(from:), ListRoomsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3360,9 +3318,9 @@ extension ChimeClient { /// /// Lists supported phone number countries. /// - /// - Parameter ListSupportedPhoneNumberCountriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSupportedPhoneNumberCountriesInput`) /// - /// - Returns: `ListSupportedPhoneNumberCountriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSupportedPhoneNumberCountriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3400,7 +3358,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSupportedPhoneNumberCountriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSupportedPhoneNumberCountriesOutput.httpOutput(from:), ListSupportedPhoneNumberCountriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3432,9 +3389,9 @@ extension ChimeClient { /// /// Lists the users that belong to the specified Amazon Chime account. You can specify an email address to list only the user that the email address belongs to. /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3472,7 +3429,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUsersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3504,9 +3460,9 @@ extension ChimeClient { /// /// Logs out the specified user from all of the devices they are currently logged into. /// - /// - Parameter LogoutUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `LogoutUserInput`) /// - /// - Returns: `LogoutUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `LogoutUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3544,7 +3500,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(LogoutUserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(LogoutUserOutput.httpOutput(from:), LogoutUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3576,9 +3531,9 @@ extension ChimeClient { /// /// Creates an events configuration that allows a bot to receive outgoing events sent by Amazon Chime. Choose either an HTTPS endpoint or a Lambda function ARN. For more information, see [Bot]. /// - /// - Parameter PutEventsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEventsConfigurationInput`) /// - /// - Returns: `PutEventsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEventsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3618,7 +3573,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEventsConfigurationOutput.httpOutput(from:), PutEventsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3650,9 +3604,9 @@ extension ChimeClient { /// /// Puts retention settings for the specified Amazon Chime Enterprise account. We recommend using AWS CloudTrail to monitor usage of this API for your account. For more information, see [Logging Amazon Chime API Calls with AWS CloudTrail](https://docs.aws.amazon.com/chime/latest/ag/cloudtrail.html) in the Amazon Chime Administration Guide. To turn off existing retention settings, remove the number of days from the corresponding RetentionDays field in the RetentionSettings object. For more information about retention settings, see [Managing Chat Retention Policies](https://docs.aws.amazon.com/chime/latest/ag/chat-retention.html) in the Amazon Chime Administration Guide. /// - /// - Parameter PutRetentionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRetentionSettingsInput`) /// - /// - Returns: `PutRetentionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRetentionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3693,7 +3647,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRetentionSettingsOutput.httpOutput(from:), PutRetentionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3725,9 +3678,9 @@ extension ChimeClient { /// /// Redacts the specified message from the specified Amazon Chime conversation. /// - /// - Parameter RedactConversationMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RedactConversationMessageInput`) /// - /// - Returns: `RedactConversationMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RedactConversationMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3765,7 +3718,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RedactConversationMessageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RedactConversationMessageOutput.httpOutput(from:), RedactConversationMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3797,9 +3749,9 @@ extension ChimeClient { /// /// Redacts the specified message from the specified Amazon Chime channel. /// - /// - Parameter RedactRoomMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RedactRoomMessageInput`) /// - /// - Returns: `RedactRoomMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RedactRoomMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3837,7 +3789,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RedactRoomMessageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RedactRoomMessageOutput.httpOutput(from:), RedactRoomMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3869,9 +3820,9 @@ extension ChimeClient { /// /// Regenerates the security token for a bot. /// - /// - Parameter RegenerateSecurityTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegenerateSecurityTokenInput`) /// - /// - Returns: `RegenerateSecurityTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegenerateSecurityTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3909,7 +3860,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RegenerateSecurityTokenInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegenerateSecurityTokenOutput.httpOutput(from:), RegenerateSecurityTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3941,9 +3891,9 @@ extension ChimeClient { /// /// Resets the personal meeting PIN for the specified user on an Amazon Chime account. Returns the [User] object with the updated personal meeting PIN. /// - /// - Parameter ResetPersonalPINInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetPersonalPINInput`) /// - /// - Returns: `ResetPersonalPINOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetPersonalPINOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3981,7 +3931,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ResetPersonalPINInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetPersonalPINOutput.httpOutput(from:), ResetPersonalPINOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4013,9 +3962,9 @@ extension ChimeClient { /// /// Moves a phone number from the Deletion queue back into the phone number Inventory. /// - /// - Parameter RestorePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestorePhoneNumberInput`) /// - /// - Returns: `RestorePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestorePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4054,7 +4003,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RestorePhoneNumberInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestorePhoneNumberOutput.httpOutput(from:), RestorePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4086,9 +4034,9 @@ extension ChimeClient { /// /// Searches for phone numbers that can be ordered. For US numbers, provide at least one of the following search filters: AreaCode, City, State, or TollFreePrefix. If you provide City, you must also provide State. Numbers outside the US only support the PhoneNumberType filter, which you must use. /// - /// - Parameter SearchAvailablePhoneNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchAvailablePhoneNumbersInput`) /// - /// - Returns: `SearchAvailablePhoneNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchAvailablePhoneNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4126,7 +4074,6 @@ extension ChimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(SearchAvailablePhoneNumbersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchAvailablePhoneNumbersOutput.httpOutput(from:), SearchAvailablePhoneNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4158,9 +4105,9 @@ extension ChimeClient { /// /// Updates account details for the specified Amazon Chime account. Currently, only account name and default license updates are supported for this action. /// - /// - Parameter UpdateAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountInput`) /// - /// - Returns: `UpdateAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4200,7 +4147,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountOutput.httpOutput(from:), UpdateAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4232,9 +4178,9 @@ extension ChimeClient { /// /// Updates the settings for the specified Amazon Chime account. You can update settings for remote control of shared screens, or for the dial-out option. For more information about these settings, see [Use the Policies Page](https://docs.aws.amazon.com/chime/latest/ag/policies.html) in the Amazon Chime Administration Guide. /// - /// - Parameter UpdateAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountSettingsInput`) /// - /// - Returns: `UpdateAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4275,7 +4221,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountSettingsOutput.httpOutput(from:), UpdateAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4307,9 +4252,9 @@ extension ChimeClient { /// /// Updates the status of the specified bot, such as starting or stopping the bot from running in your Amazon Chime Enterprise account. /// - /// - Parameter UpdateBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBotInput`) /// - /// - Returns: `UpdateBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4349,7 +4294,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBotOutput.httpOutput(from:), UpdateBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4381,9 +4325,9 @@ extension ChimeClient { /// /// Updates global settings for the administrator's AWS account, such as Amazon Chime Business Calling and Amazon Chime Voice Connector settings. /// - /// - Parameter UpdateGlobalSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGlobalSettingsInput`) /// - /// - Returns: `UpdateGlobalSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGlobalSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4422,7 +4366,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGlobalSettingsOutput.httpOutput(from:), UpdateGlobalSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4454,9 +4397,9 @@ extension ChimeClient { /// /// Updates phone number details, such as product type or calling name, for the specified phone number ID. You can update one phone number detail at a time. For example, you can update either the product type or the calling name in one action. For toll-free numbers, you cannot use the Amazon Chime Business Calling product type. For numbers outside the U.S., you must use the Amazon Chime SIP Media Application Dial-In product type. Updates to outbound calling names can take 72 hours to complete. Pending updates to outbound calling names must be complete before you can request another update. /// - /// - Parameter UpdatePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePhoneNumberInput`) /// - /// - Returns: `UpdatePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4497,7 +4440,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePhoneNumberOutput.httpOutput(from:), UpdatePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4529,9 +4471,9 @@ extension ChimeClient { /// /// Updates the phone number settings for the administrator's AWS account, such as the default outbound calling name. You can update the default outbound calling name once every seven days. Outbound calling names can take up to 72 hours to update. /// - /// - Parameter UpdatePhoneNumberSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePhoneNumberSettingsInput`) /// - /// - Returns: `UpdatePhoneNumberSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePhoneNumberSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4570,7 +4512,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePhoneNumberSettingsOutput.httpOutput(from:), UpdatePhoneNumberSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4602,9 +4543,9 @@ extension ChimeClient { /// /// Updates room details, such as the room name, for a room in an Amazon Chime Enterprise account. /// - /// - Parameter UpdateRoomInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoomInput`) /// - /// - Returns: `UpdateRoomOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoomOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4644,7 +4585,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoomOutput.httpOutput(from:), UpdateRoomOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4676,9 +4616,9 @@ extension ChimeClient { /// /// Updates room membership details, such as the member role, for a room in an Amazon Chime Enterprise account. The member role designates whether the member is a chat room administrator or a general chat room member. The member role can be updated only for user IDs. /// - /// - Parameter UpdateRoomMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoomMembershipInput`) /// - /// - Returns: `UpdateRoomMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoomMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4718,7 +4658,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoomMembershipOutput.httpOutput(from:), UpdateRoomMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4750,9 +4689,9 @@ extension ChimeClient { /// /// Updates user details for a specified user ID. Currently, only LicenseType updates are supported for this action. /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4792,7 +4731,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4824,9 +4762,9 @@ extension ChimeClient { /// /// Updates the settings for the specified user, such as phone number settings. /// - /// - Parameter UpdateUserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserSettingsInput`) /// - /// - Returns: `UpdateUserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4866,7 +4804,6 @@ extension ChimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserSettingsOutput.httpOutput(from:), UpdateUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSChimeSDKIdentity/Sources/AWSChimeSDKIdentity/ChimeSDKIdentityClient.swift b/Sources/Services/AWSChimeSDKIdentity/Sources/AWSChimeSDKIdentity/ChimeSDKIdentityClient.swift index 3640daf7c22..3c80fa380f2 100644 --- a/Sources/Services/AWSChimeSDKIdentity/Sources/AWSChimeSDKIdentity/ChimeSDKIdentityClient.swift +++ b/Sources/Services/AWSChimeSDKIdentity/Sources/AWSChimeSDKIdentity/ChimeSDKIdentityClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ChimeSDKIdentityClient: ClientRuntime.Client { public static let clientName = "ChimeSDKIdentityClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ChimeSDKIdentityClient.ChimeSDKIdentityClientConfiguration let serviceName = "Chime SDK Identity" @@ -375,9 +374,9 @@ extension ChimeSDKIdentityClient { /// /// Creates an Amazon Chime SDK messaging AppInstance under an AWS account. Only SDK messaging customers use this API. CreateAppInstance supports idempotency behavior as described in the AWS API Standard. identity /// - /// - Parameter CreateAppInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppInstanceInput`) /// - /// - Returns: `CreateAppInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppInstanceOutput.httpOutput(from:), CreateAppInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -458,9 +456,9 @@ extension ChimeSDKIdentityClient { /// /// Only an AppInstanceUser and AppInstanceBot can be promoted to an AppInstanceAdmin role. /// - /// - Parameter CreateAppInstanceAdminInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppInstanceAdminInput`) /// - /// - Returns: `CreateAppInstanceAdminOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppInstanceAdminOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -501,7 +499,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppInstanceAdminOutput.httpOutput(from:), CreateAppInstanceAdminOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -533,9 +530,9 @@ extension ChimeSDKIdentityClient { /// /// Creates a bot under an Amazon Chime AppInstance. The request consists of a unique Configuration and Name for that bot. /// - /// - Parameter CreateAppInstanceBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppInstanceBotInput`) /// - /// - Returns: `CreateAppInstanceBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppInstanceBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -577,7 +574,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppInstanceBotOutput.httpOutput(from:), CreateAppInstanceBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -609,9 +605,9 @@ extension ChimeSDKIdentityClient { /// /// Creates a user under an Amazon Chime AppInstance. The request consists of a unique appInstanceUserId and Name for that user. /// - /// - Parameter CreateAppInstanceUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppInstanceUserInput`) /// - /// - Returns: `CreateAppInstanceUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppInstanceUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -653,7 +649,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppInstanceUserOutput.httpOutput(from:), CreateAppInstanceUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -685,9 +680,9 @@ extension ChimeSDKIdentityClient { /// /// Deletes an AppInstance and all associated data asynchronously. /// - /// - Parameter DeleteAppInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppInstanceInput`) /// - /// - Returns: `DeleteAppInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -724,7 +719,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppInstanceOutput.httpOutput(from:), DeleteAppInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -756,9 +750,9 @@ extension ChimeSDKIdentityClient { /// /// Demotes an AppInstanceAdmin to an AppInstanceUser or AppInstanceBot. This action does not delete the user. /// - /// - Parameter DeleteAppInstanceAdminInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppInstanceAdminInput`) /// - /// - Returns: `DeleteAppInstanceAdminOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppInstanceAdminOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -796,7 +790,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppInstanceAdminOutput.httpOutput(from:), DeleteAppInstanceAdminOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -828,9 +821,9 @@ extension ChimeSDKIdentityClient { /// /// Deletes an AppInstanceBot. /// - /// - Parameter DeleteAppInstanceBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppInstanceBotInput`) /// - /// - Returns: `DeleteAppInstanceBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppInstanceBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -868,7 +861,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppInstanceBotOutput.httpOutput(from:), DeleteAppInstanceBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -900,9 +892,9 @@ extension ChimeSDKIdentityClient { /// /// Deletes an AppInstanceUser. /// - /// - Parameter DeleteAppInstanceUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppInstanceUserInput`) /// - /// - Returns: `DeleteAppInstanceUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppInstanceUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -940,7 +932,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppInstanceUserOutput.httpOutput(from:), DeleteAppInstanceUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -972,9 +963,9 @@ extension ChimeSDKIdentityClient { /// /// Deregisters an AppInstanceUserEndpoint. /// - /// - Parameter DeregisterAppInstanceUserEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterAppInstanceUserEndpointInput`) /// - /// - Returns: `DeregisterAppInstanceUserEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterAppInstanceUserEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1010,7 +1001,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterAppInstanceUserEndpointOutput.httpOutput(from:), DeregisterAppInstanceUserEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1042,9 +1032,9 @@ extension ChimeSDKIdentityClient { /// /// Returns the full details of an AppInstance. /// - /// - Parameter DescribeAppInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppInstanceInput`) /// - /// - Returns: `DescribeAppInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1080,7 +1070,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppInstanceOutput.httpOutput(from:), DescribeAppInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1112,9 +1101,9 @@ extension ChimeSDKIdentityClient { /// /// Returns the full details of an AppInstanceAdmin. /// - /// - Parameter DescribeAppInstanceAdminInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppInstanceAdminInput`) /// - /// - Returns: `DescribeAppInstanceAdminOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppInstanceAdminOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1150,7 +1139,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppInstanceAdminOutput.httpOutput(from:), DescribeAppInstanceAdminOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1182,9 +1170,9 @@ extension ChimeSDKIdentityClient { /// /// The AppInstanceBot's information. /// - /// - Parameter DescribeAppInstanceBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppInstanceBotInput`) /// - /// - Returns: `DescribeAppInstanceBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppInstanceBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1221,7 +1209,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppInstanceBotOutput.httpOutput(from:), DescribeAppInstanceBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1253,9 +1240,9 @@ extension ChimeSDKIdentityClient { /// /// Returns the full details of an AppInstanceUser. /// - /// - Parameter DescribeAppInstanceUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppInstanceUserInput`) /// - /// - Returns: `DescribeAppInstanceUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppInstanceUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1291,7 +1278,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppInstanceUserOutput.httpOutput(from:), DescribeAppInstanceUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1323,9 +1309,9 @@ extension ChimeSDKIdentityClient { /// /// Returns the full details of an AppInstanceUserEndpoint. /// - /// - Parameter DescribeAppInstanceUserEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppInstanceUserEndpointInput`) /// - /// - Returns: `DescribeAppInstanceUserEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppInstanceUserEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1361,7 +1347,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppInstanceUserEndpointOutput.httpOutput(from:), DescribeAppInstanceUserEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1393,9 +1378,9 @@ extension ChimeSDKIdentityClient { /// /// Gets the retention settings for an AppInstance. /// - /// - Parameter GetAppInstanceRetentionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAppInstanceRetentionSettingsInput`) /// - /// - Returns: `GetAppInstanceRetentionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAppInstanceRetentionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1431,7 +1416,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAppInstanceRetentionSettingsOutput.httpOutput(from:), GetAppInstanceRetentionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1463,9 +1447,9 @@ extension ChimeSDKIdentityClient { /// /// Returns a list of the administrators in the AppInstance. /// - /// - Parameter ListAppInstanceAdminsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppInstanceAdminsInput`) /// - /// - Returns: `ListAppInstanceAdminsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppInstanceAdminsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1503,7 +1487,6 @@ extension ChimeSDKIdentityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppInstanceAdminsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppInstanceAdminsOutput.httpOutput(from:), ListAppInstanceAdminsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1535,9 +1518,9 @@ extension ChimeSDKIdentityClient { /// /// Lists all AppInstanceBots created under a single AppInstance. /// - /// - Parameter ListAppInstanceBotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppInstanceBotsInput`) /// - /// - Returns: `ListAppInstanceBotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppInstanceBotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1575,7 +1558,6 @@ extension ChimeSDKIdentityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppInstanceBotsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppInstanceBotsOutput.httpOutput(from:), ListAppInstanceBotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1607,9 +1589,9 @@ extension ChimeSDKIdentityClient { /// /// Lists all the AppInstanceUserEndpoints created under a single AppInstanceUser. /// - /// - Parameter ListAppInstanceUserEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppInstanceUserEndpointsInput`) /// - /// - Returns: `ListAppInstanceUserEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppInstanceUserEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1646,7 +1628,6 @@ extension ChimeSDKIdentityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppInstanceUserEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppInstanceUserEndpointsOutput.httpOutput(from:), ListAppInstanceUserEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1678,9 +1659,9 @@ extension ChimeSDKIdentityClient { /// /// List all AppInstanceUsers created under a single AppInstance. /// - /// - Parameter ListAppInstanceUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppInstanceUsersInput`) /// - /// - Returns: `ListAppInstanceUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppInstanceUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1717,7 +1698,6 @@ extension ChimeSDKIdentityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppInstanceUsersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppInstanceUsersOutput.httpOutput(from:), ListAppInstanceUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1749,9 +1729,9 @@ extension ChimeSDKIdentityClient { /// /// Lists all Amazon Chime AppInstances created under a single AWS account. /// - /// - Parameter ListAppInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppInstancesInput`) /// - /// - Returns: `ListAppInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1788,7 +1768,6 @@ extension ChimeSDKIdentityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppInstancesOutput.httpOutput(from:), ListAppInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1820,9 +1799,9 @@ extension ChimeSDKIdentityClient { /// /// Lists the tags applied to an Amazon Chime SDK identity resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1859,7 +1838,6 @@ extension ChimeSDKIdentityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1891,9 +1869,9 @@ extension ChimeSDKIdentityClient { /// /// Sets the amount of time in days that a given AppInstance retains data. /// - /// - Parameter PutAppInstanceRetentionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAppInstanceRetentionSettingsInput`) /// - /// - Returns: `PutAppInstanceRetentionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAppInstanceRetentionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1932,7 +1910,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAppInstanceRetentionSettingsOutput.httpOutput(from:), PutAppInstanceRetentionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1964,9 +1941,9 @@ extension ChimeSDKIdentityClient { /// /// Sets the number of days before the AppInstanceUser is automatically deleted. A background process deletes expired AppInstanceUsers within 6 hours of expiration. Actual deletion times may vary. Expired AppInstanceUsers that have not yet been deleted appear as active, and you can update their expiration settings. The system honors the new settings. /// - /// - Parameter PutAppInstanceUserExpirationSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAppInstanceUserExpirationSettingsInput`) /// - /// - Returns: `PutAppInstanceUserExpirationSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAppInstanceUserExpirationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2006,7 +1983,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAppInstanceUserExpirationSettingsOutput.httpOutput(from:), PutAppInstanceUserExpirationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2038,9 +2014,9 @@ extension ChimeSDKIdentityClient { /// /// Registers an endpoint under an Amazon Chime AppInstanceUser. The endpoint receives messages for a user. For push notifications, the endpoint is a mobile device used to receive mobile push notifications for a user. /// - /// - Parameter RegisterAppInstanceUserEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterAppInstanceUserEndpointInput`) /// - /// - Returns: `RegisterAppInstanceUserEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterAppInstanceUserEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2082,7 +2058,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterAppInstanceUserEndpointOutput.httpOutput(from:), RegisterAppInstanceUserEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2114,9 +2089,9 @@ extension ChimeSDKIdentityClient { /// /// Applies the specified tags to the specified Amazon Chime SDK identity resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2157,7 +2132,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2189,9 +2163,9 @@ extension ChimeSDKIdentityClient { /// /// Removes the specified tags from the specified Amazon Chime SDK identity resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2231,7 +2205,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2263,9 +2236,9 @@ extension ChimeSDKIdentityClient { /// /// Updates AppInstance metadata. /// - /// - Parameter UpdateAppInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppInstanceInput`) /// - /// - Returns: `UpdateAppInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2305,7 +2278,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppInstanceOutput.httpOutput(from:), UpdateAppInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2337,9 +2309,9 @@ extension ChimeSDKIdentityClient { /// /// Updates the name and metadata of an AppInstanceBot. /// - /// - Parameter UpdateAppInstanceBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppInstanceBotInput`) /// - /// - Returns: `UpdateAppInstanceBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppInstanceBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2380,7 +2352,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppInstanceBotOutput.httpOutput(from:), UpdateAppInstanceBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2412,9 +2383,9 @@ extension ChimeSDKIdentityClient { /// /// Updates the details of an AppInstanceUser. You can update names and metadata. /// - /// - Parameter UpdateAppInstanceUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppInstanceUserInput`) /// - /// - Returns: `UpdateAppInstanceUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppInstanceUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2455,7 +2426,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppInstanceUserOutput.httpOutput(from:), UpdateAppInstanceUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2487,9 +2457,9 @@ extension ChimeSDKIdentityClient { /// /// Updates the details of an AppInstanceUserEndpoint. You can update the name and AllowMessage values. /// - /// - Parameter UpdateAppInstanceUserEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppInstanceUserEndpointInput`) /// - /// - Returns: `UpdateAppInstanceUserEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppInstanceUserEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2529,7 +2499,6 @@ extension ChimeSDKIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppInstanceUserEndpointOutput.httpOutput(from:), UpdateAppInstanceUserEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSChimeSDKMediaPipelines/Sources/AWSChimeSDKMediaPipelines/ChimeSDKMediaPipelinesClient.swift b/Sources/Services/AWSChimeSDKMediaPipelines/Sources/AWSChimeSDKMediaPipelines/ChimeSDKMediaPipelinesClient.swift index e747aff7624..b226b4ccc90 100644 --- a/Sources/Services/AWSChimeSDKMediaPipelines/Sources/AWSChimeSDKMediaPipelines/ChimeSDKMediaPipelinesClient.swift +++ b/Sources/Services/AWSChimeSDKMediaPipelines/Sources/AWSChimeSDKMediaPipelines/ChimeSDKMediaPipelinesClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ChimeSDKMediaPipelinesClient: ClientRuntime.Client { public static let clientName = "ChimeSDKMediaPipelinesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ChimeSDKMediaPipelinesClient.ChimeSDKMediaPipelinesClientConfiguration let serviceName = "Chime SDK Media Pipelines" @@ -374,9 +373,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Creates a media pipeline. /// - /// - Parameter CreateMediaCapturePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMediaCapturePipelineInput`) /// - /// - Returns: `CreateMediaCapturePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMediaCapturePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMediaCapturePipelineOutput.httpOutput(from:), CreateMediaCapturePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Creates a media concatenation pipeline. /// - /// - Parameter CreateMediaConcatenationPipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMediaConcatenationPipelineInput`) /// - /// - Returns: `CreateMediaConcatenationPipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMediaConcatenationPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMediaConcatenationPipelineOutput.httpOutput(from:), CreateMediaConcatenationPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Creates a media insights pipeline. /// - /// - Parameter CreateMediaInsightsPipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMediaInsightsPipelineInput`) /// - /// - Returns: `CreateMediaInsightsPipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMediaInsightsPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -568,7 +565,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMediaInsightsPipelineOutput.httpOutput(from:), CreateMediaInsightsPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -600,9 +596,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// A structure that contains the static configurations for a media insights pipeline. /// - /// - Parameter CreateMediaInsightsPipelineConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMediaInsightsPipelineConfigurationInput`) /// - /// - Returns: `CreateMediaInsightsPipelineConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMediaInsightsPipelineConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -644,7 +640,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMediaInsightsPipelineConfigurationOutput.httpOutput(from:), CreateMediaInsightsPipelineConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Creates a media live connector pipeline in an Amazon Chime SDK meeting. /// - /// - Parameter CreateMediaLiveConnectorPipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMediaLiveConnectorPipelineInput`) /// - /// - Returns: `CreateMediaLiveConnectorPipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMediaLiveConnectorPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMediaLiveConnectorPipelineOutput.httpOutput(from:), CreateMediaLiveConnectorPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -751,9 +745,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Creates an Amazon Kinesis Video Stream pool for use with media stream pipelines. If a meeting uses an opt-in Region as its [MediaRegion](https://docs.aws.amazon.com/chime-sdk/latest/APIReference/API_meeting-chime_CreateMeeting.html#chimesdk-meeting-chime_CreateMeeting-request-MediaRegion), the KVS stream must be in that same Region. For example, if a meeting uses the af-south-1 Region, the KVS stream must also be in af-south-1. However, if the meeting uses a Region that AWS turns on by default, the KVS stream can be in any available Region, including an opt-in Region. For example, if the meeting uses ca-central-1, the KVS stream can be in eu-west-2, us-east-1, af-south-1, or any other Region that the Amazon Chime SDK supports. To learn which AWS Region a meeting uses, call the [GetMeeting](https://docs.aws.amazon.com/chime-sdk/latest/APIReference/API_meeting-chime_GetMeeting.html) API and use the [MediaRegion](https://docs.aws.amazon.com/chime-sdk/latest/APIReference/API_meeting-chime_CreateMeeting.html#chimesdk-meeting-chime_CreateMeeting-request-MediaRegion) parameter from the response. For more information about opt-in Regions, refer to [Available Regions](https://docs.aws.amazon.com/chime-sdk/latest/dg/sdk-available-regions.html) in the Amazon Chime SDK Developer Guide, and [Specify which AWS Regions your account can use](https://docs.aws.amazon.com/accounts/latest/reference/manage-acct-regions.html#rande-manage-enable.html), in the AWS Account Management Reference Guide. /// - /// - Parameter CreateMediaPipelineKinesisVideoStreamPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMediaPipelineKinesisVideoStreamPoolInput`) /// - /// - Returns: `CreateMediaPipelineKinesisVideoStreamPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMediaPipelineKinesisVideoStreamPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -795,7 +789,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMediaPipelineKinesisVideoStreamPoolOutput.httpOutput(from:), CreateMediaPipelineKinesisVideoStreamPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -827,9 +820,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Creates a streaming media pipeline. /// - /// - Parameter CreateMediaStreamPipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMediaStreamPipelineInput`) /// - /// - Returns: `CreateMediaStreamPipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMediaStreamPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -871,7 +864,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMediaStreamPipelineOutput.httpOutput(from:), CreateMediaStreamPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -903,9 +895,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Deletes the media pipeline. /// - /// - Parameter DeleteMediaCapturePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMediaCapturePipelineInput`) /// - /// - Returns: `DeleteMediaCapturePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMediaCapturePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -942,7 +934,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMediaCapturePipelineOutput.httpOutput(from:), DeleteMediaCapturePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -974,9 +965,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Deletes the specified configuration settings. /// - /// - Parameter DeleteMediaInsightsPipelineConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMediaInsightsPipelineConfigurationInput`) /// - /// - Returns: `DeleteMediaInsightsPipelineConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMediaInsightsPipelineConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1014,7 +1005,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMediaInsightsPipelineConfigurationOutput.httpOutput(from:), DeleteMediaInsightsPipelineConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1046,9 +1036,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Deletes the media pipeline. /// - /// - Parameter DeleteMediaPipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMediaPipelineInput`) /// - /// - Returns: `DeleteMediaPipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMediaPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1086,7 +1076,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMediaPipelineOutput.httpOutput(from:), DeleteMediaPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1118,9 +1107,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Deletes an Amazon Kinesis Video Stream pool. /// - /// - Parameter DeleteMediaPipelineKinesisVideoStreamPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMediaPipelineKinesisVideoStreamPoolInput`) /// - /// - Returns: `DeleteMediaPipelineKinesisVideoStreamPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMediaPipelineKinesisVideoStreamPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1158,7 +1147,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMediaPipelineKinesisVideoStreamPoolOutput.httpOutput(from:), DeleteMediaPipelineKinesisVideoStreamPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1190,9 +1178,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Gets an existing media pipeline. /// - /// - Parameter GetMediaCapturePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMediaCapturePipelineInput`) /// - /// - Returns: `GetMediaCapturePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMediaCapturePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1229,7 +1217,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMediaCapturePipelineOutput.httpOutput(from:), GetMediaCapturePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1261,9 +1248,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Gets the configuration settings for a media insights pipeline. /// - /// - Parameter GetMediaInsightsPipelineConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMediaInsightsPipelineConfigurationInput`) /// - /// - Returns: `GetMediaInsightsPipelineConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMediaInsightsPipelineConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1300,7 +1287,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMediaInsightsPipelineConfigurationOutput.httpOutput(from:), GetMediaInsightsPipelineConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1332,9 +1318,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Gets an existing media pipeline. /// - /// - Parameter GetMediaPipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMediaPipelineInput`) /// - /// - Returns: `GetMediaPipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMediaPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1371,7 +1357,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMediaPipelineOutput.httpOutput(from:), GetMediaPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1403,9 +1388,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Gets an Kinesis video stream pool. /// - /// - Parameter GetMediaPipelineKinesisVideoStreamPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMediaPipelineKinesisVideoStreamPoolInput`) /// - /// - Returns: `GetMediaPipelineKinesisVideoStreamPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMediaPipelineKinesisVideoStreamPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1442,7 +1427,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMediaPipelineKinesisVideoStreamPoolOutput.httpOutput(from:), GetMediaPipelineKinesisVideoStreamPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1474,9 +1458,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Retrieves the details of the specified speaker search task. /// - /// - Parameter GetSpeakerSearchTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSpeakerSearchTaskInput`) /// - /// - Returns: `GetSpeakerSearchTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSpeakerSearchTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1513,7 +1497,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSpeakerSearchTaskOutput.httpOutput(from:), GetSpeakerSearchTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1545,9 +1528,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Retrieves the details of a voice tone analysis task. /// - /// - Parameter GetVoiceToneAnalysisTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceToneAnalysisTaskInput`) /// - /// - Returns: `GetVoiceToneAnalysisTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceToneAnalysisTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1584,7 +1567,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceToneAnalysisTaskOutput.httpOutput(from:), GetVoiceToneAnalysisTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1616,9 +1598,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Returns a list of media pipelines. /// - /// - Parameter ListMediaCapturePipelinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMediaCapturePipelinesInput`) /// - /// - Returns: `ListMediaCapturePipelinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMediaCapturePipelinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1656,7 +1638,6 @@ extension ChimeSDKMediaPipelinesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMediaCapturePipelinesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMediaCapturePipelinesOutput.httpOutput(from:), ListMediaCapturePipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1688,9 +1669,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Lists the available media insights pipeline configurations. /// - /// - Parameter ListMediaInsightsPipelineConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMediaInsightsPipelineConfigurationsInput`) /// - /// - Returns: `ListMediaInsightsPipelineConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMediaInsightsPipelineConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1728,7 +1709,6 @@ extension ChimeSDKMediaPipelinesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMediaInsightsPipelineConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMediaInsightsPipelineConfigurationsOutput.httpOutput(from:), ListMediaInsightsPipelineConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1760,9 +1740,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Lists the video stream pools in the media pipeline. /// - /// - Parameter ListMediaPipelineKinesisVideoStreamPoolsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMediaPipelineKinesisVideoStreamPoolsInput`) /// - /// - Returns: `ListMediaPipelineKinesisVideoStreamPoolsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMediaPipelineKinesisVideoStreamPoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1800,7 +1780,6 @@ extension ChimeSDKMediaPipelinesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMediaPipelineKinesisVideoStreamPoolsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMediaPipelineKinesisVideoStreamPoolsOutput.httpOutput(from:), ListMediaPipelineKinesisVideoStreamPoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1832,9 +1811,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Returns a list of media pipelines. /// - /// - Parameter ListMediaPipelinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMediaPipelinesInput`) /// - /// - Returns: `ListMediaPipelinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMediaPipelinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1872,7 +1851,6 @@ extension ChimeSDKMediaPipelinesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMediaPipelinesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMediaPipelinesOutput.httpOutput(from:), ListMediaPipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1904,9 +1882,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Lists the tags available for a media pipeline. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1944,7 +1922,6 @@ extension ChimeSDKMediaPipelinesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1976,9 +1953,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Starts a speaker search task. Before starting any speaker search tasks, you must provide all notices and obtain all consents from the speaker as required under applicable privacy and biometrics laws, and as required under the [AWS service terms](https://aws.amazon.com/service-terms/) for the Amazon Chime SDK. /// - /// - Parameter StartSpeakerSearchTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSpeakerSearchTaskInput`) /// - /// - Returns: `StartSpeakerSearchTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSpeakerSearchTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2021,7 +1998,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSpeakerSearchTaskOutput.httpOutput(from:), StartSpeakerSearchTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2053,9 +2029,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Starts a voice tone analysis task. For more information about voice tone analysis, see [Using Amazon Chime SDK voice analytics](https://docs.aws.amazon.com/chime-sdk/latest/dg/voice-analytics.html) in the Amazon Chime SDK Developer Guide. Before starting any voice tone analysis tasks, you must provide all notices and obtain all consents from the speaker as required under applicable privacy and biometrics laws, and as required under the [AWS service terms](https://aws.amazon.com/service-terms/) for the Amazon Chime SDK. /// - /// - Parameter StartVoiceToneAnalysisTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartVoiceToneAnalysisTaskInput`) /// - /// - Returns: `StartVoiceToneAnalysisTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartVoiceToneAnalysisTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2098,7 +2074,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartVoiceToneAnalysisTaskOutput.httpOutput(from:), StartVoiceToneAnalysisTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2130,9 +2105,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Stops a speaker search task. /// - /// - Parameter StopSpeakerSearchTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSpeakerSearchTaskInput`) /// - /// - Returns: `StopSpeakerSearchTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSpeakerSearchTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2171,7 +2146,6 @@ extension ChimeSDKMediaPipelinesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(StopSpeakerSearchTaskInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSpeakerSearchTaskOutput.httpOutput(from:), StopSpeakerSearchTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2203,9 +2177,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Stops a voice tone analysis task. /// - /// - Parameter StopVoiceToneAnalysisTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopVoiceToneAnalysisTaskInput`) /// - /// - Returns: `StopVoiceToneAnalysisTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopVoiceToneAnalysisTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2244,7 +2218,6 @@ extension ChimeSDKMediaPipelinesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(StopVoiceToneAnalysisTaskInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopVoiceToneAnalysisTaskOutput.httpOutput(from:), StopVoiceToneAnalysisTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2276,9 +2249,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// The ARN of the media pipeline that you want to tag. Consists of the pipeline's endpoint region, resource ID, and pipeline ID. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2319,7 +2292,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2351,9 +2323,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Removes any tags from a media pipeline. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2394,7 +2366,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2426,9 +2397,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Updates the media insights pipeline's configuration settings. /// - /// - Parameter UpdateMediaInsightsPipelineConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMediaInsightsPipelineConfigurationInput`) /// - /// - Returns: `UpdateMediaInsightsPipelineConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMediaInsightsPipelineConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2469,7 +2440,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMediaInsightsPipelineConfigurationOutput.httpOutput(from:), UpdateMediaInsightsPipelineConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2501,9 +2471,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Updates the status of a media insights pipeline. /// - /// - Parameter UpdateMediaInsightsPipelineStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMediaInsightsPipelineStatusInput`) /// - /// - Returns: `UpdateMediaInsightsPipelineStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMediaInsightsPipelineStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2544,7 +2514,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMediaInsightsPipelineStatusOutput.httpOutput(from:), UpdateMediaInsightsPipelineStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2576,9 +2545,9 @@ extension ChimeSDKMediaPipelinesClient { /// /// Updates an Amazon Kinesis Video Stream pool in a media pipeline. /// - /// - Parameter UpdateMediaPipelineKinesisVideoStreamPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMediaPipelineKinesisVideoStreamPoolInput`) /// - /// - Returns: `UpdateMediaPipelineKinesisVideoStreamPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMediaPipelineKinesisVideoStreamPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2619,7 +2588,6 @@ extension ChimeSDKMediaPipelinesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMediaPipelineKinesisVideoStreamPoolOutput.httpOutput(from:), UpdateMediaPipelineKinesisVideoStreamPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSChimeSDKMeetings/Sources/AWSChimeSDKMeetings/ChimeSDKMeetingsClient.swift b/Sources/Services/AWSChimeSDKMeetings/Sources/AWSChimeSDKMeetings/ChimeSDKMeetingsClient.swift index ac96fc270a4..e3d1a92c23e 100644 --- a/Sources/Services/AWSChimeSDKMeetings/Sources/AWSChimeSDKMeetings/ChimeSDKMeetingsClient.swift +++ b/Sources/Services/AWSChimeSDKMeetings/Sources/AWSChimeSDKMeetings/ChimeSDKMeetingsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ChimeSDKMeetingsClient: ClientRuntime.Client { public static let clientName = "ChimeSDKMeetingsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ChimeSDKMeetingsClient.ChimeSDKMeetingsClientConfiguration let serviceName = "Chime SDK Meetings" @@ -374,9 +373,9 @@ extension ChimeSDKMeetingsClient { /// /// Creates up to 100 attendees for an active Amazon Chime SDK meeting. For more information about the Amazon Chime SDK, see [Using the Amazon Chime SDK](https://docs.aws.amazon.com/chime-sdk/latest/dg/meetings-sdk.html) in the Amazon Chime Developer Guide. /// - /// - Parameter BatchCreateAttendeeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateAttendeeInput`) /// - /// - Returns: `BatchCreateAttendeeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateAttendeeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateAttendeeOutput.httpOutput(from:), BatchCreateAttendeeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -463,9 +461,9 @@ extension ChimeSDKMeetingsClient { /// /// * When you change a video or content capability from None or Receive to Send or SendReceive , and if the attendee turned on their video or content streams, remote attendees can receive those streams, but only after media renegotiation between the client and the Amazon Chime back-end server. /// - /// - Parameter BatchUpdateAttendeeCapabilitiesExceptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateAttendeeCapabilitiesExceptInput`) /// - /// - Returns: `BatchUpdateAttendeeCapabilitiesExceptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateAttendeeCapabilitiesExceptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -507,7 +505,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateAttendeeCapabilitiesExceptOutput.httpOutput(from:), BatchUpdateAttendeeCapabilitiesExceptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -539,9 +536,9 @@ extension ChimeSDKMeetingsClient { /// /// Creates a new attendee for an active Amazon Chime SDK meeting. For more information about the Amazon Chime SDK, see [Using the Amazon Chime SDK](https://docs.aws.amazon.com/chime-sdk/latest/dg/meetings-sdk.html) in the Amazon Chime Developer Guide. /// - /// - Parameter CreateAttendeeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAttendeeInput`) /// - /// - Returns: `CreateAttendeeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAttendeeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -583,7 +580,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAttendeeOutput.httpOutput(from:), CreateAttendeeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -619,9 +615,9 @@ extension ChimeSDKMeetingsClient { /// /// * Video.MaxResolution: HD /// - /// - Parameter CreateMeetingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMeetingInput`) /// - /// - Returns: `CreateMeetingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMeetingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -663,7 +659,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMeetingOutput.httpOutput(from:), CreateMeetingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -699,9 +694,9 @@ extension ChimeSDKMeetingsClient { /// /// * Video.MaxResolution: HD /// - /// - Parameter CreateMeetingWithAttendeesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMeetingWithAttendeesInput`) /// - /// - Returns: `CreateMeetingWithAttendeesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMeetingWithAttendeesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -744,7 +739,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMeetingWithAttendeesOutput.httpOutput(from:), CreateMeetingWithAttendeesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -776,9 +770,9 @@ extension ChimeSDKMeetingsClient { /// /// Deletes an attendee from the specified Amazon Chime SDK meeting and deletes their JoinToken. Attendees are automatically deleted when a Amazon Chime SDK meeting is deleted. For more information about the Amazon Chime SDK, see [Using the Amazon Chime SDK](https://docs.aws.amazon.com/chime-sdk/latest/dg/meetings-sdk.html) in the Amazon Chime Developer Guide. /// - /// - Parameter DeleteAttendeeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAttendeeInput`) /// - /// - Returns: `DeleteAttendeeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAttendeeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -815,7 +809,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAttendeeOutput.httpOutput(from:), DeleteAttendeeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -847,9 +840,9 @@ extension ChimeSDKMeetingsClient { /// /// Deletes the specified Amazon Chime SDK meeting. The operation deletes all attendees, disconnects all clients, and prevents new clients from joining the meeting. For more information about the Amazon Chime SDK, see [Using the Amazon Chime SDK](https://docs.aws.amazon.com/chime-sdk/latest/dg/meetings-sdk.html) in the Amazon Chime Developer Guide. /// - /// - Parameter DeleteMeetingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMeetingInput`) /// - /// - Returns: `DeleteMeetingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMeetingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -886,7 +879,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMeetingOutput.httpOutput(from:), DeleteMeetingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -918,9 +910,9 @@ extension ChimeSDKMeetingsClient { /// /// Gets the Amazon Chime SDK attendee details for a specified meeting ID and attendee ID. For more information about the Amazon Chime SDK, see [Using the Amazon Chime SDK](https://docs.aws.amazon.com/chime-sdk/latest/dg/meetings-sdk.html) in the Amazon Chime Developer Guide. /// - /// - Parameter GetAttendeeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAttendeeInput`) /// - /// - Returns: `GetAttendeeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAttendeeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -957,7 +949,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAttendeeOutput.httpOutput(from:), GetAttendeeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -989,9 +980,9 @@ extension ChimeSDKMeetingsClient { /// /// Gets the Amazon Chime SDK meeting details for the specified meeting ID. For more information about the Amazon Chime SDK, see [Using the Amazon Chime SDK](https://docs.aws.amazon.com/chime-sdk/latest/dg/meetings-sdk.html) in the Amazon Chime Developer Guide. /// - /// - Parameter GetMeetingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMeetingInput`) /// - /// - Returns: `GetMeetingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMeetingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1028,7 +1019,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMeetingOutput.httpOutput(from:), GetMeetingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1060,9 +1050,9 @@ extension ChimeSDKMeetingsClient { /// /// Lists the attendees for the specified Amazon Chime SDK meeting. For more information about the Amazon Chime SDK, see [Using the Amazon Chime SDK](https://docs.aws.amazon.com/chime-sdk/latest/dg/meetings-sdk.html) in the Amazon Chime Developer Guide. /// - /// - Parameter ListAttendeesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttendeesInput`) /// - /// - Returns: `ListAttendeesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAttendeesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1100,7 +1090,6 @@ extension ChimeSDKMeetingsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAttendeesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttendeesOutput.httpOutput(from:), ListAttendeesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1132,9 +1121,9 @@ extension ChimeSDKMeetingsClient { /// /// Returns a list of the tags available for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1173,7 +1162,6 @@ extension ChimeSDKMeetingsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1205,9 +1193,9 @@ extension ChimeSDKMeetingsClient { /// /// Starts transcription for the specified meetingId. For more information, refer to [ Using Amazon Chime SDK live transcription ](https://docs.aws.amazon.com/chime-sdk/latest/dg/meeting-transcription.html) in the Amazon Chime SDK Developer Guide. If you specify an invalid configuration, a TranscriptFailed event will be sent with the contents of the BadRequestException generated by Amazon Transcribe. For more information on each parameter and which combinations are valid, refer to the [StartStreamTranscription](https://docs.aws.amazon.com/transcribe/latest/APIReference/API_streaming_StartStreamTranscription.html) API in the Amazon Transcribe Developer Guide. By default, Amazon Transcribe may use and store audio content processed by the service to develop and improve Amazon Web Services AI/ML services as further described in section 50 of the [Amazon Web Services Service Terms](https://aws.amazon.com/service-terms/). Using Amazon Transcribe may be subject to federal and state laws or regulations regarding the recording or interception of electronic communications. It is your and your end users’ responsibility to comply with all applicable laws regarding the recording, including properly notifying all participants in a recorded session or communication that the session or communication is being recorded, and obtaining all necessary consents. You can opt out from Amazon Web Services using audio content to develop and improve AWS AI/ML services by configuring an AI services opt out policy using Amazon Web Services Organizations. /// - /// - Parameter StartMeetingTranscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMeetingTranscriptionInput`) /// - /// - Returns: `StartMeetingTranscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMeetingTranscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1250,7 +1238,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMeetingTranscriptionOutput.httpOutput(from:), StartMeetingTranscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1282,9 +1269,9 @@ extension ChimeSDKMeetingsClient { /// /// Stops transcription for the specified meetingId. For more information, refer to [ Using Amazon Chime SDK live transcription ](https://docs.aws.amazon.com/chime-sdk/latest/dg/meeting-transcription.html) in the Amazon Chime SDK Developer Guide. By default, Amazon Transcribe may use and store audio content processed by the service to develop and improve Amazon Web Services AI/ML services as further described in section 50 of the [Amazon Web Services Service Terms](https://aws.amazon.com/service-terms/). Using Amazon Transcribe may be subject to federal and state laws or regulations regarding the recording or interception of electronic communications. It is your and your end users’ responsibility to comply with all applicable laws regarding the recording, including properly notifying all participants in a recorded session or communication that the session or communication is being recorded, and obtaining all necessary consents. You can opt out from Amazon Web Services using audio content to develop and improve Amazon Web Services AI/ML services by configuring an AI services opt out policy using Amazon Web Services Organizations. /// - /// - Parameter StopMeetingTranscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopMeetingTranscriptionInput`) /// - /// - Returns: `StopMeetingTranscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopMeetingTranscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1323,7 +1310,6 @@ extension ChimeSDKMeetingsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(StopMeetingTranscriptionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopMeetingTranscriptionOutput.httpOutput(from:), StopMeetingTranscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1355,9 +1341,9 @@ extension ChimeSDKMeetingsClient { /// /// The resource that supports tags. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1400,7 +1386,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1440,9 +1425,9 @@ extension ChimeSDKMeetingsClient { /// Minimum permissions In addition to the tag:UntagResources permission required by this operation, you must also have the remove tags permission defined by the service that created the resource. For example, to remove the tags from an Amazon EC2 instance using the UntagResources operation, you must have both of the following permissions: tag:UntagResource /// ChimeSDKMeetings:DeleteTags /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1484,7 +1469,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1528,9 +1512,9 @@ extension ChimeSDKMeetingsClient { /// /// * When you change a video or content capability from None or Receive to Send or SendReceive , and if the attendee turned on their video or content streams, remote attendees can receive those streams, but only after media renegotiation between the client and the Amazon Chime back-end server. /// - /// - Parameter UpdateAttendeeCapabilitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAttendeeCapabilitiesInput`) /// - /// - Returns: `UpdateAttendeeCapabilitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAttendeeCapabilitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1571,7 +1555,6 @@ extension ChimeSDKMeetingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAttendeeCapabilitiesOutput.httpOutput(from:), UpdateAttendeeCapabilitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSChimeSDKMessaging/Sources/AWSChimeSDKMessaging/ChimeSDKMessagingClient.swift b/Sources/Services/AWSChimeSDKMessaging/Sources/AWSChimeSDKMessaging/ChimeSDKMessagingClient.swift index 08b81d3df12..7f01eb77508 100644 --- a/Sources/Services/AWSChimeSDKMessaging/Sources/AWSChimeSDKMessaging/ChimeSDKMessagingClient.swift +++ b/Sources/Services/AWSChimeSDKMessaging/Sources/AWSChimeSDKMessaging/ChimeSDKMessagingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ChimeSDKMessagingClient: ClientRuntime.Client { public static let clientName = "ChimeSDKMessagingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ChimeSDKMessagingClient.ChimeSDKMessagingClientConfiguration let serviceName = "Chime SDK Messaging" @@ -376,9 +375,9 @@ extension ChimeSDKMessagingClient { /// /// Associates a channel flow with a channel. Once associated, all messages to that channel go through channel flow processors. To stop processing, use the DisassociateChannelFlow API. Only administrators or channel moderators can associate a channel flow. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter AssociateChannelFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateChannelFlowInput`) /// - /// - Returns: `AssociateChannelFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateChannelFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -420,7 +419,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateChannelFlowOutput.httpOutput(from:), AssociateChannelFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension ChimeSDKMessagingClient { /// /// Adds a specified number of users and bots to a channel. /// - /// - Parameter BatchCreateChannelMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateChannelMembershipInput`) /// - /// - Returns: `BatchCreateChannelMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateChannelMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -497,7 +495,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateChannelMembershipOutput.httpOutput(from:), BatchCreateChannelMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -535,9 +532,9 @@ extension ChimeSDKMessagingClient { /// /// * Make no changes to the message /// - /// - Parameter ChannelFlowCallbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ChannelFlowCallbackInput`) /// - /// - Returns: `ChannelFlowCallbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ChannelFlowCallbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -579,7 +576,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChannelFlowCallbackOutput.httpOutput(from:), ChannelFlowCallbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -611,9 +607,9 @@ extension ChimeSDKMessagingClient { /// /// Creates a channel to which you can add users and send messages. Restriction: You can't change a channel's privacy. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter CreateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelInput`) /// - /// - Returns: `CreateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -656,7 +652,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelOutput.httpOutput(from:), CreateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -688,9 +683,9 @@ extension ChimeSDKMessagingClient { /// /// Permanently bans a member from a channel. Moderators can't add banned members to a channel. To undo a ban, you first have to DeleteChannelBan, and then CreateChannelMembership. Bans are cleaned up when you delete users or channels. If you ban a user who is already part of a channel, that user is automatically kicked from the channel. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter CreateChannelBanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelBanInput`) /// - /// - Returns: `CreateChannelBanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelBanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -732,7 +727,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelBanOutput.httpOutput(from:), CreateChannelBanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -773,9 +767,9 @@ extension ChimeSDKMessagingClient { /// /// Channel flows don't process Control or System messages. For more information about the message types provided by Chime SDK messaging, refer to [Message types](https://docs.aws.amazon.com/chime-sdk/latest/dg/using-the-messaging-sdk.html#msg-types) in the Amazon Chime developer guide. /// - /// - Parameter CreateChannelFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelFlowInput`) /// - /// - Returns: `CreateChannelFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -817,7 +811,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelFlowOutput.httpOutput(from:), CreateChannelFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -869,9 +862,9 @@ extension ChimeSDKMessagingClient { /// /// The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUserArn or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter CreateChannelMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelMembershipInput`) /// - /// - Returns: `CreateChannelMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +907,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelMembershipOutput.httpOutput(from:), CreateChannelMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -959,9 +951,9 @@ extension ChimeSDKMessagingClient { /// /// The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBotof the user that makes the API call as the value in the header. /// - /// - Parameter CreateChannelModeratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelModeratorInput`) /// - /// - Returns: `CreateChannelModeratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelModeratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1003,7 +995,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelModeratorOutput.httpOutput(from:), CreateChannelModeratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1035,9 +1026,9 @@ extension ChimeSDKMessagingClient { /// /// Immediately makes a channel and its memberships inaccessible and marks them for deletion. This is an irreversible process. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUserArn or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter DeleteChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelInput`) /// - /// - Returns: `DeleteChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1075,7 +1066,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteChannelInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelOutput.httpOutput(from:), DeleteChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1107,9 +1097,9 @@ extension ChimeSDKMessagingClient { /// /// Removes a member from a channel's ban list. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter DeleteChannelBanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelBanInput`) /// - /// - Returns: `DeleteChannelBanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelBanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1146,7 +1136,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteChannelBanInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelBanOutput.httpOutput(from:), DeleteChannelBanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1178,9 +1167,9 @@ extension ChimeSDKMessagingClient { /// /// Deletes a channel flow, an irreversible process. This is a developer API. This API works only when the channel flow is not associated with any channel. To get a list of all channels that a channel flow is associated with, use the ListChannelsAssociatedWithChannelFlow API. Use the DisassociateChannelFlow API to disassociate a channel flow from all channels. /// - /// - Parameter DeleteChannelFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelFlowInput`) /// - /// - Returns: `DeleteChannelFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1217,7 +1206,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelFlowOutput.httpOutput(from:), DeleteChannelFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1249,9 +1237,9 @@ extension ChimeSDKMessagingClient { /// /// Removes a member from a channel. The x-amz-chime-bearer request header is mandatory. Use the AppInstanceUserArn of the user that makes the API call as the value in the header. /// - /// - Parameter DeleteChannelMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelMembershipInput`) /// - /// - Returns: `DeleteChannelMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1290,7 +1278,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteChannelMembershipInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelMembershipOutput.httpOutput(from:), DeleteChannelMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1322,9 +1309,9 @@ extension ChimeSDKMessagingClient { /// /// Deletes a channel message. Only admins can perform this action. Deletion makes messages inaccessible immediately. A background process deletes any revisions created by UpdateChannelMessage. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter DeleteChannelMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelMessageInput`) /// - /// - Returns: `DeleteChannelMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1362,7 +1349,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteChannelMessageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelMessageOutput.httpOutput(from:), DeleteChannelMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1394,9 +1380,9 @@ extension ChimeSDKMessagingClient { /// /// Deletes a channel moderator. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter DeleteChannelModeratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelModeratorInput`) /// - /// - Returns: `DeleteChannelModeratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelModeratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1433,7 +1419,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteChannelModeratorInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelModeratorOutput.httpOutput(from:), DeleteChannelModeratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1465,9 +1450,9 @@ extension ChimeSDKMessagingClient { /// /// Deletes the streaming configurations for an AppInstance. For more information, see [Streaming messaging data](https://docs.aws.amazon.com/chime-sdk/latest/dg/streaming-export.html) in the Amazon Chime SDK Developer Guide. /// - /// - Parameter DeleteMessagingStreamingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMessagingStreamingConfigurationsInput`) /// - /// - Returns: `DeleteMessagingStreamingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMessagingStreamingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1503,7 +1488,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMessagingStreamingConfigurationsOutput.httpOutput(from:), DeleteMessagingStreamingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1535,9 +1519,9 @@ extension ChimeSDKMessagingClient { /// /// Returns the full details of a channel in an Amazon Chime AppInstance. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter DescribeChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChannelInput`) /// - /// - Returns: `DescribeChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1574,7 +1558,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.HeaderMiddleware(DescribeChannelInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelOutput.httpOutput(from:), DescribeChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1606,9 +1589,9 @@ extension ChimeSDKMessagingClient { /// /// Returns the full details of a channel ban. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter DescribeChannelBanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChannelBanInput`) /// - /// - Returns: `DescribeChannelBanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChannelBanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1646,7 +1629,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.HeaderMiddleware(DescribeChannelBanInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelBanOutput.httpOutput(from:), DescribeChannelBanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1678,9 +1660,9 @@ extension ChimeSDKMessagingClient { /// /// Returns the full details of a channel flow in an Amazon Chime AppInstance. This is a developer API. /// - /// - Parameter DescribeChannelFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChannelFlowInput`) /// - /// - Returns: `DescribeChannelFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChannelFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1716,7 +1698,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelFlowOutput.httpOutput(from:), DescribeChannelFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1748,9 +1729,9 @@ extension ChimeSDKMessagingClient { /// /// Returns the full details of a user's channel membership. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter DescribeChannelMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChannelMembershipInput`) /// - /// - Returns: `DescribeChannelMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChannelMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1789,7 +1770,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeChannelMembershipInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelMembershipOutput.httpOutput(from:), DescribeChannelMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1821,9 +1801,9 @@ extension ChimeSDKMessagingClient { /// /// Returns the details of a channel based on the membership of the specified AppInstanceUser or AppInstanceBot. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter DescribeChannelMembershipForAppInstanceUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChannelMembershipForAppInstanceUserInput`) /// - /// - Returns: `DescribeChannelMembershipForAppInstanceUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChannelMembershipForAppInstanceUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1861,7 +1841,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeChannelMembershipForAppInstanceUserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelMembershipForAppInstanceUserOutput.httpOutput(from:), DescribeChannelMembershipForAppInstanceUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1893,9 +1872,9 @@ extension ChimeSDKMessagingClient { /// /// Returns the full details of a channel moderated by the specified AppInstanceUser or AppInstanceBot. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter DescribeChannelModeratedByAppInstanceUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChannelModeratedByAppInstanceUserInput`) /// - /// - Returns: `DescribeChannelModeratedByAppInstanceUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChannelModeratedByAppInstanceUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1933,7 +1912,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeChannelModeratedByAppInstanceUserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelModeratedByAppInstanceUserOutput.httpOutput(from:), DescribeChannelModeratedByAppInstanceUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1965,9 +1943,9 @@ extension ChimeSDKMessagingClient { /// /// Returns the full details of a single ChannelModerator. The x-amz-chime-bearer request header is mandatory. Use the AppInstanceUserArn of the user that makes the API call as the value in the header. /// - /// - Parameter DescribeChannelModeratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChannelModeratorInput`) /// - /// - Returns: `DescribeChannelModeratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChannelModeratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2005,7 +1983,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.HeaderMiddleware(DescribeChannelModeratorInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelModeratorOutput.httpOutput(from:), DescribeChannelModeratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2037,9 +2014,9 @@ extension ChimeSDKMessagingClient { /// /// Disassociates a channel flow from all its channels. Once disassociated, all messages to that channel stop going through the channel flow processor. Only administrators or channel moderators can disassociate a channel flow. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter DisassociateChannelFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateChannelFlowInput`) /// - /// - Returns: `DisassociateChannelFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateChannelFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2078,7 +2055,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.HeaderMiddleware(DisassociateChannelFlowInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateChannelFlowOutput.httpOutput(from:), DisassociateChannelFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2110,9 +2086,9 @@ extension ChimeSDKMessagingClient { /// /// Gets the membership preferences of an AppInstanceUser or AppInstanceBot for the specified channel. A user or a bot must be a member of the channel and own the membership in order to retrieve membership preferences. Users or bots in the AppInstanceAdmin and channel moderator roles can't retrieve preferences for other users or bots. Banned users or bots can't retrieve membership preferences for the channel from which they are banned. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter GetChannelMembershipPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelMembershipPreferencesInput`) /// - /// - Returns: `GetChannelMembershipPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelMembershipPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2149,7 +2125,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetChannelMembershipPreferencesInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelMembershipPreferencesOutput.httpOutput(from:), GetChannelMembershipPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2181,9 +2156,9 @@ extension ChimeSDKMessagingClient { /// /// Gets the full details of a channel message. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter GetChannelMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelMessageInput`) /// - /// - Returns: `GetChannelMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2222,7 +2197,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetChannelMessageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelMessageOutput.httpOutput(from:), GetChannelMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2260,9 +2234,9 @@ extension ChimeSDKMessagingClient { /// /// * The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter GetChannelMessageStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelMessageStatusInput`) /// - /// - Returns: `GetChannelMessageStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelMessageStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2300,7 +2274,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetChannelMessageStatusInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelMessageStatusOutput.httpOutput(from:), GetChannelMessageStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2332,9 +2305,9 @@ extension ChimeSDKMessagingClient { /// /// The details of the endpoint for the messaging session. /// - /// - Parameter GetMessagingSessionEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMessagingSessionEndpointInput`) /// - /// - Returns: `GetMessagingSessionEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMessagingSessionEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2370,7 +2343,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMessagingSessionEndpointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMessagingSessionEndpointOutput.httpOutput(from:), GetMessagingSessionEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2402,9 +2374,9 @@ extension ChimeSDKMessagingClient { /// /// Retrieves the data streaming configuration for an AppInstance. For more information, see [Streaming messaging data](https://docs.aws.amazon.com/chime-sdk/latest/dg/streaming-export.html) in the Amazon Chime SDK Developer Guide. /// - /// - Parameter GetMessagingStreamingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMessagingStreamingConfigurationsInput`) /// - /// - Returns: `GetMessagingStreamingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMessagingStreamingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2441,7 +2413,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMessagingStreamingConfigurationsOutput.httpOutput(from:), GetMessagingStreamingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2473,9 +2444,9 @@ extension ChimeSDKMessagingClient { /// /// Lists all the users and bots banned from a particular channel. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter ListChannelBansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelBansInput`) /// - /// - Returns: `ListChannelBansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelBansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2513,7 +2484,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelBansInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelBansOutput.httpOutput(from:), ListChannelBansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2545,9 +2515,9 @@ extension ChimeSDKMessagingClient { /// /// Returns a paginated lists of all the channel flows created under a single Chime. This is a developer API. /// - /// - Parameter ListChannelFlowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelFlowsInput`) /// - /// - Returns: `ListChannelFlowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelFlowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2584,7 +2554,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelFlowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelFlowsOutput.httpOutput(from:), ListChannelFlowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2616,9 +2585,9 @@ extension ChimeSDKMessagingClient { /// /// Lists all channel memberships in a channel. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. If you want to list the channels to which a specific app instance user belongs, see the [ListChannelMembershipsForAppInstanceUser](https://docs.aws.amazon.com/chime-sdk/latest/APIReference/API_messaging-chime_ListChannelMembershipsForAppInstanceUser.html) API. /// - /// - Parameter ListChannelMembershipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelMembershipsInput`) /// - /// - Returns: `ListChannelMembershipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelMembershipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2656,7 +2625,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelMembershipsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelMembershipsOutput.httpOutput(from:), ListChannelMembershipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2688,9 +2656,9 @@ extension ChimeSDKMessagingClient { /// /// Lists all channels that an AppInstanceUser or AppInstanceBot is a part of. Only an AppInstanceAdmin can call the API with a user ARN that is not their own. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter ListChannelMembershipsForAppInstanceUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelMembershipsForAppInstanceUserInput`) /// - /// - Returns: `ListChannelMembershipsForAppInstanceUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelMembershipsForAppInstanceUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2728,7 +2696,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelMembershipsForAppInstanceUserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelMembershipsForAppInstanceUserOutput.httpOutput(from:), ListChannelMembershipsForAppInstanceUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2760,9 +2727,9 @@ extension ChimeSDKMessagingClient { /// /// List all the messages in a channel. Returns a paginated list of ChannelMessages. By default, sorted by creation timestamp in descending order. Redacted messages appear in the results as empty, since they are only redacted, not deleted. Deleted messages do not appear in the results. This action always returns the latest version of an edited message. Also, the x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter ListChannelMessagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelMessagesInput`) /// - /// - Returns: `ListChannelMessagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelMessagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2800,7 +2767,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelMessagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelMessagesOutput.httpOutput(from:), ListChannelMessagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2832,9 +2798,9 @@ extension ChimeSDKMessagingClient { /// /// Lists all the moderators for a channel. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter ListChannelModeratorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelModeratorsInput`) /// - /// - Returns: `ListChannelModeratorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelModeratorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2872,7 +2838,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelModeratorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelModeratorsOutput.httpOutput(from:), ListChannelModeratorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2911,9 +2876,9 @@ extension ChimeSDKMessagingClient { /// /// The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter ListChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsInput`) /// - /// - Returns: `ListChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2951,7 +2916,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsOutput.httpOutput(from:), ListChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2983,9 +2947,9 @@ extension ChimeSDKMessagingClient { /// /// Lists all channels associated with a specified channel flow. You can associate a channel flow with multiple channels, but you can only associate a channel with one channel flow. This is a developer API. /// - /// - Parameter ListChannelsAssociatedWithChannelFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsAssociatedWithChannelFlowInput`) /// - /// - Returns: `ListChannelsAssociatedWithChannelFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsAssociatedWithChannelFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3022,7 +2986,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelsAssociatedWithChannelFlowInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsAssociatedWithChannelFlowOutput.httpOutput(from:), ListChannelsAssociatedWithChannelFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3054,9 +3017,9 @@ extension ChimeSDKMessagingClient { /// /// A list of the channels moderated by an AppInstanceUser. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter ListChannelsModeratedByAppInstanceUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsModeratedByAppInstanceUserInput`) /// - /// - Returns: `ListChannelsModeratedByAppInstanceUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsModeratedByAppInstanceUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3094,7 +3057,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelsModeratedByAppInstanceUserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsModeratedByAppInstanceUserOutput.httpOutput(from:), ListChannelsModeratedByAppInstanceUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3126,9 +3088,9 @@ extension ChimeSDKMessagingClient { /// /// Lists all the SubChannels in an elastic channel when given a channel ID. Available only to the app instance admins and channel moderators of elastic channels. /// - /// - Parameter ListSubChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubChannelsInput`) /// - /// - Returns: `ListSubChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3166,7 +3128,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubChannelsOutput.httpOutput(from:), ListSubChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3198,9 +3159,9 @@ extension ChimeSDKMessagingClient { /// /// Lists the tags applied to an Amazon Chime SDK messaging resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3237,7 +3198,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3275,9 +3235,9 @@ extension ChimeSDKMessagingClient { /// /// * The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter PutChannelExpirationSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutChannelExpirationSettingsInput`) /// - /// - Returns: `PutChannelExpirationSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutChannelExpirationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3318,7 +3278,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutChannelExpirationSettingsOutput.httpOutput(from:), PutChannelExpirationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3350,9 +3309,9 @@ extension ChimeSDKMessagingClient { /// /// Sets the membership preferences of an AppInstanceUser or AppInstanceBot for the specified channel. The user or bot must be a member of the channel. Only the user or bot who owns the membership can set preferences. Users or bots in the AppInstanceAdmin and channel moderator roles can't set preferences for other users. Banned users or bots can't set membership preferences for the channel from which they are banned. The x-amz-chime-bearer request header is mandatory. Use the ARN of an AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter PutChannelMembershipPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutChannelMembershipPreferencesInput`) /// - /// - Returns: `PutChannelMembershipPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutChannelMembershipPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3393,7 +3352,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutChannelMembershipPreferencesOutput.httpOutput(from:), PutChannelMembershipPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3425,9 +3383,9 @@ extension ChimeSDKMessagingClient { /// /// Sets the data streaming configuration for an AppInstance. For more information, see [Streaming messaging data](https://docs.aws.amazon.com/chime-sdk/latest/dg/streaming-export.html) in the Amazon Chime SDK Developer Guide. /// - /// - Parameter PutMessagingStreamingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMessagingStreamingConfigurationsInput`) /// - /// - Returns: `PutMessagingStreamingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMessagingStreamingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3468,7 +3426,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMessagingStreamingConfigurationsOutput.httpOutput(from:), PutMessagingStreamingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3500,9 +3457,9 @@ extension ChimeSDKMessagingClient { /// /// Redacts message content and metadata. The message exists in the back end, but the action returns null content, and the state shows as redacted. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter RedactChannelMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RedactChannelMessageInput`) /// - /// - Returns: `RedactChannelMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RedactChannelMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3544,7 +3501,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RedactChannelMessageOutput.httpOutput(from:), RedactChannelMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3576,9 +3532,9 @@ extension ChimeSDKMessagingClient { /// /// Allows the ChimeBearer to search channels by channel members. Users or bots can search across the channels that they belong to. Users in the AppInstanceAdmin role can search across all channels. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. This operation isn't supported for AppInstanceUsers with a large number of memberships. /// - /// - Parameter SearchChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchChannelsInput`) /// - /// - Returns: `SearchChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3619,7 +3575,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchChannelsOutput.httpOutput(from:), SearchChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3651,9 +3606,9 @@ extension ChimeSDKMessagingClient { /// /// Sends a message to a particular channel that the member is a part of. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. Also, STANDARD messages can be up to 4KB in size and contain metadata. Metadata is arbitrary, and you can use it in a variety of ways, such as containing a link to an attachment. CONTROL messages are limited to 30 bytes and do not contain metadata. /// - /// - Parameter SendChannelMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendChannelMessageInput`) /// - /// - Returns: `SendChannelMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendChannelMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3695,7 +3650,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendChannelMessageOutput.httpOutput(from:), SendChannelMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3727,9 +3681,9 @@ extension ChimeSDKMessagingClient { /// /// Applies the specified tags to the specified Amazon Chime SDK messaging resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3770,7 +3724,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3802,9 +3755,9 @@ extension ChimeSDKMessagingClient { /// /// Removes the specified tags from the specified Amazon Chime SDK messaging resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3844,7 +3797,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3876,9 +3828,9 @@ extension ChimeSDKMessagingClient { /// /// Update a channel's attributes. Restriction: You can't change a channel's privacy. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter UpdateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelInput`) /// - /// - Returns: `UpdateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3919,7 +3871,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelOutput.httpOutput(from:), UpdateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3951,9 +3902,9 @@ extension ChimeSDKMessagingClient { /// /// Updates channel flow attributes. This is a developer API. /// - /// - Parameter UpdateChannelFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelFlowInput`) /// - /// - Returns: `UpdateChannelFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3993,7 +3944,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelFlowOutput.httpOutput(from:), UpdateChannelFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4025,9 +3975,9 @@ extension ChimeSDKMessagingClient { /// /// Updates the content of a message. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter UpdateChannelMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelMessageInput`) /// - /// - Returns: `UpdateChannelMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4068,7 +4018,6 @@ extension ChimeSDKMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelMessageOutput.httpOutput(from:), UpdateChannelMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4100,9 +4049,9 @@ extension ChimeSDKMessagingClient { /// /// The details of the time when a user last read messages in a channel. The x-amz-chime-bearer request header is mandatory. Use the ARN of the AppInstanceUser or AppInstanceBot that makes the API call as the value in the header. /// - /// - Parameter UpdateChannelReadMarkerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelReadMarkerInput`) /// - /// - Returns: `UpdateChannelReadMarkerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelReadMarkerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4140,7 +4089,6 @@ extension ChimeSDKMessagingClient { builder.serialize(ClientRuntime.HeaderMiddleware(UpdateChannelReadMarkerInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelReadMarkerOutput.httpOutput(from:), UpdateChannelReadMarkerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSChimeSDKVoice/Sources/AWSChimeSDKVoice/ChimeSDKVoiceClient.swift b/Sources/Services/AWSChimeSDKVoice/Sources/AWSChimeSDKVoice/ChimeSDKVoiceClient.swift index ee512aa9070..44f6b3fbcdb 100644 --- a/Sources/Services/AWSChimeSDKVoice/Sources/AWSChimeSDKVoice/ChimeSDKVoiceClient.swift +++ b/Sources/Services/AWSChimeSDKVoice/Sources/AWSChimeSDKVoice/ChimeSDKVoiceClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ChimeSDKVoiceClient: ClientRuntime.Client { public static let clientName = "ChimeSDKVoiceClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ChimeSDKVoiceClient.ChimeSDKVoiceClientConfiguration let serviceName = "Chime SDK Voice" @@ -374,9 +373,9 @@ extension ChimeSDKVoiceClient { /// /// Associates phone numbers with the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter AssociatePhoneNumbersWithVoiceConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociatePhoneNumbersWithVoiceConnectorInput`) /// - /// - Returns: `AssociatePhoneNumbersWithVoiceConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociatePhoneNumbersWithVoiceConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePhoneNumbersWithVoiceConnectorOutput.httpOutput(from:), AssociatePhoneNumbersWithVoiceConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension ChimeSDKVoiceClient { /// /// Associates phone numbers with the specified Amazon Chime SDK Voice Connector group. /// - /// - Parameter AssociatePhoneNumbersWithVoiceConnectorGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociatePhoneNumbersWithVoiceConnectorGroupInput`) /// - /// - Returns: `AssociatePhoneNumbersWithVoiceConnectorGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociatePhoneNumbersWithVoiceConnectorGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -494,7 +492,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePhoneNumbersWithVoiceConnectorGroupOutput.httpOutput(from:), AssociatePhoneNumbersWithVoiceConnectorGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension ChimeSDKVoiceClient { /// /// Moves phone numbers into the Deletion queue. Phone numbers must be disassociated from any users or Amazon Chime SDK Voice Connectors before they can be deleted. Phone numbers remain in the Deletion queue for 7 days before they are deleted permanently. /// - /// - Parameter BatchDeletePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeletePhoneNumberInput`) /// - /// - Returns: `BatchDeletePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeletePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -569,7 +566,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeletePhoneNumberOutput.httpOutput(from:), BatchDeletePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension ChimeSDKVoiceClient { /// /// Updates phone number product types, calling names, or phone number names. You can update one attribute at a time for each UpdatePhoneNumberRequestItem. For example, you can update the product type, the calling name, or phone name. You cannot have a duplicate phoneNumberId in a request. /// - /// - Parameter BatchUpdatePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdatePhoneNumberInput`) /// - /// - Returns: `BatchUpdatePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdatePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -644,7 +640,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdatePhoneNumberOutput.httpOutput(from:), BatchUpdatePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension ChimeSDKVoiceClient { /// /// Creates an order for phone numbers to be provisioned. For numbers outside the U.S., you must use the Amazon Chime SDK SIP media application dial-in product type. /// - /// - Parameter CreatePhoneNumberOrderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePhoneNumberOrderInput`) /// - /// - Returns: `CreatePhoneNumberOrderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePhoneNumberOrderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePhoneNumberOrderOutput.httpOutput(from:), CreatePhoneNumberOrderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -751,9 +745,9 @@ extension ChimeSDKVoiceClient { /// /// Creates a proxy session for the specified Amazon Chime SDK Voice Connector for the specified participant phone numbers. /// - /// - Parameter CreateProxySessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProxySessionInput`) /// - /// - Returns: `CreateProxySessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProxySessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -793,7 +787,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProxySessionOutput.httpOutput(from:), CreateProxySessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -825,9 +818,9 @@ extension ChimeSDKVoiceClient { /// /// Creates a SIP media application. For more information about SIP media applications, see [Managing SIP media applications and rules](https://docs.aws.amazon.com/chime-sdk/latest/ag/manage-sip-applications.html) in the Amazon Chime SDK Administrator Guide. /// - /// - Parameter CreateSipMediaApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSipMediaApplicationInput`) /// - /// - Returns: `CreateSipMediaApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSipMediaApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -869,7 +862,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSipMediaApplicationOutput.httpOutput(from:), CreateSipMediaApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +893,9 @@ extension ChimeSDKVoiceClient { /// /// Creates an outbound call to a phone number from the phone number specified in the request, and it invokes the endpoint of the specified sipMediaApplicationId. /// - /// - Parameter CreateSipMediaApplicationCallInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSipMediaApplicationCallInput`) /// - /// - Returns: `CreateSipMediaApplicationCallOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSipMediaApplicationCallOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -944,7 +936,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSipMediaApplicationCallOutput.httpOutput(from:), CreateSipMediaApplicationCallOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -976,9 +967,9 @@ extension ChimeSDKVoiceClient { /// /// Creates a SIP rule, which can be used to run a SIP media application as a target for a specific trigger type. For more information about SIP rules, see [Managing SIP media applications and rules](https://docs.aws.amazon.com/chime-sdk/latest/ag/manage-sip-applications.html) in the Amazon Chime SDK Administrator Guide. /// - /// - Parameter CreateSipRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSipRuleInput`) /// - /// - Returns: `CreateSipRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSipRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1020,7 +1011,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSipRuleOutput.httpOutput(from:), CreateSipRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1052,9 +1042,9 @@ extension ChimeSDKVoiceClient { /// /// Creates an Amazon Chime SDK Voice Connector. For more information about Voice Connectors, see [Managing Amazon Chime SDK Voice Connector groups](https://docs.aws.amazon.com/chime-sdk/latest/ag/voice-connector-groups.html) in the Amazon Chime SDK Administrator Guide. /// - /// - Parameter CreateVoiceConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVoiceConnectorInput`) /// - /// - Returns: `CreateVoiceConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVoiceConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1095,7 +1085,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVoiceConnectorOutput.httpOutput(from:), CreateVoiceConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1127,9 +1116,9 @@ extension ChimeSDKVoiceClient { /// /// Creates an Amazon Chime SDK Voice Connector group under the administrator's AWS account. You can associate Amazon Chime SDK Voice Connectors with the Voice Connector group by including VoiceConnectorItems in the request. You can include Voice Connectors from different AWS Regions in your group. This creates a fault tolerant mechanism for fallback in case of availability events. /// - /// - Parameter CreateVoiceConnectorGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVoiceConnectorGroupInput`) /// - /// - Returns: `CreateVoiceConnectorGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVoiceConnectorGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1170,7 +1159,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVoiceConnectorGroupOutput.httpOutput(from:), CreateVoiceConnectorGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1202,9 +1190,9 @@ extension ChimeSDKVoiceClient { /// /// Creates a voice profile, which consists of an enrolled user and their latest voice print. Before creating any voice profiles, you must provide all notices and obtain all consents from the speaker as required under applicable privacy and biometrics laws, and as required under the [AWS service terms](https://aws.amazon.com/service-terms/) for the Amazon Chime SDK. For more information about voice profiles and voice analytics, see [Using Amazon Chime SDK Voice Analytics](https://docs.aws.amazon.com/chime-sdk/latest/dg/pstn-voice-analytics.html) in the Amazon Chime SDK Developer Guide. /// - /// - Parameter CreateVoiceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVoiceProfileInput`) /// - /// - Returns: `CreateVoiceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVoiceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1248,7 +1236,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVoiceProfileOutput.httpOutput(from:), CreateVoiceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1280,9 +1267,9 @@ extension ChimeSDKVoiceClient { /// /// Creates a voice profile domain, a collection of voice profiles, their voice prints, and encrypted enrollment audio. Before creating any voice profiles, you must provide all notices and obtain all consents from the speaker as required under applicable privacy and biometrics laws, and as required under the [AWS service terms](https://aws.amazon.com/service-terms/) for the Amazon Chime SDK. For more information about voice profile domains, see [Using Amazon Chime SDK Voice Analytics](https://docs.aws.amazon.com/chime-sdk/latest/dg/pstn-voice-analytics.html) in the Amazon Chime SDK Developer Guide. /// - /// - Parameter CreateVoiceProfileDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVoiceProfileDomainInput`) /// - /// - Returns: `CreateVoiceProfileDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVoiceProfileDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1324,7 +1311,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVoiceProfileDomainOutput.httpOutput(from:), CreateVoiceProfileDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1356,9 +1342,9 @@ extension ChimeSDKVoiceClient { /// /// Moves the specified phone number into the Deletion queue. A phone number must be disassociated from any users or Amazon Chime SDK Voice Connectors before it can be deleted. Deleted phone numbers remain in the Deletion queue queue for 7 days before they are deleted permanently. /// - /// - Parameter DeletePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePhoneNumberInput`) /// - /// - Returns: `DeletePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1395,7 +1381,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePhoneNumberOutput.httpOutput(from:), DeletePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1427,9 +1412,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes the specified proxy session from the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter DeleteProxySessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProxySessionInput`) /// - /// - Returns: `DeleteProxySessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProxySessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1466,7 +1451,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProxySessionOutput.httpOutput(from:), DeleteProxySessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1498,9 +1482,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes a SIP media application. /// - /// - Parameter DeleteSipMediaApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSipMediaApplicationInput`) /// - /// - Returns: `DeleteSipMediaApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSipMediaApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1538,7 +1522,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSipMediaApplicationOutput.httpOutput(from:), DeleteSipMediaApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1570,9 +1553,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes a SIP rule. /// - /// - Parameter DeleteSipRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSipRuleInput`) /// - /// - Returns: `DeleteSipRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSipRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1610,7 +1593,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSipRuleOutput.httpOutput(from:), DeleteSipRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1642,9 +1624,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes an Amazon Chime SDK Voice Connector. Any phone numbers associated with the Amazon Chime SDK Voice Connector must be disassociated from it before it can be deleted. /// - /// - Parameter DeleteVoiceConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceConnectorInput`) /// - /// - Returns: `DeleteVoiceConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1682,7 +1664,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceConnectorOutput.httpOutput(from:), DeleteVoiceConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1714,9 +1695,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes the emergency calling details from the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter DeleteVoiceConnectorEmergencyCallingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceConnectorEmergencyCallingConfigurationInput`) /// - /// - Returns: `DeleteVoiceConnectorEmergencyCallingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceConnectorEmergencyCallingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1753,7 +1734,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceConnectorEmergencyCallingConfigurationOutput.httpOutput(from:), DeleteVoiceConnectorEmergencyCallingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1785,9 +1765,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes the external systems configuration for a Voice Connector. /// - /// - Parameter DeleteVoiceConnectorExternalSystemsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceConnectorExternalSystemsConfigurationInput`) /// - /// - Returns: `DeleteVoiceConnectorExternalSystemsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceConnectorExternalSystemsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1824,7 +1804,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceConnectorExternalSystemsConfigurationOutput.httpOutput(from:), DeleteVoiceConnectorExternalSystemsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1856,9 +1835,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes an Amazon Chime SDK Voice Connector group. Any VoiceConnectorItems and phone numbers associated with the group must be removed before it can be deleted. /// - /// - Parameter DeleteVoiceConnectorGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceConnectorGroupInput`) /// - /// - Returns: `DeleteVoiceConnectorGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceConnectorGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1896,7 +1875,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceConnectorGroupOutput.httpOutput(from:), DeleteVoiceConnectorGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1928,9 +1906,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes the origination settings for the specified Amazon Chime SDK Voice Connector. If emergency calling is configured for the Voice Connector, it must be deleted prior to deleting the origination settings. /// - /// - Parameter DeleteVoiceConnectorOriginationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceConnectorOriginationInput`) /// - /// - Returns: `DeleteVoiceConnectorOriginationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceConnectorOriginationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1967,7 +1945,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceConnectorOriginationOutput.httpOutput(from:), DeleteVoiceConnectorOriginationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1999,9 +1976,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes the proxy configuration from the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter DeleteVoiceConnectorProxyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceConnectorProxyInput`) /// - /// - Returns: `DeleteVoiceConnectorProxyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceConnectorProxyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2038,7 +2015,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceConnectorProxyOutput.httpOutput(from:), DeleteVoiceConnectorProxyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2070,9 +2046,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes a Voice Connector's streaming configuration. /// - /// - Parameter DeleteVoiceConnectorStreamingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceConnectorStreamingConfigurationInput`) /// - /// - Returns: `DeleteVoiceConnectorStreamingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceConnectorStreamingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2109,7 +2085,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceConnectorStreamingConfigurationOutput.httpOutput(from:), DeleteVoiceConnectorStreamingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2141,9 +2116,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes the termination settings for the specified Amazon Chime SDK Voice Connector. If emergency calling is configured for the Voice Connector, it must be deleted prior to deleting the termination settings. /// - /// - Parameter DeleteVoiceConnectorTerminationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceConnectorTerminationInput`) /// - /// - Returns: `DeleteVoiceConnectorTerminationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceConnectorTerminationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2180,7 +2155,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceConnectorTerminationOutput.httpOutput(from:), DeleteVoiceConnectorTerminationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2212,9 +2186,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes the specified SIP credentials used by your equipment to authenticate during call termination. /// - /// - Parameter DeleteVoiceConnectorTerminationCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceConnectorTerminationCredentialsInput`) /// - /// - Returns: `DeleteVoiceConnectorTerminationCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceConnectorTerminationCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2255,7 +2229,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceConnectorTerminationCredentialsOutput.httpOutput(from:), DeleteVoiceConnectorTerminationCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2287,9 +2260,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes a voice profile, including its voice print and enrollment data. WARNING: This action is not reversible. /// - /// - Parameter DeleteVoiceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceProfileInput`) /// - /// - Returns: `DeleteVoiceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2328,7 +2301,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceProfileOutput.httpOutput(from:), DeleteVoiceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2360,9 +2332,9 @@ extension ChimeSDKVoiceClient { /// /// Deletes all voice profiles in the domain. WARNING: This action is not reversible. /// - /// - Parameter DeleteVoiceProfileDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceProfileDomainInput`) /// - /// - Returns: `DeleteVoiceProfileDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceProfileDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2401,7 +2373,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceProfileDomainOutput.httpOutput(from:), DeleteVoiceProfileDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2433,9 +2404,9 @@ extension ChimeSDKVoiceClient { /// /// Disassociates the specified phone numbers from the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter DisassociatePhoneNumbersFromVoiceConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociatePhoneNumbersFromVoiceConnectorInput`) /// - /// - Returns: `DisassociatePhoneNumbersFromVoiceConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociatePhoneNumbersFromVoiceConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2476,7 +2447,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociatePhoneNumbersFromVoiceConnectorOutput.httpOutput(from:), DisassociatePhoneNumbersFromVoiceConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2508,9 +2478,9 @@ extension ChimeSDKVoiceClient { /// /// Disassociates the specified phone numbers from the specified Amazon Chime SDK Voice Connector group. /// - /// - Parameter DisassociatePhoneNumbersFromVoiceConnectorGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociatePhoneNumbersFromVoiceConnectorGroupInput`) /// - /// - Returns: `DisassociatePhoneNumbersFromVoiceConnectorGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociatePhoneNumbersFromVoiceConnectorGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2551,7 +2521,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociatePhoneNumbersFromVoiceConnectorGroupOutput.httpOutput(from:), DisassociatePhoneNumbersFromVoiceConnectorGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2583,9 +2552,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the global settings for the Amazon Chime SDK Voice Connectors in an AWS account. /// - /// - Parameter GetGlobalSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGlobalSettingsInput`) /// - /// - Returns: `GetGlobalSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGlobalSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2621,7 +2590,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGlobalSettingsOutput.httpOutput(from:), GetGlobalSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2653,9 +2621,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves details for the specified phone number ID, such as associations, capabilities, and product type. /// - /// - Parameter GetPhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPhoneNumberInput`) /// - /// - Returns: `GetPhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2692,7 +2660,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPhoneNumberOutput.httpOutput(from:), GetPhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2724,9 +2691,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves details for the specified phone number order, such as the order creation timestamp, phone numbers in E.164 format, product type, and order status. /// - /// - Parameter GetPhoneNumberOrderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPhoneNumberOrderInput`) /// - /// - Returns: `GetPhoneNumberOrderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPhoneNumberOrderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2763,7 +2730,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPhoneNumberOrderOutput.httpOutput(from:), GetPhoneNumberOrderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2795,9 +2761,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the phone number settings for the administrator's AWS account, such as the default outbound calling name. /// - /// - Parameter GetPhoneNumberSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPhoneNumberSettingsInput`) /// - /// - Returns: `GetPhoneNumberSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPhoneNumberSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2833,7 +2799,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPhoneNumberSettingsOutput.httpOutput(from:), GetPhoneNumberSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2865,9 +2830,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the specified proxy session details for the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter GetProxySessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProxySessionInput`) /// - /// - Returns: `GetProxySessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProxySessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2904,7 +2869,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProxySessionOutput.httpOutput(from:), GetProxySessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2936,9 +2900,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the information for a SIP media application, including name, AWS Region, and endpoints. /// - /// - Parameter GetSipMediaApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSipMediaApplicationInput`) /// - /// - Returns: `GetSipMediaApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSipMediaApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2975,7 +2939,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSipMediaApplicationOutput.httpOutput(from:), GetSipMediaApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3008,9 +2971,9 @@ extension ChimeSDKVoiceClient { /// Gets the Alexa Skill configuration for the SIP media application. Due to changes made by the Amazon Alexa service, this API is no longer available for use. For more information, refer to the [Alexa Smart Properties](https://developer.amazon.com/en-US/alexa/alexasmartproperties) page. @available(*, deprecated, message: "Due to changes made by the Amazon Alexa service, this API is no longer available for use. For more information, refer to the Alexa Smart Properties page(https://developer.amazon.com/en-US/alexa/alexasmartproperties).") /// - /// - Parameter GetSipMediaApplicationAlexaSkillConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSipMediaApplicationAlexaSkillConfigurationInput`) /// - /// - Returns: `GetSipMediaApplicationAlexaSkillConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSipMediaApplicationAlexaSkillConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3047,7 +3010,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSipMediaApplicationAlexaSkillConfigurationOutput.httpOutput(from:), GetSipMediaApplicationAlexaSkillConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3079,9 +3041,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the logging configuration for the specified SIP media application. /// - /// - Parameter GetSipMediaApplicationLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSipMediaApplicationLoggingConfigurationInput`) /// - /// - Returns: `GetSipMediaApplicationLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSipMediaApplicationLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3118,7 +3080,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSipMediaApplicationLoggingConfigurationOutput.httpOutput(from:), GetSipMediaApplicationLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3150,9 +3111,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the details of a SIP rule, such as the rule ID, name, triggers, and target endpoints. /// - /// - Parameter GetSipRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSipRuleInput`) /// - /// - Returns: `GetSipRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSipRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3189,7 +3150,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSipRuleOutput.httpOutput(from:), GetSipRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3221,9 +3181,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the details of the specified speaker search task. /// - /// - Parameter GetSpeakerSearchTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSpeakerSearchTaskInput`) /// - /// - Returns: `GetSpeakerSearchTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSpeakerSearchTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3262,7 +3222,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSpeakerSearchTaskOutput.httpOutput(from:), GetSpeakerSearchTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3294,9 +3253,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves details for the specified Amazon Chime SDK Voice Connector, such as timestamps,name, outbound host, and encryption requirements. /// - /// - Parameter GetVoiceConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceConnectorInput`) /// - /// - Returns: `GetVoiceConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3333,7 +3292,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceConnectorOutput.httpOutput(from:), GetVoiceConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3365,9 +3323,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the emergency calling configuration details for the specified Voice Connector. /// - /// - Parameter GetVoiceConnectorEmergencyCallingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceConnectorEmergencyCallingConfigurationInput`) /// - /// - Returns: `GetVoiceConnectorEmergencyCallingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceConnectorEmergencyCallingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3404,7 +3362,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceConnectorEmergencyCallingConfigurationOutput.httpOutput(from:), GetVoiceConnectorEmergencyCallingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3436,9 +3393,9 @@ extension ChimeSDKVoiceClient { /// /// Gets information about an external systems configuration for a Voice Connector. /// - /// - Parameter GetVoiceConnectorExternalSystemsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceConnectorExternalSystemsConfigurationInput`) /// - /// - Returns: `GetVoiceConnectorExternalSystemsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceConnectorExternalSystemsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3475,7 +3432,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceConnectorExternalSystemsConfigurationOutput.httpOutput(from:), GetVoiceConnectorExternalSystemsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3507,9 +3463,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves details for the specified Amazon Chime SDK Voice Connector group, such as timestamps,name, and associated VoiceConnectorItems. /// - /// - Parameter GetVoiceConnectorGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceConnectorGroupInput`) /// - /// - Returns: `GetVoiceConnectorGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceConnectorGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3546,7 +3502,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceConnectorGroupOutput.httpOutput(from:), GetVoiceConnectorGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3578,9 +3533,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the logging configuration settings for the specified Voice Connector. Shows whether SIP message logs are enabled for sending to Amazon CloudWatch Logs. /// - /// - Parameter GetVoiceConnectorLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceConnectorLoggingConfigurationInput`) /// - /// - Returns: `GetVoiceConnectorLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceConnectorLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3617,7 +3572,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceConnectorLoggingConfigurationOutput.httpOutput(from:), GetVoiceConnectorLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3649,9 +3603,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the origination settings for the specified Voice Connector. /// - /// - Parameter GetVoiceConnectorOriginationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceConnectorOriginationInput`) /// - /// - Returns: `GetVoiceConnectorOriginationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceConnectorOriginationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3688,7 +3642,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceConnectorOriginationOutput.httpOutput(from:), GetVoiceConnectorOriginationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3720,9 +3673,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the proxy configuration details for the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter GetVoiceConnectorProxyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceConnectorProxyInput`) /// - /// - Returns: `GetVoiceConnectorProxyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceConnectorProxyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3759,7 +3712,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceConnectorProxyOutput.httpOutput(from:), GetVoiceConnectorProxyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3791,9 +3743,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the streaming configuration details for the specified Amazon Chime SDK Voice Connector. Shows whether media streaming is enabled for sending to Amazon Kinesis. It also shows the retention period, in hours, for the Amazon Kinesis data. /// - /// - Parameter GetVoiceConnectorStreamingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceConnectorStreamingConfigurationInput`) /// - /// - Returns: `GetVoiceConnectorStreamingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceConnectorStreamingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3830,7 +3782,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceConnectorStreamingConfigurationOutput.httpOutput(from:), GetVoiceConnectorStreamingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3862,9 +3813,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the termination setting details for the specified Voice Connector. /// - /// - Parameter GetVoiceConnectorTerminationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceConnectorTerminationInput`) /// - /// - Returns: `GetVoiceConnectorTerminationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceConnectorTerminationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3901,7 +3852,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceConnectorTerminationOutput.httpOutput(from:), GetVoiceConnectorTerminationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3933,9 +3883,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves information about the last time a SIP OPTIONS ping was received from your SIP infrastructure for the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter GetVoiceConnectorTerminationHealthInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceConnectorTerminationHealthInput`) /// - /// - Returns: `GetVoiceConnectorTerminationHealthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceConnectorTerminationHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3972,7 +3922,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceConnectorTerminationHealthOutput.httpOutput(from:), GetVoiceConnectorTerminationHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4004,9 +3953,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the details of the specified voice profile. /// - /// - Parameter GetVoiceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceProfileInput`) /// - /// - Returns: `GetVoiceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4044,7 +3993,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceProfileOutput.httpOutput(from:), GetVoiceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4076,9 +4024,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the details of the specified voice profile domain. /// - /// - Parameter GetVoiceProfileDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceProfileDomainInput`) /// - /// - Returns: `GetVoiceProfileDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceProfileDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4116,7 +4064,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceProfileDomainOutput.httpOutput(from:), GetVoiceProfileDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4148,9 +4095,9 @@ extension ChimeSDKVoiceClient { /// /// Retrieves the details of a voice tone analysis task. /// - /// - Parameter GetVoiceToneAnalysisTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceToneAnalysisTaskInput`) /// - /// - Returns: `GetVoiceToneAnalysisTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceToneAnalysisTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4190,7 +4137,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetVoiceToneAnalysisTaskInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceToneAnalysisTaskOutput.httpOutput(from:), GetVoiceToneAnalysisTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4222,9 +4168,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the available AWS Regions in which you can create an Amazon Chime SDK Voice Connector. /// - /// - Parameter ListAvailableVoiceConnectorRegionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAvailableVoiceConnectorRegionsInput`) /// - /// - Returns: `ListAvailableVoiceConnectorRegionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAvailableVoiceConnectorRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4260,7 +4206,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAvailableVoiceConnectorRegionsOutput.httpOutput(from:), ListAvailableVoiceConnectorRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4292,9 +4237,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the phone numbers for an administrator's Amazon Chime SDK account. /// - /// - Parameter ListPhoneNumberOrdersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPhoneNumberOrdersInput`) /// - /// - Returns: `ListPhoneNumberOrdersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPhoneNumberOrdersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4331,7 +4276,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPhoneNumberOrdersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPhoneNumberOrdersOutput.httpOutput(from:), ListPhoneNumberOrdersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4363,9 +4307,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the phone numbers for the specified Amazon Chime SDK account, Amazon Chime SDK user, Amazon Chime SDK Voice Connector, or Amazon Chime SDK Voice Connector group. /// - /// - Parameter ListPhoneNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPhoneNumbersInput`) /// - /// - Returns: `ListPhoneNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPhoneNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4403,7 +4347,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPhoneNumbersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPhoneNumbersOutput.httpOutput(from:), ListPhoneNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4435,9 +4378,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the proxy sessions for the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter ListProxySessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProxySessionsInput`) /// - /// - Returns: `ListProxySessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProxySessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4475,7 +4418,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProxySessionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProxySessionsOutput.httpOutput(from:), ListProxySessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4507,9 +4449,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the SIP media applications under the administrator's AWS account. /// - /// - Parameter ListSipMediaApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSipMediaApplicationsInput`) /// - /// - Returns: `ListSipMediaApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSipMediaApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4546,7 +4488,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSipMediaApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSipMediaApplicationsOutput.httpOutput(from:), ListSipMediaApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4578,9 +4519,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the SIP rules under the administrator's AWS account. /// - /// - Parameter ListSipRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSipRulesInput`) /// - /// - Returns: `ListSipRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSipRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4617,7 +4558,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSipRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSipRulesOutput.httpOutput(from:), ListSipRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4649,9 +4589,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the countries that you can order phone numbers from. /// - /// - Parameter ListSupportedPhoneNumberCountriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSupportedPhoneNumberCountriesInput`) /// - /// - Returns: `ListSupportedPhoneNumberCountriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSupportedPhoneNumberCountriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4689,7 +4629,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSupportedPhoneNumberCountriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSupportedPhoneNumberCountriesOutput.httpOutput(from:), ListSupportedPhoneNumberCountriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4721,9 +4660,9 @@ extension ChimeSDKVoiceClient { /// /// Returns a list of the tags in a given resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4760,7 +4699,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4792,9 +4730,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the Amazon Chime SDK Voice Connector groups in the administrator's AWS account. /// - /// - Parameter ListVoiceConnectorGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVoiceConnectorGroupsInput`) /// - /// - Returns: `ListVoiceConnectorGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVoiceConnectorGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4831,7 +4769,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVoiceConnectorGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVoiceConnectorGroupsOutput.httpOutput(from:), ListVoiceConnectorGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4863,9 +4800,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the SIP credentials for the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter ListVoiceConnectorTerminationCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVoiceConnectorTerminationCredentialsInput`) /// - /// - Returns: `ListVoiceConnectorTerminationCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVoiceConnectorTerminationCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4902,7 +4839,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVoiceConnectorTerminationCredentialsOutput.httpOutput(from:), ListVoiceConnectorTerminationCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4934,9 +4870,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the Amazon Chime SDK Voice Connectors in the administrators AWS account. /// - /// - Parameter ListVoiceConnectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVoiceConnectorsInput`) /// - /// - Returns: `ListVoiceConnectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVoiceConnectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4973,7 +4909,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVoiceConnectorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVoiceConnectorsOutput.httpOutput(from:), ListVoiceConnectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5005,9 +4940,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the specified voice profile domains in the administrator's AWS account. /// - /// - Parameter ListVoiceProfileDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVoiceProfileDomainsInput`) /// - /// - Returns: `ListVoiceProfileDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVoiceProfileDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5045,7 +4980,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVoiceProfileDomainsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVoiceProfileDomainsOutput.httpOutput(from:), ListVoiceProfileDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5077,9 +5011,9 @@ extension ChimeSDKVoiceClient { /// /// Lists the voice profiles in a voice profile domain. /// - /// - Parameter ListVoiceProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVoiceProfilesInput`) /// - /// - Returns: `ListVoiceProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVoiceProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5117,7 +5051,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVoiceProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVoiceProfilesOutput.httpOutput(from:), ListVoiceProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5150,9 +5083,9 @@ extension ChimeSDKVoiceClient { /// Updates the Alexa Skill configuration for the SIP media application. Due to changes made by the Amazon Alexa service, this API is no longer available for use. For more information, refer to the [Alexa Smart Properties](https://developer.amazon.com/en-US/alexa/alexasmartproperties) page. @available(*, deprecated, message: "Due to changes made by the Amazon Alexa service, this API is no longer available for use. For more information, refer to the Alexa Smart Properties page(https://developer.amazon.com/en-US/alexa/alexasmartproperties).") /// - /// - Parameter PutSipMediaApplicationAlexaSkillConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSipMediaApplicationAlexaSkillConfigurationInput`) /// - /// - Returns: `PutSipMediaApplicationAlexaSkillConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSipMediaApplicationAlexaSkillConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5192,7 +5125,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSipMediaApplicationAlexaSkillConfigurationOutput.httpOutput(from:), PutSipMediaApplicationAlexaSkillConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5224,9 +5156,9 @@ extension ChimeSDKVoiceClient { /// /// Updates the logging configuration for the specified SIP media application. /// - /// - Parameter PutSipMediaApplicationLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSipMediaApplicationLoggingConfigurationInput`) /// - /// - Returns: `PutSipMediaApplicationLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSipMediaApplicationLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5266,7 +5198,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSipMediaApplicationLoggingConfigurationOutput.httpOutput(from:), PutSipMediaApplicationLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5298,9 +5229,9 @@ extension ChimeSDKVoiceClient { /// /// Updates a Voice Connector's emergency calling configuration. /// - /// - Parameter PutVoiceConnectorEmergencyCallingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVoiceConnectorEmergencyCallingConfigurationInput`) /// - /// - Returns: `PutVoiceConnectorEmergencyCallingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVoiceConnectorEmergencyCallingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5340,7 +5271,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVoiceConnectorEmergencyCallingConfigurationOutput.httpOutput(from:), PutVoiceConnectorEmergencyCallingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5372,9 +5302,9 @@ extension ChimeSDKVoiceClient { /// /// Adds an external systems configuration to a Voice Connector. /// - /// - Parameter PutVoiceConnectorExternalSystemsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVoiceConnectorExternalSystemsConfigurationInput`) /// - /// - Returns: `PutVoiceConnectorExternalSystemsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVoiceConnectorExternalSystemsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5415,7 +5345,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVoiceConnectorExternalSystemsConfigurationOutput.httpOutput(from:), PutVoiceConnectorExternalSystemsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5447,9 +5376,9 @@ extension ChimeSDKVoiceClient { /// /// Updates a Voice Connector's logging configuration. /// - /// - Parameter PutVoiceConnectorLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVoiceConnectorLoggingConfigurationInput`) /// - /// - Returns: `PutVoiceConnectorLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVoiceConnectorLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5489,7 +5418,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVoiceConnectorLoggingConfigurationOutput.httpOutput(from:), PutVoiceConnectorLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5521,9 +5449,9 @@ extension ChimeSDKVoiceClient { /// /// Updates a Voice Connector's origination settings. /// - /// - Parameter PutVoiceConnectorOriginationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVoiceConnectorOriginationInput`) /// - /// - Returns: `PutVoiceConnectorOriginationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVoiceConnectorOriginationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5563,7 +5491,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVoiceConnectorOriginationOutput.httpOutput(from:), PutVoiceConnectorOriginationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5595,9 +5522,9 @@ extension ChimeSDKVoiceClient { /// /// Puts the specified proxy configuration to the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter PutVoiceConnectorProxyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVoiceConnectorProxyInput`) /// - /// - Returns: `PutVoiceConnectorProxyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVoiceConnectorProxyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5638,7 +5565,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVoiceConnectorProxyOutput.httpOutput(from:), PutVoiceConnectorProxyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5670,9 +5596,9 @@ extension ChimeSDKVoiceClient { /// /// Updates a Voice Connector's streaming configuration settings. /// - /// - Parameter PutVoiceConnectorStreamingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVoiceConnectorStreamingConfigurationInput`) /// - /// - Returns: `PutVoiceConnectorStreamingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVoiceConnectorStreamingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5712,7 +5638,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVoiceConnectorStreamingConfigurationOutput.httpOutput(from:), PutVoiceConnectorStreamingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5744,9 +5669,9 @@ extension ChimeSDKVoiceClient { /// /// Updates a Voice Connector's termination settings. /// - /// - Parameter PutVoiceConnectorTerminationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVoiceConnectorTerminationInput`) /// - /// - Returns: `PutVoiceConnectorTerminationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVoiceConnectorTerminationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5787,7 +5712,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVoiceConnectorTerminationOutput.httpOutput(from:), PutVoiceConnectorTerminationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5819,9 +5743,9 @@ extension ChimeSDKVoiceClient { /// /// Updates a Voice Connector's termination credentials. /// - /// - Parameter PutVoiceConnectorTerminationCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVoiceConnectorTerminationCredentialsInput`) /// - /// - Returns: `PutVoiceConnectorTerminationCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVoiceConnectorTerminationCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5862,7 +5786,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVoiceConnectorTerminationCredentialsOutput.httpOutput(from:), PutVoiceConnectorTerminationCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5894,9 +5817,9 @@ extension ChimeSDKVoiceClient { /// /// Restores a deleted phone number. /// - /// - Parameter RestorePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestorePhoneNumberInput`) /// - /// - Returns: `RestorePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestorePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5935,7 +5858,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RestorePhoneNumberInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestorePhoneNumberOutput.httpOutput(from:), RestorePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5967,9 +5889,9 @@ extension ChimeSDKVoiceClient { /// /// Searches the provisioned phone numbers in an organization. /// - /// - Parameter SearchAvailablePhoneNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchAvailablePhoneNumbersInput`) /// - /// - Returns: `SearchAvailablePhoneNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchAvailablePhoneNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6007,7 +5929,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(SearchAvailablePhoneNumbersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchAvailablePhoneNumbersOutput.httpOutput(from:), SearchAvailablePhoneNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6039,9 +5960,9 @@ extension ChimeSDKVoiceClient { /// /// Starts a speaker search task. Before starting any speaker search tasks, you must provide all notices and obtain all consents from the speaker as required under applicable privacy and biometrics laws, and as required under the [AWS service terms](https://aws.amazon.com/service-terms/) for the Amazon Chime SDK. /// - /// - Parameter StartSpeakerSearchTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSpeakerSearchTaskInput`) /// - /// - Returns: `StartSpeakerSearchTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSpeakerSearchTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6086,7 +6007,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSpeakerSearchTaskOutput.httpOutput(from:), StartSpeakerSearchTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6118,9 +6038,9 @@ extension ChimeSDKVoiceClient { /// /// Starts a voice tone analysis task. For more information about voice tone analysis, see [Using Amazon Chime SDK voice analytics](https://docs.aws.amazon.com/chime-sdk/latest/dg/pstn-voice-analytics.html) in the Amazon Chime SDK Developer Guide. Before starting any voice tone analysis tasks, you must provide all notices and obtain all consents from the speaker as required under applicable privacy and biometrics laws, and as required under the [AWS service terms](https://aws.amazon.com/service-terms/) for the Amazon Chime SDK. /// - /// - Parameter StartVoiceToneAnalysisTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartVoiceToneAnalysisTaskInput`) /// - /// - Returns: `StartVoiceToneAnalysisTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartVoiceToneAnalysisTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6165,7 +6085,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartVoiceToneAnalysisTaskOutput.httpOutput(from:), StartVoiceToneAnalysisTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6197,9 +6116,9 @@ extension ChimeSDKVoiceClient { /// /// Stops a speaker search task. /// - /// - Parameter StopSpeakerSearchTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSpeakerSearchTaskInput`) /// - /// - Returns: `StopSpeakerSearchTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSpeakerSearchTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6240,7 +6159,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(StopSpeakerSearchTaskInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSpeakerSearchTaskOutput.httpOutput(from:), StopSpeakerSearchTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6272,9 +6190,9 @@ extension ChimeSDKVoiceClient { /// /// Stops a voice tone analysis task. /// - /// - Parameter StopVoiceToneAnalysisTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopVoiceToneAnalysisTaskInput`) /// - /// - Returns: `StopVoiceToneAnalysisTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopVoiceToneAnalysisTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6315,7 +6233,6 @@ extension ChimeSDKVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(StopVoiceToneAnalysisTaskInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopVoiceToneAnalysisTaskOutput.httpOutput(from:), StopVoiceToneAnalysisTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6347,9 +6264,9 @@ extension ChimeSDKVoiceClient { /// /// Adds a tag to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6390,7 +6307,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6422,9 +6338,9 @@ extension ChimeSDKVoiceClient { /// /// Removes tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6464,7 +6380,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6496,9 +6411,9 @@ extension ChimeSDKVoiceClient { /// /// Updates global settings for the Amazon Chime SDK Voice Connectors in an AWS account. /// - /// - Parameter UpdateGlobalSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGlobalSettingsInput`) /// - /// - Returns: `UpdateGlobalSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGlobalSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6537,7 +6452,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGlobalSettingsOutput.httpOutput(from:), UpdateGlobalSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6569,9 +6483,9 @@ extension ChimeSDKVoiceClient { /// /// Updates phone number details, such as product type, calling name, or phone number name for the specified phone number ID. You can update one phone number detail at a time. For example, you can update either the product type, calling name, or phone number name in one action. For numbers outside the U.S., you must use the Amazon Chime SDK SIP Media Application Dial-In product type. Updates to outbound calling names can take 72 hours to complete. Pending updates to outbound calling names must be complete before you can request another update. /// - /// - Parameter UpdatePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePhoneNumberInput`) /// - /// - Returns: `UpdatePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6612,7 +6526,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePhoneNumberOutput.httpOutput(from:), UpdatePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6644,9 +6557,9 @@ extension ChimeSDKVoiceClient { /// /// Updates the phone number settings for the administrator's AWS account, such as the default outbound calling name. You can update the default outbound calling name once every seven days. Outbound calling names can take up to 72 hours to update. /// - /// - Parameter UpdatePhoneNumberSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePhoneNumberSettingsInput`) /// - /// - Returns: `UpdatePhoneNumberSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePhoneNumberSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6685,7 +6598,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePhoneNumberSettingsOutput.httpOutput(from:), UpdatePhoneNumberSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6717,9 +6629,9 @@ extension ChimeSDKVoiceClient { /// /// Updates the specified proxy session details, such as voice or SMS capabilities. /// - /// - Parameter UpdateProxySessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProxySessionInput`) /// - /// - Returns: `UpdateProxySessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProxySessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6759,7 +6671,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProxySessionOutput.httpOutput(from:), UpdateProxySessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6791,9 +6702,9 @@ extension ChimeSDKVoiceClient { /// /// Updates the details of the specified SIP media application. /// - /// - Parameter UpdateSipMediaApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSipMediaApplicationInput`) /// - /// - Returns: `UpdateSipMediaApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSipMediaApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6834,7 +6745,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSipMediaApplicationOutput.httpOutput(from:), UpdateSipMediaApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6866,9 +6776,9 @@ extension ChimeSDKVoiceClient { /// /// Invokes the AWS Lambda function associated with the SIP media application and transaction ID in an update request. The Lambda function can then return a new set of actions. /// - /// - Parameter UpdateSipMediaApplicationCallInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSipMediaApplicationCallInput`) /// - /// - Returns: `UpdateSipMediaApplicationCallOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSipMediaApplicationCallOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6909,7 +6819,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSipMediaApplicationCallOutput.httpOutput(from:), UpdateSipMediaApplicationCallOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6941,9 +6850,9 @@ extension ChimeSDKVoiceClient { /// /// Updates the details of the specified SIP rule. /// - /// - Parameter UpdateSipRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSipRuleInput`) /// - /// - Returns: `UpdateSipRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSipRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6985,7 +6894,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSipRuleOutput.httpOutput(from:), UpdateSipRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7017,9 +6925,9 @@ extension ChimeSDKVoiceClient { /// /// Updates the details for the specified Amazon Chime SDK Voice Connector. /// - /// - Parameter UpdateVoiceConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVoiceConnectorInput`) /// - /// - Returns: `UpdateVoiceConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVoiceConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7059,7 +6967,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVoiceConnectorOutput.httpOutput(from:), UpdateVoiceConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7091,9 +6998,9 @@ extension ChimeSDKVoiceClient { /// /// Updates the settings for the specified Amazon Chime SDK Voice Connector group. /// - /// - Parameter UpdateVoiceConnectorGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVoiceConnectorGroupInput`) /// - /// - Returns: `UpdateVoiceConnectorGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVoiceConnectorGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7134,7 +7041,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVoiceConnectorGroupOutput.httpOutput(from:), UpdateVoiceConnectorGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7166,9 +7072,9 @@ extension ChimeSDKVoiceClient { /// /// Updates the specified voice profile’s voice print and refreshes its expiration timestamp. As a condition of using this feature, you acknowledge that the collection, use, storage, and retention of your caller’s biometric identifiers and biometric information (“biometric data”) in the form of a digital voiceprint requires the caller’s informed consent via a written release. Such consent is required under various state laws, including biometrics laws in Illinois, Texas, Washington and other state privacy laws. You must provide a written release to each caller through a process that clearly reflects each caller’s informed consent before using Amazon Chime SDK Voice Insights service, as required under the terms of your agreement with AWS governing your use of the service. /// - /// - Parameter UpdateVoiceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVoiceProfileInput`) /// - /// - Returns: `UpdateVoiceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVoiceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7211,7 +7117,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVoiceProfileOutput.httpOutput(from:), UpdateVoiceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7243,9 +7148,9 @@ extension ChimeSDKVoiceClient { /// /// Updates the settings for the specified voice profile domain. /// - /// - Parameter UpdateVoiceProfileDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVoiceProfileDomainInput`) /// - /// - Returns: `UpdateVoiceProfileDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVoiceProfileDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7286,7 +7191,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVoiceProfileDomainOutput.httpOutput(from:), UpdateVoiceProfileDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7318,9 +7222,9 @@ extension ChimeSDKVoiceClient { /// /// Validates an address to be used for 911 calls made with Amazon Chime SDK Voice Connectors. You can use validated addresses in a Presence Information Data Format Location Object file that you include in SIP requests. That helps ensure that addresses are routed to the appropriate Public Safety Answering Point. /// - /// - Parameter ValidateE911AddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidateE911AddressInput`) /// - /// - Returns: `ValidateE911AddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidateE911AddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7361,7 +7265,6 @@ extension ChimeSDKVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateE911AddressOutput.httpOutput(from:), ValidateE911AddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCleanRooms/Sources/AWSCleanRooms/CleanRoomsClient.swift b/Sources/Services/AWSCleanRooms/Sources/AWSCleanRooms/CleanRoomsClient.swift index da87f929074..1181ca4fdb7 100644 --- a/Sources/Services/AWSCleanRooms/Sources/AWSCleanRooms/CleanRoomsClient.swift +++ b/Sources/Services/AWSCleanRooms/Sources/AWSCleanRooms/CleanRoomsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CleanRoomsClient: ClientRuntime.Client { public static let clientName = "CleanRoomsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CleanRoomsClient.CleanRoomsClientConfiguration let serviceName = "CleanRooms" @@ -373,9 +372,9 @@ extension CleanRoomsClient { /// /// Retrieves multiple analysis templates within a collaboration by their Amazon Resource Names (ARNs). /// - /// - Parameter BatchGetCollaborationAnalysisTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetCollaborationAnalysisTemplateInput`) /// - /// - Returns: `BatchGetCollaborationAnalysisTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetCollaborationAnalysisTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetCollaborationAnalysisTemplateOutput.httpOutput(from:), BatchGetCollaborationAnalysisTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension CleanRoomsClient { /// /// Retrieves multiple schemas by their identifiers. /// - /// - Parameter BatchGetSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetSchemaInput`) /// - /// - Returns: `BatchGetSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetSchemaOutput.httpOutput(from:), BatchGetSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension CleanRoomsClient { /// /// Retrieves multiple analysis rule schemas. /// - /// - Parameter BatchGetSchemaAnalysisRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetSchemaAnalysisRuleInput`) /// - /// - Returns: `BatchGetSchemaAnalysisRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetSchemaAnalysisRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetSchemaAnalysisRuleOutput.httpOutput(from:), BatchGetSchemaAnalysisRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -589,9 +585,9 @@ extension CleanRoomsClient { /// /// Creates a new analysis template. /// - /// - Parameter CreateAnalysisTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAnalysisTemplateInput`) /// - /// - Returns: `CreateAnalysisTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAnalysisTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAnalysisTemplateOutput.httpOutput(from:), CreateAnalysisTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension CleanRoomsClient { /// /// Creates a new collaboration. /// - /// - Parameter CreateCollaborationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCollaborationInput`) /// - /// - Returns: `CreateCollaborationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCollaborationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCollaborationOutput.httpOutput(from:), CreateCollaborationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension CleanRoomsClient { /// /// Creates a new change request to modify an existing collaboration. This enables post-creation modifications to collaborations through a structured API-driven approach. /// - /// - Parameter CreateCollaborationChangeRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCollaborationChangeRequestInput`) /// - /// - Returns: `CreateCollaborationChangeRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCollaborationChangeRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCollaborationChangeRequestOutput.httpOutput(from:), CreateCollaborationChangeRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension CleanRoomsClient { /// /// Provides the details necessary to create a configured audience model association. /// - /// - Parameter CreateConfiguredAudienceModelAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfiguredAudienceModelAssociationInput`) /// - /// - Returns: `CreateConfiguredAudienceModelAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfiguredAudienceModelAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -851,7 +844,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfiguredAudienceModelAssociationOutput.httpOutput(from:), CreateConfiguredAudienceModelAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -883,9 +875,9 @@ extension CleanRoomsClient { /// /// Creates a new configured table resource. /// - /// - Parameter CreateConfiguredTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfiguredTableInput`) /// - /// - Returns: `CreateConfiguredTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfiguredTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +917,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfiguredTableOutput.httpOutput(from:), CreateConfiguredTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension CleanRoomsClient { /// /// Creates a new analysis rule for a configured table. Currently, only one analysis rule can be created for a given configured table. /// - /// - Parameter CreateConfiguredTableAnalysisRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfiguredTableAnalysisRuleInput`) /// - /// - Returns: `CreateConfiguredTableAnalysisRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfiguredTableAnalysisRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -999,7 +990,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfiguredTableAnalysisRuleOutput.httpOutput(from:), CreateConfiguredTableAnalysisRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1031,9 +1021,9 @@ extension CleanRoomsClient { /// /// Creates a configured table association. A configured table association links a configured table with a collaboration. /// - /// - Parameter CreateConfiguredTableAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfiguredTableAssociationInput`) /// - /// - Returns: `CreateConfiguredTableAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfiguredTableAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1073,7 +1063,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfiguredTableAssociationOutput.httpOutput(from:), CreateConfiguredTableAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1105,9 +1094,9 @@ extension CleanRoomsClient { /// /// Creates a new analysis rule for an associated configured table. /// - /// - Parameter CreateConfiguredTableAssociationAnalysisRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfiguredTableAssociationAnalysisRuleInput`) /// - /// - Returns: `CreateConfiguredTableAssociationAnalysisRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfiguredTableAssociationAnalysisRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1146,7 +1135,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfiguredTableAssociationAnalysisRuleOutput.httpOutput(from:), CreateConfiguredTableAssociationAnalysisRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1178,9 +1166,9 @@ extension CleanRoomsClient { /// /// Creates an ID mapping table. /// - /// - Parameter CreateIdMappingTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIdMappingTableInput`) /// - /// - Returns: `CreateIdMappingTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIdMappingTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1220,7 +1208,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIdMappingTableOutput.httpOutput(from:), CreateIdMappingTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1252,9 +1239,9 @@ extension CleanRoomsClient { /// /// Creates an ID namespace association. /// - /// - Parameter CreateIdNamespaceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIdNamespaceAssociationInput`) /// - /// - Returns: `CreateIdNamespaceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIdNamespaceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1294,7 +1281,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIdNamespaceAssociationOutput.httpOutput(from:), CreateIdNamespaceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1326,9 +1312,9 @@ extension CleanRoomsClient { /// /// Creates a membership for a specific collaboration identifier and joins the collaboration. /// - /// - Parameter CreateMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMembershipInput`) /// - /// - Returns: `CreateMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1368,7 +1354,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMembershipOutput.httpOutput(from:), CreateMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1400,9 +1385,9 @@ extension CleanRoomsClient { /// /// Creates a privacy budget template for a specified collaboration. Each collaboration can have only one privacy budget template. If you need to change the privacy budget template, use the [UpdatePrivacyBudgetTemplate] operation. /// - /// - Parameter CreatePrivacyBudgetTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePrivacyBudgetTemplateInput`) /// - /// - Returns: `CreatePrivacyBudgetTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePrivacyBudgetTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1442,7 +1427,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePrivacyBudgetTemplateOutput.httpOutput(from:), CreatePrivacyBudgetTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1474,9 +1458,9 @@ extension CleanRoomsClient { /// /// Deletes an analysis template. /// - /// - Parameter DeleteAnalysisTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAnalysisTemplateInput`) /// - /// - Returns: `DeleteAnalysisTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAnalysisTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1511,7 +1495,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnalysisTemplateOutput.httpOutput(from:), DeleteAnalysisTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1543,9 +1526,9 @@ extension CleanRoomsClient { /// /// Deletes a collaboration. It can only be called by the collaboration owner. /// - /// - Parameter DeleteCollaborationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCollaborationInput`) /// - /// - Returns: `DeleteCollaborationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCollaborationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1579,7 +1562,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCollaborationOutput.httpOutput(from:), DeleteCollaborationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1611,9 +1593,9 @@ extension CleanRoomsClient { /// /// Provides the information necessary to delete a configured audience model association. /// - /// - Parameter DeleteConfiguredAudienceModelAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfiguredAudienceModelAssociationInput`) /// - /// - Returns: `DeleteConfiguredAudienceModelAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfiguredAudienceModelAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1648,7 +1630,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfiguredAudienceModelAssociationOutput.httpOutput(from:), DeleteConfiguredAudienceModelAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1680,9 +1661,9 @@ extension CleanRoomsClient { /// /// Deletes a configured table. /// - /// - Parameter DeleteConfiguredTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfiguredTableInput`) /// - /// - Returns: `DeleteConfiguredTableOutput` : The empty output for a successful deletion. + /// - Returns: The empty output for a successful deletion. (Type: `DeleteConfiguredTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1718,7 +1699,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfiguredTableOutput.httpOutput(from:), DeleteConfiguredTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1750,9 +1730,9 @@ extension CleanRoomsClient { /// /// Deletes a configured table analysis rule. /// - /// - Parameter DeleteConfiguredTableAnalysisRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfiguredTableAnalysisRuleInput`) /// - /// - Returns: `DeleteConfiguredTableAnalysisRuleOutput` : An empty response that indicates a successful delete. + /// - Returns: An empty response that indicates a successful delete. (Type: `DeleteConfiguredTableAnalysisRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1788,7 +1768,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfiguredTableAnalysisRuleOutput.httpOutput(from:), DeleteConfiguredTableAnalysisRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1820,9 +1799,9 @@ extension CleanRoomsClient { /// /// Deletes a configured table association. /// - /// - Parameter DeleteConfiguredTableAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfiguredTableAssociationInput`) /// - /// - Returns: `DeleteConfiguredTableAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfiguredTableAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1858,7 +1837,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfiguredTableAssociationOutput.httpOutput(from:), DeleteConfiguredTableAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1890,9 +1868,9 @@ extension CleanRoomsClient { /// /// Deletes an analysis rule for a configured table association. /// - /// - Parameter DeleteConfiguredTableAssociationAnalysisRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfiguredTableAssociationAnalysisRuleInput`) /// - /// - Returns: `DeleteConfiguredTableAssociationAnalysisRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfiguredTableAssociationAnalysisRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1928,7 +1906,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfiguredTableAssociationAnalysisRuleOutput.httpOutput(from:), DeleteConfiguredTableAssociationAnalysisRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1960,9 +1937,9 @@ extension CleanRoomsClient { /// /// Deletes an ID mapping table. /// - /// - Parameter DeleteIdMappingTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdMappingTableInput`) /// - /// - Returns: `DeleteIdMappingTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdMappingTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1997,7 +1974,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdMappingTableOutput.httpOutput(from:), DeleteIdMappingTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2029,9 +2005,9 @@ extension CleanRoomsClient { /// /// Deletes an ID namespace association. /// - /// - Parameter DeleteIdNamespaceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdNamespaceAssociationInput`) /// - /// - Returns: `DeleteIdNamespaceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdNamespaceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2066,7 +2042,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdNamespaceAssociationOutput.httpOutput(from:), DeleteIdNamespaceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2098,9 +2073,9 @@ extension CleanRoomsClient { /// /// Removes the specified member from a collaboration. The removed member is placed in the Removed status and can't interact with the collaboration. The removed member's data is inaccessible to active members of the collaboration. /// - /// - Parameter DeleteMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMemberInput`) /// - /// - Returns: `DeleteMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2136,7 +2111,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMemberOutput.httpOutput(from:), DeleteMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2168,9 +2142,9 @@ extension CleanRoomsClient { /// /// Deletes a specified membership. All resources under a membership must be deleted. /// - /// - Parameter DeleteMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMembershipInput`) /// - /// - Returns: `DeleteMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2206,7 +2180,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMembershipOutput.httpOutput(from:), DeleteMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2238,9 +2211,9 @@ extension CleanRoomsClient { /// /// Deletes a privacy budget template for a specified collaboration. /// - /// - Parameter DeletePrivacyBudgetTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePrivacyBudgetTemplateInput`) /// - /// - Returns: `DeletePrivacyBudgetTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePrivacyBudgetTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2275,7 +2248,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePrivacyBudgetTemplateOutput.httpOutput(from:), DeletePrivacyBudgetTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2307,9 +2279,9 @@ extension CleanRoomsClient { /// /// Retrieves an analysis template. /// - /// - Parameter GetAnalysisTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAnalysisTemplateInput`) /// - /// - Returns: `GetAnalysisTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAnalysisTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2344,7 +2316,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnalysisTemplateOutput.httpOutput(from:), GetAnalysisTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2376,9 +2347,9 @@ extension CleanRoomsClient { /// /// Returns metadata about a collaboration. /// - /// - Parameter GetCollaborationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCollaborationInput`) /// - /// - Returns: `GetCollaborationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCollaborationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2412,7 +2383,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCollaborationOutput.httpOutput(from:), GetCollaborationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2444,9 +2414,9 @@ extension CleanRoomsClient { /// /// Retrieves an analysis template within a collaboration. /// - /// - Parameter GetCollaborationAnalysisTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCollaborationAnalysisTemplateInput`) /// - /// - Returns: `GetCollaborationAnalysisTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCollaborationAnalysisTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2481,7 +2451,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCollaborationAnalysisTemplateOutput.httpOutput(from:), GetCollaborationAnalysisTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2513,9 +2482,9 @@ extension CleanRoomsClient { /// /// Retrieves detailed information about a specific collaboration change request. /// - /// - Parameter GetCollaborationChangeRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCollaborationChangeRequestInput`) /// - /// - Returns: `GetCollaborationChangeRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCollaborationChangeRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2550,7 +2519,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCollaborationChangeRequestOutput.httpOutput(from:), GetCollaborationChangeRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2582,9 +2550,9 @@ extension CleanRoomsClient { /// /// Retrieves a configured audience model association within a collaboration. /// - /// - Parameter GetCollaborationConfiguredAudienceModelAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCollaborationConfiguredAudienceModelAssociationInput`) /// - /// - Returns: `GetCollaborationConfiguredAudienceModelAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCollaborationConfiguredAudienceModelAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2619,7 +2587,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCollaborationConfiguredAudienceModelAssociationOutput.httpOutput(from:), GetCollaborationConfiguredAudienceModelAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2651,9 +2618,9 @@ extension CleanRoomsClient { /// /// Retrieves an ID namespace association from a specific collaboration. /// - /// - Parameter GetCollaborationIdNamespaceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCollaborationIdNamespaceAssociationInput`) /// - /// - Returns: `GetCollaborationIdNamespaceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCollaborationIdNamespaceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2688,7 +2655,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCollaborationIdNamespaceAssociationOutput.httpOutput(from:), GetCollaborationIdNamespaceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2720,9 +2686,9 @@ extension CleanRoomsClient { /// /// Returns details about a specified privacy budget template. /// - /// - Parameter GetCollaborationPrivacyBudgetTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCollaborationPrivacyBudgetTemplateInput`) /// - /// - Returns: `GetCollaborationPrivacyBudgetTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCollaborationPrivacyBudgetTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2757,7 +2723,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCollaborationPrivacyBudgetTemplateOutput.httpOutput(from:), GetCollaborationPrivacyBudgetTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2789,9 +2754,9 @@ extension CleanRoomsClient { /// /// Returns information about a configured audience model association. /// - /// - Parameter GetConfiguredAudienceModelAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfiguredAudienceModelAssociationInput`) /// - /// - Returns: `GetConfiguredAudienceModelAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfiguredAudienceModelAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2826,7 +2791,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfiguredAudienceModelAssociationOutput.httpOutput(from:), GetConfiguredAudienceModelAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2858,9 +2822,9 @@ extension CleanRoomsClient { /// /// Retrieves a configured table. /// - /// - Parameter GetConfiguredTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfiguredTableInput`) /// - /// - Returns: `GetConfiguredTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfiguredTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2895,7 +2859,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfiguredTableOutput.httpOutput(from:), GetConfiguredTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2927,9 +2890,9 @@ extension CleanRoomsClient { /// /// Retrieves a configured table analysis rule. /// - /// - Parameter GetConfiguredTableAnalysisRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfiguredTableAnalysisRuleInput`) /// - /// - Returns: `GetConfiguredTableAnalysisRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfiguredTableAnalysisRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2964,7 +2927,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfiguredTableAnalysisRuleOutput.httpOutput(from:), GetConfiguredTableAnalysisRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2996,9 +2958,9 @@ extension CleanRoomsClient { /// /// Retrieves a configured table association. /// - /// - Parameter GetConfiguredTableAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfiguredTableAssociationInput`) /// - /// - Returns: `GetConfiguredTableAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfiguredTableAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3033,7 +2995,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfiguredTableAssociationOutput.httpOutput(from:), GetConfiguredTableAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3065,9 +3026,9 @@ extension CleanRoomsClient { /// /// Retrieves the analysis rule for a configured table association. /// - /// - Parameter GetConfiguredTableAssociationAnalysisRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfiguredTableAssociationAnalysisRuleInput`) /// - /// - Returns: `GetConfiguredTableAssociationAnalysisRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfiguredTableAssociationAnalysisRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3102,7 +3063,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfiguredTableAssociationAnalysisRuleOutput.httpOutput(from:), GetConfiguredTableAssociationAnalysisRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3134,9 +3094,9 @@ extension CleanRoomsClient { /// /// Retrieves an ID mapping table. /// - /// - Parameter GetIdMappingTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdMappingTableInput`) /// - /// - Returns: `GetIdMappingTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdMappingTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3171,7 +3131,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdMappingTableOutput.httpOutput(from:), GetIdMappingTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3203,9 +3162,9 @@ extension CleanRoomsClient { /// /// Retrieves an ID namespace association. /// - /// - Parameter GetIdNamespaceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdNamespaceAssociationInput`) /// - /// - Returns: `GetIdNamespaceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdNamespaceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3240,7 +3199,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdNamespaceAssociationOutput.httpOutput(from:), GetIdNamespaceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3272,9 +3230,9 @@ extension CleanRoomsClient { /// /// Retrieves a specified membership for an identifier. /// - /// - Parameter GetMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMembershipInput`) /// - /// - Returns: `GetMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3309,7 +3267,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMembershipOutput.httpOutput(from:), GetMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3341,9 +3298,9 @@ extension CleanRoomsClient { /// /// Returns details for a specified privacy budget template. /// - /// - Parameter GetPrivacyBudgetTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPrivacyBudgetTemplateInput`) /// - /// - Returns: `GetPrivacyBudgetTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPrivacyBudgetTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3378,7 +3335,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPrivacyBudgetTemplateOutput.httpOutput(from:), GetPrivacyBudgetTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3410,9 +3366,9 @@ extension CleanRoomsClient { /// /// Returns job processing metadata. /// - /// - Parameter GetProtectedJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProtectedJobInput`) /// - /// - Returns: `GetProtectedJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProtectedJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3447,7 +3403,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProtectedJobOutput.httpOutput(from:), GetProtectedJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3479,9 +3434,9 @@ extension CleanRoomsClient { /// /// Returns query processing metadata. /// - /// - Parameter GetProtectedQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProtectedQueryInput`) /// - /// - Returns: `GetProtectedQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProtectedQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3516,7 +3471,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProtectedQueryOutput.httpOutput(from:), GetProtectedQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3548,9 +3502,9 @@ extension CleanRoomsClient { /// /// Retrieves the schema for a relation within a collaboration. /// - /// - Parameter GetSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaInput`) /// - /// - Returns: `GetSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3585,7 +3539,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaOutput.httpOutput(from:), GetSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3617,9 +3570,9 @@ extension CleanRoomsClient { /// /// Retrieves a schema analysis rule. /// - /// - Parameter GetSchemaAnalysisRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaAnalysisRuleInput`) /// - /// - Returns: `GetSchemaAnalysisRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaAnalysisRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3654,7 +3607,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaAnalysisRuleOutput.httpOutput(from:), GetSchemaAnalysisRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3686,9 +3638,9 @@ extension CleanRoomsClient { /// /// Lists analysis templates that the caller owns. /// - /// - Parameter ListAnalysisTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnalysisTemplatesInput`) /// - /// - Returns: `ListAnalysisTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnalysisTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3724,7 +3676,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAnalysisTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnalysisTemplatesOutput.httpOutput(from:), ListAnalysisTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3756,9 +3707,9 @@ extension CleanRoomsClient { /// /// Lists analysis templates within a collaboration. /// - /// - Parameter ListCollaborationAnalysisTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationAnalysisTemplatesInput`) /// - /// - Returns: `ListCollaborationAnalysisTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationAnalysisTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3794,7 +3745,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationAnalysisTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationAnalysisTemplatesOutput.httpOutput(from:), ListCollaborationAnalysisTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3826,9 +3776,9 @@ extension CleanRoomsClient { /// /// Lists all change requests for a collaboration with pagination support. Returns change requests sorted by creation time. /// - /// - Parameter ListCollaborationChangeRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationChangeRequestsInput`) /// - /// - Returns: `ListCollaborationChangeRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationChangeRequestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3864,7 +3814,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationChangeRequestsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationChangeRequestsOutput.httpOutput(from:), ListCollaborationChangeRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3896,9 +3845,9 @@ extension CleanRoomsClient { /// /// Lists configured audience model associations within a collaboration. /// - /// - Parameter ListCollaborationConfiguredAudienceModelAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationConfiguredAudienceModelAssociationsInput`) /// - /// - Returns: `ListCollaborationConfiguredAudienceModelAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationConfiguredAudienceModelAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3934,7 +3883,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationConfiguredAudienceModelAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationConfiguredAudienceModelAssociationsOutput.httpOutput(from:), ListCollaborationConfiguredAudienceModelAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3966,9 +3914,9 @@ extension CleanRoomsClient { /// /// Returns a list of the ID namespace associations in a collaboration. /// - /// - Parameter ListCollaborationIdNamespaceAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationIdNamespaceAssociationsInput`) /// - /// - Returns: `ListCollaborationIdNamespaceAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationIdNamespaceAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4004,7 +3952,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationIdNamespaceAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationIdNamespaceAssociationsOutput.httpOutput(from:), ListCollaborationIdNamespaceAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4036,9 +3983,9 @@ extension CleanRoomsClient { /// /// Returns an array that summarizes each privacy budget template in a specified collaboration. /// - /// - Parameter ListCollaborationPrivacyBudgetTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationPrivacyBudgetTemplatesInput`) /// - /// - Returns: `ListCollaborationPrivacyBudgetTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationPrivacyBudgetTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4074,7 +4021,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationPrivacyBudgetTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationPrivacyBudgetTemplatesOutput.httpOutput(from:), ListCollaborationPrivacyBudgetTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4106,9 +4052,9 @@ extension CleanRoomsClient { /// /// Returns an array that summarizes each privacy budget in a specified collaboration. The summary includes the collaboration ARN, creation time, creating account, and privacy budget details. /// - /// - Parameter ListCollaborationPrivacyBudgetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationPrivacyBudgetsInput`) /// - /// - Returns: `ListCollaborationPrivacyBudgetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationPrivacyBudgetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4144,7 +4090,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationPrivacyBudgetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationPrivacyBudgetsOutput.httpOutput(from:), ListCollaborationPrivacyBudgetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4176,9 +4121,9 @@ extension CleanRoomsClient { /// /// Lists collaborations the caller owns, is active in, or has been invited to. /// - /// - Parameter ListCollaborationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationsInput`) /// - /// - Returns: `ListCollaborationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4213,7 +4158,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationsOutput.httpOutput(from:), ListCollaborationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4245,9 +4189,9 @@ extension CleanRoomsClient { /// /// Lists information about requested configured audience model associations. /// - /// - Parameter ListConfiguredAudienceModelAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfiguredAudienceModelAssociationsInput`) /// - /// - Returns: `ListConfiguredAudienceModelAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfiguredAudienceModelAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4283,7 +4227,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfiguredAudienceModelAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfiguredAudienceModelAssociationsOutput.httpOutput(from:), ListConfiguredAudienceModelAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4315,9 +4258,9 @@ extension CleanRoomsClient { /// /// Lists configured table associations for a membership. /// - /// - Parameter ListConfiguredTableAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfiguredTableAssociationsInput`) /// - /// - Returns: `ListConfiguredTableAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfiguredTableAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4353,7 +4296,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfiguredTableAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfiguredTableAssociationsOutput.httpOutput(from:), ListConfiguredTableAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4385,9 +4327,9 @@ extension CleanRoomsClient { /// /// Lists configured tables. /// - /// - Parameter ListConfiguredTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfiguredTablesInput`) /// - /// - Returns: `ListConfiguredTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfiguredTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4422,7 +4364,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfiguredTablesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfiguredTablesOutput.httpOutput(from:), ListConfiguredTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4454,9 +4395,9 @@ extension CleanRoomsClient { /// /// Returns a list of ID mapping tables. /// - /// - Parameter ListIdMappingTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdMappingTablesInput`) /// - /// - Returns: `ListIdMappingTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdMappingTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4492,7 +4433,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdMappingTablesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdMappingTablesOutput.httpOutput(from:), ListIdMappingTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4524,9 +4464,9 @@ extension CleanRoomsClient { /// /// Returns a list of ID namespace associations. /// - /// - Parameter ListIdNamespaceAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdNamespaceAssociationsInput`) /// - /// - Returns: `ListIdNamespaceAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdNamespaceAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4562,7 +4502,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdNamespaceAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdNamespaceAssociationsOutput.httpOutput(from:), ListIdNamespaceAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4594,9 +4533,9 @@ extension CleanRoomsClient { /// /// Lists all members within a collaboration. /// - /// - Parameter ListMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMembersInput`) /// - /// - Returns: `ListMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4632,7 +4571,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMembersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMembersOutput.httpOutput(from:), ListMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4664,9 +4602,9 @@ extension CleanRoomsClient { /// /// Lists all memberships resources within the caller's account. /// - /// - Parameter ListMembershipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMembershipsInput`) /// - /// - Returns: `ListMembershipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMembershipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4701,7 +4639,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMembershipsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMembershipsOutput.httpOutput(from:), ListMembershipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4733,9 +4670,9 @@ extension CleanRoomsClient { /// /// Returns detailed information about the privacy budget templates in a specified membership. /// - /// - Parameter ListPrivacyBudgetTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPrivacyBudgetTemplatesInput`) /// - /// - Returns: `ListPrivacyBudgetTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPrivacyBudgetTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4771,7 +4708,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPrivacyBudgetTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPrivacyBudgetTemplatesOutput.httpOutput(from:), ListPrivacyBudgetTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4803,9 +4739,9 @@ extension CleanRoomsClient { /// /// Returns detailed information about the privacy budgets in a specified membership. /// - /// - Parameter ListPrivacyBudgetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPrivacyBudgetsInput`) /// - /// - Returns: `ListPrivacyBudgetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPrivacyBudgetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4841,7 +4777,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPrivacyBudgetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPrivacyBudgetsOutput.httpOutput(from:), ListPrivacyBudgetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4873,9 +4808,9 @@ extension CleanRoomsClient { /// /// Lists protected jobs, sorted by most recent job. /// - /// - Parameter ListProtectedJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProtectedJobsInput`) /// - /// - Returns: `ListProtectedJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProtectedJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4911,7 +4846,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProtectedJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProtectedJobsOutput.httpOutput(from:), ListProtectedJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4943,9 +4877,9 @@ extension CleanRoomsClient { /// /// Lists protected queries, sorted by the most recent query. /// - /// - Parameter ListProtectedQueriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProtectedQueriesInput`) /// - /// - Returns: `ListProtectedQueriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProtectedQueriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4981,7 +4915,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProtectedQueriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProtectedQueriesOutput.httpOutput(from:), ListProtectedQueriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5013,9 +4946,9 @@ extension CleanRoomsClient { /// /// Lists the schemas for relations within a collaboration. /// - /// - Parameter ListSchemasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchemasInput`) /// - /// - Returns: `ListSchemasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchemasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5051,7 +4984,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSchemasInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchemasOutput.httpOutput(from:), ListSchemasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5083,9 +5015,9 @@ extension CleanRoomsClient { /// /// Lists all of the tags that have been added to a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5117,7 +5049,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5149,9 +5080,9 @@ extension CleanRoomsClient { /// /// Defines the information that's necessary to populate an ID mapping table. /// - /// - Parameter PopulateIdMappingTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PopulateIdMappingTableInput`) /// - /// - Returns: `PopulateIdMappingTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PopulateIdMappingTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5191,7 +5122,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PopulateIdMappingTableOutput.httpOutput(from:), PopulateIdMappingTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5223,9 +5153,9 @@ extension CleanRoomsClient { /// /// An estimate of the number of aggregation functions that the member who can query can run given epsilon and noise parameters. /// - /// - Parameter PreviewPrivacyImpactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PreviewPrivacyImpactInput`) /// - /// - Returns: `PreviewPrivacyImpactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PreviewPrivacyImpactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5263,7 +5193,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PreviewPrivacyImpactOutput.httpOutput(from:), PreviewPrivacyImpactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5295,9 +5224,9 @@ extension CleanRoomsClient { /// /// Creates a protected job that is started by Clean Rooms. /// - /// - Parameter StartProtectedJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartProtectedJobInput`) /// - /// - Returns: `StartProtectedJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartProtectedJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5336,7 +5265,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartProtectedJobOutput.httpOutput(from:), StartProtectedJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5368,9 +5296,9 @@ extension CleanRoomsClient { /// /// Creates a protected query that is started by Clean Rooms. /// - /// - Parameter StartProtectedQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartProtectedQueryInput`) /// - /// - Returns: `StartProtectedQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartProtectedQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5409,7 +5337,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartProtectedQueryOutput.httpOutput(from:), StartProtectedQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5441,9 +5368,9 @@ extension CleanRoomsClient { /// /// Tags a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5478,7 +5405,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5510,9 +5436,9 @@ extension CleanRoomsClient { /// /// Removes a tag or list of tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5545,7 +5471,6 @@ extension CleanRoomsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5577,9 +5502,9 @@ extension CleanRoomsClient { /// /// Updates the analysis template metadata. /// - /// - Parameter UpdateAnalysisTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAnalysisTemplateInput`) /// - /// - Returns: `UpdateAnalysisTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAnalysisTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5617,7 +5542,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnalysisTemplateOutput.httpOutput(from:), UpdateAnalysisTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5649,9 +5573,9 @@ extension CleanRoomsClient { /// /// Updates collaboration metadata and can only be called by the collaboration owner. /// - /// - Parameter UpdateCollaborationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCollaborationInput`) /// - /// - Returns: `UpdateCollaborationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCollaborationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5688,7 +5612,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCollaborationOutput.httpOutput(from:), UpdateCollaborationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5720,9 +5643,9 @@ extension CleanRoomsClient { /// /// Provides the details necessary to update a configured audience model association. /// - /// - Parameter UpdateConfiguredAudienceModelAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfiguredAudienceModelAssociationInput`) /// - /// - Returns: `UpdateConfiguredAudienceModelAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfiguredAudienceModelAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5760,7 +5683,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfiguredAudienceModelAssociationOutput.httpOutput(from:), UpdateConfiguredAudienceModelAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5792,9 +5714,9 @@ extension CleanRoomsClient { /// /// Updates a configured table. /// - /// - Parameter UpdateConfiguredTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfiguredTableInput`) /// - /// - Returns: `UpdateConfiguredTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfiguredTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5834,7 +5756,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfiguredTableOutput.httpOutput(from:), UpdateConfiguredTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5866,9 +5787,9 @@ extension CleanRoomsClient { /// /// Updates a configured table analysis rule. /// - /// - Parameter UpdateConfiguredTableAnalysisRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfiguredTableAnalysisRuleInput`) /// - /// - Returns: `UpdateConfiguredTableAnalysisRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfiguredTableAnalysisRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5907,7 +5828,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfiguredTableAnalysisRuleOutput.httpOutput(from:), UpdateConfiguredTableAnalysisRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5939,9 +5859,9 @@ extension CleanRoomsClient { /// /// Updates a configured table association. /// - /// - Parameter UpdateConfiguredTableAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfiguredTableAssociationInput`) /// - /// - Returns: `UpdateConfiguredTableAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfiguredTableAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5980,7 +5900,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfiguredTableAssociationOutput.httpOutput(from:), UpdateConfiguredTableAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6012,9 +5931,9 @@ extension CleanRoomsClient { /// /// Updates the analysis rule for a configured table association. /// - /// - Parameter UpdateConfiguredTableAssociationAnalysisRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfiguredTableAssociationAnalysisRuleInput`) /// - /// - Returns: `UpdateConfiguredTableAssociationAnalysisRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfiguredTableAssociationAnalysisRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6053,7 +5972,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfiguredTableAssociationAnalysisRuleOutput.httpOutput(from:), UpdateConfiguredTableAssociationAnalysisRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6085,9 +6003,9 @@ extension CleanRoomsClient { /// /// Provides the details that are necessary to update an ID mapping table. /// - /// - Parameter UpdateIdMappingTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIdMappingTableInput`) /// - /// - Returns: `UpdateIdMappingTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIdMappingTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6125,7 +6043,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIdMappingTableOutput.httpOutput(from:), UpdateIdMappingTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6157,9 +6074,9 @@ extension CleanRoomsClient { /// /// Provides the details that are necessary to update an ID namespace association. /// - /// - Parameter UpdateIdNamespaceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIdNamespaceAssociationInput`) /// - /// - Returns: `UpdateIdNamespaceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIdNamespaceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6197,7 +6114,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIdNamespaceAssociationOutput.httpOutput(from:), UpdateIdNamespaceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6229,9 +6145,9 @@ extension CleanRoomsClient { /// /// Updates a membership. /// - /// - Parameter UpdateMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMembershipInput`) /// - /// - Returns: `UpdateMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6270,7 +6186,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMembershipOutput.httpOutput(from:), UpdateMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6302,9 +6217,9 @@ extension CleanRoomsClient { /// /// Updates the privacy budget template for the specified collaboration. /// - /// - Parameter UpdatePrivacyBudgetTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePrivacyBudgetTemplateInput`) /// - /// - Returns: `UpdatePrivacyBudgetTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePrivacyBudgetTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6343,7 +6258,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePrivacyBudgetTemplateOutput.httpOutput(from:), UpdatePrivacyBudgetTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6375,9 +6289,9 @@ extension CleanRoomsClient { /// /// Updates the processing of a currently running job. /// - /// - Parameter UpdateProtectedJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProtectedJobInput`) /// - /// - Returns: `UpdateProtectedJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProtectedJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6416,7 +6330,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProtectedJobOutput.httpOutput(from:), UpdateProtectedJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6448,9 +6361,9 @@ extension CleanRoomsClient { /// /// Updates the processing of a currently running query. /// - /// - Parameter UpdateProtectedQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProtectedQueryInput`) /// - /// - Returns: `UpdateProtectedQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProtectedQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6489,7 +6402,6 @@ extension CleanRoomsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProtectedQueryOutput.httpOutput(from:), UpdateProtectedQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCleanRooms/Sources/AWSCleanRooms/Models.swift b/Sources/Services/AWSCleanRooms/Sources/AWSCleanRooms/Models.swift index ab67580ab87..be3d6ad6c9e 100644 --- a/Sources/Services/AWSCleanRooms/Sources/AWSCleanRooms/Models.swift +++ b/Sources/Services/AWSCleanRooms/Sources/AWSCleanRooms/Models.swift @@ -439,6 +439,128 @@ extension CleanRoomsClientTypes { } } +extension CleanRoomsClientTypes { + + public enum SupportedS3Region: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { + case afSouth1 + case apEast1 + case apEast2 + case apNortheast1 + case apNortheast2 + case apNortheast3 + case apSoutheast1 + case apSoutheast2 + case apSoutheast3 + case apSoutheast4 + case apSoutheast5 + case apSoutheast7 + case apSouth1 + case apSouth2 + case caCentral1 + case caWest1 + case euCentral1 + case euCentral2 + case euNorth1 + case euSouth1 + case euSouth2 + case euWest1 + case euWest2 + case euWest3 + case ilCentral1 + case meCentral1 + case meSouth1 + case mxCentral1 + case saEast1 + case usEast1 + case usEast2 + case usWest1 + case usWest2 + case sdkUnknown(Swift.String) + + public static var allCases: [SupportedS3Region] { + return [ + .afSouth1, + .apEast1, + .apEast2, + .apNortheast1, + .apNortheast2, + .apNortheast3, + .apSoutheast1, + .apSoutheast2, + .apSoutheast3, + .apSoutheast4, + .apSoutheast5, + .apSoutheast7, + .apSouth1, + .apSouth2, + .caCentral1, + .caWest1, + .euCentral1, + .euCentral2, + .euNorth1, + .euSouth1, + .euSouth2, + .euWest1, + .euWest2, + .euWest3, + .ilCentral1, + .meCentral1, + .meSouth1, + .mxCentral1, + .saEast1, + .usEast1, + .usEast2, + .usWest1, + .usWest2 + ] + } + + public init?(rawValue: Swift.String) { + let value = Self.allCases.first(where: { $0.rawValue == rawValue }) + self = value ?? Self.sdkUnknown(rawValue) + } + + public var rawValue: Swift.String { + switch self { + case .afSouth1: return "af-south-1" + case .apEast1: return "ap-east-1" + case .apEast2: return "ap-east-2" + case .apNortheast1: return "ap-northeast-1" + case .apNortheast2: return "ap-northeast-2" + case .apNortheast3: return "ap-northeast-3" + case .apSoutheast1: return "ap-southeast-1" + case .apSoutheast2: return "ap-southeast-2" + case .apSoutheast3: return "ap-southeast-3" + case .apSoutheast4: return "ap-southeast-4" + case .apSoutheast5: return "ap-southeast-5" + case .apSoutheast7: return "ap-southeast-7" + case .apSouth1: return "ap-south-1" + case .apSouth2: return "ap-south-2" + case .caCentral1: return "ca-central-1" + case .caWest1: return "ca-west-1" + case .euCentral1: return "eu-central-1" + case .euCentral2: return "eu-central-2" + case .euNorth1: return "eu-north-1" + case .euSouth1: return "eu-south-1" + case .euSouth2: return "eu-south-2" + case .euWest1: return "eu-west-1" + case .euWest2: return "eu-west-2" + case .euWest3: return "eu-west-3" + case .ilCentral1: return "il-central-1" + case .meCentral1: return "me-central-1" + case .meSouth1: return "me-south-1" + case .mxCentral1: return "mx-central-1" + case .saEast1: return "sa-east-1" + case .usEast1: return "us-east-1" + case .usEast2: return "us-east-2" + case .usWest1: return "us-west-1" + case .usWest2: return "us-west-2" + case let .sdkUnknown(s): return s + } + } + } +} + extension CleanRoomsClientTypes { public enum AnalysisFormat: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { @@ -2303,6 +2425,128 @@ extension CleanRoomsClientTypes { } } +extension CleanRoomsClientTypes { + + public enum CommercialRegion: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { + case afSouth1 + case apEast1 + case apEast2 + case apNortheast1 + case apNortheast2 + case apNortheast3 + case apSoutheast1 + case apSoutheast2 + case apSoutheast3 + case apSoutheast4 + case apSoutheast5 + case apSoutheast7 + case apSouth1 + case apSouth2 + case caCentral1 + case caWest1 + case euCentral1 + case euCentral2 + case euNorth1 + case euSouth1 + case euSouth2 + case euWest1 + case euWest2 + case euWest3 + case ilCentral1 + case meCentral1 + case meSouth1 + case mxCentral1 + case saEast1 + case usEast1 + case usEast2 + case usWest1 + case usWest2 + case sdkUnknown(Swift.String) + + public static var allCases: [CommercialRegion] { + return [ + .afSouth1, + .apEast1, + .apEast2, + .apNortheast1, + .apNortheast2, + .apNortheast3, + .apSoutheast1, + .apSoutheast2, + .apSoutheast3, + .apSoutheast4, + .apSoutheast5, + .apSoutheast7, + .apSouth1, + .apSouth2, + .caCentral1, + .caWest1, + .euCentral1, + .euCentral2, + .euNorth1, + .euSouth1, + .euSouth2, + .euWest1, + .euWest2, + .euWest3, + .ilCentral1, + .meCentral1, + .meSouth1, + .mxCentral1, + .saEast1, + .usEast1, + .usEast2, + .usWest1, + .usWest2 + ] + } + + public init?(rawValue: Swift.String) { + let value = Self.allCases.first(where: { $0.rawValue == rawValue }) + self = value ?? Self.sdkUnknown(rawValue) + } + + public var rawValue: Swift.String { + switch self { + case .afSouth1: return "af-south-1" + case .apEast1: return "ap-east-1" + case .apEast2: return "ap-east-2" + case .apNortheast1: return "ap-northeast-1" + case .apNortheast2: return "ap-northeast-2" + case .apNortheast3: return "ap-northeast-3" + case .apSoutheast1: return "ap-southeast-1" + case .apSoutheast2: return "ap-southeast-2" + case .apSoutheast3: return "ap-southeast-3" + case .apSoutheast4: return "ap-southeast-4" + case .apSoutheast5: return "ap-southeast-5" + case .apSoutheast7: return "ap-southeast-7" + case .apSouth1: return "ap-south-1" + case .apSouth2: return "ap-south-2" + case .caCentral1: return "ca-central-1" + case .caWest1: return "ca-west-1" + case .euCentral1: return "eu-central-1" + case .euCentral2: return "eu-central-2" + case .euNorth1: return "eu-north-1" + case .euSouth1: return "eu-south-1" + case .euSouth2: return "eu-south-2" + case .euWest1: return "eu-west-1" + case .euWest2: return "eu-west-2" + case .euWest3: return "eu-west-3" + case .ilCentral1: return "il-central-1" + case .meCentral1: return "me-central-1" + case .meSouth1: return "me-south-1" + case .mxCentral1: return "mx-central-1" + case .saEast1: return "sa-east-1" + case .usEast1: return "us-east-1" + case .usEast2: return "us-east-2" + case .usWest1: return "us-west-1" + case .usWest2: return "us-west-2" + case let .sdkUnknown(s): return s + } + } + } +} + extension CleanRoomsClientTypes { /// A reference to a table within Athena. @@ -2312,6 +2556,8 @@ extension CleanRoomsClientTypes { public var databaseName: Swift.String? /// The output location for the Athena table. public var outputLocation: Swift.String? + /// The Amazon Web Services Region where the Athena table is located. This parameter is required to uniquely identify and access tables across different Regions. + public var region: CleanRoomsClientTypes.CommercialRegion? /// The table reference. /// This member is required. public var tableName: Swift.String? @@ -2322,11 +2568,13 @@ extension CleanRoomsClientTypes { public init( databaseName: Swift.String? = nil, outputLocation: Swift.String? = nil, + region: CleanRoomsClientTypes.CommercialRegion? = nil, tableName: Swift.String? = nil, workGroup: Swift.String? = nil ) { self.databaseName = databaseName self.outputLocation = outputLocation + self.region = region self.tableName = tableName self.workGroup = workGroup } @@ -3370,6 +3618,8 @@ extension CleanRoomsClientTypes { } public struct CreateCollaborationInput: Swift.Sendable { + /// The Amazon Web Services Regions where collaboration query results can be stored. When specified, results can only be written to these Regions. This parameter enables you to meet your compliance and data governance requirements, and implement regional data governance policies. + public var allowedResultRegions: [CleanRoomsClientTypes.SupportedS3Region]? /// The analytics engine. After July 16, 2025, the CLEAN_ROOMS_SQL parameter will no longer be available. public var analyticsEngine: CleanRoomsClientTypes.AnalyticsEngine? /// The types of change requests that are automatically approved for this collaboration. @@ -3404,6 +3654,7 @@ public struct CreateCollaborationInput: Swift.Sendable { public var tags: [Swift.String: Swift.String]? public init( + allowedResultRegions: [CleanRoomsClientTypes.SupportedS3Region]? = nil, analyticsEngine: CleanRoomsClientTypes.AnalyticsEngine? = nil, autoApprovedChangeRequestTypes: [CleanRoomsClientTypes.AutoApprovedChangeType]? = nil, creatorDisplayName: Swift.String? = nil, @@ -3418,6 +3669,7 @@ public struct CreateCollaborationInput: Swift.Sendable { queryLogStatus: CleanRoomsClientTypes.CollaborationQueryLogStatus? = nil, tags: [Swift.String: Swift.String]? = nil ) { + self.allowedResultRegions = allowedResultRegions self.analyticsEngine = analyticsEngine self.autoApprovedChangeRequestTypes = autoApprovedChangeRequestTypes self.creatorDisplayName = creatorDisplayName @@ -3473,6 +3725,8 @@ extension CleanRoomsClientTypes { /// The multi-party data share environment. The collaboration contains metadata about its purpose and participants. public struct Collaboration: Swift.Sendable { + /// The Amazon Web Services Regions where collaboration query results can be stored. Returns the list of Region identifiers that were specified when the collaboration was created. This list is used to enforce regional storage policies and compliance requirements. + public var allowedResultRegions: [CleanRoomsClientTypes.SupportedS3Region]? /// The analytics engine for the collaboration. After July 16, 2025, the CLEAN_ROOMS_SQL parameter will no longer be available. public var analyticsEngine: CleanRoomsClientTypes.AnalyticsEngine? /// The unique ARN for the collaboration. @@ -3516,6 +3770,7 @@ extension CleanRoomsClientTypes { public var updateTime: Foundation.Date? public init( + allowedResultRegions: [CleanRoomsClientTypes.SupportedS3Region]? = nil, analyticsEngine: CleanRoomsClientTypes.AnalyticsEngine? = nil, arn: Swift.String? = nil, autoApprovedChangeTypes: [CleanRoomsClientTypes.AutoApprovedChangeType]? = nil, @@ -3533,6 +3788,7 @@ extension CleanRoomsClientTypes { queryLogStatus: CleanRoomsClientTypes.CollaborationQueryLogStatus? = nil, updateTime: Foundation.Date? = nil ) { + self.allowedResultRegions = allowedResultRegions self.analyticsEngine = analyticsEngine self.arn = arn self.autoApprovedChangeTypes = autoApprovedChangeTypes @@ -6282,15 +6538,19 @@ extension CleanRoomsClientTypes { /// The name of the database the Glue table belongs to. /// This member is required. public var databaseName: Swift.String? + /// The Amazon Web Services Region where the Glue table is located. This parameter is required to uniquely identify and access tables across different Regions. + public var region: CleanRoomsClientTypes.CommercialRegion? /// The name of the Glue table. /// This member is required. public var tableName: Swift.String? public init( databaseName: Swift.String? = nil, + region: CleanRoomsClientTypes.CommercialRegion? = nil, tableName: Swift.String? = nil ) { self.databaseName = databaseName + self.region = region self.tableName = tableName } } @@ -11794,6 +12054,7 @@ extension CreateCollaborationInput { static func write(value: CreateCollaborationInput?, to writer: SmithyJSON.Writer) throws { guard let value else { return } + try writer["allowedResultRegions"].writeList(value.allowedResultRegions, memberWritingClosure: SmithyReadWrite.WritingClosureBox().write(value:to:), memberNodeInfo: "member", isFlattened: false) try writer["analyticsEngine"].write(value.analyticsEngine) try writer["autoApprovedChangeRequestTypes"].writeList(value.autoApprovedChangeRequestTypes, memberWritingClosure: SmithyReadWrite.WritingClosureBox().write(value:to:), memberNodeInfo: "member", isFlattened: false) try writer["creatorDisplayName"].write(value.creatorDisplayName) @@ -15583,6 +15844,7 @@ extension CleanRoomsClientTypes.Collaboration { value.jobLogStatus = try reader["jobLogStatus"].readIfPresent() value.analyticsEngine = try reader["analyticsEngine"].readIfPresent() value.autoApprovedChangeTypes = try reader["autoApprovedChangeTypes"].readListIfPresent(memberReadingClosure: SmithyReadWrite.ReadingClosureBox().read(from:), memberNodeInfo: "member", isFlattened: false) + value.allowedResultRegions = try reader["allowedResultRegions"].readListIfPresent(memberReadingClosure: SmithyReadWrite.ReadingClosureBox().read(from:), memberNodeInfo: "member", isFlattened: false) return value } } @@ -15758,6 +16020,7 @@ extension CleanRoomsClientTypes.AthenaTableReference { guard let value else { return } try writer["databaseName"].write(value.databaseName) try writer["outputLocation"].write(value.outputLocation) + try writer["region"].write(value.region) try writer["tableName"].write(value.tableName) try writer["workGroup"].write(value.workGroup) } @@ -15765,6 +16028,7 @@ extension CleanRoomsClientTypes.AthenaTableReference { static func read(from reader: SmithyJSON.Reader) throws -> CleanRoomsClientTypes.AthenaTableReference { guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } var value = CleanRoomsClientTypes.AthenaTableReference() + value.region = try reader["region"].readIfPresent() value.workGroup = try reader["workGroup"].readIfPresent() ?? "" value.outputLocation = try reader["outputLocation"].readIfPresent() value.databaseName = try reader["databaseName"].readIfPresent() ?? "" @@ -15844,12 +16108,14 @@ extension CleanRoomsClientTypes.GlueTableReference { static func write(value: CleanRoomsClientTypes.GlueTableReference?, to writer: SmithyJSON.Writer) throws { guard let value else { return } try writer["databaseName"].write(value.databaseName) + try writer["region"].write(value.region) try writer["tableName"].write(value.tableName) } static func read(from reader: SmithyJSON.Reader) throws -> CleanRoomsClientTypes.GlueTableReference { guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } var value = CleanRoomsClientTypes.GlueTableReference() + value.region = try reader["region"].readIfPresent() value.tableName = try reader["tableName"].readIfPresent() ?? "" value.databaseName = try reader["databaseName"].readIfPresent() ?? "" return value diff --git a/Sources/Services/AWSCleanRoomsML/Sources/AWSCleanRoomsML/CleanRoomsMLClient.swift b/Sources/Services/AWSCleanRoomsML/Sources/AWSCleanRoomsML/CleanRoomsMLClient.swift index 1417ab0aaeb..db3b19f8380 100644 --- a/Sources/Services/AWSCleanRoomsML/Sources/AWSCleanRoomsML/CleanRoomsMLClient.swift +++ b/Sources/Services/AWSCleanRoomsML/Sources/AWSCleanRoomsML/CleanRoomsMLClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CleanRoomsMLClient: ClientRuntime.Client { public static let clientName = "CleanRoomsMLClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CleanRoomsMLClient.CleanRoomsMLClientConfiguration let serviceName = "CleanRoomsML" @@ -374,9 +373,9 @@ extension CleanRoomsMLClient { /// /// Submits a request to cancel the trained model job. /// - /// - Parameter CancelTrainedModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelTrainedModelInput`) /// - /// - Returns: `CancelTrainedModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelTrainedModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CancelTrainedModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelTrainedModelOutput.httpOutput(from:), CancelTrainedModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension CleanRoomsMLClient { /// /// Submits a request to cancel a trained model inference job. /// - /// - Parameter CancelTrainedModelInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelTrainedModelInferenceJobInput`) /// - /// - Returns: `CancelTrainedModelInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelTrainedModelInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelTrainedModelInferenceJobOutput.httpOutput(from:), CancelTrainedModelInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -513,9 +510,9 @@ extension CleanRoomsMLClient { /// /// Defines the information necessary to create an audience model. An audience model is a machine learning model that Clean Rooms ML trains to measure similarity between users. Clean Rooms ML manages training and storing the audience model. The audience model can be used in multiple calls to the [StartAudienceGenerationJob] API. /// - /// - Parameter CreateAudienceModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAudienceModelInput`) /// - /// - Returns: `CreateAudienceModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAudienceModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAudienceModelOutput.httpOutput(from:), CreateAudienceModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +581,9 @@ extension CleanRoomsMLClient { /// /// Defines the information necessary to create a configured audience model. /// - /// - Parameter CreateConfiguredAudienceModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfiguredAudienceModelInput`) /// - /// - Returns: `CreateConfiguredAudienceModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfiguredAudienceModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfiguredAudienceModelOutput.httpOutput(from:), CreateConfiguredAudienceModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -657,9 +652,9 @@ extension CleanRoomsMLClient { /// /// Creates a configured model algorithm using a container image stored in an ECR repository. /// - /// - Parameter CreateConfiguredModelAlgorithmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfiguredModelAlgorithmInput`) /// - /// - Returns: `CreateConfiguredModelAlgorithmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfiguredModelAlgorithmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfiguredModelAlgorithmOutput.httpOutput(from:), CreateConfiguredModelAlgorithmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension CleanRoomsMLClient { /// /// Associates a configured model algorithm to a collaboration for use by any member of the collaboration. /// - /// - Parameter CreateConfiguredModelAlgorithmAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfiguredModelAlgorithmAssociationInput`) /// - /// - Returns: `CreateConfiguredModelAlgorithmAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfiguredModelAlgorithmAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -769,7 +763,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfiguredModelAlgorithmAssociationOutput.httpOutput(from:), CreateConfiguredModelAlgorithmAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -801,9 +794,9 @@ extension CleanRoomsMLClient { /// /// Provides the information to create an ML input channel. An ML input channel is the result of a query that can be used for ML modeling. /// - /// - Parameter CreateMLInputChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMLInputChannelInput`) /// - /// - Returns: `CreateMLInputChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMLInputChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMLInputChannelOutput.httpOutput(from:), CreateMLInputChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -874,9 +866,9 @@ extension CleanRoomsMLClient { /// /// Creates a trained model from an associated configured model algorithm using data from any member of the collaboration. /// - /// - Parameter CreateTrainedModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrainedModelInput`) /// - /// - Returns: `CreateTrainedModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrainedModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -916,7 +908,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrainedModelOutput.httpOutput(from:), CreateTrainedModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -948,9 +939,9 @@ extension CleanRoomsMLClient { /// /// Defines the information necessary to create a training dataset. In Clean Rooms ML, the TrainingDataset is metadata that points to a Glue table, which is read only during AudienceModel creation. /// - /// - Parameter CreateTrainingDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrainingDatasetInput`) /// - /// - Returns: `CreateTrainingDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrainingDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -986,7 +977,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrainingDatasetOutput.httpOutput(from:), CreateTrainingDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1018,9 +1008,9 @@ extension CleanRoomsMLClient { /// /// Deletes the specified audience generation job, and removes all data associated with the job. /// - /// - Parameter DeleteAudienceGenerationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAudienceGenerationJobInput`) /// - /// - Returns: `DeleteAudienceGenerationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAudienceGenerationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAudienceGenerationJobOutput.httpOutput(from:), DeleteAudienceGenerationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1075,9 @@ extension CleanRoomsMLClient { /// /// Specifies an audience model that you want to delete. You can't delete an audience model if there are any configured audience models that depend on the audience model. /// - /// - Parameter DeleteAudienceModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAudienceModelInput`) /// - /// - Returns: `DeleteAudienceModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAudienceModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1122,7 +1111,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAudienceModelOutput.httpOutput(from:), DeleteAudienceModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1154,9 +1142,9 @@ extension CleanRoomsMLClient { /// /// Deletes the specified configured audience model. You can't delete a configured audience model if there are any lookalike models that use the configured audience model. If you delete a configured audience model, it will be removed from any collaborations that it is associated to. /// - /// - Parameter DeleteConfiguredAudienceModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfiguredAudienceModelInput`) /// - /// - Returns: `DeleteConfiguredAudienceModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfiguredAudienceModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1190,7 +1178,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfiguredAudienceModelOutput.httpOutput(from:), DeleteConfiguredAudienceModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1222,9 +1209,9 @@ extension CleanRoomsMLClient { /// /// Deletes the specified configured audience model policy. /// - /// - Parameter DeleteConfiguredAudienceModelPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfiguredAudienceModelPolicyInput`) /// - /// - Returns: `DeleteConfiguredAudienceModelPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfiguredAudienceModelPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1257,7 +1244,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfiguredAudienceModelPolicyOutput.httpOutput(from:), DeleteConfiguredAudienceModelPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1289,9 +1275,9 @@ extension CleanRoomsMLClient { /// /// Deletes a configured model algorithm. /// - /// - Parameter DeleteConfiguredModelAlgorithmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfiguredModelAlgorithmInput`) /// - /// - Returns: `DeleteConfiguredModelAlgorithmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfiguredModelAlgorithmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1325,7 +1311,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfiguredModelAlgorithmOutput.httpOutput(from:), DeleteConfiguredModelAlgorithmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1357,9 +1342,9 @@ extension CleanRoomsMLClient { /// /// Deletes a configured model algorithm association. /// - /// - Parameter DeleteConfiguredModelAlgorithmAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfiguredModelAlgorithmAssociationInput`) /// - /// - Returns: `DeleteConfiguredModelAlgorithmAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfiguredModelAlgorithmAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1394,7 +1379,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfiguredModelAlgorithmAssociationOutput.httpOutput(from:), DeleteConfiguredModelAlgorithmAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1426,9 +1410,9 @@ extension CleanRoomsMLClient { /// /// Deletes a ML modeling configuration. /// - /// - Parameter DeleteMLConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMLConfigurationInput`) /// - /// - Returns: `DeleteMLConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMLConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1462,7 +1446,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMLConfigurationOutput.httpOutput(from:), DeleteMLConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1494,9 +1477,9 @@ extension CleanRoomsMLClient { /// /// Provides the information necessary to delete an ML input channel. /// - /// - Parameter DeleteMLInputChannelDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMLInputChannelDataInput`) /// - /// - Returns: `DeleteMLInputChannelDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMLInputChannelDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1531,7 +1514,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMLInputChannelDataOutput.httpOutput(from:), DeleteMLInputChannelDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1563,9 +1545,9 @@ extension CleanRoomsMLClient { /// /// Deletes the model artifacts stored by the service. /// - /// - Parameter DeleteTrainedModelOutputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrainedModelOutputInput`) /// - /// - Returns: `DeleteTrainedModelOutputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrainedModelOutputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1601,7 +1583,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteTrainedModelOutputInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrainedModelOutputOutput.httpOutput(from:), DeleteTrainedModelOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1633,9 +1614,9 @@ extension CleanRoomsMLClient { /// /// Specifies a training dataset that you want to delete. You can't delete a training dataset if there are any audience models that depend on the training dataset. In Clean Rooms ML, the TrainingDataset is metadata that points to a Glue table, which is read only during AudienceModel creation. This action deletes the metadata. /// - /// - Parameter DeleteTrainingDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrainingDatasetInput`) /// - /// - Returns: `DeleteTrainingDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrainingDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1669,7 +1650,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrainingDatasetOutput.httpOutput(from:), DeleteTrainingDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1701,9 +1681,9 @@ extension CleanRoomsMLClient { /// /// Returns information about an audience generation job. /// - /// - Parameter GetAudienceGenerationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAudienceGenerationJobInput`) /// - /// - Returns: `GetAudienceGenerationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAudienceGenerationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1736,7 +1716,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAudienceGenerationJobOutput.httpOutput(from:), GetAudienceGenerationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1768,9 +1747,9 @@ extension CleanRoomsMLClient { /// /// Returns information about an audience model /// - /// - Parameter GetAudienceModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAudienceModelInput`) /// - /// - Returns: `GetAudienceModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAudienceModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1803,7 +1782,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAudienceModelOutput.httpOutput(from:), GetAudienceModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1835,9 +1813,9 @@ extension CleanRoomsMLClient { /// /// Returns information about the configured model algorithm association in a collaboration. /// - /// - Parameter GetCollaborationConfiguredModelAlgorithmAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCollaborationConfiguredModelAlgorithmAssociationInput`) /// - /// - Returns: `GetCollaborationConfiguredModelAlgorithmAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCollaborationConfiguredModelAlgorithmAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1871,7 +1849,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCollaborationConfiguredModelAlgorithmAssociationOutput.httpOutput(from:), GetCollaborationConfiguredModelAlgorithmAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1903,9 +1880,9 @@ extension CleanRoomsMLClient { /// /// Returns information about a specific ML input channel in a collaboration. /// - /// - Parameter GetCollaborationMLInputChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCollaborationMLInputChannelInput`) /// - /// - Returns: `GetCollaborationMLInputChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCollaborationMLInputChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1939,7 +1916,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCollaborationMLInputChannelOutput.httpOutput(from:), GetCollaborationMLInputChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1971,9 +1947,9 @@ extension CleanRoomsMLClient { /// /// Returns information about a trained model in a collaboration. /// - /// - Parameter GetCollaborationTrainedModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCollaborationTrainedModelInput`) /// - /// - Returns: `GetCollaborationTrainedModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCollaborationTrainedModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2008,7 +1984,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCollaborationTrainedModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCollaborationTrainedModelOutput.httpOutput(from:), GetCollaborationTrainedModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2040,9 +2015,9 @@ extension CleanRoomsMLClient { /// /// Returns information about a specified configured audience model. /// - /// - Parameter GetConfiguredAudienceModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfiguredAudienceModelInput`) /// - /// - Returns: `GetConfiguredAudienceModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfiguredAudienceModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2075,7 +2050,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfiguredAudienceModelOutput.httpOutput(from:), GetConfiguredAudienceModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2107,9 +2081,9 @@ extension CleanRoomsMLClient { /// /// Returns information about a configured audience model policy. /// - /// - Parameter GetConfiguredAudienceModelPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfiguredAudienceModelPolicyInput`) /// - /// - Returns: `GetConfiguredAudienceModelPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfiguredAudienceModelPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2142,7 +2116,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfiguredAudienceModelPolicyOutput.httpOutput(from:), GetConfiguredAudienceModelPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2174,9 +2147,9 @@ extension CleanRoomsMLClient { /// /// Returns information about a configured model algorithm. /// - /// - Parameter GetConfiguredModelAlgorithmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfiguredModelAlgorithmInput`) /// - /// - Returns: `GetConfiguredModelAlgorithmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfiguredModelAlgorithmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2209,7 +2182,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfiguredModelAlgorithmOutput.httpOutput(from:), GetConfiguredModelAlgorithmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2241,9 +2213,9 @@ extension CleanRoomsMLClient { /// /// Returns information about a configured model algorithm association. /// - /// - Parameter GetConfiguredModelAlgorithmAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfiguredModelAlgorithmAssociationInput`) /// - /// - Returns: `GetConfiguredModelAlgorithmAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfiguredModelAlgorithmAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2277,7 +2249,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfiguredModelAlgorithmAssociationOutput.httpOutput(from:), GetConfiguredModelAlgorithmAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2309,9 +2280,9 @@ extension CleanRoomsMLClient { /// /// Returns information about a specific ML configuration. /// - /// - Parameter GetMLConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLConfigurationInput`) /// - /// - Returns: `GetMLConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMLConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2345,7 +2316,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLConfigurationOutput.httpOutput(from:), GetMLConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2377,9 +2347,9 @@ extension CleanRoomsMLClient { /// /// Returns information about an ML input channel. /// - /// - Parameter GetMLInputChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLInputChannelInput`) /// - /// - Returns: `GetMLInputChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMLInputChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2413,7 +2383,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLInputChannelOutput.httpOutput(from:), GetMLInputChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2445,9 +2414,9 @@ extension CleanRoomsMLClient { /// /// Returns information about a trained model. /// - /// - Parameter GetTrainedModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrainedModelInput`) /// - /// - Returns: `GetTrainedModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrainedModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2482,7 +2451,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTrainedModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrainedModelOutput.httpOutput(from:), GetTrainedModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2514,9 +2482,9 @@ extension CleanRoomsMLClient { /// /// Returns information about a trained model inference job. /// - /// - Parameter GetTrainedModelInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrainedModelInferenceJobInput`) /// - /// - Returns: `GetTrainedModelInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrainedModelInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2550,7 +2518,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrainedModelInferenceJobOutput.httpOutput(from:), GetTrainedModelInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2582,9 +2549,9 @@ extension CleanRoomsMLClient { /// /// Returns information about a training dataset. /// - /// - Parameter GetTrainingDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrainingDatasetInput`) /// - /// - Returns: `GetTrainingDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrainingDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2617,7 +2584,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrainingDatasetOutput.httpOutput(from:), GetTrainingDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2649,9 +2615,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of the audience export jobs. /// - /// - Parameter ListAudienceExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAudienceExportJobsInput`) /// - /// - Returns: `ListAudienceExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAudienceExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2684,7 +2650,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAudienceExportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAudienceExportJobsOutput.httpOutput(from:), ListAudienceExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2716,9 +2681,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of audience generation jobs. /// - /// - Parameter ListAudienceGenerationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAudienceGenerationJobsInput`) /// - /// - Returns: `ListAudienceGenerationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAudienceGenerationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2751,7 +2716,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAudienceGenerationJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAudienceGenerationJobsOutput.httpOutput(from:), ListAudienceGenerationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2783,9 +2747,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of audience models. /// - /// - Parameter ListAudienceModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAudienceModelsInput`) /// - /// - Returns: `ListAudienceModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAudienceModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2818,7 +2782,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAudienceModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAudienceModelsOutput.httpOutput(from:), ListAudienceModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2850,9 +2813,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of the configured model algorithm associations in a collaboration. /// - /// - Parameter ListCollaborationConfiguredModelAlgorithmAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationConfiguredModelAlgorithmAssociationsInput`) /// - /// - Returns: `ListCollaborationConfiguredModelAlgorithmAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationConfiguredModelAlgorithmAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2886,7 +2849,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationConfiguredModelAlgorithmAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationConfiguredModelAlgorithmAssociationsOutput.httpOutput(from:), ListCollaborationConfiguredModelAlgorithmAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2918,9 +2880,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of the ML input channels in a collaboration. /// - /// - Parameter ListCollaborationMLInputChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationMLInputChannelsInput`) /// - /// - Returns: `ListCollaborationMLInputChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationMLInputChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2954,7 +2916,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationMLInputChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationMLInputChannelsOutput.httpOutput(from:), ListCollaborationMLInputChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2986,9 +2947,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of the export jobs for a trained model in a collaboration. /// - /// - Parameter ListCollaborationTrainedModelExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationTrainedModelExportJobsInput`) /// - /// - Returns: `ListCollaborationTrainedModelExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationTrainedModelExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3022,7 +2983,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationTrainedModelExportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationTrainedModelExportJobsOutput.httpOutput(from:), ListCollaborationTrainedModelExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3054,9 +3014,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of trained model inference jobs in a specified collaboration. /// - /// - Parameter ListCollaborationTrainedModelInferenceJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationTrainedModelInferenceJobsInput`) /// - /// - Returns: `ListCollaborationTrainedModelInferenceJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationTrainedModelInferenceJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3090,7 +3050,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationTrainedModelInferenceJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationTrainedModelInferenceJobsOutput.httpOutput(from:), ListCollaborationTrainedModelInferenceJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3122,9 +3081,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of the trained models in a collaboration. /// - /// - Parameter ListCollaborationTrainedModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollaborationTrainedModelsInput`) /// - /// - Returns: `ListCollaborationTrainedModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollaborationTrainedModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3158,7 +3117,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollaborationTrainedModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollaborationTrainedModelsOutput.httpOutput(from:), ListCollaborationTrainedModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3190,9 +3148,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of the configured audience models. /// - /// - Parameter ListConfiguredAudienceModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfiguredAudienceModelsInput`) /// - /// - Returns: `ListConfiguredAudienceModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfiguredAudienceModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3225,7 +3183,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfiguredAudienceModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfiguredAudienceModelsOutput.httpOutput(from:), ListConfiguredAudienceModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3257,9 +3214,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of configured model algorithm associations. /// - /// - Parameter ListConfiguredModelAlgorithmAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfiguredModelAlgorithmAssociationsInput`) /// - /// - Returns: `ListConfiguredModelAlgorithmAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfiguredModelAlgorithmAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3293,7 +3250,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfiguredModelAlgorithmAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfiguredModelAlgorithmAssociationsOutput.httpOutput(from:), ListConfiguredModelAlgorithmAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3325,9 +3281,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of configured model algorithms. /// - /// - Parameter ListConfiguredModelAlgorithmsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfiguredModelAlgorithmsInput`) /// - /// - Returns: `ListConfiguredModelAlgorithmsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfiguredModelAlgorithmsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3360,7 +3316,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfiguredModelAlgorithmsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfiguredModelAlgorithmsOutput.httpOutput(from:), ListConfiguredModelAlgorithmsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3392,9 +3347,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of ML input channels. /// - /// - Parameter ListMLInputChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMLInputChannelsInput`) /// - /// - Returns: `ListMLInputChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMLInputChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3428,7 +3383,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMLInputChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMLInputChannelsOutput.httpOutput(from:), ListMLInputChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3460,9 +3414,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of tags for a provided resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3495,7 +3449,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3527,9 +3480,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of trained model inference jobs that match the request parameters. /// - /// - Parameter ListTrainedModelInferenceJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrainedModelInferenceJobsInput`) /// - /// - Returns: `ListTrainedModelInferenceJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrainedModelInferenceJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3563,7 +3516,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrainedModelInferenceJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrainedModelInferenceJobsOutput.httpOutput(from:), ListTrainedModelInferenceJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3595,9 +3547,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of trained model versions for a specified trained model. This operation allows you to view all versions of a trained model, including information about their status and creation details. You can use this to track the evolution of your trained models and select specific versions for inference or further training. /// - /// - Parameter ListTrainedModelVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrainedModelVersionsInput`) /// - /// - Returns: `ListTrainedModelVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrainedModelVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3632,7 +3584,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrainedModelVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrainedModelVersionsOutput.httpOutput(from:), ListTrainedModelVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3664,9 +3615,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of trained models. /// - /// - Parameter ListTrainedModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrainedModelsInput`) /// - /// - Returns: `ListTrainedModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrainedModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3700,7 +3651,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrainedModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrainedModelsOutput.httpOutput(from:), ListTrainedModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3732,9 +3682,9 @@ extension CleanRoomsMLClient { /// /// Returns a list of training datasets. /// - /// - Parameter ListTrainingDatasetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrainingDatasetsInput`) /// - /// - Returns: `ListTrainingDatasetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrainingDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3767,7 +3717,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrainingDatasetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrainingDatasetsOutput.httpOutput(from:), ListTrainingDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3799,9 +3748,9 @@ extension CleanRoomsMLClient { /// /// Create or update the resource policy for a configured audience model. /// - /// - Parameter PutConfiguredAudienceModelPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutConfiguredAudienceModelPolicyInput`) /// - /// - Returns: `PutConfiguredAudienceModelPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutConfiguredAudienceModelPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3837,7 +3786,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfiguredAudienceModelPolicyOutput.httpOutput(from:), PutConfiguredAudienceModelPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3869,9 +3817,9 @@ extension CleanRoomsMLClient { /// /// Assigns information about an ML configuration. /// - /// - Parameter PutMLConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMLConfigurationInput`) /// - /// - Returns: `PutMLConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMLConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3907,7 +3855,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMLConfigurationOutput.httpOutput(from:), PutMLConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3939,9 +3886,9 @@ extension CleanRoomsMLClient { /// /// Export an audience of a specified size after you have generated an audience. /// - /// - Parameter StartAudienceExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAudienceExportJobInput`) /// - /// - Returns: `StartAudienceExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAudienceExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3979,7 +3926,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAudienceExportJobOutput.httpOutput(from:), StartAudienceExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4011,9 +3957,9 @@ extension CleanRoomsMLClient { /// /// Information necessary to start the audience generation job. /// - /// - Parameter StartAudienceGenerationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAudienceGenerationJobInput`) /// - /// - Returns: `StartAudienceGenerationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAudienceGenerationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4052,7 +3998,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAudienceGenerationJobOutput.httpOutput(from:), StartAudienceGenerationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4084,9 +4029,9 @@ extension CleanRoomsMLClient { /// /// Provides the information necessary to start a trained model export job. /// - /// - Parameter StartTrainedModelExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTrainedModelExportJobInput`) /// - /// - Returns: `StartTrainedModelExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTrainedModelExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4124,7 +4069,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTrainedModelExportJobOutput.httpOutput(from:), StartTrainedModelExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4156,9 +4100,9 @@ extension CleanRoomsMLClient { /// /// Defines the information necessary to begin a trained model inference job. /// - /// - Parameter StartTrainedModelInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTrainedModelInferenceJobInput`) /// - /// - Returns: `StartTrainedModelInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTrainedModelInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4197,7 +4141,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTrainedModelInferenceJobOutput.httpOutput(from:), StartTrainedModelInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4229,9 +4172,9 @@ extension CleanRoomsMLClient { /// /// Adds metadata tags to a specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4267,7 +4210,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4299,9 +4241,9 @@ extension CleanRoomsMLClient { /// /// Removes metadata tags from a specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4335,7 +4277,6 @@ extension CleanRoomsMLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4367,9 +4308,9 @@ extension CleanRoomsMLClient { /// /// Provides the information necessary to update a configured audience model. Updates that impact audience generation jobs take effect when a new job starts, but do not impact currently running jobs. /// - /// - Parameter UpdateConfiguredAudienceModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfiguredAudienceModelInput`) /// - /// - Returns: `UpdateConfiguredAudienceModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfiguredAudienceModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4406,7 +4347,6 @@ extension CleanRoomsMLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfiguredAudienceModelOutput.httpOutput(from:), UpdateConfiguredAudienceModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloud9/Sources/AWSCloud9/Cloud9Client.swift b/Sources/Services/AWSCloud9/Sources/AWSCloud9/Cloud9Client.swift index d7912c55f85..2c7032b8220 100644 --- a/Sources/Services/AWSCloud9/Sources/AWSCloud9/Cloud9Client.swift +++ b/Sources/Services/AWSCloud9/Sources/AWSCloud9/Cloud9Client.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class Cloud9Client: ClientRuntime.Client { public static let clientName = "Cloud9Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: Cloud9Client.Cloud9ClientConfiguration let serviceName = "Cloud9" @@ -373,9 +372,9 @@ extension Cloud9Client { /// /// Creates an Cloud9 development environment, launches an Amazon Elastic Compute Cloud (Amazon EC2) instance, and then connects from the instance to the environment. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter CreateEnvironmentEC2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentEC2Input`) /// - /// - Returns: `CreateEnvironmentEC2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentEC2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentEC2Output.httpOutput(from:), CreateEnvironmentEC2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension Cloud9Client { /// /// Adds an environment member to an Cloud9 development environment. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter CreateEnvironmentMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentMembershipInput`) /// - /// - Returns: `CreateEnvironmentMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentMembershipOutput.httpOutput(from:), CreateEnvironmentMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension Cloud9Client { /// /// Deletes an Cloud9 development environment. If an Amazon EC2 instance is connected to the environment, also terminates the instance. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter DeleteEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentInput`) /// - /// - Returns: `DeleteEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentOutput.httpOutput(from:), DeleteEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -598,9 +594,9 @@ extension Cloud9Client { /// /// Deletes an environment member from a development environment. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter DeleteEnvironmentMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentMembershipInput`) /// - /// - Returns: `DeleteEnvironmentMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentMembershipOutput.httpOutput(from:), DeleteEnvironmentMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -673,9 +668,9 @@ extension Cloud9Client { /// /// Gets information about environment members for an Cloud9 development environment. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter DescribeEnvironmentMembershipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEnvironmentMembershipsInput`) /// - /// - Returns: `DescribeEnvironmentMembershipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEnvironmentMembershipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -713,7 +708,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEnvironmentMembershipsOutput.httpOutput(from:), DescribeEnvironmentMembershipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -748,9 +742,9 @@ extension Cloud9Client { /// /// Gets status information for an Cloud9 development environment. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter DescribeEnvironmentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEnvironmentStatusInput`) /// - /// - Returns: `DescribeEnvironmentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEnvironmentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +782,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEnvironmentStatusOutput.httpOutput(from:), DescribeEnvironmentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -823,9 +816,9 @@ extension Cloud9Client { /// /// Gets information about Cloud9 development environments. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter DescribeEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEnvironmentsInput`) /// - /// - Returns: `DescribeEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -863,7 +856,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEnvironmentsOutput.httpOutput(from:), DescribeEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -898,9 +890,9 @@ extension Cloud9Client { /// /// Gets a list of Cloud9 development environment identifiers. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter ListEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentsInput`) /// - /// - Returns: `ListEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -938,7 +930,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentsOutput.httpOutput(from:), ListEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -973,9 +964,9 @@ extension Cloud9Client { /// /// Gets a list of the tags associated with an Cloud9 development environment. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1009,7 +1000,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1044,9 +1034,9 @@ extension Cloud9Client { /// /// Adds tags to an Cloud9 development environment. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) Tags that you add to an Cloud9 environment by using this method will NOT be automatically propagated to underlying resources. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1081,7 +1071,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1116,9 +1105,9 @@ extension Cloud9Client { /// /// Removes tags from an Cloud9 development environment. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1153,7 +1142,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1188,9 +1176,9 @@ extension Cloud9Client { /// /// Changes the settings of an existing Cloud9 development environment. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter UpdateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentInput`) /// - /// - Returns: `UpdateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1228,7 +1216,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentOutput.httpOutput(from:), UpdateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1263,9 +1250,9 @@ extension Cloud9Client { /// /// Changes the settings of an existing environment member for an Cloud9 development environment. Cloud9 is no longer available to new customers. Existing customers of Cloud9 can continue to use the service as normal. [Learn more"](http://aws.amazon.com/blogs/devops/how-to-migrate-from-aws-cloud9-to-aws-ide-toolkits-or-aws-cloudshell/) /// - /// - Parameter UpdateEnvironmentMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentMembershipInput`) /// - /// - Returns: `UpdateEnvironmentMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1303,7 +1290,6 @@ extension Cloud9Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentMembershipOutput.httpOutput(from:), UpdateEnvironmentMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudControl/Sources/AWSCloudControl/CloudControlClient.swift b/Sources/Services/AWSCloudControl/Sources/AWSCloudControl/CloudControlClient.swift index 9b6dcc2667b..0e95e81d6a9 100644 --- a/Sources/Services/AWSCloudControl/Sources/AWSCloudControl/CloudControlClient.swift +++ b/Sources/Services/AWSCloudControl/Sources/AWSCloudControl/CloudControlClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudControlClient: ClientRuntime.Client { public static let clientName = "CloudControlClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudControlClient.CloudControlClientConfiguration let serviceName = "CloudControl" @@ -374,9 +373,9 @@ extension CloudControlClient { /// /// Cancels the specified resource operation request. For more information, see [Canceling resource operation requests](https://docs.aws.amazon.com/cloudcontrolapi/latest/userguide/resource-operations-manage-requests.html#resource-operations-manage-requests-cancel) in the Amazon Web Services Cloud Control API User Guide. Only resource operations requests with a status of PENDING or IN_PROGRESS can be canceled. /// - /// - Parameter CancelResourceRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelResourceRequestInput`) /// - /// - Returns: `CancelResourceRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelResourceRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension CloudControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelResourceRequestOutput.httpOutput(from:), CancelResourceRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension CloudControlClient { /// /// Creates the specified resource. For more information, see [Creating a resource](https://docs.aws.amazon.com/cloudcontrolapi/latest/userguide/resource-operations-create.html) in the Amazon Web Services Cloud Control API User Guide. After you have initiated a resource creation request, you can monitor the progress of your request by calling [GetResourceRequestStatus](https://docs.aws.amazon.com/cloudcontrolapi/latest/APIReference/API_GetResourceRequestStatus.html) using the RequestToken of the ProgressEvent type returned by CreateResource. /// - /// - Parameter CreateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceInput`) /// - /// - Returns: `CreateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -497,7 +495,6 @@ extension CloudControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceOutput.httpOutput(from:), CreateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -532,9 +529,9 @@ extension CloudControlClient { /// /// Deletes the specified resource. For details, see [Deleting a resource](https://docs.aws.amazon.com/cloudcontrolapi/latest/userguide/resource-operations-delete.html) in the Amazon Web Services Cloud Control API User Guide. After you have initiated a resource deletion request, you can monitor the progress of your request by calling [GetResourceRequestStatus](https://docs.aws.amazon.com/cloudcontrolapi/latest/APIReference/API_GetResourceRequestStatus.html) using the RequestToken of the ProgressEvent returned by DeleteResource. /// - /// - Parameter DeleteResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceInput`) /// - /// - Returns: `DeleteResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -585,7 +582,6 @@ extension CloudControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceOutput.httpOutput(from:), DeleteResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -620,9 +616,9 @@ extension CloudControlClient { /// /// Returns information about the current state of the specified resource. For details, see [Reading a resource's current state](https://docs.aws.amazon.com/cloudcontrolapi/latest/userguide/resource-operations-read.html). You can use this action to return information about an existing resource in your account and Amazon Web Services Region, whether those resources were provisioned using Cloud Control API. /// - /// - Parameter GetResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceInput`) /// - /// - Returns: `GetResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -670,7 +666,6 @@ extension CloudControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceOutput.httpOutput(from:), GetResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -705,9 +700,9 @@ extension CloudControlClient { /// /// Returns the current status of a resource operation request. For more information, see [Tracking the progress of resource operation requests](https://docs.aws.amazon.com/cloudcontrolapi/latest/userguide/resource-operations-manage-requests.html#resource-operations-manage-requests-track) in the Amazon Web Services Cloud Control API User Guide. /// - /// - Parameter GetResourceRequestStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceRequestStatusInput`) /// - /// - Returns: `GetResourceRequestStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceRequestStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -739,7 +734,6 @@ extension CloudControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceRequestStatusOutput.httpOutput(from:), GetResourceRequestStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -774,9 +768,9 @@ extension CloudControlClient { /// /// Returns existing resource operation requests. This includes requests of all status types. For more information, see [Listing active resource operation requests](https://docs.aws.amazon.com/cloudcontrolapi/latest/userguide/resource-operations-manage-requests.html#resource-operations-manage-requests-list) in the Amazon Web Services Cloud Control API User Guide. Resource operation requests expire after 7 days. /// - /// - Parameter ListResourceRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceRequestsInput`) /// - /// - Returns: `ListResourceRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceRequestsOutput`) public func listResourceRequests(input: ListResourceRequestsInput) async throws -> ListResourceRequestsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -803,7 +797,6 @@ extension CloudControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceRequestsOutput.httpOutput(from:), ListResourceRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -838,9 +831,9 @@ extension CloudControlClient { /// /// Returns information about the specified resources. For more information, see [Discovering resources](https://docs.aws.amazon.com/cloudcontrolapi/latest/userguide/resource-operations-list.html) in the Amazon Web Services Cloud Control API User Guide. You can use this action to return information about existing resources in your account and Amazon Web Services Region, whether those resources were provisioned using Cloud Control API. /// - /// - Parameter ListResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcesInput`) /// - /// - Returns: `ListResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -888,7 +881,6 @@ extension CloudControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcesOutput.httpOutput(from:), ListResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -923,9 +915,9 @@ extension CloudControlClient { /// /// Updates the specified property values in the resource. You specify your resource property updates as a list of patch operations contained in a JSON patch document that adheres to the [ RFC 6902 - JavaScript Object Notation (JSON) Patch ](https://datatracker.ietf.org/doc/html/rfc6902) standard. For details on how Cloud Control API performs resource update operations, see [Updating a resource](https://docs.aws.amazon.com/cloudcontrolapi/latest/userguide/resource-operations-update.html) in the Amazon Web Services Cloud Control API User Guide. After you have initiated a resource update request, you can monitor the progress of your request by calling [GetResourceRequestStatus](https://docs.aws.amazon.com/cloudcontrolapi/latest/APIReference/API_GetResourceRequestStatus.html) using the RequestToken of the ProgressEvent returned by UpdateResource. For more information about the properties of a specific resource, refer to the related topic for the resource in the [Resource and property types reference](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/aws-template-resource-type-ref.html) in the CloudFormation Users Guide. /// - /// - Parameter UpdateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceInput`) /// - /// - Returns: `UpdateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +968,6 @@ extension CloudControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceOutput.httpOutput(from:), UpdateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudDirectory/Sources/AWSCloudDirectory/CloudDirectoryClient.swift b/Sources/Services/AWSCloudDirectory/Sources/AWSCloudDirectory/CloudDirectoryClient.swift index 98d21349d14..d6bf7d262f8 100644 --- a/Sources/Services/AWSCloudDirectory/Sources/AWSCloudDirectory/CloudDirectoryClient.swift +++ b/Sources/Services/AWSCloudDirectory/Sources/AWSCloudDirectory/CloudDirectoryClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudDirectoryClient: ClientRuntime.Client { public static let clientName = "CloudDirectoryClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudDirectoryClient.CloudDirectoryClientConfiguration let serviceName = "CloudDirectory" @@ -373,9 +372,9 @@ extension CloudDirectoryClient { /// /// Adds a new [Facet] to an object. An object can have more than one facet applied on it. /// - /// - Parameter AddFacetToObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddFacetToObjectInput`) /// - /// - Returns: `AddFacetToObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddFacetToObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddFacetToObjectOutput.httpOutput(from:), AddFacetToObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension CloudDirectoryClient { /// /// Copies the input published schema, at the specified version, into the [Directory] with the same name and version as that of the published schema. /// - /// - Parameter ApplySchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ApplySchemaInput`) /// - /// - Returns: `ApplySchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ApplySchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -495,7 +493,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplySchemaOutput.httpOutput(from:), ApplySchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -531,9 +528,9 @@ extension CloudDirectoryClient { /// /// * Using ObjectIdentifier /// - /// - Parameter AttachObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachObjectInput`) /// - /// - Returns: `AttachObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -578,7 +575,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachObjectOutput.httpOutput(from:), AttachObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -610,9 +606,9 @@ extension CloudDirectoryClient { /// /// Attaches a policy object to a regular object. An object can have a limited number of attached policies. /// - /// - Parameter AttachPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachPolicyInput`) /// - /// - Returns: `AttachPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -655,7 +651,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachPolicyOutput.httpOutput(from:), AttachPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -687,9 +682,9 @@ extension CloudDirectoryClient { /// /// Attaches the specified object to the specified index. /// - /// - Parameter AttachToIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachToIndexInput`) /// - /// - Returns: `AttachToIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachToIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -735,7 +730,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachToIndexOutput.httpOutput(from:), AttachToIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -767,9 +761,9 @@ extension CloudDirectoryClient { /// /// Attaches a typed link to a specified source and target object. For more information, see [Typed Links](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/directory_objects_links.html#directory_objects_links_typedlink). /// - /// - Parameter AttachTypedLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachTypedLinkInput`) /// - /// - Returns: `AttachTypedLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachTypedLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -813,7 +807,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachTypedLinkOutput.httpOutput(from:), AttachTypedLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -845,9 +838,9 @@ extension CloudDirectoryClient { /// /// Performs all the read operations in a batch. /// - /// - Parameter BatchReadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchReadInput`) /// - /// - Returns: `BatchReadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchReadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -888,7 +881,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchReadOutput.httpOutput(from:), BatchReadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -920,9 +912,9 @@ extension CloudDirectoryClient { /// /// Performs all the write operations in a batch. Either all the operations succeed or none. /// - /// - Parameter BatchWriteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchWriteInput`) /// - /// - Returns: `BatchWriteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchWriteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -964,7 +956,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchWriteOutput.httpOutput(from:), BatchWriteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -996,9 +987,9 @@ extension CloudDirectoryClient { /// /// Creates a [Directory] by copying the published schema into the directory. A directory cannot be created without a schema. You can also quickly create a directory using a managed schema, called the QuickStartSchema. For more information, see [Managed Schema](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/schemas_managed.html) in the Amazon Cloud Directory Developer Guide. /// - /// - Parameter CreateDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDirectoryInput`) /// - /// - Returns: `CreateDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1040,7 +1031,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDirectoryOutput.httpOutput(from:), CreateDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1072,9 +1062,9 @@ extension CloudDirectoryClient { /// /// Creates a new [Facet] in a schema. Facet creation is allowed only in development or applied schemas. /// - /// - Parameter CreateFacetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFacetInput`) /// - /// - Returns: `CreateFacetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFacetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1118,7 +1108,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFacetOutput.httpOutput(from:), CreateFacetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1150,9 +1139,9 @@ extension CloudDirectoryClient { /// /// Creates an index object. See [Indexing and search](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/indexing_search.html) for more information. /// - /// - Parameter CreateIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIndexInput`) /// - /// - Returns: `CreateIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1197,7 +1186,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIndexOutput.httpOutput(from:), CreateIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1229,9 +1217,9 @@ extension CloudDirectoryClient { /// /// Creates an object in a [Directory]. Additionally attaches the object to a parent, if a parent reference and LinkName is specified. An object is simply a collection of [Facet] attributes. You can also use this API call to create a policy object, if the facet from which you create the object is a policy facet. /// - /// - Parameter CreateObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateObjectInput`) /// - /// - Returns: `CreateObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1276,7 +1264,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateObjectOutput.httpOutput(from:), CreateObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1314,9 +1301,9 @@ extension CloudDirectoryClient { /// /// * Applied: Applied schemas are mutable in a way that allows you to add new schema facets. You can also add new, nonrequired attributes to existing schema facets. You can apply only published schemas to directories. /// - /// - Parameter CreateSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSchemaInput`) /// - /// - Returns: `CreateSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1356,7 +1343,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSchemaOutput.httpOutput(from:), CreateSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1388,9 +1374,9 @@ extension CloudDirectoryClient { /// /// Creates a [TypedLinkFacet]. For more information, see [Typed Links](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/directory_objects_links.html#directory_objects_links_typedlink). /// - /// - Parameter CreateTypedLinkFacetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTypedLinkFacetInput`) /// - /// - Returns: `CreateTypedLinkFacetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTypedLinkFacetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1434,7 +1420,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTypedLinkFacetOutput.httpOutput(from:), CreateTypedLinkFacetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1466,9 +1451,9 @@ extension CloudDirectoryClient { /// /// Deletes a directory. Only disabled directories can be deleted. A deleted directory cannot be undone. Exercise extreme caution when deleting directories. /// - /// - Parameter DeleteDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDirectoryInput`) /// - /// - Returns: `DeleteDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1508,7 +1493,6 @@ extension CloudDirectoryClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteDirectoryInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDirectoryOutput.httpOutput(from:), DeleteDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1540,9 +1524,9 @@ extension CloudDirectoryClient { /// /// Deletes a given [Facet]. All attributes and [Rule]s that are associated with the facet will be deleted. Only development schema facets are allowed deletion. /// - /// - Parameter DeleteFacetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFacetInput`) /// - /// - Returns: `DeleteFacetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFacetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1585,7 +1569,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFacetOutput.httpOutput(from:), DeleteFacetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1617,9 +1600,9 @@ extension CloudDirectoryClient { /// /// Deletes an object and its associated attributes. Only objects with no children and no parents can be deleted. The maximum number of attributes that can be deleted during an object deletion is 30. For more information, see [Amazon Cloud Directory Limits](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/limits.html). /// - /// - Parameter DeleteObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteObjectInput`) /// - /// - Returns: `DeleteObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1662,7 +1645,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteObjectOutput.httpOutput(from:), DeleteObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1694,9 +1676,9 @@ extension CloudDirectoryClient { /// /// Deletes a given schema. Schemas in a development and published state can only be deleted. /// - /// - Parameter DeleteSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSchemaInput`) /// - /// - Returns: `DeleteSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1735,7 +1717,6 @@ extension CloudDirectoryClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteSchemaInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSchemaOutput.httpOutput(from:), DeleteSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1767,9 +1748,9 @@ extension CloudDirectoryClient { /// /// Deletes a [TypedLinkFacet]. For more information, see [Typed Links](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/directory_objects_links.html#directory_objects_links_typedlink). /// - /// - Parameter DeleteTypedLinkFacetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTypedLinkFacetInput`) /// - /// - Returns: `DeleteTypedLinkFacetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTypedLinkFacetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1811,7 +1792,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTypedLinkFacetOutput.httpOutput(from:), DeleteTypedLinkFacetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1843,9 +1823,9 @@ extension CloudDirectoryClient { /// /// Detaches the specified object from the specified index. /// - /// - Parameter DetachFromIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachFromIndexInput`) /// - /// - Returns: `DetachFromIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachFromIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1889,7 +1869,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachFromIndexOutput.httpOutput(from:), DetachFromIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1921,9 +1900,9 @@ extension CloudDirectoryClient { /// /// Detaches a given object from the parent object. The object that is to be detached from the parent is specified by the link name. /// - /// - Parameter DetachObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachObjectInput`) /// - /// - Returns: `DetachObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1966,7 +1945,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachObjectOutput.httpOutput(from:), DetachObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1998,9 +1976,9 @@ extension CloudDirectoryClient { /// /// Detaches a policy from an object. /// - /// - Parameter DetachPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachPolicyInput`) /// - /// - Returns: `DetachPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2043,7 +2021,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachPolicyOutput.httpOutput(from:), DetachPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2075,9 +2052,9 @@ extension CloudDirectoryClient { /// /// Detaches a typed link from a specified source and target object. For more information, see [Typed Links](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/directory_objects_links.html#directory_objects_links_typedlink). /// - /// - Parameter DetachTypedLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachTypedLinkInput`) /// - /// - Returns: `DetachTypedLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachTypedLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2120,7 +2097,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachTypedLinkOutput.httpOutput(from:), DetachTypedLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2152,9 +2128,9 @@ extension CloudDirectoryClient { /// /// Disables the specified directory. Disabled directories cannot be read or written to. Only enabled directories can be disabled. Disabled directories may be reenabled. /// - /// - Parameter DisableDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableDirectoryInput`) /// - /// - Returns: `DisableDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2193,7 +2169,6 @@ extension CloudDirectoryClient { builder.serialize(ClientRuntime.HeaderMiddleware(DisableDirectoryInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableDirectoryOutput.httpOutput(from:), DisableDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2225,9 +2200,9 @@ extension CloudDirectoryClient { /// /// Enables the specified directory. Only disabled directories can be enabled. Once enabled, the directory can then be read and written to. /// - /// - Parameter EnableDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableDirectoryInput`) /// - /// - Returns: `EnableDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2266,7 +2241,6 @@ extension CloudDirectoryClient { builder.serialize(ClientRuntime.HeaderMiddleware(EnableDirectoryInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableDirectoryOutput.httpOutput(from:), EnableDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2298,9 +2272,9 @@ extension CloudDirectoryClient { /// /// Returns current applied schema version ARN, including the minor version in use. /// - /// - Parameter GetAppliedSchemaVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAppliedSchemaVersionInput`) /// - /// - Returns: `GetAppliedSchemaVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAppliedSchemaVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2340,7 +2314,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAppliedSchemaVersionOutput.httpOutput(from:), GetAppliedSchemaVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2372,9 +2345,9 @@ extension CloudDirectoryClient { /// /// Retrieves metadata about a directory. /// - /// - Parameter GetDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDirectoryInput`) /// - /// - Returns: `GetDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2411,7 +2384,6 @@ extension CloudDirectoryClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetDirectoryInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDirectoryOutput.httpOutput(from:), GetDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2443,9 +2415,9 @@ extension CloudDirectoryClient { /// /// Gets details of the [Facet], such as facet name, attributes, [Rule]s, or ObjectType. You can call this on all kinds of schema facets -- published, development, or applied. /// - /// - Parameter GetFacetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFacetInput`) /// - /// - Returns: `GetFacetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFacetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2487,7 +2459,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFacetOutput.httpOutput(from:), GetFacetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2519,9 +2490,9 @@ extension CloudDirectoryClient { /// /// Retrieves attributes that are associated with a typed link. /// - /// - Parameter GetLinkAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLinkAttributesInput`) /// - /// - Returns: `GetLinkAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLinkAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2564,7 +2535,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLinkAttributesOutput.httpOutput(from:), GetLinkAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2596,9 +2566,9 @@ extension CloudDirectoryClient { /// /// Retrieves attributes within a facet that are associated with an object. /// - /// - Parameter GetObjectAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectAttributesInput`) /// - /// - Returns: `GetObjectAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2641,7 +2611,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectAttributesOutput.httpOutput(from:), GetObjectAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2673,9 +2642,9 @@ extension CloudDirectoryClient { /// /// Retrieves metadata about an object. /// - /// - Parameter GetObjectInformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectInformationInput`) /// - /// - Returns: `GetObjectInformationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2717,7 +2686,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectInformationOutput.httpOutput(from:), GetObjectInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2749,9 +2717,9 @@ extension CloudDirectoryClient { /// /// Retrieves a JSON representation of the schema. See [JSON Schema Format](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/schemas_jsonformat.html#schemas_json) for more information. /// - /// - Parameter GetSchemaAsJsonInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaAsJsonInput`) /// - /// - Returns: `GetSchemaAsJsonOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaAsJsonOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2789,7 +2757,6 @@ extension CloudDirectoryClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetSchemaAsJsonInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaAsJsonOutput.httpOutput(from:), GetSchemaAsJsonOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2821,9 +2788,9 @@ extension CloudDirectoryClient { /// /// Returns the identity attribute order for a specific [TypedLinkFacet]. For more information, see [Typed Links](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/directory_objects_links.html#directory_objects_links_typedlink). /// - /// - Parameter GetTypedLinkFacetInformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTypedLinkFacetInformationInput`) /// - /// - Returns: `GetTypedLinkFacetInformationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTypedLinkFacetInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2866,7 +2833,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTypedLinkFacetInformationOutput.httpOutput(from:), GetTypedLinkFacetInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2898,9 +2864,9 @@ extension CloudDirectoryClient { /// /// Lists schema major versions applied to a directory. If SchemaArn is provided, lists the minor version. /// - /// - Parameter ListAppliedSchemaArnsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppliedSchemaArnsInput`) /// - /// - Returns: `ListAppliedSchemaArnsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppliedSchemaArnsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2941,7 +2907,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppliedSchemaArnsOutput.httpOutput(from:), ListAppliedSchemaArnsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2973,9 +2938,9 @@ extension CloudDirectoryClient { /// /// Lists indices attached to the specified object. /// - /// - Parameter ListAttachedIndicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttachedIndicesInput`) /// - /// - Returns: `ListAttachedIndicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAttachedIndicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3017,7 +2982,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttachedIndicesOutput.httpOutput(from:), ListAttachedIndicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3049,9 +3013,9 @@ extension CloudDirectoryClient { /// /// Retrieves each Amazon Resource Name (ARN) of schemas in the development state. /// - /// - Parameter ListDevelopmentSchemaArnsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevelopmentSchemaArnsInput`) /// - /// - Returns: `ListDevelopmentSchemaArnsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevelopmentSchemaArnsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3092,7 +3056,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevelopmentSchemaArnsOutput.httpOutput(from:), ListDevelopmentSchemaArnsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3124,9 +3087,9 @@ extension CloudDirectoryClient { /// /// Lists directories created within an account. /// - /// - Parameter ListDirectoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDirectoriesInput`) /// - /// - Returns: `ListDirectoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDirectoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3166,7 +3129,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDirectoriesOutput.httpOutput(from:), ListDirectoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3198,9 +3160,9 @@ extension CloudDirectoryClient { /// /// Retrieves attributes attached to the facet. /// - /// - Parameter ListFacetAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFacetAttributesInput`) /// - /// - Returns: `ListFacetAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFacetAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3243,7 +3205,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFacetAttributesOutput.httpOutput(from:), ListFacetAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3275,9 +3236,9 @@ extension CloudDirectoryClient { /// /// Retrieves the names of facets that exist in a schema. /// - /// - Parameter ListFacetNamesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFacetNamesInput`) /// - /// - Returns: `ListFacetNamesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFacetNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3319,7 +3280,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFacetNamesOutput.httpOutput(from:), ListFacetNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3351,9 +3311,9 @@ extension CloudDirectoryClient { /// /// Returns a paginated list of all the incoming [TypedLinkSpecifier] information for an object. It also supports filtering by typed link facet and identity attributes. For more information, see [Typed Links](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/directory_objects_links.html#directory_objects_links_typedlink). /// - /// - Parameter ListIncomingTypedLinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIncomingTypedLinksInput`) /// - /// - Returns: `ListIncomingTypedLinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIncomingTypedLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3397,7 +3357,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIncomingTypedLinksOutput.httpOutput(from:), ListIncomingTypedLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3429,9 +3388,9 @@ extension CloudDirectoryClient { /// /// Lists objects attached to the specified index. /// - /// - Parameter ListIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIndexInput`) /// - /// - Returns: `ListIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3476,7 +3435,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIndexOutput.httpOutput(from:), ListIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3508,9 +3466,9 @@ extension CloudDirectoryClient { /// /// Lists the major version families of each managed schema. If a major version ARN is provided as SchemaArn, the minor version revisions in that family are listed instead. /// - /// - Parameter ListManagedSchemaArnsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedSchemaArnsInput`) /// - /// - Returns: `ListManagedSchemaArnsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedSchemaArnsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3549,7 +3507,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedSchemaArnsOutput.httpOutput(from:), ListManagedSchemaArnsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3581,9 +3538,9 @@ extension CloudDirectoryClient { /// /// Lists all attributes that are associated with an object. /// - /// - Parameter ListObjectAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObjectAttributesInput`) /// - /// - Returns: `ListObjectAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObjectAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3627,7 +3584,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObjectAttributesOutput.httpOutput(from:), ListObjectAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3659,9 +3615,9 @@ extension CloudDirectoryClient { /// /// Returns a paginated list of child objects that are associated with a given object. /// - /// - Parameter ListObjectChildrenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObjectChildrenInput`) /// - /// - Returns: `ListObjectChildrenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObjectChildrenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3705,7 +3661,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObjectChildrenOutput.httpOutput(from:), ListObjectChildrenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3737,9 +3692,9 @@ extension CloudDirectoryClient { /// /// Retrieves all available parent paths for any object type such as node, leaf node, policy node, and index node objects. For more information about objects, see [Directory Structure](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/key_concepts_directorystructure.html). Use this API to evaluate all parents for an object. The call returns all objects from the root of the directory up to the requested object. The API returns the number of paths based on user-defined MaxResults, in case there are multiple paths to the parent. The order of the paths and nodes returned is consistent among multiple API calls unless the objects are deleted or moved. Paths not leading to the directory root are ignored from the target object. /// - /// - Parameter ListObjectParentPathsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObjectParentPathsInput`) /// - /// - Returns: `ListObjectParentPathsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObjectParentPathsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3782,7 +3737,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObjectParentPathsOutput.httpOutput(from:), ListObjectParentPathsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3814,9 +3768,9 @@ extension CloudDirectoryClient { /// /// Lists parent objects that are associated with a given object in pagination fashion. /// - /// - Parameter ListObjectParentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObjectParentsInput`) /// - /// - Returns: `ListObjectParentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObjectParentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3860,7 +3814,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObjectParentsOutput.httpOutput(from:), ListObjectParentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3892,9 +3845,9 @@ extension CloudDirectoryClient { /// /// Returns policies attached to an object in pagination fashion. /// - /// - Parameter ListObjectPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObjectPoliciesInput`) /// - /// - Returns: `ListObjectPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObjectPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3937,7 +3890,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObjectPoliciesOutput.httpOutput(from:), ListObjectPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3969,9 +3921,9 @@ extension CloudDirectoryClient { /// /// Returns a paginated list of all the outgoing [TypedLinkSpecifier] information for an object. It also supports filtering by typed link facet and identity attributes. For more information, see [Typed Links](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/directory_objects_links.html#directory_objects_links_typedlink). /// - /// - Parameter ListOutgoingTypedLinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOutgoingTypedLinksInput`) /// - /// - Returns: `ListOutgoingTypedLinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOutgoingTypedLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4015,7 +3967,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOutgoingTypedLinksOutput.httpOutput(from:), ListOutgoingTypedLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4047,9 +3998,9 @@ extension CloudDirectoryClient { /// /// Returns all of the ObjectIdentifiers to which a given policy is attached. /// - /// - Parameter ListPolicyAttachmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPolicyAttachmentsInput`) /// - /// - Returns: `ListPolicyAttachmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPolicyAttachmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4093,7 +4044,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPolicyAttachmentsOutput.httpOutput(from:), ListPolicyAttachmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4125,9 +4075,9 @@ extension CloudDirectoryClient { /// /// Lists the major version families of each published schema. If a major version ARN is provided as SchemaArn, the minor version revisions in that family are listed instead. /// - /// - Parameter ListPublishedSchemaArnsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPublishedSchemaArnsInput`) /// - /// - Returns: `ListPublishedSchemaArnsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPublishedSchemaArnsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4168,7 +4118,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPublishedSchemaArnsOutput.httpOutput(from:), ListPublishedSchemaArnsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4200,9 +4149,9 @@ extension CloudDirectoryClient { /// /// Returns tags for a resource. Tagging is currently supported only for directories with a limit of 50 tags per directory. All 50 tags are returned for a given directory with this API call. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4243,7 +4192,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4275,9 +4223,9 @@ extension CloudDirectoryClient { /// /// Returns a paginated list of all attribute definitions for a particular [TypedLinkFacet]. For more information, see [Typed Links](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/directory_objects_links.html#directory_objects_links_typedlink). /// - /// - Parameter ListTypedLinkFacetAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTypedLinkFacetAttributesInput`) /// - /// - Returns: `ListTypedLinkFacetAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTypedLinkFacetAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4320,7 +4268,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTypedLinkFacetAttributesOutput.httpOutput(from:), ListTypedLinkFacetAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4352,9 +4299,9 @@ extension CloudDirectoryClient { /// /// Returns a paginated list of TypedLink facet names for a particular schema. For more information, see [Typed Links](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/directory_objects_links.html#directory_objects_links_typedlink). /// - /// - Parameter ListTypedLinkFacetNamesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTypedLinkFacetNamesInput`) /// - /// - Returns: `ListTypedLinkFacetNamesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTypedLinkFacetNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4396,7 +4343,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTypedLinkFacetNamesOutput.httpOutput(from:), ListTypedLinkFacetNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4428,9 +4374,9 @@ extension CloudDirectoryClient { /// /// Lists all policies from the root of the [Directory] to the object specified. If there are no policies present, an empty list is returned. If policies are present, and if some objects don't have the policies attached, it returns the ObjectIdentifier for such objects. If policies are present, it returns ObjectIdentifier, policyId, and policyType. Paths that don't lead to the root from the target object are ignored. For more information, see [Policies](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/key_concepts_directory.html#key_concepts_policies). /// - /// - Parameter LookupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `LookupPolicyInput`) /// - /// - Returns: `LookupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `LookupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4473,7 +4419,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(LookupPolicyOutput.httpOutput(from:), LookupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4505,9 +4450,9 @@ extension CloudDirectoryClient { /// /// Publishes a development schema with a major version and a recommended minor version. /// - /// - Parameter PublishSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishSchemaInput`) /// - /// - Returns: `PublishSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4549,7 +4494,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishSchemaOutput.httpOutput(from:), PublishSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4581,9 +4525,9 @@ extension CloudDirectoryClient { /// /// Allows a schema to be updated using JSON upload. Only available for development schemas. See [JSON Schema Format](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/schemas_jsonformat.html#schemas_json) for more information. /// - /// - Parameter PutSchemaFromJsonInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSchemaFromJsonInput`) /// - /// - Returns: `PutSchemaFromJsonOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSchemaFromJsonOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4625,7 +4569,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSchemaFromJsonOutput.httpOutput(from:), PutSchemaFromJsonOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4657,9 +4600,9 @@ extension CloudDirectoryClient { /// /// Removes the specified facet from the specified object. /// - /// - Parameter RemoveFacetFromObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveFacetFromObjectInput`) /// - /// - Returns: `RemoveFacetFromObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveFacetFromObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4702,7 +4645,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveFacetFromObjectOutput.httpOutput(from:), RemoveFacetFromObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4734,9 +4676,9 @@ extension CloudDirectoryClient { /// /// An API operation for adding tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4777,7 +4719,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4809,9 +4750,9 @@ extension CloudDirectoryClient { /// /// An API operation for removing tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4852,7 +4793,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4890,9 +4830,9 @@ extension CloudDirectoryClient { /// /// * Deletes existing Attributes, Rules, or ObjectTypes. /// - /// - Parameter UpdateFacetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFacetInput`) /// - /// - Returns: `UpdateFacetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFacetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4937,7 +4877,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFacetOutput.httpOutput(from:), UpdateFacetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4969,9 +4908,9 @@ extension CloudDirectoryClient { /// /// Updates a given typed link’s attributes. Attributes to be updated must not contribute to the typed link’s identity, as defined by its IdentityAttributeOrder. /// - /// - Parameter UpdateLinkAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLinkAttributesInput`) /// - /// - Returns: `UpdateLinkAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLinkAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5014,7 +4953,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLinkAttributesOutput.httpOutput(from:), UpdateLinkAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5046,9 +4984,9 @@ extension CloudDirectoryClient { /// /// Updates a given object's attributes. /// - /// - Parameter UpdateObjectAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateObjectAttributesInput`) /// - /// - Returns: `UpdateObjectAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateObjectAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5092,7 +5030,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateObjectAttributesOutput.httpOutput(from:), UpdateObjectAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5124,9 +5061,9 @@ extension CloudDirectoryClient { /// /// Updates the schema name with a new name. Only development schema names can be updated. /// - /// - Parameter UpdateSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSchemaInput`) /// - /// - Returns: `UpdateSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5167,7 +5104,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSchemaOutput.httpOutput(from:), UpdateSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5199,9 +5135,9 @@ extension CloudDirectoryClient { /// /// Updates a [TypedLinkFacet]. For more information, see [Typed Links](https://docs.aws.amazon.com/clouddirectory/latest/developerguide/directory_objects_links.html#directory_objects_links_typedlink). /// - /// - Parameter UpdateTypedLinkFacetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTypedLinkFacetInput`) /// - /// - Returns: `UpdateTypedLinkFacetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTypedLinkFacetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5246,7 +5182,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTypedLinkFacetOutput.httpOutput(from:), UpdateTypedLinkFacetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5278,9 +5213,9 @@ extension CloudDirectoryClient { /// /// Upgrades a single directory in-place using the PublishedSchemaArn with schema updates found in MinorVersion. Backwards-compatible minor version upgrades are instantaneously available for readers on all objects in the directory. Note: This is a synchronous API call and upgrades only one schema on a given directory per call. To upgrade multiple directories from one schema, you would need to call this API on each directory. /// - /// - Parameter UpgradeAppliedSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpgradeAppliedSchemaInput`) /// - /// - Returns: `UpgradeAppliedSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpgradeAppliedSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5322,7 +5257,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpgradeAppliedSchemaOutput.httpOutput(from:), UpgradeAppliedSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5354,9 +5288,9 @@ extension CloudDirectoryClient { /// /// Upgrades a published schema under a new minor version revision using the current contents of DevelopmentSchemaArn. /// - /// - Parameter UpgradePublishedSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpgradePublishedSchemaInput`) /// - /// - Returns: `UpgradePublishedSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpgradePublishedSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5398,7 +5332,6 @@ extension CloudDirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpgradePublishedSchemaOutput.httpOutput(from:), UpgradePublishedSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudFormation/Sources/AWSCloudFormation/CloudFormationClient.swift b/Sources/Services/AWSCloudFormation/Sources/AWSCloudFormation/CloudFormationClient.swift index 3068473d257..d60caa9dde9 100644 --- a/Sources/Services/AWSCloudFormation/Sources/AWSCloudFormation/CloudFormationClient.swift +++ b/Sources/Services/AWSCloudFormation/Sources/AWSCloudFormation/CloudFormationClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudFormationClient: ClientRuntime.Client { public static let clientName = "CloudFormationClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudFormationClient.CloudFormationClientConfiguration let serviceName = "CloudFormation" @@ -374,9 +373,9 @@ extension CloudFormationClient { /// /// Activate trusted access with Organizations. With trusted access between StackSets and Organizations activated, the management account has permissions to create and manage StackSets for your organization. /// - /// - Parameter ActivateOrganizationsAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateOrganizationsAccessInput`) /// - /// - Returns: `ActivateOrganizationsAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateOrganizationsAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateOrganizationsAccessOutput.httpOutput(from:), ActivateOrganizationsAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension CloudFormationClient { /// /// Activates a public third-party extension, such as a resource or module, to make it available for use in stack templates in your current account and Region. It can also create CloudFormation Hooks, which allow you to evaluate resource configurations before CloudFormation provisions them. Hooks integrate with both CloudFormation and Cloud Control API operations. After you activate an extension, you can use [SetTypeConfiguration](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_SetTypeConfiguration.html) to set specific properties for the extension. To see which extensions have been activated, use [ListTypes](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_ListTypes.html). To see configuration details for an extension, use [DescribeType](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_DescribeType.html). For more information, see [Activate a third-party public extension in your account](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/registry-public-activate-extension.html) in the CloudFormation User Guide. For information about creating Hooks, see the [CloudFormation Hooks User Guide](https://docs.aws.amazon.com/cloudformation-cli/latest/hooks-userguide/what-is-cloudformation-hooks.html). /// - /// - Parameter ActivateTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateTypeInput`) /// - /// - Returns: `ActivateTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateTypeOutput.httpOutput(from:), ActivateTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension CloudFormationClient { /// /// Returns configuration data for the specified CloudFormation extensions, from the CloudFormation registry in your current account and Region. For more information, see [Edit configuration data for extensions in your account](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/registry-set-configuration.html) in the CloudFormation User Guide. /// - /// - Parameter BatchDescribeTypeConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDescribeTypeConfigurationsInput`) /// - /// - Returns: `BatchDescribeTypeConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDescribeTypeConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -547,7 +544,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDescribeTypeConfigurationsOutput.httpOutput(from:), BatchDescribeTypeConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -581,9 +577,9 @@ extension CloudFormationClient { /// /// Cancels an update on the specified stack. If the call completes successfully, the stack rolls back the update and reverts to the previous stack configuration. You can cancel only stacks that are in the UPDATE_IN_PROGRESS state. /// - /// - Parameter CancelUpdateStackInput : The input for the [CancelUpdateStack] action. + /// - Parameter input: The input for the [CancelUpdateStack] action. (Type: `CancelUpdateStackInput`) /// - /// - Returns: `CancelUpdateStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelUpdateStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -615,7 +611,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelUpdateStackOutput.httpOutput(from:), CancelUpdateStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -649,9 +644,9 @@ extension CloudFormationClient { /// /// Continues rolling back a stack from UPDATE_ROLLBACK_FAILED to UPDATE_ROLLBACK_COMPLETE state. Depending on the cause of the failure, you can manually fix the error and continue the rollback. By continuing the rollback, you can return your stack to a working state (the UPDATE_ROLLBACK_COMPLETE state) and then try to update the stack again. A stack enters the UPDATE_ROLLBACK_FAILED state when CloudFormation can't roll back all changes after a failed stack update. For example, this might occur when a stack attempts to roll back to an old database that was deleted outside of CloudFormation. Because CloudFormation doesn't know the instance was deleted, it assumes the instance still exists and attempts to roll back to it, causing the update rollback to fail. For more information, see [Continue rolling back an update](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/using-cfn-updating-stacks-continueupdaterollback.html) in the CloudFormation User Guide. For information for troubleshooting a failed update rollback, see [Update rollback failed](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/troubleshooting.html#troubleshooting-errors-update-rollback-failed). /// - /// - Parameter ContinueUpdateRollbackInput : The input for the [ContinueUpdateRollback] action. + /// - Parameter input: The input for the [ContinueUpdateRollback] action. (Type: `ContinueUpdateRollbackInput`) /// - /// - Returns: `ContinueUpdateRollbackOutput` : The output for a [ContinueUpdateRollback] operation. + /// - Returns: The output for a [ContinueUpdateRollback] operation. (Type: `ContinueUpdateRollbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -683,7 +678,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ContinueUpdateRollbackOutput.httpOutput(from:), ContinueUpdateRollbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -717,9 +711,9 @@ extension CloudFormationClient { /// /// Creates a list of changes that will be applied to a stack so that you can review the changes before executing them. You can create a change set for a stack that doesn't exist or an existing stack. If you create a change set for a stack that doesn't exist, the change set shows all of the resources that CloudFormation will create. If you create a change set for an existing stack, CloudFormation compares the stack's information with the information that you submit in the change set and lists the differences. Use change sets to understand which resources CloudFormation will create or change, and how it will change resources in an existing stack, before you create or update a stack. To create a change set for a stack that doesn't exist, for the ChangeSetType parameter, specify CREATE. To create a change set for an existing stack, specify UPDATE for the ChangeSetType parameter. To create a change set for an import operation, specify IMPORT for the ChangeSetType parameter. After the CreateChangeSet call successfully completes, CloudFormation starts creating the change set. To check the status of the change set or to review it, use the [DescribeChangeSet] action. When you are satisfied with the changes the change set will make, execute the change set by using the [ExecuteChangeSet] action. CloudFormation doesn't make changes until you execute the change set. To create a change set for the entire stack hierarchy, set IncludeNestedStacks to True. /// - /// - Parameter CreateChangeSetInput : The input for the [CreateChangeSet] action. + /// - Parameter input: The input for the [CreateChangeSet] action. (Type: `CreateChangeSetInput`) /// - /// - Returns: `CreateChangeSetOutput` : The output for the [CreateChangeSet] action. + /// - Returns: The output for the [CreateChangeSet] action. (Type: `CreateChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -753,7 +747,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChangeSetOutput.httpOutput(from:), CreateChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -787,9 +780,9 @@ extension CloudFormationClient { /// /// Creates a template from existing resources that are not already managed with CloudFormation. You can check the status of the template generation using the DescribeGeneratedTemplate API action. /// - /// - Parameter CreateGeneratedTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGeneratedTemplateInput`) /// - /// - Returns: `CreateGeneratedTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGeneratedTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -823,7 +816,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGeneratedTemplateOutput.httpOutput(from:), CreateGeneratedTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -857,9 +849,9 @@ extension CloudFormationClient { /// /// Creates a stack as specified in the template. After the call completes successfully, the stack creation starts. You can check the status of the stack through the [DescribeStacks] operation. For more information about creating a stack and monitoring stack progress, see [Managing Amazon Web Services resources as a single unit with CloudFormation stacks](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/stacks.html) in the CloudFormation User Guide. /// - /// - Parameter CreateStackInput : The input for [CreateStack] action. + /// - Parameter input: The input for [CreateStack] action. (Type: `CreateStackInput`) /// - /// - Returns: `CreateStackOutput` : The output for a [CreateStack] action. + /// - Returns: The output for a [CreateStack] action. (Type: `CreateStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -894,7 +886,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStackOutput.httpOutput(from:), CreateStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +923,9 @@ extension CloudFormationClient { /// /// * Parent OU strategy: If you don't mind exposing the OU hierarchy, target a parent OU that contains all desired child OUs. /// - /// - Parameter CreateStackInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStackInstancesInput`) /// - /// - Returns: `CreateStackInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStackInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -972,7 +963,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStackInstancesOutput.httpOutput(from:), CreateStackInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1006,9 +996,9 @@ extension CloudFormationClient { /// /// Creates a refactor across multiple stacks, with the list of stacks and resources that are affected. /// - /// - Parameter CreateStackRefactorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStackRefactorInput`) /// - /// - Returns: `CreateStackRefactorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStackRefactorOutput`) public func createStackRefactor(input: CreateStackRefactorInput) async throws -> CreateStackRefactorOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1035,7 +1025,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStackRefactorOutput.httpOutput(from:), CreateStackRefactorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1069,9 +1058,9 @@ extension CloudFormationClient { /// /// Creates a StackSet. /// - /// - Parameter CreateStackSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStackSetInput`) /// - /// - Returns: `CreateStackSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStackSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1106,7 +1095,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStackSetOutput.httpOutput(from:), CreateStackSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1140,9 +1128,9 @@ extension CloudFormationClient { /// /// Deactivates trusted access with Organizations. If trusted access is deactivated, the management account does not have permissions to create and manage service-managed StackSets for your organization. /// - /// - Parameter DeactivateOrganizationsAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateOrganizationsAccessInput`) /// - /// - Returns: `DeactivateOrganizationsAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateOrganizationsAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1175,7 +1163,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateOrganizationsAccessOutput.httpOutput(from:), DeactivateOrganizationsAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1209,9 +1196,9 @@ extension CloudFormationClient { /// /// Deactivates a public third-party extension, such as a resource or module, or a CloudFormation Hook when you no longer use it. Deactivating an extension deletes the configuration details that are associated with it. To temporarily disable a CloudFormation Hook instead, you can use [SetTypeConfiguration](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_SetTypeConfiguration.html). Once deactivated, an extension can't be used in any CloudFormation operation. This includes stack update operations where the stack template includes the extension, even if no updates are being made to the extension. In addition, deactivated extensions aren't automatically updated if a new version of the extension is released. To see which extensions are currently activated, use [ListTypes](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_ListTypes.html). /// - /// - Parameter DeactivateTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateTypeInput`) /// - /// - Returns: `DeactivateTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1244,7 +1231,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateTypeOutput.httpOutput(from:), DeactivateTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1278,9 +1264,9 @@ extension CloudFormationClient { /// /// Deletes the specified change set. Deleting change sets ensures that no one executes the wrong change set. If the call successfully completes, CloudFormation successfully deleted the change set. If IncludeNestedStacks specifies True during the creation of the nested change set, then DeleteChangeSet will delete all change sets that belong to the stacks hierarchy and will also delete all change sets for nested stacks with the status of REVIEW_IN_PROGRESS. /// - /// - Parameter DeleteChangeSetInput : The input for the [DeleteChangeSet] action. + /// - Parameter input: The input for the [DeleteChangeSet] action. (Type: `DeleteChangeSetInput`) /// - /// - Returns: `DeleteChangeSetOutput` : The output for the [DeleteChangeSet] action. + /// - Returns: The output for the [DeleteChangeSet] action. (Type: `DeleteChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1312,7 +1298,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChangeSetOutput.httpOutput(from:), DeleteChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1346,9 +1331,9 @@ extension CloudFormationClient { /// /// Deleted a generated template. /// - /// - Parameter DeleteGeneratedTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGeneratedTemplateInput`) /// - /// - Returns: `DeleteGeneratedTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGeneratedTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1381,7 +1366,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGeneratedTemplateOutput.httpOutput(from:), DeleteGeneratedTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1415,9 +1399,9 @@ extension CloudFormationClient { /// /// Deletes a specified stack. Once the call completes successfully, stack deletion starts. Deleted stacks don't show up in the [DescribeStacks] operation if the deletion has been completed successfully. For more information about deleting a stack, see [Delete a stack from the CloudFormation console](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/cfn-console-delete-stack.html) in the CloudFormation User Guide. /// - /// - Parameter DeleteStackInput : The input for [DeleteStack] action. + /// - Parameter input: The input for [DeleteStack] action. (Type: `DeleteStackInput`) /// - /// - Returns: `DeleteStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1449,7 +1433,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStackOutput.httpOutput(from:), DeleteStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1487,9 +1470,9 @@ extension CloudFormationClient { /// /// * Parent OU strategy: If you don't mind exposing the OU hierarchy, target a parent OU that contains all desired child OUs. /// - /// - Parameter DeleteStackInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStackInstancesInput`) /// - /// - Returns: `DeleteStackInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStackInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1526,7 +1509,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStackInstancesOutput.httpOutput(from:), DeleteStackInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1560,9 +1542,9 @@ extension CloudFormationClient { /// /// Deletes a StackSet. Before you can delete a StackSet, all its member stack instances must be deleted. For more information about how to complete this, see [DeleteStackInstances]. /// - /// - Parameter DeleteStackSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStackSetInput`) /// - /// - Returns: `DeleteStackSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStackSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1595,7 +1577,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStackSetOutput.httpOutput(from:), DeleteStackSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1629,9 +1610,9 @@ extension CloudFormationClient { /// /// Marks an extension or extension version as DEPRECATED in the CloudFormation registry, removing it from active use. Deprecated extensions or extension versions cannot be used in CloudFormation operations. To deregister an entire extension, you must individually deregister all active versions of that extension. If an extension has only a single active version, deregistering that version results in the extension itself being deregistered and marked as deprecated in the registry. You can't deregister the default version of an extension if there are other active version of that extension. If you do deregister the default version of an extension, the extension type itself is deregistered as well and marked as deprecated. To view the deprecation status of an extension or extension version, use [DescribeType](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_DescribeType.html). For more information, see [Remove third-party private extensions from your account](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/registry-private-deregister-extension.html) in the CloudFormation User Guide. /// - /// - Parameter DeregisterTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterTypeInput`) /// - /// - Returns: `DeregisterTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1664,7 +1645,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterTypeOutput.httpOutput(from:), DeregisterTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1698,9 +1678,9 @@ extension CloudFormationClient { /// /// Retrieves your account's CloudFormation limits, such as the maximum number of stacks that you can create in your account. For more information about account limits, see [Understand CloudFormation quotas](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/cloudformation-limits.html) in the CloudFormation User Guide. /// - /// - Parameter DescribeAccountLimitsInput : The input for the [DescribeAccountLimits] action. + /// - Parameter input: The input for the [DescribeAccountLimits] action. (Type: `DescribeAccountLimitsInput`) /// - /// - Returns: `DescribeAccountLimitsOutput` : The output for the [DescribeAccountLimits] action. + /// - Returns: The output for the [DescribeAccountLimits] action. (Type: `DescribeAccountLimitsOutput`) public func describeAccountLimits(input: DescribeAccountLimitsInput) async throws -> DescribeAccountLimitsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1727,7 +1707,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountLimitsOutput.httpOutput(from:), DescribeAccountLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1761,9 +1740,9 @@ extension CloudFormationClient { /// /// Returns the inputs for the change set and a list of changes that CloudFormation will make if you execute the change set. For more information, see [Update CloudFormation stacks using change sets](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/using-cfn-updating-stacks-changesets.html) in the CloudFormation User Guide. /// - /// - Parameter DescribeChangeSetInput : The input for the [DescribeChangeSet] action. + /// - Parameter input: The input for the [DescribeChangeSet] action. (Type: `DescribeChangeSetInput`) /// - /// - Returns: `DescribeChangeSetOutput` : The output for the [DescribeChangeSet] action. + /// - Returns: The output for the [DescribeChangeSet] action. (Type: `DescribeChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1795,7 +1774,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChangeSetOutput.httpOutput(from:), DescribeChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1829,9 +1807,9 @@ extension CloudFormationClient { /// /// Returns hook-related information for the change set and a list of changes that CloudFormation makes when you run the change set. /// - /// - Parameter DescribeChangeSetHooksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChangeSetHooksInput`) /// - /// - Returns: `DescribeChangeSetHooksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChangeSetHooksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1863,7 +1841,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChangeSetHooksOutput.httpOutput(from:), DescribeChangeSetHooksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1897,9 +1874,9 @@ extension CloudFormationClient { /// /// Describes a generated template. The output includes details about the progress of the creation of a generated template started by a CreateGeneratedTemplate API action or the update of a generated template started with an UpdateGeneratedTemplate API action. /// - /// - Parameter DescribeGeneratedTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGeneratedTemplateInput`) /// - /// - Returns: `DescribeGeneratedTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGeneratedTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1931,7 +1908,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGeneratedTemplateOutput.httpOutput(from:), DescribeGeneratedTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1965,9 +1941,9 @@ extension CloudFormationClient { /// /// Retrieves information about the account's OrganizationAccess status. This API can be called either by the management account or the delegated administrator by using the CallAs parameter. This API can also be called without the CallAs parameter by the management account. /// - /// - Parameter DescribeOrganizationsAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationsAccessInput`) /// - /// - Returns: `DescribeOrganizationsAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationsAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2000,7 +1976,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationsAccessOutput.httpOutput(from:), DescribeOrganizationsAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2038,9 +2013,9 @@ extension CloudFormationClient { /// /// * [Publishing extensions to make them available for public use](https://docs.aws.amazon.com/cloudformation-cli/latest/userguide/publish-extension.html) in the CloudFormation Command Line Interface (CLI) User Guide /// - /// - Parameter DescribePublisherInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePublisherInput`) /// - /// - Returns: `DescribePublisherOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePublisherOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2072,7 +2047,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePublisherOutput.httpOutput(from:), DescribePublisherOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2106,9 +2080,9 @@ extension CloudFormationClient { /// /// Describes details of a resource scan. /// - /// - Parameter DescribeResourceScanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourceScanInput`) /// - /// - Returns: `DescribeResourceScanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourceScanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2140,7 +2114,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourceScanOutput.httpOutput(from:), DescribeResourceScanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2174,9 +2147,9 @@ extension CloudFormationClient { /// /// Returns information about a stack drift detection operation. A stack drift detection operation detects whether a stack's actual configuration differs, or has drifted, from its expected configuration, as defined in the stack template and any values specified as template parameters. A stack is considered to have drifted if one or more of its resources have drifted. For more information about stack and resource drift, see [Detect unmanaged configuration changes to stacks and resources with drift detection](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/using-cfn-stack-drift.html). Use [DetectStackDrift] to initiate a stack drift detection operation. DetectStackDrift returns a StackDriftDetectionId you can use to monitor the progress of the operation using DescribeStackDriftDetectionStatus. Once the drift detection operation has completed, use [DescribeStackResourceDrifts] to return drift information about the stack and its resources. /// - /// - Parameter DescribeStackDriftDetectionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStackDriftDetectionStatusInput`) /// - /// - Returns: `DescribeStackDriftDetectionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStackDriftDetectionStatusOutput`) public func describeStackDriftDetectionStatus(input: DescribeStackDriftDetectionStatusInput) async throws -> DescribeStackDriftDetectionStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2203,7 +2176,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStackDriftDetectionStatusOutput.httpOutput(from:), DescribeStackDriftDetectionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2237,9 +2209,9 @@ extension CloudFormationClient { /// /// Returns all stack related events for a specified stack in reverse chronological order. For more information about a stack's event history, see [Understand CloudFormation stack creation events](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/stack-resource-configuration-complete.html) in the CloudFormation User Guide. You can list events for stacks that have failed to create or have been deleted by specifying the unique stack identifier (stack ID). /// - /// - Parameter DescribeStackEventsInput : The input for [DescribeStackEvents] action. + /// - Parameter input: The input for [DescribeStackEvents] action. (Type: `DescribeStackEventsInput`) /// - /// - Returns: `DescribeStackEventsOutput` : The output for a [DescribeStackEvents] action. + /// - Returns: The output for a [DescribeStackEvents] action. (Type: `DescribeStackEventsOutput`) public func describeStackEvents(input: DescribeStackEventsInput) async throws -> DescribeStackEventsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2266,7 +2238,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStackEventsOutput.httpOutput(from:), DescribeStackEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2300,9 +2271,9 @@ extension CloudFormationClient { /// /// Returns the stack instance that's associated with the specified StackSet, Amazon Web Services account, and Amazon Web Services Region. For a list of stack instances that are associated with a specific StackSet, use [ListStackInstances]. /// - /// - Parameter DescribeStackInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStackInstanceInput`) /// - /// - Returns: `DescribeStackInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStackInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2335,7 +2306,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStackInstanceOutput.httpOutput(from:), DescribeStackInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2369,9 +2339,9 @@ extension CloudFormationClient { /// /// Describes the stack refactor status. /// - /// - Parameter DescribeStackRefactorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStackRefactorInput`) /// - /// - Returns: `DescribeStackRefactorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStackRefactorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2403,7 +2373,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStackRefactorOutput.httpOutput(from:), DescribeStackRefactorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2437,9 +2406,9 @@ extension CloudFormationClient { /// /// Returns a description of the specified resource in the specified stack. For deleted stacks, DescribeStackResource returns resource information for up to 90 days after the stack has been deleted. /// - /// - Parameter DescribeStackResourceInput : The input for [DescribeStackResource] action. + /// - Parameter input: The input for [DescribeStackResource] action. (Type: `DescribeStackResourceInput`) /// - /// - Returns: `DescribeStackResourceOutput` : The output for a [DescribeStackResource] action. + /// - Returns: The output for a [DescribeStackResource] action. (Type: `DescribeStackResourceOutput`) public func describeStackResource(input: DescribeStackResourceInput) async throws -> DescribeStackResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2466,7 +2435,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStackResourceOutput.httpOutput(from:), DescribeStackResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2500,9 +2468,9 @@ extension CloudFormationClient { /// /// Returns drift information for the resources that have been checked for drift in the specified stack. This includes actual and expected configuration values for resources where CloudFormation detects configuration drift. For a given stack, there will be one StackResourceDrift for each stack resource that has been checked for drift. Resources that haven't yet been checked for drift aren't included. Resources that don't currently support drift detection aren't checked, and so not included. For a list of resources that support drift detection, see [Resource type support for imports and drift detection](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/resource-import-supported-resources.html). Use [DetectStackResourceDrift] to detect drift on individual resources, or [DetectStackDrift] to detect drift on all supported resources for a given stack. /// - /// - Parameter DescribeStackResourceDriftsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStackResourceDriftsInput`) /// - /// - Returns: `DescribeStackResourceDriftsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStackResourceDriftsOutput`) public func describeStackResourceDrifts(input: DescribeStackResourceDriftsInput) async throws -> DescribeStackResourceDriftsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2529,7 +2497,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStackResourceDriftsOutput.httpOutput(from:), DescribeStackResourceDriftsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2563,9 +2530,9 @@ extension CloudFormationClient { /// /// Returns Amazon Web Services resource descriptions for running and deleted stacks. If StackName is specified, all the associated resources that are part of the stack are returned. If PhysicalResourceId is specified, the associated resources of the stack that the resource belongs to are returned. Only the first 100 resources will be returned. If your stack has more resources than this, you should use ListStackResources instead. For deleted stacks, DescribeStackResources returns resource information for up to 90 days after the stack has been deleted. You must specify either StackName or PhysicalResourceId, but not both. In addition, you can specify LogicalResourceId to filter the returned result. For more information about resources, the LogicalResourceId and PhysicalResourceId, see the [CloudFormation User Guide](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/). A ValidationError is returned if you specify both StackName and PhysicalResourceId in the same request. /// - /// - Parameter DescribeStackResourcesInput : The input for [DescribeStackResources] action. + /// - Parameter input: The input for [DescribeStackResources] action. (Type: `DescribeStackResourcesInput`) /// - /// - Returns: `DescribeStackResourcesOutput` : The output for a [DescribeStackResources] action. + /// - Returns: The output for a [DescribeStackResources] action. (Type: `DescribeStackResourcesOutput`) public func describeStackResources(input: DescribeStackResourcesInput) async throws -> DescribeStackResourcesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2592,7 +2559,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStackResourcesOutput.httpOutput(from:), DescribeStackResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2626,9 +2592,9 @@ extension CloudFormationClient { /// /// Returns the description of the specified StackSet. This API provides strongly consistent reads meaning it will always return the most up-to-date data. /// - /// - Parameter DescribeStackSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStackSetInput`) /// - /// - Returns: `DescribeStackSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStackSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2660,7 +2626,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStackSetOutput.httpOutput(from:), DescribeStackSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2694,9 +2659,9 @@ extension CloudFormationClient { /// /// Returns the description of the specified StackSet operation. This API provides strongly consistent reads meaning it will always return the most up-to-date data. /// - /// - Parameter DescribeStackSetOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStackSetOperationInput`) /// - /// - Returns: `DescribeStackSetOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStackSetOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2729,7 +2694,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStackSetOperationOutput.httpOutput(from:), DescribeStackSetOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2763,9 +2727,9 @@ extension CloudFormationClient { /// /// Returns the description for the specified stack; if no stack name was specified, then it returns the description for all the stacks created. For more information about a stack's event history, see [Understand CloudFormation stack creation events](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/stack-resource-configuration-complete.html) in the CloudFormation User Guide. If the stack doesn't exist, a ValidationError is returned. /// - /// - Parameter DescribeStacksInput : The input for [DescribeStacks] action. + /// - Parameter input: The input for [DescribeStacks] action. (Type: `DescribeStacksInput`) /// - /// - Returns: `DescribeStacksOutput` : The output for a [DescribeStacks] action. + /// - Returns: The output for a [DescribeStacks] action. (Type: `DescribeStacksOutput`) public func describeStacks(input: DescribeStacksInput) async throws -> DescribeStacksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2792,7 +2756,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStacksOutput.httpOutput(from:), DescribeStacksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2826,9 +2789,9 @@ extension CloudFormationClient { /// /// Returns detailed information about an extension from the CloudFormation registry in your current account and Region. If you specify a VersionId, DescribeType returns information about that specific extension version. Otherwise, it returns information about the default extension version. For more information, see [Edit configuration data for extensions in your account](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/registry-set-configuration.html) in the CloudFormation User Guide. /// - /// - Parameter DescribeTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTypeInput`) /// - /// - Returns: `DescribeTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2861,7 +2824,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTypeOutput.httpOutput(from:), DescribeTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2895,9 +2857,9 @@ extension CloudFormationClient { /// /// Returns information about an extension's registration, including its current status and type and version identifiers. When you initiate a registration request using [RegisterType], you can then use [DescribeTypeRegistration] to monitor the progress of that registration request. Once the registration request has completed, use [DescribeType] to return detailed information about an extension. /// - /// - Parameter DescribeTypeRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTypeRegistrationInput`) /// - /// - Returns: `DescribeTypeRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTypeRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2929,7 +2891,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTypeRegistrationOutput.httpOutput(from:), DescribeTypeRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2963,9 +2924,9 @@ extension CloudFormationClient { /// /// Detects whether a stack's actual configuration differs, or has drifted, from its expected configuration, as defined in the stack template and any values specified as template parameters. For each resource in the stack that supports drift detection, CloudFormation compares the actual configuration of the resource with its expected template configuration. Only resource properties explicitly defined in the stack template are checked for drift. A stack is considered to have drifted if one or more of its resources differ from their expected template configurations. For more information, see [Detect unmanaged configuration changes to stacks and resources with drift detection](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/using-cfn-stack-drift.html). Use DetectStackDrift to detect drift on all supported resources for a given stack, or [DetectStackResourceDrift] to detect drift on individual resources. For a list of stack resources that currently support drift detection, see [Resource type support for imports and drift detection](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/resource-import-supported-resources.html). DetectStackDrift can take up to several minutes, depending on the number of resources contained within the stack. Use [DescribeStackDriftDetectionStatus] to monitor the progress of a detect stack drift operation. Once the drift detection operation has completed, use [DescribeStackResourceDrifts] to return drift information about the stack and its resources. When detecting drift on a stack, CloudFormation doesn't detect drift on any nested stacks belonging to that stack. Perform DetectStackDrift directly on the nested stack itself. /// - /// - Parameter DetectStackDriftInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectStackDriftInput`) /// - /// - Returns: `DetectStackDriftOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectStackDriftOutput`) public func detectStackDrift(input: DetectStackDriftInput) async throws -> DetectStackDriftOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2992,7 +2953,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectStackDriftOutput.httpOutput(from:), DetectStackDriftOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3026,9 +2986,9 @@ extension CloudFormationClient { /// /// Returns information about whether a resource's actual configuration differs, or has drifted, from its expected configuration, as defined in the stack template and any values specified as template parameters. This information includes actual and expected property values for resources in which CloudFormation detects drift. Only resource properties explicitly defined in the stack template are checked for drift. For more information about stack and resource drift, see [Detect unmanaged configuration changes to stacks and resources with drift detection](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/using-cfn-stack-drift.html). Use DetectStackResourceDrift to detect drift on individual resources, or [DetectStackDrift] to detect drift on all resources in a given stack that support drift detection. Resources that don't currently support drift detection can't be checked. For a list of resources that support drift detection, see [Resource type support for imports and drift detection](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/resource-import-supported-resources.html). /// - /// - Parameter DetectStackResourceDriftInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectStackResourceDriftInput`) /// - /// - Returns: `DetectStackResourceDriftOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectStackResourceDriftOutput`) public func detectStackResourceDrift(input: DetectStackResourceDriftInput) async throws -> DetectStackResourceDriftOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3055,7 +3015,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectStackResourceDriftOutput.httpOutput(from:), DetectStackResourceDriftOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3098,9 +3057,9 @@ extension CloudFormationClient { /// /// You can only run a single drift detection operation on a given StackSet at one time. To stop a drift detection StackSet operation, use [StopStackSetOperation]. /// - /// - Parameter DetectStackSetDriftInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectStackSetDriftInput`) /// - /// - Returns: `DetectStackSetDriftOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectStackSetDriftOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3135,7 +3094,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectStackSetDriftOutput.httpOutput(from:), DetectStackSetDriftOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3169,9 +3127,9 @@ extension CloudFormationClient { /// /// Returns the estimated monthly cost of a template. The return value is an Amazon Web Services Simple Monthly Calculator URL with a query string that describes the resources required to run the template. /// - /// - Parameter EstimateTemplateCostInput : The input for an [EstimateTemplateCost] action. + /// - Parameter input: The input for an [EstimateTemplateCost] action. (Type: `EstimateTemplateCostInput`) /// - /// - Returns: `EstimateTemplateCostOutput` : The output for a [EstimateTemplateCost] action. + /// - Returns: The output for a [EstimateTemplateCost] action. (Type: `EstimateTemplateCostOutput`) public func estimateTemplateCost(input: EstimateTemplateCostInput) async throws -> EstimateTemplateCostOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3198,7 +3156,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EstimateTemplateCostOutput.httpOutput(from:), EstimateTemplateCostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3232,9 +3189,9 @@ extension CloudFormationClient { /// /// Updates a stack using the input information that was provided when the specified change set was created. After the call successfully completes, CloudFormation starts updating the stack. Use the [DescribeStacks] action to view the status of the update. When you execute a change set, CloudFormation deletes all other change sets associated with the stack because they aren't valid for the updated stack. If a stack policy is associated with the stack, CloudFormation enforces the policy during the update. You can't specify a temporary stack policy that overrides the current policy. To create a change set for the entire stack hierarchy, IncludeNestedStacks must have been set to True. /// - /// - Parameter ExecuteChangeSetInput : The input for the [ExecuteChangeSet] action. + /// - Parameter input: The input for the [ExecuteChangeSet] action. (Type: `ExecuteChangeSetInput`) /// - /// - Returns: `ExecuteChangeSetOutput` : The output for the [ExecuteChangeSet] action. + /// - Returns: The output for the [ExecuteChangeSet] action. (Type: `ExecuteChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3269,7 +3226,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteChangeSetOutput.httpOutput(from:), ExecuteChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3303,9 +3259,9 @@ extension CloudFormationClient { /// /// Executes the stack refactor operation. /// - /// - Parameter ExecuteStackRefactorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteStackRefactorInput`) /// - /// - Returns: `ExecuteStackRefactorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteStackRefactorOutput`) public func executeStackRefactor(input: ExecuteStackRefactorInput) async throws -> ExecuteStackRefactorOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3332,7 +3288,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteStackRefactorOutput.httpOutput(from:), ExecuteStackRefactorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3366,9 +3321,9 @@ extension CloudFormationClient { /// /// Retrieves a generated template. If the template is in an InProgress or Pending status then the template returned will be the template when the template was last in a Complete status. If the template has not yet been in a Complete status then an empty template will be returned. /// - /// - Parameter GetGeneratedTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGeneratedTemplateInput`) /// - /// - Returns: `GetGeneratedTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGeneratedTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3400,7 +3355,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGeneratedTemplateOutput.httpOutput(from:), GetGeneratedTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3434,9 +3388,9 @@ extension CloudFormationClient { /// /// Returns the stack policy for a specified stack. If a stack doesn't have a policy, a null value is returned. /// - /// - Parameter GetStackPolicyInput : The input for the [GetStackPolicy] action. + /// - Parameter input: The input for the [GetStackPolicy] action. (Type: `GetStackPolicyInput`) /// - /// - Returns: `GetStackPolicyOutput` : The output for the [GetStackPolicy] action. + /// - Returns: The output for the [GetStackPolicy] action. (Type: `GetStackPolicyOutput`) public func getStackPolicy(input: GetStackPolicyInput) async throws -> GetStackPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3463,7 +3417,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStackPolicyOutput.httpOutput(from:), GetStackPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3497,9 +3450,9 @@ extension CloudFormationClient { /// /// Returns the template body for a specified stack. You can get the template for running or deleted stacks. For deleted stacks, GetTemplate returns the template for up to 90 days after the stack has been deleted. If the template doesn't exist, a ValidationError is returned. /// - /// - Parameter GetTemplateInput : The input for a [GetTemplate] action. + /// - Parameter input: The input for a [GetTemplate] action. (Type: `GetTemplateInput`) /// - /// - Returns: `GetTemplateOutput` : The output for [GetTemplate] action. + /// - Returns: The output for [GetTemplate] action. (Type: `GetTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3531,7 +3484,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateOutput.httpOutput(from:), GetTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3565,9 +3517,9 @@ extension CloudFormationClient { /// /// Returns information about a new or existing template. The GetTemplateSummary action is useful for viewing parameter information, such as default parameter values and parameter types, before you create or update a stack or StackSet. You can use the GetTemplateSummary action when you submit a template, or you can get template information for a StackSet, or a running or deleted stack. For deleted stacks, GetTemplateSummary returns the template information for up to 90 days after the stack has been deleted. If the template doesn't exist, a ValidationError is returned. /// - /// - Parameter GetTemplateSummaryInput : The input for the [GetTemplateSummary] action. + /// - Parameter input: The input for the [GetTemplateSummary] action. (Type: `GetTemplateSummaryInput`) /// - /// - Returns: `GetTemplateSummaryOutput` : The output for the [GetTemplateSummary] action. + /// - Returns: The output for the [GetTemplateSummary] action. (Type: `GetTemplateSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3599,7 +3551,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateSummaryOutput.httpOutput(from:), GetTemplateSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3633,9 +3584,9 @@ extension CloudFormationClient { /// /// Import existing stacks into a new StackSets. Use the stack import operation to import up to 10 stacks into a new StackSet in the same account as the source stack or in a different administrator account and Region, by specifying the stack ID of the stack you intend to import. /// - /// - Parameter ImportStacksToStackSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportStacksToStackSetInput`) /// - /// - Returns: `ImportStacksToStackSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportStacksToStackSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3674,7 +3625,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportStacksToStackSetOutput.httpOutput(from:), ImportStacksToStackSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3708,9 +3658,9 @@ extension CloudFormationClient { /// /// Returns the ID and status of each active change set for a stack. For example, CloudFormation lists change sets that are in the CREATE_IN_PROGRESS or CREATE_PENDING state. /// - /// - Parameter ListChangeSetsInput : The input for the [ListChangeSets] action. + /// - Parameter input: The input for the [ListChangeSets] action. (Type: `ListChangeSetsInput`) /// - /// - Returns: `ListChangeSetsOutput` : The output for the [ListChangeSets] action. + /// - Returns: The output for the [ListChangeSets] action. (Type: `ListChangeSetsOutput`) public func listChangeSets(input: ListChangeSetsInput) async throws -> ListChangeSetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3737,7 +3687,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChangeSetsOutput.httpOutput(from:), ListChangeSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3771,9 +3720,9 @@ extension CloudFormationClient { /// /// Lists all exported output values in the account and Region in which you call this action. Use this action to see the exported output values that you can import into other stacks. To import values, use the [ Fn::ImportValue](https://docs.aws.amazon.com/AWSCloudFormation/latest/TemplateReference/intrinsic-function-reference-importvalue.html) function. For more information, see [Get exported outputs from a deployed CloudFormation stack](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/using-cfn-stack-exports.html). /// - /// - Parameter ListExportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExportsInput`) /// - /// - Returns: `ListExportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExportsOutput`) public func listExports(input: ListExportsInput) async throws -> ListExportsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3800,7 +3749,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExportsOutput.httpOutput(from:), ListExportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3834,9 +3782,9 @@ extension CloudFormationClient { /// /// Lists your generated templates in this Region. /// - /// - Parameter ListGeneratedTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGeneratedTemplatesInput`) /// - /// - Returns: `ListGeneratedTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGeneratedTemplatesOutput`) public func listGeneratedTemplates(input: ListGeneratedTemplatesInput) async throws -> ListGeneratedTemplatesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3863,7 +3811,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGeneratedTemplatesOutput.httpOutput(from:), ListGeneratedTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3905,9 +3852,9 @@ extension CloudFormationClient { /// /// * TargetId and TargetType: Returns summaries for a specific Hook invocation target. /// - /// - Parameter ListHookResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHookResultsInput`) /// - /// - Returns: `ListHookResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHookResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3939,7 +3886,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHookResultsOutput.httpOutput(from:), ListHookResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3973,9 +3919,9 @@ extension CloudFormationClient { /// /// Lists all stacks that are importing an exported output value. To modify or remove an exported output value, first use this action to see which stacks are using it. To see the exported output values in your account, see [ListExports]. For more information about importing an exported output value, see the [Fn::ImportValue](https://docs.aws.amazon.com/AWSCloudFormation/latest/TemplateReference/intrinsic-function-reference-importvalue.html) function. /// - /// - Parameter ListImportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImportsInput`) /// - /// - Returns: `ListImportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImportsOutput`) public func listImports(input: ListImportsInput) async throws -> ListImportsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4002,7 +3948,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportsOutput.httpOutput(from:), ListImportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4036,9 +3981,9 @@ extension CloudFormationClient { /// /// Lists the related resources for a list of resources from a resource scan. The response indicates whether each returned resource is already managed by CloudFormation. /// - /// - Parameter ListResourceScanRelatedResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceScanRelatedResourcesInput`) /// - /// - Returns: `ListResourceScanRelatedResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceScanRelatedResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4071,7 +4016,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceScanRelatedResourcesOutput.httpOutput(from:), ListResourceScanRelatedResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4105,9 +4049,9 @@ extension CloudFormationClient { /// /// Lists the resources from a resource scan. The results can be filtered by resource identifier, resource type prefix, tag key, and tag value. Only resources that match all specified filters are returned. The response indicates whether each returned resource is already managed by CloudFormation. /// - /// - Parameter ListResourceScanResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceScanResourcesInput`) /// - /// - Returns: `ListResourceScanResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceScanResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4140,7 +4084,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceScanResourcesOutput.httpOutput(from:), ListResourceScanResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4174,9 +4117,9 @@ extension CloudFormationClient { /// /// List the resource scans from newest to oldest. By default it will return up to 10 resource scans. /// - /// - Parameter ListResourceScansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceScansInput`) /// - /// - Returns: `ListResourceScansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceScansOutput`) public func listResourceScans(input: ListResourceScansInput) async throws -> ListResourceScansOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4203,7 +4146,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceScansOutput.httpOutput(from:), ListResourceScansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4237,9 +4179,9 @@ extension CloudFormationClient { /// /// Returns drift information for resources in a stack instance. ListStackInstanceResourceDrifts returns drift information for the most recent drift detection operation. If an operation is in progress, it may only return partial results. /// - /// - Parameter ListStackInstanceResourceDriftsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStackInstanceResourceDriftsInput`) /// - /// - Returns: `ListStackInstanceResourceDriftsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStackInstanceResourceDriftsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4273,7 +4215,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStackInstanceResourceDriftsOutput.httpOutput(from:), ListStackInstanceResourceDriftsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4307,9 +4248,9 @@ extension CloudFormationClient { /// /// Returns summary information about stack instances that are associated with the specified StackSet. You can filter for stack instances that are associated with a specific Amazon Web Services account name or Region, or that have a specific status. /// - /// - Parameter ListStackInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStackInstancesInput`) /// - /// - Returns: `ListStackInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStackInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4341,7 +4282,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStackInstancesOutput.httpOutput(from:), ListStackInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4375,9 +4315,9 @@ extension CloudFormationClient { /// /// Lists the stack refactor actions that will be taken after calling the [ExecuteStackRefactor] action. /// - /// - Parameter ListStackRefactorActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStackRefactorActionsInput`) /// - /// - Returns: `ListStackRefactorActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStackRefactorActionsOutput`) public func listStackRefactorActions(input: ListStackRefactorActionsInput) async throws -> ListStackRefactorActionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4404,7 +4344,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStackRefactorActionsOutput.httpOutput(from:), ListStackRefactorActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4438,9 +4377,9 @@ extension CloudFormationClient { /// /// Lists all account stack refactor operations and their statuses. /// - /// - Parameter ListStackRefactorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStackRefactorsInput`) /// - /// - Returns: `ListStackRefactorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStackRefactorsOutput`) public func listStackRefactors(input: ListStackRefactorsInput) async throws -> ListStackRefactorsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4467,7 +4406,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStackRefactorsOutput.httpOutput(from:), ListStackRefactorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4501,9 +4439,9 @@ extension CloudFormationClient { /// /// Returns descriptions of all resources of the specified stack. For deleted stacks, ListStackResources returns resource information for up to 90 days after the stack has been deleted. /// - /// - Parameter ListStackResourcesInput : The input for the [ListStackResource] action. + /// - Parameter input: The input for the [ListStackResource] action. (Type: `ListStackResourcesInput`) /// - /// - Returns: `ListStackResourcesOutput` : The output for a [ListStackResources] action. + /// - Returns: The output for a [ListStackResources] action. (Type: `ListStackResourcesOutput`) public func listStackResources(input: ListStackResourcesInput) async throws -> ListStackResourcesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4530,7 +4468,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStackResourcesOutput.httpOutput(from:), ListStackResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4564,9 +4501,9 @@ extension CloudFormationClient { /// /// Returns summary information about deployment targets for a StackSet. /// - /// - Parameter ListStackSetAutoDeploymentTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStackSetAutoDeploymentTargetsInput`) /// - /// - Returns: `ListStackSetAutoDeploymentTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStackSetAutoDeploymentTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4598,7 +4535,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStackSetAutoDeploymentTargetsOutput.httpOutput(from:), ListStackSetAutoDeploymentTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4632,9 +4568,9 @@ extension CloudFormationClient { /// /// Returns summary information about the results of a StackSet operation. This API provides eventually consistent reads meaning it may take some time but will eventually return the most up-to-date data. /// - /// - Parameter ListStackSetOperationResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStackSetOperationResultsInput`) /// - /// - Returns: `ListStackSetOperationResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStackSetOperationResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4667,7 +4603,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStackSetOperationResultsOutput.httpOutput(from:), ListStackSetOperationResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4701,9 +4636,9 @@ extension CloudFormationClient { /// /// Returns summary information about operations performed on a StackSet. This API provides eventually consistent reads meaning it may take some time but will eventually return the most up-to-date data. /// - /// - Parameter ListStackSetOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStackSetOperationsInput`) /// - /// - Returns: `ListStackSetOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStackSetOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4735,7 +4670,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStackSetOperationsOutput.httpOutput(from:), ListStackSetOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4775,9 +4709,9 @@ extension CloudFormationClient { /// /// * [Service-managed permissions] If you set the CallAs parameter to DELEGATED_ADMIN while signed in to your member account, ListStackSets returns all StackSets with service-managed permissions in the management account. /// - /// - Parameter ListStackSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStackSetsInput`) /// - /// - Returns: `ListStackSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStackSetsOutput`) public func listStackSets(input: ListStackSetsInput) async throws -> ListStackSetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4804,7 +4738,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStackSetsOutput.httpOutput(from:), ListStackSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4838,9 +4771,9 @@ extension CloudFormationClient { /// /// Returns the summary information for stacks whose status matches the specified StackStatusFilter. Summary information for stacks that have been deleted is kept for 90 days after the stack is deleted. If no StackStatusFilter is specified, summary information for all stacks is returned (including existing stacks and stacks that have been deleted). /// - /// - Parameter ListStacksInput : The input for [ListStacks] action. + /// - Parameter input: The input for [ListStacks] action. (Type: `ListStacksInput`) /// - /// - Returns: `ListStacksOutput` : The output for [ListStacks] action. + /// - Returns: The output for [ListStacks] action. (Type: `ListStacksOutput`) public func listStacks(input: ListStacksInput) async throws -> ListStacksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4867,7 +4800,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStacksOutput.httpOutput(from:), ListStacksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4901,9 +4833,9 @@ extension CloudFormationClient { /// /// Returns a list of registration tokens for the specified extension(s). /// - /// - Parameter ListTypeRegistrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTypeRegistrationsInput`) /// - /// - Returns: `ListTypeRegistrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTypeRegistrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4935,7 +4867,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTypeRegistrationsOutput.httpOutput(from:), ListTypeRegistrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4969,9 +4900,9 @@ extension CloudFormationClient { /// /// Returns summary information about the versions of an extension. /// - /// - Parameter ListTypeVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTypeVersionsInput`) /// - /// - Returns: `ListTypeVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTypeVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5003,7 +4934,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTypeVersionsOutput.httpOutput(from:), ListTypeVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5037,9 +4967,9 @@ extension CloudFormationClient { /// /// Returns summary information about all extensions, including your private resource types, modules, and Hooks as well as all public extensions from Amazon Web Services and third-party publishers. /// - /// - Parameter ListTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTypesInput`) /// - /// - Returns: `ListTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5071,7 +5001,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTypesOutput.httpOutput(from:), ListTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5105,9 +5034,9 @@ extension CloudFormationClient { /// /// Publishes the specified extension to the CloudFormation registry as a public extension in this Region. Public extensions are available for use by all CloudFormation users. For more information about publishing extensions, see [Publishing extensions to make them available for public use](https://docs.aws.amazon.com/cloudformation-cli/latest/userguide/publish-extension.html) in the CloudFormation Command Line Interface (CLI) User Guide. To publish an extension, you must be registered as a publisher with CloudFormation. For more information, see [RegisterPublisher](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_RegisterPublisher.html). /// - /// - Parameter PublishTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishTypeInput`) /// - /// - Returns: `PublishTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5140,7 +5069,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishTypeOutput.httpOutput(from:), PublishTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5174,9 +5102,9 @@ extension CloudFormationClient { /// /// Reports progress of a resource handler to CloudFormation. Reserved for use by the [CloudFormation CLI](https://docs.aws.amazon.com/cloudformation-cli/latest/userguide/what-is-cloudformation-cli.html). Don't use this API in your code. /// - /// - Parameter RecordHandlerProgressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RecordHandlerProgressInput`) /// - /// - Returns: `RecordHandlerProgressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RecordHandlerProgressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5209,7 +5137,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RecordHandlerProgressOutput.httpOutput(from:), RecordHandlerProgressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5243,9 +5170,9 @@ extension CloudFormationClient { /// /// Registers your account as a publisher of public extensions in the CloudFormation registry. Public extensions are available for use by all CloudFormation users. This publisher ID applies to your account in all Amazon Web Services Regions. For information about requirements for registering as a public extension publisher, see [Prerequisite: Registering your account to publish CloudFormation extensions](https://docs.aws.amazon.com/cloudformation-cli/latest/userguide/publish-extension.html#publish-extension-prereqs) in the CloudFormation Command Line Interface (CLI) User Guide. /// - /// - Parameter RegisterPublisherInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterPublisherInput`) /// - /// - Returns: `RegisterPublisherOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterPublisherOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5277,7 +5204,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterPublisherOutput.httpOutput(from:), RegisterPublisherOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5320,9 +5246,9 @@ extension CloudFormationClient { /// /// For more information about how to develop extensions and ready them for registration, see [Creating resource types using the CloudFormation CLI](https://docs.aws.amazon.com/cloudformation-cli/latest/userguide/resource-types.html) in the CloudFormation Command Line Interface (CLI) User Guide. You can have a maximum of 50 resource extension versions registered at a time. This maximum is per account and per Region. Use [DeregisterType](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_DeregisterType.html) to deregister specific extension versions if necessary. Once you have initiated a registration request using [RegisterType], you can use [DescribeTypeRegistration] to monitor the progress of the registration request. Once you have registered a private extension in your account and Region, use [SetTypeConfiguration](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_SetTypeConfiguration.html) to specify configuration properties for the extension. For more information, see [Edit configuration data for extensions in your account](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/registry-set-configuration.html) in the CloudFormation User Guide. /// - /// - Parameter RegisterTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterTypeInput`) /// - /// - Returns: `RegisterTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5354,7 +5280,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterTypeOutput.httpOutput(from:), RegisterTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5398,9 +5323,9 @@ extension CloudFormationClient { /// /// * IMPORT_ROLLBACK_COMPLETE /// - /// - Parameter RollbackStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RollbackStackInput`) /// - /// - Returns: `RollbackStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RollbackStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5432,7 +5357,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RollbackStackOutput.httpOutput(from:), RollbackStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5466,9 +5390,9 @@ extension CloudFormationClient { /// /// Sets a stack policy for a specified stack. /// - /// - Parameter SetStackPolicyInput : The input for the [SetStackPolicy] action. + /// - Parameter input: The input for the [SetStackPolicy] action. (Type: `SetStackPolicyInput`) /// - /// - Returns: `SetStackPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetStackPolicyOutput`) public func setStackPolicy(input: SetStackPolicyInput) async throws -> SetStackPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5495,7 +5419,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetStackPolicyOutput.httpOutput(from:), SetStackPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5529,9 +5452,9 @@ extension CloudFormationClient { /// /// Specifies the configuration data for a CloudFormation extension, such as a resource or Hook, in the given account and Region. For more information, see [Edit configuration data for extensions in your account](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/registry-set-configuration.html) in the CloudFormation User Guide. To view the current configuration data for an extension, refer to the ConfigurationSchema element of [DescribeType](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_DescribeType.html). It's strongly recommended that you use dynamic references to restrict sensitive configuration definitions, such as third-party credentials. For more information, see [Specify values stored in other services using dynamic references](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/dynamic-references.html) in the CloudFormation User Guide. For more information about setting the configuration data for resource types, see [Defining the account-level configuration of an extension](https://docs.aws.amazon.com/cloudformation-cli/latest/userguide/resource-type-model.html#resource-type-howto-configuration) in the CloudFormation Command Line Interface (CLI) User Guide. For more information about setting the configuration data for Hooks, see the [CloudFormation Hooks User Guide](https://docs.aws.amazon.com/cloudformation-cli/latest/hooks-userguide/what-is-cloudformation-hooks.html). /// - /// - Parameter SetTypeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetTypeConfigurationInput`) /// - /// - Returns: `SetTypeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetTypeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5564,7 +5487,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetTypeConfigurationOutput.httpOutput(from:), SetTypeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5598,9 +5520,9 @@ extension CloudFormationClient { /// /// Specify the default version of an extension. The default version of an extension will be used in CloudFormation operations. /// - /// - Parameter SetTypeDefaultVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetTypeDefaultVersionInput`) /// - /// - Returns: `SetTypeDefaultVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetTypeDefaultVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5633,7 +5555,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetTypeDefaultVersionOutput.httpOutput(from:), SetTypeDefaultVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5667,9 +5588,9 @@ extension CloudFormationClient { /// /// Sends a signal to the specified resource with a success or failure status. You can use the SignalResource operation in conjunction with a creation policy or update policy. CloudFormation doesn't proceed with a stack creation or update until resources receive the required number of signals or the timeout period is exceeded. The SignalResource operation is useful in cases where you want to send signals from anywhere other than an Amazon EC2 instance. /// - /// - Parameter SignalResourceInput : The input for the [SignalResource] action. + /// - Parameter input: The input for the [SignalResource] action. (Type: `SignalResourceInput`) /// - /// - Returns: `SignalResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SignalResourceOutput`) public func signalResource(input: SignalResourceInput) async throws -> SignalResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5696,7 +5617,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SignalResourceOutput.httpOutput(from:), SignalResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5730,9 +5650,9 @@ extension CloudFormationClient { /// /// Starts a scan of the resources in this account in this Region. You can the status of a scan using the ListResourceScans API action. /// - /// - Parameter StartResourceScanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartResourceScanInput`) /// - /// - Returns: `StartResourceScanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartResourceScanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5771,7 +5691,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartResourceScanOutput.httpOutput(from:), StartResourceScanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5805,9 +5724,9 @@ extension CloudFormationClient { /// /// Stops an in-progress operation on a StackSet and its associated stack instances. StackSets will cancel all the unstarted stack instance deployments and wait for those are in-progress to complete. /// - /// - Parameter StopStackSetOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopStackSetOperationInput`) /// - /// - Returns: `StopStackSetOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopStackSetOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5841,7 +5760,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopStackSetOperationOutput.httpOutput(from:), StopStackSetOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5882,9 +5800,9 @@ extension CloudFormationClient { /// /// For more information, see [Testing your public extension before publishing](https://docs.aws.amazon.com/cloudformation-cli/latest/userguide/publish-extension.html#publish-extension-testing) in the CloudFormation Command Line Interface (CLI) User Guide. If you don't specify a version, CloudFormation uses the default version of the extension in your account and Region for testing. To perform testing, CloudFormation assumes the execution role specified when the type was registered. For more information, see [RegisterType](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_RegisterType.html). Once you've initiated testing on an extension using TestType, you can pass the returned TypeVersionArn into [DescribeType](https://docs.aws.amazon.com/AWSCloudFormation/latest/APIReference/API_DescribeType.html) to monitor the current test status and test status description for the extension. An extension must have a test status of PASSED before it can be published. For more information, see [Publishing extensions to make them available for public use](https://docs.aws.amazon.com/cloudformation-cli/latest/userguide/resource-type-publish.html) in the CloudFormation Command Line Interface (CLI) User Guide. /// - /// - Parameter TestTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestTypeInput`) /// - /// - Returns: `TestTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5917,7 +5835,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestTypeOutput.httpOutput(from:), TestTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5951,9 +5868,9 @@ extension CloudFormationClient { /// /// Updates a generated template. This can be used to change the name, add and remove resources, refresh resources, and change the DeletionPolicy and UpdateReplacePolicy settings. You can check the status of the update to the generated template using the DescribeGeneratedTemplate API action. /// - /// - Parameter UpdateGeneratedTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGeneratedTemplateInput`) /// - /// - Returns: `UpdateGeneratedTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGeneratedTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5987,7 +5904,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGeneratedTemplateOutput.httpOutput(from:), UpdateGeneratedTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6021,9 +5937,9 @@ extension CloudFormationClient { /// /// Updates a stack as specified in the template. After the call completes successfully, the stack update starts. You can check the status of the stack through the [DescribeStacks] action. To get a copy of the template for an existing stack, you can use the [GetTemplate] action. For more information about updating a stack and monitoring the progress of the update, see [Managing Amazon Web Services resources as a single unit with CloudFormation stacks](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/stacks.html) in the CloudFormation User Guide. /// - /// - Parameter UpdateStackInput : The input for an [UpdateStack] action. + /// - Parameter input: The input for an [UpdateStack] action. (Type: `UpdateStackInput`) /// - /// - Returns: `UpdateStackOutput` : The output for an [UpdateStack] action. + /// - Returns: The output for an [UpdateStack] action. (Type: `UpdateStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6056,7 +5972,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStackOutput.httpOutput(from:), UpdateStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6094,9 +6009,9 @@ extension CloudFormationClient { /// /// * Parent OU strategy: If you don't mind exposing the OU hierarchy, target a parent OU that contains all desired child OUs. /// - /// - Parameter UpdateStackInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStackInstancesInput`) /// - /// - Returns: `UpdateStackInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStackInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6134,7 +6049,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStackInstancesOutput.httpOutput(from:), UpdateStackInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6172,9 +6086,9 @@ extension CloudFormationClient { /// /// * Parent OU strategy: If you don't mind exposing the OU hierarchy, target a parent OU that contains all desired child OUs. /// - /// - Parameter UpdateStackSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStackSetInput`) /// - /// - Returns: `UpdateStackSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStackSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6212,7 +6126,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStackSetOutput.httpOutput(from:), UpdateStackSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6246,9 +6159,9 @@ extension CloudFormationClient { /// /// Updates termination protection for the specified stack. If a user attempts to delete a stack with termination protection enabled, the operation fails and the stack remains unchanged. For more information, see [Protect a CloudFormation stack from being deleted](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/using-cfn-protect-stacks.html) in the CloudFormation User Guide. For [nested stacks](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/using-cfn-nested-stacks.html), termination protection is set on the root stack and can't be changed directly on the nested stack. /// - /// - Parameter UpdateTerminationProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTerminationProtectionInput`) /// - /// - Returns: `UpdateTerminationProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTerminationProtectionOutput`) public func updateTerminationProtection(input: UpdateTerminationProtectionInput) async throws -> UpdateTerminationProtectionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6275,7 +6188,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTerminationProtectionOutput.httpOutput(from:), UpdateTerminationProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6309,9 +6221,9 @@ extension CloudFormationClient { /// /// Validates a specified template. CloudFormation first checks if the template is valid JSON. If it isn't, CloudFormation checks if the template is valid YAML. If both these checks fail, CloudFormation returns a template validation error. /// - /// - Parameter ValidateTemplateInput : The input for [ValidateTemplate] action. + /// - Parameter input: The input for [ValidateTemplate] action. (Type: `ValidateTemplateInput`) /// - /// - Returns: `ValidateTemplateOutput` : The output for [ValidateTemplate] action. + /// - Returns: The output for [ValidateTemplate] action. (Type: `ValidateTemplateOutput`) public func validateTemplate(input: ValidateTemplateInput) async throws -> ValidateTemplateOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6338,7 +6250,6 @@ extension CloudFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateTemplateOutput.httpOutput(from:), ValidateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudFront/Sources/AWSCloudFront/CloudFrontClient.swift b/Sources/Services/AWSCloudFront/Sources/AWSCloudFront/CloudFrontClient.swift index 72d41e716e5..d3a2cb219df 100644 --- a/Sources/Services/AWSCloudFront/Sources/AWSCloudFront/CloudFrontClient.swift +++ b/Sources/Services/AWSCloudFront/Sources/AWSCloudFront/CloudFrontClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyXML.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudFrontClient: ClientRuntime.Client { public static let clientName = "CloudFrontClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudFrontClient.CloudFrontClientConfiguration let serviceName = "CloudFront" @@ -376,9 +375,9 @@ extension CloudFrontClient { /// /// The AssociateAlias API operation only supports standard distributions. To move domains between distribution tenants and/or standard distributions, we recommend that you use the [UpdateDomainAssociation](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_UpdateDomainAssociation.html) API operation instead. Associates an alias with a CloudFront standard distribution. An alias is commonly known as a custom domain or vanity domain. It can also be called a CNAME or alternate domain name. With this operation, you can move an alias that's already used for a standard distribution to a different standard distribution. This prevents the downtime that could occur if you first remove the alias from one standard distribution and then separately add the alias to another standard distribution. To use this operation, specify the alias and the ID of the target standard distribution. For more information, including how to set up the target standard distribution, prerequisites that you must complete, and other restrictions, see [Moving an alternate domain name to a different standard distribution or distribution tenant](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/CNAMEs.html#alternate-domain-names-move) in the Amazon CloudFront Developer Guide. /// - /// - Parameter AssociateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAliasInput`) /// - /// - Returns: `AssociateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssociateAliasInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAliasOutput.httpOutput(from:), AssociateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension CloudFrontClient { /// /// Associates the WAF web ACL with a distribution tenant. /// - /// - Parameter AssociateDistributionTenantWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDistributionTenantWebACLInput`) /// - /// - Returns: `AssociateDistributionTenantWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDistributionTenantWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDistributionTenantWebACLOutput.httpOutput(from:), AssociateDistributionTenantWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension CloudFrontClient { /// /// Associates the WAF web ACL with a distribution. /// - /// - Parameter AssociateDistributionWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDistributionWebACLInput`) /// - /// - Returns: `AssociateDistributionWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDistributionWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDistributionWebACLOutput.httpOutput(from:), AssociateDistributionWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -598,9 +594,9 @@ extension CloudFrontClient { /// /// * [CopyDistribution](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_CopyDistribution.html) /// - /// - Parameter CopyDistributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyDistributionInput`) /// - /// - Returns: `CopyDistributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +694,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyDistributionOutput.httpOutput(from:), CopyDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +725,9 @@ extension CloudFrontClient { /// /// Creates an Anycast static IP list. /// - /// - Parameter CreateAnycastIpListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAnycastIpListInput`) /// - /// - Returns: `CreateAnycastIpListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAnycastIpListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +766,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAnycastIpListOutput.httpOutput(from:), CreateAnycastIpListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -810,9 +804,9 @@ extension CloudFrontClient { /// /// The headers, cookies, and query strings that are included in the cache key are also included in requests that CloudFront sends to the origin. CloudFront sends a request when it can't find an object in its cache that matches the request's cache key. If you want to send values to the origin but not include them in the cache key, use OriginRequestPolicy. For more information about cache policies, see [Controlling the cache key](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/controlling-the-cache-key.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter CreateCachePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCachePolicyInput`) /// - /// - Returns: `CreateCachePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCachePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -853,7 +847,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCachePolicyOutput.httpOutput(from:), CreateCachePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -885,9 +878,9 @@ extension CloudFrontClient { /// /// Creates a new origin access identity. If you're using Amazon S3 for your origin, you can use an origin access identity to require users to access your content using a CloudFront URL instead of the Amazon S3 URL. For more information about how to use origin access identities, see [Serving Private Content through CloudFront](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/PrivateContent.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter CreateCloudFrontOriginAccessIdentityInput : The request to create a new origin access identity (OAI). An origin access identity is a special CloudFront user that you can associate with Amazon S3 origins, so that you can secure all or just some of your Amazon S3 content. For more information, see [ Restricting Access to Amazon S3 Content by Using an Origin Access Identity](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/private-content-restricting-access-to-s3.html) in the Amazon CloudFront Developer Guide. + /// - Parameter input: The request to create a new origin access identity (OAI). An origin access identity is a special CloudFront user that you can associate with Amazon S3 origins, so that you can secure all or just some of your Amazon S3 content. For more information, see [ Restricting Access to Amazon S3 Content by Using an Origin Access Identity](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/private-content-restricting-access-to-s3.html) in the Amazon CloudFront Developer Guide. (Type: `CreateCloudFrontOriginAccessIdentityInput`) /// - /// - Returns: `CreateCloudFrontOriginAccessIdentityOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `CreateCloudFrontOriginAccessIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +918,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCloudFrontOriginAccessIdentityOutput.httpOutput(from:), CreateCloudFrontOriginAccessIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +949,9 @@ extension CloudFrontClient { /// /// Creates a connection group. /// - /// - Parameter CreateConnectionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionGroupInput`) /// - /// - Returns: `CreateConnectionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -998,7 +990,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionGroupOutput.httpOutput(from:), CreateConnectionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1030,9 +1021,9 @@ extension CloudFrontClient { /// /// Creates a continuous deployment policy that distributes traffic for a custom domain name to two different CloudFront distributions. To use a continuous deployment policy, first use CopyDistribution to create a staging distribution, then use UpdateDistribution to modify the staging distribution's configuration. After you create and update a staging distribution, you can use a continuous deployment policy to incrementally move traffic to the staging distribution. This workflow enables you to test changes to a distribution's configuration before moving all of your domain's production traffic to the new configuration. /// - /// - Parameter CreateContinuousDeploymentPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContinuousDeploymentPolicyInput`) /// - /// - Returns: `CreateContinuousDeploymentPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContinuousDeploymentPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1071,7 +1062,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContinuousDeploymentPolicyOutput.httpOutput(from:), CreateContinuousDeploymentPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1103,9 +1093,9 @@ extension CloudFrontClient { /// /// Creates a CloudFront distribution. /// - /// - Parameter CreateDistributionInput : The request to create a new distribution. + /// - Parameter input: The request to create a new distribution. (Type: `CreateDistributionInput`) /// - /// - Returns: `CreateDistributionOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `CreateDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1205,7 +1195,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDistributionOutput.httpOutput(from:), CreateDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1237,9 +1226,9 @@ extension CloudFrontClient { /// /// Creates a distribution tenant. /// - /// - Parameter CreateDistributionTenantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDistributionTenantInput`) /// - /// - Returns: `CreateDistributionTenantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDistributionTenantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1280,7 +1269,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDistributionTenantOutput.httpOutput(from:), CreateDistributionTenantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1316,9 +1304,9 @@ extension CloudFrontClient { /// /// * [TagResource](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_TagResource.html) /// - /// - Parameter CreateDistributionWithTagsInput : The request to create a new distribution with tags. + /// - Parameter input: The request to create a new distribution with tags. (Type: `CreateDistributionWithTagsInput`) /// - /// - Returns: `CreateDistributionWithTagsOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `CreateDistributionWithTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1419,7 +1407,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDistributionWithTagsOutput.httpOutput(from:), CreateDistributionWithTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1451,9 +1438,9 @@ extension CloudFrontClient { /// /// Create a new field-level encryption configuration. /// - /// - Parameter CreateFieldLevelEncryptionConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFieldLevelEncryptionConfigInput`) /// - /// - Returns: `CreateFieldLevelEncryptionConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFieldLevelEncryptionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1494,7 +1481,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFieldLevelEncryptionConfigOutput.httpOutput(from:), CreateFieldLevelEncryptionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1526,9 +1512,9 @@ extension CloudFrontClient { /// /// Create a field-level encryption profile. /// - /// - Parameter CreateFieldLevelEncryptionProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFieldLevelEncryptionProfileInput`) /// - /// - Returns: `CreateFieldLevelEncryptionProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFieldLevelEncryptionProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1569,7 +1555,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFieldLevelEncryptionProfileOutput.httpOutput(from:), CreateFieldLevelEncryptionProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1601,9 +1586,9 @@ extension CloudFrontClient { /// /// Creates a CloudFront function. To create a function, you provide the function code and some configuration information about the function. The response contains an Amazon Resource Name (ARN) that uniquely identifies the function. When you create a function, it's in the DEVELOPMENT stage. In this stage, you can test the function with TestFunction, and update it with UpdateFunction. When you're ready to use your function with a CloudFront distribution, use PublishFunction to copy the function from the DEVELOPMENT stage to LIVE. When it's live, you can attach the function to a distribution's cache behavior, using the function's ARN. /// - /// - Parameter CreateFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFunctionInput`) /// - /// - Returns: `CreateFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1641,7 +1626,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFunctionOutput.httpOutput(from:), CreateFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1673,9 +1657,9 @@ extension CloudFrontClient { /// /// Create a new invalidation. For more information, see [Invalidating files](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/Invalidation.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter CreateInvalidationInput : The request to create an invalidation. + /// - Parameter input: The request to create an invalidation. (Type: `CreateInvalidationInput`) /// - /// - Returns: `CreateInvalidationOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `CreateInvalidationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1715,7 +1699,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInvalidationOutput.httpOutput(from:), CreateInvalidationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1747,9 +1730,9 @@ extension CloudFrontClient { /// /// Creates an invalidation for a distribution tenant. For more information, see [Invalidating files](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/Invalidation.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter CreateInvalidationForDistributionTenantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInvalidationForDistributionTenantInput`) /// - /// - Returns: `CreateInvalidationForDistributionTenantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInvalidationForDistributionTenantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1789,7 +1772,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInvalidationForDistributionTenantOutput.httpOutput(from:), CreateInvalidationForDistributionTenantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1821,9 +1803,9 @@ extension CloudFrontClient { /// /// Creates a key group that you can use with [CloudFront signed URLs and signed cookies](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/PrivateContent.html). To create a key group, you must specify at least one public key for the key group. After you create a key group, you can reference it from one or more cache behaviors. When you reference a key group in a cache behavior, CloudFront requires signed URLs or signed cookies for all requests that match the cache behavior. The URLs or cookies must be signed with a private key whose corresponding public key is in the key group. The signed URL or cookie contains information about which public key CloudFront should use to verify the signature. For more information, see [Serving private content](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/PrivateContent.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter CreateKeyGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKeyGroupInput`) /// - /// - Returns: `CreateKeyGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKeyGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1860,7 +1842,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKeyGroupOutput.httpOutput(from:), CreateKeyGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1892,9 +1873,9 @@ extension CloudFrontClient { /// /// Specifies the key value store resource to add to your account. In your account, the key value store names must be unique. You can also import key value store data in JSON format from an S3 bucket by providing a valid ImportSource that you own. /// - /// - Parameter CreateKeyValueStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKeyValueStoreInput`) /// - /// - Returns: `CreateKeyValueStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKeyValueStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1933,7 +1914,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKeyValueStoreOutput.httpOutput(from:), CreateKeyValueStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1965,9 +1945,9 @@ extension CloudFrontClient { /// /// Enables or disables additional Amazon CloudWatch metrics for the specified CloudFront distribution. The additional metrics incur an additional cost. For more information, see [Viewing additional CloudFront distribution metrics](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/viewing-cloudfront-metrics.html#monitoring-console.distributions-additional) in the Amazon CloudFront Developer Guide. /// - /// - Parameter CreateMonitoringSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMonitoringSubscriptionInput`) /// - /// - Returns: `CreateMonitoringSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMonitoringSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2004,7 +1984,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMonitoringSubscriptionOutput.httpOutput(from:), CreateMonitoringSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2036,9 +2015,9 @@ extension CloudFrontClient { /// /// Creates a new origin access control in CloudFront. After you create an origin access control, you can add it to an origin in a CloudFront distribution so that CloudFront sends authenticated (signed) requests to the origin. This makes it possible to block public access to the origin, allowing viewers (users) to access the origin's content only through CloudFront. For more information about using a CloudFront origin access control, see [Restricting access to an Amazon Web Services origin](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/private-content-restricting-access-to-origin.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter CreateOriginAccessControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOriginAccessControlInput`) /// - /// - Returns: `CreateOriginAccessControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOriginAccessControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2074,7 +2053,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOriginAccessControlOutput.httpOutput(from:), CreateOriginAccessControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2115,9 +2093,9 @@ extension CloudFrontClient { /// /// CloudFront sends a request when it can't find a valid object in its cache that matches the request. If you want to send values to the origin and also include them in the cache key, use CachePolicy. For more information about origin request policies, see [Controlling origin requests](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/controlling-origin-requests.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter CreateOriginRequestPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOriginRequestPolicyInput`) /// - /// - Returns: `CreateOriginRequestPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOriginRequestPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2158,7 +2136,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOriginRequestPolicyOutput.httpOutput(from:), CreateOriginRequestPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2190,9 +2167,9 @@ extension CloudFrontClient { /// /// Uploads a public key to CloudFront that you can use with [signed URLs and signed cookies](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/PrivateContent.html), or with [field-level encryption](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/field-level-encryption.html). /// - /// - Parameter CreatePublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePublicKeyInput`) /// - /// - Returns: `CreatePublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2228,7 +2205,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePublicKeyOutput.httpOutput(from:), CreatePublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2260,9 +2236,9 @@ extension CloudFrontClient { /// /// Creates a real-time log configuration. After you create a real-time log configuration, you can attach it to one or more cache behaviors to send real-time log data to the specified Amazon Kinesis data stream. For more information about real-time log configurations, see [Real-time logs](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/real-time-logs.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter CreateRealtimeLogConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRealtimeLogConfigInput`) /// - /// - Returns: `CreateRealtimeLogConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRealtimeLogConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2299,7 +2275,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRealtimeLogConfigOutput.httpOutput(from:), CreateRealtimeLogConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2331,9 +2306,9 @@ extension CloudFrontClient { /// /// Creates a response headers policy. A response headers policy contains information about a set of HTTP headers. To create a response headers policy, you provide some metadata about the policy and a set of configurations that specify the headers. After you create a response headers policy, you can use its ID to attach it to one or more cache behaviors in a CloudFront distribution. When it's attached to a cache behavior, the response headers policy affects the HTTP headers that CloudFront includes in HTTP responses to requests that match the cache behavior. CloudFront adds or removes response headers according to the configuration of the response headers policy. For more information, see [Adding or removing HTTP headers in CloudFront responses](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/modifying-response-headers.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter CreateResponseHeadersPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResponseHeadersPolicyInput`) /// - /// - Returns: `CreateResponseHeadersPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResponseHeadersPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2374,7 +2349,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResponseHeadersPolicyOutput.httpOutput(from:), CreateResponseHeadersPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2406,9 +2380,9 @@ extension CloudFrontClient { /// /// This API is deprecated. Amazon CloudFront is deprecating real-time messaging protocol (RTMP) distributions on December 31, 2020. For more information, [read the announcement](http://forums.aws.amazon.com/ann.jspa?annID=7356) on the Amazon CloudFront discussion forum. /// - /// - Parameter CreateStreamingDistributionInput : The request to create a new streaming distribution. + /// - Parameter input: The request to create a new streaming distribution. (Type: `CreateStreamingDistributionInput`) /// - /// - Returns: `CreateStreamingDistributionOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `CreateStreamingDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2454,7 +2428,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStreamingDistributionOutput.httpOutput(from:), CreateStreamingDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2486,9 +2459,9 @@ extension CloudFrontClient { /// /// This API is deprecated. Amazon CloudFront is deprecating real-time messaging protocol (RTMP) distributions on December 31, 2020. For more information, [read the announcement](http://forums.aws.amazon.com/ann.jspa?annID=7356) on the Amazon CloudFront discussion forum. /// - /// - Parameter CreateStreamingDistributionWithTagsInput : The request to create a new streaming distribution with tags. + /// - Parameter input: The request to create a new streaming distribution with tags. (Type: `CreateStreamingDistributionWithTagsInput`) /// - /// - Returns: `CreateStreamingDistributionWithTagsOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `CreateStreamingDistributionWithTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2536,7 +2509,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStreamingDistributionWithTagsOutput.httpOutput(from:), CreateStreamingDistributionWithTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2568,9 +2540,9 @@ extension CloudFrontClient { /// /// Create an Amazon CloudFront VPC origin. /// - /// - Parameter CreateVpcOriginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcOriginInput`) /// - /// - Returns: `CreateVpcOriginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcOriginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2610,7 +2582,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcOriginOutput.httpOutput(from:), CreateVpcOriginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2642,9 +2613,9 @@ extension CloudFrontClient { /// /// Deletes an Anycast static IP list. /// - /// - Parameter DeleteAnycastIpListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAnycastIpListInput`) /// - /// - Returns: `DeleteAnycastIpListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAnycastIpListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2683,7 +2654,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteAnycastIpListInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnycastIpListOutput.httpOutput(from:), DeleteAnycastIpListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2715,9 +2685,9 @@ extension CloudFrontClient { /// /// Deletes a cache policy. You cannot delete a cache policy if it's attached to a cache behavior. First update your distributions to remove the cache policy from all cache behaviors, then delete the cache policy. To delete a cache policy, you must provide the policy's identifier and version. To get these values, you can use ListCachePolicies or GetCachePolicy. /// - /// - Parameter DeleteCachePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCachePolicyInput`) /// - /// - Returns: `DeleteCachePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCachePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2754,7 +2724,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteCachePolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCachePolicyOutput.httpOutput(from:), DeleteCachePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2786,9 +2755,9 @@ extension CloudFrontClient { /// /// Delete an origin access identity. /// - /// - Parameter DeleteCloudFrontOriginAccessIdentityInput : Deletes a origin access identity. + /// - Parameter input: Deletes a origin access identity. (Type: `DeleteCloudFrontOriginAccessIdentityInput`) /// - /// - Returns: `DeleteCloudFrontOriginAccessIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCloudFrontOriginAccessIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2824,7 +2793,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteCloudFrontOriginAccessIdentityInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCloudFrontOriginAccessIdentityOutput.httpOutput(from:), DeleteCloudFrontOriginAccessIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2856,9 +2824,9 @@ extension CloudFrontClient { /// /// Deletes a connection group. /// - /// - Parameter DeleteConnectionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionGroupInput`) /// - /// - Returns: `DeleteConnectionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2895,7 +2863,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteConnectionGroupInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionGroupOutput.httpOutput(from:), DeleteConnectionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2927,9 +2894,9 @@ extension CloudFrontClient { /// /// Deletes a continuous deployment policy. You cannot delete a continuous deployment policy that's attached to a primary distribution. First update your distribution to remove the continuous deployment policy, then you can delete the policy. /// - /// - Parameter DeleteContinuousDeploymentPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContinuousDeploymentPolicyInput`) /// - /// - Returns: `DeleteContinuousDeploymentPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContinuousDeploymentPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2966,7 +2933,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteContinuousDeploymentPolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContinuousDeploymentPolicyOutput.httpOutput(from:), DeleteContinuousDeploymentPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2998,7 +2964,7 @@ extension CloudFrontClient { /// /// Delete a distribution. /// - /// - Parameter DeleteDistributionInput : This action deletes a web distribution. To delete a web distribution using the CloudFront API, perform the following steps. To delete a web distribution using the CloudFront API: + /// - Parameter input: This action deletes a web distribution. To delete a web distribution using the CloudFront API, perform the following steps. To delete a web distribution using the CloudFront API: /// /// * Disable the web distribution /// @@ -3017,9 +2983,9 @@ extension CloudFrontClient { /// * Review the response to your DELETE Distribution request to confirm that the distribution was successfully deleted. /// /// - /// For information about deleting a distribution using the CloudFront console, see [Deleting a Distribution](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/HowToDeleteDistribution.html) in the Amazon CloudFront Developer Guide. + /// For information about deleting a distribution using the CloudFront console, see [Deleting a Distribution](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/HowToDeleteDistribution.html) in the Amazon CloudFront Developer Guide. (Type: `DeleteDistributionInput`) /// - /// - Returns: `DeleteDistributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3056,7 +3022,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteDistributionInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDistributionOutput.httpOutput(from:), DeleteDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3088,9 +3053,9 @@ extension CloudFrontClient { /// /// Deletes a distribution tenant. If you use this API operation to delete a distribution tenant that is currently enabled, the request will fail. To delete a distribution tenant, you must first disable the distribution tenant by using the UpdateDistributionTenant API operation. /// - /// - Parameter DeleteDistributionTenantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDistributionTenantInput`) /// - /// - Returns: `DeleteDistributionTenantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDistributionTenantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3126,7 +3091,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteDistributionTenantInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDistributionTenantOutput.httpOutput(from:), DeleteDistributionTenantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3158,9 +3122,9 @@ extension CloudFrontClient { /// /// Remove a field-level encryption configuration. /// - /// - Parameter DeleteFieldLevelEncryptionConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFieldLevelEncryptionConfigInput`) /// - /// - Returns: `DeleteFieldLevelEncryptionConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFieldLevelEncryptionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3196,7 +3160,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteFieldLevelEncryptionConfigInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFieldLevelEncryptionConfigOutput.httpOutput(from:), DeleteFieldLevelEncryptionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3228,9 +3191,9 @@ extension CloudFrontClient { /// /// Remove a field-level encryption profile. /// - /// - Parameter DeleteFieldLevelEncryptionProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFieldLevelEncryptionProfileInput`) /// - /// - Returns: `DeleteFieldLevelEncryptionProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFieldLevelEncryptionProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3266,7 +3229,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteFieldLevelEncryptionProfileInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFieldLevelEncryptionProfileOutput.httpOutput(from:), DeleteFieldLevelEncryptionProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3298,9 +3260,9 @@ extension CloudFrontClient { /// /// Deletes a CloudFront function. You cannot delete a function if it's associated with a cache behavior. First, update your distributions to remove the function association from all cache behaviors, then delete the function. To delete a function, you must provide the function's name and version (ETag value). To get these values, you can use ListFunctions and DescribeFunction. /// - /// - Parameter DeleteFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFunctionInput`) /// - /// - Returns: `DeleteFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3336,7 +3298,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteFunctionInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFunctionOutput.httpOutput(from:), DeleteFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3368,9 +3329,9 @@ extension CloudFrontClient { /// /// Deletes a key group. You cannot delete a key group that is referenced in a cache behavior. First update your distributions to remove the key group from all cache behaviors, then delete the key group. To delete a key group, you must provide the key group's identifier and version. To get these values, use ListKeyGroups followed by GetKeyGroup or GetKeyGroupConfig. /// - /// - Parameter DeleteKeyGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKeyGroupInput`) /// - /// - Returns: `DeleteKeyGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKeyGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3405,7 +3366,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteKeyGroupInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKeyGroupOutput.httpOutput(from:), DeleteKeyGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3437,9 +3397,9 @@ extension CloudFrontClient { /// /// Specifies the key value store to delete. /// - /// - Parameter DeleteKeyValueStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKeyValueStoreInput`) /// - /// - Returns: `DeleteKeyValueStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKeyValueStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3476,7 +3436,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteKeyValueStoreInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKeyValueStoreOutput.httpOutput(from:), DeleteKeyValueStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3508,9 +3467,9 @@ extension CloudFrontClient { /// /// Disables additional CloudWatch metrics for the specified CloudFront distribution. /// - /// - Parameter DeleteMonitoringSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMonitoringSubscriptionInput`) /// - /// - Returns: `DeleteMonitoringSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMonitoringSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3544,7 +3503,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMonitoringSubscriptionOutput.httpOutput(from:), DeleteMonitoringSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3576,9 +3534,9 @@ extension CloudFrontClient { /// /// Deletes a CloudFront origin access control. You cannot delete an origin access control if it's in use. First, update all distributions to remove the origin access control from all origins, then delete the origin access control. /// - /// - Parameter DeleteOriginAccessControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOriginAccessControlInput`) /// - /// - Returns: `DeleteOriginAccessControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOriginAccessControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3614,7 +3572,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteOriginAccessControlInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOriginAccessControlOutput.httpOutput(from:), DeleteOriginAccessControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3646,9 +3603,9 @@ extension CloudFrontClient { /// /// Deletes an origin request policy. You cannot delete an origin request policy if it's attached to any cache behaviors. First update your distributions to remove the origin request policy from all cache behaviors, then delete the origin request policy. To delete an origin request policy, you must provide the policy's identifier and version. To get the identifier, you can use ListOriginRequestPolicies or GetOriginRequestPolicy. /// - /// - Parameter DeleteOriginRequestPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOriginRequestPolicyInput`) /// - /// - Returns: `DeleteOriginRequestPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOriginRequestPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3685,7 +3642,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteOriginRequestPolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOriginRequestPolicyOutput.httpOutput(from:), DeleteOriginRequestPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3717,9 +3673,9 @@ extension CloudFrontClient { /// /// Remove a public key you previously added to CloudFront. /// - /// - Parameter DeletePublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePublicKeyInput`) /// - /// - Returns: `DeletePublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3755,7 +3711,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeletePublicKeyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePublicKeyOutput.httpOutput(from:), DeletePublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3787,9 +3742,9 @@ extension CloudFrontClient { /// /// Deletes a real-time log configuration. You cannot delete a real-time log configuration if it's attached to a cache behavior. First update your distributions to remove the real-time log configuration from all cache behaviors, then delete the real-time log configuration. To delete a real-time log configuration, you can provide the configuration's name or its Amazon Resource Name (ARN). You must provide at least one. If you provide both, CloudFront uses the name to identify the real-time log configuration to delete. /// - /// - Parameter DeleteRealtimeLogConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRealtimeLogConfigInput`) /// - /// - Returns: `DeleteRealtimeLogConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRealtimeLogConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3826,7 +3781,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRealtimeLogConfigOutput.httpOutput(from:), DeleteRealtimeLogConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3858,9 +3812,9 @@ extension CloudFrontClient { /// /// Deletes a response headers policy. You cannot delete a response headers policy if it's attached to a cache behavior. First update your distributions to remove the response headers policy from all cache behaviors, then delete the response headers policy. To delete a response headers policy, you must provide the policy's identifier and version. To get these values, you can use ListResponseHeadersPolicies or GetResponseHeadersPolicy. /// - /// - Parameter DeleteResponseHeadersPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResponseHeadersPolicyInput`) /// - /// - Returns: `DeleteResponseHeadersPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResponseHeadersPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3897,7 +3851,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteResponseHeadersPolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResponseHeadersPolicyOutput.httpOutput(from:), DeleteResponseHeadersPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3948,9 +3901,9 @@ extension CloudFrontClient { /// /// For information about deleting a distribution using the CloudFront console, see [Deleting a Distribution](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/HowToDeleteDistribution.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter DeleteStreamingDistributionInput : The request to delete a streaming distribution. + /// - Parameter input: The request to delete a streaming distribution. (Type: `DeleteStreamingDistributionInput`) /// - /// - Returns: `DeleteStreamingDistributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStreamingDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3986,7 +3939,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteStreamingDistributionInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStreamingDistributionOutput.httpOutput(from:), DeleteStreamingDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4018,9 +3970,9 @@ extension CloudFrontClient { /// /// Delete an Amazon CloudFront VPC origin. /// - /// - Parameter DeleteVpcOriginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcOriginInput`) /// - /// - Returns: `DeleteVpcOriginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcOriginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4059,7 +4011,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteVpcOriginInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcOriginOutput.httpOutput(from:), DeleteVpcOriginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4091,9 +4042,9 @@ extension CloudFrontClient { /// /// Gets configuration information and metadata about a CloudFront function, but not the function's code. To get a function's code, use GetFunction. To get configuration information and metadata about a function, you must provide the function's name and stage. To get these values, you can use ListFunctions. /// - /// - Parameter DescribeFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFunctionInput`) /// - /// - Returns: `DescribeFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4126,7 +4077,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeFunctionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFunctionOutput.httpOutput(from:), DescribeFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4158,9 +4108,9 @@ extension CloudFrontClient { /// /// Specifies the key value store and its configuration. /// - /// - Parameter DescribeKeyValueStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeKeyValueStoreInput`) /// - /// - Returns: `DescribeKeyValueStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeKeyValueStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4194,7 +4144,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeKeyValueStoreOutput.httpOutput(from:), DescribeKeyValueStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4226,9 +4175,9 @@ extension CloudFrontClient { /// /// Disassociates a distribution tenant from the WAF web ACL. /// - /// - Parameter DisassociateDistributionTenantWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateDistributionTenantWebACLInput`) /// - /// - Returns: `DisassociateDistributionTenantWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateDistributionTenantWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4264,7 +4213,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DisassociateDistributionTenantWebACLInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateDistributionTenantWebACLOutput.httpOutput(from:), DisassociateDistributionTenantWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4296,9 +4244,9 @@ extension CloudFrontClient { /// /// Disassociates a distribution from the WAF web ACL. /// - /// - Parameter DisassociateDistributionWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateDistributionWebACLInput`) /// - /// - Returns: `DisassociateDistributionWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateDistributionWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4334,7 +4282,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(DisassociateDistributionWebACLInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateDistributionWebACLOutput.httpOutput(from:), DisassociateDistributionWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4366,9 +4313,9 @@ extension CloudFrontClient { /// /// Gets an Anycast static IP list. /// - /// - Parameter GetAnycastIpListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAnycastIpListInput`) /// - /// - Returns: `GetAnycastIpListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAnycastIpListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4402,7 +4349,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnycastIpListOutput.httpOutput(from:), GetAnycastIpListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4441,9 +4387,9 @@ extension CloudFrontClient { /// /// To get a cache policy, you must provide the policy's identifier. If the cache policy is attached to a distribution's cache behavior, you can get the policy's identifier using ListDistributions or GetDistribution. If the cache policy is not attached to a cache behavior, you can get the identifier using ListCachePolicies. /// - /// - Parameter GetCachePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCachePolicyInput`) /// - /// - Returns: `GetCachePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCachePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4475,7 +4421,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCachePolicyOutput.httpOutput(from:), GetCachePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4507,9 +4452,9 @@ extension CloudFrontClient { /// /// Gets a cache policy configuration. To get a cache policy configuration, you must provide the policy's identifier. If the cache policy is attached to a distribution's cache behavior, you can get the policy's identifier using ListDistributions or GetDistribution. If the cache policy is not attached to a cache behavior, you can get the identifier using ListCachePolicies. /// - /// - Parameter GetCachePolicyConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCachePolicyConfigInput`) /// - /// - Returns: `GetCachePolicyConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCachePolicyConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4541,7 +4486,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCachePolicyConfigOutput.httpOutput(from:), GetCachePolicyConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4573,9 +4517,9 @@ extension CloudFrontClient { /// /// Get the information about an origin access identity. /// - /// - Parameter GetCloudFrontOriginAccessIdentityInput : The request to get an origin access identity's information. + /// - Parameter input: The request to get an origin access identity's information. (Type: `GetCloudFrontOriginAccessIdentityInput`) /// - /// - Returns: `GetCloudFrontOriginAccessIdentityOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `GetCloudFrontOriginAccessIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4607,7 +4551,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudFrontOriginAccessIdentityOutput.httpOutput(from:), GetCloudFrontOriginAccessIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4639,9 +4582,9 @@ extension CloudFrontClient { /// /// Get the configuration information about an origin access identity. /// - /// - Parameter GetCloudFrontOriginAccessIdentityConfigInput : The origin access identity's configuration information. For more information, see [CloudFrontOriginAccessIdentityConfig](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_CloudFrontOriginAccessIdentityConfig.html). + /// - Parameter input: The origin access identity's configuration information. For more information, see [CloudFrontOriginAccessIdentityConfig](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_CloudFrontOriginAccessIdentityConfig.html). (Type: `GetCloudFrontOriginAccessIdentityConfigInput`) /// - /// - Returns: `GetCloudFrontOriginAccessIdentityConfigOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `GetCloudFrontOriginAccessIdentityConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4673,7 +4616,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudFrontOriginAccessIdentityConfigOutput.httpOutput(from:), GetCloudFrontOriginAccessIdentityConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4705,9 +4647,9 @@ extension CloudFrontClient { /// /// Gets information about a connection group. /// - /// - Parameter GetConnectionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionGroupInput`) /// - /// - Returns: `GetConnectionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4739,7 +4681,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionGroupOutput.httpOutput(from:), GetConnectionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4771,9 +4712,9 @@ extension CloudFrontClient { /// /// Gets information about a connection group by using the endpoint that you specify. /// - /// - Parameter GetConnectionGroupByRoutingEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionGroupByRoutingEndpointInput`) /// - /// - Returns: `GetConnectionGroupByRoutingEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionGroupByRoutingEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4806,7 +4747,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetConnectionGroupByRoutingEndpointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionGroupByRoutingEndpointOutput.httpOutput(from:), GetConnectionGroupByRoutingEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4838,9 +4778,9 @@ extension CloudFrontClient { /// /// Gets a continuous deployment policy, including metadata (the policy's identifier and the date and time when the policy was last modified). /// - /// - Parameter GetContinuousDeploymentPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContinuousDeploymentPolicyInput`) /// - /// - Returns: `GetContinuousDeploymentPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContinuousDeploymentPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4872,7 +4812,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContinuousDeploymentPolicyOutput.httpOutput(from:), GetContinuousDeploymentPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4904,9 +4843,9 @@ extension CloudFrontClient { /// /// Gets configuration information about a continuous deployment policy. /// - /// - Parameter GetContinuousDeploymentPolicyConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContinuousDeploymentPolicyConfigInput`) /// - /// - Returns: `GetContinuousDeploymentPolicyConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContinuousDeploymentPolicyConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4938,7 +4877,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContinuousDeploymentPolicyConfigOutput.httpOutput(from:), GetContinuousDeploymentPolicyConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4970,9 +4908,9 @@ extension CloudFrontClient { /// /// Get the information about a distribution. /// - /// - Parameter GetDistributionInput : The request to get a distribution's information. + /// - Parameter input: The request to get a distribution's information. (Type: `GetDistributionInput`) /// - /// - Returns: `GetDistributionOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `GetDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5004,7 +4942,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDistributionOutput.httpOutput(from:), GetDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5036,9 +4973,9 @@ extension CloudFrontClient { /// /// Get the configuration information about a distribution. /// - /// - Parameter GetDistributionConfigInput : The request to get a distribution configuration. + /// - Parameter input: The request to get a distribution configuration. (Type: `GetDistributionConfigInput`) /// - /// - Returns: `GetDistributionConfigOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `GetDistributionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5070,7 +5007,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDistributionConfigOutput.httpOutput(from:), GetDistributionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5102,9 +5038,9 @@ extension CloudFrontClient { /// /// Gets information about a distribution tenant. /// - /// - Parameter GetDistributionTenantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDistributionTenantInput`) /// - /// - Returns: `GetDistributionTenantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDistributionTenantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5136,7 +5072,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDistributionTenantOutput.httpOutput(from:), GetDistributionTenantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5168,9 +5103,9 @@ extension CloudFrontClient { /// /// Gets information about a distribution tenant by the associated domain. /// - /// - Parameter GetDistributionTenantByDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDistributionTenantByDomainInput`) /// - /// - Returns: `GetDistributionTenantByDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDistributionTenantByDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5203,7 +5138,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDistributionTenantByDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDistributionTenantByDomainOutput.httpOutput(from:), GetDistributionTenantByDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5235,9 +5169,9 @@ extension CloudFrontClient { /// /// Get the field-level encryption configuration information. /// - /// - Parameter GetFieldLevelEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFieldLevelEncryptionInput`) /// - /// - Returns: `GetFieldLevelEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFieldLevelEncryptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5269,7 +5203,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFieldLevelEncryptionOutput.httpOutput(from:), GetFieldLevelEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5301,9 +5234,9 @@ extension CloudFrontClient { /// /// Get the field-level encryption configuration information. /// - /// - Parameter GetFieldLevelEncryptionConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFieldLevelEncryptionConfigInput`) /// - /// - Returns: `GetFieldLevelEncryptionConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFieldLevelEncryptionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5335,7 +5268,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFieldLevelEncryptionConfigOutput.httpOutput(from:), GetFieldLevelEncryptionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5367,9 +5299,9 @@ extension CloudFrontClient { /// /// Get the field-level encryption profile information. /// - /// - Parameter GetFieldLevelEncryptionProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFieldLevelEncryptionProfileInput`) /// - /// - Returns: `GetFieldLevelEncryptionProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFieldLevelEncryptionProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5401,7 +5333,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFieldLevelEncryptionProfileOutput.httpOutput(from:), GetFieldLevelEncryptionProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5433,9 +5364,9 @@ extension CloudFrontClient { /// /// Get the field-level encryption profile configuration information. /// - /// - Parameter GetFieldLevelEncryptionProfileConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFieldLevelEncryptionProfileConfigInput`) /// - /// - Returns: `GetFieldLevelEncryptionProfileConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFieldLevelEncryptionProfileConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5467,7 +5398,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFieldLevelEncryptionProfileConfigOutput.httpOutput(from:), GetFieldLevelEncryptionProfileConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5499,9 +5429,9 @@ extension CloudFrontClient { /// /// Gets the code of a CloudFront function. To get configuration information and metadata about a function, use DescribeFunction. To get a function's code, you must provide the function's name and stage. To get these values, you can use ListFunctions. /// - /// - Parameter GetFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionInput`) /// - /// - Returns: `GetFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5534,7 +5464,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFunctionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionOutput.httpOutput(from:), GetFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5566,9 +5495,9 @@ extension CloudFrontClient { /// /// Get the information about an invalidation. /// - /// - Parameter GetInvalidationInput : The request to get an invalidation's information. + /// - Parameter input: The request to get an invalidation's information. (Type: `GetInvalidationInput`) /// - /// - Returns: `GetInvalidationOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `GetInvalidationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5601,7 +5530,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInvalidationOutput.httpOutput(from:), GetInvalidationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5633,9 +5561,9 @@ extension CloudFrontClient { /// /// Gets information about a specific invalidation for a distribution tenant. /// - /// - Parameter GetInvalidationForDistributionTenantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInvalidationForDistributionTenantInput`) /// - /// - Returns: `GetInvalidationForDistributionTenantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInvalidationForDistributionTenantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5668,7 +5596,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInvalidationForDistributionTenantOutput.httpOutput(from:), GetInvalidationForDistributionTenantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5700,9 +5627,9 @@ extension CloudFrontClient { /// /// Gets a key group, including the date and time when the key group was last modified. To get a key group, you must provide the key group's identifier. If the key group is referenced in a distribution's cache behavior, you can get the key group's identifier using ListDistributions or GetDistribution. If the key group is not referenced in a cache behavior, you can get the identifier using ListKeyGroups. /// - /// - Parameter GetKeyGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKeyGroupInput`) /// - /// - Returns: `GetKeyGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKeyGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5733,7 +5660,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKeyGroupOutput.httpOutput(from:), GetKeyGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5765,9 +5691,9 @@ extension CloudFrontClient { /// /// Gets a key group configuration. To get a key group configuration, you must provide the key group's identifier. If the key group is referenced in a distribution's cache behavior, you can get the key group's identifier using ListDistributions or GetDistribution. If the key group is not referenced in a cache behavior, you can get the identifier using ListKeyGroups. /// - /// - Parameter GetKeyGroupConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKeyGroupConfigInput`) /// - /// - Returns: `GetKeyGroupConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKeyGroupConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5798,7 +5724,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKeyGroupConfigOutput.httpOutput(from:), GetKeyGroupConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5830,9 +5755,9 @@ extension CloudFrontClient { /// /// Gets details about the CloudFront managed ACM certificate. /// - /// - Parameter GetManagedCertificateDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedCertificateDetailsInput`) /// - /// - Returns: `GetManagedCertificateDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedCertificateDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5864,7 +5789,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedCertificateDetailsOutput.httpOutput(from:), GetManagedCertificateDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5896,9 +5820,9 @@ extension CloudFrontClient { /// /// Gets information about whether additional CloudWatch metrics are enabled for the specified CloudFront distribution. /// - /// - Parameter GetMonitoringSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMonitoringSubscriptionInput`) /// - /// - Returns: `GetMonitoringSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMonitoringSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5932,7 +5856,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMonitoringSubscriptionOutput.httpOutput(from:), GetMonitoringSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5964,9 +5887,9 @@ extension CloudFrontClient { /// /// Gets a CloudFront origin access control, including its unique identifier. /// - /// - Parameter GetOriginAccessControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOriginAccessControlInput`) /// - /// - Returns: `GetOriginAccessControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOriginAccessControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5998,7 +5921,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOriginAccessControlOutput.httpOutput(from:), GetOriginAccessControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6030,9 +5952,9 @@ extension CloudFrontClient { /// /// Gets a CloudFront origin access control configuration. /// - /// - Parameter GetOriginAccessControlConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOriginAccessControlConfigInput`) /// - /// - Returns: `GetOriginAccessControlConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOriginAccessControlConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6064,7 +5986,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOriginAccessControlConfigOutput.httpOutput(from:), GetOriginAccessControlConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6103,9 +6024,9 @@ extension CloudFrontClient { /// /// To get an origin request policy, you must provide the policy's identifier. If the origin request policy is attached to a distribution's cache behavior, you can get the policy's identifier using ListDistributions or GetDistribution. If the origin request policy is not attached to a cache behavior, you can get the identifier using ListOriginRequestPolicies. /// - /// - Parameter GetOriginRequestPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOriginRequestPolicyInput`) /// - /// - Returns: `GetOriginRequestPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOriginRequestPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6137,7 +6058,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOriginRequestPolicyOutput.httpOutput(from:), GetOriginRequestPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6169,9 +6089,9 @@ extension CloudFrontClient { /// /// Gets an origin request policy configuration. To get an origin request policy configuration, you must provide the policy's identifier. If the origin request policy is attached to a distribution's cache behavior, you can get the policy's identifier using ListDistributions or GetDistribution. If the origin request policy is not attached to a cache behavior, you can get the identifier using ListOriginRequestPolicies. /// - /// - Parameter GetOriginRequestPolicyConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOriginRequestPolicyConfigInput`) /// - /// - Returns: `GetOriginRequestPolicyConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOriginRequestPolicyConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6203,7 +6123,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOriginRequestPolicyConfigOutput.httpOutput(from:), GetOriginRequestPolicyConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6235,9 +6154,9 @@ extension CloudFrontClient { /// /// Gets a public key. /// - /// - Parameter GetPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPublicKeyInput`) /// - /// - Returns: `GetPublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6269,7 +6188,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPublicKeyOutput.httpOutput(from:), GetPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6301,9 +6219,9 @@ extension CloudFrontClient { /// /// Gets a public key configuration. /// - /// - Parameter GetPublicKeyConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPublicKeyConfigInput`) /// - /// - Returns: `GetPublicKeyConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPublicKeyConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6335,7 +6253,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPublicKeyConfigOutput.httpOutput(from:), GetPublicKeyConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6367,9 +6284,9 @@ extension CloudFrontClient { /// /// Gets a real-time log configuration. To get a real-time log configuration, you can provide the configuration's name or its Amazon Resource Name (ARN). You must provide at least one. If you provide both, CloudFront uses the name to identify the real-time log configuration to get. /// - /// - Parameter GetRealtimeLogConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRealtimeLogConfigInput`) /// - /// - Returns: `GetRealtimeLogConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRealtimeLogConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6405,7 +6322,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRealtimeLogConfigOutput.httpOutput(from:), GetRealtimeLogConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6437,9 +6353,9 @@ extension CloudFrontClient { /// /// Gets a response headers policy, including metadata (the policy's identifier and the date and time when the policy was last modified). To get a response headers policy, you must provide the policy's identifier. If the response headers policy is attached to a distribution's cache behavior, you can get the policy's identifier using ListDistributions or GetDistribution. If the response headers policy is not attached to a cache behavior, you can get the identifier using ListResponseHeadersPolicies. /// - /// - Parameter GetResponseHeadersPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResponseHeadersPolicyInput`) /// - /// - Returns: `GetResponseHeadersPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResponseHeadersPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6471,7 +6387,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResponseHeadersPolicyOutput.httpOutput(from:), GetResponseHeadersPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6503,9 +6418,9 @@ extension CloudFrontClient { /// /// Gets a response headers policy configuration. To get a response headers policy configuration, you must provide the policy's identifier. If the response headers policy is attached to a distribution's cache behavior, you can get the policy's identifier using ListDistributions or GetDistribution. If the response headers policy is not attached to a cache behavior, you can get the identifier using ListResponseHeadersPolicies. /// - /// - Parameter GetResponseHeadersPolicyConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResponseHeadersPolicyConfigInput`) /// - /// - Returns: `GetResponseHeadersPolicyConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResponseHeadersPolicyConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6537,7 +6452,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResponseHeadersPolicyConfigOutput.httpOutput(from:), GetResponseHeadersPolicyConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6569,9 +6483,9 @@ extension CloudFrontClient { /// /// Gets information about a specified RTMP distribution, including the distribution configuration. /// - /// - Parameter GetStreamingDistributionInput : The request to get a streaming distribution's information. + /// - Parameter input: The request to get a streaming distribution's information. (Type: `GetStreamingDistributionInput`) /// - /// - Returns: `GetStreamingDistributionOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `GetStreamingDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6603,7 +6517,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStreamingDistributionOutput.httpOutput(from:), GetStreamingDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6635,9 +6548,9 @@ extension CloudFrontClient { /// /// Get the configuration information about a streaming distribution. /// - /// - Parameter GetStreamingDistributionConfigInput : To request to get a streaming distribution configuration. + /// - Parameter input: To request to get a streaming distribution configuration. (Type: `GetStreamingDistributionConfigInput`) /// - /// - Returns: `GetStreamingDistributionConfigOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `GetStreamingDistributionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6669,7 +6582,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStreamingDistributionConfigOutput.httpOutput(from:), GetStreamingDistributionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6701,9 +6613,9 @@ extension CloudFrontClient { /// /// Get the details of an Amazon CloudFront VPC origin. /// - /// - Parameter GetVpcOriginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVpcOriginInput`) /// - /// - Returns: `GetVpcOriginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVpcOriginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6737,7 +6649,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVpcOriginOutput.httpOutput(from:), GetVpcOriginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6769,9 +6680,9 @@ extension CloudFrontClient { /// /// Lists your Anycast static IP lists. /// - /// - Parameter ListAnycastIpListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnycastIpListsInput`) /// - /// - Returns: `ListAnycastIpListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnycastIpListsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6806,7 +6717,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAnycastIpListsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnycastIpListsOutput.httpOutput(from:), ListAnycastIpListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6838,9 +6748,9 @@ extension CloudFrontClient { /// /// Gets a list of cache policies. You can optionally apply a filter to return only the managed policies created by Amazon Web Services, or only the custom policies created in your Amazon Web Services account. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListCachePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCachePoliciesInput`) /// - /// - Returns: `ListCachePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCachePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6874,7 +6784,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCachePoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCachePoliciesOutput.httpOutput(from:), ListCachePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6906,9 +6815,9 @@ extension CloudFrontClient { /// /// Lists origin access identities. /// - /// - Parameter ListCloudFrontOriginAccessIdentitiesInput : The request to list origin access identities. + /// - Parameter input: The request to list origin access identities. (Type: `ListCloudFrontOriginAccessIdentitiesInput`) /// - /// - Returns: `ListCloudFrontOriginAccessIdentitiesOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `ListCloudFrontOriginAccessIdentitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6940,7 +6849,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCloudFrontOriginAccessIdentitiesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCloudFrontOriginAccessIdentitiesOutput.httpOutput(from:), ListCloudFrontOriginAccessIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6972,9 +6880,9 @@ extension CloudFrontClient { /// /// The ListConflictingAliases API operation only supports standard distributions. To list domain conflicts for both standard distributions and distribution tenants, we recommend that you use the [ListDomainConflicts](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_ListDomainConflicts.html) API operation instead. Gets a list of aliases that conflict or overlap with the provided alias, and the associated CloudFront standard distribution and Amazon Web Services accounts for each conflicting alias. An alias is commonly known as a custom domain or vanity domain. It can also be called a CNAME or alternate domain name. In the returned list, the standard distribution and account IDs are partially hidden, which allows you to identify the standard distribution and accounts that you own, and helps to protect the information of ones that you don't own. Use this operation to find aliases that are in use in CloudFront that conflict or overlap with the provided alias. For example, if you provide www.example.com as input, the returned list can include www.example.com and the overlapping wildcard alternate domain name (.example.com), if they exist. If you provide .example.com as input, the returned list can include *.example.com and any alternate domain names covered by that wildcard (for example, www.example.com, test.example.com, dev.example.com, and so on), if they exist. To list conflicting aliases, specify the alias to search and the ID of a standard distribution in your account that has an attached TLS certificate that includes the provided alias. For more information, including how to set up the standard distribution and certificate, see [Moving an alternate domain name to a different standard distribution or distribution tenant](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/CNAMEs.html#alternate-domain-names-move) in the Amazon CloudFront Developer Guide. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListConflictingAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConflictingAliasesInput`) /// - /// - Returns: `ListConflictingAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConflictingAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7007,7 +6915,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConflictingAliasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConflictingAliasesOutput.httpOutput(from:), ListConflictingAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7039,9 +6946,9 @@ extension CloudFrontClient { /// /// Lists the connection groups in your Amazon Web Services account. /// - /// - Parameter ListConnectionGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectionGroupsInput`) /// - /// - Returns: `ListConnectionGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectionGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7077,7 +6984,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectionGroupsOutput.httpOutput(from:), ListConnectionGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7109,9 +7015,9 @@ extension CloudFrontClient { /// /// Gets a list of the continuous deployment policies in your Amazon Web Services account. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListContinuousDeploymentPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContinuousDeploymentPoliciesInput`) /// - /// - Returns: `ListContinuousDeploymentPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContinuousDeploymentPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7145,7 +7051,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListContinuousDeploymentPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContinuousDeploymentPoliciesOutput.httpOutput(from:), ListContinuousDeploymentPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7177,9 +7082,9 @@ extension CloudFrontClient { /// /// Lists the distribution tenants in your Amazon Web Services account. /// - /// - Parameter ListDistributionTenantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionTenantsInput`) /// - /// - Returns: `ListDistributionTenantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionTenantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7215,7 +7120,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionTenantsOutput.httpOutput(from:), ListDistributionTenantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7247,9 +7151,9 @@ extension CloudFrontClient { /// /// Lists distribution tenants by the customization that you specify. You must specify either the CertificateArn parameter or WebACLArn parameter, but not both in the same request. /// - /// - Parameter ListDistributionTenantsByCustomizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionTenantsByCustomizationInput`) /// - /// - Returns: `ListDistributionTenantsByCustomizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionTenantsByCustomizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7285,7 +7189,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionTenantsByCustomizationOutput.httpOutput(from:), ListDistributionTenantsByCustomizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7317,9 +7220,9 @@ extension CloudFrontClient { /// /// List CloudFront distributions. /// - /// - Parameter ListDistributionsInput : The request to list your distributions. + /// - Parameter input: The request to list your distributions. (Type: `ListDistributionsInput`) /// - /// - Returns: `ListDistributionsOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `ListDistributionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7351,7 +7254,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDistributionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionsOutput.httpOutput(from:), ListDistributionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7383,9 +7285,9 @@ extension CloudFrontClient { /// /// Lists the distributions in your account that are associated with the specified AnycastIpListId. /// - /// - Parameter ListDistributionsByAnycastIpListIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionsByAnycastIpListIdInput`) /// - /// - Returns: `ListDistributionsByAnycastIpListIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionsByAnycastIpListIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7420,7 +7322,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDistributionsByAnycastIpListIdInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionsByAnycastIpListIdOutput.httpOutput(from:), ListDistributionsByAnycastIpListIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7452,9 +7353,9 @@ extension CloudFrontClient { /// /// Gets a list of distribution IDs for distributions that have a cache behavior that's associated with the specified cache policy. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListDistributionsByCachePolicyIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionsByCachePolicyIdInput`) /// - /// - Returns: `ListDistributionsByCachePolicyIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionsByCachePolicyIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7488,7 +7389,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDistributionsByCachePolicyIdInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionsByCachePolicyIdOutput.httpOutput(from:), ListDistributionsByCachePolicyIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7520,9 +7420,9 @@ extension CloudFrontClient { /// /// Lists the distributions by the connection mode that you specify. /// - /// - Parameter ListDistributionsByConnectionModeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionsByConnectionModeInput`) /// - /// - Returns: `ListDistributionsByConnectionModeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionsByConnectionModeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7555,7 +7455,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDistributionsByConnectionModeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionsByConnectionModeOutput.httpOutput(from:), ListDistributionsByConnectionModeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7587,9 +7486,9 @@ extension CloudFrontClient { /// /// Gets a list of distribution IDs for distributions that have a cache behavior that references the specified key group. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListDistributionsByKeyGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionsByKeyGroupInput`) /// - /// - Returns: `ListDistributionsByKeyGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionsByKeyGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7622,7 +7521,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDistributionsByKeyGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionsByKeyGroupOutput.httpOutput(from:), ListDistributionsByKeyGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7654,9 +7552,9 @@ extension CloudFrontClient { /// /// Gets a list of distribution IDs for distributions that have a cache behavior that's associated with the specified origin request policy. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListDistributionsByOriginRequestPolicyIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionsByOriginRequestPolicyIdInput`) /// - /// - Returns: `ListDistributionsByOriginRequestPolicyIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionsByOriginRequestPolicyIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7690,7 +7588,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDistributionsByOriginRequestPolicyIdInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionsByOriginRequestPolicyIdOutput.httpOutput(from:), ListDistributionsByOriginRequestPolicyIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7722,9 +7619,9 @@ extension CloudFrontClient { /// /// Gets a list of distributions that have a cache behavior that's associated with the specified real-time log configuration. You can specify the real-time log configuration by its name or its Amazon Resource Name (ARN). You must provide at least one. If you provide both, CloudFront uses the name to identify the real-time log configuration to list distributions for. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListDistributionsByRealtimeLogConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionsByRealtimeLogConfigInput`) /// - /// - Returns: `ListDistributionsByRealtimeLogConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionsByRealtimeLogConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7758,7 +7655,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionsByRealtimeLogConfigOutput.httpOutput(from:), ListDistributionsByRealtimeLogConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7790,9 +7686,9 @@ extension CloudFrontClient { /// /// Gets a list of distribution IDs for distributions that have a cache behavior that's associated with the specified response headers policy. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListDistributionsByResponseHeadersPolicyIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionsByResponseHeadersPolicyIdInput`) /// - /// - Returns: `ListDistributionsByResponseHeadersPolicyIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionsByResponseHeadersPolicyIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7826,7 +7722,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDistributionsByResponseHeadersPolicyIdInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionsByResponseHeadersPolicyIdOutput.httpOutput(from:), ListDistributionsByResponseHeadersPolicyIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7858,9 +7753,9 @@ extension CloudFrontClient { /// /// List CloudFront distributions by their VPC origin ID. /// - /// - Parameter ListDistributionsByVpcOriginIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionsByVpcOriginIdInput`) /// - /// - Returns: `ListDistributionsByVpcOriginIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionsByVpcOriginIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7895,7 +7790,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDistributionsByVpcOriginIdInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionsByVpcOriginIdOutput.httpOutput(from:), ListDistributionsByVpcOriginIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7927,9 +7821,9 @@ extension CloudFrontClient { /// /// List the distributions that are associated with a specified WAF web ACL. /// - /// - Parameter ListDistributionsByWebACLIdInput : The request to list distributions that are associated with a specified WAF web ACL. + /// - Parameter input: The request to list distributions that are associated with a specified WAF web ACL. (Type: `ListDistributionsByWebACLIdInput`) /// - /// - Returns: `ListDistributionsByWebACLIdOutput` : The response to a request to list the distributions that are associated with a specified WAF web ACL. + /// - Returns: The response to a request to list the distributions that are associated with a specified WAF web ACL. (Type: `ListDistributionsByWebACLIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7962,7 +7856,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDistributionsByWebACLIdInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionsByWebACLIdOutput.httpOutput(from:), ListDistributionsByWebACLIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8001,9 +7894,9 @@ extension CloudFrontClient { /// /// For more information, including how to set up the standard distribution or distribution tenant, and the certificate, see [Moving an alternate domain name to a different standard distribution or distribution tenant](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/CNAMEs.html#alternate-domain-names-move) in the Amazon CloudFront Developer Guide. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListDomainConflictsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainConflictsInput`) /// - /// - Returns: `ListDomainConflictsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainConflictsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8039,7 +7932,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainConflictsOutput.httpOutput(from:), ListDomainConflictsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8071,9 +7963,9 @@ extension CloudFrontClient { /// /// List all field-level encryption configurations that have been created in CloudFront for this account. /// - /// - Parameter ListFieldLevelEncryptionConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFieldLevelEncryptionConfigsInput`) /// - /// - Returns: `ListFieldLevelEncryptionConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFieldLevelEncryptionConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8105,7 +7997,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFieldLevelEncryptionConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFieldLevelEncryptionConfigsOutput.httpOutput(from:), ListFieldLevelEncryptionConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8137,9 +8028,9 @@ extension CloudFrontClient { /// /// Request a list of field-level encryption profiles that have been created in CloudFront for this account. /// - /// - Parameter ListFieldLevelEncryptionProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFieldLevelEncryptionProfilesInput`) /// - /// - Returns: `ListFieldLevelEncryptionProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFieldLevelEncryptionProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8171,7 +8062,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFieldLevelEncryptionProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFieldLevelEncryptionProfilesOutput.httpOutput(from:), ListFieldLevelEncryptionProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8203,9 +8093,9 @@ extension CloudFrontClient { /// /// Gets a list of all CloudFront functions in your Amazon Web Services account. You can optionally apply a filter to return only the functions that are in the specified stage, either DEVELOPMENT or LIVE. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListFunctionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFunctionsInput`) /// - /// - Returns: `ListFunctionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFunctionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8238,7 +8128,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFunctionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFunctionsOutput.httpOutput(from:), ListFunctionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8270,9 +8159,9 @@ extension CloudFrontClient { /// /// Lists invalidation batches. /// - /// - Parameter ListInvalidationsInput : The request to list invalidations. + /// - Parameter input: The request to list invalidations. (Type: `ListInvalidationsInput`) /// - /// - Returns: `ListInvalidationsOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `ListInvalidationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8306,7 +8195,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInvalidationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvalidationsOutput.httpOutput(from:), ListInvalidationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8338,9 +8226,9 @@ extension CloudFrontClient { /// /// Lists the invalidations for a distribution tenant. /// - /// - Parameter ListInvalidationsForDistributionTenantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvalidationsForDistributionTenantInput`) /// - /// - Returns: `ListInvalidationsForDistributionTenantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvalidationsForDistributionTenantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8374,7 +8262,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInvalidationsForDistributionTenantInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvalidationsForDistributionTenantOutput.httpOutput(from:), ListInvalidationsForDistributionTenantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8406,9 +8293,9 @@ extension CloudFrontClient { /// /// Gets a list of key groups. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListKeyGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeyGroupsInput`) /// - /// - Returns: `ListKeyGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeyGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8440,7 +8327,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKeyGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeyGroupsOutput.httpOutput(from:), ListKeyGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8472,9 +8358,9 @@ extension CloudFrontClient { /// /// Specifies the key value stores to list. /// - /// - Parameter ListKeyValueStoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeyValueStoresInput`) /// - /// - Returns: `ListKeyValueStoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeyValueStoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8508,7 +8394,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKeyValueStoresInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeyValueStoresOutput.httpOutput(from:), ListKeyValueStoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8540,9 +8425,9 @@ extension CloudFrontClient { /// /// Gets the list of CloudFront origin access controls (OACs) in this Amazon Web Services account. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send another request that specifies the NextMarker value from the current response as the Marker value in the next request. If you're not using origin access controls for your Amazon Web Services account, the ListOriginAccessControls operation doesn't return the Items element in the response. /// - /// - Parameter ListOriginAccessControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOriginAccessControlsInput`) /// - /// - Returns: `ListOriginAccessControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOriginAccessControlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8574,7 +8459,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOriginAccessControlsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOriginAccessControlsOutput.httpOutput(from:), ListOriginAccessControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8606,9 +8490,9 @@ extension CloudFrontClient { /// /// Gets a list of origin request policies. You can optionally apply a filter to return only the managed policies created by Amazon Web Services, or only the custom policies created in your Amazon Web Services account. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListOriginRequestPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOriginRequestPoliciesInput`) /// - /// - Returns: `ListOriginRequestPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOriginRequestPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8642,7 +8526,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOriginRequestPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOriginRequestPoliciesOutput.httpOutput(from:), ListOriginRequestPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8674,9 +8557,9 @@ extension CloudFrontClient { /// /// List all public keys that have been added to CloudFront for this account. /// - /// - Parameter ListPublicKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPublicKeysInput`) /// - /// - Returns: `ListPublicKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPublicKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8708,7 +8591,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPublicKeysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPublicKeysOutput.httpOutput(from:), ListPublicKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8740,9 +8622,9 @@ extension CloudFrontClient { /// /// Gets a list of real-time log configurations. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListRealtimeLogConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRealtimeLogConfigsInput`) /// - /// - Returns: `ListRealtimeLogConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRealtimeLogConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8776,7 +8658,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRealtimeLogConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRealtimeLogConfigsOutput.httpOutput(from:), ListRealtimeLogConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8808,9 +8689,9 @@ extension CloudFrontClient { /// /// Gets a list of response headers policies. You can optionally apply a filter to get only the managed policies created by Amazon Web Services, or only the custom policies created in your Amazon Web Services account. You can optionally specify the maximum number of items to receive in the response. If the total number of items in the list exceeds the maximum that you specify, or the default maximum, the response is paginated. To get the next page of items, send a subsequent request that specifies the NextMarker value from the current response as the Marker value in the subsequent request. /// - /// - Parameter ListResponseHeadersPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResponseHeadersPoliciesInput`) /// - /// - Returns: `ListResponseHeadersPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResponseHeadersPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8844,7 +8725,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResponseHeadersPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResponseHeadersPoliciesOutput.httpOutput(from:), ListResponseHeadersPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8876,9 +8756,9 @@ extension CloudFrontClient { /// /// List streaming distributions. /// - /// - Parameter ListStreamingDistributionsInput : The request to list your streaming distributions. + /// - Parameter input: The request to list your streaming distributions. (Type: `ListStreamingDistributionsInput`) /// - /// - Returns: `ListStreamingDistributionsOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `ListStreamingDistributionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8910,7 +8790,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStreamingDistributionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamingDistributionsOutput.httpOutput(from:), ListStreamingDistributionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8942,9 +8821,9 @@ extension CloudFrontClient { /// /// List tags for a CloudFront resource. For more information, see [Tagging a distribution](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/tagging.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter ListTagsForResourceInput : The request to list tags for a CloudFront resource. + /// - Parameter input: The request to list tags for a CloudFront resource. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8979,7 +8858,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9011,9 +8889,9 @@ extension CloudFrontClient { /// /// List the CloudFront VPC origins in your account. /// - /// - Parameter ListVpcOriginsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVpcOriginsInput`) /// - /// - Returns: `ListVpcOriginsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVpcOriginsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9048,7 +8926,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVpcOriginsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcOriginsOutput.httpOutput(from:), ListVpcOriginsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9080,9 +8957,9 @@ extension CloudFrontClient { /// /// Publishes a CloudFront function by copying the function code from the DEVELOPMENT stage to LIVE. This automatically updates all cache behaviors that are using this function to use the newly published copy in the LIVE stage. When a function is published to the LIVE stage, you can attach the function to a distribution's cache behavior, using the function's Amazon Resource Name (ARN). To publish a function, you must provide the function's name and version (ETag value). To get these values, you can use ListFunctions and DescribeFunction. /// - /// - Parameter PublishFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishFunctionInput`) /// - /// - Returns: `PublishFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9118,7 +8995,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.HeaderMiddleware(PublishFunctionInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishFunctionOutput.httpOutput(from:), PublishFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9150,9 +9026,9 @@ extension CloudFrontClient { /// /// Add tags to a CloudFront resource. For more information, see [Tagging a distribution](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/tagging.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter TagResourceInput : The request to add tags to a CloudFront resource. + /// - Parameter input: The request to add tags to a CloudFront resource. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9190,7 +9066,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9222,9 +9097,9 @@ extension CloudFrontClient { /// /// Tests a CloudFront function. To test a function, you provide an event object that represents an HTTP request or response that your CloudFront distribution could receive in production. CloudFront runs the function, passing it the event object that you provided, and returns the function's result (the modified event object) in the response. The response also contains function logs and error messages, if any exist. For more information about testing functions, see [Testing functions](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/managing-functions.html#test-function) in the Amazon CloudFront Developer Guide. To test a function, you provide the function's name and version (ETag value) along with the event object. To get the function's name and version, you can use ListFunctions and DescribeFunction. /// - /// - Parameter TestFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestFunctionInput`) /// - /// - Returns: `TestFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9263,7 +9138,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestFunctionOutput.httpOutput(from:), TestFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9295,9 +9169,9 @@ extension CloudFrontClient { /// /// Remove tags from a CloudFront resource. For more information, see [Tagging a distribution](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/tagging.html) in the Amazon CloudFront Developer Guide. /// - /// - Parameter UntagResourceInput : The request to remove tags from a CloudFront resource. + /// - Parameter input: The request to remove tags from a CloudFront resource. (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9335,7 +9209,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9376,9 +9249,9 @@ extension CloudFrontClient { /// /// If your minimum TTL is greater than 0, CloudFront will cache content for at least the duration specified in the cache policy's minimum TTL, even if the Cache-Control: no-cache, no-store, or private directives are present in the origin headers. /// - /// - Parameter UpdateCachePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCachePolicyInput`) /// - /// - Returns: `UpdateCachePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCachePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9423,7 +9296,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCachePolicyOutput.httpOutput(from:), UpdateCachePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9455,9 +9327,9 @@ extension CloudFrontClient { /// /// Update an origin access identity. /// - /// - Parameter UpdateCloudFrontOriginAccessIdentityInput : The request to update an origin access identity. + /// - Parameter input: The request to update an origin access identity. (Type: `UpdateCloudFrontOriginAccessIdentityInput`) /// - /// - Returns: `UpdateCloudFrontOriginAccessIdentityOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `UpdateCloudFrontOriginAccessIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9499,7 +9371,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCloudFrontOriginAccessIdentityOutput.httpOutput(from:), UpdateCloudFrontOriginAccessIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9531,9 +9402,9 @@ extension CloudFrontClient { /// /// Updates a connection group. /// - /// - Parameter UpdateConnectionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectionGroupInput`) /// - /// - Returns: `UpdateConnectionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9575,7 +9446,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectionGroupOutput.httpOutput(from:), UpdateConnectionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9613,9 +9483,9 @@ extension CloudFrontClient { /// /// * Use UpdateContinuousDeploymentPolicy, providing the entire continuous deployment policy configuration, including the fields that you modified and those that you didn't. /// - /// - Parameter UpdateContinuousDeploymentPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContinuousDeploymentPolicyInput`) /// - /// - Returns: `UpdateContinuousDeploymentPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContinuousDeploymentPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9656,7 +9526,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContinuousDeploymentPolicyOutput.httpOutput(from:), UpdateContinuousDeploymentPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9701,9 +9570,9 @@ extension CloudFrontClient { /// /// * Submit an UpdateDistribution request, providing the updated distribution configuration. The new configuration replaces the existing configuration. The values that you specify in an UpdateDistribution request are not merged into your existing configuration. Make sure to include all fields: the ones that you modified and also the ones that you didn't. /// - /// - Parameter UpdateDistributionInput : The request to update a distribution. + /// - Parameter input: The request to update a distribution. (Type: `UpdateDistributionInput`) /// - /// - Returns: `UpdateDistributionOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `UpdateDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9804,7 +9673,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDistributionOutput.httpOutput(from:), UpdateDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9836,9 +9704,9 @@ extension CloudFrontClient { /// /// Updates a distribution tenant. /// - /// - Parameter UpdateDistributionTenantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDistributionTenantInput`) /// - /// - Returns: `UpdateDistributionTenantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDistributionTenantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9881,7 +9749,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDistributionTenantOutput.httpOutput(from:), UpdateDistributionTenantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9917,9 +9784,9 @@ extension CloudFrontClient { /// /// * [UpdateDistribution](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_UpdateDistribution.html) /// - /// - Parameter UpdateDistributionWithStagingConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDistributionWithStagingConfigInput`) /// - /// - Returns: `UpdateDistributionWithStagingConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDistributionWithStagingConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10013,7 +9880,6 @@ extension CloudFrontClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UpdateDistributionWithStagingConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDistributionWithStagingConfigOutput.httpOutput(from:), UpdateDistributionWithStagingConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10045,9 +9911,9 @@ extension CloudFrontClient { /// /// We recommend that you use the UpdateDomainAssociation API operation to move a domain association, as it supports both standard distributions and distribution tenants. [AssociateAlias](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_AssociateAlias.html) performs similar checks but only supports standard distributions. Moves a domain from its current standard distribution or distribution tenant to another one. You must first disable the source distribution (standard distribution or distribution tenant) and then separately call this operation to move the domain to another target distribution (standard distribution or distribution tenant). To use this operation, specify the domain and the ID of the target resource (standard distribution or distribution tenant). For more information, including how to set up the target resource, prerequisites that you must complete, and other restrictions, see [Moving an alternate domain name to a different standard distribution or distribution tenant](https://docs.aws.amazon.com/AmazonCloudFront/latest/DeveloperGuide/CNAMEs.html#alternate-domain-names-move) in the Amazon CloudFront Developer Guide. /// - /// - Parameter UpdateDomainAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDomainAssociationInput`) /// - /// - Returns: `UpdateDomainAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10087,7 +9953,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainAssociationOutput.httpOutput(from:), UpdateDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10119,9 +9984,9 @@ extension CloudFrontClient { /// /// Update a field-level encryption configuration. /// - /// - Parameter UpdateFieldLevelEncryptionConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFieldLevelEncryptionConfigInput`) /// - /// - Returns: `UpdateFieldLevelEncryptionConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFieldLevelEncryptionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10166,7 +10031,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFieldLevelEncryptionConfigOutput.httpOutput(from:), UpdateFieldLevelEncryptionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10198,9 +10062,9 @@ extension CloudFrontClient { /// /// Update a field-level encryption profile. /// - /// - Parameter UpdateFieldLevelEncryptionProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFieldLevelEncryptionProfileInput`) /// - /// - Returns: `UpdateFieldLevelEncryptionProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFieldLevelEncryptionProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10246,7 +10110,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFieldLevelEncryptionProfileOutput.httpOutput(from:), UpdateFieldLevelEncryptionProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10278,9 +10141,9 @@ extension CloudFrontClient { /// /// Updates a CloudFront function. You can update a function's code or the comment that describes the function. You cannot update a function's name. To update a function, you provide the function's name and version (ETag value) along with the updated function code. To get the name and version, you can use ListFunctions and DescribeFunction. /// - /// - Parameter UpdateFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFunctionInput`) /// - /// - Returns: `UpdateFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10320,7 +10183,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFunctionOutput.httpOutput(from:), UpdateFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10358,9 +10220,9 @@ extension CloudFrontClient { /// /// * Call UpdateKeyGroup with the entire key group object, including the fields that you modified and those that you didn't. /// - /// - Parameter UpdateKeyGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKeyGroupInput`) /// - /// - Returns: `UpdateKeyGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKeyGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10400,7 +10262,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKeyGroupOutput.httpOutput(from:), UpdateKeyGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10432,9 +10293,9 @@ extension CloudFrontClient { /// /// Specifies the key value store to update. /// - /// - Parameter UpdateKeyValueStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKeyValueStoreInput`) /// - /// - Returns: `UpdateKeyValueStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKeyValueStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10474,7 +10335,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKeyValueStoreOutput.httpOutput(from:), UpdateKeyValueStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10506,9 +10366,9 @@ extension CloudFrontClient { /// /// Updates a CloudFront origin access control. /// - /// - Parameter UpdateOriginAccessControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOriginAccessControlInput`) /// - /// - Returns: `UpdateOriginAccessControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOriginAccessControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10549,7 +10409,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOriginAccessControlOutput.httpOutput(from:), UpdateOriginAccessControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10587,9 +10446,9 @@ extension CloudFrontClient { /// /// * Call UpdateOriginRequestPolicy by providing the entire origin request policy configuration, including the fields that you modified and those that you didn't. /// - /// - Parameter UpdateOriginRequestPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOriginRequestPolicyInput`) /// - /// - Returns: `UpdateOriginRequestPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOriginRequestPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10634,7 +10493,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOriginRequestPolicyOutput.httpOutput(from:), UpdateOriginRequestPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10666,9 +10524,9 @@ extension CloudFrontClient { /// /// Update public key information. Note that the only value you can change is the comment. /// - /// - Parameter UpdatePublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePublicKeyInput`) /// - /// - Returns: `UpdatePublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10709,7 +10567,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePublicKeyOutput.httpOutput(from:), UpdatePublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10750,9 +10607,9 @@ extension CloudFrontClient { /// /// You cannot update a real-time log configuration's Name or ARN. /// - /// - Parameter UpdateRealtimeLogConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRealtimeLogConfigInput`) /// - /// - Returns: `UpdateRealtimeLogConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRealtimeLogConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10788,7 +10645,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRealtimeLogConfigOutput.httpOutput(from:), UpdateRealtimeLogConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10826,9 +10682,9 @@ extension CloudFrontClient { /// /// * Call UpdateResponseHeadersPolicy, providing the entire response headers policy configuration, including the fields that you modified and those that you didn't. /// - /// - Parameter UpdateResponseHeadersPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResponseHeadersPolicyInput`) /// - /// - Returns: `UpdateResponseHeadersPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResponseHeadersPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10873,7 +10729,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResponseHeadersPolicyOutput.httpOutput(from:), UpdateResponseHeadersPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10905,9 +10760,9 @@ extension CloudFrontClient { /// /// Update a streaming distribution. /// - /// - Parameter UpdateStreamingDistributionInput : The request to update a streaming distribution. + /// - Parameter input: The request to update a streaming distribution. (Type: `UpdateStreamingDistributionInput`) /// - /// - Returns: `UpdateStreamingDistributionOutput` : The returned result of the corresponding request. + /// - Returns: The returned result of the corresponding request. (Type: `UpdateStreamingDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10955,7 +10810,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStreamingDistributionOutput.httpOutput(from:), UpdateStreamingDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10987,9 +10841,9 @@ extension CloudFrontClient { /// /// Update an Amazon CloudFront VPC origin in your account. /// - /// - Parameter UpdateVpcOriginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVpcOriginInput`) /// - /// - Returns: `UpdateVpcOriginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVpcOriginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11034,7 +10888,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVpcOriginOutput.httpOutput(from:), UpdateVpcOriginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11066,9 +10919,9 @@ extension CloudFrontClient { /// /// Verify the DNS configuration for your domain names. This API operation checks whether your domain name points to the correct routing endpoint of the connection group, such as d111111abcdef8.cloudfront.net. You can use this API operation to troubleshoot and resolve DNS configuration issues. /// - /// - Parameter VerifyDnsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifyDnsConfigurationInput`) /// - /// - Returns: `VerifyDnsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyDnsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11104,7 +10957,6 @@ extension CloudFrontClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyDnsConfigurationOutput.httpOutput(from:), VerifyDnsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudFrontKeyValueStore/Sources/AWSCloudFrontKeyValueStore/CloudFrontKeyValueStoreClient.swift b/Sources/Services/AWSCloudFrontKeyValueStore/Sources/AWSCloudFrontKeyValueStore/CloudFrontKeyValueStoreClient.swift index 755d944992a..2c1b9708567 100644 --- a/Sources/Services/AWSCloudFrontKeyValueStore/Sources/AWSCloudFrontKeyValueStore/CloudFrontKeyValueStoreClient.swift +++ b/Sources/Services/AWSCloudFrontKeyValueStore/Sources/AWSCloudFrontKeyValueStore/CloudFrontKeyValueStoreClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -71,7 +70,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudFrontKeyValueStoreClient: ClientRuntime.Client { public static let clientName = "CloudFrontKeyValueStoreClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudFrontKeyValueStoreClient.CloudFrontKeyValueStoreClientConfiguration let serviceName = "CloudFront KeyValueStore" @@ -377,9 +376,9 @@ extension CloudFrontKeyValueStoreClient { /// /// Deletes the key value pair specified by the key. /// - /// - Parameter DeleteKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKeyInput`) /// - /// - Returns: `DeleteKeyOutput` : Metadata information about a Key Value Store. + /// - Returns: Metadata information about a Key Value Store. (Type: `DeleteKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension CloudFrontKeyValueStoreClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteKeyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKeyOutput.httpOutput(from:), DeleteKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension CloudFrontKeyValueStoreClient { /// /// Returns metadata information about Key Value Store. /// - /// - Parameter DescribeKeyValueStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeKeyValueStoreInput`) /// - /// - Returns: `DescribeKeyValueStoreOutput` : Metadata information about a Key Value Store. + /// - Returns: Metadata information about a Key Value Store. (Type: `DescribeKeyValueStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension CloudFrontKeyValueStoreClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeKeyValueStoreOutput.httpOutput(from:), DescribeKeyValueStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension CloudFrontKeyValueStoreClient { /// /// Returns a key value pair. /// - /// - Parameter GetKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKeyInput`) /// - /// - Returns: `GetKeyOutput` : A key value pair. + /// - Returns: A key value pair. (Type: `GetKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension CloudFrontKeyValueStoreClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKeyOutput.httpOutput(from:), GetKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension CloudFrontKeyValueStoreClient { /// /// Returns a list of key value pairs. /// - /// - Parameter ListKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeysInput`) /// - /// - Returns: `ListKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension CloudFrontKeyValueStoreClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKeysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeysOutput.httpOutput(from:), ListKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension CloudFrontKeyValueStoreClient { /// /// Creates a new key value pair or replaces the value of an existing key. /// - /// - Parameter PutKeyInput : A key value pair. + /// - Parameter input: A key value pair. (Type: `PutKeyInput`) /// - /// - Returns: `PutKeyOutput` : Metadata information about a Key Value Store. + /// - Returns: Metadata information about a Key Value Store. (Type: `PutKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -700,7 +695,6 @@ extension CloudFrontKeyValueStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutKeyOutput.httpOutput(from:), PutKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -733,9 +727,9 @@ extension CloudFrontKeyValueStoreClient { /// /// Puts or Deletes multiple key value pairs in a single, all-or-nothing operation. /// - /// - Parameter UpdateKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKeysInput`) /// - /// - Returns: `UpdateKeysOutput` : Metadata information about a Key Value Store. + /// - Returns: Metadata information about a Key Value Store. (Type: `UpdateKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -775,7 +769,6 @@ extension CloudFrontKeyValueStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKeysOutput.httpOutput(from:), UpdateKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudHSM/Sources/AWSCloudHSM/CloudHSMClient.swift b/Sources/Services/AWSCloudHSM/Sources/AWSCloudHSM/CloudHSMClient.swift index 83628aef062..29d1e451703 100644 --- a/Sources/Services/AWSCloudHSM/Sources/AWSCloudHSM/CloudHSMClient.swift +++ b/Sources/Services/AWSCloudHSM/Sources/AWSCloudHSM/CloudHSMClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudHSMClient: ClientRuntime.Client { public static let clientName = "CloudHSMClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudHSMClient.CloudHSMClientConfiguration let serviceName = "CloudHSM" @@ -374,9 +373,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Adds or overwrites one or more tags for the specified AWS CloudHSM resource. Each tag consists of a key and a value. Tag keys must be unique to each resource. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter AddTagsToResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddTagsToResourceInput`) /// - /// - Returns: `AddTagsToResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToResourceOutput.httpOutput(from:), AddTagsToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Creates a high-availability partition group. A high-availability partition group is a group of partitions that spans multiple physical HSMs. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter CreateHapgInput : Contains the inputs for the [CreateHapgRequest] action. + /// - Parameter input: Contains the inputs for the [CreateHapgRequest] action. (Type: `CreateHapgInput`) /// - /// - Returns: `CreateHapgOutput` : Contains the output of the [CreateHAPartitionGroup] action. + /// - Returns: Contains the output of the [CreateHAPartitionGroup] action. (Type: `CreateHapgOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -482,7 +480,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHapgOutput.httpOutput(from:), CreateHapgOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Creates an uninitialized HSM instance. There is an upfront fee charged for each HSM instance that you create with the CreateHsm operation. If you accidentally provision an HSM and want to request a refund, delete the instance using the [DeleteHsm] operation, go to the [AWS Support Center](https://console.aws.amazon.com/support/home), create a new case, and select Account and Billing Support. It can take up to 20 minutes to create and provision an HSM. You can monitor the status of the HSM with the [DescribeHsm] operation. The HSM is ready to be initialized when the status changes to RUNNING. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter CreateHsmInput : Contains the inputs for the CreateHsm operation. + /// - Parameter input: Contains the inputs for the CreateHsm operation. (Type: `CreateHsmInput`) /// - /// - Returns: `CreateHsmOutput` : Contains the output of the CreateHsm operation. + /// - Returns: Contains the output of the CreateHsm operation. (Type: `CreateHsmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHsmOutput.httpOutput(from:), CreateHsmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Creates an HSM client. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter CreateLunaClientInput : Contains the inputs for the [CreateLunaClient] action. + /// - Parameter input: Contains the inputs for the [CreateLunaClient] action. (Type: `CreateLunaClientInput`) /// - /// - Returns: `CreateLunaClientOutput` : Contains the output of the [CreateLunaClient] action. + /// - Returns: Contains the output of the [CreateLunaClient] action. (Type: `CreateLunaClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLunaClientOutput.httpOutput(from:), CreateLunaClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Deletes a high-availability partition group. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter DeleteHapgInput : Contains the inputs for the [DeleteHapg] action. + /// - Parameter input: Contains the inputs for the [DeleteHapg] action. (Type: `DeleteHapgInput`) /// - /// - Returns: `DeleteHapgOutput` : Contains the output of the [DeleteHapg] action. + /// - Returns: Contains the output of the [DeleteHapg] action. (Type: `DeleteHapgOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHapgOutput.httpOutput(from:), DeleteHapgOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -734,9 +728,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Deletes an HSM. After completion, this operation cannot be undone and your key material cannot be recovered. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter DeleteHsmInput : Contains the inputs for the [DeleteHsm] operation. + /// - Parameter input: Contains the inputs for the [DeleteHsm] operation. (Type: `DeleteHsmInput`) /// - /// - Returns: `DeleteHsmOutput` : Contains the output of the [DeleteHsm] operation. + /// - Returns: Contains the output of the [DeleteHsm] operation. (Type: `DeleteHsmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -770,7 +764,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHsmOutput.httpOutput(from:), DeleteHsmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Deletes a client. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter DeleteLunaClientInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLunaClientInput`) /// - /// - Returns: `DeleteLunaClientOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLunaClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLunaClientOutput.httpOutput(from:), DeleteLunaClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Retrieves information about a high-availability partition group. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter DescribeHapgInput : Contains the inputs for the [DescribeHapg] action. + /// - Parameter input: Contains the inputs for the [DescribeHapg] action. (Type: `DescribeHapgInput`) /// - /// - Returns: `DescribeHapgOutput` : Contains the output of the [DescribeHapg] action. + /// - Returns: Contains the output of the [DescribeHapg] action. (Type: `DescribeHapgOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHapgOutput.httpOutput(from:), DescribeHapgOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -950,9 +941,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Retrieves information about an HSM. You can identify the HSM by its ARN or its serial number. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter DescribeHsmInput : Contains the inputs for the [DescribeHsm] operation. + /// - Parameter input: Contains the inputs for the [DescribeHsm] operation. (Type: `DescribeHsmInput`) /// - /// - Returns: `DescribeHsmOutput` : Contains the output of the [DescribeHsm] operation. + /// - Returns: Contains the output of the [DescribeHsm] operation. (Type: `DescribeHsmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -986,7 +977,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHsmOutput.httpOutput(from:), DescribeHsmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1022,9 +1012,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Retrieves information about an HSM client. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter DescribeLunaClientInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLunaClientInput`) /// - /// - Returns: `DescribeLunaClientOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLunaClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1058,7 +1048,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLunaClientOutput.httpOutput(from:), DescribeLunaClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1094,9 +1083,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Gets the configuration files necessary to connect to all high availability partition groups the client is associated with. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter GetConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigInput`) /// - /// - Returns: `GetConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1130,7 +1119,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigOutput.httpOutput(from:), GetConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1166,9 +1154,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Lists the Availability Zones that have available AWS CloudHSM capacity. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter ListAvailableZonesInput : Contains the inputs for the [ListAvailableZones] action. + /// - Parameter input: Contains the inputs for the [ListAvailableZones] action. (Type: `ListAvailableZonesInput`) /// - /// - Returns: `ListAvailableZonesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAvailableZonesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1202,7 +1190,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAvailableZonesOutput.httpOutput(from:), ListAvailableZonesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1238,9 +1225,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Lists the high-availability partition groups for the account. This operation supports pagination with the use of the NextToken member. If more results are available, the NextToken member of the response contains a token that you pass in the next call to ListHapgs to retrieve the next set of items. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter ListHapgsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHapgsInput`) /// - /// - Returns: `ListHapgsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHapgsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1274,7 +1261,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHapgsOutput.httpOutput(from:), ListHapgsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1310,9 +1296,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Retrieves the identifiers of all of the HSMs provisioned for the current customer. This operation supports pagination with the use of the NextToken member. If more results are available, the NextToken member of the response contains a token that you pass in the next call to ListHsms to retrieve the next set of items. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter ListHsmsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHsmsInput`) /// - /// - Returns: `ListHsmsOutput` : Contains the output of the ListHsms operation. + /// - Returns: Contains the output of the ListHsms operation. (Type: `ListHsmsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1346,7 +1332,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHsmsOutput.httpOutput(from:), ListHsmsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1382,9 +1367,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Lists all of the clients. This operation supports pagination with the use of the NextToken member. If more results are available, the NextToken member of the response contains a token that you pass in the next call to ListLunaClients to retrieve the next set of items. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter ListLunaClientsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLunaClientsInput`) /// - /// - Returns: `ListLunaClientsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLunaClientsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1418,7 +1403,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLunaClientsOutput.httpOutput(from:), ListLunaClientsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1454,9 +1438,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Returns a list of all tags for the specified AWS CloudHSM resource. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1490,7 +1474,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1526,9 +1509,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Modifies an existing high-availability partition group. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter ModifyHapgInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyHapgInput`) /// - /// - Returns: `ModifyHapgOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyHapgOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1562,7 +1545,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyHapgOutput.httpOutput(from:), ModifyHapgOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1598,9 +1580,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Modifies an HSM. This operation can result in the HSM being offline for up to 15 minutes while the AWS CloudHSM service is reconfigured. If you are modifying a production HSM, you should ensure that your AWS CloudHSM service is configured for high availability, and consider executing this operation during a maintenance window. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter ModifyHsmInput : Contains the inputs for the [ModifyHsm] operation. + /// - Parameter input: Contains the inputs for the [ModifyHsm] operation. (Type: `ModifyHsmInput`) /// - /// - Returns: `ModifyHsmOutput` : Contains the output of the [ModifyHsm] operation. + /// - Returns: Contains the output of the [ModifyHsm] operation. (Type: `ModifyHsmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1634,7 +1616,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyHsmOutput.httpOutput(from:), ModifyHsmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1670,9 +1651,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Modifies the certificate used by the client. This action can potentially start a workflow to install the new certificate on the client's HSMs. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter ModifyLunaClientInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyLunaClientInput`) /// - /// - Returns: `ModifyLunaClientOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyLunaClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1704,7 +1685,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyLunaClientOutput.httpOutput(from:), ModifyLunaClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1740,9 +1720,9 @@ extension CloudHSMClient { /// This is documentation for AWS CloudHSM Classic. For more information, see [AWS CloudHSM Classic FAQs](http://aws.amazon.com/cloudhsm/faqs-classic/), the [AWS CloudHSM Classic User Guide](https://docs.aws.amazon.com/cloudhsm/classic/userguide/), and the [AWS CloudHSM Classic API Reference](https://docs.aws.amazon.com/cloudhsm/classic/APIReference/). For information about the current version of AWS CloudHSM, see [AWS CloudHSM](http://aws.amazon.com/cloudhsm/), the [AWS CloudHSM User Guide](https://docs.aws.amazon.com/cloudhsm/latest/userguide/), and the [AWS CloudHSM API Reference](https://docs.aws.amazon.com/cloudhsm/latest/APIReference/). Removes one or more tags from the specified AWS CloudHSM resource. To remove a tag, specify only the tag key to remove (not the value). To overwrite the value for an existing tag, use [AddTagsToResource]. @available(*, deprecated, message: "This API is deprecated.") /// - /// - Parameter RemoveTagsFromResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveTagsFromResourceInput`) /// - /// - Returns: `RemoveTagsFromResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1776,7 +1756,6 @@ extension CloudHSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromResourceOutput.httpOutput(from:), RemoveTagsFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudHSMV2/Sources/AWSCloudHSMV2/CloudHSMV2Client.swift b/Sources/Services/AWSCloudHSMV2/Sources/AWSCloudHSMV2/CloudHSMV2Client.swift index 1457b359dff..52d522b8a8f 100644 --- a/Sources/Services/AWSCloudHSMV2/Sources/AWSCloudHSMV2/CloudHSMV2Client.swift +++ b/Sources/Services/AWSCloudHSMV2/Sources/AWSCloudHSMV2/CloudHSMV2Client.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudHSMV2Client: ClientRuntime.Client { public static let clientName = "CloudHSMV2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudHSMV2Client.CloudHSMV2ClientConfiguration let serviceName = "CloudHSM V2" @@ -373,9 +372,9 @@ extension CloudHSMV2Client { /// /// Copy an CloudHSM cluster backup to a different region. Cross-account use: No. You cannot perform this operation on an CloudHSM backup in a different Amazon Web Services account. /// - /// - Parameter CopyBackupToRegionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyBackupToRegionInput`) /// - /// - Returns: `CopyBackupToRegionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyBackupToRegionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyBackupToRegionOutput.httpOutput(from:), CopyBackupToRegionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension CloudHSMV2Client { /// /// Creates a new CloudHSM cluster. Cross-account use: Yes. To perform this operation with an CloudHSM backup in a different AWS account, specify the full backup ARN in the value of the SourceBackupId parameter. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension CloudHSMV2Client { /// /// Creates a new hardware security module (HSM) in the specified CloudHSM cluster. Cross-account use: No. You cannot perform this operation on an CloudHSM cluster in a different Amazon Web Service account. /// - /// - Parameter CreateHsmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHsmInput`) /// - /// - Returns: `CreateHsmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHsmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHsmOutput.httpOutput(from:), CreateHsmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension CloudHSMV2Client { /// /// Deletes a specified CloudHSM backup. A backup can be restored up to 7 days after the DeleteBackup request is made. For more information on restoring a backup, see [RestoreBackup]. Cross-account use: No. You cannot perform this operation on an CloudHSM backup in a different Amazon Web Services account. /// - /// - Parameter DeleteBackupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBackupInput`) /// - /// - Returns: `DeleteBackupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -632,7 +628,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackupOutput.httpOutput(from:), DeleteBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension CloudHSMV2Client { /// /// Deletes the specified CloudHSM cluster. Before you can delete a cluster, you must delete all HSMs in the cluster. To see if the cluster contains any HSMs, use [DescribeClusters]. To delete an HSM, use [DeleteHsm]. Cross-account use: No. You cannot perform this operation on an CloudHSM cluster in a different Amazon Web Services account. /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension CloudHSMV2Client { /// /// Deletes the specified HSM. To specify an HSM, you can use its identifier (ID), the IP address of the HSM's elastic network interface (ENI), or the ID of the HSM's ENI. You need to specify only one of these values. To find these values, use [DescribeClusters]. Cross-account use: No. You cannot perform this operation on an CloudHSM hsm in a different Amazon Web Services account. /// - /// - Parameter DeleteHsmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHsmInput`) /// - /// - Returns: `DeleteHsmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHsmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -779,7 +773,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHsmOutput.httpOutput(from:), DeleteHsmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -814,9 +807,9 @@ extension CloudHSMV2Client { /// /// Deletes an CloudHSM resource policy. Deleting a resource policy will result in the resource being unshared and removed from any RAM resource shares. Deleting the resource policy attached to a backup will not impact any clusters created from that backup. Cross-account use: No. You cannot perform this operation on an CloudHSM resource in a different Amazon Web Services account. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -887,9 +879,9 @@ extension CloudHSMV2Client { /// /// Gets information about backups of CloudHSM clusters. Lists either the backups you own or the backups shared with you when the Shared parameter is true. This is a paginated operation, which means that each response might contain only a subset of all the backups. When the response contains only a subset of backups, it includes a NextToken value. Use this value in a subsequent DescribeBackups request to get more backups. When you receive a response with no NextToken (or an empty or null value), that means there are no more backups to get. Cross-account use: Yes. Customers can describe backups in other Amazon Web Services accounts that are shared with them. /// - /// - Parameter DescribeBackupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBackupsInput`) /// - /// - Returns: `DescribeBackupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBackupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -926,7 +918,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBackupsOutput.httpOutput(from:), DescribeBackupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -961,9 +952,9 @@ extension CloudHSMV2Client { /// /// Gets information about CloudHSM clusters. This is a paginated operation, which means that each response might contain only a subset of all the clusters. When the response contains only a subset of clusters, it includes a NextToken value. Use this value in a subsequent DescribeClusters request to get more clusters. When you receive a response with no NextToken (or an empty or null value), that means there are no more clusters to get. Cross-account use: No. You cannot perform this operation on CloudHSM clusters in a different Amazon Web Services account. /// - /// - Parameter DescribeClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClustersInput`) /// - /// - Returns: `DescribeClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -999,7 +990,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClustersOutput.httpOutput(from:), DescribeClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1034,9 +1024,9 @@ extension CloudHSMV2Client { /// /// Retrieves the resource policy document attached to a given resource. Cross-account use: No. You cannot perform this operation on an CloudHSM resource in a different Amazon Web Services account. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1072,7 +1062,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1107,9 +1096,9 @@ extension CloudHSMV2Client { /// /// Claims an CloudHSM cluster by submitting the cluster certificate issued by your issuing certificate authority (CA) and the CA's root certificate. Before you can claim a cluster, you must sign the cluster's certificate signing request (CSR) with your issuing CA. To get the cluster's CSR, use [DescribeClusters]. Cross-account use: No. You cannot perform this operation on an CloudHSM cluster in a different Amazon Web Services account. /// - /// - Parameter InitializeClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InitializeClusterInput`) /// - /// - Returns: `InitializeClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InitializeClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1145,7 +1134,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitializeClusterOutput.httpOutput(from:), InitializeClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1180,9 +1168,9 @@ extension CloudHSMV2Client { /// /// Gets a list of tags for the specified CloudHSM cluster. This is a paginated operation, which means that each response might contain only a subset of all the tags. When the response contains only a subset of tags, it includes a NextToken value. Use this value in a subsequent ListTags request to get more tags. When you receive a response with no NextToken (or an empty or null value), that means there are no more tags to get. Cross-account use: No. You cannot perform this operation on an CloudHSM resource in a different Amazon Web Services account. /// - /// - Parameter ListTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1219,7 +1207,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1254,9 +1241,9 @@ extension CloudHSMV2Client { /// /// Modifies attributes for CloudHSM backup. Cross-account use: No. You cannot perform this operation on an CloudHSM backup in a different Amazon Web Services account. /// - /// - Parameter ModifyBackupAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyBackupAttributesInput`) /// - /// - Returns: `ModifyBackupAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyBackupAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1292,7 +1279,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyBackupAttributesOutput.httpOutput(from:), ModifyBackupAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1327,9 +1313,9 @@ extension CloudHSMV2Client { /// /// Modifies CloudHSM cluster. Cross-account use: No. You cannot perform this operation on an CloudHSM cluster in a different Amazon Web Services account. /// - /// - Parameter ModifyClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyClusterInput`) /// - /// - Returns: `ModifyClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1365,7 +1351,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClusterOutput.httpOutput(from:), ModifyClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1405,9 +1390,9 @@ extension CloudHSMV2Client { /// /// In order to share a backup, it must be in a 'READY' state and you must own it. While you can share a backup using the CloudHSM PutResourcePolicy operation, we recommend using Resource Access Manager (RAM) instead. Using RAM provides multiple benefits as it creates the policy for you, allows multiple resources to be shared at one time, and increases the discoverability of shared resources. If you use PutResourcePolicy and want consumers to be able to describe the backups you share with them, you must promote the backup to a standard RAM Resource Share using the RAM PromoteResourceShareCreatedFromPolicy API operation. For more information, see [ Working with shared backups](https://docs.aws.amazon.com/cloudhsm/latest/userguide/sharing.html) in the CloudHSM User Guide Cross-account use: No. You cannot perform this operation on an CloudHSM resource in a different Amazon Web Services account. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1443,7 +1428,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1478,9 +1462,9 @@ extension CloudHSMV2Client { /// /// Restores a specified CloudHSM backup that is in the PENDING_DELETION state. For more information on deleting a backup, see [DeleteBackup]. Cross-account use: No. You cannot perform this operation on an CloudHSM backup in a different Amazon Web Services account. /// - /// - Parameter RestoreBackupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreBackupInput`) /// - /// - Returns: `RestoreBackupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1516,7 +1500,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreBackupOutput.httpOutput(from:), RestoreBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1551,9 +1534,9 @@ extension CloudHSMV2Client { /// /// Adds or overwrites one or more tags for the specified CloudHSM cluster. Cross-account use: No. You cannot perform this operation on an CloudHSM resource in a different Amazon Web Services account. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1591,7 +1574,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1626,9 +1608,9 @@ extension CloudHSMV2Client { /// /// Removes the specified tag or tags from the specified CloudHSM cluster. Cross-account use: No. You cannot perform this operation on an CloudHSM resource in a different Amazon Web Services account. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1665,7 +1647,6 @@ extension CloudHSMV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudSearch/Sources/AWSCloudSearch/CloudSearchClient.swift b/Sources/Services/AWSCloudSearch/Sources/AWSCloudSearch/CloudSearchClient.swift index d4623f815e8..5dfe0b18b0c 100644 --- a/Sources/Services/AWSCloudSearch/Sources/AWSCloudSearch/CloudSearchClient.swift +++ b/Sources/Services/AWSCloudSearch/Sources/AWSCloudSearch/CloudSearchClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudSearchClient: ClientRuntime.Client { public static let clientName = "CloudSearchClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudSearchClient.CloudSearchClientConfiguration let serviceName = "CloudSearch" @@ -372,9 +371,9 @@ extension CloudSearchClient { /// /// Indexes the search suggestions. For more information, see [Configuring Suggesters](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/getting-suggestions.html#configuring-suggesters) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter BuildSuggestersInput : Container for the parameters to the [BuildSuggester] operation. Specifies the name of the domain you want to update. + /// - Parameter input: Container for the parameters to the [BuildSuggester] operation. Specifies the name of the domain you want to update. (Type: `BuildSuggestersInput`) /// - /// - Returns: `BuildSuggestersOutput` : The result of a BuildSuggester request. Contains a list of the fields used for suggestions. + /// - Returns: The result of a BuildSuggester request. Contains a list of the fields used for suggestions. (Type: `BuildSuggestersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BuildSuggestersOutput.httpOutput(from:), BuildSuggestersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension CloudSearchClient { /// /// Creates a new search domain. For more information, see [Creating a Search Domain](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/creating-domains.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter CreateDomainInput : Container for the parameters to the [CreateDomain] operation. Specifies a name for the new search domain. + /// - Parameter input: Container for the parameters to the [CreateDomain] operation. Specifies a name for the new search domain. (Type: `CreateDomainInput`) /// - /// - Returns: `CreateDomainOutput` : The result of a CreateDomainRequest. Contains the status of a newly created domain. + /// - Returns: The result of a CreateDomainRequest. Contains the status of a newly created domain. (Type: `CreateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainOutput.httpOutput(from:), CreateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension CloudSearchClient { /// /// Configures an analysis scheme that can be applied to a text or text-array field to define language-specific text processing options. For more information, see [Configuring Analysis Schemes](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-analysis-schemes.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DefineAnalysisSchemeInput : Container for the parameters to the [DefineAnalysisScheme] operation. Specifies the name of the domain you want to update and the analysis scheme configuration. + /// - Parameter input: Container for the parameters to the [DefineAnalysisScheme] operation. Specifies the name of the domain you want to update and the analysis scheme configuration. (Type: `DefineAnalysisSchemeInput`) /// - /// - Returns: `DefineAnalysisSchemeOutput` : The result of a [DefineAnalysisScheme] request. Contains the status of the newly-configured analysis scheme. + /// - Returns: The result of a [DefineAnalysisScheme] request. Contains the status of the newly-configured analysis scheme. (Type: `DefineAnalysisSchemeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DefineAnalysisSchemeOutput.httpOutput(from:), DefineAnalysisSchemeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension CloudSearchClient { /// /// Configures an [Expression] for the search domain. Used to create new expressions and modify existing ones. If the expression exists, the new configuration replaces the old one. For more information, see [Configuring Expressions](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-expressions.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DefineExpressionInput : Container for the parameters to the [DefineExpression] operation. Specifies the name of the domain you want to update and the expression you want to configure. + /// - Parameter input: Container for the parameters to the [DefineExpression] operation. Specifies the name of the domain you want to update and the expression you want to configure. (Type: `DefineExpressionInput`) /// - /// - Returns: `DefineExpressionOutput` : The result of a DefineExpression request. Contains the status of the newly-configured expression. + /// - Returns: The result of a DefineExpression request. Contains the status of the newly-configured expression. (Type: `DefineExpressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DefineExpressionOutput.httpOutput(from:), DefineExpressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension CloudSearchClient { /// /// Configures an [IndexField] for the search domain. Used to create new fields and modify existing ones. You must specify the name of the domain you are configuring and an index field configuration. The index field configuration specifies a unique name, the index field type, and the options you want to configure for the field. The options you can specify depend on the [IndexFieldType]. If the field exists, the new configuration replaces the old one. For more information, see [Configuring Index Fields](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-index-fields.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DefineIndexFieldInput : Container for the parameters to the [DefineIndexField] operation. Specifies the name of the domain you want to update and the index field configuration. + /// - Parameter input: Container for the parameters to the [DefineIndexField] operation. Specifies the name of the domain you want to update and the index field configuration. (Type: `DefineIndexFieldInput`) /// - /// - Returns: `DefineIndexFieldOutput` : The result of a [DefineIndexField] request. Contains the status of the newly-configured index field. + /// - Returns: The result of a [DefineIndexField] request. Contains the status of the newly-configured index field. (Type: `DefineIndexFieldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -700,7 +695,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DefineIndexFieldOutput.httpOutput(from:), DefineIndexFieldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -734,9 +728,9 @@ extension CloudSearchClient { /// /// Configures a suggester for a domain. A suggester enables you to display possible matches before users finish typing their queries. When you configure a suggester, you must specify the name of the text field you want to search for possible matches and a unique name for the suggester. For more information, see [Getting Search Suggestions](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/getting-suggestions.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DefineSuggesterInput : Container for the parameters to the [DefineSuggester] operation. Specifies the name of the domain you want to update and the suggester configuration. + /// - Parameter input: Container for the parameters to the [DefineSuggester] operation. Specifies the name of the domain you want to update and the suggester configuration. (Type: `DefineSuggesterInput`) /// - /// - Returns: `DefineSuggesterOutput` : The result of a DefineSuggester request. Contains the status of the newly-configured suggester. + /// - Returns: The result of a DefineSuggester request. Contains the status of the newly-configured suggester. (Type: `DefineSuggesterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -773,7 +767,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DefineSuggesterOutput.httpOutput(from:), DefineSuggesterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension CloudSearchClient { /// /// Deletes an analysis scheme. For more information, see [Configuring Analysis Schemes](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-analysis-schemes.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DeleteAnalysisSchemeInput : Container for the parameters to the [DeleteAnalysisScheme] operation. Specifies the name of the domain you want to update and the analysis scheme you want to delete. + /// - Parameter input: Container for the parameters to the [DeleteAnalysisScheme] operation. Specifies the name of the domain you want to update and the analysis scheme you want to delete. (Type: `DeleteAnalysisSchemeInput`) /// - /// - Returns: `DeleteAnalysisSchemeOutput` : The result of a DeleteAnalysisScheme request. Contains the status of the deleted analysis scheme. + /// - Returns: The result of a DeleteAnalysisScheme request. Contains the status of the deleted analysis scheme. (Type: `DeleteAnalysisSchemeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -845,7 +838,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnalysisSchemeOutput.httpOutput(from:), DeleteAnalysisSchemeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension CloudSearchClient { /// /// Permanently deletes a search domain and all of its data. Once a domain has been deleted, it cannot be recovered. For more information, see [Deleting a Search Domain](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/deleting-domains.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DeleteDomainInput : Container for the parameters to the [DeleteDomain] operation. Specifies the name of the domain you want to delete. + /// - Parameter input: Container for the parameters to the [DeleteDomain] operation. Specifies the name of the domain you want to delete. (Type: `DeleteDomainInput`) /// - /// - Returns: `DeleteDomainOutput` : The result of a DeleteDomain request. Contains the status of a newly deleted domain, or no status if the domain has already been completely deleted. + /// - Returns: The result of a DeleteDomain request. Contains the status of a newly deleted domain, or no status if the domain has already been completely deleted. (Type: `DeleteDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainOutput.httpOutput(from:), DeleteDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -948,9 +939,9 @@ extension CloudSearchClient { /// /// Removes an [Expression] from the search domain. For more information, see [Configuring Expressions](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-expressions.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DeleteExpressionInput : Container for the parameters to the [DeleteExpression] operation. Specifies the name of the domain you want to update and the name of the expression you want to delete. + /// - Parameter input: Container for the parameters to the [DeleteExpression] operation. Specifies the name of the domain you want to update and the name of the expression you want to delete. (Type: `DeleteExpressionInput`) /// - /// - Returns: `DeleteExpressionOutput` : The result of a [DeleteExpression] request. Specifies the expression being deleted. + /// - Returns: The result of a [DeleteExpression] request. Specifies the expression being deleted. (Type: `DeleteExpressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -986,7 +977,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExpressionOutput.httpOutput(from:), DeleteExpressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1020,9 +1010,9 @@ extension CloudSearchClient { /// /// Removes an [IndexField] from the search domain. For more information, see [Configuring Index Fields](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-index-fields.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DeleteIndexFieldInput : Container for the parameters to the [DeleteIndexField] operation. Specifies the name of the domain you want to update and the name of the index field you want to delete. + /// - Parameter input: Container for the parameters to the [DeleteIndexField] operation. Specifies the name of the domain you want to update and the name of the index field you want to delete. (Type: `DeleteIndexFieldInput`) /// - /// - Returns: `DeleteIndexFieldOutput` : The result of a [DeleteIndexField] request. + /// - Returns: The result of a [DeleteIndexField] request. (Type: `DeleteIndexFieldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1058,7 +1048,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIndexFieldOutput.httpOutput(from:), DeleteIndexFieldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1081,9 @@ extension CloudSearchClient { /// /// Deletes a suggester. For more information, see [Getting Search Suggestions](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/getting-suggestions.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DeleteSuggesterInput : Container for the parameters to the [DeleteSuggester] operation. Specifies the name of the domain you want to update and name of the suggester you want to delete. + /// - Parameter input: Container for the parameters to the [DeleteSuggester] operation. Specifies the name of the domain you want to update and name of the suggester you want to delete. (Type: `DeleteSuggesterInput`) /// - /// - Returns: `DeleteSuggesterOutput` : The result of a DeleteSuggester request. Contains the status of the deleted suggester. + /// - Returns: The result of a DeleteSuggester request. Contains the status of the deleted suggester. (Type: `DeleteSuggesterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1130,7 +1119,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSuggesterOutput.httpOutput(from:), DeleteSuggesterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1164,9 +1152,9 @@ extension CloudSearchClient { /// /// Gets the analysis schemes configured for a domain. An analysis scheme defines language-specific text processing options for a text field. Can be limited to specific analysis schemes by name. By default, shows all analysis schemes and includes any pending changes to the configuration. Set the Deployed option to true to show the active configuration and exclude pending changes. For more information, see [Configuring Analysis Schemes](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-analysis-schemes.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DescribeAnalysisSchemesInput : Container for the parameters to the [DescribeAnalysisSchemes] operation. Specifies the name of the domain you want to describe. To limit the response to particular analysis schemes, specify the names of the analysis schemes you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. + /// - Parameter input: Container for the parameters to the [DescribeAnalysisSchemes] operation. Specifies the name of the domain you want to describe. To limit the response to particular analysis schemes, specify the names of the analysis schemes you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. (Type: `DescribeAnalysisSchemesInput`) /// - /// - Returns: `DescribeAnalysisSchemesOutput` : The result of a DescribeAnalysisSchemes request. Contains the analysis schemes configured for the domain specified in the request. + /// - Returns: The result of a DescribeAnalysisSchemes request. Contains the analysis schemes configured for the domain specified in the request. (Type: `DescribeAnalysisSchemesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1200,7 +1188,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAnalysisSchemesOutput.httpOutput(from:), DescribeAnalysisSchemesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1234,9 +1221,9 @@ extension CloudSearchClient { /// /// Gets the availability options configured for a domain. By default, shows the configuration with any pending changes. Set the Deployed option to true to show the active configuration and exclude pending changes. For more information, see [Configuring Availability Options](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-availability-options.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DescribeAvailabilityOptionsInput : Container for the parameters to the [DescribeAvailabilityOptions] operation. Specifies the name of the domain you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. + /// - Parameter input: Container for the parameters to the [DescribeAvailabilityOptions] operation. Specifies the name of the domain you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. (Type: `DescribeAvailabilityOptionsInput`) /// - /// - Returns: `DescribeAvailabilityOptionsOutput` : The result of a DescribeAvailabilityOptions request. Indicates whether or not the Multi-AZ option is enabled for the domain specified in the request. + /// - Returns: The result of a DescribeAvailabilityOptions request. Indicates whether or not the Multi-AZ option is enabled for the domain specified in the request. (Type: `DescribeAvailabilityOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1273,7 +1260,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAvailabilityOptionsOutput.httpOutput(from:), DescribeAvailabilityOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1307,9 +1293,9 @@ extension CloudSearchClient { /// /// Returns the domain's endpoint options, specifically whether all requests to the domain must arrive over HTTPS. For more information, see [Configuring Domain Endpoint Options](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-domain-endpoint-options.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DescribeDomainEndpointOptionsInput : Container for the parameters to the [DescribeDomainEndpointOptions] operation. Specify the name of the domain you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. + /// - Parameter input: Container for the parameters to the [DescribeDomainEndpointOptions] operation. Specify the name of the domain you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. (Type: `DescribeDomainEndpointOptionsInput`) /// - /// - Returns: `DescribeDomainEndpointOptionsOutput` : The result of a DescribeDomainEndpointOptions request. Contains the status and configuration of a search domain's endpoint options. + /// - Returns: The result of a DescribeDomainEndpointOptions request. Contains the status and configuration of a search domain's endpoint options. (Type: `DescribeDomainEndpointOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1345,7 +1331,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainEndpointOptionsOutput.httpOutput(from:), DescribeDomainEndpointOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1379,9 +1364,9 @@ extension CloudSearchClient { /// /// Gets information about the search domains owned by this account. Can be limited to specific domains. Shows all domains by default. To get the number of searchable documents in a domain, use the console or submit a matchall request to your domain's search endpoint: q=matchall&q.parser=structured&size=0. For more information, see [Getting Information about a Search Domain](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/getting-domain-info.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DescribeDomainsInput : Container for the parameters to the [DescribeDomains] operation. By default shows the status of all domains. To restrict the response to particular domains, specify the names of the domains you want to describe. + /// - Parameter input: Container for the parameters to the [DescribeDomains] operation. By default shows the status of all domains. To restrict the response to particular domains, specify the names of the domains you want to describe. (Type: `DescribeDomainsInput`) /// - /// - Returns: `DescribeDomainsOutput` : The result of a DescribeDomains request. Contains the status of the domains specified in the request or all domains owned by the account. + /// - Returns: The result of a DescribeDomains request. Contains the status of the domains specified in the request or all domains owned by the account. (Type: `DescribeDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1414,7 +1399,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainsOutput.httpOutput(from:), DescribeDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1448,9 +1432,9 @@ extension CloudSearchClient { /// /// Gets the expressions configured for the search domain. Can be limited to specific expressions by name. By default, shows all expressions and includes any pending changes to the configuration. Set the Deployed option to true to show the active configuration and exclude pending changes. For more information, see [Configuring Expressions](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-expressions.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DescribeExpressionsInput : Container for the parameters to the [DescribeDomains] operation. Specifies the name of the domain you want to describe. To restrict the response to particular expressions, specify the names of the expressions you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. + /// - Parameter input: Container for the parameters to the [DescribeDomains] operation. Specifies the name of the domain you want to describe. To restrict the response to particular expressions, specify the names of the expressions you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. (Type: `DescribeExpressionsInput`) /// - /// - Returns: `DescribeExpressionsOutput` : The result of a DescribeExpressions request. Contains the expressions configured for the domain specified in the request. + /// - Returns: The result of a DescribeExpressions request. Contains the expressions configured for the domain specified in the request. (Type: `DescribeExpressionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1484,7 +1468,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExpressionsOutput.httpOutput(from:), DescribeExpressionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1518,9 +1501,9 @@ extension CloudSearchClient { /// /// Gets information about the index fields configured for the search domain. Can be limited to specific fields by name. By default, shows all fields and includes any pending changes to the configuration. Set the Deployed option to true to show the active configuration and exclude pending changes. For more information, see [Getting Domain Information](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/getting-domain-info.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DescribeIndexFieldsInput : Container for the parameters to the [DescribeIndexFields] operation. Specifies the name of the domain you want to describe. To restrict the response to particular index fields, specify the names of the index fields you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. + /// - Parameter input: Container for the parameters to the [DescribeIndexFields] operation. Specifies the name of the domain you want to describe. To restrict the response to particular index fields, specify the names of the index fields you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. (Type: `DescribeIndexFieldsInput`) /// - /// - Returns: `DescribeIndexFieldsOutput` : The result of a DescribeIndexFields request. Contains the index fields configured for the domain specified in the request. + /// - Returns: The result of a DescribeIndexFields request. Contains the index fields configured for the domain specified in the request. (Type: `DescribeIndexFieldsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1554,7 +1537,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIndexFieldsOutput.httpOutput(from:), DescribeIndexFieldsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1588,9 +1570,9 @@ extension CloudSearchClient { /// /// Gets the scaling parameters configured for a domain. A domain's scaling parameters specify the desired search instance type and replication count. For more information, see [Configuring Scaling Options](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-scaling-options.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DescribeScalingParametersInput : Container for the parameters to the [DescribeScalingParameters] operation. Specifies the name of the domain you want to describe. + /// - Parameter input: Container for the parameters to the [DescribeScalingParameters] operation. Specifies the name of the domain you want to describe. (Type: `DescribeScalingParametersInput`) /// - /// - Returns: `DescribeScalingParametersOutput` : The result of a DescribeScalingParameters request. Contains the scaling parameters configured for the domain specified in the request. + /// - Returns: The result of a DescribeScalingParameters request. Contains the scaling parameters configured for the domain specified in the request. (Type: `DescribeScalingParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1624,7 +1606,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScalingParametersOutput.httpOutput(from:), DescribeScalingParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1658,9 +1639,9 @@ extension CloudSearchClient { /// /// Gets information about the access policies that control access to the domain's document and search endpoints. By default, shows the configuration with any pending changes. Set the Deployed option to true to show the active configuration and exclude pending changes. For more information, see [Configuring Access for a Search Domain](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-access.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DescribeServiceAccessPoliciesInput : Container for the parameters to the [DescribeServiceAccessPolicies] operation. Specifies the name of the domain you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. + /// - Parameter input: Container for the parameters to the [DescribeServiceAccessPolicies] operation. Specifies the name of the domain you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. (Type: `DescribeServiceAccessPoliciesInput`) /// - /// - Returns: `DescribeServiceAccessPoliciesOutput` : The result of a DescribeServiceAccessPolicies request. + /// - Returns: The result of a DescribeServiceAccessPolicies request. (Type: `DescribeServiceAccessPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1694,7 +1675,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceAccessPoliciesOutput.httpOutput(from:), DescribeServiceAccessPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1728,9 +1708,9 @@ extension CloudSearchClient { /// /// Gets the suggesters configured for a domain. A suggester enables you to display possible matches before users finish typing their queries. Can be limited to specific suggesters by name. By default, shows all suggesters and includes any pending changes to the configuration. Set the Deployed option to true to show the active configuration and exclude pending changes. For more information, see [Getting Search Suggestions](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/getting-suggestions.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter DescribeSuggestersInput : Container for the parameters to the [DescribeSuggester] operation. Specifies the name of the domain you want to describe. To restrict the response to particular suggesters, specify the names of the suggesters you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. + /// - Parameter input: Container for the parameters to the [DescribeSuggester] operation. Specifies the name of the domain you want to describe. To restrict the response to particular suggesters, specify the names of the suggesters you want to describe. To show the active configuration and exclude any pending changes, set the Deployed option to true. (Type: `DescribeSuggestersInput`) /// - /// - Returns: `DescribeSuggestersOutput` : The result of a DescribeSuggesters request. + /// - Returns: The result of a DescribeSuggesters request. (Type: `DescribeSuggestersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1764,7 +1744,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSuggestersOutput.httpOutput(from:), DescribeSuggestersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1798,9 +1777,9 @@ extension CloudSearchClient { /// /// Tells the search domain to start indexing its documents using the latest indexing options. This operation must be invoked to activate options whose [OptionStatus] is RequiresIndexDocuments. /// - /// - Parameter IndexDocumentsInput : Container for the parameters to the [IndexDocuments] operation. Specifies the name of the domain you want to re-index. + /// - Parameter input: Container for the parameters to the [IndexDocuments] operation. Specifies the name of the domain you want to re-index. (Type: `IndexDocumentsInput`) /// - /// - Returns: `IndexDocumentsOutput` : The result of an IndexDocuments request. Contains the status of the indexing operation, including the fields being indexed. + /// - Returns: The result of an IndexDocuments request. Contains the status of the indexing operation, including the fields being indexed. (Type: `IndexDocumentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1835,7 +1814,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IndexDocumentsOutput.httpOutput(from:), IndexDocumentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1869,9 +1847,9 @@ extension CloudSearchClient { /// /// Lists all search domains owned by an account. /// - /// - Parameter ListDomainNamesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainNamesInput`) /// - /// - Returns: `ListDomainNamesOutput` : The result of a ListDomainNames request. Contains a list of the domains owned by an account. + /// - Returns: The result of a ListDomainNames request. Contains a list of the domains owned by an account. (Type: `ListDomainNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1903,7 +1881,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainNamesOutput.httpOutput(from:), ListDomainNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1937,9 +1914,9 @@ extension CloudSearchClient { /// /// Configures the availability options for a domain. Enabling the Multi-AZ option expands an Amazon CloudSearch domain to an additional Availability Zone in the same Region to increase fault tolerance in the event of a service disruption. Changes to the Multi-AZ option can take about half an hour to become active. For more information, see [Configuring Availability Options](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-availability-options.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter UpdateAvailabilityOptionsInput : Container for the parameters to the [UpdateAvailabilityOptions] operation. Specifies the name of the domain you want to update and the Multi-AZ availability option. + /// - Parameter input: Container for the parameters to the [UpdateAvailabilityOptions] operation. Specifies the name of the domain you want to update and the Multi-AZ availability option. (Type: `UpdateAvailabilityOptionsInput`) /// - /// - Returns: `UpdateAvailabilityOptionsOutput` : The result of a UpdateAvailabilityOptions request. Contains the status of the domain's availability options. + /// - Returns: The result of a UpdateAvailabilityOptions request. Contains the status of the domain's availability options. (Type: `UpdateAvailabilityOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1977,7 +1954,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAvailabilityOptionsOutput.httpOutput(from:), UpdateAvailabilityOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2011,9 +1987,9 @@ extension CloudSearchClient { /// /// Updates the domain's endpoint options, specifically whether all requests to the domain must arrive over HTTPS. For more information, see [Configuring Domain Endpoint Options](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-domain-endpoint-options.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter UpdateDomainEndpointOptionsInput : Container for the parameters to the [UpdateDomainEndpointOptions] operation. Specifies the name of the domain you want to update and the domain endpoint options. + /// - Parameter input: Container for the parameters to the [UpdateDomainEndpointOptions] operation. Specifies the name of the domain you want to update and the domain endpoint options. (Type: `UpdateDomainEndpointOptionsInput`) /// - /// - Returns: `UpdateDomainEndpointOptionsOutput` : The result of a UpdateDomainEndpointOptions request. Contains the configuration and status of the domain's endpoint options. + /// - Returns: The result of a UpdateDomainEndpointOptions request. Contains the configuration and status of the domain's endpoint options. (Type: `UpdateDomainEndpointOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2051,7 +2027,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainEndpointOptionsOutput.httpOutput(from:), UpdateDomainEndpointOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2085,9 +2060,9 @@ extension CloudSearchClient { /// /// Configures scaling parameters for a domain. A domain's scaling parameters specify the desired search instance type and replication count. Amazon CloudSearch will still automatically scale your domain based on the volume of data and traffic, but not below the desired instance type and replication count. If the Multi-AZ option is enabled, these values control the resources used per Availability Zone. For more information, see [Configuring Scaling Options](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-scaling-options.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter UpdateScalingParametersInput : Container for the parameters to the [UpdateScalingParameters] operation. Specifies the name of the domain you want to update and the scaling parameters you want to configure. + /// - Parameter input: Container for the parameters to the [UpdateScalingParameters] operation. Specifies the name of the domain you want to update and the scaling parameters you want to configure. (Type: `UpdateScalingParametersInput`) /// - /// - Returns: `UpdateScalingParametersOutput` : The result of a UpdateScalingParameters request. Contains the status of the newly-configured scaling parameters. + /// - Returns: The result of a UpdateScalingParameters request. Contains the status of the newly-configured scaling parameters. (Type: `UpdateScalingParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2124,7 +2099,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScalingParametersOutput.httpOutput(from:), UpdateScalingParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2158,9 +2132,9 @@ extension CloudSearchClient { /// /// Configures the access rules that control access to the domain's document and search endpoints. For more information, see [ Configuring Access for an Amazon CloudSearch Domain](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/configuring-access.html). /// - /// - Parameter UpdateServiceAccessPoliciesInput : Container for the parameters to the [UpdateServiceAccessPolicies] operation. Specifies the name of the domain you want to update and the access rules you want to configure. + /// - Parameter input: Container for the parameters to the [UpdateServiceAccessPolicies] operation. Specifies the name of the domain you want to update and the access rules you want to configure. (Type: `UpdateServiceAccessPoliciesInput`) /// - /// - Returns: `UpdateServiceAccessPoliciesOutput` : The result of an UpdateServiceAccessPolicies request. Contains the new access policies. + /// - Returns: The result of an UpdateServiceAccessPolicies request. Contains the new access policies. (Type: `UpdateServiceAccessPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2197,7 +2171,6 @@ extension CloudSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceAccessPoliciesOutput.httpOutput(from:), UpdateServiceAccessPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudSearchDomain/Sources/AWSCloudSearchDomain/CloudSearchDomainClient.swift b/Sources/Services/AWSCloudSearchDomain/Sources/AWSCloudSearchDomain/CloudSearchDomainClient.swift index 94eb1ad8b3d..942f5d6e559 100644 --- a/Sources/Services/AWSCloudSearchDomain/Sources/AWSCloudSearchDomain/CloudSearchDomainClient.swift +++ b/Sources/Services/AWSCloudSearchDomain/Sources/AWSCloudSearchDomain/CloudSearchDomainClient.swift @@ -21,7 +21,6 @@ import class Smithy.Context import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudSearchDomainClient: ClientRuntime.Client { public static let clientName = "CloudSearchDomainClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudSearchDomainClient.CloudSearchDomainClientConfiguration let serviceName = "CloudSearch Domain" @@ -385,9 +384,9 @@ extension CloudSearchDomainClient { /// /// For more information, see [Searching Your Data](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/searching.html) in the Amazon CloudSearch Developer Guide. The endpoint for submitting Search requests is domain-specific. You submit search requests to a domain's search endpoint. To get the search endpoint for your domain, use the Amazon CloudSearch configuration service DescribeDomains action. A domain's endpoints are also displayed on the domain dashboard in the Amazon CloudSearch console. /// - /// - Parameter SearchInput : Container for the parameters to the Search request. + /// - Parameter input: Container for the parameters to the Search request. (Type: `SearchInput`) /// - /// - Returns: `SearchOutput` : The result of a Search request. Contains the documents that match the specified search criteria and any requested fields, highlights, and facet information. + /// - Returns: The result of a Search request. Contains the documents that match the specified search criteria and any requested fields, highlights, and facet information. (Type: `SearchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension CloudSearchDomainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(SearchInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchOutput.httpOutput(from:), SearchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension CloudSearchDomainClient { /// /// Retrieves autocomplete suggestions for a partial query string. You can use suggestions enable you to display likely matches before users finish typing. In Amazon CloudSearch, suggestions are based on the contents of a particular text field. When you request suggestions, Amazon CloudSearch finds all of the documents whose values in the suggester field start with the specified query string. The beginning of the field must match the query string to be considered a match. For more information about configuring suggesters and retrieving suggestions, see [Getting Suggestions](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/getting-suggestions.html) in the Amazon CloudSearch Developer Guide. The endpoint for submitting Suggest requests is domain-specific. You submit suggest requests to a domain's search endpoint. To get the search endpoint for your domain, use the Amazon CloudSearch configuration service DescribeDomains action. A domain's endpoints are also displayed on the domain dashboard in the Amazon CloudSearch console. /// - /// - Parameter SuggestInput : Container for the parameters to the Suggest request. + /// - Parameter input: Container for the parameters to the Suggest request. (Type: `SuggestInput`) /// - /// - Returns: `SuggestOutput` : Contains the response to a Suggest request. + /// - Returns: Contains the response to a Suggest request. (Type: `SuggestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension CloudSearchDomainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(SuggestInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(SuggestOutput.httpOutput(from:), SuggestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension CloudSearchDomainClient { /// /// Posts a batch of documents to a search domain for indexing. A document batch is a collection of add and delete operations that represent the documents you want to add, update, or delete from your domain. Batches can be described in either JSON or XML. Each item that you want Amazon CloudSearch to return as a search result (such as a product) is represented as a document. Every document has a unique ID and one or more fields that contain the data that you want to search and return in results. Individual documents cannot contain more than 1 MB of data. The entire batch cannot exceed 5 MB. To get the best possible upload performance, group add and delete operations in batches that are close the 5 MB limit. Submitting a large volume of single-document batches can overload a domain's document service. The endpoint for submitting UploadDocuments requests is domain-specific. To get the document endpoint for your domain, use the Amazon CloudSearch configuration service DescribeDomains action. A domain's endpoints are also displayed on the domain dashboard in the Amazon CloudSearch console. For more information about formatting your data for Amazon CloudSearch, see [Preparing Your Data](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/preparing-data.html) in the Amazon CloudSearch Developer Guide. For more information about uploading data for indexing, see [Uploading Data](http://docs.aws.amazon.com/cloudsearch/latest/developerguide/uploading-data.html) in the Amazon CloudSearch Developer Guide. /// - /// - Parameter UploadDocumentsInput : Container for the parameters to the UploadDocuments request. + /// - Parameter input: Container for the parameters to the UploadDocuments request. (Type: `UploadDocumentsInput`) /// - /// - Returns: `UploadDocumentsOutput` : Contains the response to an UploadDocuments request. + /// - Returns: Contains the response to an UploadDocuments request. (Type: `UploadDocumentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension CloudSearchDomainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadDocumentsOutput.httpOutput(from:), UploadDocumentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudTrail/Sources/AWSCloudTrail/CloudTrailClient.swift b/Sources/Services/AWSCloudTrail/Sources/AWSCloudTrail/CloudTrailClient.swift index 362115cf80a..cba7eac8736 100644 --- a/Sources/Services/AWSCloudTrail/Sources/AWSCloudTrail/CloudTrailClient.swift +++ b/Sources/Services/AWSCloudTrail/Sources/AWSCloudTrail/CloudTrailClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudTrailClient: ClientRuntime.Client { public static let clientName = "CloudTrailClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudTrailClient.CloudTrailClientConfiguration let serviceName = "CloudTrail" @@ -374,9 +373,9 @@ extension CloudTrailClient { /// /// Adds one or more tags to a trail, event data store, dashboard, or channel, up to a limit of 50. Overwrites an existing tag's value when a new value is specified for an existing tag key. Tag key names must be unique; you cannot have two keys with the same name but different values. If you specify a key without a value, the tag will be created with the specified key and a value of null. You can tag a trail or event data store that applies to all Amazon Web Services Regions only from the Region in which the trail or event data store was created (also known as its home Region). /// - /// - Parameter AddTagsInput : Specifies the tags to add to a trail, event data store, dashboard, or channel. + /// - Parameter input: Specifies the tags to add to a trail, event data store, dashboard, or channel. (Type: `AddTagsInput`) /// - /// - Returns: `AddTagsOutput` : Returns the objects or data if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data if successful. Otherwise, returns an error. (Type: `AddTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -433,7 +432,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsOutput.httpOutput(from:), AddTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -468,9 +466,9 @@ extension CloudTrailClient { /// /// Cancels a query if the query is not in a terminated state, such as CANCELLED, FAILED, TIMED_OUT, or FINISHED. You must specify an ARN value for EventDataStore. The ID of the query that you want to cancel is also required. When you run CancelQuery, the query status might show as CANCELLED even if the operation is not yet finished. /// - /// - Parameter CancelQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelQueryInput`) /// - /// - Returns: `CancelQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -511,7 +509,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelQueryOutput.httpOutput(from:), CancelQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -546,9 +543,9 @@ extension CloudTrailClient { /// /// Creates a channel for CloudTrail to ingest events from a partner or external source. After you create a channel, a CloudTrail Lake event data store can log events from the partner or source that you specify. /// - /// - Parameter CreateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelInput`) /// - /// - Returns: `CreateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -591,7 +588,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelOutput.httpOutput(from:), CreateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -633,9 +629,9 @@ extension CloudTrailClient { /// /// CloudTrail runs queries to populate the dashboard's widgets during a manual or scheduled refresh. CloudTrail must be granted permissions to run the StartQuery operation on your behalf. To provide permissions, run the PutResourcePolicy operation to attach a resource-based policy to each event data store. For more information, see [Example: Allow CloudTrail to run queries to populate a dashboard](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/security_iam_resource-based-policy-examples.html#security_iam_resource-based-policy-examples-eds-dashboard) in the CloudTrail User Guide. To set a refresh schedule, CloudTrail must be granted permissions to run the StartDashboardRefresh operation to refresh the dashboard on your behalf. To provide permissions, run the PutResourcePolicy operation to attach a resource-based policy to the dashboard. For more information, see [ Resource-based policy example for a dashboard](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/security_iam_resource-based-policy-examples.html#security_iam_resource-based-policy-examples-dashboards) in the CloudTrail User Guide. For more information about dashboards, see [CloudTrail Lake dashboards](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/lake-dashboard.html) in the CloudTrail User Guide. /// - /// - Parameter CreateDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDashboardInput`) /// - /// - Returns: `CreateDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -674,7 +670,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDashboardOutput.httpOutput(from:), CreateDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -709,9 +704,9 @@ extension CloudTrailClient { /// /// Creates a new event data store. /// - /// - Parameter CreateEventDataStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventDataStoreInput`) /// - /// - Returns: `CreateEventDataStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventDataStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -768,7 +763,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventDataStoreOutput.httpOutput(from:), CreateEventDataStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +797,9 @@ extension CloudTrailClient { /// /// Creates a trail that specifies the settings for delivery of log data to an Amazon S3 bucket. /// - /// - Parameter CreateTrailInput : Specifies the settings for each trail. + /// - Parameter input: Specifies the settings for each trail. (Type: `CreateTrailInput`) /// - /// - Returns: `CreateTrailOutput` : Returns the objects or data listed below if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data listed below if successful. Otherwise, returns an error. (Type: `CreateTrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -879,7 +873,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrailOutput.httpOutput(from:), CreateTrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -914,9 +907,9 @@ extension CloudTrailClient { /// /// Deletes a channel. /// - /// - Parameter DeleteChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelInput`) /// - /// - Returns: `DeleteChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -951,7 +944,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelOutput.httpOutput(from:), DeleteChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -986,9 +978,9 @@ extension CloudTrailClient { /// /// Deletes the specified dashboard. You cannot delete a dashboard that has termination protection enabled. /// - /// - Parameter DeleteDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDashboardInput`) /// - /// - Returns: `DeleteDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1022,7 +1014,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDashboardOutput.httpOutput(from:), DeleteDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1057,9 +1048,9 @@ extension CloudTrailClient { /// /// Disables the event data store specified by EventDataStore, which accepts an event data store ARN. After you run DeleteEventDataStore, the event data store enters a PENDING_DELETION state, and is automatically deleted after a wait period of seven days. TerminationProtectionEnabled must be set to False on the event data store and the FederationStatus must be DISABLED. You cannot delete an event data store if TerminationProtectionEnabled is True or the FederationStatus is ENABLED. After you run DeleteEventDataStore on an event data store, you cannot run ListQueries, DescribeQuery, or GetQueryResults on queries that are using an event data store in a PENDING_DELETION state. An event data store in the PENDING_DELETION state does not incur costs. /// - /// - Parameter DeleteEventDataStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventDataStoreInput`) /// - /// - Returns: `DeleteEventDataStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventDataStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1104,7 +1095,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventDataStoreOutput.httpOutput(from:), DeleteEventDataStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1139,9 +1129,9 @@ extension CloudTrailClient { /// /// Deletes the resource-based policy attached to the CloudTrail event data store, dashboard, or channel. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1179,7 +1169,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1214,9 +1203,9 @@ extension CloudTrailClient { /// /// Deletes a trail. This operation must be called from the Region in which the trail was created. DeleteTrail cannot be called on the shadow trails (replicated trails in other Regions) of a trail that is enabled in all Regions. /// - /// - Parameter DeleteTrailInput : The request that specifies the name of a trail to delete. + /// - Parameter input: The request that specifies the name of a trail to delete. (Type: `DeleteTrailInput`) /// - /// - Returns: `DeleteTrailOutput` : Returns the objects or data listed below if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data listed below if successful. Otherwise, returns an error. (Type: `DeleteTrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1268,7 +1257,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrailOutput.httpOutput(from:), DeleteTrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1303,9 +1291,9 @@ extension CloudTrailClient { /// /// Removes CloudTrail delegated administrator permissions from a member account in an organization. /// - /// - Parameter DeregisterOrganizationDelegatedAdminInput : Removes CloudTrail delegated administrator permissions from a specified member account in an organization that is currently designated as a delegated administrator. + /// - Parameter input: Removes CloudTrail delegated administrator permissions from a specified member account in an organization that is currently designated as a delegated administrator. (Type: `DeregisterOrganizationDelegatedAdminInput`) /// - /// - Returns: `DeregisterOrganizationDelegatedAdminOutput` : Returns the following response if successful. Otherwise, returns an error. + /// - Returns: Returns the following response if successful. Otherwise, returns an error. (Type: `DeregisterOrganizationDelegatedAdminOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1347,7 +1335,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterOrganizationDelegatedAdminOutput.httpOutput(from:), DeregisterOrganizationDelegatedAdminOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1382,9 +1369,9 @@ extension CloudTrailClient { /// /// Returns metadata about a query, including query run time in milliseconds, number of events scanned and matched, and query status. If the query results were delivered to an S3 bucket, the response also provides the S3 URI and the delivery status. You must specify either QueryId or QueryAlias. Specifying the QueryAlias parameter returns information about the last query run for the alias. You can provide RefreshId along with QueryAlias to view the query results of a dashboard query for the specified RefreshId. /// - /// - Parameter DescribeQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQueryInput`) /// - /// - Returns: `DescribeQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1423,7 +1410,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQueryOutput.httpOutput(from:), DescribeQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1458,9 +1444,9 @@ extension CloudTrailClient { /// /// Retrieves settings for one or more trails associated with the current Region for your account. /// - /// - Parameter DescribeTrailsInput : Returns information about the trail. + /// - Parameter input: Returns information about the trail. (Type: `DescribeTrailsInput`) /// - /// - Returns: `DescribeTrailsOutput` : Returns the objects or data listed below if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data listed below if successful. Otherwise, returns an error. (Type: `DescribeTrailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1506,7 +1492,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrailsOutput.httpOutput(from:), DescribeTrailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1541,9 +1526,9 @@ extension CloudTrailClient { /// /// Disables Lake query federation on the specified event data store. When you disable federation, CloudTrail disables the integration with Glue, Lake Formation, and Amazon Athena. After disabling Lake query federation, you can no longer query your event data in Amazon Athena. No CloudTrail Lake data is deleted when you disable federation and you can continue to run queries in CloudTrail Lake. /// - /// - Parameter DisableFederationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableFederationInput`) /// - /// - Returns: `DisableFederationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableFederationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1588,7 +1573,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableFederationOutput.httpOutput(from:), DisableFederationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1623,9 +1607,9 @@ extension CloudTrailClient { /// /// Enables Lake query federation on the specified event data store. Federating an event data store lets you view the metadata associated with the event data store in the Glue [Data Catalog](https://docs.aws.amazon.com/glue/latest/dg/components-overview.html#data-catalog-intro) and run SQL queries against your event data using Amazon Athena. The table metadata stored in the Glue Data Catalog lets the Athena query engine know how to find, read, and process the data that you want to query. When you enable Lake query federation, CloudTrail creates a managed database named aws:cloudtrail (if the database doesn't already exist) and a managed federated table in the Glue Data Catalog. The event data store ID is used for the table name. CloudTrail registers the role ARN and event data store in [Lake Formation](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/query-federation-lake-formation.html), the service responsible for allowing fine-grained access control of the federated resources in the Glue Data Catalog. For more information about Lake query federation, see [Federate an event data store](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/query-federation.html). /// - /// - Parameter EnableFederationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableFederationInput`) /// - /// - Returns: `EnableFederationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableFederationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1671,7 +1655,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableFederationOutput.httpOutput(from:), EnableFederationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1706,9 +1689,9 @@ extension CloudTrailClient { /// /// Generates a query from a natural language prompt. This operation uses generative artificial intelligence (generative AI) to produce a ready-to-use SQL query from the prompt. The prompt can be a question or a statement about the event data in your event data store. For example, you can enter prompts like "What are my top errors in the past month?" and “Give me a list of users that used SNS.” The prompt must be in English. For information about limitations, permissions, and supported Regions, see [Create CloudTrail Lake queries from natural language prompts](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/lake-query-generator.html) in the CloudTrail user guide. Do not include any personally identifying, confidential, or sensitive information in your prompts. This feature uses generative AI large language models (LLMs); we recommend double-checking the LLM response. /// - /// - Parameter GenerateQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateQueryInput`) /// - /// - Returns: `GenerateQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1747,7 +1730,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateQueryOutput.httpOutput(from:), GenerateQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1782,9 +1764,9 @@ extension CloudTrailClient { /// /// Returns information about a specific channel. /// - /// - Parameter GetChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelInput`) /// - /// - Returns: `GetChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1819,7 +1801,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelOutput.httpOutput(from:), GetChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1854,9 +1835,9 @@ extension CloudTrailClient { /// /// Returns the specified dashboard. /// - /// - Parameter GetDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDashboardInput`) /// - /// - Returns: `GetDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1889,7 +1870,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDashboardOutput.httpOutput(from:), GetDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1924,9 +1904,9 @@ extension CloudTrailClient { /// /// Retrieves the current event configuration settings for the specified event data store, including details about maximum event size and context key selectors configured for the event data store. /// - /// - Parameter GetEventConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventConfigurationInput`) /// - /// - Returns: `GetEventConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1967,7 +1947,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventConfigurationOutput.httpOutput(from:), GetEventConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2002,9 +1981,9 @@ extension CloudTrailClient { /// /// Returns information about an event data store specified as either an ARN or the ID portion of the ARN. /// - /// - Parameter GetEventDataStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventDataStoreInput`) /// - /// - Returns: `GetEventDataStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventDataStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2041,7 +2020,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventDataStoreOutput.httpOutput(from:), GetEventDataStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2093,9 +2071,9 @@ extension CloudTrailClient { /// /// * [Logging network activity events](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/logging-network-events-with-cloudtrail.html) /// - /// - Parameter GetEventSelectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventSelectorsInput`) /// - /// - Returns: `GetEventSelectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventSelectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2142,7 +2120,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventSelectorsOutput.httpOutput(from:), GetEventSelectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2177,9 +2154,9 @@ extension CloudTrailClient { /// /// Returns information about a specific import. /// - /// - Parameter GetImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImportInput`) /// - /// - Returns: `GetImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2214,7 +2191,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImportOutput.httpOutput(from:), GetImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2249,9 +2225,9 @@ extension CloudTrailClient { /// /// Describes the settings for the Insights event selectors that you configured for your trail or event data store. GetInsightSelectors shows if CloudTrail Insights event logging is enabled on the trail or event data store, and if it is, which Insights types are enabled. If you run GetInsightSelectors on a trail or event data store that does not have Insights events enabled, the operation throws the exception InsightNotEnabledException Specify either the EventDataStore parameter to get Insights event selectors for an event data store, or the TrailName parameter to the get Insights event selectors for a trail. You cannot specify these parameters together. For more information, see [Working with CloudTrail Insights](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/logging-insights-events-with-cloudtrail.html) in the CloudTrail User Guide. /// - /// - Parameter GetInsightSelectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInsightSelectorsInput`) /// - /// - Returns: `GetInsightSelectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInsightSelectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2302,7 +2278,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInsightSelectorsOutput.httpOutput(from:), GetInsightSelectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2337,9 +2312,9 @@ extension CloudTrailClient { /// /// Gets event data results of a query. You must specify the QueryID value returned by the StartQuery operation. /// - /// - Parameter GetQueryResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryResultsInput`) /// - /// - Returns: `GetQueryResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2381,7 +2356,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryResultsOutput.httpOutput(from:), GetQueryResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2416,9 +2390,9 @@ extension CloudTrailClient { /// /// Retrieves the JSON text of the resource-based policy document attached to the CloudTrail event data store, dashboard, or channel. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2455,7 +2429,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2490,9 +2463,9 @@ extension CloudTrailClient { /// /// Returns settings information for a specified trail. /// - /// - Parameter GetTrailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrailInput`) /// - /// - Returns: `GetTrailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2538,7 +2511,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrailOutput.httpOutput(from:), GetTrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2573,9 +2545,9 @@ extension CloudTrailClient { /// /// Returns a JSON-formatted list of information about the specified trail. Fields include information on delivery errors, Amazon SNS and Amazon S3 errors, and start and stop logging times for each trail. This operation returns trail status from a single Region. To return trail status from all Regions, you must call the operation on each Region. /// - /// - Parameter GetTrailStatusInput : The name of a trail about which you want the current status. + /// - Parameter input: The name of a trail about which you want the current status. (Type: `GetTrailStatusInput`) /// - /// - Returns: `GetTrailStatusOutput` : Returns the objects or data listed below if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data listed below if successful. Otherwise, returns an error. (Type: `GetTrailStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2621,7 +2593,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrailStatusOutput.httpOutput(from:), GetTrailStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2656,9 +2627,9 @@ extension CloudTrailClient { /// /// Lists the channels in the current account, and their source names. /// - /// - Parameter ListChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsInput`) /// - /// - Returns: `ListChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2692,7 +2663,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsOutput.httpOutput(from:), ListChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2727,9 +2697,9 @@ extension CloudTrailClient { /// /// Returns information about all dashboards in the account, in the current Region. /// - /// - Parameter ListDashboardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDashboardsInput`) /// - /// - Returns: `ListDashboardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDashboardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2761,7 +2731,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDashboardsOutput.httpOutput(from:), ListDashboardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2796,9 +2765,9 @@ extension CloudTrailClient { /// /// Returns information about all event data stores in the account, in the current Region. /// - /// - Parameter ListEventDataStoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventDataStoresInput`) /// - /// - Returns: `ListEventDataStoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventDataStoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2834,7 +2803,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventDataStoresOutput.httpOutput(from:), ListEventDataStoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2869,9 +2837,9 @@ extension CloudTrailClient { /// /// Returns a list of failures for the specified import. /// - /// - Parameter ListImportFailuresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImportFailuresInput`) /// - /// - Returns: `ListImportFailuresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImportFailuresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2906,7 +2874,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportFailuresOutput.httpOutput(from:), ListImportFailuresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2941,9 +2908,9 @@ extension CloudTrailClient { /// /// Returns information on all imports, or a select set of imports by ImportStatus or Destination. /// - /// - Parameter ListImportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImportsInput`) /// - /// - Returns: `ListImportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2979,7 +2946,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportsOutput.httpOutput(from:), ListImportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3023,9 +2989,9 @@ extension CloudTrailClient { /// /// Access to the ListInsightsMetricData API operation is linked to the cloudtrail:LookupEvents action. To use this operation, you must have permissions to perform the cloudtrail:LookupEvents action. /// - /// - Parameter ListInsightsMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInsightsMetricDataInput`) /// - /// - Returns: `ListInsightsMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInsightsMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3059,7 +3025,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInsightsMetricDataOutput.httpOutput(from:), ListInsightsMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3094,9 +3059,9 @@ extension CloudTrailClient { /// /// Returns all public keys whose private keys were used to sign the digest files within the specified time range. The public key is needed to validate digest files that were signed with its corresponding private key. CloudTrail uses different private and public key pairs per Region. Each digest file is signed with a private key unique to its Region. When you validate a digest file from a specific Region, you must look in the same Region for its corresponding public key. /// - /// - Parameter ListPublicKeysInput : Requests the public keys for a specified time range. + /// - Parameter input: Requests the public keys for a specified time range. (Type: `ListPublicKeysInput`) /// - /// - Returns: `ListPublicKeysOutput` : Returns the objects or data listed below if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data listed below if successful. Otherwise, returns an error. (Type: `ListPublicKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3131,7 +3096,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPublicKeysOutput.httpOutput(from:), ListPublicKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3166,9 +3130,9 @@ extension CloudTrailClient { /// /// Returns a list of queries and query statuses for the past seven days. You must specify an ARN value for EventDataStore. Optionally, to shorten the list of results, you can specify a time range, formatted as timestamps, by adding StartTime and EndTime parameters, and a QueryStatus value. Valid values for QueryStatus include QUEUED, RUNNING, FINISHED, FAILED, TIMED_OUT, or CANCELLED. /// - /// - Parameter ListQueriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueriesInput`) /// - /// - Returns: `ListQueriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3210,7 +3174,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueriesOutput.httpOutput(from:), ListQueriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3245,9 +3208,9 @@ extension CloudTrailClient { /// /// Lists the tags for the specified trails, event data stores, dashboards, or channels in the current Region. /// - /// - Parameter ListTagsInput : Specifies a list of tags to return. + /// - Parameter input: Specifies a list of tags to return. (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : Returns the objects or data listed below if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data listed below if successful. Otherwise, returns an error. (Type: `ListTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3300,7 +3263,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3335,9 +3297,9 @@ extension CloudTrailClient { /// /// Lists trails that are in the current account. /// - /// - Parameter ListTrailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrailsInput`) /// - /// - Returns: `ListTrailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3370,7 +3332,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrailsOutput.httpOutput(from:), ListTrailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3433,9 +3394,9 @@ extension CloudTrailClient { /// /// All attributes are optional. The default number of results returned is 50, with a maximum of 50 possible. The response includes a token that you can use to get the next page of results. The rate of lookup requests is limited to two per second, per account, per Region. If this limit is exceeded, a throttling error occurs. /// - /// - Parameter LookupEventsInput : Contains a request for LookupEvents. + /// - Parameter input: Contains a request for LookupEvents. (Type: `LookupEventsInput`) /// - /// - Returns: `LookupEventsOutput` : Contains a response to a LookupEvents action. + /// - Returns: Contains a response to a LookupEvents action. (Type: `LookupEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3473,7 +3434,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(LookupEventsOutput.httpOutput(from:), LookupEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3508,9 +3468,9 @@ extension CloudTrailClient { /// /// Updates the event configuration settings for the specified event data store. You can update the maximum event size and context key selectors. /// - /// - Parameter PutEventConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEventConfigurationInput`) /// - /// - Returns: `PutEventConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEventConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3557,7 +3517,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEventConfigurationOutput.httpOutput(from:), PutEventConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3614,9 +3573,9 @@ extension CloudTrailClient { /// /// The PutEventSelectors operation must be called from the Region in which the trail was created; otherwise, an InvalidHomeRegionException exception is thrown. You can configure up to five event selectors for each trail. You can add advanced event selectors, and conditions for your advanced event selectors, up to a maximum of 500 values for all conditions and selectors on a trail. For more information, see [Logging management events](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/logging-management-events-with-cloudtrail.html), [Logging data events](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/logging-data-events-with-cloudtrail.html), [Logging network activity events](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/logging-network-events-with-cloudtrail.html), and [Quotas in CloudTrail](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/WhatIsCloudTrail-Limits.html) in the CloudTrail User Guide. /// - /// - Parameter PutEventSelectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEventSelectorsInput`) /// - /// - Returns: `PutEventSelectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEventSelectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3677,7 +3636,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEventSelectorsOutput.httpOutput(from:), PutEventSelectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3712,9 +3670,9 @@ extension CloudTrailClient { /// /// Lets you enable Insights event logging by specifying the Insights selectors that you want to enable on an existing trail or event data store. You also use PutInsightSelectors to turn off Insights event logging, by passing an empty list of Insights types. The valid Insights event types are ApiErrorRateInsight and ApiCallRateInsight. To enable Insights on an event data store, you must specify the ARNs (or ID suffix of the ARNs) for the source event data store (EventDataStore) and the destination event data store (InsightsDestination). The source event data store logs management events and enables Insights. The destination event data store logs Insights events based upon the management event activity of the source event data store. The source and destination event data stores must belong to the same Amazon Web Services account. To log Insights events for a trail, you must specify the name (TrailName) of the CloudTrail trail for which you want to change or add Insights selectors. To log CloudTrail Insights events on API call volume, the trail or event data store must log write management events. To log CloudTrail Insights events on API error rate, the trail or event data store must log read or write management events. You can call GetEventSelectors on a trail to check whether the trail logs management events. You can call GetEventDataStore on an event data store to check whether the event data store logs management events. For more information, see [Working with CloudTrail Insights](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/logging-insights-events-with-cloudtrail.html) in the CloudTrail User Guide. /// - /// - Parameter PutInsightSelectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutInsightSelectorsInput`) /// - /// - Returns: `PutInsightSelectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutInsightSelectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3771,7 +3729,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutInsightSelectorsOutput.httpOutput(from:), PutInsightSelectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3806,9 +3763,9 @@ extension CloudTrailClient { /// /// Attaches a resource-based permission policy to a CloudTrail event data store, dashboard, or channel. For more information about resource-based policies, see [CloudTrail resource-based policy examples](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/security_iam_resource-based-policy-examples.html) in the CloudTrail User Guide. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3846,7 +3803,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3881,9 +3837,9 @@ extension CloudTrailClient { /// /// Registers an organization’s member account as the CloudTrail [delegated administrator](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/cloudtrail-delegated-administrator.html). /// - /// - Parameter RegisterOrganizationDelegatedAdminInput : Specifies an organization member account ID as a CloudTrail delegated administrator. + /// - Parameter input: Specifies an organization member account ID as a CloudTrail delegated administrator. (Type: `RegisterOrganizationDelegatedAdminInput`) /// - /// - Returns: `RegisterOrganizationDelegatedAdminOutput` : Returns the following response if successful. Otherwise, returns an error. + /// - Returns: Returns the following response if successful. Otherwise, returns an error. (Type: `RegisterOrganizationDelegatedAdminOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3928,7 +3884,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterOrganizationDelegatedAdminOutput.httpOutput(from:), RegisterOrganizationDelegatedAdminOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3963,9 +3918,9 @@ extension CloudTrailClient { /// /// Removes the specified tags from a trail, event data store, dashboard, or channel. /// - /// - Parameter RemoveTagsInput : Specifies the tags to remove from a trail, event data store, dashboard, or channel. + /// - Parameter input: Specifies the tags to remove from a trail, event data store, dashboard, or channel. (Type: `RemoveTagsInput`) /// - /// - Returns: `RemoveTagsOutput` : Returns the objects or data listed below if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data listed below if successful. Otherwise, returns an error. (Type: `RemoveTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4021,7 +3976,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsOutput.httpOutput(from:), RemoveTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4056,9 +4010,9 @@ extension CloudTrailClient { /// /// Restores a deleted event data store specified by EventDataStore, which accepts an event data store ARN. You can only restore a deleted event data store within the seven-day wait period after deletion. Restoring an event data store can take several minutes, depending on the size of the event data store. /// - /// - Parameter RestoreEventDataStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreEventDataStoreInput`) /// - /// - Returns: `RestoreEventDataStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreEventDataStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4102,7 +4056,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreEventDataStoreOutput.httpOutput(from:), RestoreEventDataStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4137,9 +4090,9 @@ extension CloudTrailClient { /// /// Searches sample queries and returns a list of sample queries that are sorted by relevance. To search for sample queries, provide a natural language SearchPhrase in English. /// - /// - Parameter SearchSampleQueriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchSampleQueriesInput`) /// - /// - Returns: `SearchSampleQueriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchSampleQueriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4173,7 +4126,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchSampleQueriesOutput.httpOutput(from:), SearchSampleQueriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4208,9 +4160,9 @@ extension CloudTrailClient { /// /// Starts a refresh of the specified dashboard. Each time a dashboard is refreshed, CloudTrail runs queries to populate the dashboard's widgets. CloudTrail must be granted permissions to run the StartQuery operation on your behalf. To provide permissions, run the PutResourcePolicy operation to attach a resource-based policy to each event data store. For more information, see [Example: Allow CloudTrail to run queries to populate a dashboard](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/security_iam_resource-based-policy-examples.html#security_iam_resource-based-policy-examples-eds-dashboard) in the CloudTrail User Guide. /// - /// - Parameter StartDashboardRefreshInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDashboardRefreshInput`) /// - /// - Returns: `StartDashboardRefreshOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDashboardRefreshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4246,7 +4198,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDashboardRefreshOutput.httpOutput(from:), StartDashboardRefreshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4281,9 +4232,9 @@ extension CloudTrailClient { /// /// Starts the ingestion of live events on an event data store specified as either an ARN or the ID portion of the ARN. To start ingestion, the event data store Status must be STOPPED_INGESTION and the eventCategory must be Management, Data, NetworkActivity, or ConfigurationItem. /// - /// - Parameter StartEventDataStoreIngestionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEventDataStoreIngestionInput`) /// - /// - Returns: `StartEventDataStoreIngestionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEventDataStoreIngestionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4325,7 +4276,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEventDataStoreIngestionOutput.httpOutput(from:), StartEventDataStoreIngestionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4360,9 +4310,9 @@ extension CloudTrailClient { /// /// Starts an import of logged trail events from a source S3 bucket to a destination event data store. By default, CloudTrail only imports events contained in the S3 bucket's CloudTrail prefix and the prefixes inside the CloudTrail prefix, and does not check prefixes for other Amazon Web Services services. If you want to import CloudTrail events contained in another prefix, you must include the prefix in the S3LocationUri. For more considerations about importing trail events, see [Considerations for copying trail events](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/cloudtrail-copy-trail-to-lake.html#cloudtrail-trail-copy-considerations) in the CloudTrail User Guide. When you start a new import, the Destinations and ImportSource parameters are required. Before starting a new import, disable any access control lists (ACLs) attached to the source S3 bucket. For more information about disabling ACLs, see [Controlling ownership of objects and disabling ACLs for your bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/about-object-ownership.html). When you retry an import, the ImportID parameter is required. If the destination event data store is for an organization, you must use the management account to import trail events. You cannot use the delegated administrator account for the organization. /// - /// - Parameter StartImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImportInput`) /// - /// - Returns: `StartImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4405,7 +4355,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImportOutput.httpOutput(from:), StartImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4440,9 +4389,9 @@ extension CloudTrailClient { /// /// Starts the recording of Amazon Web Services API calls and log file delivery for a trail. For a trail that is enabled in all Regions, this operation must be called from the Region in which the trail was created. This operation cannot be called on the shadow trails (replicated trails in other Regions) of a trail that is enabled in all Regions. /// - /// - Parameter StartLoggingInput : The request to CloudTrail to start logging Amazon Web Services API calls for an account. + /// - Parameter input: The request to CloudTrail to start logging Amazon Web Services API calls for an account. (Type: `StartLoggingInput`) /// - /// - Returns: `StartLoggingOutput` : Returns the objects or data listed below if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data listed below if successful. Otherwise, returns an error. (Type: `StartLoggingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4494,7 +4443,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartLoggingOutput.httpOutput(from:), StartLoggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4529,9 +4477,9 @@ extension CloudTrailClient { /// /// Starts a CloudTrail Lake query. Use the QueryStatement parameter to provide your SQL query, enclosed in single quotation marks. Use the optional DeliveryS3Uri parameter to deliver the query results to an S3 bucket. StartQuery requires you specify either the QueryStatement parameter, or a QueryAlias and any QueryParameters. In the current release, the QueryAlias and QueryParameters parameters are used only for the queries that populate the CloudTrail Lake dashboards. /// - /// - Parameter StartQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartQueryInput`) /// - /// - Returns: `StartQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4576,7 +4524,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartQueryOutput.httpOutput(from:), StartQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4611,9 +4558,9 @@ extension CloudTrailClient { /// /// Stops the ingestion of live events on an event data store specified as either an ARN or the ID portion of the ARN. To stop ingestion, the event data store Status must be ENABLED and the eventCategory must be Management, Data, NetworkActivity, or ConfigurationItem. /// - /// - Parameter StopEventDataStoreIngestionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopEventDataStoreIngestionInput`) /// - /// - Returns: `StopEventDataStoreIngestionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopEventDataStoreIngestionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4655,7 +4602,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopEventDataStoreIngestionOutput.httpOutput(from:), StopEventDataStoreIngestionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4690,9 +4636,9 @@ extension CloudTrailClient { /// /// Stops a specified import. /// - /// - Parameter StopImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopImportInput`) /// - /// - Returns: `StopImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4727,7 +4673,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopImportOutput.httpOutput(from:), StopImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4762,9 +4707,9 @@ extension CloudTrailClient { /// /// Suspends the recording of Amazon Web Services API calls and log file delivery for the specified trail. Under most circumstances, there is no need to use this action. You can update a trail without stopping it first. This action is the only way to stop recording. For a trail enabled in all Regions, this operation must be called from the Region in which the trail was created, or an InvalidHomeRegionException will occur. This operation cannot be called on the shadow trails (replicated trails in other Regions) of a trail enabled in all Regions. /// - /// - Parameter StopLoggingInput : Passes the request to CloudTrail to stop logging Amazon Web Services API calls for the specified account. + /// - Parameter input: Passes the request to CloudTrail to stop logging Amazon Web Services API calls for the specified account. (Type: `StopLoggingInput`) /// - /// - Returns: `StopLoggingOutput` : Returns the objects or data listed below if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data listed below if successful. Otherwise, returns an error. (Type: `StopLoggingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4816,7 +4761,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopLoggingOutput.httpOutput(from:), StopLoggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4851,9 +4795,9 @@ extension CloudTrailClient { /// /// Updates a channel specified by a required channel ARN or UUID. /// - /// - Parameter UpdateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelInput`) /// - /// - Returns: `UpdateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4894,7 +4838,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelOutput.httpOutput(from:), UpdateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4929,9 +4872,9 @@ extension CloudTrailClient { /// /// Updates the specified dashboard. To set a refresh schedule, CloudTrail must be granted permissions to run the StartDashboardRefresh operation to refresh the dashboard on your behalf. To provide permissions, run the PutResourcePolicy operation to attach a resource-based policy to the dashboard. For more information, see [ Resource-based policy example for a dashboard](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/security_iam_resource-based-policy-examples.html#security_iam_resource-based-policy-examples-dashboards) in the CloudTrail User Guide. CloudTrail runs queries to populate the dashboard's widgets during a manual or scheduled refresh. CloudTrail must be granted permissions to run the StartQuery operation on your behalf. To provide permissions, run the PutResourcePolicy operation to attach a resource-based policy to each event data store. For more information, see [Example: Allow CloudTrail to run queries to populate a dashboard](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/security_iam_resource-based-policy-examples.html#security_iam_resource-based-policy-examples-eds-dashboard) in the CloudTrail User Guide. /// - /// - Parameter UpdateDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDashboardInput`) /// - /// - Returns: `UpdateDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4970,7 +4913,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDashboardOutput.httpOutput(from:), UpdateDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5005,9 +4947,9 @@ extension CloudTrailClient { /// /// Updates an event data store. The required EventDataStore value is an ARN or the ID portion of the ARN. Other parameters are optional, but at least one optional parameter must be specified, or CloudTrail throws an error. RetentionPeriod is in days, and valid values are integers between 7 and 3653 if the BillingMode is set to EXTENDABLE_RETENTION_PRICING, or between 7 and 2557 if BillingMode is set to FIXED_RETENTION_PRICING. By default, TerminationProtection is enabled. For event data stores for CloudTrail events, AdvancedEventSelectors includes or excludes management, data, or network activity events in your event data store. For more information about AdvancedEventSelectors, see [AdvancedEventSelectors](https://docs.aws.amazon.com/awscloudtrail/latest/APIReference/API_AdvancedEventSelector.html). For event data stores for CloudTrail Insights events, Config configuration items, Audit Manager evidence, or non-Amazon Web Services events, AdvancedEventSelectors includes events of that type in your event data store. /// - /// - Parameter UpdateEventDataStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventDataStoreInput`) /// - /// - Returns: `UpdateEventDataStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventDataStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5066,7 +5008,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventDataStoreOutput.httpOutput(from:), UpdateEventDataStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5101,9 +5042,9 @@ extension CloudTrailClient { /// /// Updates trail settings that control what events you are logging, and how to handle log files. Changes to a trail do not require stopping the CloudTrail service. Use this action to designate an existing bucket for log delivery. If the existing bucket has previously been a target for CloudTrail log files, an IAM policy exists for the bucket. UpdateTrail must be called from the Region in which the trail was created; otherwise, an InvalidHomeRegionException is thrown. /// - /// - Parameter UpdateTrailInput : Specifies settings to update for the trail. + /// - Parameter input: Specifies settings to update for the trail. (Type: `UpdateTrailInput`) /// - /// - Returns: `UpdateTrailOutput` : Returns the objects or data listed below if successful. Otherwise, returns an error. + /// - Returns: Returns the objects or data listed below if successful. Otherwise, returns an error. (Type: `UpdateTrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5185,7 +5126,6 @@ extension CloudTrailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrailOutput.httpOutput(from:), UpdateTrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudTrailData/Sources/AWSCloudTrailData/CloudTrailDataClient.swift b/Sources/Services/AWSCloudTrailData/Sources/AWSCloudTrailData/CloudTrailDataClient.swift index c5d750bc5e9..ebf7a9c1eca 100644 --- a/Sources/Services/AWSCloudTrailData/Sources/AWSCloudTrailData/CloudTrailDataClient.swift +++ b/Sources/Services/AWSCloudTrailData/Sources/AWSCloudTrailData/CloudTrailDataClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudTrailDataClient: ClientRuntime.Client { public static let clientName = "CloudTrailDataClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudTrailDataClient.CloudTrailDataClientConfiguration let serviceName = "CloudTrail Data" @@ -373,9 +372,9 @@ extension CloudTrailDataClient { /// /// Ingests your application events into CloudTrail Lake. A required parameter, auditEvents, accepts the JSON records (also called payload) of events that you want CloudTrail to ingest. You can add up to 100 of these events (or up to 1 MB) per PutAuditEvents request. /// - /// - Parameter PutAuditEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAuditEventsInput`) /// - /// - Returns: `PutAuditEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAuditEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension CloudTrailDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAuditEventsOutput.httpOutput(from:), PutAuditEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudWatch/Sources/AWSCloudWatch/CloudWatchClient.swift b/Sources/Services/AWSCloudWatch/Sources/AWSCloudWatch/CloudWatchClient.swift index c60f6fc0cc6..605faca08dc 100644 --- a/Sources/Services/AWSCloudWatch/Sources/AWSCloudWatch/CloudWatchClient.swift +++ b/Sources/Services/AWSCloudWatch/Sources/AWSCloudWatch/CloudWatchClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudWatchClient: ClientRuntime.Client { public static let clientName = "CloudWatchClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudWatchClient.CloudWatchClientConfiguration let serviceName = "CloudWatch" @@ -373,9 +372,9 @@ extension CloudWatchClient { /// /// Deletes the specified alarms. You can delete up to 100 alarms in one operation. However, this total can include no more than one composite alarm. For example, you could delete 99 metric alarms and one composite alarms with one operation, but you can't delete two composite alarms with one operation. If you specify any incorrect alarm names, the alarms you specify with correct names are still deleted. Other syntax errors might result in no alarms being deleted. To confirm that alarms were deleted successfully, you can use the [DescribeAlarms](https://docs.aws.amazon.com/AmazonCloudWatch/latest/APIReference/API_DescribeAlarms.html) operation after using DeleteAlarms. It is possible to create a loop or cycle of composite alarms, where composite alarm A depends on composite alarm B, and composite alarm B also depends on composite alarm A. In this scenario, you can't delete any composite alarm that is part of the cycle because there is always still a composite alarm that depends on that alarm that you want to delete. To get out of such a situation, you must break the cycle by changing the rule of one of the composite alarms in the cycle to remove a dependency that creates the cycle. The simplest change to make to break a cycle is to change the AlarmRule of one of the alarms to false. Additionally, the evaluation of composite alarms stops if CloudWatch detects a cycle in the evaluation path. /// - /// - Parameter DeleteAlarmsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAlarmsInput`) /// - /// - Returns: `DeleteAlarmsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAlarmsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -407,7 +406,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAlarmsOutput.httpOutput(from:), DeleteAlarmsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -441,9 +439,9 @@ extension CloudWatchClient { /// /// Deletes the specified anomaly detection model from your account. For more information about how to delete an anomaly detection model, see [Deleting an anomaly detection model](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/Create_Anomaly_Detection_Alarm.html#Delete_Anomaly_Detection_Model) in the CloudWatch User Guide. /// - /// - Parameter DeleteAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAnomalyDetectorInput`) /// - /// - Returns: `DeleteAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -479,7 +477,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnomalyDetectorOutput.httpOutput(from:), DeleteAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -513,9 +510,9 @@ extension CloudWatchClient { /// /// Deletes all dashboards that you specify. You can specify up to 100 dashboards to delete. If there is an error during this call, no dashboards are deleted. /// - /// - Parameter DeleteDashboardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDashboardsInput`) /// - /// - Returns: `DeleteDashboardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDashboardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -550,7 +547,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDashboardsOutput.httpOutput(from:), DeleteDashboardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -584,9 +580,9 @@ extension CloudWatchClient { /// /// Permanently deletes the specified Contributor Insights rules. If you create a rule, delete it, and then re-create it with the same name, historical data from the first time the rule was created might not be available. /// - /// - Parameter DeleteInsightRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInsightRulesInput`) /// - /// - Returns: `DeleteInsightRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInsightRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -619,7 +615,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInsightRulesOutput.httpOutput(from:), DeleteInsightRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -653,9 +648,9 @@ extension CloudWatchClient { /// /// Permanently deletes the metric stream that you specify. /// - /// - Parameter DeleteMetricStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMetricStreamInput`) /// - /// - Returns: `DeleteMetricStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMetricStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -689,7 +684,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMetricStreamOutput.httpOutput(from:), DeleteMetricStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -723,9 +717,9 @@ extension CloudWatchClient { /// /// Returns the information of the current alarm contributors that are in ALARM state. This operation returns details about the individual time series that contribute to the alarm's state. /// - /// - Parameter DescribeAlarmContributorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAlarmContributorsInput`) /// - /// - Returns: `DescribeAlarmContributorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAlarmContributorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -758,7 +752,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAlarmContributorsOutput.httpOutput(from:), DescribeAlarmContributorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -792,9 +785,9 @@ extension CloudWatchClient { /// /// Retrieves the history for the specified alarm. You can filter the results by date range or item type. If an alarm name is not specified, the histories for either all metric alarms or all composite alarms are returned. CloudWatch retains the history of an alarm even if you delete the alarm. To use this operation and return information about a composite alarm, you must be signed on with the cloudwatch:DescribeAlarmHistory permission that is scoped to *. You can't return information about composite alarms if your cloudwatch:DescribeAlarmHistory permission has a narrower scope. /// - /// - Parameter DescribeAlarmHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAlarmHistoryInput`) /// - /// - Returns: `DescribeAlarmHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAlarmHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -826,7 +819,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAlarmHistoryOutput.httpOutput(from:), DescribeAlarmHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -860,9 +852,9 @@ extension CloudWatchClient { /// /// Retrieves the specified alarms. You can filter the results by specifying a prefix for the alarm name, the alarm state, or a prefix for any action. To use this operation and return information about composite alarms, you must be signed on with the cloudwatch:DescribeAlarms permission that is scoped to *. You can't return information about composite alarms if your cloudwatch:DescribeAlarms permission has a narrower scope. /// - /// - Parameter DescribeAlarmsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAlarmsInput`) /// - /// - Returns: `DescribeAlarmsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAlarmsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -894,7 +886,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAlarmsOutput.httpOutput(from:), DescribeAlarmsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -928,9 +919,9 @@ extension CloudWatchClient { /// /// Retrieves the alarms for the specified metric. To filter the results, specify a statistic, period, or unit. This operation retrieves only standard alarms that are based on the specified metric. It does not return alarms based on math expressions that use the specified metric, or composite alarms that use the specified metric. /// - /// - Parameter DescribeAlarmsForMetricInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAlarmsForMetricInput`) /// - /// - Returns: `DescribeAlarmsForMetricOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAlarmsForMetricOutput`) public func describeAlarmsForMetric(input: DescribeAlarmsForMetricInput) async throws -> DescribeAlarmsForMetricOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -957,7 +948,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAlarmsForMetricOutput.httpOutput(from:), DescribeAlarmsForMetricOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -991,9 +981,9 @@ extension CloudWatchClient { /// /// Lists the anomaly detection models that you have created in your account. For single metric anomaly detectors, you can list all of the models in your account or filter the results to only the models that are related to a certain namespace, metric name, or metric dimension. For metric math anomaly detectors, you can list them by adding METRIC_MATH to the AnomalyDetectorTypes array. This will return all metric math anomaly detectors in your account. /// - /// - Parameter DescribeAnomalyDetectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAnomalyDetectorsInput`) /// - /// - Returns: `DescribeAnomalyDetectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAnomalyDetectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1028,7 +1018,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAnomalyDetectorsOutput.httpOutput(from:), DescribeAnomalyDetectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1062,9 +1051,9 @@ extension CloudWatchClient { /// /// Returns a list of all the Contributor Insights rules in your account. For more information about Contributor Insights, see [Using Contributor Insights to Analyze High-Cardinality Data](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/ContributorInsights.html). /// - /// - Parameter DescribeInsightRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInsightRulesInput`) /// - /// - Returns: `DescribeInsightRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInsightRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1096,7 +1085,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInsightRulesOutput.httpOutput(from:), DescribeInsightRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1130,9 +1118,9 @@ extension CloudWatchClient { /// /// Disables the actions for the specified alarms. When an alarm's actions are disabled, the alarm actions do not execute when the alarm state changes. /// - /// - Parameter DisableAlarmActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableAlarmActionsInput`) /// - /// - Returns: `DisableAlarmActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableAlarmActionsOutput`) public func disableAlarmActions(input: DisableAlarmActionsInput) async throws -> DisableAlarmActionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1159,7 +1147,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableAlarmActionsOutput.httpOutput(from:), DisableAlarmActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1193,9 +1180,9 @@ extension CloudWatchClient { /// /// Disables the specified Contributor Insights rules. When rules are disabled, they do not analyze log groups and do not incur costs. /// - /// - Parameter DisableInsightRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableInsightRulesInput`) /// - /// - Returns: `DisableInsightRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableInsightRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1228,7 +1215,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableInsightRulesOutput.httpOutput(from:), DisableInsightRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1262,9 +1248,9 @@ extension CloudWatchClient { /// /// Enables the actions for the specified alarms. /// - /// - Parameter EnableAlarmActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableAlarmActionsInput`) /// - /// - Returns: `EnableAlarmActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableAlarmActionsOutput`) public func enableAlarmActions(input: EnableAlarmActionsInput) async throws -> EnableAlarmActionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1291,7 +1277,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableAlarmActionsOutput.httpOutput(from:), EnableAlarmActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1325,9 +1310,9 @@ extension CloudWatchClient { /// /// Enables the specified Contributor Insights rules. When rules are enabled, they immediately begin analyzing log data. /// - /// - Parameter EnableInsightRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableInsightRulesInput`) /// - /// - Returns: `EnableInsightRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableInsightRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1361,7 +1346,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableInsightRulesOutput.httpOutput(from:), EnableInsightRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1395,9 +1379,9 @@ extension CloudWatchClient { /// /// Displays the details of the dashboard that you specify. To copy an existing dashboard, use GetDashboard, and then use the data returned within DashboardBody as the template for the new dashboard when you call PutDashboard to create the copy. /// - /// - Parameter GetDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDashboardInput`) /// - /// - Returns: `GetDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1431,7 +1415,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDashboardOutput.httpOutput(from:), GetDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1479,9 +1462,9 @@ extension CloudWatchClient { /// /// * Average -- the average value from all contributors during the time period represented by that data point. /// - /// - Parameter GetInsightRuleReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInsightRuleReportInput`) /// - /// - Returns: `GetInsightRuleReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInsightRuleReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1515,7 +1498,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInsightRuleReportOutput.httpOutput(from:), GetInsightRuleReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1560,9 +1542,9 @@ extension CloudWatchClient { /// /// Data points that are initially published with a shorter period are aggregated together for long-term storage. For example, if you collect data using a period of 1 minute, the data remains available for 15 days with 1-minute resolution. After 15 days, this data is still available, but is aggregated and retrievable only with a resolution of 5 minutes. After 63 days, the data is further aggregated and is available with a resolution of 1 hour. If you omit Unit in your request, all data that was collected with any unit is returned, along with the corresponding units that were specified when the data was reported to CloudWatch. If you specify a unit, the operation returns only data that was collected with that unit specified. If you specify a unit that does not match the data collected, the results of the operation are null. CloudWatch does not perform unit conversions. Using Metrics Insights queries with metric math You can't mix a Metric Insights query and metric math syntax in the same expression, but you can reference results from a Metrics Insights query within other Metric math expressions. A Metrics Insights query without a GROUP BY clause returns a single time-series (TS), and can be used as input for a metric math expression that expects a single time series. A Metrics Insights query with a GROUP BY clause returns an array of time-series (TS[]), and can be used as input for a metric math expression that expects an array of time series. /// - /// - Parameter GetMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetricDataInput`) /// - /// - Returns: `GetMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1594,7 +1576,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetricDataOutput.httpOutput(from:), GetMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1646,9 +1627,9 @@ extension CloudWatchClient { /// /// Data points that are initially published with a shorter period are aggregated together for long-term storage. For example, if you collect data using a period of 1 minute, the data remains available for 15 days with 1-minute resolution. After 15 days, this data is still available, but is aggregated and retrievable only with a resolution of 5 minutes. After 63 days, the data is further aggregated and is available with a resolution of 1 hour. CloudWatch started retaining 5-minute and 1-hour metric data as of July 9, 2016. For information about metrics and dimensions supported by Amazon Web Services services, see the [Amazon CloudWatch Metrics and Dimensions Reference](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CW_Support_For_AWS.html) in the Amazon CloudWatch User Guide. /// - /// - Parameter GetMetricStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetricStatisticsInput`) /// - /// - Returns: `GetMetricStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetricStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1683,7 +1664,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetricStatisticsOutput.httpOutput(from:), GetMetricStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1717,9 +1697,9 @@ extension CloudWatchClient { /// /// Returns information about the metric stream that you specify. /// - /// - Parameter GetMetricStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetricStreamInput`) /// - /// - Returns: `GetMetricStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetricStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1755,7 +1735,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetricStreamOutput.httpOutput(from:), GetMetricStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1793,9 +1772,9 @@ extension CloudWatchClient { /// /// * Up to 100 KB uncompressed payload. /// - /// - Parameter GetMetricWidgetImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetricWidgetImageInput`) /// - /// - Returns: `GetMetricWidgetImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetricWidgetImageOutput`) public func getMetricWidgetImage(input: GetMetricWidgetImageInput) async throws -> GetMetricWidgetImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1822,7 +1801,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetricWidgetImageOutput.httpOutput(from:), GetMetricWidgetImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1856,9 +1834,9 @@ extension CloudWatchClient { /// /// Returns a list of the dashboards for your account. If you include DashboardNamePrefix, only those dashboards with names starting with the prefix are listed. Otherwise, all dashboards in your account are listed. ListDashboards returns up to 1000 results on one page. If there are more than 1000 dashboards, you can call ListDashboards again and include the value you received for NextToken in the first call, to receive the next 1000 results. /// - /// - Parameter ListDashboardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDashboardsInput`) /// - /// - Returns: `ListDashboardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDashboardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1891,7 +1869,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDashboardsOutput.httpOutput(from:), ListDashboardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1925,9 +1902,9 @@ extension CloudWatchClient { /// /// Returns a list that contains the number of managed Contributor Insights rules in your account. /// - /// - Parameter ListManagedInsightRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedInsightRulesInput`) /// - /// - Returns: `ListManagedInsightRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedInsightRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1961,7 +1938,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedInsightRulesOutput.httpOutput(from:), ListManagedInsightRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1995,9 +1971,9 @@ extension CloudWatchClient { /// /// Returns a list of metric streams in this account. /// - /// - Parameter ListMetricStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMetricStreamsInput`) /// - /// - Returns: `ListMetricStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMetricStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2032,7 +2008,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMetricStreamsOutput.httpOutput(from:), ListMetricStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2066,9 +2041,9 @@ extension CloudWatchClient { /// /// List the specified metrics. You can use the returned metrics with [GetMetricData](https://docs.aws.amazon.com/AmazonCloudWatch/latest/APIReference/API_GetMetricData.html) or [GetMetricStatistics](https://docs.aws.amazon.com/AmazonCloudWatch/latest/APIReference/API_GetMetricStatistics.html) to get statistical data. Up to 500 results are returned for any one call. To retrieve additional results, use the returned token with subsequent calls. After you create a metric, allow up to 15 minutes for the metric to appear. To see metric statistics sooner, use [GetMetricData](https://docs.aws.amazon.com/AmazonCloudWatch/latest/APIReference/API_GetMetricData.html) or [GetMetricStatistics](https://docs.aws.amazon.com/AmazonCloudWatch/latest/APIReference/API_GetMetricStatistics.html). If you are using CloudWatch cross-account observability, you can use this operation in a monitoring account and view metrics from the linked source accounts. For more information, see [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). ListMetrics doesn't return information about metrics if those metrics haven't reported data in the past two weeks. To retrieve those metrics, use [GetMetricData](https://docs.aws.amazon.com/AmazonCloudWatch/latest/APIReference/API_GetMetricData.html) or [GetMetricStatistics](https://docs.aws.amazon.com/AmazonCloudWatch/latest/APIReference/API_GetMetricStatistics.html). /// - /// - Parameter ListMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMetricsInput`) /// - /// - Returns: `ListMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2101,7 +2076,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMetricsOutput.httpOutput(from:), ListMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2135,9 +2109,9 @@ extension CloudWatchClient { /// /// Displays the tags associated with a CloudWatch resource. Currently, alarms and Contributor Insights rules support tagging. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2171,7 +2145,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2205,9 +2178,9 @@ extension CloudWatchClient { /// /// Creates an anomaly detection model for a CloudWatch metric. You can use the model to display a band of expected normal values when the metric is graphed. If you have enabled unified cross-account observability, and this account is a monitoring account, the metric can be in the same account or a source account. You can specify the account ID in the object you specify in the SingleMetricAnomalyDetector parameter. For more information, see [CloudWatch Anomaly Detection](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch_Anomaly_Detection.html). /// - /// - Parameter PutAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAnomalyDetectorInput`) /// - /// - Returns: `PutAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2243,7 +2216,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAnomalyDetectorOutput.httpOutput(from:), PutAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2288,9 +2260,9 @@ extension CloudWatchClient { /// /// It is possible to create a loop or cycle of composite alarms, where composite alarm A depends on composite alarm B, and composite alarm B also depends on composite alarm A. In this scenario, you can't delete any composite alarm that is part of the cycle because there is always still a composite alarm that depends on that alarm that you want to delete. To get out of such a situation, you must break the cycle by changing the rule of one of the composite alarms in the cycle to remove a dependency that creates the cycle. The simplest change to make to break a cycle is to change the AlarmRule of one of the alarms to false. Additionally, the evaluation of composite alarms stops if CloudWatch detects a cycle in the evaluation path. When this operation creates an alarm, the alarm state is immediately set to INSUFFICIENT_DATA. The alarm is then evaluated and its state is set appropriately. Any actions associated with the new state are then executed. For a composite alarm, this initial time after creation is the only time that the alarm can be in INSUFFICIENT_DATA state. When you update an existing alarm, its state is left unchanged, but the update completely overwrites the previous configuration of the alarm. To use this operation, you must be signed on with the cloudwatch:PutCompositeAlarm permission that is scoped to *. You can't create a composite alarms if your cloudwatch:PutCompositeAlarm permission has a narrower scope. If you are an IAM user, you must have iam:CreateServiceLinkedRole to create a composite alarm that has Systems Manager OpsItem actions. /// - /// - Parameter PutCompositeAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutCompositeAlarmInput`) /// - /// - Returns: `PutCompositeAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutCompositeAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2322,7 +2294,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutCompositeAlarmOutput.httpOutput(from:), PutCompositeAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2356,9 +2327,9 @@ extension CloudWatchClient { /// /// Creates a dashboard if it does not already exist, or updates an existing dashboard. If you update a dashboard, the entire contents are replaced with what you specify here. All dashboards in your account are global, not region-specific. A simple way to create a dashboard using PutDashboard is to copy an existing dashboard. To copy an existing dashboard using the console, you can load the dashboard and then use the View/edit source command in the Actions menu to display the JSON block for that dashboard. Another way to copy a dashboard is to use GetDashboard, and then use the data returned within DashboardBody as the template for the new dashboard when you call PutDashboard. When you create a dashboard with PutDashboard, a good practice is to add a text widget at the top of the dashboard with a message that the dashboard was created by script and should not be changed in the console. This message could also point console users to the location of the DashboardBody script or the CloudFormation template used to create the dashboard. /// - /// - Parameter PutDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDashboardInput`) /// - /// - Returns: `PutDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2392,7 +2363,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDashboardOutput.httpOutput(from:), PutDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2426,9 +2396,9 @@ extension CloudWatchClient { /// /// Creates a Contributor Insights rule. Rules evaluate log events in a CloudWatch Logs log group, enabling you to find contributor data for the log events in that log group. For more information, see [Using Contributor Insights to Analyze High-Cardinality Data](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/ContributorInsights.html). If you create a rule, delete it, and then re-create it with the same name, historical data from the first time the rule was created might not be available. /// - /// - Parameter PutInsightRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutInsightRuleInput`) /// - /// - Returns: `PutInsightRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutInsightRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2462,7 +2432,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutInsightRuleOutput.httpOutput(from:), PutInsightRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2496,9 +2465,9 @@ extension CloudWatchClient { /// /// Creates a managed Contributor Insights rule for a specified Amazon Web Services resource. When you enable a managed rule, you create a Contributor Insights rule that collects data from Amazon Web Services services. You cannot edit these rules with PutInsightRule. The rules can be enabled, disabled, and deleted using EnableInsightRules, DisableInsightRules, and DeleteInsightRules. If a previously created managed rule is currently disabled, a subsequent call to this API will re-enable it. Use ListManagedInsightRules to describe all available rules. /// - /// - Parameter PutManagedInsightRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutManagedInsightRulesInput`) /// - /// - Returns: `PutManagedInsightRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutManagedInsightRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2531,7 +2500,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutManagedInsightRulesOutput.httpOutput(from:), PutManagedInsightRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2576,9 +2544,9 @@ extension CloudWatchClient { /// /// * The account where you are creating the alarm (the monitoring account) must already have a service-linked role named AWSServiceRoleForCloudWatchCrossAccount to allow CloudWatch to assume the sharing role in the sharing account. If it does not, you must create it following the directions in Set up a monitoring account in [ Cross-account cross-Region CloudWatch console](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/Cross-Account-Cross-Region.html#enable-cross-account-cross-Region). /// - /// - Parameter PutMetricAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMetricAlarmInput`) /// - /// - Returns: `PutMetricAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMetricAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2610,7 +2578,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMetricAlarmOutput.httpOutput(from:), PutMetricAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2648,9 +2615,9 @@ extension CloudWatchClient { /// /// * The Min and Max are equal, and Sum is equal to Min multiplied by SampleCount. /// - /// - Parameter PutMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMetricDataInput`) /// - /// - Returns: `PutMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2685,7 +2652,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMetricDataOutput.httpOutput(from:), PutMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2728,9 +2694,9 @@ extension CloudWatchClient { /// /// By default, a metric stream always sends the MAX, MIN, SUM, and SAMPLECOUNT statistics for each metric that is streamed. You can use the StatisticsConfigurations parameter to have the metric stream send additional statistics in the stream. Streaming additional statistics incurs additional costs. For more information, see [Amazon CloudWatch Pricing](https://aws.amazon.com/cloudwatch/pricing/). When you use PutMetricStream to create a new metric stream, the stream is created in the running state. If you use it to update an existing stream, the state of the stream is not changed. If you are using CloudWatch cross-account observability and you create a metric stream in a monitoring account, you can choose whether to include metrics from source accounts in the stream. For more information, see [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). /// - /// - Parameter PutMetricStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMetricStreamInput`) /// - /// - Returns: `PutMetricStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMetricStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2766,7 +2732,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMetricStreamOutput.httpOutput(from:), PutMetricStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2800,9 +2765,9 @@ extension CloudWatchClient { /// /// Temporarily sets the state of an alarm for testing purposes. When the updated state differs from the previous value, the action configured for the appropriate state is invoked. For example, if your alarm is configured to send an Amazon SNS message when an alarm is triggered, temporarily changing the alarm state to ALARM sends an SNS message. Metric alarms returns to their actual state quickly, often within seconds. Because the metric alarm state change happens quickly, it is typically only visible in the alarm's History tab in the Amazon CloudWatch console or through [DescribeAlarmHistory](https://docs.aws.amazon.com/AmazonCloudWatch/latest/APIReference/API_DescribeAlarmHistory.html). If you use SetAlarmState on a composite alarm, the composite alarm is not guaranteed to return to its actual state. It returns to its actual state only once any of its children alarms change state. It is also reevaluated if you update its configuration. If an alarm triggers EC2 Auto Scaling policies or application Auto Scaling policies, you must include information in the StateReasonData parameter to enable the policy to take the correct action. /// - /// - Parameter SetAlarmStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetAlarmStateInput`) /// - /// - Returns: `SetAlarmStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetAlarmStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2835,7 +2800,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetAlarmStateOutput.httpOutput(from:), SetAlarmStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2869,9 +2833,9 @@ extension CloudWatchClient { /// /// Starts the streaming of metrics for one or more of your metric streams. /// - /// - Parameter StartMetricStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMetricStreamsInput`) /// - /// - Returns: `StartMetricStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMetricStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2905,7 +2869,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMetricStreamsOutput.httpOutput(from:), StartMetricStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2939,9 +2902,9 @@ extension CloudWatchClient { /// /// Stops the streaming of metrics for one or more of your metric streams. /// - /// - Parameter StopMetricStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopMetricStreamsInput`) /// - /// - Returns: `StopMetricStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopMetricStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2975,7 +2938,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopMetricStreamsOutput.httpOutput(from:), StopMetricStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3009,9 +2971,9 @@ extension CloudWatchClient { /// /// Assigns one or more tags (key-value pairs) to the specified CloudWatch resource. Currently, the only CloudWatch resources that can be tagged are alarms and Contributor Insights rules. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with an alarm that already has tags. If you specify a new tag key for the alarm, this tag is appended to the list of tags associated with the alarm. If you specify a tag key that is already associated with the alarm, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a CloudWatch resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3047,7 +3009,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3081,9 +3042,9 @@ extension CloudWatchClient { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3119,7 +3080,6 @@ extension CloudWatchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudWatchEvents/Sources/AWSCloudWatchEvents/CloudWatchEventsClient.swift b/Sources/Services/AWSCloudWatchEvents/Sources/AWSCloudWatchEvents/CloudWatchEventsClient.swift index 6725f762056..c17ec3849dc 100644 --- a/Sources/Services/AWSCloudWatchEvents/Sources/AWSCloudWatchEvents/CloudWatchEventsClient.swift +++ b/Sources/Services/AWSCloudWatchEvents/Sources/AWSCloudWatchEvents/CloudWatchEventsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudWatchEventsClient: ClientRuntime.Client { public static let clientName = "CloudWatchEventsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudWatchEventsClient.CloudWatchEventsClientConfiguration let serviceName = "CloudWatch Events" @@ -374,9 +373,9 @@ extension CloudWatchEventsClient { /// /// Activates a partner event source that has been deactivated. Once activated, your matching event bus will start receiving events from the event source. /// - /// - Parameter ActivateEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateEventSourceInput`) /// - /// - Returns: `ActivateEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateEventSourceOutput.httpOutput(from:), ActivateEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension CloudWatchEventsClient { /// /// Cancels the specified replay. /// - /// - Parameter CancelReplayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelReplayInput`) /// - /// - Returns: `CancelReplayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelReplayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelReplayOutput.httpOutput(from:), CancelReplayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension CloudWatchEventsClient { /// /// Creates an API destination, which is an HTTP invocation endpoint configured as a target for events. /// - /// - Parameter CreateApiDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApiDestinationInput`) /// - /// - Returns: `CreateApiDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApiDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApiDestinationOutput.httpOutput(from:), CreateApiDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension CloudWatchEventsClient { /// /// Creates an archive of events with the specified settings. When you create an archive, incoming events might not immediately start being sent to the archive. Allow a short period of time for changes to take effect. If you do not specify a pattern to filter events sent to the archive, all events are sent to the archive except replayed events. Replayed events are not sent to an archive. /// - /// - Parameter CreateArchiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateArchiveInput`) /// - /// - Returns: `CreateArchiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateArchiveOutput.httpOutput(from:), CreateArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension CloudWatchEventsClient { /// /// Creates a connection. A connection defines the authorization type and credentials to use for authorization with an API destination HTTP endpoint. /// - /// - Parameter CreateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionInput`) /// - /// - Returns: `CreateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionOutput.httpOutput(from:), CreateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension CloudWatchEventsClient { /// /// Creates a new event bus within your account. This can be a custom event bus which you can use to receive events from your custom applications and services, or it can be a partner event bus which can be matched to a partner event source. /// - /// - Parameter CreateEventBusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventBusInput`) /// - /// - Returns: `CreateEventBusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventBusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -776,7 +770,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventBusOutput.httpOutput(from:), CreateEventBusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -811,9 +804,9 @@ extension CloudWatchEventsClient { /// /// Called by an SaaS partner to create a partner event source. This operation is not used by Amazon Web Services customers. Each partner event source can be used by one Amazon Web Services account to create a matching partner event bus in that Amazon Web Services account. A SaaS partner must create one partner event source for each Amazon Web Services account that wants to receive those event types. A partner event source creates events based on resources within the SaaS partner's service or application. An Amazon Web Services account that creates a partner event bus that matches the partner event source can use that event bus to receive events from the partner, and then process them using Amazon Web Services Events rules and targets. Partner event source names follow this format: partner_name/event_namespace/event_name partner_name is determined during partner registration and identifies the partner to Amazon Web Services customers. event_namespace is determined by the partner and is a way for the partner to categorize their events. event_name is determined by the partner, and should uniquely identify an event-generating resource within the partner system. The combination of event_namespace and event_name should help Amazon Web Services customers decide whether to create an event bus to receive these events. /// - /// - Parameter CreatePartnerEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePartnerEventSourceInput`) /// - /// - Returns: `CreatePartnerEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePartnerEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -849,7 +842,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePartnerEventSourceOutput.httpOutput(from:), CreatePartnerEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -884,9 +876,9 @@ extension CloudWatchEventsClient { /// /// You can use this operation to temporarily stop receiving events from the specified partner event source. The matching event bus is not deleted. When you deactivate a partner event source, the source goes into PENDING state. If it remains in PENDING state for more than two weeks, it is deleted. To activate a deactivated partner event source, use [ActivateEventSource](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_ActivateEventSource.html). /// - /// - Parameter DeactivateEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateEventSourceInput`) /// - /// - Returns: `DeactivateEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -922,7 +914,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateEventSourceOutput.httpOutput(from:), DeactivateEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension CloudWatchEventsClient { /// /// Removes all authorization parameters from the connection. This lets you remove the secret from the connection so you can reuse it without having to create a new connection. /// - /// - Parameter DeauthorizeConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeauthorizeConnectionInput`) /// - /// - Returns: `DeauthorizeConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeauthorizeConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -993,7 +984,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeauthorizeConnectionOutput.httpOutput(from:), DeauthorizeConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1028,9 +1018,9 @@ extension CloudWatchEventsClient { /// /// Deletes the specified API destination. /// - /// - Parameter DeleteApiDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApiDestinationInput`) /// - /// - Returns: `DeleteApiDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApiDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1064,7 +1054,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApiDestinationOutput.httpOutput(from:), DeleteApiDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1099,9 +1088,9 @@ extension CloudWatchEventsClient { /// /// Deletes the specified archive. /// - /// - Parameter DeleteArchiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteArchiveInput`) /// - /// - Returns: `DeleteArchiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1135,7 +1124,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteArchiveOutput.httpOutput(from:), DeleteArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1170,9 +1158,9 @@ extension CloudWatchEventsClient { /// /// Deletes a connection. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1206,7 +1194,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1241,9 +1228,9 @@ extension CloudWatchEventsClient { /// /// Deletes the specified custom event bus or partner event bus. All rules associated with this event bus need to be deleted. You can't delete your account's default event bus. /// - /// - Parameter DeleteEventBusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventBusInput`) /// - /// - Returns: `DeleteEventBusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventBusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1276,7 +1263,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventBusOutput.httpOutput(from:), DeleteEventBusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1311,9 +1297,9 @@ extension CloudWatchEventsClient { /// /// This operation is used by SaaS partners to delete a partner event source. This operation is not used by Amazon Web Services customers. When you delete an event source, the status of the corresponding partner event bus in the Amazon Web Services customer account becomes DELETED. /// - /// - Parameter DeletePartnerEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePartnerEventSourceInput`) /// - /// - Returns: `DeletePartnerEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePartnerEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1347,7 +1333,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePartnerEventSourceOutput.httpOutput(from:), DeletePartnerEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1382,9 +1367,9 @@ extension CloudWatchEventsClient { /// /// Deletes the specified rule. Before you can delete the rule, you must remove all targets, using [RemoveTargets](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_RemoveTargets.html). When you delete a rule, incoming events might continue to match to the deleted rule. Allow a short period of time for changes to take effect. If you call delete rule multiple times for the same rule, all calls will succeed. When you call delete rule for a non-existent custom eventbus, ResourceNotFoundException is returned. Managed rules are rules created and managed by another Amazon Web Services service on your behalf. These rules are created by those other Amazon Web Services services to support functionality in those services. You can delete these rules using the Force option, but you should do so only if you are sure the other service is not still using that rule. /// - /// - Parameter DeleteRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleInput`) /// - /// - Returns: `DeleteRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1419,7 +1404,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleOutput.httpOutput(from:), DeleteRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1454,9 +1438,9 @@ extension CloudWatchEventsClient { /// /// Retrieves details about an API destination. /// - /// - Parameter DescribeApiDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApiDestinationInput`) /// - /// - Returns: `DescribeApiDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApiDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1473,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApiDestinationOutput.httpOutput(from:), DescribeApiDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1524,9 +1507,9 @@ extension CloudWatchEventsClient { /// /// Retrieves details about an archive. /// - /// - Parameter DescribeArchiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeArchiveInput`) /// - /// - Returns: `DescribeArchiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1560,7 +1543,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeArchiveOutput.httpOutput(from:), DescribeArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1595,9 +1577,9 @@ extension CloudWatchEventsClient { /// /// Retrieves details about a connection. /// - /// - Parameter DescribeConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectionInput`) /// - /// - Returns: `DescribeConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1630,7 +1612,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectionOutput.httpOutput(from:), DescribeConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1665,9 +1646,9 @@ extension CloudWatchEventsClient { /// /// Displays details about an event bus in your account. This can include the external Amazon Web Services accounts that are permitted to write events to your default event bus, and the associated policy. For custom event buses and partner event buses, it displays the name, ARN, policy, state, and creation time. To enable your account to receive events from other accounts on its default event bus, use [PutPermission](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_PutPermission.html). For more information about partner event buses, see [CreateEventBus](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_CreateEventBus.html). /// - /// - Parameter DescribeEventBusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventBusInput`) /// - /// - Returns: `DescribeEventBusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventBusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1700,7 +1681,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventBusOutput.httpOutput(from:), DescribeEventBusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1735,9 +1715,9 @@ extension CloudWatchEventsClient { /// /// This operation lists details about a partner event source that is shared with your account. /// - /// - Parameter DescribeEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventSourceInput`) /// - /// - Returns: `DescribeEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1771,7 +1751,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventSourceOutput.httpOutput(from:), DescribeEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1806,9 +1785,9 @@ extension CloudWatchEventsClient { /// /// An SaaS partner can use this operation to list details about a partner event source that they have created. Amazon Web Services customers do not use this operation. Instead, Amazon Web Services customers can use [DescribeEventSource](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_DescribeEventSource.html) to see details about a partner event source that is shared with them. /// - /// - Parameter DescribePartnerEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePartnerEventSourceInput`) /// - /// - Returns: `DescribePartnerEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePartnerEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1842,7 +1821,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePartnerEventSourceOutput.httpOutput(from:), DescribePartnerEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1877,9 +1855,9 @@ extension CloudWatchEventsClient { /// /// Retrieves details about a replay. Use DescribeReplay to determine the progress of a running replay. A replay processes events to replay based on the time in the event, and replays them using 1 minute intervals. If you use StartReplay and specify an EventStartTime and an EventEndTime that covers a 20 minute time range, the events are replayed from the first minute of that 20 minute range first. Then the events from the second minute are replayed. You can use DescribeReplay to determine the progress of a replay. The value returned for EventLastReplayedTime indicates the time within the specified time range associated with the last event replayed. /// - /// - Parameter DescribeReplayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReplayInput`) /// - /// - Returns: `DescribeReplayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReplayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1912,7 +1890,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplayOutput.httpOutput(from:), DescribeReplayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1947,9 +1924,9 @@ extension CloudWatchEventsClient { /// /// Describes the specified rule. DescribeRule does not list the targets of a rule. To see the targets associated with a rule, use [ListTargetsByRule](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_ListTargetsByRule.html). /// - /// - Parameter DescribeRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRuleInput`) /// - /// - Returns: `DescribeRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1982,7 +1959,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRuleOutput.httpOutput(from:), DescribeRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2017,9 +1993,9 @@ extension CloudWatchEventsClient { /// /// Disables the specified rule. A disabled rule won't match any events, and won't self-trigger if it has a schedule expression. When you disable a rule, incoming events might continue to match to the disabled rule. Allow a short period of time for changes to take effect. /// - /// - Parameter DisableRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableRuleInput`) /// - /// - Returns: `DisableRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2054,7 +2030,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableRuleOutput.httpOutput(from:), DisableRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2089,9 +2064,9 @@ extension CloudWatchEventsClient { /// /// Enables the specified rule. If the rule does not exist, the operation fails. When you enable a rule, incoming events might not immediately start matching to a newly enabled rule. Allow a short period of time for changes to take effect. /// - /// - Parameter EnableRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableRuleInput`) /// - /// - Returns: `EnableRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2126,7 +2101,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableRuleOutput.httpOutput(from:), EnableRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2161,9 +2135,9 @@ extension CloudWatchEventsClient { /// /// Retrieves a list of API destination in the account in the current Region. /// - /// - Parameter ListApiDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApiDestinationsInput`) /// - /// - Returns: `ListApiDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApiDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2195,7 +2169,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApiDestinationsOutput.httpOutput(from:), ListApiDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2230,9 +2203,9 @@ extension CloudWatchEventsClient { /// /// Lists your archives. You can either list all the archives or you can provide a prefix to match to the archive names. Filter parameters are exclusive. /// - /// - Parameter ListArchivesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListArchivesInput`) /// - /// - Returns: `ListArchivesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListArchivesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2265,7 +2238,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListArchivesOutput.httpOutput(from:), ListArchivesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2300,9 +2272,9 @@ extension CloudWatchEventsClient { /// /// Retrieves a list of connections from the account. /// - /// - Parameter ListConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectionsInput`) /// - /// - Returns: `ListConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2334,7 +2306,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectionsOutput.httpOutput(from:), ListConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2369,9 +2340,9 @@ extension CloudWatchEventsClient { /// /// Lists all the event buses in your account, including the default event bus, custom event buses, and partner event buses. /// - /// - Parameter ListEventBusesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventBusesInput`) /// - /// - Returns: `ListEventBusesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventBusesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2403,7 +2374,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventBusesOutput.httpOutput(from:), ListEventBusesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2438,9 +2408,9 @@ extension CloudWatchEventsClient { /// /// You can use this to see all the partner event sources that have been shared with your Amazon Web Services account. For more information about partner event sources, see [CreateEventBus](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_CreateEventBus.html). /// - /// - Parameter ListEventSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventSourcesInput`) /// - /// - Returns: `ListEventSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2473,7 +2443,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventSourcesOutput.httpOutput(from:), ListEventSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2508,9 +2477,9 @@ extension CloudWatchEventsClient { /// /// An SaaS partner can use this operation to display the Amazon Web Services account ID that a particular partner event source name is associated with. This operation is not used by Amazon Web Services customers. /// - /// - Parameter ListPartnerEventSourceAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPartnerEventSourceAccountsInput`) /// - /// - Returns: `ListPartnerEventSourceAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPartnerEventSourceAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2544,7 +2513,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPartnerEventSourceAccountsOutput.httpOutput(from:), ListPartnerEventSourceAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2579,9 +2547,9 @@ extension CloudWatchEventsClient { /// /// An SaaS partner can use this operation to list all the partner event source names that they have created. This operation is not used by Amazon Web Services customers. /// - /// - Parameter ListPartnerEventSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPartnerEventSourcesInput`) /// - /// - Returns: `ListPartnerEventSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPartnerEventSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2614,7 +2582,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPartnerEventSourcesOutput.httpOutput(from:), ListPartnerEventSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2649,9 +2616,9 @@ extension CloudWatchEventsClient { /// /// Lists your replays. You can either list all the replays or you can provide a prefix to match to the replay names. Filter parameters are exclusive. /// - /// - Parameter ListReplaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReplaysInput`) /// - /// - Returns: `ListReplaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReplaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2683,7 +2650,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReplaysOutput.httpOutput(from:), ListReplaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2718,9 +2684,9 @@ extension CloudWatchEventsClient { /// /// Lists the rules for the specified target. You can see which of the rules in Amazon EventBridge can invoke a specific target in your account. /// - /// - Parameter ListRuleNamesByTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRuleNamesByTargetInput`) /// - /// - Returns: `ListRuleNamesByTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRuleNamesByTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2753,7 +2719,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleNamesByTargetOutput.httpOutput(from:), ListRuleNamesByTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2788,9 +2753,9 @@ extension CloudWatchEventsClient { /// /// Lists your Amazon EventBridge rules. You can either list all the rules or you can provide a prefix to match to the rule names. ListRules does not list the targets of a rule. To see the targets associated with a rule, use [ListTargetsByRule](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_ListTargetsByRule.html). /// - /// - Parameter ListRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesInput`) /// - /// - Returns: `ListRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2823,7 +2788,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesOutput.httpOutput(from:), ListRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2858,9 +2822,9 @@ extension CloudWatchEventsClient { /// /// Displays the tags associated with an EventBridge resource. In EventBridge, rules and event buses can be tagged. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2893,7 +2857,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2928,9 +2891,9 @@ extension CloudWatchEventsClient { /// /// Lists the targets assigned to the specified rule. /// - /// - Parameter ListTargetsByRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetsByRuleInput`) /// - /// - Returns: `ListTargetsByRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetsByRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2963,7 +2926,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetsByRuleOutput.httpOutput(from:), ListTargetsByRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2998,9 +2960,9 @@ extension CloudWatchEventsClient { /// /// Sends custom events to Amazon EventBridge so that they can be matched to rules. /// - /// - Parameter PutEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEventsInput`) /// - /// - Returns: `PutEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3032,7 +2994,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEventsOutput.httpOutput(from:), PutEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3067,9 +3028,9 @@ extension CloudWatchEventsClient { /// /// This is used by SaaS partners to write events to a customer's partner event bus. Amazon Web Services customers do not use this operation. /// - /// - Parameter PutPartnerEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPartnerEventsInput`) /// - /// - Returns: `PutPartnerEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPartnerEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3102,7 +3063,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPartnerEventsOutput.httpOutput(from:), PutPartnerEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3137,9 +3097,9 @@ extension CloudWatchEventsClient { /// /// Running PutPermission permits the specified Amazon Web Services account or Amazon Web Services organization to put events to the specified event bus. Amazon EventBridge (CloudWatch Events) rules in your account are triggered by these events arriving to an event bus in your account. For another account to send events to your account, that external account must have an EventBridge rule with your account's event bus as a target. To enable multiple Amazon Web Services accounts to put events to your event bus, run PutPermission once for each of these accounts. Or, if all the accounts are members of the same Amazon Web Services organization, you can run PutPermission once specifying Principal as "*" and specifying the Amazon Web Services organization ID in Condition, to grant permissions to all accounts in that organization. If you grant permissions using an organization, then accounts in that organization must specify a RoleArn with proper permissions when they use PutTarget to add your account's event bus as a target. For more information, see [Sending and Receiving Events Between Amazon Web Services Accounts](https://docs.aws.amazon.com/eventbridge/latest/userguide/eventbridge-cross-account-event-delivery.html) in the Amazon EventBridge User Guide. The permission policy on the event bus cannot exceed 10 KB in size. /// - /// - Parameter PutPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPermissionInput`) /// - /// - Returns: `PutPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3175,7 +3135,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPermissionOutput.httpOutput(from:), PutPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3210,9 +3169,9 @@ extension CloudWatchEventsClient { /// /// Creates or updates the specified rule. Rules are enabled by default, or based on value of the state. You can disable a rule using [DisableRule](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_DisableRule.html). A single rule watches for events from a single event bus. Events generated by Amazon Web Services services go to your account's default event bus. Events generated by SaaS partner services or applications go to the matching partner event bus. If you have custom applications or services, you can specify whether their events go to your default event bus or a custom event bus that you have created. For more information, see [CreateEventBus](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_CreateEventBus.html). If you are updating an existing rule, the rule is replaced with what you specify in this PutRule command. If you omit arguments in PutRule, the old values for those arguments are not kept. Instead, they are replaced with null values. When you create or update a rule, incoming events might not immediately start matching to new or updated rules. Allow a short period of time for changes to take effect. A rule must contain at least an EventPattern or ScheduleExpression. Rules with EventPatterns are triggered when a matching event is observed. Rules with ScheduleExpressions self-trigger based on the given schedule. A rule can have both an EventPattern and a ScheduleExpression, in which case the rule triggers on matching events as well as on a schedule. When you initially create a rule, you can optionally assign one or more tags to the rule. Tags can help you organize and categorize your resources. You can also use them to scope user permissions, by granting a user permission to access or change only rules with certain tag values. To use the PutRule operation and assign tags, you must have both the events:PutRule and events:TagResource permissions. If you are updating an existing rule, any tags you specify in the PutRule operation are ignored. To update the tags of an existing rule, use [TagResource](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_TagResource.html) and [UntagResource](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_UntagResource.html). Most services in Amazon Web Services treat : or / as the same character in Amazon Resource Names (ARNs). However, EventBridge uses an exact match in event patterns and rules. Be sure to use the correct ARN characters when creating event patterns so that they match the ARN syntax in the event you want to match. In EventBridge, it is possible to create rules that lead to infinite loops, where a rule is fired repeatedly. For example, a rule might detect that ACLs have changed on an S3 bucket, and trigger software to change them to the desired state. If the rule is not written carefully, the subsequent change to the ACLs fires the rule again, creating an infinite loop. To prevent this, write the rules so that the triggered actions do not re-fire the same rule. For example, your rule could fire only if ACLs are found to be in a bad state, instead of after any change. An infinite loop can quickly cause higher than expected charges. We recommend that you use budgeting, which alerts you when charges exceed your specified limit. For more information, see [Managing Your Costs with Budgets](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/budgets-managing-costs.html). /// - /// - Parameter PutRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRuleInput`) /// - /// - Returns: `PutRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3249,7 +3208,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRuleOutput.httpOutput(from:), PutRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3346,9 +3304,9 @@ extension CloudWatchEventsClient { /// /// When you specify InputPath or InputTransformer, you must use JSON dot notation, not bracket notation. When you add targets to a rule and the associated rule triggers soon after, new or updated targets might not be immediately invoked. Allow a short period of time for changes to take effect. This action can partially fail if too many requests are made at the same time. If that happens, FailedEntryCount is non-zero in the response and each entry in FailedEntries provides the ID of the failed target and the error code. /// - /// - Parameter PutTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTargetsInput`) /// - /// - Returns: `PutTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3384,7 +3342,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTargetsOutput.httpOutput(from:), PutTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3419,9 +3376,9 @@ extension CloudWatchEventsClient { /// /// Revokes the permission of another Amazon Web Services account to be able to put events to the specified event bus. Specify the account to revoke by the StatementId value that you associated with the account when you granted it permission with PutPermission. You can find the StatementId by using [DescribeEventBus](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_DescribeEventBus.html). /// - /// - Parameter RemovePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemovePermissionInput`) /// - /// - Returns: `RemovePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemovePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3456,7 +3413,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemovePermissionOutput.httpOutput(from:), RemovePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3491,9 +3447,9 @@ extension CloudWatchEventsClient { /// /// Removes the specified targets from the specified rule. When the rule is triggered, those targets are no longer be invoked. When you remove a target, when the associated rule triggers, removed targets might continue to be invoked. Allow a short period of time for changes to take effect. This action can partially fail if too many requests are made at the same time. If that happens, FailedEntryCount is non-zero in the response and each entry in FailedEntries provides the ID of the failed target and the error code. /// - /// - Parameter RemoveTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveTargetsInput`) /// - /// - Returns: `RemoveTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3528,7 +3484,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTargetsOutput.httpOutput(from:), RemoveTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3563,9 +3518,9 @@ extension CloudWatchEventsClient { /// /// Starts the specified replay. Events are not necessarily replayed in the exact same order that they were added to the archive. A replay processes events to replay based on the time in the event, and replays them using 1 minute intervals. If you specify an EventStartTime and an EventEndTime that covers a 20 minute time range, the events are replayed from the first minute of that 20 minute range first. Then the events from the second minute are replayed. You can use DescribeReplay to determine the progress of a replay. The value returned for EventLastReplayedTime indicates the time within the specified time range associated with the last event replayed. /// - /// - Parameter StartReplayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartReplayInput`) /// - /// - Returns: `StartReplayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartReplayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3601,7 +3556,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReplayOutput.httpOutput(from:), StartReplayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3636,9 +3590,9 @@ extension CloudWatchEventsClient { /// /// Assigns one or more tags (key-value pairs) to the specified EventBridge resource. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. In EventBridge, rules and event buses can be tagged. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with a resource that already has tags. If you specify a new tag key, this tag is appended to the list of tags associated with the resource. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3673,7 +3627,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3708,9 +3661,9 @@ extension CloudWatchEventsClient { /// /// Tests whether the specified event pattern matches the provided event. Most services in Amazon Web Services treat : or / as the same character in Amazon Resource Names (ARNs). However, EventBridge uses an exact match in event patterns and rules. Be sure to use the correct ARN characters when creating event patterns so that they match the ARN syntax in the event you want to match. /// - /// - Parameter TestEventPatternInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestEventPatternInput`) /// - /// - Returns: `TestEventPatternOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestEventPatternOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3743,7 +3696,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestEventPatternOutput.httpOutput(from:), TestEventPatternOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3778,9 +3730,9 @@ extension CloudWatchEventsClient { /// /// Removes one or more tags from the specified EventBridge resource. In Amazon EventBridge (CloudWatch Events), rules and event buses can be tagged. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3815,7 +3767,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3850,9 +3801,9 @@ extension CloudWatchEventsClient { /// /// Updates an API destination. /// - /// - Parameter UpdateApiDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApiDestinationInput`) /// - /// - Returns: `UpdateApiDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApiDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3887,7 +3838,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApiDestinationOutput.httpOutput(from:), UpdateApiDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3922,9 +3872,9 @@ extension CloudWatchEventsClient { /// /// Updates the specified archive. /// - /// - Parameter UpdateArchiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateArchiveInput`) /// - /// - Returns: `UpdateArchiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3960,7 +3910,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateArchiveOutput.httpOutput(from:), UpdateArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3995,9 +3944,9 @@ extension CloudWatchEventsClient { /// /// Updates settings for a connection. /// - /// - Parameter UpdateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectionInput`) /// - /// - Returns: `UpdateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4032,7 +3981,6 @@ extension CloudWatchEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectionOutput.httpOutput(from:), UpdateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCloudWatchLogs/Sources/AWSCloudWatchLogs/CloudWatchLogsClient.swift b/Sources/Services/AWSCloudWatchLogs/Sources/AWSCloudWatchLogs/CloudWatchLogsClient.swift index 151bb3f0c96..4e8e591bfc8 100644 --- a/Sources/Services/AWSCloudWatchLogs/Sources/AWSCloudWatchLogs/CloudWatchLogsClient.swift +++ b/Sources/Services/AWSCloudWatchLogs/Sources/AWSCloudWatchLogs/CloudWatchLogsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CloudWatchLogsClient: ClientRuntime.Client { public static let clientName = "CloudWatchLogsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CloudWatchLogsClient.CloudWatchLogsClientConfiguration let serviceName = "CloudWatch Logs" @@ -381,9 +380,9 @@ extension CloudWatchLogsClient { /// /// If you delete the key that is used to encrypt log events or log group query results, then all the associated stored log events or query results that were encrypted with that key will be unencryptable and unusable. CloudWatch Logs supports only symmetric KMS keys. Do not associate an asymmetric KMS key with your log group or query results. For more information, see [Using Symmetric and Asymmetric Keys](https://docs.aws.amazon.com/kms/latest/developerguide/symmetric-asymmetric.html). It can take up to 5 minutes for this operation to take effect. If you attempt to associate a KMS key with a log group but the KMS key does not exist or the KMS key is disabled, you receive an InvalidParameterException error. /// - /// - Parameter AssociateKmsKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateKmsKeyInput`) /// - /// - Returns: `AssociateKmsKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateKmsKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateKmsKeyOutput.httpOutput(from:), AssociateKmsKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -453,9 +451,9 @@ extension CloudWatchLogsClient { /// /// Cancels the specified export task. The task must be in the PENDING or RUNNING state. /// - /// - Parameter CancelExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelExportTaskInput`) /// - /// - Returns: `CancelExportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelExportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelExportTaskOutput.httpOutput(from:), CancelExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -536,9 +533,9 @@ extension CloudWatchLogsClient { /// /// You can configure a single delivery source to send logs to multiple destinations by creating multiple deliveries. You can also create multiple deliveries to configure multiple delivery sources to send logs to the same delivery destination. To update an existing delivery configuration, use [UpdateDeliveryConfiguration](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_UpdateDeliveryConfiguration.html). /// - /// - Parameter CreateDeliveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeliveryInput`) /// - /// - Returns: `CreateDeliveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeliveryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -576,7 +573,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeliveryOutput.httpOutput(from:), CreateDeliveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -611,9 +607,9 @@ extension CloudWatchLogsClient { /// /// Creates an export task so that you can efficiently export data from a log group to an Amazon S3 bucket. When you perform a CreateExportTask operation, you must use credentials that have permission to write to the S3 bucket that you specify as the destination. Exporting log data to S3 buckets that are encrypted by KMS is supported. Exporting log data to Amazon S3 buckets that have S3 Object Lock enabled with a retention period is also supported. Exporting to S3 buckets that are encrypted with AES-256 is supported. This is an asynchronous call. If all the required information is provided, this operation initiates an export task and responds with the ID of the task. After the task has started, you can use [DescribeExportTasks](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_DescribeExportTasks.html) to get the status of the export task. Each account can only have one active (RUNNING or PENDING) export task at a time. To cancel an export task, use [CancelExportTask](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_CancelExportTask.html). You can export logs from multiple log groups or multiple time ranges to the same S3 bucket. To separate log data for each export task, specify a prefix to be used as the Amazon S3 key prefix for all exported objects. We recommend that you don't regularly export to Amazon S3 as a way to continuously archive your logs. For that use case, we instead recommend that you use subscriptions. For more information about subscriptions, see [Real-time processing of log data with subscriptions](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/Subscriptions.html). Time-based sorting on chunks of log data inside an exported file is not guaranteed. You can sort the exported log field data by using Linux utilities. /// - /// - Parameter CreateExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExportTaskInput`) /// - /// - Returns: `CreateExportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -650,7 +646,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExportTaskOutput.httpOutput(from:), CreateExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -685,9 +680,9 @@ extension CloudWatchLogsClient { /// /// Creates an anomaly detector that regularly scans one or more log groups and look for patterns and anomalies in the logs. An anomaly detector can help surface issues by automatically discovering anomalies in your log event traffic. An anomaly detector uses machine learning algorithms to scan log events and find patterns. A pattern is a shared text structure that recurs among your log fields. Patterns provide a useful tool for analyzing large sets of logs because a large number of log events can often be compressed into a few patterns. The anomaly detector uses pattern recognition to find anomalies, which are unusual log events. It uses the evaluationFrequency to compare current log events and patterns with trained baselines. Fields within a pattern are called tokens. Fields that vary within a pattern, such as a request ID or timestamp, are referred to as dynamic tokens and represented by <*>. The following is an example of a pattern: [INFO] Request time: <*> ms This pattern represents log events like [INFO] Request time: 327 ms and other similar log events that differ only by the number, in this csse 327. When the pattern is displayed, the different numbers are replaced by <*> Any parts of log events that are masked as sensitive data are not scanned for anomalies. For more information about masking sensitive data, see [Help protect sensitive log data with masking](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/mask-sensitive-log-data.html). /// - /// - Parameter CreateLogAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLogAnomalyDetectorInput`) /// - /// - Returns: `CreateLogAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLogAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -723,7 +718,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLogAnomalyDetectorOutput.httpOutput(from:), CreateLogAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -769,9 +763,9 @@ extension CloudWatchLogsClient { /// /// When you create a log group, by default the log events in the log group do not expire. To set a retention policy so that events expire and are deleted after a specified time, use [PutRetentionPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutRetentionPolicy.html). If you associate an KMS key with the log group, ingested data is encrypted using the KMS key. This association is stored as long as the data encrypted with the KMS key is still within CloudWatch Logs. This enables CloudWatch Logs to decrypt this data whenever it is requested. If you attempt to associate a KMS key with the log group but the KMS key does not exist or the KMS key is disabled, you receive an InvalidParameterException error. CloudWatch Logs supports only symmetric KMS keys. Do not associate an asymmetric KMS key with your log group. For more information, see [Using Symmetric and Asymmetric Keys](https://docs.aws.amazon.com/kms/latest/developerguide/symmetric-asymmetric.html). /// - /// - Parameter CreateLogGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLogGroupInput`) /// - /// - Returns: `CreateLogGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLogGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -807,7 +801,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLogGroupOutput.httpOutput(from:), CreateLogGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -848,9 +841,9 @@ extension CloudWatchLogsClient { /// /// * Don't use ':' (colon) or '*' (asterisk) characters. /// - /// - Parameter CreateLogStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLogStreamInput`) /// - /// - Returns: `CreateLogStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLogStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -885,7 +878,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLogStreamOutput.httpOutput(from:), CreateLogStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -931,9 +923,9 @@ extension CloudWatchLogsClient { /// /// If you delete a field index policy, the indexing of the log events that happened before you deleted the policy will still be used for up to 30 days to improve CloudWatch Logs Insights queries. /// - /// - Parameter DeleteAccountPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountPolicyInput`) /// - /// - Returns: `DeleteAccountPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -968,7 +960,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountPolicyOutput.httpOutput(from:), DeleteAccountPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1003,9 +994,9 @@ extension CloudWatchLogsClient { /// /// Deletes the data protection policy from the specified log group. For more information about data protection policies, see [PutDataProtectionPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutDataProtectionPolicy.html). /// - /// - Parameter DeleteDataProtectionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataProtectionPolicyInput`) /// - /// - Returns: `DeleteDataProtectionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataProtectionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1040,7 +1031,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataProtectionPolicyOutput.httpOutput(from:), DeleteDataProtectionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1075,9 +1065,9 @@ extension CloudWatchLogsClient { /// /// Deletes a delivery. A delivery is a connection between a logical delivery source and a logical delivery destination. Deleting a delivery only deletes the connection between the delivery source and delivery destination. It does not delete the delivery destination or the delivery source. /// - /// - Parameter DeleteDeliveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeliveryInput`) /// - /// - Returns: `DeleteDeliveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeliveryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1114,7 +1104,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeliveryOutput.httpOutput(from:), DeleteDeliveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1149,9 +1138,9 @@ extension CloudWatchLogsClient { /// /// Deletes a delivery destination. A delivery is a connection between a logical delivery source and a logical delivery destination. You can't delete a delivery destination if any current deliveries are associated with it. To find whether any deliveries are associated with this delivery destination, use the [DescribeDeliveries](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_DescribeDeliveries.html) operation and check the deliveryDestinationArn field in the results. /// - /// - Parameter DeleteDeliveryDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeliveryDestinationInput`) /// - /// - Returns: `DeleteDeliveryDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeliveryDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1188,7 +1177,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeliveryDestinationOutput.httpOutput(from:), DeleteDeliveryDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1223,9 +1211,9 @@ extension CloudWatchLogsClient { /// /// Deletes a delivery destination policy. For more information about these policies, see [PutDeliveryDestinationPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutDeliveryDestinationPolicy.html). /// - /// - Parameter DeleteDeliveryDestinationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeliveryDestinationPolicyInput`) /// - /// - Returns: `DeleteDeliveryDestinationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeliveryDestinationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1260,7 +1248,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeliveryDestinationPolicyOutput.httpOutput(from:), DeleteDeliveryDestinationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1295,9 +1282,9 @@ extension CloudWatchLogsClient { /// /// Deletes a delivery source. A delivery is a connection between a logical delivery source and a logical delivery destination. You can't delete a delivery source if any current deliveries are associated with it. To find whether any deliveries are associated with this delivery source, use the [DescribeDeliveries](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_DescribeDeliveries.html) operation and check the deliverySourceName field in the results. /// - /// - Parameter DeleteDeliverySourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeliverySourceInput`) /// - /// - Returns: `DeleteDeliverySourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeliverySourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1334,7 +1321,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeliverySourceOutput.httpOutput(from:), DeleteDeliverySourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1369,9 +1355,9 @@ extension CloudWatchLogsClient { /// /// Deletes the specified destination, and eventually disables all the subscription filters that publish to it. This operation does not delete the physical resource encapsulated by the destination. /// - /// - Parameter DeleteDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDestinationInput`) /// - /// - Returns: `DeleteDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1406,7 +1392,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDestinationOutput.httpOutput(from:), DeleteDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1441,9 +1426,9 @@ extension CloudWatchLogsClient { /// /// Deletes a log-group level field index policy that was applied to a single log group. The indexing of the log events that happened before you delete the policy will still be used for as many as 30 days to improve CloudWatch Logs Insights queries. You can't use this operation to delete an account-level index policy. Instead, use [DeletAccountPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_DeleteAccountPolicy.html). If you delete a log-group level field index policy and there is an account-level field index policy, in a few minutes the log group begins using that account-wide policy to index new incoming log events. /// - /// - Parameter DeleteIndexPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIndexPolicyInput`) /// - /// - Returns: `DeleteIndexPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIndexPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1479,7 +1464,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIndexPolicyOutput.httpOutput(from:), DeleteIndexPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1514,9 +1498,9 @@ extension CloudWatchLogsClient { /// /// Deletes the integration between CloudWatch Logs and OpenSearch Service. If your integration has active vended logs dashboards, you must specify true for the force parameter, otherwise the operation will fail. If you delete the integration by setting force to true, all your vended logs dashboards powered by OpenSearch Service will be deleted and the data that was on them will no longer be accessible. /// - /// - Parameter DeleteIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntegrationInput`) /// - /// - Returns: `DeleteIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1551,7 +1535,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationOutput.httpOutput(from:), DeleteIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1586,9 +1569,9 @@ extension CloudWatchLogsClient { /// /// Deletes the specified CloudWatch Logs anomaly detector. /// - /// - Parameter DeleteLogAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLogAnomalyDetectorInput`) /// - /// - Returns: `DeleteLogAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLogAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1623,7 +1606,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLogAnomalyDetectorOutput.httpOutput(from:), DeleteLogAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1658,9 +1640,9 @@ extension CloudWatchLogsClient { /// /// Deletes the specified log group and permanently deletes all the archived log events associated with the log group. /// - /// - Parameter DeleteLogGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLogGroupInput`) /// - /// - Returns: `DeleteLogGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLogGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1695,7 +1677,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLogGroupOutput.httpOutput(from:), DeleteLogGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1730,9 +1711,9 @@ extension CloudWatchLogsClient { /// /// Deletes the specified log stream and permanently deletes all the archived log events associated with the log stream. /// - /// - Parameter DeleteLogStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLogStreamInput`) /// - /// - Returns: `DeleteLogStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLogStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1767,7 +1748,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLogStreamOutput.httpOutput(from:), DeleteLogStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1802,9 +1782,9 @@ extension CloudWatchLogsClient { /// /// Deletes the specified metric filter. /// - /// - Parameter DeleteMetricFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMetricFilterInput`) /// - /// - Returns: `DeleteMetricFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMetricFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1839,7 +1819,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMetricFilterOutput.httpOutput(from:), DeleteMetricFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1874,9 +1853,9 @@ extension CloudWatchLogsClient { /// /// Deletes a saved CloudWatch Logs Insights query definition. A query definition contains details about a saved CloudWatch Logs Insights query. Each DeleteQueryDefinition operation can delete one query definition. You must have the logs:DeleteQueryDefinition permission to be able to perform this operation. /// - /// - Parameter DeleteQueryDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueryDefinitionInput`) /// - /// - Returns: `DeleteQueryDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueryDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1910,7 +1889,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueryDefinitionOutput.httpOutput(from:), DeleteQueryDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1945,9 +1923,9 @@ extension CloudWatchLogsClient { /// /// Deletes a resource policy from this account. This revokes the access of the identities in that policy to put log events to this account. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1982,7 +1960,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2017,9 +1994,9 @@ extension CloudWatchLogsClient { /// /// Deletes the specified retention policy. Log events do not expire if they belong to log groups without a retention policy. /// - /// - Parameter DeleteRetentionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRetentionPolicyInput`) /// - /// - Returns: `DeleteRetentionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRetentionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2054,7 +2031,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRetentionPolicyOutput.httpOutput(from:), DeleteRetentionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2089,9 +2065,9 @@ extension CloudWatchLogsClient { /// /// Deletes the specified subscription filter. /// - /// - Parameter DeleteSubscriptionFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubscriptionFilterInput`) /// - /// - Returns: `DeleteSubscriptionFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubscriptionFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2126,7 +2102,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubscriptionFilterOutput.httpOutput(from:), DeleteSubscriptionFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2161,9 +2136,9 @@ extension CloudWatchLogsClient { /// /// Deletes the log transformer for the specified log group. As soon as you do this, the transformation of incoming log events according to that transformer stops. If this account has an account-level transformer that applies to this log group, the log group begins using that account-level transformer when this log-group level transformer is deleted. After you delete a transformer, be sure to edit any metric filters or subscription filters that relied on the transformed versions of the log events. /// - /// - Parameter DeleteTransformerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransformerInput`) /// - /// - Returns: `DeleteTransformerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransformerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2199,7 +2174,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransformerOutput.httpOutput(from:), DeleteTransformerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2242,9 +2216,9 @@ extension CloudWatchLogsClient { /// /// * To see field index policies, you must have the logs:DescribeIndexPolicies and logs:DescribeAccountPolicies permissions. /// - /// - Parameter DescribeAccountPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountPoliciesInput`) /// - /// - Returns: `DescribeAccountPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2279,7 +2253,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountPoliciesOutput.httpOutput(from:), DescribeAccountPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2314,9 +2287,9 @@ extension CloudWatchLogsClient { /// /// Use this operation to return the valid and default values that are used when creating delivery sources, delivery destinations, and deliveries. For more information about deliveries, see [CreateDelivery](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_CreateDelivery.html). /// - /// - Parameter DescribeConfigurationTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConfigurationTemplatesInput`) /// - /// - Returns: `DescribeConfigurationTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConfigurationTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2351,7 +2324,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationTemplatesOutput.httpOutput(from:), DescribeConfigurationTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2386,9 +2358,9 @@ extension CloudWatchLogsClient { /// /// Retrieves a list of the deliveries that have been created in the account. A delivery is a connection between a [ delivery source ](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutDeliverySource.html) and a [ delivery destination ](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutDeliveryDestination.html). A delivery source represents an Amazon Web Services resource that sends logs to an logs delivery destination. The destination can be CloudWatch Logs, Amazon S3, Firehose or X-Ray. Only some Amazon Web Services services support being configured as a delivery source. These services are listed in [Enable logging from Amazon Web Services services.](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/AWS-logs-and-resource-policy.html) /// - /// - Parameter DescribeDeliveriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeliveriesInput`) /// - /// - Returns: `DescribeDeliveriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeliveriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2423,7 +2395,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeliveriesOutput.httpOutput(from:), DescribeDeliveriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2458,9 +2429,9 @@ extension CloudWatchLogsClient { /// /// Retrieves a list of the delivery destinations that have been created in the account. /// - /// - Parameter DescribeDeliveryDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeliveryDestinationsInput`) /// - /// - Returns: `DescribeDeliveryDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeliveryDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2495,7 +2466,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeliveryDestinationsOutput.httpOutput(from:), DescribeDeliveryDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2530,9 +2500,9 @@ extension CloudWatchLogsClient { /// /// Retrieves a list of the delivery sources that have been created in the account. /// - /// - Parameter DescribeDeliverySourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeliverySourcesInput`) /// - /// - Returns: `DescribeDeliverySourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeliverySourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2567,7 +2537,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeliverySourcesOutput.httpOutput(from:), DescribeDeliverySourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2602,9 +2571,9 @@ extension CloudWatchLogsClient { /// /// Lists all your destinations. The results are ASCII-sorted by destination name. /// - /// - Parameter DescribeDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDestinationsInput`) /// - /// - Returns: `DescribeDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2637,7 +2606,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDestinationsOutput.httpOutput(from:), DescribeDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2672,9 +2640,9 @@ extension CloudWatchLogsClient { /// /// Lists the specified export tasks. You can list all your export tasks or filter the results based on task ID or task status. /// - /// - Parameter DescribeExportTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExportTasksInput`) /// - /// - Returns: `DescribeExportTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExportTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2707,7 +2675,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExportTasksOutput.httpOutput(from:), DescribeExportTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2742,9 +2709,9 @@ extension CloudWatchLogsClient { /// /// Returns a list of custom and default field indexes which are discovered in log data. For more information about field index policies, see [PutIndexPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutIndexPolicy.html). /// - /// - Parameter DescribeFieldIndexesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFieldIndexesInput`) /// - /// - Returns: `DescribeFieldIndexesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFieldIndexesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2780,7 +2747,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFieldIndexesOutput.httpOutput(from:), DescribeFieldIndexesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2815,9 +2781,9 @@ extension CloudWatchLogsClient { /// /// Returns the field index policies of the specified log group. For more information about field index policies, see [PutIndexPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutIndexPolicy.html). If a specified log group has a log-group level index policy, that policy is returned by this operation. If a specified log group doesn't have a log-group level index policy, but an account-wide index policy applies to it, that account-wide policy is returned by this operation. To find information about only account-level policies, use [DescribeAccountPolicies](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_DescribeAccountPolicies.html) instead. /// - /// - Parameter DescribeIndexPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIndexPoliciesInput`) /// - /// - Returns: `DescribeIndexPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIndexPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2853,7 +2819,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIndexPoliciesOutput.httpOutput(from:), DescribeIndexPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2888,9 +2853,9 @@ extension CloudWatchLogsClient { /// /// Returns information about log groups. You can return all your log groups or filter the results by prefix. The results are ASCII-sorted by log group name. CloudWatch Logs doesn't support IAM policies that control access to the DescribeLogGroups action by using the aws:ResourceTag/key-name condition key. Other CloudWatch Logs actions do support the use of the aws:ResourceTag/key-name condition key to control access. For more information about using tags to control access, see [Controlling access to Amazon Web Services resources using tags](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_tags.html). If you are using CloudWatch cross-account observability, you can use this operation in a monitoring account and view data from the linked source accounts. For more information, see [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). /// - /// - Parameter DescribeLogGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLogGroupsInput`) /// - /// - Returns: `DescribeLogGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLogGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2923,7 +2888,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLogGroupsOutput.httpOutput(from:), DescribeLogGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2958,9 +2922,9 @@ extension CloudWatchLogsClient { /// /// Lists the log streams for the specified log group. You can list all the log streams or filter the results by prefix. You can also control how the results are ordered. You can specify the log group to search by using either logGroupIdentifier or logGroupName. You must include one of these two parameters, but you can't include both. This operation has a limit of 25 transactions per second, after which transactions are throttled. If you are using CloudWatch cross-account observability, you can use this operation in a monitoring account and view data from the linked source accounts. For more information, see [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). /// - /// - Parameter DescribeLogStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLogStreamsInput`) /// - /// - Returns: `DescribeLogStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLogStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2994,7 +2958,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLogStreamsOutput.httpOutput(from:), DescribeLogStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3029,9 +2992,9 @@ extension CloudWatchLogsClient { /// /// Lists the specified metric filters. You can list all of the metric filters or filter the results by log name, prefix, metric name, or metric namespace. The results are ASCII-sorted by filter name. /// - /// - Parameter DescribeMetricFiltersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMetricFiltersInput`) /// - /// - Returns: `DescribeMetricFiltersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMetricFiltersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3065,7 +3028,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMetricFiltersOutput.httpOutput(from:), DescribeMetricFiltersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3100,9 +3062,9 @@ extension CloudWatchLogsClient { /// /// Returns a list of CloudWatch Logs Insights queries that are scheduled, running, or have been run recently in this account. You can request all queries or limit it to queries of a specific log group or queries with a certain status. /// - /// - Parameter DescribeQueriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQueriesInput`) /// - /// - Returns: `DescribeQueriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQueriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3136,7 +3098,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQueriesOutput.httpOutput(from:), DescribeQueriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3171,9 +3132,9 @@ extension CloudWatchLogsClient { /// /// This operation returns a paginated list of your saved CloudWatch Logs Insights query definitions. You can retrieve query definitions from the current account or from a source account that is linked to the current account. You can use the queryDefinitionNamePrefix parameter to limit the results to only the query definitions that have names that start with a certain string. /// - /// - Parameter DescribeQueryDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQueryDefinitionsInput`) /// - /// - Returns: `DescribeQueryDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQueryDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3206,7 +3167,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQueryDefinitionsOutput.httpOutput(from:), DescribeQueryDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3241,9 +3201,9 @@ extension CloudWatchLogsClient { /// /// Lists the resource policies in this account. /// - /// - Parameter DescribeResourcePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourcePoliciesInput`) /// - /// - Returns: `DescribeResourcePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourcePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3276,7 +3236,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourcePoliciesOutput.httpOutput(from:), DescribeResourcePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3311,9 +3270,9 @@ extension CloudWatchLogsClient { /// /// Lists the subscription filters for the specified log group. You can list all the subscription filters or filter the results by prefix. The results are ASCII-sorted by filter name. /// - /// - Parameter DescribeSubscriptionFiltersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSubscriptionFiltersInput`) /// - /// - Returns: `DescribeSubscriptionFiltersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSubscriptionFiltersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3347,7 +3306,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSubscriptionFiltersOutput.httpOutput(from:), DescribeSubscriptionFiltersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3389,9 +3347,9 @@ extension CloudWatchLogsClient { /// /// It can take up to 5 minutes for this operation to take effect. /// - /// - Parameter DisassociateKmsKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateKmsKeyInput`) /// - /// - Returns: `DisassociateKmsKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateKmsKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3426,7 +3384,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateKmsKeyOutput.httpOutput(from:), DisassociateKmsKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3470,9 +3427,9 @@ extension CloudWatchLogsClient { /// /// You must have the logs:FilterLogEvents permission to perform this operation. You can specify the log group to search by using either logGroupIdentifier or logGroupName. You must include one of these two parameters, but you can't include both. FilterLogEvents is a paginated operation. Each page returned can contain up to 1 MB of log events or up to 10,000 log events. A returned page might only be partially full, or even empty. For example, if the result of a query would return 15,000 log events, the first page isn't guaranteed to have 10,000 log events even if they all fit into 1 MB. Partially full or empty pages don't necessarily mean that pagination is finished. If the results include a nextToken, there might be more log events available. You can return these additional log events by providing the nextToken in a subsequent FilterLogEvents operation. If the results don't include a nextToken, then pagination is finished. Specifying the limit parameter only guarantees that a single page doesn't return more log events than the specified limit, but it might return fewer events than the limit. This is the expected API behavior. The returned log events are sorted by event timestamp, the timestamp when the event was ingested by CloudWatch Logs, and the ID of the PutLogEvents request. If you are using CloudWatch cross-account observability, you can use this operation in a monitoring account and view data from the linked source accounts. For more information, see [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). If you are using [log transformation](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/CloudWatch-Logs-Transformation.html), the FilterLogEvents operation returns only the original versions of log events, before they were transformed. To view the transformed versions, you must use a [CloudWatch Logs query.](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/AnalyzingLogData.html) /// - /// - Parameter FilterLogEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `FilterLogEventsInput`) /// - /// - Returns: `FilterLogEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FilterLogEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3506,7 +3463,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FilterLogEventsOutput.httpOutput(from:), FilterLogEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3541,9 +3497,9 @@ extension CloudWatchLogsClient { /// /// Returns information about a log group data protection policy. /// - /// - Parameter GetDataProtectionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataProtectionPolicyInput`) /// - /// - Returns: `GetDataProtectionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataProtectionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3578,7 +3534,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataProtectionPolicyOutput.httpOutput(from:), GetDataProtectionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3613,9 +3568,9 @@ extension CloudWatchLogsClient { /// /// Returns complete information about one logical delivery. A delivery is a connection between a [ delivery source ](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutDeliverySource.html) and a [ delivery destination ](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutDeliveryDestination.html). A delivery source represents an Amazon Web Services resource that sends logs to an logs delivery destination. The destination can be CloudWatch Logs, Amazon S3, or Firehose. Only some Amazon Web Services services support being configured as a delivery source. These services are listed in [Enable logging from Amazon Web Services services.](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/AWS-logs-and-resource-policy.html) You need to specify the delivery id in this operation. You can find the IDs of the deliveries in your account with the [DescribeDeliveries](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_DescribeDeliveries.html) operation. /// - /// - Parameter GetDeliveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeliveryInput`) /// - /// - Returns: `GetDeliveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeliveryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3651,7 +3606,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeliveryOutput.httpOutput(from:), GetDeliveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3686,9 +3640,9 @@ extension CloudWatchLogsClient { /// /// Retrieves complete information about one delivery destination. /// - /// - Parameter GetDeliveryDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeliveryDestinationInput`) /// - /// - Returns: `GetDeliveryDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeliveryDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3724,7 +3678,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeliveryDestinationOutput.httpOutput(from:), GetDeliveryDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3759,9 +3712,9 @@ extension CloudWatchLogsClient { /// /// Retrieves the delivery destination policy assigned to the delivery destination that you specify. For more information about delivery destinations and their policies, see [PutDeliveryDestinationPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutDeliveryDestinationPolicy.html). /// - /// - Parameter GetDeliveryDestinationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeliveryDestinationPolicyInput`) /// - /// - Returns: `GetDeliveryDestinationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeliveryDestinationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3795,7 +3748,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeliveryDestinationPolicyOutput.httpOutput(from:), GetDeliveryDestinationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3830,9 +3782,9 @@ extension CloudWatchLogsClient { /// /// Retrieves complete information about one delivery source. /// - /// - Parameter GetDeliverySourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeliverySourceInput`) /// - /// - Returns: `GetDeliverySourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeliverySourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3868,7 +3820,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeliverySourceOutput.httpOutput(from:), GetDeliverySourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3903,9 +3854,9 @@ extension CloudWatchLogsClient { /// /// Returns information about one integration between CloudWatch Logs and OpenSearch Service. /// - /// - Parameter GetIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntegrationInput`) /// - /// - Returns: `GetIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3939,7 +3890,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntegrationOutput.httpOutput(from:), GetIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3974,9 +3924,9 @@ extension CloudWatchLogsClient { /// /// Retrieves information about the log anomaly detector that you specify. The KMS key ARN detected is valid. /// - /// - Parameter GetLogAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLogAnomalyDetectorInput`) /// - /// - Returns: `GetLogAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLogAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4011,7 +3961,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLogAnomalyDetectorOutput.httpOutput(from:), GetLogAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4046,9 +3995,9 @@ extension CloudWatchLogsClient { /// /// Lists log events from the specified log stream. You can list all of the log events or filter using a time range. GetLogEvents is a paginated operation. Each page returned can contain up to 1 MB of log events or up to 10,000 log events. A returned page might only be partially full, or even empty. For example, if the result of a query would return 15,000 log events, the first page isn't guaranteed to have 10,000 log events even if they all fit into 1 MB. Partially full or empty pages don't necessarily mean that pagination is finished. As long as the nextBackwardToken or nextForwardToken returned is NOT equal to the nextToken that you passed into the API call, there might be more log events available. The token that you use depends on the direction you want to move in along the log stream. The returned tokens are never null. If you set startFromHead to true and you don’t include endTime in your request, you can end up in a situation where the pagination doesn't terminate. This can happen when the new log events are being added to the target log streams faster than they are being read. This situation is a good use case for the CloudWatch Logs [Live Tail](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/CloudWatchLogs_LiveTail.html) feature. If you are using CloudWatch cross-account observability, you can use this operation in a monitoring account and view data from the linked source accounts. For more information, see [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). You can specify the log group to search by using either logGroupIdentifier or logGroupName. You must include one of these two parameters, but you can't include both. If you are using [log transformation](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/CloudWatch-Logs-Transformation.html), the GetLogEvents operation returns only the original versions of log events, before they were transformed. To view the transformed versions, you must use a [CloudWatch Logs query.](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/AnalyzingLogData.html) /// - /// - Parameter GetLogEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLogEventsInput`) /// - /// - Returns: `GetLogEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLogEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4082,7 +4031,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLogEventsOutput.httpOutput(from:), GetLogEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4117,9 +4065,9 @@ extension CloudWatchLogsClient { /// /// Returns a list of the fields that are included in log events in the specified log group. Includes the percentage of log events that contain each field. The search is limited to a time period that you specify. You can specify the log group to search by using either logGroupIdentifier or logGroupName. You must specify one of these parameters, but you can't specify both. In the results, fields that start with @ are fields generated by CloudWatch Logs. For example, @timestamp is the timestamp of each log event. For more information about the fields that are generated by CloudWatch logs, see [Supported Logs and Discovered Fields](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/CWL_AnalyzeLogData-discoverable-fields.html). The response results are sorted by the frequency percentage, starting with the highest percentage. If you are using CloudWatch cross-account observability, you can use this operation in a monitoring account and view data from the linked source accounts. For more information, see [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). /// - /// - Parameter GetLogGroupFieldsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLogGroupFieldsInput`) /// - /// - Returns: `GetLogGroupFieldsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLogGroupFieldsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4154,7 +4102,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLogGroupFieldsOutput.httpOutput(from:), GetLogGroupFieldsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4189,9 +4136,9 @@ extension CloudWatchLogsClient { /// /// Retrieves a large logging object (LLO) and streams it back. This API is used to fetch the content of large portions of log events that have been ingested through the PutOpenTelemetryLogs API. When log events contain fields that would cause the total event size to exceed 1MB, CloudWatch Logs automatically processes up to 10 fields, starting with the largest fields. Each field is truncated as needed to keep the total event size as close to 1MB as possible. The excess portions are stored as Large Log Objects (LLOs) and these fields are processed separately and LLO reference system fields (in the format @ptr.$[path.to.field]) are added. The path in the reference field reflects the original JSON structure where the large field was located. For example, this could be @ptr.$['input']['message'], @ptr.$['AAA']['BBB']['CCC']['DDD'], @ptr.$['AAA'], or any other path matching your log structure. /// - /// - Parameter GetLogObjectInput : The parameters for the GetLogObject operation. + /// - Parameter input: The parameters for the GetLogObject operation. (Type: `GetLogObjectInput`) /// - /// - Returns: `GetLogObjectOutput` : The response from the GetLogObject operation. + /// - Returns: The response from the GetLogObject operation. (Type: `GetLogObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4227,7 +4174,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLogObjectOutput.httpOutput(from:), GetLogObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4262,9 +4208,9 @@ extension CloudWatchLogsClient { /// /// Retrieves all of the fields and values of a single log event. All fields are retrieved, even if the original query that produced the logRecordPointer retrieved only a subset of fields. Fields are returned as field name/field value pairs. The full unparsed log event is returned within @message. /// - /// - Parameter GetLogRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLogRecordInput`) /// - /// - Returns: `GetLogRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLogRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4299,7 +4245,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLogRecordOutput.httpOutput(from:), GetLogRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4334,9 +4279,9 @@ extension CloudWatchLogsClient { /// /// Returns the results from the specified query. Only the fields requested in the query are returned, along with a @ptr field, which is the identifier for the log record. You can use the value of @ptr in a [GetLogRecord](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_GetLogRecord.html) operation to get the full log record. GetQueryResults does not start running a query. To run a query, use [StartQuery](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_StartQuery.html). For more information about how long results of previous queries are available, see [CloudWatch Logs quotas](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/cloudwatch_limits_cwl.html). If the value of the Status field in the output is Running, this operation returns only partial results. If you see a value of Scheduled or Running for the status, you can retry the operation later to see the final results. If you are using CloudWatch cross-account observability, you can use this operation in a monitoring account to start queries in linked source accounts. For more information, see [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). /// - /// - Parameter GetQueryResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryResultsInput`) /// - /// - Returns: `GetQueryResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4370,7 +4315,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryResultsOutput.httpOutput(from:), GetQueryResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4405,9 +4349,9 @@ extension CloudWatchLogsClient { /// /// Returns the information about the log transformer associated with this log group. This operation returns data only for transformers created at the log group level. To get information for an account-level transformer, use [DescribeAccountPolicies](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_DescribeAccountPolicies.html). /// - /// - Parameter GetTransformerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransformerInput`) /// - /// - Returns: `GetTransformerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransformerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4442,7 +4386,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransformerOutput.httpOutput(from:), GetTransformerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4477,9 +4420,9 @@ extension CloudWatchLogsClient { /// /// Returns a list of anomalies that log anomaly detectors have found. For details about the structure format of each anomaly object that is returned, see the example in this section. /// - /// - Parameter ListAnomaliesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnomaliesInput`) /// - /// - Returns: `ListAnomaliesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnomaliesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4514,7 +4457,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnomaliesOutput.httpOutput(from:), ListAnomaliesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4549,9 +4491,9 @@ extension CloudWatchLogsClient { /// /// Returns a list of integrations between CloudWatch Logs and other services in this account. Currently, only one integration can be created in an account, and this integration must be with OpenSearch Service. /// - /// - Parameter ListIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIntegrationsInput`) /// - /// - Returns: `ListIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4584,7 +4526,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIntegrationsOutput.httpOutput(from:), ListIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4619,9 +4560,9 @@ extension CloudWatchLogsClient { /// /// Retrieves a list of the log anomaly detectors in the account. /// - /// - Parameter ListLogAnomalyDetectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLogAnomalyDetectorsInput`) /// - /// - Returns: `ListLogAnomalyDetectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLogAnomalyDetectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4656,7 +4597,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLogAnomalyDetectorsOutput.httpOutput(from:), ListLogAnomalyDetectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4691,9 +4631,9 @@ extension CloudWatchLogsClient { /// /// Returns a list of log groups in the Region in your account. If you are performing this action in a monitoring account, you can choose to also return log groups from source accounts that are linked to the monitoring account. For more information about using cross-account observability to set up monitoring accounts and source accounts, see [ CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). You can optionally filter the list by log group class and by using regular expressions in your request to match strings in the log group names. This operation is paginated. By default, your first use of this operation returns 50 results, and includes a token to use in a subsequent operation to return more results. /// - /// - Parameter ListLogGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLogGroupsInput`) /// - /// - Returns: `ListLogGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLogGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4726,7 +4666,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLogGroupsOutput.httpOutput(from:), ListLogGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4761,9 +4700,9 @@ extension CloudWatchLogsClient { /// /// Returns a list of the log groups that were analyzed during a single CloudWatch Logs Insights query. This can be useful for queries that use log group name prefixes or the filterIndex command, because the log groups are dynamically selected in these cases. For more information about field indexes, see [Create field indexes to improve query performance and reduce costs](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/CloudWatchLogs-Field-Indexing.html). /// - /// - Parameter ListLogGroupsForQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLogGroupsForQueryInput`) /// - /// - Returns: `ListLogGroupsForQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLogGroupsForQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4798,7 +4737,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLogGroupsForQueryOutput.httpOutput(from:), ListLogGroupsForQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4833,9 +4771,9 @@ extension CloudWatchLogsClient { /// /// Displays the tags associated with a CloudWatch Logs resource. Currently, log groups and destinations support tagging. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4869,7 +4807,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4905,9 +4842,9 @@ extension CloudWatchLogsClient { /// The ListTagsLogGroup operation is on the path to deprecation. We recommend that you use [ListTagsForResource](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_ListTagsForResource.html) instead. Lists the tags for the specified log group. @available(*, deprecated, message: "Please use the generic tagging API ListTagsForResource") /// - /// - Parameter ListTagsLogGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsLogGroupInput`) /// - /// - Returns: `ListTagsLogGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsLogGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4940,7 +4877,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsLogGroupOutput.httpOutput(from:), ListTagsLogGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5014,9 +4950,9 @@ extension CloudWatchLogsClient { /// /// * If you have a NOT IN policy for prefix "/aws/lambda", you cannot create an IN policy for prefix "/aws" because the set of log groups matching "/aws" is not a subset of the log groups matching "/aws/lambda". /// - /// - Parameter PutAccountPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccountPolicyInput`) /// - /// - Returns: `PutAccountPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccountPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5051,7 +4987,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountPolicyOutput.httpOutput(from:), PutAccountPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5086,9 +5021,9 @@ extension CloudWatchLogsClient { /// /// Creates a data protection policy for the specified log group. A data protection policy can help safeguard sensitive data that's ingested by the log group by auditing and masking the sensitive log data. Sensitive data is detected and masked when it is ingested into the log group. When you set a data protection policy, log events ingested into the log group before that time are not masked. By default, when a user views a log event that includes masked data, the sensitive data is replaced by asterisks. A user who has the logs:Unmask permission can use a [GetLogEvents](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_GetLogEvents.html) or [FilterLogEvents](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_FilterLogEvents.html) operation with the unmask parameter set to true to view the unmasked log events. Users with the logs:Unmask can also view unmasked data in the CloudWatch Logs console by running a CloudWatch Logs Insights query with the unmask query command. For more information, including a list of types of data that can be audited and masked, see [Protect sensitive log data with masking](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/mask-sensitive-log-data.html). The PutDataProtectionPolicy operation applies to only the specified log group. You can also use [PutAccountPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutAccountPolicy.html) to create an account-level data protection policy that applies to all log groups in the account, including both existing log groups and log groups that are created level. If a log group has its own data protection policy and the account also has an account-level data protection policy, then the two policies are cumulative. Any sensitive term specified in either policy is masked. /// - /// - Parameter PutDataProtectionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDataProtectionPolicyInput`) /// - /// - Returns: `PutDataProtectionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDataProtectionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5124,7 +5059,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDataProtectionPolicyOutput.httpOutput(from:), PutDataProtectionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5170,9 +5104,9 @@ extension CloudWatchLogsClient { /// /// You can configure a single delivery source to send logs to multiple destinations by creating multiple deliveries. You can also create multiple deliveries to configure multiple delivery sources to send logs to the same delivery destination. Only some Amazon Web Services services support being configured as a delivery source. These services are listed as Supported [V2 Permissions] in the table at [Enabling logging from Amazon Web Services services.](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/AWS-logs-and-resource-policy.html) If you use this operation to update an existing delivery destination, all the current delivery destination parameters are overwritten with the new parameter values that you specify. /// - /// - Parameter PutDeliveryDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDeliveryDestinationInput`) /// - /// - Returns: `PutDeliveryDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDeliveryDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5209,7 +5143,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDeliveryDestinationOutput.httpOutput(from:), PutDeliveryDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5255,9 +5188,9 @@ extension CloudWatchLogsClient { /// /// Only some Amazon Web Services services support being configured as a delivery source. These services are listed as Supported [V2 Permissions] in the table at [Enabling logging from Amazon Web Services services.](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/AWS-logs-and-resource-policy.html) The contents of the policy must include two statements. One statement enables general logs delivery, and the other allows delivery to the chosen destination. See the examples for the needed policies. /// - /// - Parameter PutDeliveryDestinationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDeliveryDestinationPolicyInput`) /// - /// - Returns: `PutDeliveryDestinationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDeliveryDestinationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5292,7 +5225,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDeliveryDestinationPolicyOutput.httpOutput(from:), PutDeliveryDestinationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5338,9 +5270,9 @@ extension CloudWatchLogsClient { /// /// You can configure a single delivery source to send logs to multiple destinations by creating multiple deliveries. You can also create multiple deliveries to configure multiple delivery sources to send logs to the same delivery destination. Only some Amazon Web Services services support being configured as a delivery source. These services are listed as Supported [V2 Permissions] in the table at [Enabling logging from Amazon Web Services services.](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/AWS-logs-and-resource-policy.html) If you use this operation to update an existing delivery source, all the current delivery source parameters are overwritten with the new parameter values that you specify. /// - /// - Parameter PutDeliverySourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDeliverySourceInput`) /// - /// - Returns: `PutDeliverySourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDeliverySourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5377,7 +5309,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDeliverySourceOutput.httpOutput(from:), PutDeliverySourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5412,9 +5343,9 @@ extension CloudWatchLogsClient { /// /// Creates or updates a destination. This operation is used only to create destinations for cross-account subscriptions. A destination encapsulates a physical resource (such as an Amazon Kinesis stream). With a destination, you can subscribe to a real-time stream of log events for a different account, ingested using [PutLogEvents](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutLogEvents.html). Through an access policy, a destination controls what is written to it. By default, PutDestination does not set any access policy with the destination, which means a cross-account user cannot call [PutSubscriptionFilter](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutSubscriptionFilter.html) against this destination. To enable this, the destination owner must call [PutDestinationPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutDestinationPolicy.html) after PutDestination. To perform a PutDestination operation, you must also have the iam:PassRole permission. /// - /// - Parameter PutDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDestinationInput`) /// - /// - Returns: `PutDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5448,7 +5379,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDestinationOutput.httpOutput(from:), PutDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5483,9 +5413,9 @@ extension CloudWatchLogsClient { /// /// Creates or updates an access policy associated with an existing destination. An access policy is an [IAM policy document](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies_overview.html) that is used to authorize claims to register a subscription filter against a given destination. /// - /// - Parameter PutDestinationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDestinationPolicyInput`) /// - /// - Returns: `PutDestinationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDestinationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5519,7 +5449,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDestinationPolicyOutput.httpOutput(from:), PutDestinationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5572,9 +5501,9 @@ extension CloudWatchLogsClient { /// /// Matches of log events to the names of indexed fields are case-sensitive. For example, a field index of RequestId won't match a log event containing requestId. Log group-level field index policies created with PutIndexPolicy override account-level field index policies created with [PutAccountPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutAccountPolicy.html). If you use PutIndexPolicy to create a field index policy for a log group, that log group uses only that policy. The log group ignores any account-wide field index policy that you might have created. /// - /// - Parameter PutIndexPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutIndexPolicyInput`) /// - /// - Returns: `PutIndexPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutIndexPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5610,7 +5539,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutIndexPolicyOutput.httpOutput(from:), PutIndexPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5645,9 +5573,9 @@ extension CloudWatchLogsClient { /// /// Creates an integration between CloudWatch Logs and another service in this account. Currently, only integrations with OpenSearch Service are supported, and currently you can have only one integration in your account. Integrating with OpenSearch Service makes it possible for you to create curated vended logs dashboards, powered by OpenSearch Service analytics. For more information, see [Vended log dashboards powered by Amazon OpenSearch Service](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/CloudWatchLogs-OpenSearch-Dashboards.html). You can use this operation only to create a new integration. You can't modify an existing integration. /// - /// - Parameter PutIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutIntegrationInput`) /// - /// - Returns: `PutIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5682,7 +5610,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutIntegrationOutput.httpOutput(from:), PutIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5736,9 +5663,9 @@ extension CloudWatchLogsClient { /// /// The quota of five requests per second per log stream has been removed. Instead, PutLogEvents actions are throttled based on a per-second per-account quota. You can request an increase to the per-second throttling quota by using the Service Quotas service. If a call to PutLogEvents returns "UnrecognizedClientException" the most likely cause is a non-valid Amazon Web Services access key ID or secret key. /// - /// - Parameter PutLogEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLogEventsInput`) /// - /// - Returns: `PutLogEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLogEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5775,7 +5702,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLogEventsOutput.httpOutput(from:), PutLogEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5810,9 +5736,9 @@ extension CloudWatchLogsClient { /// /// Creates or updates a metric filter and associates it with the specified log group. With metric filters, you can configure rules to extract metric data from log events ingested through [PutLogEvents](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutLogEvents.html). The maximum number of metric filters that can be associated with a log group is 100. Using regular expressions in filter patterns is supported. For these filters, there is a quota of two regular expression patterns within a single filter pattern. There is also a quota of five regular expression patterns per log group. For more information about using regular expressions in filter patterns, see [ Filter pattern syntax for metric filters, subscription filters, filter log events, and Live Tail](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/FilterAndPatternSyntax.html). When you create a metric filter, you can also optionally assign a unit and dimensions to the metric that is created. Metrics extracted from log events are charged as custom metrics. To prevent unexpected high charges, do not specify high-cardinality fields such as IPAddress or requestID as dimensions. Each different value found for a dimension is treated as a separate metric and accrues charges as a separate custom metric. CloudWatch Logs might disable a metric filter if it generates 1,000 different name/value pairs for your specified dimensions within one hour. You can also set up a billing alarm to alert you if your charges are higher than expected. For more information, see [ Creating a Billing Alarm to Monitor Your Estimated Amazon Web Services Charges](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/monitor_estimated_charges_with_cloudwatch.html). /// - /// - Parameter PutMetricFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMetricFilterInput`) /// - /// - Returns: `PutMetricFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMetricFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5849,7 +5775,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMetricFilterOutput.httpOutput(from:), PutMetricFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5884,9 +5809,9 @@ extension CloudWatchLogsClient { /// /// Creates or updates a query definition for CloudWatch Logs Insights. For more information, see [Analyzing Log Data with CloudWatch Logs Insights](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/AnalyzingLogData.html). To update a query definition, specify its queryDefinitionId in your request. The values of name, queryString, and logGroupNames are changed to the values that you specify in your update operation. No current values are retained from the current query definition. For example, imagine updating a current query definition that includes log groups. If you don't specify the logGroupNames parameter in your update operation, the query definition changes to contain no log groups. You must have the logs:PutQueryDefinition permission to be able to perform this operation. /// - /// - Parameter PutQueryDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutQueryDefinitionInput`) /// - /// - Returns: `PutQueryDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutQueryDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5922,7 +5847,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutQueryDefinitionOutput.httpOutput(from:), PutQueryDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5957,9 +5881,9 @@ extension CloudWatchLogsClient { /// /// Creates or updates a resource policy allowing other Amazon Web Services services to put log events to this account, such as Amazon Route 53. An account can have up to 10 resource policies per Amazon Web Services Region. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5995,7 +5919,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6030,9 +5953,9 @@ extension CloudWatchLogsClient { /// /// Sets the retention of the specified log group. With a retention policy, you can configure the number of days for which to retain log events in the specified log group. CloudWatch Logs doesn't immediately delete log events when they reach their retention setting. It typically takes up to 72 hours after that before log events are deleted, but in rare situations might take longer. To illustrate, imagine that you change a log group to have a longer retention setting when it contains log events that are past the expiration date, but haven't been deleted. Those log events will take up to 72 hours to be deleted after the new retention date is reached. To make sure that log data is deleted permanently, keep a log group at its lower retention setting until 72 hours after the previous retention period ends. Alternatively, wait to change the retention setting until you confirm that the earlier log events are deleted. When log events reach their retention setting they are marked for deletion. After they are marked for deletion, they do not add to your archival storage costs anymore, even if they are not actually deleted until later. These log events marked for deletion are also not included when you use an API to retrieve the storedBytes value to see how many bytes a log group is storing. /// - /// - Parameter PutRetentionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRetentionPolicyInput`) /// - /// - Returns: `PutRetentionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRetentionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6067,7 +5990,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRetentionPolicyOutput.httpOutput(from:), PutRetentionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6113,9 +6035,9 @@ extension CloudWatchLogsClient { /// /// Each log group can have up to two subscription filters associated with it. If you are updating an existing filter, you must specify the correct name in filterName. Using regular expressions in filter patterns is supported. For these filters, there is a quotas of quota of two regular expression patterns within a single filter pattern. There is also a quota of five regular expression patterns per log group. For more information about using regular expressions in filter patterns, see [ Filter pattern syntax for metric filters, subscription filters, filter log events, and Live Tail](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/FilterAndPatternSyntax.html). To perform a PutSubscriptionFilter operation for any destination except a Lambda function, you must also have the iam:PassRole permission. /// - /// - Parameter PutSubscriptionFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSubscriptionFilterInput`) /// - /// - Returns: `PutSubscriptionFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSubscriptionFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6152,7 +6074,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSubscriptionFilterOutput.httpOutput(from:), PutSubscriptionFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6187,9 +6108,9 @@ extension CloudWatchLogsClient { /// /// Creates or updates a log transformer for a single log group. You use log transformers to transform log events into a different format, making them easier for you to process and analyze. You can also transform logs from different sources into standardized formats that contains relevant, source-specific information. After you have created a transformer, CloudWatch Logs performs the transformations at the time of log ingestion. You can then refer to the transformed versions of the logs during operations such as querying with CloudWatch Logs Insights or creating metric filters or subscription filers. You can also use a transformer to copy metadata from metadata keys into the log events themselves. This metadata can include log group name, log stream name, account ID and Region. A transformer for a log group is a series of processors, where each processor applies one type of transformation to the log events ingested into this log group. The processors work one after another, in the order that you list them, like a pipeline. For more information about the available processors to use in a transformer, see [ Processors that you can use](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/CloudWatch-Logs-Transformation.html#CloudWatch-Logs-Transformation-Processors). Having log events in standardized format enables visibility across your applications for your log analysis, reporting, and alarming needs. CloudWatch Logs provides transformation for common log types with out-of-the-box transformation templates for major Amazon Web Services log sources such as VPC flow logs, Lambda, and Amazon RDS. You can use pre-built transformation templates or create custom transformation policies. You can create transformers only for the log groups in the Standard log class. You can also set up a transformer at the account level. For more information, see [PutAccountPolicy](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_PutAccountPolicy.html). If there is both a log-group level transformer created with PutTransformer and an account-level transformer that could apply to the same log group, the log group uses only the log-group level transformer. It ignores the account-level transformer. /// - /// - Parameter PutTransformerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTransformerInput`) /// - /// - Returns: `PutTransformerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTransformerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6226,7 +6147,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTransformerOutput.httpOutput(from:), PutTransformerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6272,9 +6192,9 @@ extension CloudWatchLogsClient { /// /// The StartLiveTail API routes requests to streaming-logs.Region.amazonaws.com using SDK host prefix injection. VPC endpoint support is not available for this API. You can end a session before it times out by closing the session stream or by closing the client that is receiving the stream. The session also ends if the established connection between the client and the server breaks. For examples of using an SDK to start a Live Tail session, see [ Start a Live Tail session using an Amazon Web Services SDK](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/example_cloudwatch-logs_StartLiveTail_section.html). /// - /// - Parameter StartLiveTailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartLiveTailInput`) /// - /// - Returns: `StartLiveTailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartLiveTailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6310,7 +6230,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartLiveTailOutput.httpOutput(from:), StartLiveTailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6352,9 +6271,9 @@ extension CloudWatchLogsClient { /// /// If you have associated a KMS key with the query results in this account, then [StartQuery](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_StartQuery.html) uses that key to encrypt the results when it stores them. If no key is associated with query results, the query results are encrypted with the default CloudWatch Logs encryption method. Queries time out after 60 minutes of runtime. If your queries are timing out, reduce the time range being searched or partition your query into a number of queries. If you are using CloudWatch cross-account observability, you can use this operation in a monitoring account to start a query in a linked source account. For more information, see [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). For a cross-account StartQuery operation, the query definition must be defined in the monitoring account. You can have up to 30 concurrent CloudWatch Logs insights queries, including queries that have been added to dashboards. /// - /// - Parameter StartQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartQueryInput`) /// - /// - Returns: `StartQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6390,7 +6309,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartQueryOutput.httpOutput(from:), StartQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6425,9 +6343,9 @@ extension CloudWatchLogsClient { /// /// Stops a CloudWatch Logs Insights query that is in progress. If the query has already ended, the operation returns an error indicating that the specified query is not running. /// - /// - Parameter StopQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopQueryInput`) /// - /// - Returns: `StopQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6461,7 +6379,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopQueryOutput.httpOutput(from:), StopQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6497,9 +6414,9 @@ extension CloudWatchLogsClient { /// The TagLogGroup operation is on the path to deprecation. We recommend that you use [TagResource](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_TagResource.html) instead. Adds or updates the specified tags for the specified log group. To list the tags for a log group, use [ListTagsForResource](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_ListTagsForResource.html). To remove tags, use [UntagResource](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_UntagResource.html). For more information about tags, see [Tag Log Groups in Amazon CloudWatch Logs](https://docs.aws.amazon.com/AmazonCloudWatch/latest/logs/Working-with-log-groups-and-streams.html#log-group-tagging) in the Amazon CloudWatch Logs User Guide. CloudWatch Logs doesn't support IAM policies that prevent users from assigning specified tags to log groups using the aws:Resource/key-name or aws:TagKeys condition keys. For more information about using tags to control access, see [Controlling access to Amazon Web Services resources using tags](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_tags.html). @available(*, deprecated, message: "Please use the generic tagging API TagResource") /// - /// - Parameter TagLogGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagLogGroupInput`) /// - /// - Returns: `TagLogGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagLogGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6532,7 +6449,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagLogGroupOutput.httpOutput(from:), TagLogGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6567,9 +6483,9 @@ extension CloudWatchLogsClient { /// /// Assigns one or more tags (key-value pairs) to the specified CloudWatch Logs resource. Currently, the only CloudWatch Logs resources that can be tagged are log groups and destinations. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with a resource that already has tags. If you specify a new tag key for the alarm, this tag is appended to the list of tags associated with the alarm. If you specify a tag key that is already associated with the alarm, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a CloudWatch Logs resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6604,7 +6520,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6639,9 +6554,9 @@ extension CloudWatchLogsClient { /// /// Tests the filter pattern of a metric filter against a sample of log event messages. You can use this operation to validate the correctness of a metric filter pattern. /// - /// - Parameter TestMetricFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestMetricFilterInput`) /// - /// - Returns: `TestMetricFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestMetricFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6674,7 +6589,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestMetricFilterOutput.httpOutput(from:), TestMetricFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6709,9 +6623,9 @@ extension CloudWatchLogsClient { /// /// Use this operation to test a log transformer. You enter the transformer configuration and a set of log events to test with. The operation responds with an array that includes the original log events and the transformed versions. /// - /// - Parameter TestTransformerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestTransformerInput`) /// - /// - Returns: `TestTransformerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestTransformerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6745,7 +6659,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestTransformerOutput.httpOutput(from:), TestTransformerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6781,9 +6694,9 @@ extension CloudWatchLogsClient { /// The UntagLogGroup operation is on the path to deprecation. We recommend that you use [UntagResource](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_UntagResource.html) instead. Removes the specified tags from the specified log group. To list the tags for a log group, use [ListTagsForResource](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_ListTagsForResource.html). To add tags, use [TagResource](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_TagResource.html). When using IAM policies to control tag management for CloudWatch Logs log groups, the condition keys aws:Resource/key-name and aws:TagKeys cannot be used to restrict which tags users can assign. @available(*, deprecated, message: "Please use the generic tagging API UntagResource") /// - /// - Parameter UntagLogGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagLogGroupInput`) /// - /// - Returns: `UntagLogGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagLogGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6815,7 +6728,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagLogGroupOutput.httpOutput(from:), UntagLogGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6850,9 +6762,9 @@ extension CloudWatchLogsClient { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6886,7 +6798,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6921,9 +6832,9 @@ extension CloudWatchLogsClient { /// /// Use this operation to suppress anomaly detection for a specified anomaly or pattern. If you suppress an anomaly, CloudWatch Logs won't report new occurrences of that anomaly and won't update that anomaly with new data. If you suppress a pattern, CloudWatch Logs won't report any anomalies related to that pattern. You must specify either anomalyId or patternId, but you can't specify both parameters in the same operation. If you have previously used this operation to suppress detection of a pattern or anomaly, you can use it again to cause CloudWatch Logs to end the suppression. To do this, use this operation and specify the anomaly or pattern to stop suppressing, and omit the suppressionType and suppressionPeriod parameters. /// - /// - Parameter UpdateAnomalyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAnomalyInput`) /// - /// - Returns: `UpdateAnomalyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAnomalyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6958,7 +6869,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnomalyOutput.httpOutput(from:), UpdateAnomalyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6993,9 +6903,9 @@ extension CloudWatchLogsClient { /// /// Use this operation to update the configuration of a [delivery](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_Delivery.html) to change either the S3 path pattern or the format of the delivered logs. You can't use this operation to change the source or destination of the delivery. /// - /// - Parameter UpdateDeliveryConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDeliveryConfigurationInput`) /// - /// - Returns: `UpdateDeliveryConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDeliveryConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7032,7 +6942,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeliveryConfigurationOutput.httpOutput(from:), UpdateDeliveryConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7067,9 +6976,9 @@ extension CloudWatchLogsClient { /// /// Updates an existing log anomaly detector. /// - /// - Parameter UpdateLogAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLogAnomalyDetectorInput`) /// - /// - Returns: `UpdateLogAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLogAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7104,7 +7013,6 @@ extension CloudWatchLogsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLogAnomalyDetectorOutput.httpOutput(from:), UpdateLogAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodeBuild/Sources/AWSCodeBuild/CodeBuildClient.swift b/Sources/Services/AWSCodeBuild/Sources/AWSCodeBuild/CodeBuildClient.swift index 76b6aca28e8..052dfa5c2c7 100644 --- a/Sources/Services/AWSCodeBuild/Sources/AWSCodeBuild/CodeBuildClient.swift +++ b/Sources/Services/AWSCodeBuild/Sources/AWSCodeBuild/CodeBuildClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodeBuildClient: ClientRuntime.Client { public static let clientName = "CodeBuildClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodeBuildClient.CodeBuildClientConfiguration let serviceName = "CodeBuild" @@ -373,9 +372,9 @@ extension CodeBuildClient { /// /// Deletes one or more builds. /// - /// - Parameter BatchDeleteBuildsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteBuildsInput`) /// - /// - Returns: `BatchDeleteBuildsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteBuildsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -407,7 +406,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteBuildsOutput.httpOutput(from:), BatchDeleteBuildsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension CodeBuildClient { /// /// Retrieves information about one or more batch builds. /// - /// - Parameter BatchGetBuildBatchesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetBuildBatchesInput`) /// - /// - Returns: `BatchGetBuildBatchesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetBuildBatchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -476,7 +474,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetBuildBatchesOutput.httpOutput(from:), BatchGetBuildBatchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -511,9 +508,9 @@ extension CodeBuildClient { /// /// Gets information about one or more builds. /// - /// - Parameter BatchGetBuildsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetBuildsInput`) /// - /// - Returns: `BatchGetBuildsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetBuildsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -545,7 +542,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetBuildsOutput.httpOutput(from:), BatchGetBuildsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -580,9 +576,9 @@ extension CodeBuildClient { /// /// Gets information about the command executions. /// - /// - Parameter BatchGetCommandExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetCommandExecutionsInput`) /// - /// - Returns: `BatchGetCommandExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetCommandExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -614,7 +610,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetCommandExecutionsOutput.httpOutput(from:), BatchGetCommandExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -649,9 +644,9 @@ extension CodeBuildClient { /// /// Gets information about one or more compute fleets. /// - /// - Parameter BatchGetFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetFleetsInput`) /// - /// - Returns: `BatchGetFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetFleetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -683,7 +678,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetFleetsOutput.httpOutput(from:), BatchGetFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -718,9 +712,9 @@ extension CodeBuildClient { /// /// Gets information about one or more build projects. /// - /// - Parameter BatchGetProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetProjectsInput`) /// - /// - Returns: `BatchGetProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -752,7 +746,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetProjectsOutput.httpOutput(from:), BatchGetProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -787,9 +780,9 @@ extension CodeBuildClient { /// /// Returns an array of report groups. /// - /// - Parameter BatchGetReportGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetReportGroupsInput`) /// - /// - Returns: `BatchGetReportGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetReportGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -821,7 +814,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetReportGroupsOutput.httpOutput(from:), BatchGetReportGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -856,9 +848,9 @@ extension CodeBuildClient { /// /// Returns an array of reports. /// - /// - Parameter BatchGetReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetReportsInput`) /// - /// - Returns: `BatchGetReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -890,7 +882,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetReportsOutput.httpOutput(from:), BatchGetReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -925,9 +916,9 @@ extension CodeBuildClient { /// /// Gets information about the sandbox status. /// - /// - Parameter BatchGetSandboxesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetSandboxesInput`) /// - /// - Returns: `BatchGetSandboxesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetSandboxesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -959,7 +950,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetSandboxesOutput.httpOutput(from:), BatchGetSandboxesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -994,9 +984,9 @@ extension CodeBuildClient { /// /// Creates a compute fleet. /// - /// - Parameter CreateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFleetInput`) /// - /// - Returns: `CreateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1030,7 +1020,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFleetOutput.httpOutput(from:), CreateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1065,9 +1054,9 @@ extension CodeBuildClient { /// /// Creates a build project. /// - /// - Parameter CreateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectInput`) /// - /// - Returns: `CreateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1101,7 +1090,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectOutput.httpOutput(from:), CreateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1136,9 +1124,9 @@ extension CodeBuildClient { /// /// Creates a report group. A report group contains a collection of reports. /// - /// - Parameter CreateReportGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReportGroupInput`) /// - /// - Returns: `CreateReportGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReportGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1172,7 +1160,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReportGroupOutput.httpOutput(from:), CreateReportGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1207,9 +1194,9 @@ extension CodeBuildClient { /// /// For an existing CodeBuild build project that has its source code stored in a GitHub or Bitbucket repository, enables CodeBuild to start rebuilding the source code every time a code change is pushed to the repository. If you enable webhooks for an CodeBuild project, and the project is used as a build step in CodePipeline, then two identical builds are created for each commit. One build is triggered through webhooks, and one through CodePipeline. Because billing is on a per-build basis, you are billed for both builds. Therefore, if you are using CodePipeline, we recommend that you disable webhooks in CodeBuild. In the CodeBuild console, clear the Webhook box. For more information, see step 5 in [Change a Build Project's Settings](https://docs.aws.amazon.com/codebuild/latest/userguide/change-project.html#change-project-console). /// - /// - Parameter CreateWebhookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWebhookInput`) /// - /// - Returns: `CreateWebhookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWebhookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1244,7 +1231,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWebhookOutput.httpOutput(from:), CreateWebhookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1279,9 +1265,9 @@ extension CodeBuildClient { /// /// Deletes a batch build. /// - /// - Parameter DeleteBuildBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBuildBatchInput`) /// - /// - Returns: `DeleteBuildBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBuildBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1313,7 +1299,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBuildBatchOutput.httpOutput(from:), DeleteBuildBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1348,9 +1333,9 @@ extension CodeBuildClient { /// /// Deletes a compute fleet. When you delete a compute fleet, its builds are not deleted. /// - /// - Parameter DeleteFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetInput`) /// - /// - Returns: `DeleteFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1382,7 +1367,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetOutput.httpOutput(from:), DeleteFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1417,9 +1401,9 @@ extension CodeBuildClient { /// /// Deletes a build project. When you delete a project, its builds are not deleted. /// - /// - Parameter DeleteProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectInput`) /// - /// - Returns: `DeleteProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1451,7 +1435,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectOutput.httpOutput(from:), DeleteProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1486,9 +1469,9 @@ extension CodeBuildClient { /// /// Deletes a report. /// - /// - Parameter DeleteReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReportInput`) /// - /// - Returns: `DeleteReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1520,7 +1503,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReportOutput.httpOutput(from:), DeleteReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1555,9 +1537,9 @@ extension CodeBuildClient { /// /// Deletes a report group. Before you delete a report group, you must delete its reports. /// - /// - Parameter DeleteReportGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReportGroupInput`) /// - /// - Returns: `DeleteReportGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReportGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1589,7 +1571,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReportGroupOutput.httpOutput(from:), DeleteReportGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1624,9 +1605,9 @@ extension CodeBuildClient { /// /// Deletes a resource policy that is identified by its resource ARN. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1658,7 +1639,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1693,9 +1673,9 @@ extension CodeBuildClient { /// /// Deletes a set of GitHub, GitHub Enterprise, or Bitbucket source credentials. /// - /// - Parameter DeleteSourceCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSourceCredentialsInput`) /// - /// - Returns: `DeleteSourceCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSourceCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1728,7 +1708,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSourceCredentialsOutput.httpOutput(from:), DeleteSourceCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1763,9 +1742,9 @@ extension CodeBuildClient { /// /// For an existing CodeBuild build project that has its source code stored in a GitHub or Bitbucket repository, stops CodeBuild from rebuilding the source code every time a code change is pushed to the repository. /// - /// - Parameter DeleteWebhookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWebhookInput`) /// - /// - Returns: `DeleteWebhookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWebhookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1799,7 +1778,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWebhookOutput.httpOutput(from:), DeleteWebhookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1834,9 +1812,9 @@ extension CodeBuildClient { /// /// Retrieves one or more code coverage reports. /// - /// - Parameter DescribeCodeCoveragesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCodeCoveragesInput`) /// - /// - Returns: `DescribeCodeCoveragesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCodeCoveragesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1868,7 +1846,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCodeCoveragesOutput.httpOutput(from:), DescribeCodeCoveragesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1903,9 +1880,9 @@ extension CodeBuildClient { /// /// Returns a list of details about test cases for a report. /// - /// - Parameter DescribeTestCasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTestCasesInput`) /// - /// - Returns: `DescribeTestCasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTestCasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1938,7 +1915,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTestCasesOutput.httpOutput(from:), DescribeTestCasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1973,9 +1949,9 @@ extension CodeBuildClient { /// /// Analyzes and accumulates test report values for the specified test reports. /// - /// - Parameter GetReportGroupTrendInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReportGroupTrendInput`) /// - /// - Returns: `GetReportGroupTrendOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReportGroupTrendOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2008,7 +1984,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReportGroupTrendOutput.httpOutput(from:), GetReportGroupTrendOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2043,9 +2018,9 @@ extension CodeBuildClient { /// /// Gets a resource policy that is identified by its resource ARN. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2078,7 +2053,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2113,9 +2087,9 @@ extension CodeBuildClient { /// /// Imports the source repository credentials for an CodeBuild project that has its source code stored in a GitHub, GitHub Enterprise, GitLab, GitLab Self Managed, or Bitbucket repository. /// - /// - Parameter ImportSourceCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportSourceCredentialsInput`) /// - /// - Returns: `ImportSourceCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportSourceCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2149,7 +2123,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportSourceCredentialsOutput.httpOutput(from:), ImportSourceCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2184,9 +2157,9 @@ extension CodeBuildClient { /// /// Resets the cache for a project. /// - /// - Parameter InvalidateProjectCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvalidateProjectCacheInput`) /// - /// - Returns: `InvalidateProjectCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvalidateProjectCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2219,7 +2192,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvalidateProjectCacheOutput.httpOutput(from:), InvalidateProjectCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2254,9 +2226,9 @@ extension CodeBuildClient { /// /// Retrieves the identifiers of your build batches in the current region. /// - /// - Parameter ListBuildBatchesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBuildBatchesInput`) /// - /// - Returns: `ListBuildBatchesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBuildBatchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2288,7 +2260,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBuildBatchesOutput.httpOutput(from:), ListBuildBatchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2323,9 +2294,9 @@ extension CodeBuildClient { /// /// Retrieves the identifiers of the build batches for a specific project. /// - /// - Parameter ListBuildBatchesForProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBuildBatchesForProjectInput`) /// - /// - Returns: `ListBuildBatchesForProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBuildBatchesForProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2358,7 +2329,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBuildBatchesForProjectOutput.httpOutput(from:), ListBuildBatchesForProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2393,9 +2363,9 @@ extension CodeBuildClient { /// /// Gets a list of build IDs, with each build ID representing a single build. /// - /// - Parameter ListBuildsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBuildsInput`) /// - /// - Returns: `ListBuildsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBuildsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2427,7 +2397,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBuildsOutput.httpOutput(from:), ListBuildsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2462,9 +2431,9 @@ extension CodeBuildClient { /// /// Gets a list of build identifiers for the specified build project, with each build identifier representing a single build. /// - /// - Parameter ListBuildsForProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBuildsForProjectInput`) /// - /// - Returns: `ListBuildsForProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBuildsForProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2497,7 +2466,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBuildsForProjectOutput.httpOutput(from:), ListBuildsForProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2532,9 +2500,9 @@ extension CodeBuildClient { /// /// Gets a list of command executions for a sandbox. /// - /// - Parameter ListCommandExecutionsForSandboxInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCommandExecutionsForSandboxInput`) /// - /// - Returns: `ListCommandExecutionsForSandboxOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCommandExecutionsForSandboxOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2567,7 +2535,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCommandExecutionsForSandboxOutput.httpOutput(from:), ListCommandExecutionsForSandboxOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2602,9 +2569,9 @@ extension CodeBuildClient { /// /// Gets information about Docker images that are managed by CodeBuild. /// - /// - Parameter ListCuratedEnvironmentImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCuratedEnvironmentImagesInput`) /// - /// - Returns: `ListCuratedEnvironmentImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCuratedEnvironmentImagesOutput`) public func listCuratedEnvironmentImages(input: ListCuratedEnvironmentImagesInput) async throws -> ListCuratedEnvironmentImagesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2631,7 +2598,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCuratedEnvironmentImagesOutput.httpOutput(from:), ListCuratedEnvironmentImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2666,9 +2632,9 @@ extension CodeBuildClient { /// /// Gets a list of compute fleet names with each compute fleet name representing a single compute fleet. /// - /// - Parameter ListFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFleetsInput`) /// - /// - Returns: `ListFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFleetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2700,7 +2666,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFleetsOutput.httpOutput(from:), ListFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2735,9 +2700,9 @@ extension CodeBuildClient { /// /// Gets a list of build project names, with each build project name representing a single build project. /// - /// - Parameter ListProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectsInput`) /// - /// - Returns: `ListProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2769,7 +2734,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectsOutput.httpOutput(from:), ListProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2804,9 +2768,9 @@ extension CodeBuildClient { /// /// Gets a list ARNs for the report groups in the current Amazon Web Services account. /// - /// - Parameter ListReportGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReportGroupsInput`) /// - /// - Returns: `ListReportGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReportGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2838,7 +2802,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReportGroupsOutput.httpOutput(from:), ListReportGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2873,9 +2836,9 @@ extension CodeBuildClient { /// /// Returns a list of ARNs for the reports in the current Amazon Web Services account. /// - /// - Parameter ListReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReportsInput`) /// - /// - Returns: `ListReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2907,7 +2870,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReportsOutput.httpOutput(from:), ListReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2942,9 +2904,9 @@ extension CodeBuildClient { /// /// Returns a list of ARNs for the reports that belong to a ReportGroup. /// - /// - Parameter ListReportsForReportGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReportsForReportGroupInput`) /// - /// - Returns: `ListReportsForReportGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReportsForReportGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2977,7 +2939,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReportsForReportGroupOutput.httpOutput(from:), ListReportsForReportGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3012,9 +2973,9 @@ extension CodeBuildClient { /// /// Gets a list of sandboxes. /// - /// - Parameter ListSandboxesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSandboxesInput`) /// - /// - Returns: `ListSandboxesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSandboxesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3046,7 +3007,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSandboxesOutput.httpOutput(from:), ListSandboxesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3081,9 +3041,9 @@ extension CodeBuildClient { /// /// Gets a list of sandboxes for a given project. /// - /// - Parameter ListSandboxesForProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSandboxesForProjectInput`) /// - /// - Returns: `ListSandboxesForProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSandboxesForProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3116,7 +3076,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSandboxesForProjectOutput.httpOutput(from:), ListSandboxesForProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3151,9 +3110,9 @@ extension CodeBuildClient { /// /// Gets a list of projects that are shared with other Amazon Web Services accounts or users. /// - /// - Parameter ListSharedProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSharedProjectsInput`) /// - /// - Returns: `ListSharedProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSharedProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3185,7 +3144,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSharedProjectsOutput.httpOutput(from:), ListSharedProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3220,9 +3178,9 @@ extension CodeBuildClient { /// /// Gets a list of report groups that are shared with other Amazon Web Services accounts or users. /// - /// - Parameter ListSharedReportGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSharedReportGroupsInput`) /// - /// - Returns: `ListSharedReportGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSharedReportGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3254,7 +3212,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSharedReportGroupsOutput.httpOutput(from:), ListSharedReportGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3289,9 +3246,9 @@ extension CodeBuildClient { /// /// Returns a list of SourceCredentialsInfo objects. /// - /// - Parameter ListSourceCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSourceCredentialsInput`) /// - /// - Returns: `ListSourceCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSourceCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3323,7 +3280,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSourceCredentialsOutput.httpOutput(from:), ListSourceCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3358,9 +3314,9 @@ extension CodeBuildClient { /// /// Stores a resource policy for the ARN of a Project or ReportGroup object. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3393,7 +3349,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3428,9 +3383,9 @@ extension CodeBuildClient { /// /// Restarts a build. /// - /// - Parameter RetryBuildInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetryBuildInput`) /// - /// - Returns: `RetryBuildOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetryBuildOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3464,7 +3419,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetryBuildOutput.httpOutput(from:), RetryBuildOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3499,9 +3453,9 @@ extension CodeBuildClient { /// /// Restarts a failed batch build. Only batch builds that have failed can be retried. /// - /// - Parameter RetryBuildBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetryBuildBatchInput`) /// - /// - Returns: `RetryBuildBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetryBuildBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3534,7 +3488,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetryBuildBatchOutput.httpOutput(from:), RetryBuildBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3569,9 +3522,9 @@ extension CodeBuildClient { /// /// Starts running a build with the settings defined in the project. These setting include: how to run a build, where to get the source code, which build environment to use, which build commands to run, and where to store the build output. You can also start a build run by overriding some of the build settings in the project. The overrides only apply for that specific start build request. The settings in the project are unaltered. /// - /// - Parameter StartBuildInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBuildInput`) /// - /// - Returns: `StartBuildOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBuildOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3605,7 +3558,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBuildOutput.httpOutput(from:), StartBuildOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3640,9 +3592,9 @@ extension CodeBuildClient { /// /// Starts a batch build for a project. /// - /// - Parameter StartBuildBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBuildBatchInput`) /// - /// - Returns: `StartBuildBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBuildBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3675,7 +3627,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBuildBatchOutput.httpOutput(from:), StartBuildBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3710,9 +3661,9 @@ extension CodeBuildClient { /// /// Starts a command execution. /// - /// - Parameter StartCommandExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCommandExecutionInput`) /// - /// - Returns: `StartCommandExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCommandExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3745,7 +3696,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCommandExecutionOutput.httpOutput(from:), StartCommandExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3780,9 +3730,9 @@ extension CodeBuildClient { /// /// Starts a sandbox. /// - /// - Parameter StartSandboxInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSandboxInput`) /// - /// - Returns: `StartSandboxOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSandboxOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3816,7 +3766,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSandboxOutput.httpOutput(from:), StartSandboxOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3851,9 +3800,9 @@ extension CodeBuildClient { /// /// Starts a sandbox connection. /// - /// - Parameter StartSandboxConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSandboxConnectionInput`) /// - /// - Returns: `StartSandboxConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSandboxConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3886,7 +3835,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSandboxConnectionOutput.httpOutput(from:), StartSandboxConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3921,9 +3869,9 @@ extension CodeBuildClient { /// /// Attempts to stop running a build. /// - /// - Parameter StopBuildInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopBuildInput`) /// - /// - Returns: `StopBuildOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopBuildOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3956,7 +3904,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopBuildOutput.httpOutput(from:), StopBuildOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3991,9 +3938,9 @@ extension CodeBuildClient { /// /// Stops a running batch build. /// - /// - Parameter StopBuildBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopBuildBatchInput`) /// - /// - Returns: `StopBuildBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopBuildBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4026,7 +3973,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopBuildBatchOutput.httpOutput(from:), StopBuildBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4061,9 +4007,9 @@ extension CodeBuildClient { /// /// Stops a sandbox. /// - /// - Parameter StopSandboxInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSandboxInput`) /// - /// - Returns: `StopSandboxOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSandboxOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4096,7 +4042,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSandboxOutput.httpOutput(from:), StopSandboxOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4131,9 +4076,9 @@ extension CodeBuildClient { /// /// Updates a compute fleet. /// - /// - Parameter UpdateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFleetInput`) /// - /// - Returns: `UpdateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4167,7 +4112,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFleetOutput.httpOutput(from:), UpdateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4202,9 +4146,9 @@ extension CodeBuildClient { /// /// Changes the settings of a build project. /// - /// - Parameter UpdateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProjectInput`) /// - /// - Returns: `UpdateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4237,7 +4181,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectOutput.httpOutput(from:), UpdateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4285,9 +4228,9 @@ extension CodeBuildClient { /// /// * A malicious user can use public builds to distribute malicious artifacts. We recommend that you review all pull requests to verify that the pull request is a legitimate change. We also recommend that you validate any artifacts with their checksums to make sure that the correct artifacts are being downloaded. /// - /// - Parameter UpdateProjectVisibilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProjectVisibilityInput`) /// - /// - Returns: `UpdateProjectVisibilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProjectVisibilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4320,7 +4263,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectVisibilityOutput.httpOutput(from:), UpdateProjectVisibilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4355,9 +4297,9 @@ extension CodeBuildClient { /// /// Updates a report group. /// - /// - Parameter UpdateReportGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReportGroupInput`) /// - /// - Returns: `UpdateReportGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReportGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4390,7 +4332,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReportGroupOutput.httpOutput(from:), UpdateReportGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4425,9 +4366,9 @@ extension CodeBuildClient { /// /// Updates the webhook associated with an CodeBuild build project. If you use Bitbucket for your repository, rotateSecret is ignored. /// - /// - Parameter UpdateWebhookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWebhookInput`) /// - /// - Returns: `UpdateWebhookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWebhookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4461,7 +4402,6 @@ extension CodeBuildClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWebhookOutput.httpOutput(from:), UpdateWebhookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodeCatalyst/Sources/AWSCodeCatalyst/CodeCatalystClient.swift b/Sources/Services/AWSCodeCatalyst/Sources/AWSCodeCatalyst/CodeCatalystClient.swift index 0b47a5c7e17..376dab70211 100644 --- a/Sources/Services/AWSCodeCatalyst/Sources/AWSCodeCatalyst/CodeCatalystClient.swift +++ b/Sources/Services/AWSCodeCatalyst/Sources/AWSCodeCatalyst/CodeCatalystClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodeCatalystClient: ClientRuntime.Client { public static let clientName = "CodeCatalystClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodeCatalystClient.CodeCatalystClientConfiguration let serviceName = "CodeCatalyst" @@ -374,9 +373,9 @@ extension CodeCatalystClient { /// /// Creates a personal access token (PAT) for the current user. A personal access token (PAT) is similar to a password. It is associated with your user identity for use across all spaces and projects in Amazon CodeCatalyst. You use PATs to access CodeCatalyst from resources that include integrated development environments (IDEs) and Git-based source repositories. PATs represent you in Amazon CodeCatalyst and you can manage them in your user settings.For more information, see [Managing personal access tokens in Amazon CodeCatalyst](https://docs.aws.amazon.com/codecatalyst/latest/userguide/ipa-tokens-keys.html). /// - /// - Parameter CreateAccessTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessTokenInput`) /// - /// - Returns: `CreateAccessTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessTokenOutput.httpOutput(from:), CreateAccessTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension CodeCatalystClient { /// /// Creates a Dev Environment in Amazon CodeCatalyst, a cloud-based development environment that you can use to quickly work on the code stored in the source repositories of your project. When created in the Amazon CodeCatalyst console, by default a Dev Environment is configured to have a 2 core processor, 4GB of RAM, and 16GB of persistent storage. None of these defaults apply to a Dev Environment created programmatically. /// - /// - Parameter CreateDevEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDevEnvironmentInput`) /// - /// - Returns: `CreateDevEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDevEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDevEnvironmentOutput.httpOutput(from:), CreateDevEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension CodeCatalystClient { /// /// Creates a project in a specified space. /// - /// - Parameter CreateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectInput`) /// - /// - Returns: `CreateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectOutput.httpOutput(from:), CreateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension CodeCatalystClient { /// /// Creates an empty Git-based source repository in a specified project. The repository is created with an initial empty commit with a default branch named main. /// - /// - Parameter CreateSourceRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSourceRepositoryInput`) /// - /// - Returns: `CreateSourceRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSourceRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSourceRepositoryOutput.httpOutput(from:), CreateSourceRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension CodeCatalystClient { /// /// Creates a branch in a specified source repository in Amazon CodeCatalyst. This API only creates a branch in a source repository hosted in Amazon CodeCatalyst. You cannot use this API to create a branch in a linked repository. /// - /// - Parameter CreateSourceRepositoryBranchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSourceRepositoryBranchInput`) /// - /// - Returns: `CreateSourceRepositoryBranchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSourceRepositoryBranchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -697,7 +692,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSourceRepositoryBranchOutput.httpOutput(from:), CreateSourceRepositoryBranchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -729,9 +723,9 @@ extension CodeCatalystClient { /// /// Deletes a specified personal access token (PAT). A personal access token can only be deleted by the user who created it. /// - /// - Parameter DeleteAccessTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessTokenInput`) /// - /// - Returns: `DeleteAccessTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -765,7 +759,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessTokenOutput.httpOutput(from:), DeleteAccessTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -797,9 +790,9 @@ extension CodeCatalystClient { /// /// Deletes a Dev Environment. /// - /// - Parameter DeleteDevEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDevEnvironmentInput`) /// - /// - Returns: `DeleteDevEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDevEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -833,7 +826,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDevEnvironmentOutput.httpOutput(from:), DeleteDevEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -865,9 +857,9 @@ extension CodeCatalystClient { /// /// Deletes a project in a space. /// - /// - Parameter DeleteProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectInput`) /// - /// - Returns: `DeleteProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -901,7 +893,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectOutput.httpOutput(from:), DeleteProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -933,9 +924,9 @@ extension CodeCatalystClient { /// /// Deletes a source repository in Amazon CodeCatalyst. You cannot use this API to delete a linked repository. It can only be used to delete a Amazon CodeCatalyst source repository. /// - /// - Parameter DeleteSourceRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSourceRepositoryInput`) /// - /// - Returns: `DeleteSourceRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSourceRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -969,7 +960,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSourceRepositoryOutput.httpOutput(from:), DeleteSourceRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1001,9 +991,9 @@ extension CodeCatalystClient { /// /// Deletes a space. Deleting a space cannot be undone. Additionally, since space names must be unique across Amazon CodeCatalyst, you cannot reuse names of deleted spaces. /// - /// - Parameter DeleteSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSpaceInput`) /// - /// - Returns: `DeleteSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1037,7 +1027,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSpaceOutput.httpOutput(from:), DeleteSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1069,9 +1058,9 @@ extension CodeCatalystClient { /// /// Returns information about a Dev Environment for a source repository in a project. Dev Environments are specific to the user who creates them. /// - /// - Parameter GetDevEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDevEnvironmentInput`) /// - /// - Returns: `GetDevEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDevEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1105,7 +1094,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDevEnvironmentOutput.httpOutput(from:), GetDevEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1137,9 +1125,9 @@ extension CodeCatalystClient { /// /// Returns information about a project. /// - /// - Parameter GetProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProjectInput`) /// - /// - Returns: `GetProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1173,7 +1161,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProjectOutput.httpOutput(from:), GetProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1205,9 +1192,9 @@ extension CodeCatalystClient { /// /// Returns information about a source repository. /// - /// - Parameter GetSourceRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSourceRepositoryInput`) /// - /// - Returns: `GetSourceRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSourceRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1241,7 +1228,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSourceRepositoryOutput.httpOutput(from:), GetSourceRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1273,9 +1259,9 @@ extension CodeCatalystClient { /// /// Returns information about the URLs that can be used with a Git client to clone a source repository. /// - /// - Parameter GetSourceRepositoryCloneUrlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSourceRepositoryCloneUrlsInput`) /// - /// - Returns: `GetSourceRepositoryCloneUrlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSourceRepositoryCloneUrlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1309,7 +1295,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSourceRepositoryCloneUrlsOutput.httpOutput(from:), GetSourceRepositoryCloneUrlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1341,9 +1326,9 @@ extension CodeCatalystClient { /// /// Returns information about an space. /// - /// - Parameter GetSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSpaceInput`) /// - /// - Returns: `GetSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1377,7 +1362,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSpaceOutput.httpOutput(from:), GetSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1409,9 +1393,9 @@ extension CodeCatalystClient { /// /// Returns information about the Amazon Web Services account used for billing purposes and the billing plan for the space. /// - /// - Parameter GetSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubscriptionInput`) /// - /// - Returns: `GetSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1445,7 +1429,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubscriptionOutput.httpOutput(from:), GetSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1477,9 +1460,9 @@ extension CodeCatalystClient { /// /// Returns information about a user. /// - /// - Parameter GetUserDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserDetailsInput`) /// - /// - Returns: `GetUserDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1514,7 +1497,6 @@ extension CodeCatalystClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetUserDetailsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserDetailsOutput.httpOutput(from:), GetUserDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1546,9 +1528,9 @@ extension CodeCatalystClient { /// /// Returns information about a workflow. /// - /// - Parameter GetWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowInput`) /// - /// - Returns: `GetWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1582,7 +1564,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowOutput.httpOutput(from:), GetWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1614,9 +1595,9 @@ extension CodeCatalystClient { /// /// Returns information about a specified run of a workflow. /// - /// - Parameter GetWorkflowRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowRunInput`) /// - /// - Returns: `GetWorkflowRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1650,7 +1631,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowRunOutput.httpOutput(from:), GetWorkflowRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1682,9 +1662,9 @@ extension CodeCatalystClient { /// /// Lists all personal access tokens (PATs) associated with the user who calls the API. You can only list PATs associated with your Amazon Web Services Builder ID. /// - /// - Parameter ListAccessTokensInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessTokensInput`) /// - /// - Returns: `ListAccessTokensOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessTokensOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1721,7 +1701,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessTokensOutput.httpOutput(from:), ListAccessTokensOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1753,9 +1732,9 @@ extension CodeCatalystClient { /// /// Retrieves a list of active sessions for a Dev Environment in a project. /// - /// - Parameter ListDevEnvironmentSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevEnvironmentSessionsInput`) /// - /// - Returns: `ListDevEnvironmentSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevEnvironmentSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1792,7 +1771,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevEnvironmentSessionsOutput.httpOutput(from:), ListDevEnvironmentSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1824,9 +1802,9 @@ extension CodeCatalystClient { /// /// Retrieves a list of Dev Environments in a project. /// - /// - Parameter ListDevEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevEnvironmentsInput`) /// - /// - Returns: `ListDevEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1863,7 +1841,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevEnvironmentsOutput.httpOutput(from:), ListDevEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1895,9 +1872,9 @@ extension CodeCatalystClient { /// /// Retrieves a list of events that occurred during a specific time in a space. You can use these events to audit user and system activity in a space. For more information, see [Monitoring](https://docs.aws.amazon.com/codecatalyst/latest/userguide/ipa-monitoring.html) in the Amazon CodeCatalyst User Guide. ListEventLogs guarantees events for the last 30 days in a given space. You can also view and retrieve a list of management events over the last 90 days for Amazon CodeCatalyst in the CloudTrail console by viewing Event history, or by creating a trail to create and maintain a record of events that extends past 90 days. For more information, see [Working with CloudTrail Event History](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/view-cloudtrail-events.html) and [Working with CloudTrail trails](https://docs.aws.amazon.com/awscloudtrail/latest/userguide/cloudtrail-getting-started.html). /// - /// - Parameter ListEventLogsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventLogsInput`) /// - /// - Returns: `ListEventLogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventLogsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1934,7 +1911,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventLogsOutput.httpOutput(from:), ListEventLogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1966,9 +1942,9 @@ extension CodeCatalystClient { /// /// Retrieves a list of projects. /// - /// - Parameter ListProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectsInput`) /// - /// - Returns: `ListProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2005,7 +1981,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectsOutput.httpOutput(from:), ListProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2037,9 +2012,9 @@ extension CodeCatalystClient { /// /// Retrieves a list of source repositories in a project. /// - /// - Parameter ListSourceRepositoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSourceRepositoriesInput`) /// - /// - Returns: `ListSourceRepositoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSourceRepositoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2076,7 +2051,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSourceRepositoriesOutput.httpOutput(from:), ListSourceRepositoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2108,9 +2082,9 @@ extension CodeCatalystClient { /// /// Retrieves a list of branches in a specified source repository. /// - /// - Parameter ListSourceRepositoryBranchesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSourceRepositoryBranchesInput`) /// - /// - Returns: `ListSourceRepositoryBranchesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSourceRepositoryBranchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2147,7 +2121,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSourceRepositoryBranchesOutput.httpOutput(from:), ListSourceRepositoryBranchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2179,9 +2152,9 @@ extension CodeCatalystClient { /// /// Retrieves a list of spaces. /// - /// - Parameter ListSpacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSpacesInput`) /// - /// - Returns: `ListSpacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSpacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2218,7 +2191,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSpacesOutput.httpOutput(from:), ListSpacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2250,9 +2222,9 @@ extension CodeCatalystClient { /// /// Retrieves a list of workflow runs of a specified workflow. /// - /// - Parameter ListWorkflowRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowRunsInput`) /// - /// - Returns: `ListWorkflowRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2290,7 +2262,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowRunsOutput.httpOutput(from:), ListWorkflowRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2322,9 +2293,9 @@ extension CodeCatalystClient { /// /// Retrieves a list of workflows in a specified project. /// - /// - Parameter ListWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowsInput`) /// - /// - Returns: `ListWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2362,7 +2333,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowsOutput.httpOutput(from:), ListWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2394,9 +2364,9 @@ extension CodeCatalystClient { /// /// Starts a specified Dev Environment and puts it into an active state. /// - /// - Parameter StartDevEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDevEnvironmentInput`) /// - /// - Returns: `StartDevEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDevEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2433,7 +2403,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDevEnvironmentOutput.httpOutput(from:), StartDevEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2465,9 +2434,9 @@ extension CodeCatalystClient { /// /// Starts a session for a specified Dev Environment. /// - /// - Parameter StartDevEnvironmentSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDevEnvironmentSessionInput`) /// - /// - Returns: `StartDevEnvironmentSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDevEnvironmentSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2504,7 +2473,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDevEnvironmentSessionOutput.httpOutput(from:), StartDevEnvironmentSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2536,9 +2504,9 @@ extension CodeCatalystClient { /// /// Begins a run of a specified workflow. /// - /// - Parameter StartWorkflowRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartWorkflowRunInput`) /// - /// - Returns: `StartWorkflowRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartWorkflowRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2577,7 +2545,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartWorkflowRunOutput.httpOutput(from:), StartWorkflowRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2609,9 +2576,9 @@ extension CodeCatalystClient { /// /// Pauses a specified Dev Environment and places it in a non-running state. Stopped Dev Environments do not consume compute minutes. /// - /// - Parameter StopDevEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDevEnvironmentInput`) /// - /// - Returns: `StopDevEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDevEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2645,7 +2612,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDevEnvironmentOutput.httpOutput(from:), StopDevEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2677,9 +2643,9 @@ extension CodeCatalystClient { /// /// Stops a session for a specified Dev Environment. /// - /// - Parameter StopDevEnvironmentSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDevEnvironmentSessionInput`) /// - /// - Returns: `StopDevEnvironmentSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDevEnvironmentSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2713,7 +2679,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDevEnvironmentSessionOutput.httpOutput(from:), StopDevEnvironmentSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2745,9 +2710,9 @@ extension CodeCatalystClient { /// /// Changes one or more values for a Dev Environment. Updating certain values of the Dev Environment will cause a restart. /// - /// - Parameter UpdateDevEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDevEnvironmentInput`) /// - /// - Returns: `UpdateDevEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDevEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2784,7 +2749,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDevEnvironmentOutput.httpOutput(from:), UpdateDevEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2816,9 +2780,9 @@ extension CodeCatalystClient { /// /// Changes one or more values for a project. /// - /// - Parameter UpdateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProjectInput`) /// - /// - Returns: `UpdateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2855,7 +2819,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectOutput.httpOutput(from:), UpdateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2887,9 +2850,9 @@ extension CodeCatalystClient { /// /// Changes one or more values for a space. /// - /// - Parameter UpdateSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSpaceInput`) /// - /// - Returns: `UpdateSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2926,7 +2889,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSpaceOutput.httpOutput(from:), UpdateSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2958,9 +2920,9 @@ extension CodeCatalystClient { /// /// Verifies whether the calling user has a valid Amazon CodeCatalyst login and session. If successful, this returns the ID of the user in Amazon CodeCatalyst. /// - /// - Parameter VerifySessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifySessionInput`) /// - /// - Returns: `VerifySessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifySessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2994,7 +2956,6 @@ extension CodeCatalystClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifySessionOutput.httpOutput(from:), VerifySessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodeCommit/Sources/AWSCodeCommit/CodeCommitClient.swift b/Sources/Services/AWSCodeCommit/Sources/AWSCodeCommit/CodeCommitClient.swift index 20909f8b531..d94e97f0d2d 100644 --- a/Sources/Services/AWSCodeCommit/Sources/AWSCodeCommit/CodeCommitClient.swift +++ b/Sources/Services/AWSCodeCommit/Sources/AWSCodeCommit/CodeCommitClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodeCommitClient: ClientRuntime.Client { public static let clientName = "CodeCommitClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodeCommitClient.CodeCommitClientConfiguration let serviceName = "CodeCommit" @@ -375,9 +374,9 @@ extension CodeCommitClient { /// /// Creates an association between an approval rule template and a specified repository. Then, the next time a pull request is created in the repository where the destination reference (if specified) matches the destination reference (branch) for the pull request, an approval rule that matches the template conditions is automatically created for that pull request. If no destination references are specified in the template, an approval rule that matches the template contents is created for all pull requests in that repository. /// - /// - Parameter AssociateApprovalRuleTemplateWithRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateApprovalRuleTemplateWithRepositoryInput`) /// - /// - Returns: `AssociateApprovalRuleTemplateWithRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateApprovalRuleTemplateWithRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -420,7 +419,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateApprovalRuleTemplateWithRepositoryOutput.httpOutput(from:), AssociateApprovalRuleTemplateWithRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -455,9 +453,9 @@ extension CodeCommitClient { /// /// Creates an association between an approval rule template and one or more specified repositories. /// - /// - Parameter BatchAssociateApprovalRuleTemplateWithRepositoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAssociateApprovalRuleTemplateWithRepositoriesInput`) /// - /// - Returns: `BatchAssociateApprovalRuleTemplateWithRepositoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateApprovalRuleTemplateWithRepositoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -498,7 +496,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateApprovalRuleTemplateWithRepositoriesOutput.httpOutput(from:), BatchAssociateApprovalRuleTemplateWithRepositoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -533,9 +530,9 @@ extension CodeCommitClient { /// /// Returns information about one or more merge conflicts in the attempted merge of two commit specifiers using the squash or three-way merge strategy. /// - /// - Parameter BatchDescribeMergeConflictsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDescribeMergeConflictsInput`) /// - /// - Returns: `BatchDescribeMergeConflictsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDescribeMergeConflictsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -587,7 +584,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDescribeMergeConflictsOutput.httpOutput(from:), BatchDescribeMergeConflictsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -622,9 +618,9 @@ extension CodeCommitClient { /// /// Removes the association between an approval rule template and one or more specified repositories. /// - /// - Parameter BatchDisassociateApprovalRuleTemplateFromRepositoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisassociateApprovalRuleTemplateFromRepositoriesInput`) /// - /// - Returns: `BatchDisassociateApprovalRuleTemplateFromRepositoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateApprovalRuleTemplateFromRepositoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -665,7 +661,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateApprovalRuleTemplateFromRepositoriesOutput.httpOutput(from:), BatchDisassociateApprovalRuleTemplateFromRepositoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -700,9 +695,9 @@ extension CodeCommitClient { /// /// Returns information about the contents of one or more commits in a repository. /// - /// - Parameter BatchGetCommitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetCommitsInput`) /// - /// - Returns: `BatchGetCommitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetCommitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -743,7 +738,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetCommitsOutput.httpOutput(from:), BatchGetCommitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -778,9 +772,9 @@ extension CodeCommitClient { /// /// Returns information about one or more repositories. The description field for a repository accepts all HTML characters and all valid Unicode characters. Applications that do not HTML-encode the description and display it in a webpage can expose users to potentially malicious code. Make sure that you HTML-encode the description field in any application that uses this API to display the repository description on a webpage. /// - /// - Parameter BatchGetRepositoriesInput : Represents the input of a batch get repositories operation. + /// - Parameter input: Represents the input of a batch get repositories operation. (Type: `BatchGetRepositoriesInput`) /// - /// - Returns: `BatchGetRepositoriesOutput` : Represents the output of a batch get repositories operation. + /// - Returns: Represents the output of a batch get repositories operation. (Type: `BatchGetRepositoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -819,7 +813,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetRepositoriesOutput.httpOutput(from:), BatchGetRepositoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -854,9 +847,9 @@ extension CodeCommitClient { /// /// Creates a template for approval rules that can then be associated with one or more repositories in your Amazon Web Services account. When you associate a template with a repository, CodeCommit creates an approval rule that matches the conditions of the template for all pull requests that meet the conditions of the template. For more information, see [AssociateApprovalRuleTemplateWithRepository]. /// - /// - Parameter CreateApprovalRuleTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApprovalRuleTemplateInput`) /// - /// - Returns: `CreateApprovalRuleTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApprovalRuleTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -894,7 +887,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApprovalRuleTemplateOutput.httpOutput(from:), CreateApprovalRuleTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -929,9 +921,9 @@ extension CodeCommitClient { /// /// Creates a branch in a repository and points the branch to a commit. Calling the create branch operation does not set a repository's default branch. To do this, call the update default branch operation. /// - /// - Parameter CreateBranchInput : Represents the input of a create branch operation. + /// - Parameter input: Represents the input of a create branch operation. (Type: `CreateBranchInput`) /// - /// - Returns: `CreateBranchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBranchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +968,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBranchOutput.httpOutput(from:), CreateBranchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1011,9 +1002,9 @@ extension CodeCommitClient { /// /// Creates a commit for a repository on the tip of a specified branch. /// - /// - Parameter CreateCommitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCommitInput`) /// - /// - Returns: `CreateCommitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCommitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1082,7 +1073,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCommitOutput.httpOutput(from:), CreateCommitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1117,9 +1107,9 @@ extension CodeCommitClient { /// /// Creates a pull request in the specified repository. /// - /// - Parameter CreatePullRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePullRequestInput`) /// - /// - Returns: `CreatePullRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePullRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1176,7 +1166,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePullRequestOutput.httpOutput(from:), CreatePullRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1211,9 +1200,9 @@ extension CodeCommitClient { /// /// Creates an approval rule for a pull request. /// - /// - Parameter CreatePullRequestApprovalRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePullRequestApprovalRuleInput`) /// - /// - Returns: `CreatePullRequestApprovalRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePullRequestApprovalRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1259,7 +1248,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePullRequestApprovalRuleOutput.httpOutput(from:), CreatePullRequestApprovalRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1294,9 +1282,9 @@ extension CodeCommitClient { /// /// Creates a new, empty repository. /// - /// - Parameter CreateRepositoryInput : Represents the input of a create repository operation. + /// - Parameter input: Represents the input of a create repository operation. (Type: `CreateRepositoryInput`) /// - /// - Returns: `CreateRepositoryOutput` : Represents the output of a create repository operation. + /// - Returns: Represents the output of a create repository operation. (Type: `CreateRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1344,7 +1332,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRepositoryOutput.httpOutput(from:), CreateRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1379,9 +1366,9 @@ extension CodeCommitClient { /// /// Creates an unreferenced commit that represents the result of merging two branches using a specified merge strategy. This can help you determine the outcome of a potential merge. This API cannot be used with the fast-forward merge strategy because that strategy does not create a merge commit. This unreferenced merge commit can only be accessed using the GetCommit API or through git commands such as git fetch. To retrieve this commit, you must specify its commit ID or otherwise reference it. /// - /// - Parameter CreateUnreferencedMergeCommitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUnreferencedMergeCommitInput`) /// - /// - Returns: `CreateUnreferencedMergeCommitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUnreferencedMergeCommitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1448,7 +1435,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUnreferencedMergeCommitOutput.httpOutput(from:), CreateUnreferencedMergeCommitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1483,9 +1469,9 @@ extension CodeCommitClient { /// /// Deletes a specified approval rule template. Deleting a template does not remove approval rules on pull requests already created with the template. /// - /// - Parameter DeleteApprovalRuleTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApprovalRuleTemplateInput`) /// - /// - Returns: `DeleteApprovalRuleTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApprovalRuleTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1519,7 +1505,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApprovalRuleTemplateOutput.httpOutput(from:), DeleteApprovalRuleTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1554,9 +1539,9 @@ extension CodeCommitClient { /// /// Deletes a branch from a repository, unless that branch is the default branch for the repository. /// - /// - Parameter DeleteBranchInput : Represents the input of a delete branch operation. + /// - Parameter input: Represents the input of a delete branch operation. (Type: `DeleteBranchInput`) /// - /// - Returns: `DeleteBranchOutput` : Represents the output of a delete branch operation. + /// - Returns: Represents the output of a delete branch operation. (Type: `DeleteBranchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1598,7 +1583,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBranchOutput.httpOutput(from:), DeleteBranchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1633,9 +1617,9 @@ extension CodeCommitClient { /// /// Deletes the content of a comment made on a change, file, or commit in a repository. /// - /// - Parameter DeleteCommentContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCommentContentInput`) /// - /// - Returns: `DeleteCommentContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCommentContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1670,7 +1654,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCommentContentOutput.httpOutput(from:), DeleteCommentContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1705,9 +1688,9 @@ extension CodeCommitClient { /// /// Deletes a specified file from a specified branch. A commit is created on the branch that contains the revision. The file still exists in the commits earlier to the commit that contains the deletion. /// - /// - Parameter DeleteFileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFileInput`) /// - /// - Returns: `DeleteFileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1760,7 +1743,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFileOutput.httpOutput(from:), DeleteFileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1795,9 +1777,9 @@ extension CodeCommitClient { /// /// Deletes an approval rule from a specified pull request. Approval rules can be deleted from a pull request only if the pull request is open, and if the approval rule was created specifically for a pull request and not generated from an approval rule template associated with the repository where the pull request was created. You cannot delete an approval rule from a merged or closed pull request. /// - /// - Parameter DeletePullRequestApprovalRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePullRequestApprovalRuleInput`) /// - /// - Returns: `DeletePullRequestApprovalRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePullRequestApprovalRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1840,7 +1822,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePullRequestApprovalRuleOutput.httpOutput(from:), DeletePullRequestApprovalRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1875,9 +1856,9 @@ extension CodeCommitClient { /// /// Deletes a repository. If a specified repository was already deleted, a null repository ID is returned. Deleting a repository also deletes all associated objects and metadata. After a repository is deleted, all future push calls to the deleted repository fail. /// - /// - Parameter DeleteRepositoryInput : Represents the input of a delete repository operation. + /// - Parameter input: Represents the input of a delete repository operation. (Type: `DeleteRepositoryInput`) /// - /// - Returns: `DeleteRepositoryOutput` : Represents the output of a delete repository operation. + /// - Returns: Represents the output of a delete repository operation. (Type: `DeleteRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1915,7 +1896,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryOutput.httpOutput(from:), DeleteRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1950,9 +1930,9 @@ extension CodeCommitClient { /// /// Returns information about one or more merge conflicts in the attempted merge of two commit specifiers using the squash or three-way merge strategy. If the merge option for the attempted merge is specified as FAST_FORWARD_MERGE, an exception is thrown. /// - /// - Parameter DescribeMergeConflictsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMergeConflictsInput`) /// - /// - Returns: `DescribeMergeConflictsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMergeConflictsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2006,7 +1986,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMergeConflictsOutput.httpOutput(from:), DescribeMergeConflictsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2041,9 +2020,9 @@ extension CodeCommitClient { /// /// Returns information about one or more pull request events. /// - /// - Parameter DescribePullRequestEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePullRequestEventsInput`) /// - /// - Returns: `DescribePullRequestEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePullRequestEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2087,7 +2066,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePullRequestEventsOutput.httpOutput(from:), DescribePullRequestEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2122,9 +2100,9 @@ extension CodeCommitClient { /// /// Removes the association between a template and a repository so that approval rules based on the template are not automatically created when pull requests are created in the specified repository. This does not delete any approval rules previously created for pull requests through the template association. /// - /// - Parameter DisassociateApprovalRuleTemplateFromRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateApprovalRuleTemplateFromRepositoryInput`) /// - /// - Returns: `DisassociateApprovalRuleTemplateFromRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateApprovalRuleTemplateFromRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2166,7 +2144,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateApprovalRuleTemplateFromRepositoryOutput.httpOutput(from:), DisassociateApprovalRuleTemplateFromRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2201,9 +2178,9 @@ extension CodeCommitClient { /// /// Evaluates whether a pull request has met all the conditions specified in its associated approval rules. /// - /// - Parameter EvaluatePullRequestApprovalRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EvaluatePullRequestApprovalRulesInput`) /// - /// - Returns: `EvaluatePullRequestApprovalRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EvaluatePullRequestApprovalRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2245,7 +2222,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EvaluatePullRequestApprovalRulesOutput.httpOutput(from:), EvaluatePullRequestApprovalRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2280,9 +2256,9 @@ extension CodeCommitClient { /// /// Returns information about a specified approval rule template. /// - /// - Parameter GetApprovalRuleTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApprovalRuleTemplateInput`) /// - /// - Returns: `GetApprovalRuleTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApprovalRuleTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2316,7 +2292,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApprovalRuleTemplateOutput.httpOutput(from:), GetApprovalRuleTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2351,9 +2326,9 @@ extension CodeCommitClient { /// /// Returns the base-64 encoded content of an individual blob in a repository. /// - /// - Parameter GetBlobInput : Represents the input of a get blob operation. + /// - Parameter input: Represents the input of a get blob operation. (Type: `GetBlobInput`) /// - /// - Returns: `GetBlobOutput` : Represents the output of a get blob operation. + /// - Returns: Represents the output of a get blob operation. (Type: `GetBlobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2396,7 +2371,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBlobOutput.httpOutput(from:), GetBlobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2431,9 +2405,9 @@ extension CodeCommitClient { /// /// Returns information about a repository branch, including its name and the last commit ID. /// - /// - Parameter GetBranchInput : Represents the input of a get branch operation. + /// - Parameter input: Represents the input of a get branch operation. (Type: `GetBranchInput`) /// - /// - Returns: `GetBranchOutput` : Represents the output of a get branch operation. + /// - Returns: Represents the output of a get branch operation. (Type: `GetBranchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2475,7 +2449,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBranchOutput.httpOutput(from:), GetBranchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2510,9 +2483,9 @@ extension CodeCommitClient { /// /// Returns the content of a comment made on a change, file, or commit in a repository. Reaction counts might include numbers from user identities who were deleted after the reaction was made. For a count of reactions from active identities, use GetCommentReactions. /// - /// - Parameter GetCommentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCommentInput`) /// - /// - Returns: `GetCommentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCommentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2552,7 +2525,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCommentOutput.httpOutput(from:), GetCommentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2587,9 +2559,9 @@ extension CodeCommitClient { /// /// Returns information about reactions to a specified comment ID. Reactions from users who have been deleted will not be included in the count. /// - /// - Parameter GetCommentReactionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCommentReactionsInput`) /// - /// - Returns: `GetCommentReactionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCommentReactionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2627,7 +2599,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCommentReactionsOutput.httpOutput(from:), GetCommentReactionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2662,9 +2633,9 @@ extension CodeCommitClient { /// /// Returns information about comments made on the comparison between two commits. Reaction counts might include numbers from user identities who were deleted after the reaction was made. For a count of reactions from active identities, use GetCommentReactions. /// - /// - Parameter GetCommentsForComparedCommitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCommentsForComparedCommitInput`) /// - /// - Returns: `GetCommentsForComparedCommitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCommentsForComparedCommitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2708,7 +2679,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCommentsForComparedCommitOutput.httpOutput(from:), GetCommentsForComparedCommitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2743,9 +2713,9 @@ extension CodeCommitClient { /// /// Returns comments made on a pull request. Reaction counts might include numbers from user identities who were deleted after the reaction was made. For a count of reactions from active identities, use GetCommentReactions. /// - /// - Parameter GetCommentsForPullRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCommentsForPullRequestInput`) /// - /// - Returns: `GetCommentsForPullRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCommentsForPullRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2793,7 +2763,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCommentsForPullRequestOutput.httpOutput(from:), GetCommentsForPullRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2828,9 +2797,9 @@ extension CodeCommitClient { /// /// Returns information about a commit, including commit message and committer information. /// - /// - Parameter GetCommitInput : Represents the input of a get commit operation. + /// - Parameter input: Represents the input of a get commit operation. (Type: `GetCommitInput`) /// - /// - Returns: `GetCommitOutput` : Represents the output of a get commit operation. + /// - Returns: Represents the output of a get commit operation. (Type: `GetCommitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2872,7 +2841,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCommitOutput.httpOutput(from:), GetCommitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2907,9 +2875,9 @@ extension CodeCommitClient { /// /// Returns information about the differences in a valid commit specifier (such as a branch, tag, HEAD, commit ID, or other fully qualified reference). Results can be limited to a specified path. /// - /// - Parameter GetDifferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDifferencesInput`) /// - /// - Returns: `GetDifferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDifferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2956,7 +2924,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDifferencesOutput.httpOutput(from:), GetDifferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2991,9 +2958,9 @@ extension CodeCommitClient { /// /// Returns the base-64 encoded contents of a specified file and its metadata. /// - /// - Parameter GetFileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFileInput`) /// - /// - Returns: `GetFileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3038,7 +3005,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFileOutput.httpOutput(from:), GetFileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3073,9 +3039,9 @@ extension CodeCommitClient { /// /// Returns the contents of a specified folder in a repository. /// - /// - Parameter GetFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFolderInput`) /// - /// - Returns: `GetFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3119,7 +3085,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFolderOutput.httpOutput(from:), GetFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3154,9 +3119,9 @@ extension CodeCommitClient { /// /// Returns information about a specified merge commit. /// - /// - Parameter GetMergeCommitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMergeCommitInput`) /// - /// - Returns: `GetMergeCommitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMergeCommitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3200,7 +3165,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMergeCommitOutput.httpOutput(from:), GetMergeCommitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3235,9 +3199,9 @@ extension CodeCommitClient { /// /// Returns information about merge conflicts between the before and after commit IDs for a pull request in a repository. /// - /// - Parameter GetMergeConflictsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMergeConflictsInput`) /// - /// - Returns: `GetMergeConflictsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMergeConflictsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3290,7 +3254,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMergeConflictsOutput.httpOutput(from:), GetMergeConflictsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3325,9 +3288,9 @@ extension CodeCommitClient { /// /// Returns information about the merge options available for merging two specified branches. For details about why a merge option is not available, use GetMergeConflicts or DescribeMergeConflicts. /// - /// - Parameter GetMergeOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMergeOptionsInput`) /// - /// - Returns: `GetMergeOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMergeOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3374,7 +3337,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMergeOptionsOutput.httpOutput(from:), GetMergeOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3409,9 +3371,9 @@ extension CodeCommitClient { /// /// Gets information about a pull request in a specified repository. /// - /// - Parameter GetPullRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPullRequestInput`) /// - /// - Returns: `GetPullRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPullRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3450,7 +3412,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPullRequestOutput.httpOutput(from:), GetPullRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3485,9 +3446,9 @@ extension CodeCommitClient { /// /// Gets information about the approval states for a specified pull request. Approval states only apply to pull requests that have one or more approval rules applied to them. /// - /// - Parameter GetPullRequestApprovalStatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPullRequestApprovalStatesInput`) /// - /// - Returns: `GetPullRequestApprovalStatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPullRequestApprovalStatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3528,7 +3489,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPullRequestApprovalStatesOutput.httpOutput(from:), GetPullRequestApprovalStatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3563,9 +3523,9 @@ extension CodeCommitClient { /// /// Returns information about whether approval rules have been set aside (overridden) for a pull request, and if so, the Amazon Resource Name (ARN) of the user or identity that overrode the rules and their requirements for the pull request. /// - /// - Parameter GetPullRequestOverrideStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPullRequestOverrideStateInput`) /// - /// - Returns: `GetPullRequestOverrideStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPullRequestOverrideStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3606,7 +3566,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPullRequestOverrideStateOutput.httpOutput(from:), GetPullRequestOverrideStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3641,9 +3600,9 @@ extension CodeCommitClient { /// /// Returns information about a repository. The description field for a repository accepts all HTML characters and all valid Unicode characters. Applications that do not HTML-encode the description and display it in a webpage can expose users to potentially malicious code. Make sure that you HTML-encode the description field in any application that uses this API to display the repository description on a webpage. /// - /// - Parameter GetRepositoryInput : Represents the input of a get repository operation. + /// - Parameter input: Represents the input of a get repository operation. (Type: `GetRepositoryInput`) /// - /// - Returns: `GetRepositoryOutput` : Represents the output of a get repository operation. + /// - Returns: Represents the output of a get repository operation. (Type: `GetRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3682,7 +3641,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositoryOutput.httpOutput(from:), GetRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3717,9 +3675,9 @@ extension CodeCommitClient { /// /// Gets information about triggers configured for a repository. /// - /// - Parameter GetRepositoryTriggersInput : Represents the input of a get repository triggers operation. + /// - Parameter input: Represents the input of a get repository triggers operation. (Type: `GetRepositoryTriggersInput`) /// - /// - Returns: `GetRepositoryTriggersOutput` : Represents the output of a get repository triggers operation. + /// - Returns: Represents the output of a get repository triggers operation. (Type: `GetRepositoryTriggersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3758,7 +3716,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositoryTriggersOutput.httpOutput(from:), GetRepositoryTriggersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3793,9 +3750,9 @@ extension CodeCommitClient { /// /// Lists all approval rule templates in the specified Amazon Web Services Region in your Amazon Web Services account. If an Amazon Web Services Region is not specified, the Amazon Web Services Region where you are signed in is used. /// - /// - Parameter ListApprovalRuleTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApprovalRuleTemplatesInput`) /// - /// - Returns: `ListApprovalRuleTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApprovalRuleTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3828,7 +3785,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApprovalRuleTemplatesOutput.httpOutput(from:), ListApprovalRuleTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3863,9 +3819,9 @@ extension CodeCommitClient { /// /// Lists all approval rule templates that are associated with a specified repository. /// - /// - Parameter ListAssociatedApprovalRuleTemplatesForRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedApprovalRuleTemplatesForRepositoryInput`) /// - /// - Returns: `ListAssociatedApprovalRuleTemplatesForRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedApprovalRuleTemplatesForRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3906,7 +3862,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedApprovalRuleTemplatesForRepositoryOutput.httpOutput(from:), ListAssociatedApprovalRuleTemplatesForRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3941,9 +3896,9 @@ extension CodeCommitClient { /// /// Gets information about one or more branches in a repository. /// - /// - Parameter ListBranchesInput : Represents the input of a list branches operation. + /// - Parameter input: Represents the input of a list branches operation. (Type: `ListBranchesInput`) /// - /// - Returns: `ListBranchesOutput` : Represents the output of a list branches operation. + /// - Returns: Represents the output of a list branches operation. (Type: `ListBranchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3983,7 +3938,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBranchesOutput.httpOutput(from:), ListBranchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4018,9 +3972,9 @@ extension CodeCommitClient { /// /// Retrieves a list of commits and changes to a specified file. /// - /// - Parameter ListFileCommitHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFileCommitHistoryInput`) /// - /// - Returns: `ListFileCommitHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFileCommitHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4065,7 +4019,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFileCommitHistoryOutput.httpOutput(from:), ListFileCommitHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4100,9 +4053,9 @@ extension CodeCommitClient { /// /// Returns a list of pull requests for a specified repository. The return list can be refined by pull request status or pull request author ARN. /// - /// - Parameter ListPullRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPullRequestsInput`) /// - /// - Returns: `ListPullRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPullRequestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4146,7 +4099,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPullRequestsOutput.httpOutput(from:), ListPullRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4181,9 +4133,9 @@ extension CodeCommitClient { /// /// Gets information about one or more repositories. /// - /// - Parameter ListRepositoriesInput : Represents the input of a list repositories operation. + /// - Parameter input: Represents the input of a list repositories operation. (Type: `ListRepositoriesInput`) /// - /// - Returns: `ListRepositoriesOutput` : Represents the output of a list repositories operation. + /// - Returns: Represents the output of a list repositories operation. (Type: `ListRepositoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4217,7 +4169,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositoriesOutput.httpOutput(from:), ListRepositoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4252,9 +4203,9 @@ extension CodeCommitClient { /// /// Lists all repositories associated with the specified approval rule template. /// - /// - Parameter ListRepositoriesForApprovalRuleTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRepositoriesForApprovalRuleTemplateInput`) /// - /// - Returns: `ListRepositoriesForApprovalRuleTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRepositoriesForApprovalRuleTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4295,7 +4246,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositoriesForApprovalRuleTemplateOutput.httpOutput(from:), ListRepositoriesForApprovalRuleTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4330,9 +4280,9 @@ extension CodeCommitClient { /// /// Gets information about Amazon Web Servicestags for a specified Amazon Resource Name (ARN) in CodeCommit. For a list of valid resources in CodeCommit, see [CodeCommit Resources and Operations](https://docs.aws.amazon.com/codecommit/latest/userguide/auth-and-access-control-iam-access-control-identity-based.html#arn-formats) in the CodeCommit User Guide. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4367,7 +4317,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4402,9 +4351,9 @@ extension CodeCommitClient { /// /// Merges two branches using the fast-forward merge strategy. /// - /// - Parameter MergeBranchesByFastForwardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MergeBranchesByFastForwardInput`) /// - /// - Returns: `MergeBranchesByFastForwardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MergeBranchesByFastForwardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4454,7 +4403,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MergeBranchesByFastForwardOutput.httpOutput(from:), MergeBranchesByFastForwardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4489,9 +4437,9 @@ extension CodeCommitClient { /// /// Merges two branches using the squash merge strategy. /// - /// - Parameter MergeBranchesBySquashInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MergeBranchesBySquashInput`) /// - /// - Returns: `MergeBranchesBySquashOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MergeBranchesBySquashOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4561,7 +4509,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MergeBranchesBySquashOutput.httpOutput(from:), MergeBranchesBySquashOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4596,9 +4543,9 @@ extension CodeCommitClient { /// /// Merges two specified branches using the three-way merge strategy. /// - /// - Parameter MergeBranchesByThreeWayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MergeBranchesByThreeWayInput`) /// - /// - Returns: `MergeBranchesByThreeWayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MergeBranchesByThreeWayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4668,7 +4615,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MergeBranchesByThreeWayOutput.httpOutput(from:), MergeBranchesByThreeWayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4703,9 +4649,9 @@ extension CodeCommitClient { /// /// Attempts to merge the source commit of a pull request into the specified destination branch for that pull request at the specified commit using the fast-forward merge strategy. If the merge is successful, it closes the pull request. /// - /// - Parameter MergePullRequestByFastForwardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MergePullRequestByFastForwardInput`) /// - /// - Returns: `MergePullRequestByFastForwardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MergePullRequestByFastForwardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4755,7 +4701,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MergePullRequestByFastForwardOutput.httpOutput(from:), MergePullRequestByFastForwardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4790,9 +4735,9 @@ extension CodeCommitClient { /// /// Attempts to merge the source commit of a pull request into the specified destination branch for that pull request at the specified commit using the squash merge strategy. If the merge is successful, it closes the pull request. /// - /// - Parameter MergePullRequestBySquashInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MergePullRequestBySquashInput`) /// - /// - Returns: `MergePullRequestBySquashOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MergePullRequestBySquashOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4861,7 +4806,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MergePullRequestBySquashOutput.httpOutput(from:), MergePullRequestBySquashOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4896,9 +4840,9 @@ extension CodeCommitClient { /// /// Attempts to merge the source commit of a pull request into the specified destination branch for that pull request at the specified commit using the three-way merge strategy. If the merge is successful, it closes the pull request. /// - /// - Parameter MergePullRequestByThreeWayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MergePullRequestByThreeWayInput`) /// - /// - Returns: `MergePullRequestByThreeWayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MergePullRequestByThreeWayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4967,7 +4911,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MergePullRequestByThreeWayOutput.httpOutput(from:), MergePullRequestByThreeWayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5002,9 +4945,9 @@ extension CodeCommitClient { /// /// Sets aside (overrides) all approval rule requirements for a specified pull request. /// - /// - Parameter OverridePullRequestApprovalRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `OverridePullRequestApprovalRulesInput`) /// - /// - Returns: `OverridePullRequestApprovalRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `OverridePullRequestApprovalRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5050,7 +4993,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(OverridePullRequestApprovalRulesOutput.httpOutput(from:), OverridePullRequestApprovalRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5085,9 +5027,9 @@ extension CodeCommitClient { /// /// Posts a comment on the comparison between two commits. /// - /// - Parameter PostCommentForComparedCommitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PostCommentForComparedCommitInput`) /// - /// - Returns: `PostCommentForComparedCommitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PostCommentForComparedCommitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5142,7 +5084,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostCommentForComparedCommitOutput.httpOutput(from:), PostCommentForComparedCommitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5177,9 +5118,9 @@ extension CodeCommitClient { /// /// Posts a comment on a pull request. /// - /// - Parameter PostCommentForPullRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PostCommentForPullRequestInput`) /// - /// - Returns: `PostCommentForPullRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PostCommentForPullRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5238,7 +5179,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostCommentForPullRequestOutput.httpOutput(from:), PostCommentForPullRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5273,9 +5213,9 @@ extension CodeCommitClient { /// /// Posts a comment in reply to an existing comment on a comparison between commits or a pull request. /// - /// - Parameter PostCommentReplyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PostCommentReplyInput`) /// - /// - Returns: `PostCommentReplyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PostCommentReplyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5315,7 +5255,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostCommentReplyOutput.httpOutput(from:), PostCommentReplyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5350,9 +5289,9 @@ extension CodeCommitClient { /// /// Adds or updates a reaction to a specified comment for the user whose identity is used to make the request. You can only add or update a reaction for yourself. You cannot add, modify, or delete a reaction for another user. /// - /// - Parameter PutCommentReactionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutCommentReactionInput`) /// - /// - Returns: `PutCommentReactionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutCommentReactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5390,7 +5329,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutCommentReactionOutput.httpOutput(from:), PutCommentReactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5425,9 +5363,9 @@ extension CodeCommitClient { /// /// Adds or updates a file in a branch in an CodeCommit repository, and generates a commit for the addition in the specified branch. /// - /// - Parameter PutFileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFileInput`) /// - /// - Returns: `PutFileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5488,7 +5426,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFileOutput.httpOutput(from:), PutFileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5523,9 +5460,9 @@ extension CodeCommitClient { /// /// Replaces all triggers for a repository. Used to create or delete triggers. /// - /// - Parameter PutRepositoryTriggersInput : Represents the input of a put repository triggers operation. + /// - Parameter input: Represents the input of a put repository triggers operation. (Type: `PutRepositoryTriggersInput`) /// - /// - Returns: `PutRepositoryTriggersOutput` : Represents the output of a put repository triggers operation. + /// - Returns: Represents the output of a put repository triggers operation. (Type: `PutRepositoryTriggersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5577,7 +5514,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRepositoryTriggersOutput.httpOutput(from:), PutRepositoryTriggersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5612,9 +5548,9 @@ extension CodeCommitClient { /// /// Adds or updates tags for a resource in CodeCommit. For a list of valid resources in CodeCommit, see [CodeCommit Resources and Operations](https://docs.aws.amazon.com/codecommit/latest/userguide/auth-and-access-control-iam-access-control-identity-based.html#arn-formats) in the CodeCommit User Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5654,7 +5590,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5689,9 +5624,9 @@ extension CodeCommitClient { /// /// Tests the functionality of repository triggers by sending information to the trigger target. If real data is available in the repository, the test sends data from the last commit. If no data is available, sample data is generated. /// - /// - Parameter TestRepositoryTriggersInput : Represents the input of a test repository triggers operation. + /// - Parameter input: Represents the input of a test repository triggers operation. (Type: `TestRepositoryTriggersInput`) /// - /// - Returns: `TestRepositoryTriggersOutput` : Represents the output of a test repository triggers operation. + /// - Returns: Represents the output of a test repository triggers operation. (Type: `TestRepositoryTriggersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5743,7 +5678,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestRepositoryTriggersOutput.httpOutput(from:), TestRepositoryTriggersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5778,9 +5712,9 @@ extension CodeCommitClient { /// /// Removes tags for a resource in CodeCommit. For a list of valid resources in CodeCommit, see [CodeCommit Resources and Operations](https://docs.aws.amazon.com/codecommit/latest/userguide/auth-and-access-control-iam-access-control-identity-based.html#arn-formats) in the CodeCommit User Guide. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5820,7 +5754,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5855,9 +5788,9 @@ extension CodeCommitClient { /// /// Updates the content of an approval rule template. You can change the number of required approvals, the membership of the approval rule, and whether an approval pool is defined. /// - /// - Parameter UpdateApprovalRuleTemplateContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApprovalRuleTemplateContentInput`) /// - /// - Returns: `UpdateApprovalRuleTemplateContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApprovalRuleTemplateContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5894,7 +5827,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApprovalRuleTemplateContentOutput.httpOutput(from:), UpdateApprovalRuleTemplateContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5929,9 +5861,9 @@ extension CodeCommitClient { /// /// Updates the description for a specified approval rule template. /// - /// - Parameter UpdateApprovalRuleTemplateDescriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApprovalRuleTemplateDescriptionInput`) /// - /// - Returns: `UpdateApprovalRuleTemplateDescriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApprovalRuleTemplateDescriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5966,7 +5898,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApprovalRuleTemplateDescriptionOutput.httpOutput(from:), UpdateApprovalRuleTemplateDescriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6001,9 +5932,9 @@ extension CodeCommitClient { /// /// Updates the name of a specified approval rule template. /// - /// - Parameter UpdateApprovalRuleTemplateNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApprovalRuleTemplateNameInput`) /// - /// - Returns: `UpdateApprovalRuleTemplateNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApprovalRuleTemplateNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6038,7 +5969,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApprovalRuleTemplateNameOutput.httpOutput(from:), UpdateApprovalRuleTemplateNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6073,9 +6003,9 @@ extension CodeCommitClient { /// /// Replaces the contents of a comment. /// - /// - Parameter UpdateCommentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCommentInput`) /// - /// - Returns: `UpdateCommentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCommentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6113,7 +6043,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCommentOutput.httpOutput(from:), UpdateCommentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6148,9 +6077,9 @@ extension CodeCommitClient { /// /// Sets or changes the default branch name for the specified repository. If you use this operation to change the default branch name to the current default branch name, a success message is returned even though the default branch did not change. /// - /// - Parameter UpdateDefaultBranchInput : Represents the input of an update default branch operation. + /// - Parameter input: Represents the input of an update default branch operation. (Type: `UpdateDefaultBranchInput`) /// - /// - Returns: `UpdateDefaultBranchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDefaultBranchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6192,7 +6121,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDefaultBranchOutput.httpOutput(from:), UpdateDefaultBranchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6227,9 +6155,9 @@ extension CodeCommitClient { /// /// Updates the structure of an approval rule created specifically for a pull request. For example, you can change the number of required approvers and the approval pool for approvers. /// - /// - Parameter UpdatePullRequestApprovalRuleContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePullRequestApprovalRuleContentInput`) /// - /// - Returns: `UpdatePullRequestApprovalRuleContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePullRequestApprovalRuleContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6276,7 +6204,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePullRequestApprovalRuleContentOutput.httpOutput(from:), UpdatePullRequestApprovalRuleContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6311,9 +6238,9 @@ extension CodeCommitClient { /// /// Updates the state of a user's approval on a pull request. The user is derived from the signed-in account when the request is made. /// - /// - Parameter UpdatePullRequestApprovalStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePullRequestApprovalStateInput`) /// - /// - Returns: `UpdatePullRequestApprovalStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePullRequestApprovalStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6360,7 +6287,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePullRequestApprovalStateOutput.httpOutput(from:), UpdatePullRequestApprovalStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6395,9 +6321,9 @@ extension CodeCommitClient { /// /// Replaces the contents of the description of a pull request. /// - /// - Parameter UpdatePullRequestDescriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePullRequestDescriptionInput`) /// - /// - Returns: `UpdatePullRequestDescriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePullRequestDescriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6433,7 +6359,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePullRequestDescriptionOutput.httpOutput(from:), UpdatePullRequestDescriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6468,9 +6393,9 @@ extension CodeCommitClient { /// /// Updates the status of a pull request. /// - /// - Parameter UpdatePullRequestStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePullRequestStatusInput`) /// - /// - Returns: `UpdatePullRequestStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePullRequestStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6512,7 +6437,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePullRequestStatusOutput.httpOutput(from:), UpdatePullRequestStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6547,9 +6471,9 @@ extension CodeCommitClient { /// /// Replaces the title of a pull request. /// - /// - Parameter UpdatePullRequestTitleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePullRequestTitleInput`) /// - /// - Returns: `UpdatePullRequestTitleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePullRequestTitleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6586,7 +6510,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePullRequestTitleOutput.httpOutput(from:), UpdatePullRequestTitleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6621,9 +6544,9 @@ extension CodeCommitClient { /// /// Sets or changes the comment or description for a repository. The description field for a repository accepts all HTML characters and all valid Unicode characters. Applications that do not HTML-encode the description and display it in a webpage can expose users to potentially malicious code. Make sure that you HTML-encode the description field in any application that uses this API to display the repository description on a webpage. /// - /// - Parameter UpdateRepositoryDescriptionInput : Represents the input of an update repository description operation. + /// - Parameter input: Represents the input of an update repository description operation. (Type: `UpdateRepositoryDescriptionInput`) /// - /// - Returns: `UpdateRepositoryDescriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRepositoryDescriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6663,7 +6586,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRepositoryDescriptionOutput.httpOutput(from:), UpdateRepositoryDescriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6698,9 +6620,9 @@ extension CodeCommitClient { /// /// Updates the Key Management Service encryption key used to encrypt and decrypt a CodeCommit repository. /// - /// - Parameter UpdateRepositoryEncryptionKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRepositoryEncryptionKeyInput`) /// - /// - Returns: `UpdateRepositoryEncryptionKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRepositoryEncryptionKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6742,7 +6664,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRepositoryEncryptionKeyOutput.httpOutput(from:), UpdateRepositoryEncryptionKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6777,9 +6698,9 @@ extension CodeCommitClient { /// /// Renames a repository. The repository name must be unique across the calling Amazon Web Services account. Repository names are limited to 100 alphanumeric, dash, and underscore characters, and cannot include certain characters. The suffix .git is prohibited. For more information about the limits on repository names, see [Quotas](https://docs.aws.amazon.com/codecommit/latest/userguide/limits.html) in the CodeCommit User Guide. /// - /// - Parameter UpdateRepositoryNameInput : Represents the input of an update repository description operation. + /// - Parameter input: Represents the input of an update repository description operation. (Type: `UpdateRepositoryNameInput`) /// - /// - Returns: `UpdateRepositoryNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRepositoryNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6814,7 +6735,6 @@ extension CodeCommitClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRepositoryNameOutput.httpOutput(from:), UpdateRepositoryNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodeConnections/Sources/AWSCodeConnections/CodeConnectionsClient.swift b/Sources/Services/AWSCodeConnections/Sources/AWSCodeConnections/CodeConnectionsClient.swift index 607c6d065e0..c202d128093 100644 --- a/Sources/Services/AWSCodeConnections/Sources/AWSCodeConnections/CodeConnectionsClient.swift +++ b/Sources/Services/AWSCodeConnections/Sources/AWSCodeConnections/CodeConnectionsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodeConnectionsClient: ClientRuntime.Client { public static let clientName = "CodeConnectionsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodeConnectionsClient.CodeConnectionsClientConfiguration let serviceName = "CodeConnections" @@ -373,9 +372,9 @@ extension CodeConnectionsClient { /// /// Creates a connection that can then be given to other Amazon Web Services services like CodePipeline so that it can access third-party code repositories. The connection is in pending status until the third-party connection handshake is completed from the console. /// - /// - Parameter CreateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionInput`) /// - /// - Returns: `CreateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionOutput.httpOutput(from:), CreateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension CodeConnectionsClient { /// /// Creates a resource that represents the infrastructure where a third-party provider is installed. The host is used when you create connections to an installed third-party provider type, such as GitHub Enterprise Server. You create one host for all connections to that provider. A host created through the CLI or the SDK is in `PENDING` status by default. You can make its status `AVAILABLE` by setting up the host in the console. /// - /// - Parameter CreateHostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHostInput`) /// - /// - Returns: `CreateHostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHostOutput.httpOutput(from:), CreateHostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -513,9 +510,9 @@ extension CodeConnectionsClient { /// /// Creates a link to a specified external Git repository. A repository link allows Git sync to monitor and sync changes to files in a specified Git repository. /// - /// - Parameter CreateRepositoryLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRepositoryLinkInput`) /// - /// - Returns: `CreateRepositoryLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRepositoryLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRepositoryLinkOutput.httpOutput(from:), CreateRepositoryLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension CodeConnectionsClient { /// /// Creates a sync configuration which allows Amazon Web Services to sync content from a Git repository to update a specified Amazon Web Services resource. Parameters for the sync configuration are determined by the sync type. /// - /// - Parameter CreateSyncConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSyncConfigurationInput`) /// - /// - Returns: `CreateSyncConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSyncConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSyncConfigurationOutput.httpOutput(from:), CreateSyncConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension CodeConnectionsClient { /// /// The connection to be deleted. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -697,7 +692,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -732,9 +726,9 @@ extension CodeConnectionsClient { /// /// The host to be deleted. Before you delete a host, all connections associated to the host must be deleted. A host cannot be deleted if it is in the VPC_CONFIG_INITIALIZING or VPC_CONFIG_DELETING state. /// - /// - Parameter DeleteHostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHostInput`) /// - /// - Returns: `DeleteHostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHostOutput.httpOutput(from:), DeleteHostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -802,9 +795,9 @@ extension CodeConnectionsClient { /// /// Deletes the association between your connection and a specified external Git repository. /// - /// - Parameter DeleteRepositoryLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRepositoryLinkInput`) /// - /// - Returns: `DeleteRepositoryLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRepositoryLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -843,7 +836,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryLinkOutput.httpOutput(from:), DeleteRepositoryLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension CodeConnectionsClient { /// /// Deletes the sync configuration for a specified repository and connection. /// - /// - Parameter DeleteSyncConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSyncConfigurationInput`) /// - /// - Returns: `DeleteSyncConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSyncConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -917,7 +909,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSyncConfigurationOutput.httpOutput(from:), DeleteSyncConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -952,9 +943,9 @@ extension CodeConnectionsClient { /// /// Returns the connection ARN and details such as status, owner, and provider type. /// - /// - Parameter GetConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionInput`) /// - /// - Returns: `GetConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -987,7 +978,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionOutput.httpOutput(from:), GetConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1022,9 +1012,9 @@ extension CodeConnectionsClient { /// /// Returns the host ARN and details such as status, provider type, endpoint, and, if applicable, the VPC configuration. /// - /// - Parameter GetHostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHostInput`) /// - /// - Returns: `GetHostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1057,7 +1047,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHostOutput.httpOutput(from:), GetHostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1081,9 @@ extension CodeConnectionsClient { /// /// Returns details about a repository link. A repository link allows Git sync to monitor and sync changes from files in a specified Git repository. /// - /// - Parameter GetRepositoryLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositoryLinkInput`) /// - /// - Returns: `GetRepositoryLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositoryLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1131,7 +1120,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositoryLinkOutput.httpOutput(from:), GetRepositoryLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1166,9 +1154,9 @@ extension CodeConnectionsClient { /// /// Returns details about the sync status for a repository. A repository sync uses Git sync to push and pull changes from your remote repository. /// - /// - Parameter GetRepositorySyncStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositorySyncStatusInput`) /// - /// - Returns: `GetRepositorySyncStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositorySyncStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1204,7 +1192,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositorySyncStatusOutput.httpOutput(from:), GetRepositorySyncStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1239,9 +1226,9 @@ extension CodeConnectionsClient { /// /// Returns the status of the sync with the Git repository for a specific Amazon Web Services resource. /// - /// - Parameter GetResourceSyncStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceSyncStatusInput`) /// - /// - Returns: `GetResourceSyncStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceSyncStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1277,7 +1264,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceSyncStatusOutput.httpOutput(from:), GetResourceSyncStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1312,9 +1298,9 @@ extension CodeConnectionsClient { /// /// Returns a list of the most recent sync blockers. /// - /// - Parameter GetSyncBlockerSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSyncBlockerSummaryInput`) /// - /// - Returns: `GetSyncBlockerSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSyncBlockerSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1350,7 +1336,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSyncBlockerSummaryOutput.httpOutput(from:), GetSyncBlockerSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1385,9 +1370,9 @@ extension CodeConnectionsClient { /// /// Returns details about a sync configuration, including the sync type and resource name. A sync configuration allows the configuration to sync (push and pull) changes from the remote repository for a specified branch in a Git repository. /// - /// - Parameter GetSyncConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSyncConfigurationInput`) /// - /// - Returns: `GetSyncConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSyncConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1423,7 +1408,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSyncConfigurationOutput.httpOutput(from:), GetSyncConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1458,9 +1442,9 @@ extension CodeConnectionsClient { /// /// Lists the connections associated with your account. /// - /// - Parameter ListConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectionsInput`) /// - /// - Returns: `ListConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1492,7 +1476,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectionsOutput.httpOutput(from:), ListConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1527,9 +1510,9 @@ extension CodeConnectionsClient { /// /// Lists the hosts associated with your account. /// - /// - Parameter ListHostsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHostsInput`) /// - /// - Returns: `ListHostsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHostsOutput`) public func listHosts(input: ListHostsInput) async throws -> ListHostsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1556,7 +1539,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHostsOutput.httpOutput(from:), ListHostsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1591,9 +1573,9 @@ extension CodeConnectionsClient { /// /// Lists the repository links created for connections in your account. /// - /// - Parameter ListRepositoryLinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRepositoryLinksInput`) /// - /// - Returns: `ListRepositoryLinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRepositoryLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1630,7 +1612,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositoryLinksOutput.httpOutput(from:), ListRepositoryLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1665,9 +1646,9 @@ extension CodeConnectionsClient { /// /// Lists the repository sync definitions for repository links in your account. /// - /// - Parameter ListRepositorySyncDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRepositorySyncDefinitionsInput`) /// - /// - Returns: `ListRepositorySyncDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRepositorySyncDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1703,7 +1684,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositorySyncDefinitionsOutput.httpOutput(from:), ListRepositorySyncDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1738,9 +1718,9 @@ extension CodeConnectionsClient { /// /// Returns a list of sync configurations for a specified repository. /// - /// - Parameter ListSyncConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSyncConfigurationsInput`) /// - /// - Returns: `ListSyncConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSyncConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1776,7 +1756,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSyncConfigurationsOutput.httpOutput(from:), ListSyncConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1811,9 +1790,9 @@ extension CodeConnectionsClient { /// /// Gets the set of key-value pairs (metadata) that are used to manage the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1845,7 +1824,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1880,9 +1858,9 @@ extension CodeConnectionsClient { /// /// Adds to or modifies the tags of the given resource. Tags are metadata that can be used to manage a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1915,7 +1893,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1950,9 +1927,9 @@ extension CodeConnectionsClient { /// /// Removes tags from an Amazon Web Services resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1984,7 +1961,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2019,9 +1995,9 @@ extension CodeConnectionsClient { /// /// Updates a specified host with the provided configurations. /// - /// - Parameter UpdateHostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHostInput`) /// - /// - Returns: `UpdateHostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2056,7 +2032,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHostOutput.httpOutput(from:), UpdateHostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2091,9 +2066,9 @@ extension CodeConnectionsClient { /// /// Updates the association between your connection and a specified external Git repository. A repository link allows Git sync to monitor and sync changes to files in a specified Git repository. /// - /// - Parameter UpdateRepositoryLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRepositoryLinkInput`) /// - /// - Returns: `UpdateRepositoryLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRepositoryLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2131,7 +2106,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRepositoryLinkOutput.httpOutput(from:), UpdateRepositoryLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2166,9 +2140,9 @@ extension CodeConnectionsClient { /// /// Allows you to update the status of a sync blocker, resolving the blocker and allowing syncing to continue. /// - /// - Parameter UpdateSyncBlockerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSyncBlockerInput`) /// - /// - Returns: `UpdateSyncBlockerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSyncBlockerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2206,7 +2180,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSyncBlockerOutput.httpOutput(from:), UpdateSyncBlockerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2241,9 +2214,9 @@ extension CodeConnectionsClient { /// /// Updates the sync configuration for your connection and a specified external Git repository. /// - /// - Parameter UpdateSyncConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSyncConfigurationInput`) /// - /// - Returns: `UpdateSyncConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSyncConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2281,7 +2254,6 @@ extension CodeConnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSyncConfigurationOutput.httpOutput(from:), UpdateSyncConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodeDeploy/Sources/AWSCodeDeploy/CodeDeployClient.swift b/Sources/Services/AWSCodeDeploy/Sources/AWSCodeDeploy/CodeDeployClient.swift index f23243ec68c..3c51e1cb1d6 100644 --- a/Sources/Services/AWSCodeDeploy/Sources/AWSCodeDeploy/CodeDeployClient.swift +++ b/Sources/Services/AWSCodeDeploy/Sources/AWSCodeDeploy/CodeDeployClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodeDeployClient: ClientRuntime.Client { public static let clientName = "CodeDeployClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodeDeployClient.CodeDeployClientConfiguration let serviceName = "CodeDeploy" @@ -373,9 +372,9 @@ extension CodeDeployClient { /// /// Adds tags to on-premises instances. /// - /// - Parameter AddTagsToOnPremisesInstancesInput : Represents the input of, and adds tags to, an on-premises instance operation. + /// - Parameter input: Represents the input of, and adds tags to, an on-premises instance operation. (Type: `AddTagsToOnPremisesInstancesInput`) /// - /// - Returns: `AddTagsToOnPremisesInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsToOnPremisesInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToOnPremisesInstancesOutput.httpOutput(from:), AddTagsToOnPremisesInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension CodeDeployClient { /// /// Gets information about one or more application revisions. The maximum number of application revisions that can be returned is 25. /// - /// - Parameter BatchGetApplicationRevisionsInput : Represents the input of a BatchGetApplicationRevisions operation. + /// - Parameter input: Represents the input of a BatchGetApplicationRevisions operation. (Type: `BatchGetApplicationRevisionsInput`) /// - /// - Returns: `BatchGetApplicationRevisionsOutput` : Represents the output of a BatchGetApplicationRevisions operation. + /// - Returns: Represents the output of a BatchGetApplicationRevisions operation. (Type: `BatchGetApplicationRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetApplicationRevisionsOutput.httpOutput(from:), BatchGetApplicationRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension CodeDeployClient { /// /// Gets information about one or more applications. The maximum number of applications that can be returned is 100. /// - /// - Parameter BatchGetApplicationsInput : Represents the input of a BatchGetApplications operation. + /// - Parameter input: Represents the input of a BatchGetApplications operation. (Type: `BatchGetApplicationsInput`) /// - /// - Returns: `BatchGetApplicationsOutput` : Represents the output of a BatchGetApplications operation. + /// - Returns: Represents the output of a BatchGetApplications operation. (Type: `BatchGetApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetApplicationsOutput.httpOutput(from:), BatchGetApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension CodeDeployClient { /// /// Gets information about one or more deployment groups. /// - /// - Parameter BatchGetDeploymentGroupsInput : Represents the input of a BatchGetDeploymentGroups operation. + /// - Parameter input: Represents the input of a BatchGetDeploymentGroups operation. (Type: `BatchGetDeploymentGroupsInput`) /// - /// - Returns: `BatchGetDeploymentGroupsOutput` : Represents the output of a BatchGetDeploymentGroups operation. + /// - Returns: Represents the output of a BatchGetDeploymentGroups operation. (Type: `BatchGetDeploymentGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetDeploymentGroupsOutput.httpOutput(from:), BatchGetDeploymentGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension CodeDeployClient { /// This method works, but is deprecated. Use BatchGetDeploymentTargets instead. Returns an array of one or more instances associated with a deployment. This method works with EC2/On-premises and Lambda compute platforms. The newer BatchGetDeploymentTargets works with all compute platforms. The maximum number of instances that can be returned is 25. @available(*, deprecated, message: "This operation is deprecated, use BatchGetDeploymentTargets instead.") /// - /// - Parameter BatchGetDeploymentInstancesInput : Represents the input of a BatchGetDeploymentInstances operation. + /// - Parameter input: Represents the input of a BatchGetDeploymentInstances operation. (Type: `BatchGetDeploymentInstancesInput`) /// - /// - Returns: `BatchGetDeploymentInstancesOutput` : Represents the output of a BatchGetDeploymentInstances operation. + /// - Returns: Represents the output of a BatchGetDeploymentInstances operation. (Type: `BatchGetDeploymentInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -710,7 +705,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetDeploymentInstancesOutput.httpOutput(from:), BatchGetDeploymentInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -753,9 +747,9 @@ extension CodeDeployClient { /// /// * CloudFormation: Information about targets of blue/green deployments initiated by a CloudFormation stack update. /// - /// - Parameter BatchGetDeploymentTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetDeploymentTargetsInput`) /// - /// - Returns: `BatchGetDeploymentTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetDeploymentTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -795,7 +789,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetDeploymentTargetsOutput.httpOutput(from:), BatchGetDeploymentTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -830,9 +823,9 @@ extension CodeDeployClient { /// /// Gets information about one or more deployments. The maximum number of deployments that can be returned is 25. /// - /// - Parameter BatchGetDeploymentsInput : Represents the input of a BatchGetDeployments operation. + /// - Parameter input: Represents the input of a BatchGetDeployments operation. (Type: `BatchGetDeploymentsInput`) /// - /// - Returns: `BatchGetDeploymentsOutput` : Represents the output of a BatchGetDeployments operation. + /// - Returns: Represents the output of a BatchGetDeployments operation. (Type: `BatchGetDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -866,7 +859,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetDeploymentsOutput.httpOutput(from:), BatchGetDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +893,9 @@ extension CodeDeployClient { /// /// Gets information about one or more on-premises instances. The maximum number of on-premises instances that can be returned is 25. /// - /// - Parameter BatchGetOnPremisesInstancesInput : Represents the input of a BatchGetOnPremisesInstances operation. + /// - Parameter input: Represents the input of a BatchGetOnPremisesInstances operation. (Type: `BatchGetOnPremisesInstancesInput`) /// - /// - Returns: `BatchGetOnPremisesInstancesOutput` : Represents the output of a BatchGetOnPremisesInstances operation. + /// - Returns: Represents the output of a BatchGetOnPremisesInstances operation. (Type: `BatchGetOnPremisesInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -937,7 +929,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetOnPremisesInstancesOutput.httpOutput(from:), BatchGetOnPremisesInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -972,9 +963,9 @@ extension CodeDeployClient { /// /// For a blue/green deployment, starts the process of rerouting traffic from instances in the original environment to instances in the replacement environment without waiting for a specified wait time to elapse. (Traffic rerouting, which is achieved by registering instances in the replacement environment with the load balancer, can start as soon as all instances have a status of Ready.) /// - /// - Parameter ContinueDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ContinueDeploymentInput`) /// - /// - Returns: `ContinueDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ContinueDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1013,7 +1004,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ContinueDeploymentOutput.httpOutput(from:), ContinueDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1048,9 +1038,9 @@ extension CodeDeployClient { /// /// Creates an application. /// - /// - Parameter CreateApplicationInput : Represents the input of a CreateApplication operation. + /// - Parameter input: Represents the input of a CreateApplication operation. (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : Represents the output of a CreateApplication operation. + /// - Returns: Represents the output of a CreateApplication operation. (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1087,7 +1077,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1122,9 +1111,9 @@ extension CodeDeployClient { /// /// Deploys an application revision through the specified deployment group. /// - /// - Parameter CreateDeploymentInput : Represents the input of a CreateDeployment operation. + /// - Parameter input: Represents the input of a CreateDeployment operation. (Type: `CreateDeploymentInput`) /// - /// - Returns: `CreateDeploymentOutput` : Represents the output of a CreateDeployment operation. + /// - Returns: Represents the output of a CreateDeployment operation. (Type: `CreateDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1199,7 +1188,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentOutput.httpOutput(from:), CreateDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1234,9 +1222,9 @@ extension CodeDeployClient { /// /// Creates a deployment configuration. /// - /// - Parameter CreateDeploymentConfigInput : Represents the input of a CreateDeploymentConfig operation. + /// - Parameter input: Represents the input of a CreateDeploymentConfig operation. (Type: `CreateDeploymentConfigInput`) /// - /// - Returns: `CreateDeploymentConfigOutput` : Represents the output of a CreateDeploymentConfig operation. + /// - Returns: Represents the output of a CreateDeploymentConfig operation. (Type: `CreateDeploymentConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1275,7 +1263,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentConfigOutput.httpOutput(from:), CreateDeploymentConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1310,9 +1297,9 @@ extension CodeDeployClient { /// /// Creates a deployment group to which application revisions are deployed. /// - /// - Parameter CreateDeploymentGroupInput : Represents the input of a CreateDeploymentGroup operation. + /// - Parameter input: Represents the input of a CreateDeploymentGroup operation. (Type: `CreateDeploymentGroupInput`) /// - /// - Returns: `CreateDeploymentGroupOutput` : Represents the output of a CreateDeploymentGroup operation. + /// - Returns: Represents the output of a CreateDeploymentGroup operation. (Type: `CreateDeploymentGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1386,7 +1373,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentGroupOutput.httpOutput(from:), CreateDeploymentGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1421,9 +1407,9 @@ extension CodeDeployClient { /// /// Deletes an application. /// - /// - Parameter DeleteApplicationInput : Represents the input of a DeleteApplication operation. + /// - Parameter input: Represents the input of a DeleteApplication operation. (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1457,7 +1443,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1492,9 +1477,9 @@ extension CodeDeployClient { /// /// Deletes a deployment configuration. A deployment configuration cannot be deleted if it is currently in use. Predefined configurations cannot be deleted. /// - /// - Parameter DeleteDeploymentConfigInput : Represents the input of a DeleteDeploymentConfig operation. + /// - Parameter input: Represents the input of a DeleteDeploymentConfig operation. (Type: `DeleteDeploymentConfigInput`) /// - /// - Returns: `DeleteDeploymentConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeploymentConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1529,7 +1514,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeploymentConfigOutput.httpOutput(from:), DeleteDeploymentConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1564,9 +1548,9 @@ extension CodeDeployClient { /// /// Deletes a deployment group. /// - /// - Parameter DeleteDeploymentGroupInput : Represents the input of a DeleteDeploymentGroup operation. + /// - Parameter input: Represents the input of a DeleteDeploymentGroup operation. (Type: `DeleteDeploymentGroupInput`) /// - /// - Returns: `DeleteDeploymentGroupOutput` : Represents the output of a DeleteDeploymentGroup operation. + /// - Returns: Represents the output of a DeleteDeploymentGroup operation. (Type: `DeleteDeploymentGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1602,7 +1586,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeploymentGroupOutput.httpOutput(from:), DeleteDeploymentGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1637,9 +1620,9 @@ extension CodeDeployClient { /// /// Deletes a GitHub account connection. /// - /// - Parameter DeleteGitHubAccountTokenInput : Represents the input of a DeleteGitHubAccount operation. + /// - Parameter input: Represents the input of a DeleteGitHubAccount operation. (Type: `DeleteGitHubAccountTokenInput`) /// - /// - Returns: `DeleteGitHubAccountTokenOutput` : Represents the output of a DeleteGitHubAccountToken operation. + /// - Returns: Represents the output of a DeleteGitHubAccountToken operation. (Type: `DeleteGitHubAccountTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1675,7 +1658,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGitHubAccountTokenOutput.httpOutput(from:), DeleteGitHubAccountTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1710,9 +1692,9 @@ extension CodeDeployClient { /// /// Deletes resources linked to an external ID. This action only applies if you have configured blue/green deployments through CloudFormation. It is not necessary to call this action directly. CloudFormation calls it on your behalf when it needs to delete stack resources. This action is offered publicly in case you need to delete resources to comply with General Data Protection Regulation (GDPR) requirements. /// - /// - Parameter DeleteResourcesByExternalIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcesByExternalIdInput`) /// - /// - Returns: `DeleteResourcesByExternalIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcesByExternalIdOutput`) public func deleteResourcesByExternalId(input: DeleteResourcesByExternalIdInput) async throws -> DeleteResourcesByExternalIdOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1739,7 +1721,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcesByExternalIdOutput.httpOutput(from:), DeleteResourcesByExternalIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1774,9 +1755,9 @@ extension CodeDeployClient { /// /// Deregisters an on-premises instance. /// - /// - Parameter DeregisterOnPremisesInstanceInput : Represents the input of a DeregisterOnPremisesInstance operation. + /// - Parameter input: Represents the input of a DeregisterOnPremisesInstance operation. (Type: `DeregisterOnPremisesInstanceInput`) /// - /// - Returns: `DeregisterOnPremisesInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterOnPremisesInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1809,7 +1790,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterOnPremisesInstanceOutput.httpOutput(from:), DeregisterOnPremisesInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1844,9 +1824,9 @@ extension CodeDeployClient { /// /// Gets information about an application. /// - /// - Parameter GetApplicationInput : Represents the input of a GetApplication operation. + /// - Parameter input: Represents the input of a GetApplication operation. (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : Represents the output of a GetApplication operation. + /// - Returns: Represents the output of a GetApplication operation. (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1880,7 +1860,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1915,9 +1894,9 @@ extension CodeDeployClient { /// /// Gets information about an application revision. /// - /// - Parameter GetApplicationRevisionInput : Represents the input of a GetApplicationRevision operation. + /// - Parameter input: Represents the input of a GetApplicationRevision operation. (Type: `GetApplicationRevisionInput`) /// - /// - Returns: `GetApplicationRevisionOutput` : Represents the output of a GetApplicationRevision operation. + /// - Returns: Represents the output of a GetApplicationRevision operation. (Type: `GetApplicationRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1954,7 +1933,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationRevisionOutput.httpOutput(from:), GetApplicationRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1989,9 +1967,9 @@ extension CodeDeployClient { /// /// Gets information about a deployment. The content property of the appSpecContent object in the returned revision is always null. Use GetApplicationRevision and the sha256 property of the returned appSpecContent object to get the content of the deployment’s AppSpec file. /// - /// - Parameter GetDeploymentInput : Represents the input of a GetDeployment operation. + /// - Parameter input: Represents the input of a GetDeployment operation. (Type: `GetDeploymentInput`) /// - /// - Returns: `GetDeploymentOutput` : Represents the output of a GetDeployment operation. + /// - Returns: Represents the output of a GetDeployment operation. (Type: `GetDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2025,7 +2003,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentOutput.httpOutput(from:), GetDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2060,9 +2037,9 @@ extension CodeDeployClient { /// /// Gets information about a deployment configuration. /// - /// - Parameter GetDeploymentConfigInput : Represents the input of a GetDeploymentConfig operation. + /// - Parameter input: Represents the input of a GetDeploymentConfig operation. (Type: `GetDeploymentConfigInput`) /// - /// - Returns: `GetDeploymentConfigOutput` : Represents the output of a GetDeploymentConfig operation. + /// - Returns: Represents the output of a GetDeploymentConfig operation. (Type: `GetDeploymentConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2097,7 +2074,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentConfigOutput.httpOutput(from:), GetDeploymentConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2132,9 +2108,9 @@ extension CodeDeployClient { /// /// Gets information about a deployment group. /// - /// - Parameter GetDeploymentGroupInput : Represents the input of a GetDeploymentGroup operation. + /// - Parameter input: Represents the input of a GetDeploymentGroup operation. (Type: `GetDeploymentGroupInput`) /// - /// - Returns: `GetDeploymentGroupOutput` : Represents the output of a GetDeploymentGroup operation. + /// - Returns: Represents the output of a GetDeploymentGroup operation. (Type: `GetDeploymentGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2172,7 +2148,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentGroupOutput.httpOutput(from:), GetDeploymentGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2208,9 +2183,9 @@ extension CodeDeployClient { /// Gets information about an instance as part of a deployment. @available(*, deprecated, message: "This operation is deprecated, use GetDeploymentTarget instead.") /// - /// - Parameter GetDeploymentInstanceInput : Represents the input of a GetDeploymentInstance operation. + /// - Parameter input: Represents the input of a GetDeploymentInstance operation. (Type: `GetDeploymentInstanceInput`) /// - /// - Returns: `GetDeploymentInstanceOutput` : Represents the output of a GetDeploymentInstance operation. + /// - Returns: Represents the output of a GetDeploymentInstance operation. (Type: `GetDeploymentInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2248,7 +2223,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentInstanceOutput.httpOutput(from:), GetDeploymentInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2283,9 +2257,9 @@ extension CodeDeployClient { /// /// Returns information about a deployment target. /// - /// - Parameter GetDeploymentTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentTargetInput`) /// - /// - Returns: `GetDeploymentTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2324,7 +2298,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentTargetOutput.httpOutput(from:), GetDeploymentTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2359,9 +2332,9 @@ extension CodeDeployClient { /// /// Gets information about an on-premises instance. /// - /// - Parameter GetOnPremisesInstanceInput : Represents the input of a GetOnPremisesInstance operation. + /// - Parameter input: Represents the input of a GetOnPremisesInstance operation. (Type: `GetOnPremisesInstanceInput`) /// - /// - Returns: `GetOnPremisesInstanceOutput` : Represents the output of a GetOnPremisesInstance operation. + /// - Returns: Represents the output of a GetOnPremisesInstance operation. (Type: `GetOnPremisesInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2395,7 +2368,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOnPremisesInstanceOutput.httpOutput(from:), GetOnPremisesInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2430,9 +2402,9 @@ extension CodeDeployClient { /// /// Lists information about revisions for an application. /// - /// - Parameter ListApplicationRevisionsInput : Represents the input of a ListApplicationRevisions operation. + /// - Parameter input: Represents the input of a ListApplicationRevisions operation. (Type: `ListApplicationRevisionsInput`) /// - /// - Returns: `ListApplicationRevisionsOutput` : Represents the output of a ListApplicationRevisions operation. + /// - Returns: Represents the output of a ListApplicationRevisions operation. (Type: `ListApplicationRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2473,7 +2445,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationRevisionsOutput.httpOutput(from:), ListApplicationRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2508,9 +2479,9 @@ extension CodeDeployClient { /// /// Lists the applications registered with the user or Amazon Web Services account. /// - /// - Parameter ListApplicationsInput : Represents the input of a ListApplications operation. + /// - Parameter input: Represents the input of a ListApplications operation. (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : Represents the output of a ListApplications operation. + /// - Returns: Represents the output of a ListApplications operation. (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2542,7 +2513,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2577,9 +2547,9 @@ extension CodeDeployClient { /// /// Lists the deployment configurations with the user or Amazon Web Services account. /// - /// - Parameter ListDeploymentConfigsInput : Represents the input of a ListDeploymentConfigs operation. + /// - Parameter input: Represents the input of a ListDeploymentConfigs operation. (Type: `ListDeploymentConfigsInput`) /// - /// - Returns: `ListDeploymentConfigsOutput` : Represents the output of a ListDeploymentConfigs operation. + /// - Returns: Represents the output of a ListDeploymentConfigs operation. (Type: `ListDeploymentConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2611,7 +2581,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentConfigsOutput.httpOutput(from:), ListDeploymentConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2646,9 +2615,9 @@ extension CodeDeployClient { /// /// Lists the deployment groups for an application registered with the Amazon Web Services user or Amazon Web Services account. /// - /// - Parameter ListDeploymentGroupsInput : Represents the input of a ListDeploymentGroups operation. + /// - Parameter input: Represents the input of a ListDeploymentGroups operation. (Type: `ListDeploymentGroupsInput`) /// - /// - Returns: `ListDeploymentGroupsOutput` : Represents the output of a ListDeploymentGroups operation. + /// - Returns: Represents the output of a ListDeploymentGroups operation. (Type: `ListDeploymentGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2683,7 +2652,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentGroupsOutput.httpOutput(from:), ListDeploymentGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2719,9 +2687,9 @@ extension CodeDeployClient { /// The newer BatchGetDeploymentTargets should be used instead because it works with all compute types. ListDeploymentInstances throws an exception if it is used with a compute platform other than EC2/On-premises or Lambda. Lists the instance for a deployment associated with the user or Amazon Web Services account. @available(*, deprecated, message: "This operation is deprecated, use ListDeploymentTargets instead.") /// - /// - Parameter ListDeploymentInstancesInput : Represents the input of a ListDeploymentInstances operation. + /// - Parameter input: Represents the input of a ListDeploymentInstances operation. (Type: `ListDeploymentInstancesInput`) /// - /// - Returns: `ListDeploymentInstancesOutput` : Represents the output of a ListDeploymentInstances operation. + /// - Returns: Represents the output of a ListDeploymentInstances operation. (Type: `ListDeploymentInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2762,7 +2730,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentInstancesOutput.httpOutput(from:), ListDeploymentInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2797,9 +2764,9 @@ extension CodeDeployClient { /// /// Returns an array of target IDs that are associated a deployment. /// - /// - Parameter ListDeploymentTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeploymentTargetsInput`) /// - /// - Returns: `ListDeploymentTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeploymentTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2839,7 +2806,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentTargetsOutput.httpOutput(from:), ListDeploymentTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2874,9 +2840,9 @@ extension CodeDeployClient { /// /// Lists the deployments in a deployment group for an application registered with the user or Amazon Web Services account. /// - /// - Parameter ListDeploymentsInput : Represents the input of a ListDeployments operation. + /// - Parameter input: Represents the input of a ListDeployments operation. (Type: `ListDeploymentsInput`) /// - /// - Returns: `ListDeploymentsOutput` : Represents the output of a ListDeployments operation. + /// - Returns: Represents the output of a ListDeployments operation. (Type: `ListDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2918,7 +2884,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentsOutput.httpOutput(from:), ListDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2953,9 +2918,9 @@ extension CodeDeployClient { /// /// Lists the names of stored connections to GitHub accounts. /// - /// - Parameter ListGitHubAccountTokenNamesInput : Represents the input of a ListGitHubAccountTokenNames operation. + /// - Parameter input: Represents the input of a ListGitHubAccountTokenNames operation. (Type: `ListGitHubAccountTokenNamesInput`) /// - /// - Returns: `ListGitHubAccountTokenNamesOutput` : Represents the output of a ListGitHubAccountTokenNames operation. + /// - Returns: Represents the output of a ListGitHubAccountTokenNames operation. (Type: `ListGitHubAccountTokenNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2989,7 +2954,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGitHubAccountTokenNamesOutput.httpOutput(from:), ListGitHubAccountTokenNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3024,9 +2988,9 @@ extension CodeDeployClient { /// /// Gets a list of names for one or more on-premises instances. Unless otherwise specified, both registered and deregistered on-premises instance names are listed. To list only registered or deregistered on-premises instance names, use the registration status parameter. /// - /// - Parameter ListOnPremisesInstancesInput : Represents the input of a ListOnPremisesInstances operation. + /// - Parameter input: Represents the input of a ListOnPremisesInstances operation. (Type: `ListOnPremisesInstancesInput`) /// - /// - Returns: `ListOnPremisesInstancesOutput` : Represents the output of the list on-premises instances operation. + /// - Returns: Represents the output of the list on-premises instances operation. (Type: `ListOnPremisesInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3060,7 +3024,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOnPremisesInstancesOutput.httpOutput(from:), ListOnPremisesInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3095,9 +3058,9 @@ extension CodeDeployClient { /// /// Returns a list of tags for the resource identified by a specified Amazon Resource Name (ARN). Tags are used to organize and categorize your CodeDeploy resources. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3131,7 +3094,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3166,9 +3128,9 @@ extension CodeDeployClient { /// /// Sets the result of a Lambda validation function. The function validates lifecycle hooks during a deployment that uses the Lambda or Amazon ECS compute platform. For Lambda deployments, the available lifecycle hooks are BeforeAllowTraffic and AfterAllowTraffic. For Amazon ECS deployments, the available lifecycle hooks are BeforeInstall, AfterInstall, AfterAllowTestTraffic, BeforeAllowTraffic, and AfterAllowTraffic. Lambda validation functions return Succeeded or Failed. For more information, see [AppSpec 'hooks' Section for an Lambda Deployment ](https://docs.aws.amazon.com/codedeploy/latest/userguide/reference-appspec-file-structure-hooks.html#appspec-hooks-lambda) and [AppSpec 'hooks' Section for an Amazon ECS Deployment](https://docs.aws.amazon.com/codedeploy/latest/userguide/reference-appspec-file-structure-hooks.html#appspec-hooks-ecs). /// - /// - Parameter PutLifecycleEventHookExecutionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLifecycleEventHookExecutionStatusInput`) /// - /// - Returns: `PutLifecycleEventHookExecutionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLifecycleEventHookExecutionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3206,7 +3168,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLifecycleEventHookExecutionStatusOutput.httpOutput(from:), PutLifecycleEventHookExecutionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3241,9 +3202,9 @@ extension CodeDeployClient { /// /// Registers with CodeDeploy a revision for the specified application. /// - /// - Parameter RegisterApplicationRevisionInput : Represents the input of a RegisterApplicationRevision operation. + /// - Parameter input: Represents the input of a RegisterApplicationRevision operation. (Type: `RegisterApplicationRevisionInput`) /// - /// - Returns: `RegisterApplicationRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterApplicationRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3280,7 +3241,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterApplicationRevisionOutput.httpOutput(from:), RegisterApplicationRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3315,9 +3275,9 @@ extension CodeDeployClient { /// /// Registers an on-premises instance. Only one IAM ARN (an IAM session ARN or IAM user ARN) is supported in the request. You cannot use both. /// - /// - Parameter RegisterOnPremisesInstanceInput : Represents the input of the register on-premises instance operation. + /// - Parameter input: Represents the input of the register on-premises instance operation. (Type: `RegisterOnPremisesInstanceInput`) /// - /// - Returns: `RegisterOnPremisesInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterOnPremisesInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3358,7 +3318,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterOnPremisesInstanceOutput.httpOutput(from:), RegisterOnPremisesInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3393,9 +3352,9 @@ extension CodeDeployClient { /// /// Removes one or more tags from one or more on-premises instances. /// - /// - Parameter RemoveTagsFromOnPremisesInstancesInput : Represents the input of a RemoveTagsFromOnPremisesInstances operation. + /// - Parameter input: Represents the input of a RemoveTagsFromOnPremisesInstances operation. (Type: `RemoveTagsFromOnPremisesInstancesInput`) /// - /// - Returns: `RemoveTagsFromOnPremisesInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsFromOnPremisesInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3433,7 +3392,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromOnPremisesInstancesOutput.httpOutput(from:), RemoveTagsFromOnPremisesInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3469,9 +3427,9 @@ extension CodeDeployClient { /// In a blue/green deployment, overrides any specified wait time and starts terminating instances immediately after the traffic routing is complete. @available(*, deprecated, message: "This operation is deprecated, use ContinueDeployment with DeploymentWaitType instead.") /// - /// - Parameter SkipWaitTimeForInstanceTerminationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SkipWaitTimeForInstanceTerminationInput`) /// - /// - Returns: `SkipWaitTimeForInstanceTerminationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SkipWaitTimeForInstanceTerminationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3508,7 +3466,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SkipWaitTimeForInstanceTerminationOutput.httpOutput(from:), SkipWaitTimeForInstanceTerminationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3543,9 +3500,9 @@ extension CodeDeployClient { /// /// Attempts to stop an ongoing deployment. /// - /// - Parameter StopDeploymentInput : Represents the input of a StopDeployment operation. + /// - Parameter input: Represents the input of a StopDeployment operation. (Type: `StopDeploymentInput`) /// - /// - Returns: `StopDeploymentOutput` : Represents the output of a StopDeployment operation. + /// - Returns: Represents the output of a StopDeployment operation. (Type: `StopDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3582,7 +3539,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDeploymentOutput.httpOutput(from:), StopDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3617,9 +3573,9 @@ extension CodeDeployClient { /// /// Associates the list of tags in the input Tags parameter with the resource identified by the ResourceArn input parameter. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3658,7 +3614,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3693,9 +3648,9 @@ extension CodeDeployClient { /// /// Disassociates a resource from a list of tags. The resource is identified by the ResourceArn input parameter. The tags are identified by the list of keys in the TagKeys input parameter. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3734,7 +3689,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3769,9 +3723,9 @@ extension CodeDeployClient { /// /// Changes the name of an application. /// - /// - Parameter UpdateApplicationInput : Represents the input of an UpdateApplication operation. + /// - Parameter input: Represents the input of an UpdateApplication operation. (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3806,7 +3760,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3841,9 +3794,9 @@ extension CodeDeployClient { /// /// Changes information about a deployment group. /// - /// - Parameter UpdateDeploymentGroupInput : Represents the input of an UpdateDeploymentGroup operation. + /// - Parameter input: Represents the input of an UpdateDeploymentGroup operation. (Type: `UpdateDeploymentGroupInput`) /// - /// - Returns: `UpdateDeploymentGroupOutput` : Represents the output of an UpdateDeploymentGroup operation. + /// - Returns: Represents the output of an UpdateDeploymentGroup operation. (Type: `UpdateDeploymentGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3915,7 +3868,6 @@ extension CodeDeployClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeploymentGroupOutput.httpOutput(from:), UpdateDeploymentGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodeGuruProfiler/Sources/AWSCodeGuruProfiler/CodeGuruProfilerClient.swift b/Sources/Services/AWSCodeGuruProfiler/Sources/AWSCodeGuruProfiler/CodeGuruProfilerClient.swift index 784498490a9..b0e68de58a0 100644 --- a/Sources/Services/AWSCodeGuruProfiler/Sources/AWSCodeGuruProfiler/CodeGuruProfilerClient.swift +++ b/Sources/Services/AWSCodeGuruProfiler/Sources/AWSCodeGuruProfiler/CodeGuruProfilerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -72,7 +71,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodeGuruProfilerClient: ClientRuntime.Client { public static let clientName = "CodeGuruProfilerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodeGuruProfilerClient.CodeGuruProfilerClientConfiguration let serviceName = "CodeGuruProfiler" @@ -378,9 +377,9 @@ extension CodeGuruProfilerClient { /// /// Add up to 2 anomaly notifications channels for a profiling group. /// - /// - Parameter AddNotificationChannelsInput : The structure representing the AddNotificationChannelsRequest. + /// - Parameter input: The structure representing the AddNotificationChannelsRequest. (Type: `AddNotificationChannelsInput`) /// - /// - Returns: `AddNotificationChannelsOutput` : The structure representing the AddNotificationChannelsResponse. + /// - Returns: The structure representing the AddNotificationChannelsResponse. (Type: `AddNotificationChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddNotificationChannelsOutput.httpOutput(from:), AddNotificationChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension CodeGuruProfilerClient { /// /// Returns the time series of values for a requested list of frame metrics from a time period. /// - /// - Parameter BatchGetFrameMetricDataInput : The structure representing the BatchGetFrameMetricDataRequest. + /// - Parameter input: The structure representing the BatchGetFrameMetricDataRequest. (Type: `BatchGetFrameMetricDataInput`) /// - /// - Returns: `BatchGetFrameMetricDataOutput` : The structure representing the BatchGetFrameMetricDataResponse. + /// - Returns: The structure representing the BatchGetFrameMetricDataResponse. (Type: `BatchGetFrameMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetFrameMetricDataOutput.httpOutput(from:), BatchGetFrameMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension CodeGuruProfilerClient { /// /// Used by profiler agents to report their current state and to receive remote configuration updates. For example, ConfigureAgent can be used to tell an agent whether to profile or not and for how long to return profiling data. /// - /// - Parameter ConfigureAgentInput : The structure representing the configureAgentRequest. + /// - Parameter input: The structure representing the configureAgentRequest. (Type: `ConfigureAgentInput`) /// - /// - Returns: `ConfigureAgentOutput` : The structure representing the configureAgentResponse. + /// - Returns: The structure representing the configureAgentResponse. (Type: `ConfigureAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfigureAgentOutput.httpOutput(from:), ConfigureAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension CodeGuruProfilerClient { /// /// Creates a profiling group. /// - /// - Parameter CreateProfilingGroupInput : The structure representing the createProfiliingGroupRequest. + /// - Parameter input: The structure representing the createProfiliingGroupRequest. (Type: `CreateProfilingGroupInput`) /// - /// - Returns: `CreateProfilingGroupOutput` : The structure representing the createProfilingGroupResponse. + /// - Returns: The structure representing the createProfilingGroupResponse. (Type: `CreateProfilingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -636,7 +632,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProfilingGroupOutput.httpOutput(from:), CreateProfilingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -668,9 +663,9 @@ extension CodeGuruProfilerClient { /// /// Deletes a profiling group. /// - /// - Parameter DeleteProfilingGroupInput : The structure representing the deleteProfilingGroupRequest. + /// - Parameter input: The structure representing the deleteProfilingGroupRequest. (Type: `DeleteProfilingGroupInput`) /// - /// - Returns: `DeleteProfilingGroupOutput` : The structure representing the deleteProfilingGroupResponse. + /// - Returns: The structure representing the deleteProfilingGroupResponse. (Type: `DeleteProfilingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfilingGroupOutput.httpOutput(from:), DeleteProfilingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -737,9 +731,9 @@ extension CodeGuruProfilerClient { /// /// Returns a [ProfilingGroupDescription](https://docs.aws.amazon.com/codeguru/latest/profiler-api/API_ProfilingGroupDescription.html) object that contains information about the requested profiling group. /// - /// - Parameter DescribeProfilingGroupInput : The structure representing the describeProfilingGroupRequest. + /// - Parameter input: The structure representing the describeProfilingGroupRequest. (Type: `DescribeProfilingGroupInput`) /// - /// - Returns: `DescribeProfilingGroupOutput` : The structure representing the describeProfilingGroupResponse. + /// - Returns: The structure representing the describeProfilingGroupResponse. (Type: `DescribeProfilingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -773,7 +767,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProfilingGroupOutput.httpOutput(from:), DescribeProfilingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -805,9 +798,9 @@ extension CodeGuruProfilerClient { /// /// Returns a list of [FindingsReportSummary](https://docs.aws.amazon.com/codeguru/latest/profiler-api/API_FindingsReportSummary.html) objects that contain analysis results for all profiling groups in your AWS account. /// - /// - Parameter GetFindingsReportAccountSummaryInput : The structure representing the GetFindingsReportAccountSummaryRequest. + /// - Parameter input: The structure representing the GetFindingsReportAccountSummaryRequest. (Type: `GetFindingsReportAccountSummaryInput`) /// - /// - Returns: `GetFindingsReportAccountSummaryOutput` : The structure representing the GetFindingsReportAccountSummaryResponse. + /// - Returns: The structure representing the GetFindingsReportAccountSummaryResponse. (Type: `GetFindingsReportAccountSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -841,7 +834,6 @@ extension CodeGuruProfilerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFindingsReportAccountSummaryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsReportAccountSummaryOutput.httpOutput(from:), GetFindingsReportAccountSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension CodeGuruProfilerClient { /// /// Get the current configuration for anomaly notifications for a profiling group. /// - /// - Parameter GetNotificationConfigurationInput : The structure representing the GetNotificationConfigurationRequest. + /// - Parameter input: The structure representing the GetNotificationConfigurationRequest. (Type: `GetNotificationConfigurationInput`) /// - /// - Returns: `GetNotificationConfigurationOutput` : The structure representing the GetNotificationConfigurationResponse. + /// - Returns: The structure representing the GetNotificationConfigurationResponse. (Type: `GetNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -909,7 +901,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNotificationConfigurationOutput.httpOutput(from:), GetNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -941,9 +932,9 @@ extension CodeGuruProfilerClient { /// /// Returns the JSON-formatted resource-based policy on a profiling group. /// - /// - Parameter GetPolicyInput : The structure representing the getPolicyRequest. + /// - Parameter input: The structure representing the getPolicyRequest. (Type: `GetPolicyInput`) /// - /// - Returns: `GetPolicyOutput` : The structure representing the getPolicyResponse. + /// - Returns: The structure representing the getPolicyResponse. (Type: `GetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +967,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyOutput.httpOutput(from:), GetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1024,9 +1014,9 @@ extension CodeGuruProfilerClient { /// /// * If you want to return an aggregated profile for a time range that doesn't align with an existing aggregated profile, then CodeGuru Profiler makes a best effort to combine existing aggregated profiles from the requested time range and return them as one aggregated profile. If aggregated profiles do not exist for the full time range requested, then aggregated profiles for a smaller time range are returned. For example, if the requested time range is from 00:00 to 00:20, and the existing aggregated profiles are from 00:15 and 00:25, then the aggregated profiles from 00:15 to 00:20 are returned. /// - /// - Parameter GetProfileInput : The structure representing the getProfileRequest. + /// - Parameter input: The structure representing the getProfileRequest. (Type: `GetProfileInput`) /// - /// - Returns: `GetProfileOutput` : The structure representing the getProfileResponse. + /// - Returns: The structure representing the getProfileResponse. (Type: `GetProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1062,7 +1052,6 @@ extension CodeGuruProfilerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileOutput.httpOutput(from:), GetProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1094,9 +1083,9 @@ extension CodeGuruProfilerClient { /// /// Returns a list of [Recommendation](https://docs.aws.amazon.com/codeguru/latest/profiler-api/API_Recommendation.html) objects that contain recommendations for a profiling group for a given time period. A list of [Anomaly](https://docs.aws.amazon.com/codeguru/latest/profiler-api/API_Anomaly.html) objects that contains details about anomalies detected in the profiling group for the same time period is also returned. /// - /// - Parameter GetRecommendationsInput : The structure representing the GetRecommendationsRequest. + /// - Parameter input: The structure representing the GetRecommendationsRequest. (Type: `GetRecommendationsInput`) /// - /// - Returns: `GetRecommendationsOutput` : The structure representing the GetRecommendationsResponse. + /// - Returns: The structure representing the GetRecommendationsResponse. (Type: `GetRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1131,7 +1120,6 @@ extension CodeGuruProfilerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRecommendationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommendationsOutput.httpOutput(from:), GetRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1163,9 +1151,9 @@ extension CodeGuruProfilerClient { /// /// List the available reports for a given profiling group and time range. /// - /// - Parameter ListFindingsReportsInput : The structure representing the ListFindingsReportsRequest. + /// - Parameter input: The structure representing the ListFindingsReportsRequest. (Type: `ListFindingsReportsInput`) /// - /// - Returns: `ListFindingsReportsOutput` : The structure representing the ListFindingsReportsResponse. + /// - Returns: The structure representing the ListFindingsReportsResponse. (Type: `ListFindingsReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1200,7 +1188,6 @@ extension CodeGuruProfilerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFindingsReportsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingsReportsOutput.httpOutput(from:), ListFindingsReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1232,9 +1219,9 @@ extension CodeGuruProfilerClient { /// /// Lists the start times of the available aggregated profiles of a profiling group for an aggregation period within the specified time range. /// - /// - Parameter ListProfileTimesInput : The structure representing the listProfileTimesRequest. + /// - Parameter input: The structure representing the listProfileTimesRequest. (Type: `ListProfileTimesInput`) /// - /// - Returns: `ListProfileTimesOutput` : The structure representing the listProfileTimesResponse. + /// - Returns: The structure representing the listProfileTimesResponse. (Type: `ListProfileTimesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1269,7 +1256,6 @@ extension CodeGuruProfilerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfileTimesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfileTimesOutput.httpOutput(from:), ListProfileTimesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1301,9 +1287,9 @@ extension CodeGuruProfilerClient { /// /// Returns a list of profiling groups. The profiling groups are returned as [ProfilingGroupDescription](https://docs.aws.amazon.com/codeguru/latest/profiler-api/API_ProfilingGroupDescription.html) objects. /// - /// - Parameter ListProfilingGroupsInput : The structure representing the listProfilingGroupsRequest. + /// - Parameter input: The structure representing the listProfilingGroupsRequest. (Type: `ListProfilingGroupsInput`) /// - /// - Returns: `ListProfilingGroupsOutput` : The structure representing the listProfilingGroupsResponse. + /// - Returns: The structure representing the listProfilingGroupsResponse. (Type: `ListProfilingGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1336,7 +1322,6 @@ extension CodeGuruProfilerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfilingGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfilingGroupsOutput.httpOutput(from:), ListProfilingGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1368,9 +1353,9 @@ extension CodeGuruProfilerClient { /// /// Returns a list of the tags that are assigned to a specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1403,7 +1388,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1435,9 +1419,9 @@ extension CodeGuruProfilerClient { /// /// Submits profiling data to an aggregated profile of a profiling group. To get an aggregated profile that is created with this profiling data, use [GetProfile](https://docs.aws.amazon.com/codeguru/latest/profiler-api/API_GetProfile.html). /// - /// - Parameter PostAgentProfileInput : The structure representing the postAgentProfileRequest. + /// - Parameter input: The structure representing the postAgentProfileRequest. (Type: `PostAgentProfileInput`) /// - /// - Returns: `PostAgentProfileOutput` : The structure representing the postAgentProfileResponse. + /// - Returns: The structure representing the postAgentProfileResponse. (Type: `PostAgentProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1477,7 +1461,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostAgentProfileOutput.httpOutput(from:), PostAgentProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1509,9 +1492,9 @@ extension CodeGuruProfilerClient { /// /// Adds permissions to a profiling group's resource-based policy that are provided using an action group. If a profiling group doesn't have a resource-based policy, one is created for it using the permissions in the action group and the roles and users in the principals parameter. The one supported action group that can be added is agentPermission which grants ConfigureAgent and PostAgent permissions. For more information, see [Resource-based policies in CodeGuru Profiler](https://docs.aws.amazon.com/codeguru/latest/profiler-ug/resource-based-policies.html) in the Amazon CodeGuru Profiler User Guide, [ConfigureAgent](https://docs.aws.amazon.com/codeguru/latest/profiler-api/API_ConfigureAgent.html), and [PostAgentProfile](https://docs.aws.amazon.com/codeguru/latest/profiler-api/API_PostAgentProfile.html). The first time you call PutPermission on a profiling group, do not specify a revisionId because it doesn't have a resource-based policy. Subsequent calls must provide a revisionId to specify which revision of the resource-based policy to add the permissions to. The response contains the profiling group's JSON-formatted resource policy. /// - /// - Parameter PutPermissionInput : The structure representing the putPermissionRequest. + /// - Parameter input: The structure representing the putPermissionRequest. (Type: `PutPermissionInput`) /// - /// - Returns: `PutPermissionOutput` : The structure representing the putPermissionResponse. + /// - Returns: The structure representing the putPermissionResponse. (Type: `PutPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1549,7 +1532,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPermissionOutput.httpOutput(from:), PutPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1581,9 +1563,9 @@ extension CodeGuruProfilerClient { /// /// Remove one anomaly notifications channel for a profiling group. /// - /// - Parameter RemoveNotificationChannelInput : The structure representing the RemoveNotificationChannelRequest. + /// - Parameter input: The structure representing the RemoveNotificationChannelRequest. (Type: `RemoveNotificationChannelInput`) /// - /// - Returns: `RemoveNotificationChannelOutput` : The structure representing the RemoveNotificationChannelResponse. + /// - Returns: The structure representing the RemoveNotificationChannelResponse. (Type: `RemoveNotificationChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1617,7 +1599,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveNotificationChannelOutput.httpOutput(from:), RemoveNotificationChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1649,9 +1630,9 @@ extension CodeGuruProfilerClient { /// /// Removes permissions from a profiling group's resource-based policy that are provided using an action group. The one supported action group that can be removed is agentPermission which grants ConfigureAgent and PostAgent permissions. For more information, see [Resource-based policies in CodeGuru Profiler](https://docs.aws.amazon.com/codeguru/latest/profiler-ug/resource-based-policies.html) in the Amazon CodeGuru Profiler User Guide, [ConfigureAgent](https://docs.aws.amazon.com/codeguru/latest/profiler-api/API_ConfigureAgent.html), and [PostAgentProfile](https://docs.aws.amazon.com/codeguru/latest/profiler-api/API_PostAgentProfile.html). /// - /// - Parameter RemovePermissionInput : The structure representing the removePermissionRequest. + /// - Parameter input: The structure representing the removePermissionRequest. (Type: `RemovePermissionInput`) /// - /// - Returns: `RemovePermissionOutput` : The structure representing the removePermissionResponse. + /// - Returns: The structure representing the removePermissionResponse. (Type: `RemovePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1687,7 +1668,6 @@ extension CodeGuruProfilerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RemovePermissionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemovePermissionOutput.httpOutput(from:), RemovePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1719,9 +1699,9 @@ extension CodeGuruProfilerClient { /// /// Sends feedback to CodeGuru Profiler about whether the anomaly detected by the analysis is useful or not. /// - /// - Parameter SubmitFeedbackInput : The structure representing the SubmitFeedbackRequest. + /// - Parameter input: The structure representing the SubmitFeedbackRequest. (Type: `SubmitFeedbackInput`) /// - /// - Returns: `SubmitFeedbackOutput` : The structure representing the SubmitFeedbackResponse. + /// - Returns: The structure representing the SubmitFeedbackResponse. (Type: `SubmitFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1758,7 +1738,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitFeedbackOutput.httpOutput(from:), SubmitFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1790,9 +1769,9 @@ extension CodeGuruProfilerClient { /// /// Use to assign one or more tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1828,7 +1807,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1860,9 +1838,9 @@ extension CodeGuruProfilerClient { /// /// Use to remove one or more tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1896,7 +1874,6 @@ extension CodeGuruProfilerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1928,9 +1905,9 @@ extension CodeGuruProfilerClient { /// /// Updates a profiling group. /// - /// - Parameter UpdateProfilingGroupInput : The structure representing the updateProfilingGroupRequest. + /// - Parameter input: The structure representing the updateProfilingGroupRequest. (Type: `UpdateProfilingGroupInput`) /// - /// - Returns: `UpdateProfilingGroupOutput` : The structure representing the updateProfilingGroupResponse. + /// - Returns: The structure representing the updateProfilingGroupResponse. (Type: `UpdateProfilingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1968,7 +1945,6 @@ extension CodeGuruProfilerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProfilingGroupOutput.httpOutput(from:), UpdateProfilingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodeGuruReviewer/Sources/AWSCodeGuruReviewer/CodeGuruReviewerClient.swift b/Sources/Services/AWSCodeGuruReviewer/Sources/AWSCodeGuruReviewer/CodeGuruReviewerClient.swift index 0ca9bd0d81e..ad6a6abff47 100644 --- a/Sources/Services/AWSCodeGuruReviewer/Sources/AWSCodeGuruReviewer/CodeGuruReviewerClient.swift +++ b/Sources/Services/AWSCodeGuruReviewer/Sources/AWSCodeGuruReviewer/CodeGuruReviewerClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodeGuruReviewerClient: ClientRuntime.Client { public static let clientName = "CodeGuruReviewerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodeGuruReviewerClient.CodeGuruReviewerClientConfiguration let serviceName = "CodeGuru Reviewer" @@ -374,9 +373,9 @@ extension CodeGuruReviewerClient { /// /// Use to associate an Amazon Web Services CodeCommit repository or a repository managed by Amazon Web Services CodeStar Connections with Amazon CodeGuru Reviewer. When you associate a repository, CodeGuru Reviewer reviews source code changes in the repository's pull requests and provides automatic recommendations. You can view recommendations using the CodeGuru Reviewer console. For more information, see [Recommendations in Amazon CodeGuru Reviewer](https://docs.aws.amazon.com/codeguru/latest/reviewer-ug/recommendations.html) in the Amazon CodeGuru Reviewer User Guide. If you associate a CodeCommit or S3 repository, it must be in the same Amazon Web Services Region and Amazon Web Services account where its CodeGuru Reviewer code reviews are configured. Bitbucket and GitHub Enterprise Server repositories are managed by Amazon Web Services CodeStar Connections to connect to CodeGuru Reviewer. For more information, see [Associate a repository](https://docs.aws.amazon.com/codeguru/latest/reviewer-ug/getting-started-associate-repository.html) in the Amazon CodeGuru Reviewer User Guide. You cannot use the CodeGuru Reviewer SDK or the Amazon Web Services CLI to associate a GitHub repository with Amazon CodeGuru Reviewer. To associate a GitHub repository, use the console. For more information, see [Getting started with CodeGuru Reviewer](https://docs.aws.amazon.com/codeguru/latest/reviewer-ug/getting-started-with-guru.html) in the CodeGuru Reviewer User Guide. /// - /// - Parameter AssociateRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateRepositoryInput`) /// - /// - Returns: `AssociateRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension CodeGuruReviewerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateRepositoryOutput.httpOutput(from:), AssociateRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension CodeGuruReviewerClient { /// /// Use to create a code review with a [CodeReviewType](https://docs.aws.amazon.com/codeguru/latest/reviewer-api/API_CodeReviewType.html) of RepositoryAnalysis. This type of code review analyzes all code under a specified branch in an associated repository. PullRequest code reviews are automatically triggered by a pull request. /// - /// - Parameter CreateCodeReviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCodeReviewInput`) /// - /// - Returns: `CreateCodeReviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCodeReviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension CodeGuruReviewerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCodeReviewOutput.httpOutput(from:), CreateCodeReviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension CodeGuruReviewerClient { /// /// Returns the metadata associated with the code review along with its status. /// - /// - Parameter DescribeCodeReviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCodeReviewInput`) /// - /// - Returns: `DescribeCodeReviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCodeReviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension CodeGuruReviewerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCodeReviewOutput.httpOutput(from:), DescribeCodeReviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension CodeGuruReviewerClient { /// /// Describes the customer feedback for a CodeGuru Reviewer recommendation. /// - /// - Parameter DescribeRecommendationFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecommendationFeedbackInput`) /// - /// - Returns: `DescribeRecommendationFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecommendationFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension CodeGuruReviewerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeRecommendationFeedbackInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecommendationFeedbackOutput.httpOutput(from:), DescribeRecommendationFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +655,9 @@ extension CodeGuruReviewerClient { /// /// Returns a [RepositoryAssociation](https://docs.aws.amazon.com/codeguru/latest/reviewer-api/API_RepositoryAssociation.html) object that contains information about the requested repository association. /// - /// - Parameter DescribeRepositoryAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRepositoryAssociationInput`) /// - /// - Returns: `DescribeRepositoryAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRepositoryAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -697,7 +692,6 @@ extension CodeGuruReviewerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRepositoryAssociationOutput.httpOutput(from:), DescribeRepositoryAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -729,9 +723,9 @@ extension CodeGuruReviewerClient { /// /// Removes the association between Amazon CodeGuru Reviewer and a repository. /// - /// - Parameter DisassociateRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateRepositoryInput`) /// - /// - Returns: `DisassociateRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension CodeGuruReviewerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateRepositoryOutput.httpOutput(from:), DisassociateRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension CodeGuruReviewerClient { /// /// Lists all the code reviews that the customer has created in the past 90 days. /// - /// - Parameter ListCodeReviewsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCodeReviewsInput`) /// - /// - Returns: `ListCodeReviewsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCodeReviewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -836,7 +829,6 @@ extension CodeGuruReviewerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCodeReviewsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCodeReviewsOutput.httpOutput(from:), ListCodeReviewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -868,9 +860,9 @@ extension CodeGuruReviewerClient { /// /// Returns a list of [RecommendationFeedbackSummary](https://docs.aws.amazon.com/codeguru/latest/reviewer-api/API_RecommendationFeedbackSummary.html) objects that contain customer recommendation feedback for all CodeGuru Reviewer users. /// - /// - Parameter ListRecommendationFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendationFeedbackInput`) /// - /// - Returns: `ListRecommendationFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendationFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -906,7 +898,6 @@ extension CodeGuruReviewerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecommendationFeedbackInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendationFeedbackOutput.httpOutput(from:), ListRecommendationFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -938,9 +929,9 @@ extension CodeGuruReviewerClient { /// /// Returns the list of all recommendations for a completed code review. /// - /// - Parameter ListRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendationsInput`) /// - /// - Returns: `ListRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +967,6 @@ extension CodeGuruReviewerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecommendationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendationsOutput.httpOutput(from:), ListRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1008,9 +998,9 @@ extension CodeGuruReviewerClient { /// /// Returns a list of [RepositoryAssociationSummary](https://docs.aws.amazon.com/codeguru/latest/reviewer-api/API_RepositoryAssociationSummary.html) objects that contain summary information about a repository association. You can filter the returned list by [ProviderType](https://docs.aws.amazon.com/codeguru/latest/reviewer-api/API_RepositoryAssociationSummary.html#reviewer-Type-RepositoryAssociationSummary-ProviderType), [Name](https://docs.aws.amazon.com/codeguru/latest/reviewer-api/API_RepositoryAssociationSummary.html#reviewer-Type-RepositoryAssociationSummary-Name), [State](https://docs.aws.amazon.com/codeguru/latest/reviewer-api/API_RepositoryAssociationSummary.html#reviewer-Type-RepositoryAssociationSummary-State), and [Owner](https://docs.aws.amazon.com/codeguru/latest/reviewer-api/API_RepositoryAssociationSummary.html#reviewer-Type-RepositoryAssociationSummary-Owner). /// - /// - Parameter ListRepositoryAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRepositoryAssociationsInput`) /// - /// - Returns: `ListRepositoryAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRepositoryAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1044,7 +1034,6 @@ extension CodeGuruReviewerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRepositoryAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositoryAssociationsOutput.httpOutput(from:), ListRepositoryAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1076,9 +1065,9 @@ extension CodeGuruReviewerClient { /// /// Returns the list of tags associated with an associated repository resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1111,7 +1100,6 @@ extension CodeGuruReviewerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1143,9 +1131,9 @@ extension CodeGuruReviewerClient { /// /// Stores customer feedback for a CodeGuru Reviewer recommendation. When this API is called again with different reactions the previous feedback is overwritten. /// - /// - Parameter PutRecommendationFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRecommendationFeedbackInput`) /// - /// - Returns: `PutRecommendationFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRecommendationFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1183,7 +1171,6 @@ extension CodeGuruReviewerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRecommendationFeedbackOutput.httpOutput(from:), PutRecommendationFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1215,9 +1202,9 @@ extension CodeGuruReviewerClient { /// /// Adds one or more tags to an associated repository. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1253,7 +1240,6 @@ extension CodeGuruReviewerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1285,9 +1271,9 @@ extension CodeGuruReviewerClient { /// /// Removes a tag from an associated repository. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1321,7 +1307,6 @@ extension CodeGuruReviewerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodeGuruSecurity/Sources/AWSCodeGuruSecurity/CodeGuruSecurityClient.swift b/Sources/Services/AWSCodeGuruSecurity/Sources/AWSCodeGuruSecurity/CodeGuruSecurityClient.swift index ff032c80eb6..733371e319b 100644 --- a/Sources/Services/AWSCodeGuruSecurity/Sources/AWSCodeGuruSecurity/CodeGuruSecurityClient.swift +++ b/Sources/Services/AWSCodeGuruSecurity/Sources/AWSCodeGuruSecurity/CodeGuruSecurityClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodeGuruSecurityClient: ClientRuntime.Client { public static let clientName = "CodeGuruSecurityClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodeGuruSecurityClient.CodeGuruSecurityClientConfiguration let serviceName = "CodeGuru Security" @@ -375,9 +374,9 @@ extension CodeGuruSecurityClient { /// /// Returns a list of requested findings from standard scans. /// - /// - Parameter BatchGetFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetFindingsInput`) /// - /// - Returns: `BatchGetFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension CodeGuruSecurityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetFindingsOutput.httpOutput(from:), BatchGetFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension CodeGuruSecurityClient { /// /// Use to create a scan using code uploaded to an Amazon S3 bucket. /// - /// - Parameter CreateScanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScanInput`) /// - /// - Returns: `CreateScanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension CodeGuruSecurityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScanOutput.httpOutput(from:), CreateScanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension CodeGuruSecurityClient { /// /// Generates a pre-signed URL, request headers used to upload a code resource, and code artifact identifier for the uploaded resource. You can upload your code resource to the URL with the request headers using any HTTP client. /// - /// - Parameter CreateUploadUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUploadUrlInput`) /// - /// - Returns: `CreateUploadUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUploadUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension CodeGuruSecurityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUploadUrlOutput.httpOutput(from:), CreateUploadUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension CodeGuruSecurityClient { /// /// Use to get the encryption configuration for an account. /// - /// - Parameter GetAccountConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountConfigurationInput`) /// - /// - Returns: `GetAccountConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension CodeGuruSecurityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountConfigurationOutput.httpOutput(from:), GetAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension CodeGuruSecurityClient { /// /// Returns a list of all findings generated by a particular scan. /// - /// - Parameter GetFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingsInput`) /// - /// - Returns: `GetFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension CodeGuruSecurityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFindingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsOutput.httpOutput(from:), GetFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension CodeGuruSecurityClient { /// /// Returns a summary of metrics for an account from a specified date, including number of open findings, the categories with most findings, the scans with most open findings, and scans with most open critical findings. /// - /// - Parameter GetMetricsSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetricsSummaryInput`) /// - /// - Returns: `GetMetricsSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetricsSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension CodeGuruSecurityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMetricsSummaryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetricsSummaryOutput.httpOutput(from:), GetMetricsSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension CodeGuruSecurityClient { /// /// Returns details about a scan, including whether or not a scan has completed. /// - /// - Parameter GetScanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetScanInput`) /// - /// - Returns: `GetScanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetScanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -837,7 +830,6 @@ extension CodeGuruSecurityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetScanInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetScanOutput.httpOutput(from:), GetScanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -869,9 +861,9 @@ extension CodeGuruSecurityClient { /// /// Returns metrics about all findings in an account within a specified time range. /// - /// - Parameter ListFindingsMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFindingsMetricsInput`) /// - /// - Returns: `ListFindingsMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFindingsMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -906,7 +898,6 @@ extension CodeGuruSecurityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFindingsMetricsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingsMetricsOutput.httpOutput(from:), ListFindingsMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -938,9 +929,9 @@ extension CodeGuruSecurityClient { /// /// Returns a list of all scans in an account. Does not return EXPRESS scans. /// - /// - Parameter ListScansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListScansInput`) /// - /// - Returns: `ListScansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListScansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -975,7 +966,6 @@ extension CodeGuruSecurityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListScansInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScansOutput.httpOutput(from:), ListScansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1007,9 +997,9 @@ extension CodeGuruSecurityClient { /// /// Returns a list of all tags associated with a scan. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1045,7 +1035,6 @@ extension CodeGuruSecurityClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1077,9 +1066,9 @@ extension CodeGuruSecurityClient { /// /// Use to add one or more tags to an existing scan. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1118,7 +1107,6 @@ extension CodeGuruSecurityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1150,9 +1138,9 @@ extension CodeGuruSecurityClient { /// /// Use to remove one or more tags from an existing scan. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1189,7 +1177,6 @@ extension CodeGuruSecurityClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1221,9 +1208,9 @@ extension CodeGuruSecurityClient { /// /// Use to update the encryption configuration for an account. /// - /// - Parameter UpdateAccountConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountConfigurationInput`) /// - /// - Returns: `UpdateAccountConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1261,7 +1248,6 @@ extension CodeGuruSecurityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountConfigurationOutput.httpOutput(from:), UpdateAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodePipeline/Sources/AWSCodePipeline/CodePipelineClient.swift b/Sources/Services/AWSCodePipeline/Sources/AWSCodePipeline/CodePipelineClient.swift index 8ebd81b0cd4..914aaf15558 100644 --- a/Sources/Services/AWSCodePipeline/Sources/AWSCodePipeline/CodePipelineClient.swift +++ b/Sources/Services/AWSCodePipeline/Sources/AWSCodePipeline/CodePipelineClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodePipelineClient: ClientRuntime.Client { public static let clientName = "CodePipelineClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodePipelineClient.CodePipelineClientConfiguration let serviceName = "CodePipeline" @@ -375,9 +374,9 @@ extension CodePipelineClient { /// /// Returns information about a specified job and whether that job has been received by the job worker. Used for custom actions only. /// - /// - Parameter AcknowledgeJobInput : Represents the input of an AcknowledgeJob action. + /// - Parameter input: Represents the input of an AcknowledgeJob action. (Type: `AcknowledgeJobInput`) /// - /// - Returns: `AcknowledgeJobOutput` : Represents the output of an AcknowledgeJob action. + /// - Returns: Represents the output of an AcknowledgeJob action. (Type: `AcknowledgeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcknowledgeJobOutput.httpOutput(from:), AcknowledgeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension CodePipelineClient { /// /// Confirms a job worker has received the specified job. Used for partner actions only. /// - /// - Parameter AcknowledgeThirdPartyJobInput : Represents the input of an AcknowledgeThirdPartyJob action. + /// - Parameter input: Represents the input of an AcknowledgeThirdPartyJob action. (Type: `AcknowledgeThirdPartyJobInput`) /// - /// - Returns: `AcknowledgeThirdPartyJobOutput` : Represents the output of an AcknowledgeThirdPartyJob action. + /// - Returns: Represents the output of an AcknowledgeThirdPartyJob action. (Type: `AcknowledgeThirdPartyJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcknowledgeThirdPartyJobOutput.httpOutput(from:), AcknowledgeThirdPartyJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension CodePipelineClient { /// /// Creates a new custom action that can be used in all pipelines associated with the Amazon Web Services account. Only used for custom actions. /// - /// - Parameter CreateCustomActionTypeInput : Represents the input of a CreateCustomActionType operation. + /// - Parameter input: Represents the input of a CreateCustomActionType operation. (Type: `CreateCustomActionTypeInput`) /// - /// - Returns: `CreateCustomActionTypeOutput` : Represents the output of a CreateCustomActionType operation. + /// - Returns: Represents the output of a CreateCustomActionType operation. (Type: `CreateCustomActionTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomActionTypeOutput.httpOutput(from:), CreateCustomActionTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension CodePipelineClient { /// /// Creates a pipeline. In the pipeline structure, you must include either artifactStore or artifactStores in your pipeline, but you cannot use both. If you create a cross-region action in your pipeline, you must use artifactStores. /// - /// - Parameter CreatePipelineInput : Represents the input of a CreatePipeline action. + /// - Parameter input: Represents the input of a CreatePipeline action. (Type: `CreatePipelineInput`) /// - /// - Returns: `CreatePipelineOutput` : Represents the output of a CreatePipeline action. + /// - Returns: Represents the output of a CreatePipeline action. (Type: `CreatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePipelineOutput.httpOutput(from:), CreatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension CodePipelineClient { /// /// Marks a custom action as deleted. PollForJobs for the custom action fails after the action is marked for deletion. Used for custom actions only. To re-create a custom action after it has been deleted you must use a string in the version field that has never been used before. This string can be an incremented version number, for example. To restore a deleted custom action, use a JSON file that is identical to the deleted action, including the original string in the version field. /// - /// - Parameter DeleteCustomActionTypeInput : Represents the input of a DeleteCustomActionType operation. The custom action will be marked as deleted. + /// - Parameter input: Represents the input of a DeleteCustomActionType operation. The custom action will be marked as deleted. (Type: `DeleteCustomActionTypeInput`) /// - /// - Returns: `DeleteCustomActionTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomActionTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomActionTypeOutput.httpOutput(from:), DeleteCustomActionTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,9 +733,9 @@ extension CodePipelineClient { /// /// Deletes the specified pipeline. /// - /// - Parameter DeletePipelineInput : Represents the input of a DeletePipeline action. + /// - Parameter input: Represents the input of a DeletePipeline action. (Type: `DeletePipelineInput`) /// - /// - Returns: `DeletePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePipelineOutput.httpOutput(from:), DeletePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension CodePipelineClient { /// /// Deletes a previously created webhook by name. Deleting the webhook stops CodePipeline from starting a pipeline every time an external event occurs. The API returns successfully when trying to delete a webhook that is already deleted. If a deleted webhook is re-created by calling PutWebhook with the same name, it will have a different URL. /// - /// - Parameter DeleteWebhookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWebhookInput`) /// - /// - Returns: `DeleteWebhookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWebhookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -844,7 +837,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWebhookOutput.httpOutput(from:), DeleteWebhookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension CodePipelineClient { /// /// Removes the connection between the webhook that was created by CodePipeline and the external tool with events to be detected. Currently supported only for webhooks that target an action type of GitHub. /// - /// - Parameter DeregisterWebhookWithThirdPartyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterWebhookWithThirdPartyInput`) /// - /// - Returns: `DeregisterWebhookWithThirdPartyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterWebhookWithThirdPartyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterWebhookWithThirdPartyOutput.httpOutput(from:), DeregisterWebhookWithThirdPartyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -949,9 +940,9 @@ extension CodePipelineClient { /// /// Prevents artifacts in a pipeline from transitioning to the next stage in the pipeline. /// - /// - Parameter DisableStageTransitionInput : Represents the input of a DisableStageTransition action. + /// - Parameter input: Represents the input of a DisableStageTransition action. (Type: `DisableStageTransitionInput`) /// - /// - Returns: `DisableStageTransitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableStageTransitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -985,7 +976,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableStageTransitionOutput.httpOutput(from:), DisableStageTransitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1020,9 +1010,9 @@ extension CodePipelineClient { /// /// Enables artifacts in a pipeline to transition to a stage in a pipeline. /// - /// - Parameter EnableStageTransitionInput : Represents the input of an EnableStageTransition action. + /// - Parameter input: Represents the input of an EnableStageTransition action. (Type: `EnableStageTransitionInput`) /// - /// - Returns: `EnableStageTransitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableStageTransitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1056,7 +1046,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableStageTransitionOutput.httpOutput(from:), EnableStageTransitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1091,9 +1080,9 @@ extension CodePipelineClient { /// /// Returns information about an action type created for an external provider, where the action is to be used by customers of the external provider. The action can be created with any supported integration model. /// - /// - Parameter GetActionTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetActionTypeInput`) /// - /// - Returns: `GetActionTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetActionTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1126,7 +1115,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetActionTypeOutput.httpOutput(from:), GetActionTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1161,9 +1149,9 @@ extension CodePipelineClient { /// /// Returns information about a job. Used for custom actions only. When this API is called, CodePipeline returns temporary credentials for the S3 bucket used to store artifacts for the pipeline, if the action requires access to that S3 bucket for input or output artifacts. This API also returns any secret values defined for the action. /// - /// - Parameter GetJobDetailsInput : Represents the input of a GetJobDetails action. + /// - Parameter input: Represents the input of a GetJobDetails action. (Type: `GetJobDetailsInput`) /// - /// - Returns: `GetJobDetailsOutput` : Represents the output of a GetJobDetails action. + /// - Returns: Represents the output of a GetJobDetails action. (Type: `GetJobDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1196,7 +1184,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobDetailsOutput.httpOutput(from:), GetJobDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1231,9 +1218,9 @@ extension CodePipelineClient { /// /// Returns the metadata, structure, stages, and actions of a pipeline. Can be used to return the entire structure of a pipeline in JSON format, which can then be modified and used to update the pipeline structure with [UpdatePipeline]. /// - /// - Parameter GetPipelineInput : Represents the input of a GetPipeline action. + /// - Parameter input: Represents the input of a GetPipeline action. (Type: `GetPipelineInput`) /// - /// - Returns: `GetPipelineOutput` : Represents the output of a GetPipeline action. + /// - Returns: Represents the output of a GetPipeline action. (Type: `GetPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1267,7 +1254,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPipelineOutput.httpOutput(from:), GetPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1302,9 +1288,9 @@ extension CodePipelineClient { /// /// Returns information about an execution of a pipeline, including details about artifacts, the pipeline execution ID, and the name, version, and status of the pipeline. /// - /// - Parameter GetPipelineExecutionInput : Represents the input of a GetPipelineExecution action. + /// - Parameter input: Represents the input of a GetPipelineExecution action. (Type: `GetPipelineExecutionInput`) /// - /// - Returns: `GetPipelineExecutionOutput` : Represents the output of a GetPipelineExecution action. + /// - Returns: Represents the output of a GetPipelineExecution action. (Type: `GetPipelineExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1338,7 +1324,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPipelineExecutionOutput.httpOutput(from:), GetPipelineExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1373,9 +1358,9 @@ extension CodePipelineClient { /// /// Returns information about the state of a pipeline, including the stages and actions. Values returned in the revisionId and revisionUrl fields indicate the source revision information, such as the commit ID, for the current state. /// - /// - Parameter GetPipelineStateInput : Represents the input of a GetPipelineState action. + /// - Parameter input: Represents the input of a GetPipelineState action. (Type: `GetPipelineStateInput`) /// - /// - Returns: `GetPipelineStateOutput` : Represents the output of a GetPipelineState action. + /// - Returns: Represents the output of a GetPipelineState action. (Type: `GetPipelineStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1408,7 +1393,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPipelineStateOutput.httpOutput(from:), GetPipelineStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1443,9 +1427,9 @@ extension CodePipelineClient { /// /// Requests the details of a job for a third party action. Used for partner actions only. When this API is called, CodePipeline returns temporary credentials for the S3 bucket used to store artifacts for the pipeline, if the action requires access to that S3 bucket for input or output artifacts. This API also returns any secret values defined for the action. /// - /// - Parameter GetThirdPartyJobDetailsInput : Represents the input of a GetThirdPartyJobDetails action. + /// - Parameter input: Represents the input of a GetThirdPartyJobDetails action. (Type: `GetThirdPartyJobDetailsInput`) /// - /// - Returns: `GetThirdPartyJobDetailsOutput` : Represents the output of a GetThirdPartyJobDetails action. + /// - Returns: Represents the output of a GetThirdPartyJobDetails action. (Type: `GetThirdPartyJobDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1480,7 +1464,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetThirdPartyJobDetailsOutput.httpOutput(from:), GetThirdPartyJobDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1515,9 +1498,9 @@ extension CodePipelineClient { /// /// Lists the action executions that have occurred in a pipeline. /// - /// - Parameter ListActionExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListActionExecutionsInput`) /// - /// - Returns: `ListActionExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListActionExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1552,7 +1535,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActionExecutionsOutput.httpOutput(from:), ListActionExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1587,9 +1569,9 @@ extension CodePipelineClient { /// /// Gets a summary of all CodePipeline action types associated with your account. /// - /// - Parameter ListActionTypesInput : Represents the input of a ListActionTypes action. + /// - Parameter input: Represents the input of a ListActionTypes action. (Type: `ListActionTypesInput`) /// - /// - Returns: `ListActionTypesOutput` : Represents the output of a ListActionTypes action. + /// - Returns: Represents the output of a ListActionTypes action. (Type: `ListActionTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1622,7 +1604,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActionTypesOutput.httpOutput(from:), ListActionTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1657,9 +1638,9 @@ extension CodePipelineClient { /// /// Lists the targets for the deploy action. /// - /// - Parameter ListDeployActionExecutionTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeployActionExecutionTargetsInput`) /// - /// - Returns: `ListDeployActionExecutionTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeployActionExecutionTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1694,7 +1675,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeployActionExecutionTargetsOutput.httpOutput(from:), ListDeployActionExecutionTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1729,9 +1709,9 @@ extension CodePipelineClient { /// /// Gets a summary of the most recent executions for a pipeline. When applying the filter for pipeline executions that have succeeded in the stage, the operation returns all executions in the current pipeline version beginning on February 1, 2024. /// - /// - Parameter ListPipelineExecutionsInput : Represents the input of a ListPipelineExecutions action. + /// - Parameter input: Represents the input of a ListPipelineExecutions action. (Type: `ListPipelineExecutionsInput`) /// - /// - Returns: `ListPipelineExecutionsOutput` : Represents the output of a ListPipelineExecutions action. + /// - Returns: Represents the output of a ListPipelineExecutions action. (Type: `ListPipelineExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1765,7 +1745,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelineExecutionsOutput.httpOutput(from:), ListPipelineExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1800,9 +1779,9 @@ extension CodePipelineClient { /// /// Gets a summary of all of the pipelines associated with your account. /// - /// - Parameter ListPipelinesInput : Represents the input of a ListPipelines action. + /// - Parameter input: Represents the input of a ListPipelines action. (Type: `ListPipelinesInput`) /// - /// - Returns: `ListPipelinesOutput` : Represents the output of a ListPipelines action. + /// - Returns: Represents the output of a ListPipelines action. (Type: `ListPipelinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1835,7 +1814,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelinesOutput.httpOutput(from:), ListPipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1870,9 +1848,9 @@ extension CodePipelineClient { /// /// Lists the rule executions that have occurred in a pipeline configured for conditions with rules. /// - /// - Parameter ListRuleExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRuleExecutionsInput`) /// - /// - Returns: `ListRuleExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRuleExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1907,7 +1885,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleExecutionsOutput.httpOutput(from:), ListRuleExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1942,9 +1919,9 @@ extension CodePipelineClient { /// /// Lists the rules for the condition. For more information about conditions, see [Stage conditions](https://docs.aws.amazon.com/codepipeline/latest/userguide/stage-conditions.html) and [How do stage conditions work?](https://docs.aws.amazon.com/codepipeline/latest/userguide/concepts-how-it-works-conditions.html).For more information about rules, see the [CodePipeline rule reference](https://docs.aws.amazon.com/codepipeline/latest/userguide/rule-reference.html). /// - /// - Parameter ListRuleTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRuleTypesInput`) /// - /// - Returns: `ListRuleTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRuleTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1977,7 +1954,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleTypesOutput.httpOutput(from:), ListRuleTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2012,9 +1988,9 @@ extension CodePipelineClient { /// /// Gets the set of key-value pairs (metadata) that are used to manage the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2049,7 +2025,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2084,9 +2059,9 @@ extension CodePipelineClient { /// /// Gets a listing of all the webhooks in this Amazon Web Services Region for this account. The output lists all webhooks and includes the webhook URL and ARN and the configuration for each webhook. If a secret token was provided, it will be redacted in the response. /// - /// - Parameter ListWebhooksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWebhooksInput`) /// - /// - Returns: `ListWebhooksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWebhooksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2119,7 +2094,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWebhooksOutput.httpOutput(from:), ListWebhooksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2154,9 +2128,9 @@ extension CodePipelineClient { /// /// Used to override a stage condition. For more information about conditions, see [Stage conditions](https://docs.aws.amazon.com/codepipeline/latest/userguide/stage-conditions.html) and [How do stage conditions work?](https://docs.aws.amazon.com/codepipeline/latest/userguide/concepts-how-it-works-conditions.html). /// - /// - Parameter OverrideStageConditionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `OverrideStageConditionInput`) /// - /// - Returns: `OverrideStageConditionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `OverrideStageConditionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2194,7 +2168,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(OverrideStageConditionOutput.httpOutput(from:), OverrideStageConditionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2229,9 +2202,9 @@ extension CodePipelineClient { /// /// Returns information about any jobs for CodePipeline to act on. PollForJobs is valid only for action types with "Custom" in the owner field. If the action type contains AWS or ThirdParty in the owner field, the PollForJobs action returns an error. When this API is called, CodePipeline returns temporary credentials for the S3 bucket used to store artifacts for the pipeline, if the action requires access to that S3 bucket for input or output artifacts. This API also returns any secret values defined for the action. /// - /// - Parameter PollForJobsInput : Represents the input of a PollForJobs action. + /// - Parameter input: Represents the input of a PollForJobs action. (Type: `PollForJobsInput`) /// - /// - Returns: `PollForJobsOutput` : Represents the output of a PollForJobs action. + /// - Returns: Represents the output of a PollForJobs action. (Type: `PollForJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2264,7 +2237,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PollForJobsOutput.httpOutput(from:), PollForJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2299,9 +2271,9 @@ extension CodePipelineClient { /// /// Determines whether there are any third party jobs for a job worker to act on. Used for partner actions only. When this API is called, CodePipeline returns temporary credentials for the S3 bucket used to store artifacts for the pipeline, if the action requires access to that S3 bucket for input or output artifacts. /// - /// - Parameter PollForThirdPartyJobsInput : Represents the input of a PollForThirdPartyJobs action. + /// - Parameter input: Represents the input of a PollForThirdPartyJobs action. (Type: `PollForThirdPartyJobsInput`) /// - /// - Returns: `PollForThirdPartyJobsOutput` : Represents the output of a PollForThirdPartyJobs action. + /// - Returns: Represents the output of a PollForThirdPartyJobs action. (Type: `PollForThirdPartyJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2334,7 +2306,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PollForThirdPartyJobsOutput.httpOutput(from:), PollForThirdPartyJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2369,9 +2340,9 @@ extension CodePipelineClient { /// /// Provides information to CodePipeline about new revisions to a source. /// - /// - Parameter PutActionRevisionInput : Represents the input of a PutActionRevision action. + /// - Parameter input: Represents the input of a PutActionRevision action. (Type: `PutActionRevisionInput`) /// - /// - Returns: `PutActionRevisionOutput` : Represents the output of a PutActionRevision action. + /// - Returns: Represents the output of a PutActionRevision action. (Type: `PutActionRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2407,7 +2378,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutActionRevisionOutput.httpOutput(from:), PutActionRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2442,9 +2412,9 @@ extension CodePipelineClient { /// /// Provides the response to a manual approval request to CodePipeline. Valid responses include Approved and Rejected. /// - /// - Parameter PutApprovalResultInput : Represents the input of a PutApprovalResult action. + /// - Parameter input: Represents the input of a PutApprovalResult action. (Type: `PutApprovalResultInput`) /// - /// - Returns: `PutApprovalResultOutput` : Represents the output of a PutApprovalResult action. + /// - Returns: Represents the output of a PutApprovalResult action. (Type: `PutApprovalResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2481,7 +2451,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutApprovalResultOutput.httpOutput(from:), PutApprovalResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2516,9 +2485,9 @@ extension CodePipelineClient { /// /// Represents the failure of a job as returned to the pipeline by a job worker. Used for custom actions only. /// - /// - Parameter PutJobFailureResultInput : Represents the input of a PutJobFailureResult action. + /// - Parameter input: Represents the input of a PutJobFailureResult action. (Type: `PutJobFailureResultInput`) /// - /// - Returns: `PutJobFailureResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutJobFailureResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2552,7 +2521,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutJobFailureResultOutput.httpOutput(from:), PutJobFailureResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2587,9 +2555,9 @@ extension CodePipelineClient { /// /// Represents the success of a job as returned to the pipeline by a job worker. Used for custom actions only. /// - /// - Parameter PutJobSuccessResultInput : Represents the input of a PutJobSuccessResult action. + /// - Parameter input: Represents the input of a PutJobSuccessResult action. (Type: `PutJobSuccessResultInput`) /// - /// - Returns: `PutJobSuccessResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutJobSuccessResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2624,7 +2592,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutJobSuccessResultOutput.httpOutput(from:), PutJobSuccessResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2659,9 +2626,9 @@ extension CodePipelineClient { /// /// Represents the failure of a third party job as returned to the pipeline by a job worker. Used for partner actions only. /// - /// - Parameter PutThirdPartyJobFailureResultInput : Represents the input of a PutThirdPartyJobFailureResult action. + /// - Parameter input: Represents the input of a PutThirdPartyJobFailureResult action. (Type: `PutThirdPartyJobFailureResultInput`) /// - /// - Returns: `PutThirdPartyJobFailureResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutThirdPartyJobFailureResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2696,7 +2663,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutThirdPartyJobFailureResultOutput.httpOutput(from:), PutThirdPartyJobFailureResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2731,9 +2697,9 @@ extension CodePipelineClient { /// /// Represents the success of a third party job as returned to the pipeline by a job worker. Used for partner actions only. /// - /// - Parameter PutThirdPartyJobSuccessResultInput : Represents the input of a PutThirdPartyJobSuccessResult action. + /// - Parameter input: Represents the input of a PutThirdPartyJobSuccessResult action. (Type: `PutThirdPartyJobSuccessResultInput`) /// - /// - Returns: `PutThirdPartyJobSuccessResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutThirdPartyJobSuccessResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2768,7 +2734,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutThirdPartyJobSuccessResultOutput.httpOutput(from:), PutThirdPartyJobSuccessResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2803,9 +2768,9 @@ extension CodePipelineClient { /// /// Defines a webhook and returns a unique webhook URL generated by CodePipeline. This URL can be supplied to third party source hosting providers to call every time there's a code change. When CodePipeline receives a POST request on this URL, the pipeline defined in the webhook is started as long as the POST request satisfied the authentication and filtering requirements supplied when defining the webhook. RegisterWebhookWithThirdParty and DeregisterWebhookWithThirdParty APIs can be used to automatically configure supported third parties to call the generated webhook URL. When creating CodePipeline webhooks, do not use your own credentials or reuse the same secret token across multiple webhooks. For optimal security, generate a unique secret token for each webhook you create. The secret token is an arbitrary string that you provide, which GitHub uses to compute and sign the webhook payloads sent to CodePipeline, for protecting the integrity and authenticity of the webhook payloads. Using your own credentials or reusing the same token across multiple webhooks can lead to security vulnerabilities. If a secret token was provided, it will be redacted in the response. /// - /// - Parameter PutWebhookInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutWebhookInput`) /// - /// - Returns: `PutWebhookOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutWebhookOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2844,7 +2809,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutWebhookOutput.httpOutput(from:), PutWebhookOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2879,9 +2843,9 @@ extension CodePipelineClient { /// /// Configures a connection between the webhook that was created and the external tool with events to be detected. /// - /// - Parameter RegisterWebhookWithThirdPartyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterWebhookWithThirdPartyInput`) /// - /// - Returns: `RegisterWebhookWithThirdPartyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterWebhookWithThirdPartyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2914,7 +2878,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterWebhookWithThirdPartyOutput.httpOutput(from:), RegisterWebhookWithThirdPartyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2949,9 +2912,9 @@ extension CodePipelineClient { /// /// You can retry a stage that has failed without having to run a pipeline again from the beginning. You do this by either retrying the failed actions in a stage or by retrying all actions in the stage starting from the first action in the stage. When you retry the failed actions in a stage, all actions that are still in progress continue working, and failed actions are triggered again. When you retry a failed stage from the first action in the stage, the stage cannot have any actions in progress. Before a stage can be retried, it must either have all actions failed or some actions failed and some succeeded. /// - /// - Parameter RetryStageExecutionInput : Represents the input of a RetryStageExecution action. + /// - Parameter input: Represents the input of a RetryStageExecution action. (Type: `RetryStageExecutionInput`) /// - /// - Returns: `RetryStageExecutionOutput` : Represents the output of a RetryStageExecution action. + /// - Returns: Represents the output of a RetryStageExecution action. (Type: `RetryStageExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2989,7 +2952,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetryStageExecutionOutput.httpOutput(from:), RetryStageExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3024,9 +2986,9 @@ extension CodePipelineClient { /// /// Rolls back a stage execution. /// - /// - Parameter RollbackStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RollbackStageInput`) /// - /// - Returns: `RollbackStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RollbackStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3064,7 +3026,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RollbackStageOutput.httpOutput(from:), RollbackStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3099,9 +3060,9 @@ extension CodePipelineClient { /// /// Starts the specified pipeline. Specifically, it begins processing the latest commit to the source location specified as part of the pipeline. /// - /// - Parameter StartPipelineExecutionInput : Represents the input of a StartPipelineExecution action. + /// - Parameter input: Represents the input of a StartPipelineExecution action. (Type: `StartPipelineExecutionInput`) /// - /// - Returns: `StartPipelineExecutionOutput` : Represents the output of a StartPipelineExecution action. + /// - Returns: Represents the output of a StartPipelineExecution action. (Type: `StartPipelineExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3137,7 +3098,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPipelineExecutionOutput.httpOutput(from:), StartPipelineExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3172,9 +3132,9 @@ extension CodePipelineClient { /// /// Stops the specified pipeline execution. You choose to either stop the pipeline execution by completing in-progress actions without starting subsequent actions, or by abandoning in-progress actions. While completing or abandoning in-progress actions, the pipeline execution is in a Stopping state. After all in-progress actions are completed or abandoned, the pipeline execution is in a Stopped state. /// - /// - Parameter StopPipelineExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopPipelineExecutionInput`) /// - /// - Returns: `StopPipelineExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopPipelineExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3210,7 +3170,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopPipelineExecutionOutput.httpOutput(from:), StopPipelineExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3245,9 +3204,9 @@ extension CodePipelineClient { /// /// Adds to or modifies the tags of the given resource. Tags are metadata that can be used to manage a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3284,7 +3243,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3319,9 +3277,9 @@ extension CodePipelineClient { /// /// Removes tags from an Amazon Web Services resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3357,7 +3315,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3392,9 +3349,9 @@ extension CodePipelineClient { /// /// Updates an action type that was created with any supported integration model, where the action type is to be used by customers of the action type provider. Use a JSON file with the action definition and UpdateActionType to provide the full structure. /// - /// - Parameter UpdateActionTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateActionTypeInput`) /// - /// - Returns: `UpdateActionTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateActionTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3428,7 +3385,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateActionTypeOutput.httpOutput(from:), UpdateActionTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3463,9 +3419,9 @@ extension CodePipelineClient { /// /// Updates a specified pipeline with edits or changes to its structure. Use a JSON file with the pipeline structure and UpdatePipeline to provide the full structure of the pipeline. Updating the pipeline increases the version number of the pipeline by 1. /// - /// - Parameter UpdatePipelineInput : Represents the input of an UpdatePipeline action. + /// - Parameter input: Represents the input of an UpdatePipeline action. (Type: `UpdatePipelineInput`) /// - /// - Returns: `UpdatePipelineOutput` : Represents the output of an UpdatePipeline action. + /// - Returns: Represents the output of an UpdatePipeline action. (Type: `UpdatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3502,7 +3458,6 @@ extension CodePipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePipelineOutput.httpOutput(from:), UpdatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodeStarconnections/Sources/AWSCodeStarconnections/CodeStarconnectionsClient.swift b/Sources/Services/AWSCodeStarconnections/Sources/AWSCodeStarconnections/CodeStarconnectionsClient.swift index 331761919c8..1dde5703f8b 100644 --- a/Sources/Services/AWSCodeStarconnections/Sources/AWSCodeStarconnections/CodeStarconnectionsClient.swift +++ b/Sources/Services/AWSCodeStarconnections/Sources/AWSCodeStarconnections/CodeStarconnectionsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodeStarconnectionsClient: ClientRuntime.Client { public static let clientName = "CodeStarconnectionsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodeStarconnectionsClient.CodeStarconnectionsClientConfiguration let serviceName = "CodeStar connections" @@ -373,9 +372,9 @@ extension CodeStarconnectionsClient { /// /// Creates a connection that can then be given to other Amazon Web Services services like CodePipeline so that it can access third-party code repositories. The connection is in pending status until the third-party connection handshake is completed from the console. /// - /// - Parameter CreateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionInput`) /// - /// - Returns: `CreateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionOutput.httpOutput(from:), CreateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension CodeStarconnectionsClient { /// /// Creates a resource that represents the infrastructure where a third-party provider is installed. The host is used when you create connections to an installed third-party provider type, such as GitHub Enterprise Server. You create one host for all connections to that provider. A host created through the CLI or the SDK is in `PENDING` status by default. You can make its status `AVAILABLE` by setting up the host in the console. /// - /// - Parameter CreateHostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHostInput`) /// - /// - Returns: `CreateHostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHostOutput.httpOutput(from:), CreateHostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -513,9 +510,9 @@ extension CodeStarconnectionsClient { /// /// Creates a link to a specified external Git repository. A repository link allows Git sync to monitor and sync changes to files in a specified Git repository. /// - /// - Parameter CreateRepositoryLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRepositoryLinkInput`) /// - /// - Returns: `CreateRepositoryLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRepositoryLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRepositoryLinkOutput.httpOutput(from:), CreateRepositoryLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension CodeStarconnectionsClient { /// /// Creates a sync configuration which allows Amazon Web Services to sync content from a Git repository to update a specified Amazon Web Services resource. Parameters for the sync configuration are determined by the sync type. /// - /// - Parameter CreateSyncConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSyncConfigurationInput`) /// - /// - Returns: `CreateSyncConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSyncConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSyncConfigurationOutput.httpOutput(from:), CreateSyncConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension CodeStarconnectionsClient { /// /// The connection to be deleted. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -697,7 +692,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -732,9 +726,9 @@ extension CodeStarconnectionsClient { /// /// The host to be deleted. Before you delete a host, all connections associated to the host must be deleted. A host cannot be deleted if it is in the VPC_CONFIG_INITIALIZING or VPC_CONFIG_DELETING state. /// - /// - Parameter DeleteHostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHostInput`) /// - /// - Returns: `DeleteHostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHostOutput.httpOutput(from:), DeleteHostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -802,9 +795,9 @@ extension CodeStarconnectionsClient { /// /// Deletes the association between your connection and a specified external Git repository. /// - /// - Parameter DeleteRepositoryLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRepositoryLinkInput`) /// - /// - Returns: `DeleteRepositoryLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRepositoryLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -843,7 +836,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryLinkOutput.httpOutput(from:), DeleteRepositoryLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension CodeStarconnectionsClient { /// /// Deletes the sync configuration for a specified repository and connection. /// - /// - Parameter DeleteSyncConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSyncConfigurationInput`) /// - /// - Returns: `DeleteSyncConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSyncConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -917,7 +909,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSyncConfigurationOutput.httpOutput(from:), DeleteSyncConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -952,9 +943,9 @@ extension CodeStarconnectionsClient { /// /// Returns the connection ARN and details such as status, owner, and provider type. /// - /// - Parameter GetConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionInput`) /// - /// - Returns: `GetConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -987,7 +978,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionOutput.httpOutput(from:), GetConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1022,9 +1012,9 @@ extension CodeStarconnectionsClient { /// /// Returns the host ARN and details such as status, provider type, endpoint, and, if applicable, the VPC configuration. /// - /// - Parameter GetHostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHostInput`) /// - /// - Returns: `GetHostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1057,7 +1047,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHostOutput.httpOutput(from:), GetHostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1081,9 @@ extension CodeStarconnectionsClient { /// /// Returns details about a repository link. A repository link allows Git sync to monitor and sync changes from files in a specified Git repository. /// - /// - Parameter GetRepositoryLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositoryLinkInput`) /// - /// - Returns: `GetRepositoryLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositoryLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1131,7 +1120,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositoryLinkOutput.httpOutput(from:), GetRepositoryLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1166,9 +1154,9 @@ extension CodeStarconnectionsClient { /// /// Returns details about the sync status for a repository. A repository sync uses Git sync to push and pull changes from your remote repository. /// - /// - Parameter GetRepositorySyncStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositorySyncStatusInput`) /// - /// - Returns: `GetRepositorySyncStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositorySyncStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1204,7 +1192,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositorySyncStatusOutput.httpOutput(from:), GetRepositorySyncStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1239,9 +1226,9 @@ extension CodeStarconnectionsClient { /// /// Returns the status of the sync with the Git repository for a specific Amazon Web Services resource. /// - /// - Parameter GetResourceSyncStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceSyncStatusInput`) /// - /// - Returns: `GetResourceSyncStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceSyncStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1277,7 +1264,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceSyncStatusOutput.httpOutput(from:), GetResourceSyncStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1312,9 +1298,9 @@ extension CodeStarconnectionsClient { /// /// Returns a list of the most recent sync blockers. /// - /// - Parameter GetSyncBlockerSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSyncBlockerSummaryInput`) /// - /// - Returns: `GetSyncBlockerSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSyncBlockerSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1350,7 +1336,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSyncBlockerSummaryOutput.httpOutput(from:), GetSyncBlockerSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1385,9 +1370,9 @@ extension CodeStarconnectionsClient { /// /// Returns details about a sync configuration, including the sync type and resource name. A sync configuration allows the configuration to sync (push and pull) changes from the remote repository for a specified branch in a Git repository. /// - /// - Parameter GetSyncConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSyncConfigurationInput`) /// - /// - Returns: `GetSyncConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSyncConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1423,7 +1408,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSyncConfigurationOutput.httpOutput(from:), GetSyncConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1458,9 +1442,9 @@ extension CodeStarconnectionsClient { /// /// Lists the connections associated with your account. /// - /// - Parameter ListConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectionsInput`) /// - /// - Returns: `ListConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1492,7 +1476,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectionsOutput.httpOutput(from:), ListConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1527,9 +1510,9 @@ extension CodeStarconnectionsClient { /// /// Lists the hosts associated with your account. /// - /// - Parameter ListHostsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHostsInput`) /// - /// - Returns: `ListHostsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHostsOutput`) public func listHosts(input: ListHostsInput) async throws -> ListHostsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1556,7 +1539,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHostsOutput.httpOutput(from:), ListHostsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1591,9 +1573,9 @@ extension CodeStarconnectionsClient { /// /// Lists the repository links created for connections in your account. /// - /// - Parameter ListRepositoryLinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRepositoryLinksInput`) /// - /// - Returns: `ListRepositoryLinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRepositoryLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1630,7 +1612,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositoryLinksOutput.httpOutput(from:), ListRepositoryLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1665,9 +1646,9 @@ extension CodeStarconnectionsClient { /// /// Lists the repository sync definitions for repository links in your account. /// - /// - Parameter ListRepositorySyncDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRepositorySyncDefinitionsInput`) /// - /// - Returns: `ListRepositorySyncDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRepositorySyncDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1703,7 +1684,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositorySyncDefinitionsOutput.httpOutput(from:), ListRepositorySyncDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1738,9 +1718,9 @@ extension CodeStarconnectionsClient { /// /// Returns a list of sync configurations for a specified repository. /// - /// - Parameter ListSyncConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSyncConfigurationsInput`) /// - /// - Returns: `ListSyncConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSyncConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1776,7 +1756,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSyncConfigurationsOutput.httpOutput(from:), ListSyncConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1811,9 +1790,9 @@ extension CodeStarconnectionsClient { /// /// Gets the set of key-value pairs (metadata) that are used to manage the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1845,7 +1824,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1880,9 +1858,9 @@ extension CodeStarconnectionsClient { /// /// Adds to or modifies the tags of the given resource. Tags are metadata that can be used to manage a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1915,7 +1893,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1950,9 +1927,9 @@ extension CodeStarconnectionsClient { /// /// Removes tags from an Amazon Web Services resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1984,7 +1961,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2019,9 +1995,9 @@ extension CodeStarconnectionsClient { /// /// Updates a specified host with the provided configurations. /// - /// - Parameter UpdateHostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHostInput`) /// - /// - Returns: `UpdateHostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2056,7 +2032,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHostOutput.httpOutput(from:), UpdateHostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2091,9 +2066,9 @@ extension CodeStarconnectionsClient { /// /// Updates the association between your connection and a specified external Git repository. A repository link allows Git sync to monitor and sync changes to files in a specified Git repository. /// - /// - Parameter UpdateRepositoryLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRepositoryLinkInput`) /// - /// - Returns: `UpdateRepositoryLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRepositoryLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2131,7 +2106,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRepositoryLinkOutput.httpOutput(from:), UpdateRepositoryLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2166,9 +2140,9 @@ extension CodeStarconnectionsClient { /// /// Allows you to update the status of a sync blocker, resolving the blocker and allowing syncing to continue. /// - /// - Parameter UpdateSyncBlockerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSyncBlockerInput`) /// - /// - Returns: `UpdateSyncBlockerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSyncBlockerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2206,7 +2180,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSyncBlockerOutput.httpOutput(from:), UpdateSyncBlockerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2241,9 +2214,9 @@ extension CodeStarconnectionsClient { /// /// Updates the sync configuration for your connection and a specified external Git repository. /// - /// - Parameter UpdateSyncConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSyncConfigurationInput`) /// - /// - Returns: `UpdateSyncConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSyncConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2281,7 +2254,6 @@ extension CodeStarconnectionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSyncConfigurationOutput.httpOutput(from:), UpdateSyncConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodeartifact/Sources/AWSCodeartifact/CodeartifactClient.swift b/Sources/Services/AWSCodeartifact/Sources/AWSCodeartifact/CodeartifactClient.swift index 6119d6a40fb..82ed87d1577 100644 --- a/Sources/Services/AWSCodeartifact/Sources/AWSCodeartifact/CodeartifactClient.swift +++ b/Sources/Services/AWSCodeartifact/Sources/AWSCodeartifact/CodeartifactClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -72,7 +71,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodeartifactClient: ClientRuntime.Client { public static let clientName = "CodeartifactClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodeartifactClient.CodeartifactClientConfiguration let serviceName = "codeartifact" @@ -378,9 +377,9 @@ extension CodeartifactClient { /// /// Adds an existing external connection to a repository. One external connection is allowed per repository. A repository can have one or more upstream repositories, or an external connection. /// - /// - Parameter AssociateExternalConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateExternalConnectionInput`) /// - /// - Returns: `AssociateExternalConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateExternalConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssociateExternalConnectionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateExternalConnectionOutput.httpOutput(from:), AssociateExternalConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension CodeartifactClient { /// /// Copies package versions from one repository to another repository in the same domain. You must specify versions or versionRevisions. You cannot specify both. /// - /// - Parameter CopyPackageVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyPackageVersionsInput`) /// - /// - Returns: `CopyPackageVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyPackageVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyPackageVersionsOutput.httpOutput(from:), CopyPackageVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension CodeartifactClient { /// /// Creates a domain. CodeArtifact domains make it easier to manage multiple repositories across an organization. You can use a domain to apply permissions across many repositories owned by different Amazon Web Services accounts. An asset is stored only once in a domain, even if it's in multiple repositories. Although you can have multiple domains, we recommend a single production domain that contains all published artifacts so that your development teams can find and share packages. You can use a second pre-production domain to test changes to the production domain configuration. /// - /// - Parameter CreateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainInput`) /// - /// - Returns: `CreateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -568,7 +565,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainOutput.httpOutput(from:), CreateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -600,9 +596,9 @@ extension CodeartifactClient { /// /// Creates a package group. For more information about creating package groups, including example CLI commands, see [Create a package group](https://docs.aws.amazon.com/codeartifact/latest/ug/create-package-group.html) in the CodeArtifact User Guide. /// - /// - Parameter CreatePackageGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePackageGroupInput`) /// - /// - Returns: `CreatePackageGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePackageGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -643,7 +639,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePackageGroupOutput.httpOutput(from:), CreatePackageGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -675,9 +670,9 @@ extension CodeartifactClient { /// /// Creates a repository. /// - /// - Parameter CreateRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRepositoryInput`) /// - /// - Returns: `CreateRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -718,7 +713,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRepositoryOutput.httpOutput(from:), CreateRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -750,9 +744,9 @@ extension CodeartifactClient { /// /// Deletes a domain. You cannot delete a domain that contains repositories. If you want to delete a domain with repositories, first delete its repositories. /// - /// - Parameter DeleteDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainInput`) /// - /// - Returns: `DeleteDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +782,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainOutput.httpOutput(from:), DeleteDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -820,9 +813,9 @@ extension CodeartifactClient { /// /// Deletes the resource policy set on a domain. /// - /// - Parameter DeleteDomainPermissionsPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainPermissionsPolicyInput`) /// - /// - Returns: `DeleteDomainPermissionsPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainPermissionsPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -859,7 +852,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDomainPermissionsPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainPermissionsPolicyOutput.httpOutput(from:), DeleteDomainPermissionsPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -891,9 +883,9 @@ extension CodeartifactClient { /// /// Deletes a package and all associated package versions. A deleted package cannot be restored. To delete one or more package versions, use the [DeletePackageVersions](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_DeletePackageVersions.html) API. /// - /// - Parameter DeletePackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePackageInput`) /// - /// - Returns: `DeletePackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -930,7 +922,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePackageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePackageOutput.httpOutput(from:), DeletePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -962,9 +953,9 @@ extension CodeartifactClient { /// /// Deletes a package group. Deleting a package group does not delete packages or package versions associated with the package group. When a package group is deleted, the direct child package groups will become children of the package group's direct parent package group. Therefore, if any of the child groups are inheriting any settings from the parent, those settings could change. /// - /// - Parameter DeletePackageGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePackageGroupInput`) /// - /// - Returns: `DeletePackageGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePackageGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1002,7 +993,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePackageGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePackageGroupOutput.httpOutput(from:), DeletePackageGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1034,9 +1024,9 @@ extension CodeartifactClient { /// /// Deletes one or more versions of a package. A deleted package version cannot be restored in your repository. If you want to remove a package version from your repository and be able to restore it later, set its status to Archived. Archived packages cannot be downloaded from a repository and don't show up with list package APIs (for example, [ListPackageVersions](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_ListPackageVersions.html)), but you can restore them using [UpdatePackageVersionsStatus](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_UpdatePackageVersionsStatus.html). /// - /// - Parameter DeletePackageVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePackageVersionsInput`) /// - /// - Returns: `DeletePackageVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePackageVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1076,7 +1066,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePackageVersionsOutput.httpOutput(from:), DeletePackageVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1108,9 +1097,9 @@ extension CodeartifactClient { /// /// Deletes a repository. /// - /// - Parameter DeleteRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRepositoryInput`) /// - /// - Returns: `DeleteRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1147,7 +1136,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteRepositoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryOutput.httpOutput(from:), DeleteRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1179,9 +1167,9 @@ extension CodeartifactClient { /// /// Deletes the resource policy that is set on a repository. After a resource policy is deleted, the permissions allowed and denied by the deleted policy are removed. The effect of deleting a resource policy might not be immediate. Use DeleteRepositoryPermissionsPolicy with caution. After a policy is deleted, Amazon Web Services users, roles, and accounts lose permissions to perform the repository actions granted by the deleted policy. /// - /// - Parameter DeleteRepositoryPermissionsPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRepositoryPermissionsPolicyInput`) /// - /// - Returns: `DeleteRepositoryPermissionsPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRepositoryPermissionsPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1218,7 +1206,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteRepositoryPermissionsPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryPermissionsPolicyOutput.httpOutput(from:), DeleteRepositoryPermissionsPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1250,9 +1237,9 @@ extension CodeartifactClient { /// /// Returns a [DomainDescription](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_DomainDescription.html) object that contains information about the requested domain. /// - /// - Parameter DescribeDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDomainInput`) /// - /// - Returns: `DescribeDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1288,7 +1275,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainOutput.httpOutput(from:), DescribeDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1320,9 +1306,9 @@ extension CodeartifactClient { /// /// Returns a [PackageDescription](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_PackageDescription.html) object that contains information about the requested package. /// - /// - Parameter DescribePackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePackageInput`) /// - /// - Returns: `DescribePackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1358,7 +1344,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribePackageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePackageOutput.httpOutput(from:), DescribePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1390,9 +1375,9 @@ extension CodeartifactClient { /// /// Returns a [PackageGroupDescription](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_PackageGroupDescription.html) object that contains information about the requested package group. /// - /// - Parameter DescribePackageGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePackageGroupInput`) /// - /// - Returns: `DescribePackageGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePackageGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1428,7 +1413,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribePackageGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePackageGroupOutput.httpOutput(from:), DescribePackageGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1460,9 +1444,9 @@ extension CodeartifactClient { /// /// Returns a [PackageVersionDescription](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_PackageVersionDescription.html) object that contains information about the requested package version. /// - /// - Parameter DescribePackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePackageVersionInput`) /// - /// - Returns: `DescribePackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1499,7 +1483,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribePackageVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePackageVersionOutput.httpOutput(from:), DescribePackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1531,9 +1514,9 @@ extension CodeartifactClient { /// /// Returns a RepositoryDescription object that contains detailed information about the requested repository. /// - /// - Parameter DescribeRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRepositoryInput`) /// - /// - Returns: `DescribeRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1569,7 +1552,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeRepositoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRepositoryOutput.httpOutput(from:), DescribeRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1601,9 +1583,9 @@ extension CodeartifactClient { /// /// Removes an existing external connection from a repository. /// - /// - Parameter DisassociateExternalConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateExternalConnectionInput`) /// - /// - Returns: `DisassociateExternalConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateExternalConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1641,7 +1623,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateExternalConnectionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateExternalConnectionOutput.httpOutput(from:), DisassociateExternalConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1673,9 +1654,9 @@ extension CodeartifactClient { /// /// Deletes the assets in package versions and sets the package versions' status to Disposed. A disposed package version cannot be restored in your repository because its assets are deleted. To view all disposed package versions in a repository, use [ListPackageVersions](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_ListPackageVersions.html) and set the [status](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_ListPackageVersions.html#API_ListPackageVersions_RequestSyntax) parameter to Disposed. To view information about a disposed package version, use [DescribePackageVersion](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_DescribePackageVersion.html). /// - /// - Parameter DisposePackageVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisposePackageVersionsInput`) /// - /// - Returns: `DisposePackageVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisposePackageVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1715,7 +1696,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisposePackageVersionsOutput.httpOutput(from:), DisposePackageVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1747,9 +1727,9 @@ extension CodeartifactClient { /// /// Returns the most closely associated package group to the specified package. This API does not require that the package exist in any repository in the domain. As such, GetAssociatedPackageGroup can be used to see which package group's origin configuration applies to a package before that package is in a repository. This can be helpful to check if public packages are blocked without ingesting them. For information package group association and matching, see [Package group definition syntax and matching behavior](https://docs.aws.amazon.com/codeartifact/latest/ug/package-group-definition-syntax-matching-behavior.html) in the CodeArtifact User Guide. /// - /// - Parameter GetAssociatedPackageGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssociatedPackageGroupInput`) /// - /// - Returns: `GetAssociatedPackageGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssociatedPackageGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1784,7 +1764,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAssociatedPackageGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssociatedPackageGroupOutput.httpOutput(from:), GetAssociatedPackageGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1816,9 +1795,9 @@ extension CodeartifactClient { /// /// Generates a temporary authorization token for accessing repositories in the domain. This API requires the codeartifact:GetAuthorizationToken and sts:GetServiceBearerToken permissions. For more information about authorization tokens, see [CodeArtifact authentication and tokens](https://docs.aws.amazon.com/codeartifact/latest/ug/tokens-authentication.html). CodeArtifact authorization tokens are valid for a period of 12 hours when created with the login command. You can call login periodically to refresh the token. When you create an authorization token with the GetAuthorizationToken API, you can set a custom authorization period, up to a maximum of 12 hours, with the durationSeconds parameter. The authorization period begins after login or GetAuthorizationToken is called. If login or GetAuthorizationToken is called while assuming a role, the token lifetime is independent of the maximum session duration of the role. For example, if you call sts assume-role and specify a session duration of 15 minutes, then generate a CodeArtifact authorization token, the token will be valid for the full authorization period even though this is longer than the 15-minute session duration. See [Using IAM Roles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use.html) for more information on controlling session duration. /// - /// - Parameter GetAuthorizationTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAuthorizationTokenInput`) /// - /// - Returns: `GetAuthorizationTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAuthorizationTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1854,7 +1833,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAuthorizationTokenInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAuthorizationTokenOutput.httpOutput(from:), GetAuthorizationTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1886,9 +1864,9 @@ extension CodeartifactClient { /// /// Returns the resource policy attached to the specified domain. The policy is a resource-based policy, not an identity-based policy. For more information, see [Identity-based policies and resource-based policies ](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_identity-vs-resource.html) in the IAM User Guide. /// - /// - Parameter GetDomainPermissionsPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainPermissionsPolicyInput`) /// - /// - Returns: `GetDomainPermissionsPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainPermissionsPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1924,7 +1902,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDomainPermissionsPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainPermissionsPolicyOutput.httpOutput(from:), GetDomainPermissionsPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1956,9 +1933,9 @@ extension CodeartifactClient { /// /// Returns an asset (or file) that is in a package. For example, for a Maven package version, use GetPackageVersionAsset to download a JAR file, a POM file, or any other assets in the package version. /// - /// - Parameter GetPackageVersionAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPackageVersionAssetInput`) /// - /// - Returns: `GetPackageVersionAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPackageVersionAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1995,7 +1972,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPackageVersionAssetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPackageVersionAssetOutput.httpOutput(from:), GetPackageVersionAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2027,9 +2003,9 @@ extension CodeartifactClient { /// /// Gets the readme file or descriptive text for a package version. The returned text might contain formatting. For example, it might contain formatting for Markdown or reStructuredText. /// - /// - Parameter GetPackageVersionReadmeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPackageVersionReadmeInput`) /// - /// - Returns: `GetPackageVersionReadmeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPackageVersionReadmeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2065,7 +2041,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPackageVersionReadmeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPackageVersionReadmeOutput.httpOutput(from:), GetPackageVersionReadmeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2113,9 +2088,9 @@ extension CodeartifactClient { /// /// * swift /// - /// - Parameter GetRepositoryEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositoryEndpointInput`) /// - /// - Returns: `GetRepositoryEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositoryEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2151,7 +2126,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRepositoryEndpointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositoryEndpointOutput.httpOutput(from:), GetRepositoryEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2183,9 +2157,9 @@ extension CodeartifactClient { /// /// Returns the resource policy that is set on a repository. /// - /// - Parameter GetRepositoryPermissionsPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositoryPermissionsPolicyInput`) /// - /// - Returns: `GetRepositoryPermissionsPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositoryPermissionsPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2221,7 +2195,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRepositoryPermissionsPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositoryPermissionsPolicyOutput.httpOutput(from:), GetRepositoryPermissionsPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2253,9 +2226,9 @@ extension CodeartifactClient { /// /// Lists the repositories in the added repositories list of the specified restriction type for a package group. For more information about restriction types and added repository lists, see [Package group origin controls](https://docs.aws.amazon.com/codeartifact/latest/ug/package-group-origin-controls.html) in the CodeArtifact User Guide. /// - /// - Parameter ListAllowedRepositoriesForGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAllowedRepositoriesForGroupInput`) /// - /// - Returns: `ListAllowedRepositoriesForGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAllowedRepositoriesForGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2292,7 +2265,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAllowedRepositoriesForGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAllowedRepositoriesForGroupOutput.httpOutput(from:), ListAllowedRepositoriesForGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2324,9 +2296,9 @@ extension CodeartifactClient { /// /// Returns a list of packages associated with the requested package group. For information package group association and matching, see [Package group definition syntax and matching behavior](https://docs.aws.amazon.com/codeartifact/latest/ug/package-group-definition-syntax-matching-behavior.html) in the CodeArtifact User Guide. /// - /// - Parameter ListAssociatedPackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedPackagesInput`) /// - /// - Returns: `ListAssociatedPackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedPackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2361,7 +2333,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssociatedPackagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedPackagesOutput.httpOutput(from:), ListAssociatedPackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2393,9 +2364,9 @@ extension CodeartifactClient { /// /// Returns a list of [DomainSummary](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_PackageVersionDescription.html) objects for all domains owned by the Amazon Web Services account that makes this call. Each returned DomainSummary object contains information about a domain. /// - /// - Parameter ListDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainsInput`) /// - /// - Returns: `ListDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2432,7 +2403,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsOutput.httpOutput(from:), ListDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2464,9 +2434,9 @@ extension CodeartifactClient { /// /// Returns a list of package groups in the requested domain. /// - /// - Parameter ListPackageGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackageGroupsInput`) /// - /// - Returns: `ListPackageGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackageGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2502,7 +2472,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackageGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackageGroupsOutput.httpOutput(from:), ListPackageGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2534,9 +2503,9 @@ extension CodeartifactClient { /// /// Returns a list of [AssetSummary](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_AssetSummary.html) objects for assets in a package version. /// - /// - Parameter ListPackageVersionAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackageVersionAssetsInput`) /// - /// - Returns: `ListPackageVersionAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackageVersionAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2541,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackageVersionAssetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackageVersionAssetsOutput.httpOutput(from:), ListPackageVersionAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2604,9 +2572,9 @@ extension CodeartifactClient { /// /// Returns the direct dependencies for a package version. The dependencies are returned as [PackageDependency](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_PackageDependency.html) objects. CodeArtifact extracts the dependencies for a package version from the metadata file for the package format (for example, the package.json file for npm packages and the pom.xml file for Maven). Any package version dependencies that are not listed in the configuration file are not returned. /// - /// - Parameter ListPackageVersionDependenciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackageVersionDependenciesInput`) /// - /// - Returns: `ListPackageVersionDependenciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackageVersionDependenciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2642,7 +2610,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackageVersionDependenciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackageVersionDependenciesOutput.httpOutput(from:), ListPackageVersionDependenciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2674,9 +2641,9 @@ extension CodeartifactClient { /// /// Returns a list of [PackageVersionSummary](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_PackageVersionSummary.html) objects for package versions in a repository that match the request parameters. Package versions of all statuses will be returned by default when calling list-package-versions with no --status parameter. /// - /// - Parameter ListPackageVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackageVersionsInput`) /// - /// - Returns: `ListPackageVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackageVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2712,7 +2679,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackageVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackageVersionsOutput.httpOutput(from:), ListPackageVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2744,9 +2710,9 @@ extension CodeartifactClient { /// /// Returns a list of [PackageSummary](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_PackageSummary.html) objects for packages in a repository that match the request parameters. /// - /// - Parameter ListPackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackagesInput`) /// - /// - Returns: `ListPackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2782,7 +2748,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackagesOutput.httpOutput(from:), ListPackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2814,9 +2779,9 @@ extension CodeartifactClient { /// /// Returns a list of [RepositorySummary](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_RepositorySummary.html) objects. Each RepositorySummary contains information about a repository in the specified Amazon Web Services account and that matches the input parameters. /// - /// - Parameter ListRepositoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRepositoriesInput`) /// - /// - Returns: `ListRepositoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRepositoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2851,7 +2816,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRepositoriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositoriesOutput.httpOutput(from:), ListRepositoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2883,9 +2847,9 @@ extension CodeartifactClient { /// /// Returns a list of [RepositorySummary](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_RepositorySummary.html) objects. Each RepositorySummary contains information about a repository in the specified domain and that matches the input parameters. /// - /// - Parameter ListRepositoriesInDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRepositoriesInDomainInput`) /// - /// - Returns: `ListRepositoriesInDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRepositoriesInDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2921,7 +2885,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRepositoriesInDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositoriesInDomainOutput.httpOutput(from:), ListRepositoriesInDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2953,9 +2916,9 @@ extension CodeartifactClient { /// /// Returns a list of direct children of the specified package group. For information package group hierarchy, see [Package group definition syntax and matching behavior](https://docs.aws.amazon.com/codeartifact/latest/ug/package-group-definition-syntax-matching-behavior.html) in the CodeArtifact User Guide. /// - /// - Parameter ListSubPackageGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubPackageGroupsInput`) /// - /// - Returns: `ListSubPackageGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubPackageGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2991,7 +2954,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubPackageGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubPackageGroupsOutput.httpOutput(from:), ListSubPackageGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3023,9 +2985,9 @@ extension CodeartifactClient { /// /// Gets information about Amazon Web Services tags for a specified Amazon Resource Name (ARN) in CodeArtifact. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3060,7 +3022,6 @@ extension CodeartifactClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3092,9 +3053,9 @@ extension CodeartifactClient { /// /// Creates a new package version containing one or more assets (or files). The unfinished flag can be used to keep the package version in the Unfinished state until all of its assets have been uploaded (see [Package version status](https://docs.aws.amazon.com/codeartifact/latest/ug/packages-overview.html#package-version-status.html#package-version-status) in the CodeArtifact user guide). To set the package version’s status to Published, omit the unfinished flag when uploading the final asset, or set the status using [UpdatePackageVersionStatus](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_UpdatePackageVersionsStatus.html). Once a package version’s status is set to Published, it cannot change back to Unfinished. Only generic packages can be published using this API. For more information, see [Using generic packages](https://docs.aws.amazon.com/codeartifact/latest/ug/using-generic.html) in the CodeArtifact User Guide. /// - /// - Parameter PublishPackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishPackageVersionInput`) /// - /// - Returns: `PublishPackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishPackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3136,7 +3097,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishPackageVersionOutput.httpOutput(from:), PublishPackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3168,9 +3128,9 @@ extension CodeartifactClient { /// /// Sets a resource policy on a domain that specifies permissions to access it. When you call PutDomainPermissionsPolicy, the resource policy on the domain is ignored when evaluting permissions. This ensures that the owner of a domain cannot lock themselves out of the domain, which would prevent them from being able to update the resource policy. /// - /// - Parameter PutDomainPermissionsPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDomainPermissionsPolicyInput`) /// - /// - Returns: `PutDomainPermissionsPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDomainPermissionsPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3210,7 +3170,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDomainPermissionsPolicyOutput.httpOutput(from:), PutDomainPermissionsPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3242,9 +3201,9 @@ extension CodeartifactClient { /// /// Sets the package origin configuration for a package. The package origin configuration determines how new versions of a package can be added to a repository. You can allow or block direct publishing of new package versions, or ingestion and retaining of new package versions from an external connection or upstream source. For more information about package origin controls and configuration, see [Editing package origin controls](https://docs.aws.amazon.com/codeartifact/latest/ug/package-origin-controls.html) in the CodeArtifact User Guide. PutPackageOriginConfiguration can be called on a package that doesn't yet exist in the repository. When called on a package that does not exist, a package is created in the repository with no versions and the requested restrictions are set on the package. This can be used to preemptively block ingesting or retaining any versions from external connections or upstream repositories, or to block publishing any versions of the package into the repository before connecting any package managers or publishers to the repository. /// - /// - Parameter PutPackageOriginConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPackageOriginConfigurationInput`) /// - /// - Returns: `PutPackageOriginConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPackageOriginConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3283,7 +3242,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPackageOriginConfigurationOutput.httpOutput(from:), PutPackageOriginConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3315,9 +3273,9 @@ extension CodeartifactClient { /// /// Sets the resource policy on a repository that specifies permissions to access it. When you call PutRepositoryPermissionsPolicy, the resource policy on the repository is ignored when evaluting permissions. This ensures that the owner of a repository cannot lock themselves out of the repository, which would prevent them from being able to update the resource policy. /// - /// - Parameter PutRepositoryPermissionsPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRepositoryPermissionsPolicyInput`) /// - /// - Returns: `PutRepositoryPermissionsPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRepositoryPermissionsPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3358,7 +3316,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRepositoryPermissionsPolicyOutput.httpOutput(from:), PutRepositoryPermissionsPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3390,9 +3347,9 @@ extension CodeartifactClient { /// /// Adds or updates tags for a resource in CodeArtifact. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3431,7 +3388,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3463,9 +3419,9 @@ extension CodeartifactClient { /// /// Removes tags from a resource in CodeArtifact. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3503,7 +3459,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3535,9 +3490,9 @@ extension CodeartifactClient { /// /// Updates a package group. This API cannot be used to update a package group's origin configuration or pattern. To update a package group's origin configuration, use [UpdatePackageGroupOriginConfiguration](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_UpdatePackageGroupOriginConfiguration.html). /// - /// - Parameter UpdatePackageGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePackageGroupInput`) /// - /// - Returns: `UpdatePackageGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePackageGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3577,7 +3532,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePackageGroupOutput.httpOutput(from:), UpdatePackageGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3609,9 +3563,9 @@ extension CodeartifactClient { /// /// Updates the package origin configuration for a package group. The package origin configuration determines how new versions of a package can be added to a repository. You can allow or block direct publishing of new package versions, or ingestion and retaining of new package versions from an external connection or upstream source. For more information about package group origin controls and configuration, see [Package group origin controls](https://docs.aws.amazon.com/codeartifact/latest/ug/package-group-origin-controls.html) in the CodeArtifact User Guide. /// - /// - Parameter UpdatePackageGroupOriginConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePackageGroupOriginConfigurationInput`) /// - /// - Returns: `UpdatePackageGroupOriginConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePackageGroupOriginConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3651,7 +3605,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePackageGroupOriginConfigurationOutput.httpOutput(from:), UpdatePackageGroupOriginConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3683,9 +3636,9 @@ extension CodeartifactClient { /// /// Updates the status of one or more versions of a package. Using UpdatePackageVersionsStatus, you can update the status of package versions to Archived, Published, or Unlisted. To set the status of a package version to Disposed, use [DisposePackageVersions](https://docs.aws.amazon.com/codeartifact/latest/APIReference/API_DisposePackageVersions.html). /// - /// - Parameter UpdatePackageVersionsStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePackageVersionsStatusInput`) /// - /// - Returns: `UpdatePackageVersionsStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePackageVersionsStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3725,7 +3678,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePackageVersionsStatusOutput.httpOutput(from:), UpdatePackageVersionsStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3757,9 +3709,9 @@ extension CodeartifactClient { /// /// Update the properties of a repository. /// - /// - Parameter UpdateRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRepositoryInput`) /// - /// - Returns: `UpdateRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3800,7 +3752,6 @@ extension CodeartifactClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRepositoryOutput.httpOutput(from:), UpdateRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCodestarnotifications/Sources/AWSCodestarnotifications/CodestarnotificationsClient.swift b/Sources/Services/AWSCodestarnotifications/Sources/AWSCodestarnotifications/CodestarnotificationsClient.swift index 8da6de4b1cd..0df8c7f4ea9 100644 --- a/Sources/Services/AWSCodestarnotifications/Sources/AWSCodestarnotifications/CodestarnotificationsClient.swift +++ b/Sources/Services/AWSCodestarnotifications/Sources/AWSCodestarnotifications/CodestarnotificationsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CodestarnotificationsClient: ClientRuntime.Client { public static let clientName = "CodestarnotificationsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CodestarnotificationsClient.CodestarnotificationsClientConfiguration let serviceName = "codestar notifications" @@ -375,9 +374,9 @@ extension CodestarnotificationsClient { /// /// Creates a notification rule for a resource. The rule specifies the events you want notifications about and the targets (such as Amazon Q Developer in chat applications topics or Amazon Q Developer in chat applications clients configured for Slack) where you want to receive them. /// - /// - Parameter CreateNotificationRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNotificationRuleInput`) /// - /// - Returns: `CreateNotificationRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNotificationRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNotificationRuleOutput.httpOutput(from:), CreateNotificationRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension CodestarnotificationsClient { /// /// Deletes a notification rule for a resource. /// - /// - Parameter DeleteNotificationRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNotificationRuleInput`) /// - /// - Returns: `DeleteNotificationRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNotificationRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNotificationRuleOutput.httpOutput(from:), DeleteNotificationRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension CodestarnotificationsClient { /// /// Deletes a specified target for notifications. /// - /// - Parameter DeleteTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTargetInput`) /// - /// - Returns: `DeleteTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTargetOutput.httpOutput(from:), DeleteTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension CodestarnotificationsClient { /// /// Returns information about a specified notification rule. /// - /// - Parameter DescribeNotificationRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNotificationRuleInput`) /// - /// - Returns: `DescribeNotificationRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNotificationRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -624,7 +620,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNotificationRuleOutput.httpOutput(from:), DescribeNotificationRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -656,9 +651,9 @@ extension CodestarnotificationsClient { /// /// Returns information about the event types available for configuring notifications. /// - /// - Parameter ListEventTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventTypesInput`) /// - /// - Returns: `ListEventTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -693,7 +688,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventTypesOutput.httpOutput(from:), ListEventTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -725,9 +719,9 @@ extension CodestarnotificationsClient { /// /// Returns a list of the notification rules for an Amazon Web Services account. /// - /// - Parameter ListNotificationRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotificationRulesInput`) /// - /// - Returns: `ListNotificationRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotificationRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -762,7 +756,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotificationRulesOutput.httpOutput(from:), ListNotificationRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -794,9 +787,9 @@ extension CodestarnotificationsClient { /// /// Returns a list of the tags associated with a notification rule. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -831,7 +824,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -863,9 +855,9 @@ extension CodestarnotificationsClient { /// /// Returns a list of the notification rule targets for an Amazon Web Services account. /// - /// - Parameter ListTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetsInput`) /// - /// - Returns: `ListTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -900,7 +892,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetsOutput.httpOutput(from:), ListTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +923,9 @@ extension CodestarnotificationsClient { /// /// Creates an association between a notification rule and an Amazon Q Developer in chat applications topic or Amazon Q Developer in chat applications client so that the associated target can receive notifications when the events described in the rule are triggered. /// - /// - Parameter SubscribeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubscribeInput`) /// - /// - Returns: `SubscribeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubscribeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -970,7 +961,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubscribeOutput.httpOutput(from:), SubscribeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1002,9 +992,9 @@ extension CodestarnotificationsClient { /// /// Associates a set of provided tags with a notification rule. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1041,7 +1031,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1073,9 +1062,9 @@ extension CodestarnotificationsClient { /// /// Removes an association between a notification rule and an Amazon Q Developer in chat applications topic so that subscribers to that topic stop receiving notifications when the events described in the rule are triggered. /// - /// - Parameter UnsubscribeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnsubscribeInput`) /// - /// - Returns: `UnsubscribeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnsubscribeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1109,7 +1098,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnsubscribeOutput.httpOutput(from:), UnsubscribeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1141,9 +1129,9 @@ extension CodestarnotificationsClient { /// /// Removes the association between one or more provided tags and a notification rule. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1178,7 +1166,6 @@ extension CodestarnotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1210,9 +1197,9 @@ extension CodestarnotificationsClient { /// /// Updates a notification rule for a resource. You can change the events that trigger the notification rule, the status of the rule, and the targets that receive the notifications. To add or remove tags for a notification rule, you must use [TagResource] and [UntagResource]. /// - /// - Parameter UpdateNotificationRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNotificationRuleInput`) /// - /// - Returns: `UpdateNotificationRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNotificationRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1248,7 +1235,6 @@ extension CodestarnotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNotificationRuleOutput.httpOutput(from:), UpdateNotificationRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCognitoIdentity/Sources/AWSCognitoIdentity/CognitoIdentityClient.swift b/Sources/Services/AWSCognitoIdentity/Sources/AWSCognitoIdentity/CognitoIdentityClient.swift index 13861c084b2..25a3a6baa89 100644 --- a/Sources/Services/AWSCognitoIdentity/Sources/AWSCognitoIdentity/CognitoIdentityClient.swift +++ b/Sources/Services/AWSCognitoIdentity/Sources/AWSCognitoIdentity/CognitoIdentityClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CognitoIdentityClient: ClientRuntime.Client { public static let clientName = "CognitoIdentityClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CognitoIdentityClient.CognitoIdentityClientConfiguration let serviceName = "Cognito Identity" @@ -389,9 +388,9 @@ extension CognitoIdentityClient { /// /// If you don't provide a value for a parameter, Amazon Cognito sets it to its default value. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter CreateIdentityPoolInput : Input to the CreateIdentityPool action. + /// - Parameter input: Input to the CreateIdentityPool action. (Type: `CreateIdentityPoolInput`) /// - /// - Returns: `CreateIdentityPoolOutput` : An object representing an Amazon Cognito identity pool. + /// - Returns: An object representing an Amazon Cognito identity pool. (Type: `CreateIdentityPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -428,7 +427,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIdentityPoolOutput.httpOutput(from:), CreateIdentityPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -463,9 +461,9 @@ extension CognitoIdentityClient { /// /// Deletes identities from an identity pool. You can specify a list of 1-60 identities that you want to delete. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter DeleteIdentitiesInput : Input to the DeleteIdentities action. + /// - Parameter input: Input to the DeleteIdentities action. (Type: `DeleteIdentitiesInput`) /// - /// - Returns: `DeleteIdentitiesOutput` : Returned in response to a successful DeleteIdentities operation. + /// - Returns: Returned in response to a successful DeleteIdentities operation. (Type: `DeleteIdentitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -499,7 +497,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentitiesOutput.httpOutput(from:), DeleteIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -534,9 +531,9 @@ extension CognitoIdentityClient { /// /// Deletes an identity pool. Once a pool is deleted, users will not be able to authenticate with the pool. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter DeleteIdentityPoolInput : Input to the DeleteIdentityPool action. + /// - Parameter input: Input to the DeleteIdentityPool action. (Type: `DeleteIdentityPoolInput`) /// - /// - Returns: `DeleteIdentityPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdentityPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -572,7 +569,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentityPoolOutput.httpOutput(from:), DeleteIdentityPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -607,9 +603,9 @@ extension CognitoIdentityClient { /// /// Returns metadata related to the given identity, including when the identity was created and any associated linked logins. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter DescribeIdentityInput : Input to the DescribeIdentity action. + /// - Parameter input: Input to the DescribeIdentity action. (Type: `DescribeIdentityInput`) /// - /// - Returns: `DescribeIdentityOutput` : A description of the identity. + /// - Returns: A description of the identity. (Type: `DescribeIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -645,7 +641,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIdentityOutput.httpOutput(from:), DescribeIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -680,9 +675,9 @@ extension CognitoIdentityClient { /// /// Gets details about a particular identity pool, including the pool name, ID description, creation date, and current number of users. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter DescribeIdentityPoolInput : Input to the DescribeIdentityPool action. + /// - Parameter input: Input to the DescribeIdentityPool action. (Type: `DescribeIdentityPoolInput`) /// - /// - Returns: `DescribeIdentityPoolOutput` : An object representing an Amazon Cognito identity pool. + /// - Returns: An object representing an Amazon Cognito identity pool. (Type: `DescribeIdentityPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -718,7 +713,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIdentityPoolOutput.httpOutput(from:), DescribeIdentityPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -753,9 +747,9 @@ extension CognitoIdentityClient { /// /// Returns credentials for the provided identity ID. Any provided logins will be validated against supported login providers. If the token is for cognito-identity.amazonaws.com, it will be passed through to Security Token Service with the appropriate role for the token. This is a public API. You do not need any credentials to call this API. /// - /// - Parameter GetCredentialsForIdentityInput : Input to the GetCredentialsForIdentity action. + /// - Parameter input: Input to the GetCredentialsForIdentity action. (Type: `GetCredentialsForIdentityInput`) /// - /// - Returns: `GetCredentialsForIdentityOutput` : Returned in response to a successful GetCredentialsForIdentity operation. + /// - Returns: Returned in response to a successful GetCredentialsForIdentity operation. (Type: `GetCredentialsForIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -792,7 +786,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCredentialsForIdentityOutput.httpOutput(from:), GetCredentialsForIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -827,9 +820,9 @@ extension CognitoIdentityClient { /// /// Generates (or retrieves) IdentityID. Supplying multiple logins will create an implicit linked account. This is a public API. You do not need any credentials to call this API. /// - /// - Parameter GetIdInput : Input to the GetId action. + /// - Parameter input: Input to the GetId action. (Type: `GetIdInput`) /// - /// - Returns: `GetIdOutput` : Returned in response to a GetId request. + /// - Returns: Returned in response to a GetId request. (Type: `GetIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -866,7 +859,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdOutput.httpOutput(from:), GetIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +893,9 @@ extension CognitoIdentityClient { /// /// Gets the roles for an identity pool. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter GetIdentityPoolRolesInput : Input to the GetIdentityPoolRoles action. + /// - Parameter input: Input to the GetIdentityPoolRoles action. (Type: `GetIdentityPoolRolesInput`) /// - /// - Returns: `GetIdentityPoolRolesOutput` : Returned in response to a successful GetIdentityPoolRoles operation. + /// - Returns: Returned in response to a successful GetIdentityPoolRoles operation. (Type: `GetIdentityPoolRolesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -940,7 +932,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentityPoolRolesOutput.httpOutput(from:), GetIdentityPoolRolesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -975,9 +966,9 @@ extension CognitoIdentityClient { /// /// Gets an OpenID token, using a known Cognito ID. This known Cognito ID is returned by [GetId]. You can optionally add additional logins for the identity. Supplying multiple logins creates an implicit link. The OpenID token is valid for 10 minutes. This is a public API. You do not need any credentials to call this API. /// - /// - Parameter GetOpenIdTokenInput : Input to the GetOpenIdToken action. + /// - Parameter input: Input to the GetOpenIdToken action. (Type: `GetOpenIdTokenInput`) /// - /// - Returns: `GetOpenIdTokenOutput` : Returned in response to a successful GetOpenIdToken request. + /// - Returns: Returned in response to a successful GetOpenIdToken request. (Type: `GetOpenIdTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1013,7 +1004,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOpenIdTokenOutput.httpOutput(from:), GetOpenIdTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1048,9 +1038,9 @@ extension CognitoIdentityClient { /// /// Registers (or retrieves) a Cognito IdentityId and an OpenID Connect token for a user authenticated by your backend authentication process. Supplying multiple logins will create an implicit linked account. You can only specify one developer provider as part of the Logins map, which is linked to the identity pool. The developer provider is the "domain" by which Cognito will refer to your users. You can use GetOpenIdTokenForDeveloperIdentity to create a new identity and to link new logins (that is, user credentials issued by a public provider or developer provider) to an existing identity. When you want to create a new identity, the IdentityId should be null. When you want to associate a new login with an existing authenticated/unauthenticated identity, you can do so by providing the existing IdentityId. This API will create the identity in the specified IdentityPoolId. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter GetOpenIdTokenForDeveloperIdentityInput : Input to the GetOpenIdTokenForDeveloperIdentity action. + /// - Parameter input: Input to the GetOpenIdTokenForDeveloperIdentity action. (Type: `GetOpenIdTokenForDeveloperIdentityInput`) /// - /// - Returns: `GetOpenIdTokenForDeveloperIdentityOutput` : Returned in response to a successful GetOpenIdTokenForDeveloperIdentity request. + /// - Returns: Returned in response to a successful GetOpenIdTokenForDeveloperIdentity request. (Type: `GetOpenIdTokenForDeveloperIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1088,7 +1078,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOpenIdTokenForDeveloperIdentityOutput.httpOutput(from:), GetOpenIdTokenForDeveloperIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1123,9 +1112,9 @@ extension CognitoIdentityClient { /// /// Use GetPrincipalTagAttributeMap to list all mappings between PrincipalTags and user attributes. /// - /// - Parameter GetPrincipalTagAttributeMapInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPrincipalTagAttributeMapInput`) /// - /// - Returns: `GetPrincipalTagAttributeMapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPrincipalTagAttributeMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1161,7 +1150,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPrincipalTagAttributeMapOutput.httpOutput(from:), GetPrincipalTagAttributeMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1196,9 +1184,9 @@ extension CognitoIdentityClient { /// /// Lists the identities in an identity pool. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter ListIdentitiesInput : Input to the ListIdentities action. + /// - Parameter input: Input to the ListIdentities action. (Type: `ListIdentitiesInput`) /// - /// - Returns: `ListIdentitiesOutput` : The response to a ListIdentities request. + /// - Returns: The response to a ListIdentities request. (Type: `ListIdentitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1234,7 +1222,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentitiesOutput.httpOutput(from:), ListIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1269,9 +1256,9 @@ extension CognitoIdentityClient { /// /// Lists all of the Cognito identity pools registered for your account. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter ListIdentityPoolsInput : Input to the ListIdentityPools action. + /// - Parameter input: Input to the ListIdentityPools action. (Type: `ListIdentityPoolsInput`) /// - /// - Returns: `ListIdentityPoolsOutput` : The result of a successful ListIdentityPools action. + /// - Returns: The result of a successful ListIdentityPools action. (Type: `ListIdentityPoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1307,7 +1294,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentityPoolsOutput.httpOutput(from:), ListIdentityPoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1342,9 +1328,9 @@ extension CognitoIdentityClient { /// /// Lists the tags that are assigned to an Amazon Cognito identity pool. A tag is a label that you can apply to identity pools to categorize and manage them in different ways, such as by purpose, owner, environment, or other criteria. You can use this action up to 10 times per second, per account. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1380,7 +1366,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1415,9 +1400,9 @@ extension CognitoIdentityClient { /// /// Retrieves the IdentityID associated with a DeveloperUserIdentifier or the list of DeveloperUserIdentifier values associated with an IdentityId for an existing identity. Either IdentityID or DeveloperUserIdentifier must not be null. If you supply only one of these values, the other value will be searched in the database and returned as a part of the response. If you supply both, DeveloperUserIdentifier will be matched against IdentityID. If the values are verified against the database, the response returns both values and is the same as the request. Otherwise, a ResourceConflictException is thrown. LookupDeveloperIdentity is intended for low-throughput control plane operations: for example, to enable customer service to locate an identity ID by username. If you are using it for higher-volume operations such as user authentication, your requests are likely to be throttled. [GetOpenIdTokenForDeveloperIdentity] is a better option for higher-volume operations for user authentication. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter LookupDeveloperIdentityInput : Input to the LookupDeveloperIdentityInput action. + /// - Parameter input: Input to the LookupDeveloperIdentityInput action. (Type: `LookupDeveloperIdentityInput`) /// - /// - Returns: `LookupDeveloperIdentityOutput` : Returned in response to a successful LookupDeveloperIdentity action. + /// - Returns: Returned in response to a successful LookupDeveloperIdentity action. (Type: `LookupDeveloperIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1454,7 +1439,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(LookupDeveloperIdentityOutput.httpOutput(from:), LookupDeveloperIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1489,9 +1473,9 @@ extension CognitoIdentityClient { /// /// Merges two users having different IdentityIds, existing in the same identity pool, and identified by the same developer provider. You can use this action to request that discrete users be merged and identified as a single user in the Cognito environment. Cognito associates the given source user (SourceUserIdentifier) with the IdentityId of the DestinationUserIdentifier. Only developer-authenticated users can be merged. If the users to be merged are associated with the same public provider, but as two different users, an exception will be thrown. The number of linked logins is limited to 20. So, the number of linked logins for the source user, SourceUserIdentifier, and the destination user, DestinationUserIdentifier, together should not be larger than 20. Otherwise, an exception will be thrown. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter MergeDeveloperIdentitiesInput : Input to the MergeDeveloperIdentities action. + /// - Parameter input: Input to the MergeDeveloperIdentities action. (Type: `MergeDeveloperIdentitiesInput`) /// - /// - Returns: `MergeDeveloperIdentitiesOutput` : Returned in response to a successful MergeDeveloperIdentities action. + /// - Returns: Returned in response to a successful MergeDeveloperIdentities action. (Type: `MergeDeveloperIdentitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1528,7 +1512,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MergeDeveloperIdentitiesOutput.httpOutput(from:), MergeDeveloperIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1563,9 +1546,9 @@ extension CognitoIdentityClient { /// /// Sets the roles for an identity pool. These roles are used when making calls to [GetCredentialsForIdentity] action. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter SetIdentityPoolRolesInput : Input to the SetIdentityPoolRoles action. + /// - Parameter input: Input to the SetIdentityPoolRoles action. (Type: `SetIdentityPoolRolesInput`) /// - /// - Returns: `SetIdentityPoolRolesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetIdentityPoolRolesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1603,7 +1586,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetIdentityPoolRolesOutput.httpOutput(from:), SetIdentityPoolRolesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1638,9 +1620,9 @@ extension CognitoIdentityClient { /// /// You can use this operation to use default (username and clientID) attribute or custom attribute mappings. /// - /// - Parameter SetPrincipalTagAttributeMapInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetPrincipalTagAttributeMapInput`) /// - /// - Returns: `SetPrincipalTagAttributeMapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetPrincipalTagAttributeMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1676,7 +1658,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetPrincipalTagAttributeMapOutput.httpOutput(from:), SetPrincipalTagAttributeMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1711,9 +1692,9 @@ extension CognitoIdentityClient { /// /// Assigns a set of tags to the specified Amazon Cognito identity pool. A tag is a label that you can use to categorize and manage identity pools in different ways, such as by purpose, owner, environment, or other criteria. Each tag consists of a key and value, both of which you define. A key is a general category for more specific values. For example, if you have two versions of an identity pool, one for testing and another for production, you might assign an Environment tag key to both identity pools. The value of this key might be Test for one identity pool and Production for the other. Tags are useful for cost tracking and access control. You can activate your tags so that they appear on the Billing and Cost Management console, where you can track the costs associated with your identity pools. In an IAM policy, you can constrain permissions for identity pools based on specific tags or tag values. You can use this action up to 5 times per second, per account. An identity pool can have as many as 50 tags. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1749,7 +1730,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1784,9 +1764,9 @@ extension CognitoIdentityClient { /// /// Unlinks a DeveloperUserIdentifier from an existing identity. Unlinked developer users will be considered new identities next time they are seen. If, for a given Cognito identity, you remove all federated identities as well as the developer user identifier, the Cognito identity becomes inaccessible. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter UnlinkDeveloperIdentityInput : Input to the UnlinkDeveloperIdentity action. + /// - Parameter input: Input to the UnlinkDeveloperIdentity action. (Type: `UnlinkDeveloperIdentityInput`) /// - /// - Returns: `UnlinkDeveloperIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnlinkDeveloperIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1823,7 +1803,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnlinkDeveloperIdentityOutput.httpOutput(from:), UnlinkDeveloperIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1858,9 +1837,9 @@ extension CognitoIdentityClient { /// /// Unlinks a federated identity from an existing account. Unlinked logins will be considered new identities next time they are seen. Removing the last linked login will make this identity inaccessible. This is a public API. You do not need any credentials to call this API. /// - /// - Parameter UnlinkIdentityInput : Input to the UnlinkIdentity action. + /// - Parameter input: Input to the UnlinkIdentity action. (Type: `UnlinkIdentityInput`) /// - /// - Returns: `UnlinkIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnlinkIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1896,7 +1875,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnlinkIdentityOutput.httpOutput(from:), UnlinkIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1931,9 +1909,9 @@ extension CognitoIdentityClient { /// /// Removes the specified tags from the specified Amazon Cognito identity pool. You can use this action up to 5 times per second, per account /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1969,7 +1947,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2004,9 +1981,9 @@ extension CognitoIdentityClient { /// /// Updates the configuration of an identity pool. If you don't provide a value for a parameter, Amazon Cognito sets it to its default value. You must use Amazon Web Services developer credentials to call this operation. /// - /// - Parameter UpdateIdentityPoolInput : An object representing an Amazon Cognito identity pool. + /// - Parameter input: An object representing an Amazon Cognito identity pool. (Type: `UpdateIdentityPoolInput`) /// - /// - Returns: `UpdateIdentityPoolOutput` : An object representing an Amazon Cognito identity pool. + /// - Returns: An object representing an Amazon Cognito identity pool. (Type: `UpdateIdentityPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2045,7 +2022,6 @@ extension CognitoIdentityClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIdentityPoolOutput.httpOutput(from:), UpdateIdentityPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCognitoIdentityProvider/Sources/AWSCognitoIdentityProvider/CognitoIdentityProviderClient.swift b/Sources/Services/AWSCognitoIdentityProvider/Sources/AWSCognitoIdentityProvider/CognitoIdentityProviderClient.swift index f0ebdd66b31..33f5ddeb735 100644 --- a/Sources/Services/AWSCognitoIdentityProvider/Sources/AWSCognitoIdentityProvider/CognitoIdentityProviderClient.swift +++ b/Sources/Services/AWSCognitoIdentityProvider/Sources/AWSCognitoIdentityProvider/CognitoIdentityProviderClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CognitoIdentityProviderClient: ClientRuntime.Client { public static let clientName = "CognitoIdentityProviderClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CognitoIdentityProviderClient.CognitoIdentityProviderClientConfiguration let serviceName = "Cognito Identity Provider" @@ -379,9 +378,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AddCustomAttributesInput : Represents the request to add custom attributes. + /// - Parameter input: Represents the request to add custom attributes. (Type: `AddCustomAttributesInput`) /// - /// - Returns: `AddCustomAttributesOutput` : Represents the response from the server for the request to add custom attributes. + /// - Returns: Represents the response from the server for the request to add custom attributes. (Type: `AddCustomAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddCustomAttributesOutput.httpOutput(from:), AddCustomAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -457,9 +455,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminAddUserToGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdminAddUserToGroupInput`) /// - /// - Returns: `AdminAddUserToGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminAddUserToGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -496,7 +494,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminAddUserToGroupOutput.httpOutput(from:), AdminAddUserToGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -538,9 +535,9 @@ extension CognitoIdentityProviderClient { /// /// To configure your user pool to require administrative confirmation of users, set AllowAdminCreateUserOnly to true in a CreateUserPool or UpdateUserPool request. /// - /// - Parameter AdminConfirmSignUpInput : Confirm a user's registration as a user pool administrator. + /// - Parameter input: Confirm a user's registration as a user pool administrator. (Type: `AdminConfirmSignUpInput`) /// - /// - Returns: `AdminConfirmSignUpOutput` : Represents the response from the server for the request to confirm registration. + /// - Returns: Represents the response from the server for the request to confirm registration. (Type: `AdminConfirmSignUpOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -582,7 +579,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminConfirmSignUpOutput.httpOutput(from:), AdminConfirmSignUpOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -621,9 +617,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminCreateUserInput : Creates a new user in the specified user pool. + /// - Parameter input: Creates a new user in the specified user pool. (Type: `AdminCreateUserInput`) /// - /// - Returns: `AdminCreateUserOutput` : Represents the response from the server to the request to create the user. + /// - Returns: Represents the response from the server to the request to create the user. (Type: `AdminCreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -670,7 +666,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminCreateUserOutput.httpOutput(from:), AdminCreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -709,9 +704,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminDeleteUserInput : Represents the request to delete a user as an administrator. + /// - Parameter input: Represents the request to delete a user as an administrator. (Type: `AdminDeleteUserInput`) /// - /// - Returns: `AdminDeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminDeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -748,7 +743,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminDeleteUserOutput.httpOutput(from:), AdminDeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -787,9 +781,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminDeleteUserAttributesInput : Represents the request to delete user attributes as an administrator. + /// - Parameter input: Represents the request to delete user attributes as an administrator. (Type: `AdminDeleteUserAttributesInput`) /// - /// - Returns: `AdminDeleteUserAttributesOutput` : Represents the response received from the server for a request to delete user attributes. + /// - Returns: Represents the response received from the server for a request to delete user attributes. (Type: `AdminDeleteUserAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -826,7 +820,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminDeleteUserAttributesOutput.httpOutput(from:), AdminDeleteUserAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -865,9 +858,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminDisableProviderForUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdminDisableProviderForUserInput`) /// - /// - Returns: `AdminDisableProviderForUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminDisableProviderForUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -905,7 +898,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminDisableProviderForUserOutput.httpOutput(from:), AdminDisableProviderForUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -944,9 +936,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminDisableUserInput : Represents the request to disable the user as an administrator. + /// - Parameter input: Represents the request to disable the user as an administrator. (Type: `AdminDisableUserInput`) /// - /// - Returns: `AdminDisableUserOutput` : Represents the response received from the server to disable the user as an administrator. + /// - Returns: Represents the response received from the server to disable the user as an administrator. (Type: `AdminDisableUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -983,7 +975,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminDisableUserOutput.httpOutput(from:), AdminDisableUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1022,9 +1013,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminEnableUserInput : Represents the request that enables the user as an administrator. + /// - Parameter input: Represents the request that enables the user as an administrator. (Type: `AdminEnableUserInput`) /// - /// - Returns: `AdminEnableUserOutput` : Represents the response from the server for the request to enable a user as an administrator. + /// - Returns: Represents the response from the server for the request to enable a user as an administrator. (Type: `AdminEnableUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1061,7 +1052,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminEnableUserOutput.httpOutput(from:), AdminEnableUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1100,9 +1090,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminForgetDeviceInput : Sends the forgot device request, as an administrator. + /// - Parameter input: Sends the forgot device request, as an administrator. (Type: `AdminForgetDeviceInput`) /// - /// - Returns: `AdminForgetDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminForgetDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1140,7 +1130,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminForgetDeviceOutput.httpOutput(from:), AdminForgetDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1179,9 +1168,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminGetDeviceInput : Represents the request to get the device, as an administrator. + /// - Parameter input: Represents the request to get the device, as an administrator. (Type: `AdminGetDeviceInput`) /// - /// - Returns: `AdminGetDeviceOutput` : Gets the device response, as an administrator. + /// - Returns: Gets the device response, as an administrator. (Type: `AdminGetDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1218,7 +1207,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminGetDeviceOutput.httpOutput(from:), AdminGetDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1257,9 +1245,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminGetUserInput : Represents the request to get the specified user as an administrator. + /// - Parameter input: Represents the request to get the specified user as an administrator. (Type: `AdminGetUserInput`) /// - /// - Returns: `AdminGetUserOutput` : Represents the response from the server from the request to get the specified user as an administrator. + /// - Returns: Represents the response from the server from the request to get the specified user as an administrator. (Type: `AdminGetUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1296,7 +1284,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminGetUserOutput.httpOutput(from:), AdminGetUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1335,9 +1322,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminInitiateAuthInput : Initiates the authorization request, as an administrator. + /// - Parameter input: Initiates the authorization request, as an administrator. (Type: `AdminInitiateAuthInput`) /// - /// - Returns: `AdminInitiateAuthOutput` : Initiates the authentication response, as an administrator. + /// - Returns: Initiates the authentication response, as an administrator. (Type: `AdminInitiateAuthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1385,7 +1372,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminInitiateAuthOutput.httpOutput(from:), AdminInitiateAuthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1424,9 +1410,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminLinkProviderForUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdminLinkProviderForUserInput`) /// - /// - Returns: `AdminLinkProviderForUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminLinkProviderForUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1465,7 +1451,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminLinkProviderForUserOutput.httpOutput(from:), AdminLinkProviderForUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1504,9 +1489,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminListDevicesInput : Represents the request to list devices, as an administrator. + /// - Parameter input: Represents the request to list devices, as an administrator. (Type: `AdminListDevicesInput`) /// - /// - Returns: `AdminListDevicesOutput` : Lists the device's response, as an administrator. + /// - Returns: Lists the device's response, as an administrator. (Type: `AdminListDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1543,7 +1528,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminListDevicesOutput.httpOutput(from:), AdminListDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1582,9 +1566,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminListGroupsForUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdminListGroupsForUserInput`) /// - /// - Returns: `AdminListGroupsForUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminListGroupsForUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1621,7 +1605,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminListGroupsForUserOutput.httpOutput(from:), AdminListGroupsForUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1660,9 +1643,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminListUserAuthEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdminListUserAuthEventsInput`) /// - /// - Returns: `AdminListUserAuthEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminListUserAuthEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1700,7 +1683,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminListUserAuthEventsOutput.httpOutput(from:), AdminListUserAuthEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1739,9 +1721,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminRemoveUserFromGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdminRemoveUserFromGroupInput`) /// - /// - Returns: `AdminRemoveUserFromGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminRemoveUserFromGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1778,7 +1760,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminRemoveUserFromGroupOutput.httpOutput(from:), AdminRemoveUserFromGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1817,9 +1798,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminResetUserPasswordInput : Represents the request to reset a user's password as an administrator. + /// - Parameter input: Represents the request to reset a user's password as an administrator. (Type: `AdminResetUserPasswordInput`) /// - /// - Returns: `AdminResetUserPasswordOutput` : Represents the response from the server to reset a user password as an administrator. + /// - Returns: Represents the response from the server to reset a user password as an administrator. (Type: `AdminResetUserPasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1863,7 +1844,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminResetUserPasswordOutput.httpOutput(from:), AdminResetUserPasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1902,9 +1882,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminRespondToAuthChallengeInput : The request to respond to the authentication challenge, as an administrator. + /// - Parameter input: The request to respond to the authentication challenge, as an administrator. (Type: `AdminRespondToAuthChallengeInput`) /// - /// - Returns: `AdminRespondToAuthChallengeOutput` : Responds to the authentication challenge, as an administrator. + /// - Returns: Responds to the authentication challenge, as an administrator. (Type: `AdminRespondToAuthChallengeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1957,7 +1937,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminRespondToAuthChallengeOutput.httpOutput(from:), AdminRespondToAuthChallengeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1996,9 +1975,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminSetUserMFAPreferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdminSetUserMFAPreferenceInput`) /// - /// - Returns: `AdminSetUserMFAPreferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminSetUserMFAPreferenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2036,7 +2015,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminSetUserMFAPreferenceOutput.httpOutput(from:), AdminSetUserMFAPreferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2075,9 +2053,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminSetUserPasswordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdminSetUserPasswordInput`) /// - /// - Returns: `AdminSetUserPasswordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminSetUserPasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2116,7 +2094,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminSetUserPasswordOutput.httpOutput(from:), AdminSetUserPasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2155,9 +2132,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminSetUserSettingsInput : You can use this parameter to set an MFA configuration that uses the SMS delivery medium. + /// - Parameter input: You can use this parameter to set an MFA configuration that uses the SMS delivery medium. (Type: `AdminSetUserSettingsInput`) /// - /// - Returns: `AdminSetUserSettingsOutput` : Represents the response from the server to set user settings as an administrator. + /// - Returns: Represents the response from the server to set user settings as an administrator. (Type: `AdminSetUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2193,7 +2170,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminSetUserSettingsOutput.httpOutput(from:), AdminSetUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2232,9 +2208,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminUpdateAuthEventFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdminUpdateAuthEventFeedbackInput`) /// - /// - Returns: `AdminUpdateAuthEventFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdminUpdateAuthEventFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2272,7 +2248,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminUpdateAuthEventFeedbackOutput.httpOutput(from:), AdminUpdateAuthEventFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2311,9 +2286,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminUpdateDeviceStatusInput : The request to update the device status, as an administrator. + /// - Parameter input: The request to update the device status, as an administrator. (Type: `AdminUpdateDeviceStatusInput`) /// - /// - Returns: `AdminUpdateDeviceStatusOutput` : The status response to the request to update the device, as an administrator. + /// - Returns: The status response to the request to update the device, as an administrator. (Type: `AdminUpdateDeviceStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2351,7 +2326,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminUpdateDeviceStatusOutput.httpOutput(from:), AdminUpdateDeviceStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2393,9 +2367,9 @@ extension CognitoIdentityProviderClient { /// /// This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with [Amazon Pinpoint](https://console.aws.amazon.com/pinpoint/home/). Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in. If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In [sandbox mode](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see [ SMS message settings for Amazon Cognito user pools](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-sms-settings.html) in the Amazon Cognito Developer Guide. /// - /// - Parameter AdminUpdateUserAttributesInput : Represents the request to update the user's attributes as an administrator. + /// - Parameter input: Represents the request to update the user's attributes as an administrator. (Type: `AdminUpdateUserAttributesInput`) /// - /// - Returns: `AdminUpdateUserAttributesOutput` : Represents the response from the server for the request to update user attributes as an administrator. + /// - Returns: Represents the response from the server for the request to update user attributes as an administrator. (Type: `AdminUpdateUserAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2439,7 +2413,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminUpdateUserAttributesOutput.httpOutput(from:), AdminUpdateUserAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2487,9 +2460,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter AdminUserGlobalSignOutInput : The request to sign out of all devices, as an administrator. + /// - Parameter input: The request to sign out of all devices, as an administrator. (Type: `AdminUserGlobalSignOutInput`) /// - /// - Returns: `AdminUserGlobalSignOutOutput` : The global sign-out response, as an administrator. + /// - Returns: The global sign-out response, as an administrator. (Type: `AdminUserGlobalSignOutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2526,7 +2499,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdminUserGlobalSignOutOutput.httpOutput(from:), AdminUserGlobalSignOutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2561,9 +2533,9 @@ extension CognitoIdentityProviderClient { /// /// Begins setup of time-based one-time password (TOTP) multi-factor authentication (MFA) for a user, with a unique private key that Amazon Cognito generates and returns in the API response. You can authorize an AssociateSoftwareToken request with either the user's access token, or a session string from a challenge response that you received from Amazon Cognito. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. /// - /// - Parameter AssociateSoftwareTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSoftwareTokenInput`) /// - /// - Returns: `AssociateSoftwareTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSoftwareTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2599,7 +2571,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSoftwareTokenOutput.httpOutput(from:), AssociateSoftwareTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2634,9 +2605,9 @@ extension CognitoIdentityProviderClient { /// /// Changes the password for the currently signed-in user. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter ChangePasswordInput : Represents the request to change a user password. + /// - Parameter input: Represents the request to change a user password. (Type: `ChangePasswordInput`) /// - /// - Returns: `ChangePasswordOutput` : The response from the server to the change password request. + /// - Returns: The response from the server to the change password request. (Type: `ChangePasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2677,7 +2648,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChangePasswordOutput.httpOutput(from:), ChangePasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2712,9 +2682,9 @@ extension CognitoIdentityProviderClient { /// /// Completes registration of a passkey authenticator for the currently signed-in user. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. /// - /// - Parameter CompleteWebAuthnRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CompleteWebAuthnRegistrationInput`) /// - /// - Returns: `CompleteWebAuthnRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompleteWebAuthnRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2755,7 +2725,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteWebAuthnRegistrationOutput.httpOutput(from:), CompleteWebAuthnRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2790,9 +2759,9 @@ extension CognitoIdentityProviderClient { /// /// Confirms a device that a user wants to remember. A remembered device is a "Remember me on this device" option for user pools that perform authentication with the device key of a trusted device in the back end, instead of a user-provided MFA code. For more information about device authentication, see [Working with user devices in your user pool](https://docs.aws.amazon.com/cognito/latest/developerguide/amazon-cognito-user-pools-device-tracking.html). Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter ConfirmDeviceInput : The confirm-device request. + /// - Parameter input: The confirm-device request. (Type: `ConfirmDeviceInput`) /// - /// - Returns: `ConfirmDeviceOutput` : The confirm-device response. + /// - Returns: The confirm-device response. (Type: `ConfirmDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2835,7 +2804,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmDeviceOutput.httpOutput(from:), ConfirmDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2870,9 +2838,9 @@ extension CognitoIdentityProviderClient { /// /// This public API operation accepts a confirmation code that Amazon Cognito sent to a user and accepts a new password for that user. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter ConfirmForgotPasswordInput : The request representing the confirmation for a password reset. + /// - Parameter input: The request representing the confirmation for a password reset. (Type: `ConfirmForgotPasswordInput`) /// - /// - Returns: `ConfirmForgotPasswordOutput` : The response from the server that results from a user's request to retrieve a forgotten password. + /// - Returns: The response from the server that results from a user's request to retrieve a forgotten password. (Type: `ConfirmForgotPasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2918,7 +2886,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmForgotPasswordOutput.httpOutput(from:), ConfirmForgotPasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2953,9 +2920,9 @@ extension CognitoIdentityProviderClient { /// /// Confirms the account of a new user. This public API operation submits a code that Amazon Cognito sent to your user when they signed up in your user pool. After your user enters their code, they confirm ownership of the email address or phone number that they provided, and their user account becomes active. Depending on your user pool configuration, your users will receive their confirmation code in an email or SMS message. Local users who signed up in your user pool are the only type of user who can confirm sign-up with a code. Users who federate through an external identity provider (IdP) have already been confirmed by their IdP. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter ConfirmSignUpInput : Represents the request to confirm registration of a user. + /// - Parameter input: Represents the request to confirm registration of a user. (Type: `ConfirmSignUpInput`) /// - /// - Returns: `ConfirmSignUpOutput` : Represents the response from the server for the registration confirmation. + /// - Returns: Represents the response from the server for the registration confirmation. (Type: `ConfirmSignUpOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2999,7 +2966,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmSignUpOutput.httpOutput(from:), ConfirmSignUpOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3038,9 +3004,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter CreateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupInput`) /// - /// - Returns: `CreateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3078,7 +3044,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupOutput.httpOutput(from:), CreateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3117,9 +3082,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter CreateIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIdentityProviderInput`) /// - /// - Returns: `CreateIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3157,7 +3122,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIdentityProviderOutput.httpOutput(from:), CreateIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3196,9 +3160,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter CreateManagedLoginBrandingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateManagedLoginBrandingInput`) /// - /// - Returns: `CreateManagedLoginBrandingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateManagedLoginBrandingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3237,7 +3201,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateManagedLoginBrandingOutput.httpOutput(from:), CreateManagedLoginBrandingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3276,9 +3239,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter CreateResourceServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceServerInput`) /// - /// - Returns: `CreateResourceServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3315,7 +3278,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceServerOutput.httpOutput(from:), CreateResourceServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3354,9 +3316,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter CreateTermsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTermsInput`) /// - /// - Returns: `CreateTermsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTermsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3395,7 +3357,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTermsOutput.httpOutput(from:), CreateTermsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3434,9 +3395,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter CreateUserImportJobInput : Represents the request to create the user import job. + /// - Parameter input: Represents the request to create the user import job. (Type: `CreateUserImportJobInput`) /// - /// - Returns: `CreateUserImportJobOutput` : Represents the response from the server to the request to create the user import job. + /// - Returns: Represents the response from the server to the request to create the user import job. (Type: `CreateUserImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3474,7 +3435,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserImportJobOutput.httpOutput(from:), CreateUserImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3513,9 +3473,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter CreateUserPoolInput : Represents the request to create a user pool. + /// - Parameter input: Represents the request to create a user pool. (Type: `CreateUserPoolInput`) /// - /// - Returns: `CreateUserPoolOutput` : Represents the response from the server for the request to create a user pool. + /// - Returns: Represents the response from the server for the request to create a user pool. (Type: `CreateUserPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3557,7 +3517,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserPoolOutput.httpOutput(from:), CreateUserPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3596,9 +3555,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter CreateUserPoolClientInput : Represents the request to create a user pool client. + /// - Parameter input: Represents the request to create a user pool client. (Type: `CreateUserPoolClientInput`) /// - /// - Returns: `CreateUserPoolClientOutput` : Represents the response from the server to create a user pool client. + /// - Returns: Represents the response from the server to create a user pool client. (Type: `CreateUserPoolClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3638,7 +3597,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserPoolClientOutput.httpOutput(from:), CreateUserPoolClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3677,9 +3635,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter CreateUserPoolDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserPoolDomainInput`) /// - /// - Returns: `CreateUserPoolDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserPoolDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3717,7 +3675,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserPoolDomainOutput.httpOutput(from:), CreateUserPoolDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3756,9 +3713,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3794,7 +3751,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3833,9 +3789,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter DeleteIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdentityProviderInput`) /// - /// - Returns: `DeleteIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3873,7 +3829,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentityProviderOutput.httpOutput(from:), DeleteIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3912,9 +3867,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter DeleteManagedLoginBrandingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteManagedLoginBrandingInput`) /// - /// - Returns: `DeleteManagedLoginBrandingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteManagedLoginBrandingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3951,7 +3906,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteManagedLoginBrandingOutput.httpOutput(from:), DeleteManagedLoginBrandingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3990,9 +3944,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter DeleteResourceServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceServerInput`) /// - /// - Returns: `DeleteResourceServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4028,7 +3982,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceServerOutput.httpOutput(from:), DeleteResourceServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4067,9 +4020,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter DeleteTermsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTermsInput`) /// - /// - Returns: `DeleteTermsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTermsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4106,7 +4059,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTermsOutput.httpOutput(from:), DeleteTermsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4141,9 +4093,9 @@ extension CognitoIdentityProviderClient { /// /// Deletes the profile of the currently signed-in user. A deleted user profile can no longer be used to sign in and can't be restored. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter DeleteUserInput : Represents the request to delete a user. + /// - Parameter input: Represents the request to delete a user. (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4181,7 +4133,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4216,9 +4167,9 @@ extension CognitoIdentityProviderClient { /// /// Deletes attributes from the currently signed-in user. For example, your application can submit a request to this operation when a user wants to remove their birthdate attribute value. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter DeleteUserAttributesInput : Represents the request to delete user attributes. + /// - Parameter input: Represents the request to delete user attributes. (Type: `DeleteUserAttributesInput`) /// - /// - Returns: `DeleteUserAttributesOutput` : Represents the response from the server to delete user attributes. + /// - Returns: Represents the response from the server to delete user attributes. (Type: `DeleteUserAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4256,7 +4207,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserAttributesOutput.httpOutput(from:), DeleteUserAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4291,9 +4241,9 @@ extension CognitoIdentityProviderClient { /// /// Deletes a user pool. After you delete a user pool, users can no longer sign in to any associated applications. When you delete a user pool, it's no longer visible or operational in your Amazon Web Services account. Amazon Cognito retains deleted user pools in an inactive state for 14 days, then begins a cleanup process that fully removes them from Amazon Web Services systems. In case of accidental deletion, contact Amazon Web ServicesSupport within 14 days for restoration assistance. Amazon Cognito begins full deletion of all resources from deleted user pools after 14 days. In the case of large user pools, the cleanup process might take significant additional time before all user data is permanently deleted. /// - /// - Parameter DeleteUserPoolInput : Represents the request to delete a user pool. + /// - Parameter input: Represents the request to delete a user pool. (Type: `DeleteUserPoolInput`) /// - /// - Returns: `DeleteUserPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4330,7 +4280,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserPoolOutput.httpOutput(from:), DeleteUserPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4365,9 +4314,9 @@ extension CognitoIdentityProviderClient { /// /// Deletes a user pool app client. After you delete an app client, users can no longer sign in to the associated application. /// - /// - Parameter DeleteUserPoolClientInput : Represents the request to delete a user pool client. + /// - Parameter input: Represents the request to delete a user pool client. (Type: `DeleteUserPoolClientInput`) /// - /// - Returns: `DeleteUserPoolClientOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserPoolClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4404,7 +4353,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserPoolClientOutput.httpOutput(from:), DeleteUserPoolClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4439,9 +4387,9 @@ extension CognitoIdentityProviderClient { /// /// Given a user pool ID and domain identifier, deletes a user pool domain. After you delete a user pool domain, your managed login pages and authorization server are no longer available. /// - /// - Parameter DeleteUserPoolDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserPoolDomainInput`) /// - /// - Returns: `DeleteUserPoolDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserPoolDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4477,7 +4425,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserPoolDomainOutput.httpOutput(from:), DeleteUserPoolDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4512,9 +4459,9 @@ extension CognitoIdentityProviderClient { /// /// Deletes a registered passkey, or WebAuthn, authenticator for the currently signed-in user. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter DeleteWebAuthnCredentialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWebAuthnCredentialInput`) /// - /// - Returns: `DeleteWebAuthnCredentialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWebAuthnCredentialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4550,7 +4497,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWebAuthnCredentialOutput.httpOutput(from:), DeleteWebAuthnCredentialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4585,9 +4531,9 @@ extension CognitoIdentityProviderClient { /// /// Given a user pool ID and identity provider (IdP) name, returns details about the IdP. /// - /// - Parameter DescribeIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIdentityProviderInput`) /// - /// - Returns: `DescribeIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4623,7 +4569,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIdentityProviderOutput.httpOutput(from:), DescribeIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4658,9 +4603,9 @@ extension CognitoIdentityProviderClient { /// /// Given the ID of a managed login branding style, returns detailed information about the style. /// - /// - Parameter DescribeManagedLoginBrandingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeManagedLoginBrandingInput`) /// - /// - Returns: `DescribeManagedLoginBrandingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeManagedLoginBrandingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4696,7 +4641,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeManagedLoginBrandingOutput.httpOutput(from:), DescribeManagedLoginBrandingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4731,9 +4675,9 @@ extension CognitoIdentityProviderClient { /// /// Given the ID of a user pool app client, returns detailed information about the style assigned to the app client. /// - /// - Parameter DescribeManagedLoginBrandingByClientInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeManagedLoginBrandingByClientInput`) /// - /// - Returns: `DescribeManagedLoginBrandingByClientOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeManagedLoginBrandingByClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4769,7 +4713,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeManagedLoginBrandingByClientOutput.httpOutput(from:), DescribeManagedLoginBrandingByClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4804,9 +4747,9 @@ extension CognitoIdentityProviderClient { /// /// Describes a resource server. For more information about resource servers, see [Access control with resource servers](https://docs.aws.amazon.com/cognito/latest/developerguide/cognito-user-pools-define-resource-servers.html). /// - /// - Parameter DescribeResourceServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourceServerInput`) /// - /// - Returns: `DescribeResourceServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourceServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4842,7 +4785,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourceServerOutput.httpOutput(from:), DescribeResourceServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4877,9 +4819,9 @@ extension CognitoIdentityProviderClient { /// /// Given an app client or user pool ID where threat protection is configured, describes the risk configuration. This operation returns details about adaptive authentication, compromised credentials, and IP-address allow- and denylists. For more information about threat protection, see [Threat protection](https://docs.aws.amazon.com/cognito/latest/developerguide/cognito-user-pool-settings-threat-protection.html). /// - /// - Parameter DescribeRiskConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRiskConfigurationInput`) /// - /// - Returns: `DescribeRiskConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRiskConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4916,7 +4858,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRiskConfigurationOutput.httpOutput(from:), DescribeRiskConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4955,9 +4896,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter DescribeTermsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTermsInput`) /// - /// - Returns: `DescribeTermsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTermsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4993,7 +4934,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTermsOutput.httpOutput(from:), DescribeTermsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5028,9 +4968,9 @@ extension CognitoIdentityProviderClient { /// /// Describes a user import job. For more information about user CSV import, see [Importing users from a CSV file](https://docs.aws.amazon.com/cognito/latest/developerguide/cognito-user-pools-using-import-tool.html). /// - /// - Parameter DescribeUserImportJobInput : Represents the request to describe the user import job. + /// - Parameter input: Represents the request to describe the user import job. (Type: `DescribeUserImportJobInput`) /// - /// - Returns: `DescribeUserImportJobOutput` : Represents the response from the server to the request to describe the user import job. + /// - Returns: Represents the response from the server to the request to describe the user import job. (Type: `DescribeUserImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5066,7 +5006,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserImportJobOutput.httpOutput(from:), DescribeUserImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5105,9 +5044,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter DescribeUserPoolInput : Represents the request to describe the user pool. + /// - Parameter input: Represents the request to describe the user pool. (Type: `DescribeUserPoolInput`) /// - /// - Returns: `DescribeUserPoolOutput` : Represents the response to describe the user pool. + /// - Returns: Represents the response to describe the user pool. (Type: `DescribeUserPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5144,7 +5083,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserPoolOutput.httpOutput(from:), DescribeUserPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5183,9 +5121,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter DescribeUserPoolClientInput : Represents the request to describe a user pool client. + /// - Parameter input: Represents the request to describe a user pool client. (Type: `DescribeUserPoolClientInput`) /// - /// - Returns: `DescribeUserPoolClientOutput` : Represents the response from the server from a request to describe the user pool client. + /// - Returns: Represents the response from the server from a request to describe the user pool client. (Type: `DescribeUserPoolClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5221,7 +5159,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserPoolClientOutput.httpOutput(from:), DescribeUserPoolClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5260,9 +5197,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter DescribeUserPoolDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserPoolDomainInput`) /// - /// - Returns: `DescribeUserPoolDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserPoolDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5297,7 +5234,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserPoolDomainOutput.httpOutput(from:), DescribeUserPoolDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5332,9 +5268,9 @@ extension CognitoIdentityProviderClient { /// /// Given a device key, deletes a remembered device as the currently signed-in user. For more information about device authentication, see [Working with user devices in your user pool](https://docs.aws.amazon.com/cognito/latest/developerguide/amazon-cognito-user-pools-device-tracking.html). Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter ForgetDeviceInput : Represents the request to forget the device. + /// - Parameter input: Represents the request to forget the device. (Type: `ForgetDeviceInput`) /// - /// - Returns: `ForgetDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ForgetDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5373,7 +5309,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ForgetDeviceOutput.httpOutput(from:), ForgetDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5408,9 +5343,9 @@ extension CognitoIdentityProviderClient { /// /// Sends a password-reset confirmation code to the email address or phone number of the requested username. The message delivery method is determined by the user's available attributes and the AccountRecoverySetting configuration of the user pool. For the Username parameter, you can use the username or an email, phone, or preferred username alias. If neither a verified phone number nor a verified email exists, Amazon Cognito responds with an InvalidParameterException error . If your app client has a client secret and you don't provide a SECRET_HASH parameter, this API returns NotAuthorizedException. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with [Amazon Pinpoint](https://console.aws.amazon.com/pinpoint/home/). Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in. If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In [sandbox mode](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see [ SMS message settings for Amazon Cognito user pools](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-sms-settings.html) in the Amazon Cognito Developer Guide. /// - /// - Parameter ForgotPasswordInput : Represents the request to reset a user's password. + /// - Parameter input: Represents the request to reset a user's password. (Type: `ForgotPasswordInput`) /// - /// - Returns: `ForgotPasswordOutput` : The response from Amazon Cognito to a request to reset a password. + /// - Returns: The response from Amazon Cognito to a request to reset a password. (Type: `ForgotPasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5454,7 +5389,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ForgotPasswordOutput.httpOutput(from:), ForgotPasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5493,9 +5427,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter GetCSVHeaderInput : Represents the request to get the header information of the CSV file for the user import job. + /// - Parameter input: Represents the request to get the header information of the CSV file for the user import job. (Type: `GetCSVHeaderInput`) /// - /// - Returns: `GetCSVHeaderOutput` : Represents the response from the server to the request to get the header information of the CSV file for the user import job. + /// - Returns: Represents the response from the server to the request to get the header information of the CSV file for the user import job. (Type: `GetCSVHeaderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5531,7 +5465,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCSVHeaderOutput.httpOutput(from:), GetCSVHeaderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5566,9 +5499,9 @@ extension CognitoIdentityProviderClient { /// /// Given a device key, returns information about a remembered device for the current user. For more information about device authentication, see [Working with user devices in your user pool](https://docs.aws.amazon.com/cognito/latest/developerguide/amazon-cognito-user-pools-device-tracking.html). Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter GetDeviceInput : Represents the request to get the device. + /// - Parameter input: Represents the request to get the device. (Type: `GetDeviceInput`) /// - /// - Returns: `GetDeviceOutput` : Gets the device response. + /// - Returns: Gets the device response. (Type: `GetDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5607,7 +5540,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceOutput.httpOutput(from:), GetDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5646,9 +5578,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter GetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupInput`) /// - /// - Returns: `GetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5684,7 +5616,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupOutput.httpOutput(from:), GetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5719,9 +5650,9 @@ extension CognitoIdentityProviderClient { /// /// Given the identifier of an identity provider (IdP), for example examplecorp, returns information about the user pool configuration for that IdP. For more information about IdPs, see [Third-party IdP sign-in](https://docs.aws.amazon.com/cognito/latest/developerguide/cognito-user-pools-identity-federation.html). /// - /// - Parameter GetIdentityProviderByIdentifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdentityProviderByIdentifierInput`) /// - /// - Returns: `GetIdentityProviderByIdentifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdentityProviderByIdentifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5757,7 +5688,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentityProviderByIdentifierOutput.httpOutput(from:), GetIdentityProviderByIdentifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5796,9 +5726,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter GetLogDeliveryConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLogDeliveryConfigurationInput`) /// - /// - Returns: `GetLogDeliveryConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLogDeliveryConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5834,7 +5764,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLogDeliveryConfigurationOutput.httpOutput(from:), GetLogDeliveryConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5873,9 +5802,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter GetSigningCertificateInput : Request to get a signing certificate from Amazon Cognito. + /// - Parameter input: Request to get a signing certificate from Amazon Cognito. (Type: `GetSigningCertificateInput`) /// - /// - Returns: `GetSigningCertificateOutput` : Response from Amazon Cognito for a signing certificate request. + /// - Returns: Response from Amazon Cognito for a signing certificate request. (Type: `GetSigningCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5909,7 +5838,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSigningCertificateOutput.httpOutput(from:), GetSigningCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5944,9 +5872,9 @@ extension CognitoIdentityProviderClient { /// /// Given a refresh token, issues new ID, access, and optionally refresh tokens for the user who owns the submitted token. This operation issues a new refresh token and invalidates the original refresh token after an optional grace period when refresh token rotation is enabled. If refresh token rotation is disabled, issues new ID and access tokens only. /// - /// - Parameter GetTokensFromRefreshTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTokensFromRefreshTokenInput`) /// - /// - Returns: `GetTokensFromRefreshTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTokensFromRefreshTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5986,7 +5914,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTokensFromRefreshTokenOutput.httpOutput(from:), GetTokensFromRefreshTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6021,9 +5948,9 @@ extension CognitoIdentityProviderClient { /// /// Given a user pool ID or app client, returns information about classic hosted UI branding that you applied, if any. Returns user-pool level branding information if no app client branding is applied, or if you don't specify an app client ID. Returns an empty object if you haven't applied hosted UI branding to either the client or the user pool. For more information, see [Hosted UI (classic) branding](https://docs.aws.amazon.com/cognito/latest/developerguide/hosted-ui-classic-branding.html). /// - /// - Parameter GetUICustomizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUICustomizationInput`) /// - /// - Returns: `GetUICustomizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUICustomizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6059,7 +5986,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUICustomizationOutput.httpOutput(from:), GetUICustomizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6094,9 +6020,9 @@ extension CognitoIdentityProviderClient { /// /// Gets user attributes and and MFA settings for the currently signed-in user. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter GetUserInput : Represents the request to get information about the user. + /// - Parameter input: Represents the request to get information about the user. (Type: `GetUserInput`) /// - /// - Returns: `GetUserOutput` : Represents the response from the server from the request to get information about the user. + /// - Returns: Represents the response from the server from the request to get information about the user. (Type: `GetUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6134,7 +6060,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserOutput.httpOutput(from:), GetUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6169,9 +6094,9 @@ extension CognitoIdentityProviderClient { /// /// Given an attribute name, sends a user attribute verification code for the specified attribute name to the currently signed-in user. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with [Amazon Pinpoint](https://console.aws.amazon.com/pinpoint/home/). Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in. If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In [sandbox mode](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see [ SMS message settings for Amazon Cognito user pools](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-sms-settings.html) in the Amazon Cognito Developer Guide. /// - /// - Parameter GetUserAttributeVerificationCodeInput : Represents the request to get user attribute verification. + /// - Parameter input: Represents the request to get user attribute verification. (Type: `GetUserAttributeVerificationCodeInput`) /// - /// - Returns: `GetUserAttributeVerificationCodeOutput` : The verification code response returned by the server response to get the user attribute verification code. + /// - Returns: The verification code response returned by the server response to get the user attribute verification code. (Type: `GetUserAttributeVerificationCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6217,7 +6142,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserAttributeVerificationCodeOutput.httpOutput(from:), GetUserAttributeVerificationCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6259,9 +6183,9 @@ extension CognitoIdentityProviderClient { /// /// Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter GetUserAuthFactorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserAuthFactorsInput`) /// - /// - Returns: `GetUserAuthFactorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserAuthFactorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6299,7 +6223,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserAuthFactorsOutput.httpOutput(from:), GetUserAuthFactorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6349,9 +6272,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter GetUserPoolMfaConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserPoolMfaConfigInput`) /// - /// - Returns: `GetUserPoolMfaConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserPoolMfaConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6387,7 +6310,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserPoolMfaConfigOutput.httpOutput(from:), GetUserPoolMfaConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6431,9 +6353,9 @@ extension CognitoIdentityProviderClient { /// /// Other requests might be valid until your user's token expires. This operation doesn't clear the [managed login](https://docs.aws.amazon.com/cognito/latest/developerguide/cognito-user-pools-managed-login.html) session cookie. To clear the session for a user who signed in with managed login or the classic hosted UI, direct their browser session to the [logout endpoint](https://docs.aws.amazon.com/cognito/latest/developerguide/logout-endpoint.html). Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter GlobalSignOutInput : Represents the request to sign out all devices. + /// - Parameter input: Represents the request to sign out all devices. (Type: `GlobalSignOutInput`) /// - /// - Returns: `GlobalSignOutOutput` : The response to the request to sign out all devices. + /// - Returns: The response to the request to sign out all devices. (Type: `GlobalSignOutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6470,7 +6392,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GlobalSignOutOutput.httpOutput(from:), GlobalSignOutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6505,9 +6426,9 @@ extension CognitoIdentityProviderClient { /// /// Declares an authentication flow and initiates sign-in for a user in the Amazon Cognito user directory. Amazon Cognito might respond with an additional challenge or an AuthenticationResult that contains the outcome of a successful authentication. You can't sign in a user with a federated IdP with InitiateAuth. For more information, see [Authentication](https://docs.aws.amazon.com/cognito/latest/developerguide/authentication.html). Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with [Amazon Pinpoint](https://console.aws.amazon.com/pinpoint/home/). Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in. If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In [sandbox mode](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see [ SMS message settings for Amazon Cognito user pools](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-sms-settings.html) in the Amazon Cognito Developer Guide. /// - /// - Parameter InitiateAuthInput : Initiates the authentication request. + /// - Parameter input: Initiates the authentication request. (Type: `InitiateAuthInput`) /// - /// - Returns: `InitiateAuthOutput` : Initiates the authentication response. + /// - Returns: Initiates the authentication response. (Type: `InitiateAuthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6553,7 +6474,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitiateAuthOutput.httpOutput(from:), InitiateAuthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6588,9 +6508,9 @@ extension CognitoIdentityProviderClient { /// /// Lists the devices that Amazon Cognito has registered to the currently signed-in user. For more information about device authentication, see [Working with user devices in your user pool](https://docs.aws.amazon.com/cognito/latest/developerguide/amazon-cognito-user-pools-device-tracking.html). Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter ListDevicesInput : Represents the request to list the devices. + /// - Parameter input: Represents the request to list the devices. (Type: `ListDevicesInput`) /// - /// - Returns: `ListDevicesOutput` : Represents the response to list devices. + /// - Returns: Represents the response to list devices. (Type: `ListDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6629,7 +6549,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevicesOutput.httpOutput(from:), ListDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6668,9 +6587,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter ListGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsInput`) /// - /// - Returns: `ListGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6706,7 +6625,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOutput.httpOutput(from:), ListGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6745,9 +6663,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter ListIdentityProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdentityProvidersInput`) /// - /// - Returns: `ListIdentityProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdentityProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6783,7 +6701,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentityProvidersOutput.httpOutput(from:), ListIdentityProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6822,9 +6739,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter ListResourceServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceServersInput`) /// - /// - Returns: `ListResourceServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6860,7 +6777,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceServersOutput.httpOutput(from:), ListResourceServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6895,9 +6811,9 @@ extension CognitoIdentityProviderClient { /// /// Lists the tags that are assigned to an Amazon Cognito user pool. For more information, see [Tagging resources](https://docs.aws.amazon.com/cognito/latest/developerguide/tagging.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6933,7 +6849,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6972,9 +6887,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter ListTermsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTermsInput`) /// - /// - Returns: `ListTermsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTermsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7010,7 +6925,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTermsOutput.httpOutput(from:), ListTermsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7049,9 +6963,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter ListUserImportJobsInput : Represents the request to list the user import jobs. + /// - Parameter input: Represents the request to list the user import jobs. (Type: `ListUserImportJobsInput`) /// - /// - Returns: `ListUserImportJobsOutput` : Represents the response from the server to the request to list the user import jobs. + /// - Returns: Represents the response from the server to the request to list the user import jobs. (Type: `ListUserImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7087,7 +7001,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserImportJobsOutput.httpOutput(from:), ListUserImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7126,9 +7039,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter ListUserPoolClientsInput : Represents the request to list the user pool clients. + /// - Parameter input: Represents the request to list the user pool clients. (Type: `ListUserPoolClientsInput`) /// - /// - Returns: `ListUserPoolClientsOutput` : Represents the response from the server that lists user pool clients. + /// - Returns: Represents the response from the server that lists user pool clients. (Type: `ListUserPoolClientsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7164,7 +7077,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserPoolClientsOutput.httpOutput(from:), ListUserPoolClientsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7203,9 +7115,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter ListUserPoolsInput : Represents the request to list user pools. + /// - Parameter input: Represents the request to list user pools. (Type: `ListUserPoolsInput`) /// - /// - Returns: `ListUserPoolsOutput` : Represents the response to list user pools. + /// - Returns: Represents the response to list user pools. (Type: `ListUserPoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7240,7 +7152,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserPoolsOutput.httpOutput(from:), ListUserPoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7279,9 +7190,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter ListUsersInput : Represents the request to list users. + /// - Parameter input: Represents the request to list users. (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : The response from the request to list users. + /// - Returns: The response from the request to list users. (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7317,7 +7228,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7356,9 +7266,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter ListUsersInGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInGroupInput`) /// - /// - Returns: `ListUsersInGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersInGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7394,7 +7304,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersInGroupOutput.httpOutput(from:), ListUsersInGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7429,9 +7338,9 @@ extension CognitoIdentityProviderClient { /// /// Generates a list of the currently signed-in user's registered passkey, or WebAuthn, credentials. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter ListWebAuthnCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWebAuthnCredentialsInput`) /// - /// - Returns: `ListWebAuthnCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWebAuthnCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7466,7 +7375,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWebAuthnCredentialsOutput.httpOutput(from:), ListWebAuthnCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7501,9 +7409,9 @@ extension CognitoIdentityProviderClient { /// /// Resends the code that confirms a new account for a user who has signed up in your user pool. Amazon Cognito sends confirmation codes to the user attribute in the AutoVerifiedAttributes property of your user pool. When you prompt new users for the confirmation code, include a "Resend code" option that generates a call to this API operation. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with [Amazon Pinpoint](https://console.aws.amazon.com/pinpoint/home/). Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in. If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In [sandbox mode](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see [ SMS message settings for Amazon Cognito user pools](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-sms-settings.html) in the Amazon Cognito Developer Guide. /// - /// - Parameter ResendConfirmationCodeInput : Represents the request to resend the confirmation code. + /// - Parameter input: Represents the request to resend the confirmation code. (Type: `ResendConfirmationCodeInput`) /// - /// - Returns: `ResendConfirmationCodeOutput` : The response from the server when Amazon Cognito makes the request to resend a confirmation code. + /// - Returns: The response from the server when Amazon Cognito makes the request to resend a confirmation code. (Type: `ResendConfirmationCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7547,7 +7455,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResendConfirmationCodeOutput.httpOutput(from:), ResendConfirmationCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7582,9 +7489,9 @@ extension CognitoIdentityProviderClient { /// /// Some API operations in a user pool generate a challenge, like a prompt for an MFA code, for device authentication that bypasses MFA, or for a custom authentication challenge. A RespondToAuthChallenge API request provides the answer to that challenge, like a code or a secure remote password (SRP). The parameters of a response to an authentication challenge vary with the type of challenge. For more information about custom authentication challenges, see [Custom authentication challenge Lambda triggers](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-lambda-challenge.html). Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with [Amazon Pinpoint](https://console.aws.amazon.com/pinpoint/home/). Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in. If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In [sandbox mode](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see [ SMS message settings for Amazon Cognito user pools](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-sms-settings.html) in the Amazon Cognito Developer Guide. /// - /// - Parameter RespondToAuthChallengeInput : The request to respond to an authentication challenge. + /// - Parameter input: The request to respond to an authentication challenge. (Type: `RespondToAuthChallengeInput`) /// - /// - Returns: `RespondToAuthChallengeOutput` : The response to respond to the authentication challenge. + /// - Returns: The response to respond to the authentication challenge. (Type: `RespondToAuthChallengeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7636,7 +7543,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RespondToAuthChallengeOutput.httpOutput(from:), RespondToAuthChallengeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7671,9 +7577,9 @@ extension CognitoIdentityProviderClient { /// /// Revokes all of the access tokens generated by, and at the same time as, the specified refresh token. After a token is revoked, you can't use the revoked token to access Amazon Cognito user APIs, or to authorize access to your resource server. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter RevokeTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeTokenInput`) /// - /// - Returns: `RevokeTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7709,7 +7615,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeTokenOutput.httpOutput(from:), RevokeTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7744,9 +7649,9 @@ extension CognitoIdentityProviderClient { /// /// Sets up or modifies the logging configuration of a user pool. User pools can export user notification logs and, when threat protection is active, user-activity logs. For more information, see [Exporting user pool logs](https://docs.aws.amazon.com/cognito/latest/developerguide/exporting-quotas-and-usage.html). /// - /// - Parameter SetLogDeliveryConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetLogDeliveryConfigurationInput`) /// - /// - Returns: `SetLogDeliveryConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetLogDeliveryConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7783,7 +7688,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetLogDeliveryConfigurationOutput.httpOutput(from:), SetLogDeliveryConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7829,9 +7733,9 @@ extension CognitoIdentityProviderClient { /// /// To set the risk configuration for the user pool to defaults, send this request with only the UserPoolId parameter. To reset the threat protection settings of an app client to be inherited from the user pool, send UserPoolId and ClientId parameters only. To change threat protection to audit-only or off, update the value of UserPoolAddOns in an UpdateUserPool request. To activate this setting, your user pool must be on the [ Plus tier](https://docs.aws.amazon.com/cognito/latest/developerguide/feature-plans-features-plus.html). /// - /// - Parameter SetRiskConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetRiskConfigurationInput`) /// - /// - Returns: `SetRiskConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetRiskConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7870,7 +7774,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetRiskConfigurationOutput.httpOutput(from:), SetRiskConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7909,9 +7812,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter SetUICustomizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetUICustomizationInput`) /// - /// - Returns: `SetUICustomizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetUICustomizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7947,7 +7850,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetUICustomizationOutput.httpOutput(from:), SetUICustomizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7982,9 +7884,9 @@ extension CognitoIdentityProviderClient { /// /// Set the user's multi-factor authentication (MFA) method preference, including which MFA factors are activated and if any are preferred. Only one factor can be set as preferred. The preferred MFA factor will be used to authenticate a user if multiple factors are activated. If multiple options are activated and no preference is set, a challenge to choose an MFA option will be returned during sign-in. If an MFA type is activated for a user, the user will be prompted for MFA during all sign-in attempts unless device tracking is turned on and the device has been trusted. If you want MFA to be applied selectively based on the assessed risk level of sign-in attempts, deactivate MFA for users and turn on Adaptive Authentication for the user pool. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter SetUserMFAPreferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetUserMFAPreferenceInput`) /// - /// - Returns: `SetUserMFAPreferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetUserMFAPreferenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8021,7 +7923,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetUserMFAPreferenceOutput.httpOutput(from:), SetUserMFAPreferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8056,9 +7957,9 @@ extension CognitoIdentityProviderClient { /// /// Sets user pool multi-factor authentication (MFA) and passkey configuration. For more information about user pool MFA, see [Adding MFA](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-settings-mfa.html). For more information about WebAuthn passkeys see [Authentication flows](https://docs.aws.amazon.com/cognito/latest/developerguide/amazon-cognito-user-pools-authentication-flow-methods.html#amazon-cognito-user-pools-authentication-flow-methods-passkey). This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with [Amazon Pinpoint](https://console.aws.amazon.com/pinpoint/home/). Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in. If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In [sandbox mode](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see [ SMS message settings for Amazon Cognito user pools](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-sms-settings.html) in the Amazon Cognito Developer Guide. /// - /// - Parameter SetUserPoolMfaConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetUserPoolMfaConfigInput`) /// - /// - Returns: `SetUserPoolMfaConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetUserPoolMfaConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8098,7 +7999,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetUserPoolMfaConfigOutput.httpOutput(from:), SetUserPoolMfaConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8133,9 +8033,9 @@ extension CognitoIdentityProviderClient { /// /// This action is no longer supported. You can use it to configure only SMS MFA. You can't use it to configure time-based one-time password (TOTP) software token or email MFA. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter SetUserSettingsInput : Represents the request to set user settings. + /// - Parameter input: Represents the request to set user settings. (Type: `SetUserSettingsInput`) /// - /// - Returns: `SetUserSettingsOutput` : The response from the server for a set user settings request. + /// - Returns: The response from the server for a set user settings request. (Type: `SetUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8172,7 +8072,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetUserSettingsOutput.httpOutput(from:), SetUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8207,9 +8106,9 @@ extension CognitoIdentityProviderClient { /// /// Registers a user with an app client and requests a user name, password, and user attributes in the user pool. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with [Amazon Pinpoint](https://console.aws.amazon.com/pinpoint/home/). Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in. If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In [sandbox mode](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see [ SMS message settings for Amazon Cognito user pools](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-sms-settings.html) in the Amazon Cognito Developer Guide. You might receive a LimitExceeded exception in response to this request if you have exceeded a rate quota for email or SMS messages, and if your user pool automatically verifies email addresses or phone numbers. When you get this exception in the response, the user is successfully created and is in an UNCONFIRMED state. /// - /// - Parameter SignUpInput : Represents the request to register a user. + /// - Parameter input: Represents the request to register a user. (Type: `SignUpInput`) /// - /// - Returns: `SignUpOutput` : The response from the server for a registration request. + /// - Returns: The response from the server for a registration request. (Type: `SignUpOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8254,7 +8153,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SignUpOutput.httpOutput(from:), SignUpOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8289,9 +8187,9 @@ extension CognitoIdentityProviderClient { /// /// Instructs your user pool to start importing users from a CSV file that contains their usernames and attributes. For more information about importing users from a CSV file, see [Importing users from a CSV file](https://docs.aws.amazon.com/cognito/latest/developerguide/cognito-user-pools-using-import-tool.html). /// - /// - Parameter StartUserImportJobInput : Represents the request to start the user import job. + /// - Parameter input: Represents the request to start the user import job. (Type: `StartUserImportJobInput`) /// - /// - Returns: `StartUserImportJobOutput` : Represents the response from the server to the request to start the user import job. + /// - Returns: Represents the response from the server to the request to start the user import job. (Type: `StartUserImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8328,7 +8226,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartUserImportJobOutput.httpOutput(from:), StartUserImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8363,9 +8260,9 @@ extension CognitoIdentityProviderClient { /// /// Requests credential creation options from your user pool for the currently signed-in user. Returns information about the user pool, the user profile, and authentication requirements. Users must provide this information in their request to enroll your application with their passkey provider. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. /// - /// - Parameter StartWebAuthnRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartWebAuthnRegistrationInput`) /// - /// - Returns: `StartWebAuthnRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartWebAuthnRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8402,7 +8299,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartWebAuthnRegistrationOutput.httpOutput(from:), StartWebAuthnRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8437,9 +8333,9 @@ extension CognitoIdentityProviderClient { /// /// Instructs your user pool to stop a running job that's importing users from a CSV file that contains their usernames and attributes. For more information about importing users from a CSV file, see [Importing users from a CSV file](https://docs.aws.amazon.com/cognito/latest/developerguide/cognito-user-pools-using-import-tool.html). /// - /// - Parameter StopUserImportJobInput : Represents the request to stop the user import job. + /// - Parameter input: Represents the request to stop the user import job. (Type: `StopUserImportJobInput`) /// - /// - Returns: `StopUserImportJobOutput` : Represents the response from the server to the request to stop the user import job. + /// - Returns: Represents the response from the server to the request to stop the user import job. (Type: `StopUserImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8476,7 +8372,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopUserImportJobOutput.httpOutput(from:), StopUserImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8511,9 +8406,9 @@ extension CognitoIdentityProviderClient { /// /// Assigns a set of tags to an Amazon Cognito user pool. A tag is a label that you can use to categorize and manage user pools in different ways, such as by purpose, owner, environment, or other criteria. Each tag consists of a key and value, both of which you define. A key is a general category for more specific values. For example, if you have two versions of a user pool, one for testing and another for production, you might assign an Environment tag key to both user pools. The value of this key might be Test for one user pool, and Production for the other. Tags are useful for cost tracking and access control. You can activate your tags so that they appear on the Billing and Cost Management console, where you can track the costs associated with your user pools. In an Identity and Access Management policy, you can constrain permissions for user pools based on specific tags or tag values. You can use this action up to 5 times per second, per account. A user pool can have as many as 50 tags. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8549,7 +8444,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8584,9 +8478,9 @@ extension CognitoIdentityProviderClient { /// /// Given tag IDs that you previously assigned to a user pool, removes them. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8622,7 +8516,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8657,9 +8550,9 @@ extension CognitoIdentityProviderClient { /// /// Provides the feedback for an authentication event generated by threat protection features. The user's response indicates that you think that the event either was from a valid user or was an unwanted authentication attempt. This feedback improves the risk evaluation decision for the user pool as part of Amazon Cognito threat protection. To activate this setting, your user pool must be on the [ Plus tier](https://docs.aws.amazon.com/cognito/latest/developerguide/feature-plans-features-plus.html). This operation requires a FeedbackToken that Amazon Cognito generates and adds to notification emails when users have potentially suspicious authentication events. Users invoke this operation when they select the link that corresponds to {one-click-link-valid} or {one-click-link-invalid} in your notification template. Because FeedbackToken is a required parameter, you can't make requests to UpdateAuthEventFeedback without the contents of the notification email message. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter UpdateAuthEventFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAuthEventFeedbackInput`) /// - /// - Returns: `UpdateAuthEventFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAuthEventFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8695,7 +8588,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAuthEventFeedbackOutput.httpOutput(from:), UpdateAuthEventFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8730,9 +8622,9 @@ extension CognitoIdentityProviderClient { /// /// Updates the status of a the currently signed-in user's device so that it is marked as remembered or not remembered for the purpose of device authentication. Device authentication is a "remember me" mechanism that silently completes sign-in from trusted devices with a device key instead of a user-provided MFA code. This operation changes the status of a device without deleting it, so you can enable it again later. For more information about device authentication, see [Working with devices](https://docs.aws.amazon.com/cognito/latest/developerguide/amazon-cognito-user-pools-device-tracking.html). Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter UpdateDeviceStatusInput : Represents the request to update the device status. + /// - Parameter input: Represents the request to update the device status. (Type: `UpdateDeviceStatusInput`) /// - /// - Returns: `UpdateDeviceStatusOutput` : The response to the request to update the device status. + /// - Returns: The response to the request to update the device status. (Type: `UpdateDeviceStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8771,7 +8663,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeviceStatusOutput.httpOutput(from:), UpdateDeviceStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8810,9 +8701,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter UpdateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupInput`) /// - /// - Returns: `UpdateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8848,7 +8739,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupOutput.httpOutput(from:), UpdateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8887,9 +8777,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter UpdateIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIdentityProviderInput`) /// - /// - Returns: `UpdateIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8927,7 +8817,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIdentityProviderOutput.httpOutput(from:), UpdateIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8966,9 +8855,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter UpdateManagedLoginBrandingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateManagedLoginBrandingInput`) /// - /// - Returns: `UpdateManagedLoginBrandingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateManagedLoginBrandingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9005,7 +8894,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateManagedLoginBrandingOutput.httpOutput(from:), UpdateManagedLoginBrandingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9044,9 +8932,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter UpdateResourceServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceServerInput`) /// - /// - Returns: `UpdateResourceServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9082,7 +8970,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceServerOutput.httpOutput(from:), UpdateResourceServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9121,9 +9008,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter UpdateTermsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTermsInput`) /// - /// - Returns: `UpdateTermsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTermsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9161,7 +9048,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTermsOutput.httpOutput(from:), UpdateTermsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9196,9 +9082,9 @@ extension CognitoIdentityProviderClient { /// /// Updates the currently signed-in user's attributes. To delete an attribute from the user, submit the attribute in your API request with a blank value. For custom attributes, you must add a custom: prefix to the attribute name, for example custom:department. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with [Amazon Pinpoint](https://console.aws.amazon.com/pinpoint/home/). Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in. If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In [sandbox mode](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see [ SMS message settings for Amazon Cognito user pools](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pool-sms-settings.html) in the Amazon Cognito Developer Guide. /// - /// - Parameter UpdateUserAttributesInput : Represents the request to update user attributes. + /// - Parameter input: Represents the request to update user attributes. (Type: `UpdateUserAttributesInput`) /// - /// - Returns: `UpdateUserAttributesOutput` : Represents the response from the server for the request to update user attributes. + /// - Returns: Represents the response from the server for the request to update user attributes. (Type: `UpdateUserAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9246,7 +9132,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserAttributesOutput.httpOutput(from:), UpdateUserAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9285,9 +9170,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter UpdateUserPoolInput : Represents the request to update the user pool. + /// - Parameter input: Represents the request to update the user pool. (Type: `UpdateUserPoolInput`) /// - /// - Returns: `UpdateUserPoolOutput` : Represents the response from the server when you make a request to update the user pool. + /// - Returns: Represents the response from the server when you make a request to update the user pool. (Type: `UpdateUserPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9331,7 +9216,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserPoolOutput.httpOutput(from:), UpdateUserPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9370,9 +9254,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter UpdateUserPoolClientInput : Represents the request to update the user pool client. + /// - Parameter input: Represents the request to update the user pool client. (Type: `UpdateUserPoolClientInput`) /// - /// - Returns: `UpdateUserPoolClientOutput` : Represents the response from the server to the request to update the user pool client. + /// - Returns: Represents the response from the server to the request to update the user pool client. (Type: `UpdateUserPoolClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9412,7 +9296,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserPoolClientOutput.httpOutput(from:), UpdateUserPoolClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9451,9 +9334,9 @@ extension CognitoIdentityProviderClient { /// /// * [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html) /// - /// - Parameter UpdateUserPoolDomainInput : The UpdateUserPoolDomain request input. + /// - Parameter input: The UpdateUserPoolDomain request input. (Type: `UpdateUserPoolDomainInput`) /// - /// - Returns: `UpdateUserPoolDomainOutput` : The UpdateUserPoolDomain response output. + /// - Returns: The UpdateUserPoolDomain response output. (Type: `UpdateUserPoolDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9491,7 +9374,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserPoolDomainOutput.httpOutput(from:), UpdateUserPoolDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9526,9 +9408,9 @@ extension CognitoIdentityProviderClient { /// /// Registers the current user's time-based one-time password (TOTP) authenticator with a code generated in their authenticator app from a private key that's supplied by your user pool. Marks the user's software token MFA status as "verified" if successful. The request takes an access token or a session string, but not both. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter VerifySoftwareTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifySoftwareTokenInput`) /// - /// - Returns: `VerifySoftwareTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifySoftwareTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9570,7 +9452,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifySoftwareTokenOutput.httpOutput(from:), VerifySoftwareTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9605,9 +9486,9 @@ extension CognitoIdentityProviderClient { /// /// Submits a verification code for a signed-in user who has added or changed a value of an auto-verified attribute. When successful, the user's attribute becomes verified and the attribute email_verified or phone_number_verified becomes true. If your user pool requires verification before Amazon Cognito updates the attribute value, this operation updates the affected attribute to its pending value. Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin. Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see [Using the Amazon Cognito user pools API and user pool endpoints](https://docs.aws.amazon.com/cognito/latest/developerguide/user-pools-API-operations.html). /// - /// - Parameter VerifyUserAttributeInput : Represents the request to verify user attributes. + /// - Parameter input: Represents the request to verify user attributes. (Type: `VerifyUserAttributeInput`) /// - /// - Returns: `VerifyUserAttributeOutput` : A container representing the response from the server from the request to verify user attributes. + /// - Returns: A container representing the response from the server from the request to verify user attributes. (Type: `VerifyUserAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9649,7 +9530,6 @@ extension CognitoIdentityProviderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyUserAttributeOutput.httpOutput(from:), VerifyUserAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCognitoSync/Sources/AWSCognitoSync/CognitoSyncClient.swift b/Sources/Services/AWSCognitoSync/Sources/AWSCognitoSync/CognitoSyncClient.swift index 7efcbf04522..d0493066f2a 100644 --- a/Sources/Services/AWSCognitoSync/Sources/AWSCognitoSync/CognitoSyncClient.swift +++ b/Sources/Services/AWSCognitoSync/Sources/AWSCognitoSync/CognitoSyncClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CognitoSyncClient: ClientRuntime.Client { public static let clientName = "CognitoSyncClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CognitoSyncClient.CognitoSyncClientConfiguration let serviceName = "Cognito Sync" @@ -375,9 +374,9 @@ extension CognitoSyncClient { /// /// Initiates a bulk publish of all existing datasets for an Identity Pool to the configured stream. Customers are limited to one successful bulk publish per 24 hours. Bulk publish is an asynchronous request, customers can see the status of the request via the GetBulkPublishDetails operation.This API can only be called with developer credentials. You cannot call this API with the temporary user credentials provided by Cognito Identity. /// - /// - Parameter BulkPublishInput : The input for the BulkPublish operation. + /// - Parameter input: The input for the BulkPublish operation. (Type: `BulkPublishInput`) /// - /// - Returns: `BulkPublishOutput` : The output for the BulkPublish operation. + /// - Returns: The output for the BulkPublish operation. (Type: `BulkPublishOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BulkPublishOutput.httpOutput(from:), BulkPublishOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension CognitoSyncClient { /// /// Deletes the specific dataset. The dataset will be deleted permanently, and the action can't be undone. Datasets that this dataset was merged with will no longer report the merge. Any subsequent operation on this dataset will result in a ResourceNotFoundException. This API can be called with temporary user credentials provided by Cognito Identity or with developer credentials. /// - /// - Parameter DeleteDatasetInput : A request to delete the specific dataset. + /// - Parameter input: A request to delete the specific dataset. (Type: `DeleteDatasetInput`) /// - /// - Returns: `DeleteDatasetOutput` : Response to a successful DeleteDataset request. + /// - Returns: Response to a successful DeleteDataset request. (Type: `DeleteDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetOutput.httpOutput(from:), DeleteDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension CognitoSyncClient { /// /// Gets meta data about a dataset by identity and dataset name. With Amazon Cognito Sync, each identity has access only to its own data. Thus, the credentials used to make this API call need to have access to the identity data. This API can be called with temporary user credentials provided by Cognito Identity or with developer credentials. You should use Cognito Identity credentials to make this API call. /// - /// - Parameter DescribeDatasetInput : A request for meta data about a dataset (creation date, number of records, size) by owner and dataset name. + /// - Parameter input: A request for meta data about a dataset (creation date, number of records, size) by owner and dataset name. (Type: `DescribeDatasetInput`) /// - /// - Returns: `DescribeDatasetOutput` : Response to a successful DescribeDataset request. + /// - Returns: Response to a successful DescribeDataset request. (Type: `DescribeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -552,7 +549,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetOutput.httpOutput(from:), DescribeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -584,9 +580,9 @@ extension CognitoSyncClient { /// /// Gets usage details (for example, data storage) about a particular identity pool. This API can only be called with developer credentials. You cannot call this API with the temporary user credentials provided by Cognito Identity. DescribeIdentityPoolUsage The following examples have been edited for readability. POST / HTTP/1.1 CONTENT-TYPE: application/json X-AMZN-REQUESTID: 8dc0e749-c8cd-48bd-8520-da6be00d528b X-AMZ-TARGET: com.amazonaws.cognito.sync.model.AWSCognitoSyncService.DescribeIdentityPoolUsage HOST: cognito-sync.us-east-1.amazonaws.com:443 X-AMZ-DATE: 20141111T205737Z AUTHORIZATION: AWS4-HMAC-SHA256 Credential=, SignedHeaders=content-type;host;x-amz-date;x-amz-target;x-amzn-requestid, Signature= { "Operation": "com.amazonaws.cognito.sync.model#DescribeIdentityPoolUsage", "Service": "com.amazonaws.cognito.sync.model#AWSCognitoSyncService", "Input": { "IdentityPoolId": "IDENTITY_POOL_ID" } } 1.1 200 OK x-amzn-requestid: 8dc0e749-c8cd-48bd-8520-da6be00d528b content-type: application/json content-length: 271 date: Tue, 11 Nov 2014 20:57:37 GMT { "Output": { "__type": "com.amazonaws.cognito.sync.model#DescribeIdentityPoolUsageResponse", "IdentityPoolUsage": { "DataStorage": 0, "IdentityPoolId": "IDENTITY_POOL_ID", "LastModifiedDate": 1.413231134115E9, "SyncSessionsCount": null } }, "Version": "1.0" } /// - /// - Parameter DescribeIdentityPoolUsageInput : A request for usage information about the identity pool. + /// - Parameter input: A request for usage information about the identity pool. (Type: `DescribeIdentityPoolUsageInput`) /// - /// - Returns: `DescribeIdentityPoolUsageOutput` : Response to a successful DescribeIdentityPoolUsage request. + /// - Returns: Response to a successful DescribeIdentityPoolUsage request. (Type: `DescribeIdentityPoolUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -621,7 +617,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIdentityPoolUsageOutput.httpOutput(from:), DescribeIdentityPoolUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -653,9 +648,9 @@ extension CognitoSyncClient { /// /// Gets usage information for an identity, including number of datasets and data usage. This API can be called with temporary user credentials provided by Cognito Identity or with developer credentials. DescribeIdentityUsage The following examples have been edited for readability. POST / HTTP/1.1 CONTENT-TYPE: application/json X-AMZN-REQUESTID: 33f9b4e4-a177-4aad-a3bb-6edb7980b283 X-AMZ-TARGET: com.amazonaws.cognito.sync.model.AWSCognitoSyncService.DescribeIdentityUsage HOST: cognito-sync.us-east-1.amazonaws.com:443 X-AMZ-DATE: 20141111T215129Z AUTHORIZATION: AWS4-HMAC-SHA256 Credential=, SignedHeaders=content-type;host;x-amz-date;x-amz-target;x-amzn-requestid, Signature= { "Operation": "com.amazonaws.cognito.sync.model#DescribeIdentityUsage", "Service": "com.amazonaws.cognito.sync.model#AWSCognitoSyncService", "Input": { "IdentityPoolId": "IDENTITY_POOL_ID", "IdentityId": "IDENTITY_ID" } } 1.1 200 OK x-amzn-requestid: 33f9b4e4-a177-4aad-a3bb-6edb7980b283 content-type: application/json content-length: 318 date: Tue, 11 Nov 2014 21:51:29 GMT { "Output": { "__type": "com.amazonaws.cognito.sync.model#DescribeIdentityUsageResponse", "IdentityUsage": { "DataStorage": 16, "DatasetCount": 1, "IdentityId": "IDENTITY_ID", "IdentityPoolId": "IDENTITY_POOL_ID", "LastModifiedDate": 1.412974081336E9 } }, "Version": "1.0" } /// - /// - Parameter DescribeIdentityUsageInput : A request for information about the usage of an identity pool. + /// - Parameter input: A request for information about the usage of an identity pool. (Type: `DescribeIdentityUsageInput`) /// - /// - Returns: `DescribeIdentityUsageOutput` : The response to a successful DescribeIdentityUsage request. + /// - Returns: The response to a successful DescribeIdentityUsage request. (Type: `DescribeIdentityUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -690,7 +685,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIdentityUsageOutput.httpOutput(from:), DescribeIdentityUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension CognitoSyncClient { /// /// Get the status of the last BulkPublish operation for an identity pool.This API can only be called with developer credentials. You cannot call this API with the temporary user credentials provided by Cognito Identity. /// - /// - Parameter GetBulkPublishDetailsInput : The input for the GetBulkPublishDetails operation. + /// - Parameter input: The input for the GetBulkPublishDetails operation. (Type: `GetBulkPublishDetailsInput`) /// - /// - Returns: `GetBulkPublishDetailsOutput` : The output for the GetBulkPublishDetails operation. + /// - Returns: The output for the GetBulkPublishDetails operation. (Type: `GetBulkPublishDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -758,7 +752,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBulkPublishDetailsOutput.httpOutput(from:), GetBulkPublishDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -790,9 +783,9 @@ extension CognitoSyncClient { /// /// Gets the events and the corresponding Lambda functions associated with an identity pool.This API can only be called with developer credentials. You cannot call this API with the temporary user credentials provided by Cognito Identity. /// - /// - Parameter GetCognitoEventsInput : A request for a list of the configured Cognito Events + /// - Parameter input: A request for a list of the configured Cognito Events (Type: `GetCognitoEventsInput`) /// - /// - Returns: `GetCognitoEventsOutput` : The response from the GetCognitoEvents request + /// - Returns: The response from the GetCognitoEvents request (Type: `GetCognitoEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -827,7 +820,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCognitoEventsOutput.httpOutput(from:), GetCognitoEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -859,9 +851,9 @@ extension CognitoSyncClient { /// /// Gets the configuration settings of an identity pool.This API can only be called with developer credentials. You cannot call this API with the temporary user credentials provided by Cognito Identity. GetIdentityPoolConfiguration The following examples have been edited for readability. POST / HTTP/1.1 CONTENT-TYPE: application/json X-AMZN-REQUESTID: b1cfdd4b-f620-4fe4-be0f-02024a1d33da X-AMZ-TARGET: com.amazonaws.cognito.sync.model.AWSCognitoSyncService.GetIdentityPoolConfiguration HOST: cognito-sync.us-east-1.amazonaws.com X-AMZ-DATE: 20141004T195722Z AUTHORIZATION: AWS4-HMAC-SHA256 Credential=, SignedHeaders=content-type;content-length;host;x-amz-date;x-amz-target, Signature= { "Operation": "com.amazonaws.cognito.sync.model#GetIdentityPoolConfiguration", "Service": "com.amazonaws.cognito.sync.model#AWSCognitoSyncService", "Input": { "IdentityPoolId": "ID_POOL_ID" } } 1.1 200 OK x-amzn-requestid: b1cfdd4b-f620-4fe4-be0f-02024a1d33da date: Sat, 04 Oct 2014 19:57:22 GMT content-type: application/json content-length: 332 { "Output": { "__type": "com.amazonaws.cognito.sync.model#GetIdentityPoolConfigurationResponse", "IdentityPoolId": "ID_POOL_ID", "PushSync": { "ApplicationArns": ["PLATFORMARN1", "PLATFORMARN2"], "RoleArn": "ROLEARN" } }, "Version": "1.0" } /// - /// - Parameter GetIdentityPoolConfigurationInput : The input for the GetIdentityPoolConfiguration operation. + /// - Parameter input: The input for the GetIdentityPoolConfiguration operation. (Type: `GetIdentityPoolConfigurationInput`) /// - /// - Returns: `GetIdentityPoolConfigurationOutput` : The output for the GetIdentityPoolConfiguration operation. + /// - Returns: The output for the GetIdentityPoolConfiguration operation. (Type: `GetIdentityPoolConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -896,7 +888,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentityPoolConfigurationOutput.httpOutput(from:), GetIdentityPoolConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -928,9 +919,9 @@ extension CognitoSyncClient { /// /// Lists datasets for an identity. With Amazon Cognito Sync, each identity has access only to its own data. Thus, the credentials used to make this API call need to have access to the identity data. ListDatasets can be called with temporary user credentials provided by Cognito Identity or with developer credentials. You should use the Cognito Identity credentials to make this API call. ListDatasets The following examples have been edited for readability. POST / HTTP/1.1 CONTENT-TYPE: application/json X-AMZN-REQUESTID: 15225768-209f-4078-aaed-7494ace9f2db X-AMZ-TARGET: com.amazonaws.cognito.sync.model.AWSCognitoSyncService.ListDatasets HOST: cognito-sync.us-east-1.amazonaws.com:443 X-AMZ-DATE: 20141111T215640Z AUTHORIZATION: AWS4-HMAC-SHA256 Credential=, SignedHeaders=content-type;host;x-amz-date;x-amz-target;x-amzn-requestid, Signature= { "Operation": "com.amazonaws.cognito.sync.model#ListDatasets", "Service": "com.amazonaws.cognito.sync.model#AWSCognitoSyncService", "Input": { "IdentityPoolId": "IDENTITY_POOL_ID", "IdentityId": "IDENTITY_ID", "MaxResults": "3" } } 1.1 200 OK x-amzn-requestid: 15225768-209f-4078-aaed-7494ace9f2db, 15225768-209f-4078-aaed-7494ace9f2db content-type: application/json content-length: 355 date: Tue, 11 Nov 2014 21:56:40 GMT { "Output": { "__type": "com.amazonaws.cognito.sync.model#ListDatasetsResponse", "Count": 1, "Datasets": [ { "CreationDate": 1.412974057151E9, "DataStorage": 16, "DatasetName": "my_list", "IdentityId": "IDENTITY_ID", "LastModifiedBy": "123456789012", "LastModifiedDate": 1.412974057244E9, "NumRecords": 1 }], "NextToken": null }, "Version": "1.0" } /// - /// - Parameter ListDatasetsInput : Request for a list of datasets for an identity. + /// - Parameter input: Request for a list of datasets for an identity. (Type: `ListDatasetsInput`) /// - /// - Returns: `ListDatasetsOutput` : Returned for a successful ListDatasets request. + /// - Returns: Returned for a successful ListDatasets request. (Type: `ListDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -965,7 +956,6 @@ extension CognitoSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDatasetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetsOutput.httpOutput(from:), ListDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -997,9 +987,9 @@ extension CognitoSyncClient { /// /// Gets a list of identity pools registered with Cognito. ListIdentityPoolUsage can only be called with developer credentials. You cannot make this API call with the temporary user credentials provided by Cognito Identity. ListIdentityPoolUsage The following examples have been edited for readability. POST / HTTP/1.1 CONTENT-TYPE: application/json X-AMZN-REQUESTID: 9be7c425-ef05-48c0-aef3-9f0ff2fe17d3 X-AMZ-TARGET: com.amazonaws.cognito.sync.model.AWSCognitoSyncService.ListIdentityPoolUsage HOST: cognito-sync.us-east-1.amazonaws.com:443 X-AMZ-DATE: 20141111T211414Z AUTHORIZATION: AWS4-HMAC-SHA256 Credential=, SignedHeaders=content-type;host;x-amz-date;x-amz-target;x-amzn-requestid, Signature= { "Operation": "com.amazonaws.cognito.sync.model#ListIdentityPoolUsage", "Service": "com.amazonaws.cognito.sync.model#AWSCognitoSyncService", "Input": { "MaxResults": "2" } } 1.1 200 OK x-amzn-requestid: 9be7c425-ef05-48c0-aef3-9f0ff2fe17d3 content-type: application/json content-length: 519 date: Tue, 11 Nov 2014 21:14:14 GMT { "Output": { "__type": "com.amazonaws.cognito.sync.model#ListIdentityPoolUsageResponse", "Count": 2, "IdentityPoolUsages": [ { "DataStorage": 0, "IdentityPoolId": "IDENTITY_POOL_ID", "LastModifiedDate": 1.413836234607E9, "SyncSessionsCount": null }, { "DataStorage": 0, "IdentityPoolId": "IDENTITY_POOL_ID", "LastModifiedDate": 1.410892165601E9, "SyncSessionsCount": null }], "MaxResults": 2, "NextToken": "dXMtZWFzdC0xOjBjMWJhMDUyLWUwOTgtNDFmYS1hNzZlLWVhYTJjMTI1Zjg2MQ==" }, "Version": "1.0" } /// - /// - Parameter ListIdentityPoolUsageInput : A request for usage information on an identity pool. + /// - Parameter input: A request for usage information on an identity pool. (Type: `ListIdentityPoolUsageInput`) /// - /// - Returns: `ListIdentityPoolUsageOutput` : Returned for a successful ListIdentityPoolUsage request. + /// - Returns: Returned for a successful ListIdentityPoolUsage request. (Type: `ListIdentityPoolUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1034,7 +1024,6 @@ extension CognitoSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdentityPoolUsageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentityPoolUsageOutput.httpOutput(from:), ListIdentityPoolUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1066,9 +1055,9 @@ extension CognitoSyncClient { /// /// Gets paginated records, optionally changed after a particular sync count for a dataset and identity. With Amazon Cognito Sync, each identity has access only to its own data. Thus, the credentials used to make this API call need to have access to the identity data. ListRecords can be called with temporary user credentials provided by Cognito Identity or with developer credentials. You should use Cognito Identity credentials to make this API call. ListRecords The following examples have been edited for readability. POST / HTTP/1.1 CONTENT-TYPE: application/json X-AMZN-REQUESTID: b3d2e31e-d6b7-4612-8e84-c9ba288dab5d X-AMZ-TARGET: com.amazonaws.cognito.sync.model.AWSCognitoSyncService.ListRecords HOST: cognito-sync.us-east-1.amazonaws.com:443 X-AMZ-DATE: 20141111T183230Z AUTHORIZATION: AWS4-HMAC-SHA256 Credential=, SignedHeaders=content-type;host;x-amz-date;x-amz-target;x-amzn-requestid, Signature= { "Operation": "com.amazonaws.cognito.sync.model#ListRecords", "Service": "com.amazonaws.cognito.sync.model#AWSCognitoSyncService", "Input": { "IdentityPoolId": "IDENTITY_POOL_ID", "IdentityId": "IDENTITY_ID", "DatasetName": "newDataSet" } } 1.1 200 OK x-amzn-requestid: b3d2e31e-d6b7-4612-8e84-c9ba288dab5d content-type: application/json content-length: 623 date: Tue, 11 Nov 2014 18:32:30 GMT { "Output": { "__type": "com.amazonaws.cognito.sync.model#ListRecordsResponse", "Count": 0, "DatasetDeletedAfterRequestedSyncCount": false, "DatasetExists": false, "DatasetSyncCount": 0, "LastModifiedBy": null, "MergedDatasetNames": null, "NextToken": null, "Records": [], "SyncSessionToken": "SYNC_SESSION_TOKEN" }, "Version": "1.0" } /// - /// - Parameter ListRecordsInput : A request for a list of records. + /// - Parameter input: A request for a list of records. (Type: `ListRecordsInput`) /// - /// - Returns: `ListRecordsOutput` : Returned for a successful ListRecordsRequest. + /// - Returns: Returned for a successful ListRecordsRequest. (Type: `ListRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1103,7 +1092,6 @@ extension CognitoSyncClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecordsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecordsOutput.httpOutput(from:), ListRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1135,9 +1123,9 @@ extension CognitoSyncClient { /// /// Registers a device to receive push sync notifications.This API can only be called with temporary credentials provided by Cognito Identity. You cannot call this API with developer credentials. RegisterDevice The following examples have been edited for readability. POST / HTTP/1.1 CONTENT-TYPE: application/json X-AMZN-REQUESTID: 368f9200-3eca-449e-93b3-7b9c08d8e185 X-AMZ-TARGET: com.amazonaws.cognito.sync.model.AWSCognitoSyncService.RegisterDevice HOST: cognito-sync.us-east-1.amazonaws.com X-AMZ-DATE: 20141004T194643Z X-AMZ-SECURITY-TOKEN: AUTHORIZATION: AWS4-HMAC-SHA256 Credential=, SignedHeaders=content-type;content-length;host;x-amz-date;x-amz-target, Signature= { "Operation": "com.amazonaws.cognito.sync.model#RegisterDevice", "Service": "com.amazonaws.cognito.sync.model#AWSCognitoSyncService", "Input": { "IdentityPoolId": "ID_POOL_ID", "IdentityId": "IDENTITY_ID", "Platform": "GCM", "Token": "PUSH_TOKEN" } } 1.1 200 OK x-amzn-requestid: 368f9200-3eca-449e-93b3-7b9c08d8e185 date: Sat, 04 Oct 2014 19:46:44 GMT content-type: application/json content-length: 145 { "Output": { "__type": "com.amazonaws.cognito.sync.model#RegisterDeviceResponse", "DeviceId": "5cd28fbe-dd83-47ab-9f83-19093a5fb014" }, "Version": "1.0" } /// - /// - Parameter RegisterDeviceInput : A request to RegisterDevice. + /// - Parameter input: A request to RegisterDevice. (Type: `RegisterDeviceInput`) /// - /// - Returns: `RegisterDeviceOutput` : Response to a RegisterDevice request. + /// - Returns: Response to a RegisterDevice request. (Type: `RegisterDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1176,7 +1164,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterDeviceOutput.httpOutput(from:), RegisterDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1208,9 +1195,9 @@ extension CognitoSyncClient { /// /// Sets the AWS Lambda function for a given event type for an identity pool. This request only updates the key/value pair specified. Other key/values pairs are not updated. To remove a key value pair, pass a empty value for the particular key.This API can only be called with developer credentials. You cannot call this API with the temporary user credentials provided by Cognito Identity. /// - /// - Parameter SetCognitoEventsInput : A request to configure Cognito Events"" + /// - Parameter input: A request to configure Cognito Events"" (Type: `SetCognitoEventsInput`) /// - /// - Returns: `SetCognitoEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetCognitoEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1248,7 +1235,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetCognitoEventsOutput.httpOutput(from:), SetCognitoEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1280,9 +1266,9 @@ extension CognitoSyncClient { /// /// Sets the necessary configuration for push sync.This API can only be called with developer credentials. You cannot call this API with the temporary user credentials provided by Cognito Identity. SetIdentityPoolConfiguration The following examples have been edited for readability. POST / HTTP/1.1 CONTENT-TYPE: application/json X-AMZN-REQUESTID: a46db021-f5dd-45d6-af5b-7069fa4a211b X-AMZ-TARGET: com.amazonaws.cognito.sync.model.AWSCognitoSyncService.SetIdentityPoolConfiguration HOST: cognito-sync.us-east-1.amazonaws.com X-AMZ-DATE: 20141004T200006Z AUTHORIZATION: AWS4-HMAC-SHA256 Credential=, SignedHeaders=content-type;content-length;host;x-amz-date;x-amz-target, Signature= { "Operation": "com.amazonaws.cognito.sync.model#SetIdentityPoolConfiguration", "Service": "com.amazonaws.cognito.sync.model#AWSCognitoSyncService", "Input": { "IdentityPoolId": "ID_POOL_ID", "PushSync": { "ApplicationArns": ["PLATFORMARN1", "PLATFORMARN2"], "RoleArn": "ROLEARN" } } } 1.1 200 OK x-amzn-requestid: a46db021-f5dd-45d6-af5b-7069fa4a211b date: Sat, 04 Oct 2014 20:00:06 GMT content-type: application/json content-length: 332 { "Output": { "__type": "com.amazonaws.cognito.sync.model#SetIdentityPoolConfigurationResponse", "IdentityPoolId": "ID_POOL_ID", "PushSync": { "ApplicationArns": ["PLATFORMARN1", "PLATFORMARN2"], "RoleArn": "ROLEARN" } }, "Version": "1.0" } /// - /// - Parameter SetIdentityPoolConfigurationInput : The input for the SetIdentityPoolConfiguration operation. + /// - Parameter input: The input for the SetIdentityPoolConfiguration operation. (Type: `SetIdentityPoolConfigurationInput`) /// - /// - Returns: `SetIdentityPoolConfigurationOutput` : The output for the SetIdentityPoolConfiguration operation + /// - Returns: The output for the SetIdentityPoolConfiguration operation (Type: `SetIdentityPoolConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1321,7 +1307,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetIdentityPoolConfigurationOutput.httpOutput(from:), SetIdentityPoolConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1353,9 +1338,9 @@ extension CognitoSyncClient { /// /// Subscribes to receive notifications when a dataset is modified by another device.This API can only be called with temporary credentials provided by Cognito Identity. You cannot call this API with developer credentials. SubscribeToDataset The following examples have been edited for readability. POST / HTTP/1.1 CONTENT-TYPE: application/json X-AMZN-REQUESTID: 8b9932b7-201d-4418-a960-0a470e11de9f X-AMZ-TARGET: com.amazonaws.cognito.sync.model.AWSCognitoSyncService.SubscribeToDataset HOST: cognito-sync.us-east-1.amazonaws.com X-AMZ-DATE: 20141004T195350Z X-AMZ-SECURITY-TOKEN: AUTHORIZATION: AWS4-HMAC-SHA256 Credential=, SignedHeaders=content-type;content-length;host;x-amz-date;x-amz-target, Signature= { "Operation": "com.amazonaws.cognito.sync.model#SubscribeToDataset", "Service": "com.amazonaws.cognito.sync.model#AWSCognitoSyncService", "Input": { "IdentityPoolId": "ID_POOL_ID", "IdentityId": "IDENTITY_ID", "DatasetName": "Rufus", "DeviceId": "5cd28fbe-dd83-47ab-9f83-19093a5fb014" } } 1.1 200 OK x-amzn-requestid: 8b9932b7-201d-4418-a960-0a470e11de9f date: Sat, 04 Oct 2014 19:53:50 GMT content-type: application/json content-length: 99 { "Output": { "__type": "com.amazonaws.cognito.sync.model#SubscribeToDatasetResponse" }, "Version": "1.0" } /// - /// - Parameter SubscribeToDatasetInput : A request to SubscribeToDatasetRequest. + /// - Parameter input: A request to SubscribeToDatasetRequest. (Type: `SubscribeToDatasetInput`) /// - /// - Returns: `SubscribeToDatasetOutput` : Response to a SubscribeToDataset request. + /// - Returns: Response to a SubscribeToDataset request. (Type: `SubscribeToDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1391,7 +1376,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubscribeToDatasetOutput.httpOutput(from:), SubscribeToDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1423,9 +1407,9 @@ extension CognitoSyncClient { /// /// Unsubscribes from receiving notifications when a dataset is modified by another device.This API can only be called with temporary credentials provided by Cognito Identity. You cannot call this API with developer credentials. UnsubscribeFromDataset The following examples have been edited for readability. POST / HTTP/1.1 CONTENT-TYPE: application/json X-AMZ-REQUESTSUPERTRACE: true X-AMZN-REQUESTID: 676896d6-14ca-45b1-8029-6d36b10a077e X-AMZ-TARGET: com.amazonaws.cognito.sync.model.AWSCognitoSyncService.UnsubscribeFromDataset HOST: cognito-sync.us-east-1.amazonaws.com X-AMZ-DATE: 20141004T195446Z X-AMZ-SECURITY-TOKEN: AUTHORIZATION: AWS4-HMAC-SHA256 Credential=, SignedHeaders=content-type;content-length;host;x-amz-date;x-amz-target, Signature= { "Operation": "com.amazonaws.cognito.sync.model#UnsubscribeFromDataset", "Service": "com.amazonaws.cognito.sync.model#AWSCognitoSyncService", "Input": { "IdentityPoolId": "ID_POOL_ID", "IdentityId": "IDENTITY_ID", "DatasetName": "Rufus", "DeviceId": "5cd28fbe-dd83-47ab-9f83-19093a5fb014" } } 1.1 200 OK x-amzn-requestid: 676896d6-14ca-45b1-8029-6d36b10a077e date: Sat, 04 Oct 2014 19:54:46 GMT content-type: application/json content-length: 103 { "Output": { "__type": "com.amazonaws.cognito.sync.model#UnsubscribeFromDatasetResponse" }, "Version": "1.0" } /// - /// - Parameter UnsubscribeFromDatasetInput : A request to UnsubscribeFromDataset. + /// - Parameter input: A request to UnsubscribeFromDataset. (Type: `UnsubscribeFromDatasetInput`) /// - /// - Returns: `UnsubscribeFromDatasetOutput` : Response to an UnsubscribeFromDataset request. + /// - Returns: Response to an UnsubscribeFromDataset request. (Type: `UnsubscribeFromDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1461,7 +1445,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnsubscribeFromDatasetOutput.httpOutput(from:), UnsubscribeFromDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1493,9 +1476,9 @@ extension CognitoSyncClient { /// /// Posts updates to records and adds and deletes records for a dataset and user. The sync count in the record patch is your last known sync count for that record. The server will reject an UpdateRecords request with a ResourceConflictException if you try to patch a record with a new value but a stale sync count.For example, if the sync count on the server is 5 for a key called highScore and you try and submit a new highScore with sync count of 4, the request will be rejected. To obtain the current sync count for a record, call ListRecords. On a successful update of the record, the response returns the new sync count for that record. You should present that sync count the next time you try to update that same record. When the record does not exist, specify the sync count as 0. This API can be called with temporary user credentials provided by Cognito Identity or with developer credentials. /// - /// - Parameter UpdateRecordsInput : A request to post updates to records or add and delete records for a dataset and user. + /// - Parameter input: A request to post updates to records or add and delete records for a dataset and user. (Type: `UpdateRecordsInput`) /// - /// - Returns: `UpdateRecordsOutput` : Returned for a successful UpdateRecordsRequest. + /// - Returns: Returned for a successful UpdateRecordsRequest. (Type: `UpdateRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1538,7 +1521,6 @@ extension CognitoSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRecordsOutput.httpOutput(from:), UpdateRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSComprehend/Sources/AWSComprehend/ComprehendClient.swift b/Sources/Services/AWSComprehend/Sources/AWSComprehend/ComprehendClient.swift index ed4724c2586..c3e5c9371f4 100644 --- a/Sources/Services/AWSComprehend/Sources/AWSComprehend/ComprehendClient.swift +++ b/Sources/Services/AWSComprehend/Sources/AWSComprehend/ComprehendClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ComprehendClient: ClientRuntime.Client { public static let clientName = "ComprehendClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ComprehendClient.ComprehendClientConfiguration let serviceName = "Comprehend" @@ -375,9 +374,9 @@ extension ComprehendClient { /// /// Determines the dominant language of the input text for a batch of documents. For a list of languages that Amazon Comprehend can detect, see [Amazon Comprehend Supported Languages](https://docs.aws.amazon.com/comprehend/latest/dg/how-languages.html). /// - /// - Parameter BatchDetectDominantLanguageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDetectDominantLanguageInput`) /// - /// - Returns: `BatchDetectDominantLanguageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDetectDominantLanguageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDetectDominantLanguageOutput.httpOutput(from:), BatchDetectDominantLanguageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension ComprehendClient { /// /// Inspects the text of a batch of documents for named entities and returns information about them. For more information about named entities, see [Entities](https://docs.aws.amazon.com/comprehend/latest/dg/how-entities.html) in the Comprehend Developer Guide. /// - /// - Parameter BatchDetectEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDetectEntitiesInput`) /// - /// - Returns: `BatchDetectEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDetectEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDetectEntitiesOutput.httpOutput(from:), BatchDetectEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension ComprehendClient { /// /// Detects the key noun phrases found in a batch of documents. /// - /// - Parameter BatchDetectKeyPhrasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDetectKeyPhrasesInput`) /// - /// - Returns: `BatchDetectKeyPhrasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDetectKeyPhrasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDetectKeyPhrasesOutput.httpOutput(from:), BatchDetectKeyPhrasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension ComprehendClient { /// /// Inspects a batch of documents and returns an inference of the prevailing sentiment, POSITIVE, NEUTRAL, MIXED, or NEGATIVE, in each one. /// - /// - Parameter BatchDetectSentimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDetectSentimentInput`) /// - /// - Returns: `BatchDetectSentimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDetectSentimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDetectSentimentOutput.httpOutput(from:), BatchDetectSentimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension ComprehendClient { /// /// Inspects the text of a batch of documents for the syntax and part of speech of the words in the document and returns information about them. For more information, see [Syntax](https://docs.aws.amazon.com/comprehend/latest/dg/how-syntax.html) in the Comprehend Developer Guide. /// - /// - Parameter BatchDetectSyntaxInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDetectSyntaxInput`) /// - /// - Returns: `BatchDetectSyntaxOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDetectSyntaxOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDetectSyntaxOutput.httpOutput(from:), BatchDetectSyntaxOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,9 +733,9 @@ extension ComprehendClient { /// /// Inspects a batch of documents and returns a sentiment analysis for each entity identified in the documents. For more information about targeted sentiment, see [Targeted sentiment](https://docs.aws.amazon.com/comprehend/latest/dg/how-targeted-sentiment.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter BatchDetectTargetedSentimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDetectTargetedSentimentInput`) /// - /// - Returns: `BatchDetectTargetedSentimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDetectTargetedSentimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDetectTargetedSentimentOutput.httpOutput(from:), BatchDetectTargetedSentimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -819,9 +812,9 @@ extension ComprehendClient { /// /// If the system detects errors while processing a page in the input document, the API response includes an Errors field that describes the errors. If the system detects a document-level error in your input document, the API returns an InvalidRequestException error response. For details about this exception, see [ Errors in semi-structured documents](https://docs.aws.amazon.com/comprehend/latest/dg/idp-inputs-sync-err.html) in the Comprehend Developer Guide. /// - /// - Parameter ClassifyDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ClassifyDocumentInput`) /// - /// - Returns: `ClassifyDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ClassifyDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -856,7 +849,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ClassifyDocumentOutput.httpOutput(from:), ClassifyDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -891,9 +883,9 @@ extension ComprehendClient { /// /// Analyzes input text for the presence of personally identifiable information (PII) and returns the labels of identified PII entity types such as name, address, bank account number, or phone number. /// - /// - Parameter ContainsPiiEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ContainsPiiEntitiesInput`) /// - /// - Returns: `ContainsPiiEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ContainsPiiEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -928,7 +920,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ContainsPiiEntitiesOutput.httpOutput(from:), ContainsPiiEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -963,9 +954,9 @@ extension ComprehendClient { /// /// Creates a dataset to upload training or test data for a model associated with a flywheel. For more information about datasets, see [ Flywheel overview](https://docs.aws.amazon.com/comprehend/latest/dg/flywheels-about.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter CreateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetInput`) /// - /// - Returns: `CreateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1004,7 +995,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetOutput.httpOutput(from:), CreateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1039,9 +1029,9 @@ extension ComprehendClient { /// /// Creates a new document classifier that you can use to categorize documents. To create a classifier, you provide a set of training documents that are labeled with the categories that you want to use. For more information, see [Training classifier models](https://docs.aws.amazon.com/comprehend/latest/dg/training-classifier-model.html) in the Comprehend Developer Guide. /// - /// - Parameter CreateDocumentClassifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDocumentClassifierInput`) /// - /// - Returns: `CreateDocumentClassifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDocumentClassifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1081,7 +1071,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDocumentClassifierOutput.httpOutput(from:), CreateDocumentClassifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1116,9 +1105,9 @@ extension ComprehendClient { /// /// Creates a model-specific endpoint for synchronous inference for a previously trained custom model For information about endpoints, see [Managing endpoints](https://docs.aws.amazon.com/comprehend/latest/dg/manage-endpoints.html). /// - /// - Parameter CreateEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEndpointInput`) /// - /// - Returns: `CreateEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1158,7 +1147,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEndpointOutput.httpOutput(from:), CreateEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1193,9 +1181,9 @@ extension ComprehendClient { /// /// Creates an entity recognizer using submitted files. After your CreateEntityRecognizer request is submitted, you can check job status using the DescribeEntityRecognizer API. /// - /// - Parameter CreateEntityRecognizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEntityRecognizerInput`) /// - /// - Returns: `CreateEntityRecognizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEntityRecognizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1235,7 +1223,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEntityRecognizerOutput.httpOutput(from:), CreateEntityRecognizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1270,9 +1257,9 @@ extension ComprehendClient { /// /// A flywheel is an Amazon Web Services resource that orchestrates the ongoing training of a model for custom classification or custom entity recognition. You can create a flywheel to start with an existing trained model, or Comprehend can create and train a new model. When you create the flywheel, Comprehend creates a data lake in your account. The data lake holds the training data and test data for all versions of the model. To use a flywheel with an existing trained model, you specify the active model version. Comprehend copies the model's training data and test data into the flywheel's data lake. To use the flywheel with a new model, you need to provide a dataset for training data (and optional test data) when you create the flywheel. For more information about flywheels, see [ Flywheel overview](https://docs.aws.amazon.com/comprehend/latest/dg/flywheels-about.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter CreateFlywheelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFlywheelInput`) /// - /// - Returns: `CreateFlywheelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFlywheelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1314,7 +1301,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFlywheelOutput.httpOutput(from:), CreateFlywheelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1349,9 +1335,9 @@ extension ComprehendClient { /// /// Deletes a previously created document classifier Only those classifiers that are in terminated states (IN_ERROR, TRAINED) will be deleted. If an active inference job is using the model, a ResourceInUseException will be returned. This is an asynchronous action that puts the classifier into a DELETING state, and it is then removed by a background job. Once removed, the classifier disappears from your account and is no longer available for use. /// - /// - Parameter DeleteDocumentClassifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDocumentClassifierInput`) /// - /// - Returns: `DeleteDocumentClassifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDocumentClassifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1388,7 +1374,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDocumentClassifierOutput.httpOutput(from:), DeleteDocumentClassifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1423,9 +1408,9 @@ extension ComprehendClient { /// /// Deletes a model-specific endpoint for a previously-trained custom model. All endpoints must be deleted in order for the model to be deleted. For information about endpoints, see [Managing endpoints](https://docs.aws.amazon.com/comprehend/latest/dg/manage-endpoints.html). /// - /// - Parameter DeleteEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEndpointInput`) /// - /// - Returns: `DeleteEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1461,7 +1446,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointOutput.httpOutput(from:), DeleteEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1480,9 @@ extension ComprehendClient { /// /// Deletes an entity recognizer. Only those recognizers that are in terminated states (IN_ERROR, TRAINED) will be deleted. If an active inference job is using the model, a ResourceInUseException will be returned. This is an asynchronous action that puts the recognizer into a DELETING state, and it is then removed by a background job. Once removed, the recognizer disappears from your account and is no longer available for use. /// - /// - Parameter DeleteEntityRecognizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEntityRecognizerInput`) /// - /// - Returns: `DeleteEntityRecognizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEntityRecognizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1535,7 +1519,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEntityRecognizerOutput.httpOutput(from:), DeleteEntityRecognizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1570,9 +1553,9 @@ extension ComprehendClient { /// /// Deletes a flywheel. When you delete the flywheel, Amazon Comprehend does not delete the data lake or the model associated with the flywheel. For more information about flywheels, see [ Flywheel overview](https://docs.aws.amazon.com/comprehend/latest/dg/flywheels-about.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter DeleteFlywheelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFlywheelInput`) /// - /// - Returns: `DeleteFlywheelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFlywheelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1609,7 +1592,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFlywheelOutput.httpOutput(from:), DeleteFlywheelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1644,9 +1626,9 @@ extension ComprehendClient { /// /// Deletes a resource-based policy that is attached to a custom model. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1680,7 +1662,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1715,9 +1696,9 @@ extension ComprehendClient { /// /// Returns information about the dataset that you specify. For more information about datasets, see [ Flywheel overview](https://docs.aws.amazon.com/comprehend/latest/dg/flywheels-about.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter DescribeDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetInput`) /// - /// - Returns: `DescribeDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1752,7 +1733,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetOutput.httpOutput(from:), DescribeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1787,9 +1767,9 @@ extension ComprehendClient { /// /// Gets the properties associated with a document classification job. Use this operation to get the status of a classification job. /// - /// - Parameter DescribeDocumentClassificationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDocumentClassificationJobInput`) /// - /// - Returns: `DescribeDocumentClassificationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDocumentClassificationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1824,7 +1804,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDocumentClassificationJobOutput.httpOutput(from:), DescribeDocumentClassificationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1859,9 +1838,9 @@ extension ComprehendClient { /// /// Gets the properties associated with a document classifier. /// - /// - Parameter DescribeDocumentClassifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDocumentClassifierInput`) /// - /// - Returns: `DescribeDocumentClassifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDocumentClassifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1896,7 +1875,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDocumentClassifierOutput.httpOutput(from:), DescribeDocumentClassifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1931,9 +1909,9 @@ extension ComprehendClient { /// /// Gets the properties associated with a dominant language detection job. Use this operation to get the status of a detection job. /// - /// - Parameter DescribeDominantLanguageDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDominantLanguageDetectionJobInput`) /// - /// - Returns: `DescribeDominantLanguageDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDominantLanguageDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1968,7 +1946,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDominantLanguageDetectionJobOutput.httpOutput(from:), DescribeDominantLanguageDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2003,9 +1980,9 @@ extension ComprehendClient { /// /// Gets the properties associated with a specific endpoint. Use this operation to get the status of an endpoint. For information about endpoints, see [Managing endpoints](https://docs.aws.amazon.com/comprehend/latest/dg/manage-endpoints.html). /// - /// - Parameter DescribeEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointInput`) /// - /// - Returns: `DescribeEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2040,7 +2017,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointOutput.httpOutput(from:), DescribeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2075,9 +2051,9 @@ extension ComprehendClient { /// /// Gets the properties associated with an entities detection job. Use this operation to get the status of a detection job. /// - /// - Parameter DescribeEntitiesDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEntitiesDetectionJobInput`) /// - /// - Returns: `DescribeEntitiesDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEntitiesDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2112,7 +2088,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEntitiesDetectionJobOutput.httpOutput(from:), DescribeEntitiesDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2147,9 +2122,9 @@ extension ComprehendClient { /// /// Provides details about an entity recognizer including status, S3 buckets containing training data, recognizer metadata, metrics, and so on. /// - /// - Parameter DescribeEntityRecognizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEntityRecognizerInput`) /// - /// - Returns: `DescribeEntityRecognizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEntityRecognizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2184,7 +2159,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEntityRecognizerOutput.httpOutput(from:), DescribeEntityRecognizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2219,9 +2193,9 @@ extension ComprehendClient { /// /// Gets the status and details of an events detection job. /// - /// - Parameter DescribeEventsDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventsDetectionJobInput`) /// - /// - Returns: `DescribeEventsDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventsDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2256,7 +2230,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsDetectionJobOutput.httpOutput(from:), DescribeEventsDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2291,9 +2264,9 @@ extension ComprehendClient { /// /// Provides configuration information about the flywheel. For more information about flywheels, see [ Flywheel overview](https://docs.aws.amazon.com/comprehend/latest/dg/flywheels-about.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter DescribeFlywheelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFlywheelInput`) /// - /// - Returns: `DescribeFlywheelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFlywheelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2328,7 +2301,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFlywheelOutput.httpOutput(from:), DescribeFlywheelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2363,9 +2335,9 @@ extension ComprehendClient { /// /// Retrieve the configuration properties of a flywheel iteration. For more information about flywheels, see [ Flywheel overview](https://docs.aws.amazon.com/comprehend/latest/dg/flywheels-about.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter DescribeFlywheelIterationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFlywheelIterationInput`) /// - /// - Returns: `DescribeFlywheelIterationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFlywheelIterationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2400,7 +2372,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFlywheelIterationOutput.httpOutput(from:), DescribeFlywheelIterationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2435,9 +2406,9 @@ extension ComprehendClient { /// /// Gets the properties associated with a key phrases detection job. Use this operation to get the status of a detection job. /// - /// - Parameter DescribeKeyPhrasesDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeKeyPhrasesDetectionJobInput`) /// - /// - Returns: `DescribeKeyPhrasesDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeKeyPhrasesDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2472,7 +2443,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeKeyPhrasesDetectionJobOutput.httpOutput(from:), DescribeKeyPhrasesDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2507,9 +2477,9 @@ extension ComprehendClient { /// /// Gets the properties associated with a PII entities detection job. For example, you can use this operation to get the job status. /// - /// - Parameter DescribePiiEntitiesDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePiiEntitiesDetectionJobInput`) /// - /// - Returns: `DescribePiiEntitiesDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePiiEntitiesDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2544,7 +2514,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePiiEntitiesDetectionJobOutput.httpOutput(from:), DescribePiiEntitiesDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2579,9 +2548,9 @@ extension ComprehendClient { /// /// Gets the details of a resource-based policy that is attached to a custom model, including the JSON body of the policy. /// - /// - Parameter DescribeResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourcePolicyInput`) /// - /// - Returns: `DescribeResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2615,7 +2584,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourcePolicyOutput.httpOutput(from:), DescribeResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2650,9 +2618,9 @@ extension ComprehendClient { /// /// Gets the properties associated with a sentiment detection job. Use this operation to get the status of a detection job. /// - /// - Parameter DescribeSentimentDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSentimentDetectionJobInput`) /// - /// - Returns: `DescribeSentimentDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSentimentDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2687,7 +2655,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSentimentDetectionJobOutput.httpOutput(from:), DescribeSentimentDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2722,9 +2689,9 @@ extension ComprehendClient { /// /// Gets the properties associated with a targeted sentiment detection job. Use this operation to get the status of the job. /// - /// - Parameter DescribeTargetedSentimentDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTargetedSentimentDetectionJobInput`) /// - /// - Returns: `DescribeTargetedSentimentDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTargetedSentimentDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2759,7 +2726,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTargetedSentimentDetectionJobOutput.httpOutput(from:), DescribeTargetedSentimentDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2794,9 +2760,9 @@ extension ComprehendClient { /// /// Gets the properties associated with a topic detection job. Use this operation to get the status of a detection job. /// - /// - Parameter DescribeTopicsDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTopicsDetectionJobInput`) /// - /// - Returns: `DescribeTopicsDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTopicsDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2831,7 +2797,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTopicsDetectionJobOutput.httpOutput(from:), DescribeTopicsDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2866,9 +2831,9 @@ extension ComprehendClient { /// /// Determines the dominant language of the input text. For a list of languages that Amazon Comprehend can detect, see [Amazon Comprehend Supported Languages](https://docs.aws.amazon.com/comprehend/latest/dg/how-languages.html). /// - /// - Parameter DetectDominantLanguageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectDominantLanguageInput`) /// - /// - Returns: `DetectDominantLanguageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectDominantLanguageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2902,7 +2867,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectDominantLanguageOutput.httpOutput(from:), DetectDominantLanguageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2937,9 +2901,9 @@ extension ComprehendClient { /// /// Detects named entities in input text when you use the pre-trained model. Detects custom entities if you have a custom entity recognition model. When detecting named entities using the pre-trained model, use plain text as the input. For more information about named entities, see [Entities](https://docs.aws.amazon.com/comprehend/latest/dg/how-entities.html) in the Comprehend Developer Guide. When you use a custom entity recognition model, you can input plain text or you can upload a single-page input document (text, PDF, Word, or image). If the system detects errors while processing a page in the input document, the API response includes an entry in Errors for each error. If the system detects a document-level error in your input document, the API returns an InvalidRequestException error response. For details about this exception, see [ Errors in semi-structured documents](https://docs.aws.amazon.com/comprehend/latest/dg/idp-inputs-sync-err.html) in the Comprehend Developer Guide. /// - /// - Parameter DetectEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectEntitiesInput`) /// - /// - Returns: `DetectEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2975,7 +2939,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectEntitiesOutput.httpOutput(from:), DetectEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3010,9 +2973,9 @@ extension ComprehendClient { /// /// Detects the key noun phrases found in the text. /// - /// - Parameter DetectKeyPhrasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectKeyPhrasesInput`) /// - /// - Returns: `DetectKeyPhrasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectKeyPhrasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3047,7 +3010,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectKeyPhrasesOutput.httpOutput(from:), DetectKeyPhrasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3082,9 +3044,9 @@ extension ComprehendClient { /// /// Inspects the input text for entities that contain personally identifiable information (PII) and returns information about them. /// - /// - Parameter DetectPiiEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectPiiEntitiesInput`) /// - /// - Returns: `DetectPiiEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectPiiEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3119,7 +3081,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectPiiEntitiesOutput.httpOutput(from:), DetectPiiEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3154,9 +3115,9 @@ extension ComprehendClient { /// /// Inspects text and returns an inference of the prevailing sentiment (POSITIVE, NEUTRAL, MIXED, or NEGATIVE). /// - /// - Parameter DetectSentimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectSentimentInput`) /// - /// - Returns: `DetectSentimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectSentimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3191,7 +3152,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectSentimentOutput.httpOutput(from:), DetectSentimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3226,9 +3186,9 @@ extension ComprehendClient { /// /// Inspects text for syntax and the part of speech of words in the document. For more information, see [Syntax](https://docs.aws.amazon.com/comprehend/latest/dg/how-syntax.html) in the Comprehend Developer Guide. /// - /// - Parameter DetectSyntaxInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectSyntaxInput`) /// - /// - Returns: `DetectSyntaxOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectSyntaxOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3263,7 +3223,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectSyntaxOutput.httpOutput(from:), DetectSyntaxOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3298,9 +3257,9 @@ extension ComprehendClient { /// /// Inspects the input text and returns a sentiment analysis for each entity identified in the text. For more information about targeted sentiment, see [Targeted sentiment](https://docs.aws.amazon.com/comprehend/latest/dg/how-targeted-sentiment.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter DetectTargetedSentimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectTargetedSentimentInput`) /// - /// - Returns: `DetectTargetedSentimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectTargetedSentimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3335,7 +3294,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectTargetedSentimentOutput.httpOutput(from:), DetectTargetedSentimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3370,9 +3328,9 @@ extension ComprehendClient { /// /// Performs toxicity analysis on the list of text strings that you provide as input. The API response contains a results list that matches the size of the input list. For more information about toxicity detection, see [Toxicity detection](https://docs.aws.amazon.com/comprehend/latest/dg/toxicity-detection.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter DetectToxicContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectToxicContentInput`) /// - /// - Returns: `DetectToxicContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectToxicContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3407,7 +3365,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectToxicContentOutput.httpOutput(from:), DetectToxicContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3442,9 +3399,9 @@ extension ComprehendClient { /// /// Creates a new custom model that replicates a source custom model that you import. The source model can be in your Amazon Web Services account or another one. If the source model is in another Amazon Web Services account, then it must have a resource-based policy that authorizes you to import it. The source model must be in the same Amazon Web Services Region that you're using when you import. You can't import a model that's in a different Region. /// - /// - Parameter ImportModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportModelInput`) /// - /// - Returns: `ImportModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3484,7 +3441,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportModelOutput.httpOutput(from:), ImportModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3519,9 +3475,9 @@ extension ComprehendClient { /// /// List the datasets that you have configured in this Region. For more information about datasets, see [ Flywheel overview](https://docs.aws.amazon.com/comprehend/latest/dg/flywheels-about.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter ListDatasetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetsInput`) /// - /// - Returns: `ListDatasetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3557,7 +3513,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetsOutput.httpOutput(from:), ListDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3592,9 +3547,9 @@ extension ComprehendClient { /// /// Gets a list of the documentation classification jobs that you have submitted. /// - /// - Parameter ListDocumentClassificationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDocumentClassificationJobsInput`) /// - /// - Returns: `ListDocumentClassificationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDocumentClassificationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3629,7 +3584,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDocumentClassificationJobsOutput.httpOutput(from:), ListDocumentClassificationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3664,9 +3618,9 @@ extension ComprehendClient { /// /// Gets a list of summaries of the document classifiers that you have created /// - /// - Parameter ListDocumentClassifierSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDocumentClassifierSummariesInput`) /// - /// - Returns: `ListDocumentClassifierSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDocumentClassifierSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3700,7 +3654,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDocumentClassifierSummariesOutput.httpOutput(from:), ListDocumentClassifierSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3735,9 +3688,9 @@ extension ComprehendClient { /// /// Gets a list of the document classifiers that you have created. /// - /// - Parameter ListDocumentClassifiersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDocumentClassifiersInput`) /// - /// - Returns: `ListDocumentClassifiersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDocumentClassifiersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3772,7 +3725,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDocumentClassifiersOutput.httpOutput(from:), ListDocumentClassifiersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3807,9 +3759,9 @@ extension ComprehendClient { /// /// Gets a list of the dominant language detection jobs that you have submitted. /// - /// - Parameter ListDominantLanguageDetectionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDominantLanguageDetectionJobsInput`) /// - /// - Returns: `ListDominantLanguageDetectionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDominantLanguageDetectionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3844,7 +3796,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDominantLanguageDetectionJobsOutput.httpOutput(from:), ListDominantLanguageDetectionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3879,9 +3830,9 @@ extension ComprehendClient { /// /// Gets a list of all existing endpoints that you've created. For information about endpoints, see [Managing endpoints](https://docs.aws.amazon.com/comprehend/latest/dg/manage-endpoints.html). /// - /// - Parameter ListEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEndpointsInput`) /// - /// - Returns: `ListEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3915,7 +3866,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEndpointsOutput.httpOutput(from:), ListEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3950,9 +3900,9 @@ extension ComprehendClient { /// /// Gets a list of the entity detection jobs that you have submitted. /// - /// - Parameter ListEntitiesDetectionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntitiesDetectionJobsInput`) /// - /// - Returns: `ListEntitiesDetectionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntitiesDetectionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3987,7 +3937,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntitiesDetectionJobsOutput.httpOutput(from:), ListEntitiesDetectionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4022,9 +3971,9 @@ extension ComprehendClient { /// /// Gets a list of summaries for the entity recognizers that you have created. /// - /// - Parameter ListEntityRecognizerSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntityRecognizerSummariesInput`) /// - /// - Returns: `ListEntityRecognizerSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntityRecognizerSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4058,7 +4007,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntityRecognizerSummariesOutput.httpOutput(from:), ListEntityRecognizerSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4093,9 +4041,9 @@ extension ComprehendClient { /// /// Gets a list of the properties of all entity recognizers that you created, including recognizers currently in training. Allows you to filter the list of recognizers based on criteria such as status and submission time. This call returns up to 500 entity recognizers in the list, with a default number of 100 recognizers in the list. The results of this list are not in any particular order. Please get the list and sort locally if needed. /// - /// - Parameter ListEntityRecognizersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntityRecognizersInput`) /// - /// - Returns: `ListEntityRecognizersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntityRecognizersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4130,7 +4078,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntityRecognizersOutput.httpOutput(from:), ListEntityRecognizersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4165,9 +4112,9 @@ extension ComprehendClient { /// /// Gets a list of the events detection jobs that you have submitted. /// - /// - Parameter ListEventsDetectionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventsDetectionJobsInput`) /// - /// - Returns: `ListEventsDetectionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventsDetectionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4202,7 +4149,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventsDetectionJobsOutput.httpOutput(from:), ListEventsDetectionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4237,9 +4183,9 @@ extension ComprehendClient { /// /// Information about the history of a flywheel iteration. For more information about flywheels, see [ Flywheel overview](https://docs.aws.amazon.com/comprehend/latest/dg/flywheels-about.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter ListFlywheelIterationHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlywheelIterationHistoryInput`) /// - /// - Returns: `ListFlywheelIterationHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlywheelIterationHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4275,7 +4221,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlywheelIterationHistoryOutput.httpOutput(from:), ListFlywheelIterationHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4310,9 +4255,9 @@ extension ComprehendClient { /// /// Gets a list of the flywheels that you have created. /// - /// - Parameter ListFlywheelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlywheelsInput`) /// - /// - Returns: `ListFlywheelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlywheelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4347,7 +4292,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlywheelsOutput.httpOutput(from:), ListFlywheelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4382,9 +4326,9 @@ extension ComprehendClient { /// /// Get a list of key phrase detection jobs that you have submitted. /// - /// - Parameter ListKeyPhrasesDetectionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeyPhrasesDetectionJobsInput`) /// - /// - Returns: `ListKeyPhrasesDetectionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeyPhrasesDetectionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4419,7 +4363,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeyPhrasesDetectionJobsOutput.httpOutput(from:), ListKeyPhrasesDetectionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4454,9 +4397,9 @@ extension ComprehendClient { /// /// Gets a list of the PII entity detection jobs that you have submitted. /// - /// - Parameter ListPiiEntitiesDetectionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPiiEntitiesDetectionJobsInput`) /// - /// - Returns: `ListPiiEntitiesDetectionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPiiEntitiesDetectionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4491,7 +4434,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPiiEntitiesDetectionJobsOutput.httpOutput(from:), ListPiiEntitiesDetectionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4526,9 +4468,9 @@ extension ComprehendClient { /// /// Gets a list of sentiment detection jobs that you have submitted. /// - /// - Parameter ListSentimentDetectionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSentimentDetectionJobsInput`) /// - /// - Returns: `ListSentimentDetectionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSentimentDetectionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4563,7 +4505,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSentimentDetectionJobsOutput.httpOutput(from:), ListSentimentDetectionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4598,9 +4539,9 @@ extension ComprehendClient { /// /// Lists all tags associated with a given Amazon Comprehend resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4634,7 +4575,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4669,9 +4609,9 @@ extension ComprehendClient { /// /// Gets a list of targeted sentiment detection jobs that you have submitted. /// - /// - Parameter ListTargetedSentimentDetectionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetedSentimentDetectionJobsInput`) /// - /// - Returns: `ListTargetedSentimentDetectionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetedSentimentDetectionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4706,7 +4646,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetedSentimentDetectionJobsOutput.httpOutput(from:), ListTargetedSentimentDetectionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4741,9 +4680,9 @@ extension ComprehendClient { /// /// Gets a list of the topic detection jobs that you have submitted. /// - /// - Parameter ListTopicsDetectionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTopicsDetectionJobsInput`) /// - /// - Returns: `ListTopicsDetectionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTopicsDetectionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4778,7 +4717,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTopicsDetectionJobsOutput.httpOutput(from:), ListTopicsDetectionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4813,9 +4751,9 @@ extension ComprehendClient { /// /// Attaches a resource-based policy to a custom model. You can use this policy to authorize an entity in another Amazon Web Services account to import the custom model, which replicates it in Amazon Comprehend in their account. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4849,7 +4787,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4884,9 +4821,9 @@ extension ComprehendClient { /// /// Starts an asynchronous document classification job using a custom classification model. Use the DescribeDocumentClassificationJob operation to track the progress of the job. /// - /// - Parameter StartDocumentClassificationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDocumentClassificationJobInput`) /// - /// - Returns: `StartDocumentClassificationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDocumentClassificationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4926,7 +4863,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDocumentClassificationJobOutput.httpOutput(from:), StartDocumentClassificationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4961,9 +4897,9 @@ extension ComprehendClient { /// /// Starts an asynchronous dominant language detection job for a collection of documents. Use the operation to track the status of a job. /// - /// - Parameter StartDominantLanguageDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDominantLanguageDetectionJobInput`) /// - /// - Returns: `StartDominantLanguageDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDominantLanguageDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5001,7 +4937,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDominantLanguageDetectionJobOutput.httpOutput(from:), StartDominantLanguageDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5036,9 +4971,9 @@ extension ComprehendClient { /// /// Starts an asynchronous entity detection job for a collection of documents. Use the operation to track the status of a job. This API can be used for either standard entity detection or custom entity recognition. In order to be used for custom entity recognition, the optional EntityRecognizerArn must be used in order to provide access to the recognizer being used to detect the custom entity. /// - /// - Parameter StartEntitiesDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEntitiesDetectionJobInput`) /// - /// - Returns: `StartEntitiesDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEntitiesDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5078,7 +5013,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEntitiesDetectionJobOutput.httpOutput(from:), StartEntitiesDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5113,9 +5047,9 @@ extension ComprehendClient { /// /// Starts an asynchronous event detection job for a collection of documents. /// - /// - Parameter StartEventsDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEventsDetectionJobInput`) /// - /// - Returns: `StartEventsDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEventsDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5153,7 +5087,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEventsDetectionJobOutput.httpOutput(from:), StartEventsDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5188,9 +5121,9 @@ extension ComprehendClient { /// /// Start the flywheel iteration.This operation uses any new datasets to train a new model version. For more information about flywheels, see [ Flywheel overview](https://docs.aws.amazon.com/comprehend/latest/dg/flywheels-about.html) in the Amazon Comprehend Developer Guide. /// - /// - Parameter StartFlywheelIterationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFlywheelIterationInput`) /// - /// - Returns: `StartFlywheelIterationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFlywheelIterationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5226,7 +5159,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFlywheelIterationOutput.httpOutput(from:), StartFlywheelIterationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5261,9 +5193,9 @@ extension ComprehendClient { /// /// Starts an asynchronous key phrase detection job for a collection of documents. Use the operation to track the status of a job. /// - /// - Parameter StartKeyPhrasesDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartKeyPhrasesDetectionJobInput`) /// - /// - Returns: `StartKeyPhrasesDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartKeyPhrasesDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5301,7 +5233,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartKeyPhrasesDetectionJobOutput.httpOutput(from:), StartKeyPhrasesDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5336,9 +5267,9 @@ extension ComprehendClient { /// /// Starts an asynchronous PII entity detection job for a collection of documents. /// - /// - Parameter StartPiiEntitiesDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPiiEntitiesDetectionJobInput`) /// - /// - Returns: `StartPiiEntitiesDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPiiEntitiesDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5376,7 +5307,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPiiEntitiesDetectionJobOutput.httpOutput(from:), StartPiiEntitiesDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5411,9 +5341,9 @@ extension ComprehendClient { /// /// Starts an asynchronous sentiment detection job for a collection of documents. Use the operation to track the status of a job. /// - /// - Parameter StartSentimentDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSentimentDetectionJobInput`) /// - /// - Returns: `StartSentimentDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSentimentDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5451,7 +5381,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSentimentDetectionJobOutput.httpOutput(from:), StartSentimentDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5486,9 +5415,9 @@ extension ComprehendClient { /// /// Starts an asynchronous targeted sentiment detection job for a collection of documents. Use the DescribeTargetedSentimentDetectionJob operation to track the status of a job. /// - /// - Parameter StartTargetedSentimentDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTargetedSentimentDetectionJobInput`) /// - /// - Returns: `StartTargetedSentimentDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTargetedSentimentDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5526,7 +5455,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTargetedSentimentDetectionJobOutput.httpOutput(from:), StartTargetedSentimentDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5561,9 +5489,9 @@ extension ComprehendClient { /// /// Starts an asynchronous topic detection job. Use the DescribeTopicDetectionJob operation to track the status of a job. /// - /// - Parameter StartTopicsDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTopicsDetectionJobInput`) /// - /// - Returns: `StartTopicsDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTopicsDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5601,7 +5529,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTopicsDetectionJobOutput.httpOutput(from:), StartTopicsDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5636,9 +5563,9 @@ extension ComprehendClient { /// /// Stops a dominant language detection job in progress. If the job state is IN_PROGRESS the job is marked for termination and put into the STOP_REQUESTED state. If the job completes before it can be stopped, it is put into the COMPLETED state; otherwise the job is stopped and put into the STOPPED state. If the job is in the COMPLETED or FAILED state when you call the StopDominantLanguageDetectionJob operation, the operation returns a 400 Internal Request Exception. When a job is stopped, any documents already processed are written to the output location. /// - /// - Parameter StopDominantLanguageDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDominantLanguageDetectionJobInput`) /// - /// - Returns: `StopDominantLanguageDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDominantLanguageDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5672,7 +5599,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDominantLanguageDetectionJobOutput.httpOutput(from:), StopDominantLanguageDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5707,9 +5633,9 @@ extension ComprehendClient { /// /// Stops an entities detection job in progress. If the job state is IN_PROGRESS the job is marked for termination and put into the STOP_REQUESTED state. If the job completes before it can be stopped, it is put into the COMPLETED state; otherwise the job is stopped and put into the STOPPED state. If the job is in the COMPLETED or FAILED state when you call the StopDominantLanguageDetectionJob operation, the operation returns a 400 Internal Request Exception. When a job is stopped, any documents already processed are written to the output location. /// - /// - Parameter StopEntitiesDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopEntitiesDetectionJobInput`) /// - /// - Returns: `StopEntitiesDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopEntitiesDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5743,7 +5669,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopEntitiesDetectionJobOutput.httpOutput(from:), StopEntitiesDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5778,9 +5703,9 @@ extension ComprehendClient { /// /// Stops an events detection job in progress. /// - /// - Parameter StopEventsDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopEventsDetectionJobInput`) /// - /// - Returns: `StopEventsDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopEventsDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5814,7 +5739,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopEventsDetectionJobOutput.httpOutput(from:), StopEventsDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5849,9 +5773,9 @@ extension ComprehendClient { /// /// Stops a key phrases detection job in progress. If the job state is IN_PROGRESS the job is marked for termination and put into the STOP_REQUESTED state. If the job completes before it can be stopped, it is put into the COMPLETED state; otherwise the job is stopped and put into the STOPPED state. If the job is in the COMPLETED or FAILED state when you call the StopDominantLanguageDetectionJob operation, the operation returns a 400 Internal Request Exception. When a job is stopped, any documents already processed are written to the output location. /// - /// - Parameter StopKeyPhrasesDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopKeyPhrasesDetectionJobInput`) /// - /// - Returns: `StopKeyPhrasesDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopKeyPhrasesDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5885,7 +5809,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopKeyPhrasesDetectionJobOutput.httpOutput(from:), StopKeyPhrasesDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5920,9 +5843,9 @@ extension ComprehendClient { /// /// Stops a PII entities detection job in progress. /// - /// - Parameter StopPiiEntitiesDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopPiiEntitiesDetectionJobInput`) /// - /// - Returns: `StopPiiEntitiesDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopPiiEntitiesDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5956,7 +5879,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopPiiEntitiesDetectionJobOutput.httpOutput(from:), StopPiiEntitiesDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5991,9 +5913,9 @@ extension ComprehendClient { /// /// Stops a sentiment detection job in progress. If the job state is IN_PROGRESS, the job is marked for termination and put into the STOP_REQUESTED state. If the job completes before it can be stopped, it is put into the COMPLETED state; otherwise the job is be stopped and put into the STOPPED state. If the job is in the COMPLETED or FAILED state when you call the StopDominantLanguageDetectionJob operation, the operation returns a 400 Internal Request Exception. When a job is stopped, any documents already processed are written to the output location. /// - /// - Parameter StopSentimentDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSentimentDetectionJobInput`) /// - /// - Returns: `StopSentimentDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSentimentDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6027,7 +5949,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSentimentDetectionJobOutput.httpOutput(from:), StopSentimentDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6062,9 +5983,9 @@ extension ComprehendClient { /// /// Stops a targeted sentiment detection job in progress. If the job state is IN_PROGRESS, the job is marked for termination and put into the STOP_REQUESTED state. If the job completes before it can be stopped, it is put into the COMPLETED state; otherwise the job is be stopped and put into the STOPPED state. If the job is in the COMPLETED or FAILED state when you call the StopDominantLanguageDetectionJob operation, the operation returns a 400 Internal Request Exception. When a job is stopped, any documents already processed are written to the output location. /// - /// - Parameter StopTargetedSentimentDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopTargetedSentimentDetectionJobInput`) /// - /// - Returns: `StopTargetedSentimentDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopTargetedSentimentDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6098,7 +6019,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopTargetedSentimentDetectionJobOutput.httpOutput(from:), StopTargetedSentimentDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6133,9 +6053,9 @@ extension ComprehendClient { /// /// Stops a document classifier training job while in progress. If the training job state is TRAINING, the job is marked for termination and put into the STOP_REQUESTED state. If the training job completes before it can be stopped, it is put into the TRAINED; otherwise the training job is stopped and put into the STOPPED state and the service sends back an HTTP 200 response with an empty HTTP body. /// - /// - Parameter StopTrainingDocumentClassifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopTrainingDocumentClassifierInput`) /// - /// - Returns: `StopTrainingDocumentClassifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopTrainingDocumentClassifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6170,7 +6090,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopTrainingDocumentClassifierOutput.httpOutput(from:), StopTrainingDocumentClassifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6205,9 +6124,9 @@ extension ComprehendClient { /// /// Stops an entity recognizer training job while in progress. If the training job state is TRAINING, the job is marked for termination and put into the STOP_REQUESTED state. If the training job completes before it can be stopped, it is put into the TRAINED; otherwise the training job is stopped and putted into the STOPPED state and the service sends back an HTTP 200 response with an empty HTTP body. /// - /// - Parameter StopTrainingEntityRecognizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopTrainingEntityRecognizerInput`) /// - /// - Returns: `StopTrainingEntityRecognizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopTrainingEntityRecognizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6242,7 +6161,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopTrainingEntityRecognizerOutput.httpOutput(from:), StopTrainingEntityRecognizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6277,9 +6195,9 @@ extension ComprehendClient { /// /// Associates a specific tag with an Amazon Comprehend resource. A tag is a key-value pair that adds as a metadata to a resource used by Amazon Comprehend. For example, a tag with "Sales" as the key might be added to a resource to indicate its use by the sales department. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6315,7 +6233,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6350,9 +6267,9 @@ extension ComprehendClient { /// /// Removes a specific tag associated with an Amazon Comprehend resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6388,7 +6305,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6423,9 +6339,9 @@ extension ComprehendClient { /// /// Updates information about the specified endpoint. For information about endpoints, see [Managing endpoints](https://docs.aws.amazon.com/comprehend/latest/dg/manage-endpoints.html). /// - /// - Parameter UpdateEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEndpointInput`) /// - /// - Returns: `UpdateEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6463,7 +6379,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEndpointOutput.httpOutput(from:), UpdateEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6498,9 +6413,9 @@ extension ComprehendClient { /// /// Update the configuration information for an existing flywheel. /// - /// - Parameter UpdateFlywheelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFlywheelInput`) /// - /// - Returns: `UpdateFlywheelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFlywheelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6536,7 +6451,6 @@ extension ComprehendClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFlywheelOutput.httpOutput(from:), UpdateFlywheelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSComprehendMedical/Sources/AWSComprehendMedical/ComprehendMedicalClient.swift b/Sources/Services/AWSComprehendMedical/Sources/AWSComprehendMedical/ComprehendMedicalClient.swift index db77e89e6ba..291c11c811f 100644 --- a/Sources/Services/AWSComprehendMedical/Sources/AWSComprehendMedical/ComprehendMedicalClient.swift +++ b/Sources/Services/AWSComprehendMedical/Sources/AWSComprehendMedical/ComprehendMedicalClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ComprehendMedicalClient: ClientRuntime.Client { public static let clientName = "ComprehendMedicalClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ComprehendMedicalClient.ComprehendMedicalClientConfiguration let serviceName = "ComprehendMedical" @@ -374,9 +373,9 @@ extension ComprehendMedicalClient { /// /// Gets the properties associated with a medical entities detection job. Use this operation to get the status of a detection job. /// - /// - Parameter DescribeEntitiesDetectionV2JobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEntitiesDetectionV2JobInput`) /// - /// - Returns: `DescribeEntitiesDetectionV2JobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEntitiesDetectionV2JobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEntitiesDetectionV2JobOutput.httpOutput(from:), DescribeEntitiesDetectionV2JobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension ComprehendMedicalClient { /// /// Gets the properties associated with an InferICD10CM job. Use this operation to get the status of an inference job. /// - /// - Parameter DescribeICD10CMInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeICD10CMInferenceJobInput`) /// - /// - Returns: `DescribeICD10CMInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeICD10CMInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeICD10CMInferenceJobOutput.httpOutput(from:), DescribeICD10CMInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension ComprehendMedicalClient { /// /// Gets the properties associated with a protected health information (PHI) detection job. Use this operation to get the status of a detection job. /// - /// - Parameter DescribePHIDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePHIDetectionJobInput`) /// - /// - Returns: `DescribePHIDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePHIDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePHIDetectionJobOutput.httpOutput(from:), DescribePHIDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension ComprehendMedicalClient { /// /// Gets the properties associated with an InferRxNorm job. Use this operation to get the status of an inference job. /// - /// - Parameter DescribeRxNormInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRxNormInferenceJobInput`) /// - /// - Returns: `DescribeRxNormInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRxNormInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRxNormInferenceJobOutput.httpOutput(from:), DescribeRxNormInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension ComprehendMedicalClient { /// /// Gets the properties associated with an InferSNOMEDCT job. Use this operation to get the status of an inference job. /// - /// - Parameter DescribeSNOMEDCTInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSNOMEDCTInferenceJobInput`) /// - /// - Returns: `DescribeSNOMEDCTInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSNOMEDCTInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -699,7 +694,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSNOMEDCTInferenceJobOutput.httpOutput(from:), DescribeSNOMEDCTInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension ComprehendMedicalClient { /// The DetectEntities operation is deprecated. You should use the [DetectEntitiesV2] operation instead. Inspects the clinical text for a variety of medical entities and returns specific information about them such as entity category, location, and confidence score on that information. @available(*, deprecated, message: "This operation is deprecated, use DetectEntitiesV2 instead.") /// - /// - Parameter DetectEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectEntitiesInput`) /// - /// - Returns: `DetectEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectEntitiesOutput.httpOutput(from:), DetectEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension ComprehendMedicalClient { /// /// Inspects the clinical text for a variety of medical entities and returns specific information about them such as entity category, location, and confidence score on that information. Amazon Comprehend Medical only detects medical entities in English language texts. The DetectEntitiesV2 operation replaces the [DetectEntities] operation. This new action uses a different model for determining the entities in your medical text and changes the way that some entities are returned in the output. You should use the DetectEntitiesV2 operation in all new applications. The DetectEntitiesV2 operation returns the Acuity and Direction entities as attributes instead of types. /// - /// - Parameter DetectEntitiesV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectEntitiesV2Input`) /// - /// - Returns: `DetectEntitiesV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectEntitiesV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -848,7 +841,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectEntitiesV2Output.httpOutput(from:), DetectEntitiesV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -883,9 +875,9 @@ extension ComprehendMedicalClient { /// /// Inspects the clinical text for protected health information (PHI) entities and returns the entity category, location, and confidence score for each entity. Amazon Comprehend Medical only detects entities in English language texts. /// - /// - Parameter DetectPHIInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectPHIInput`) /// - /// - Returns: `DetectPHIOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectPHIOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -922,7 +914,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectPHIOutput.httpOutput(from:), DetectPHIOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension ComprehendMedicalClient { /// /// InferICD10CM detects medical conditions as entities listed in a patient record and links those entities to normalized concept identifiers in the ICD-10-CM knowledge base from the Centers for Disease Control. Amazon Comprehend Medical only detects medical entities in English language texts. /// - /// - Parameter InferICD10CMInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InferICD10CMInput`) /// - /// - Returns: `InferICD10CMOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InferICD10CMOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -996,7 +987,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InferICD10CMOutput.httpOutput(from:), InferICD10CMOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1031,9 +1021,9 @@ extension ComprehendMedicalClient { /// /// InferRxNorm detects medications as entities listed in a patient record and links to the normalized concept identifiers in the RxNorm database from the National Library of Medicine. Amazon Comprehend Medical only detects medical entities in English language texts. /// - /// - Parameter InferRxNormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InferRxNormInput`) /// - /// - Returns: `InferRxNormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InferRxNormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1070,7 +1060,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InferRxNormOutput.httpOutput(from:), InferRxNormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1105,9 +1094,9 @@ extension ComprehendMedicalClient { /// /// InferSNOMEDCT detects possible medical concepts as entities and links them to codes from the Systematized Nomenclature of Medicine, Clinical Terms (SNOMED-CT) ontology /// - /// - Parameter InferSNOMEDCTInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InferSNOMEDCTInput`) /// - /// - Returns: `InferSNOMEDCTOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InferSNOMEDCTOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1144,7 +1133,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InferSNOMEDCTOutput.httpOutput(from:), InferSNOMEDCTOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1179,9 +1167,9 @@ extension ComprehendMedicalClient { /// /// Gets a list of medical entity detection jobs that you have submitted. /// - /// - Parameter ListEntitiesDetectionV2JobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntitiesDetectionV2JobsInput`) /// - /// - Returns: `ListEntitiesDetectionV2JobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntitiesDetectionV2JobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1216,7 +1204,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntitiesDetectionV2JobsOutput.httpOutput(from:), ListEntitiesDetectionV2JobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1251,9 +1238,9 @@ extension ComprehendMedicalClient { /// /// Gets a list of InferICD10CM jobs that you have submitted. /// - /// - Parameter ListICD10CMInferenceJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListICD10CMInferenceJobsInput`) /// - /// - Returns: `ListICD10CMInferenceJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListICD10CMInferenceJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1288,7 +1275,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListICD10CMInferenceJobsOutput.httpOutput(from:), ListICD10CMInferenceJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1323,9 +1309,9 @@ extension ComprehendMedicalClient { /// /// Gets a list of protected health information (PHI) detection jobs you have submitted. /// - /// - Parameter ListPHIDetectionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPHIDetectionJobsInput`) /// - /// - Returns: `ListPHIDetectionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPHIDetectionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1360,7 +1346,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPHIDetectionJobsOutput.httpOutput(from:), ListPHIDetectionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1395,9 +1380,9 @@ extension ComprehendMedicalClient { /// /// Gets a list of InferRxNorm jobs that you have submitted. /// - /// - Parameter ListRxNormInferenceJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRxNormInferenceJobsInput`) /// - /// - Returns: `ListRxNormInferenceJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRxNormInferenceJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1432,7 +1417,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRxNormInferenceJobsOutput.httpOutput(from:), ListRxNormInferenceJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1467,9 +1451,9 @@ extension ComprehendMedicalClient { /// /// Gets a list of InferSNOMEDCT jobs a user has submitted. /// - /// - Parameter ListSNOMEDCTInferenceJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSNOMEDCTInferenceJobsInput`) /// - /// - Returns: `ListSNOMEDCTInferenceJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSNOMEDCTInferenceJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1504,7 +1488,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSNOMEDCTInferenceJobsOutput.httpOutput(from:), ListSNOMEDCTInferenceJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1539,9 +1522,9 @@ extension ComprehendMedicalClient { /// /// Starts an asynchronous medical entity detection job for a collection of documents. Use the DescribeEntitiesDetectionV2Job operation to track the status of a job. /// - /// - Parameter StartEntitiesDetectionV2JobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEntitiesDetectionV2JobInput`) /// - /// - Returns: `StartEntitiesDetectionV2JobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEntitiesDetectionV2JobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1577,7 +1560,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEntitiesDetectionV2JobOutput.httpOutput(from:), StartEntitiesDetectionV2JobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1612,9 +1594,9 @@ extension ComprehendMedicalClient { /// /// Starts an asynchronous job to detect medical conditions and link them to the ICD-10-CM ontology. Use the DescribeICD10CMInferenceJob operation to track the status of a job. /// - /// - Parameter StartICD10CMInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartICD10CMInferenceJobInput`) /// - /// - Returns: `StartICD10CMInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartICD10CMInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1650,7 +1632,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartICD10CMInferenceJobOutput.httpOutput(from:), StartICD10CMInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1685,9 +1666,9 @@ extension ComprehendMedicalClient { /// /// Starts an asynchronous job to detect protected health information (PHI). Use the DescribePHIDetectionJob operation to track the status of a job. /// - /// - Parameter StartPHIDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPHIDetectionJobInput`) /// - /// - Returns: `StartPHIDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPHIDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1723,7 +1704,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPHIDetectionJobOutput.httpOutput(from:), StartPHIDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1758,9 +1738,9 @@ extension ComprehendMedicalClient { /// /// Starts an asynchronous job to detect medication entities and link them to the RxNorm ontology. Use the DescribeRxNormInferenceJob operation to track the status of a job. /// - /// - Parameter StartRxNormInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRxNormInferenceJobInput`) /// - /// - Returns: `StartRxNormInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRxNormInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1796,7 +1776,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRxNormInferenceJobOutput.httpOutput(from:), StartRxNormInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1831,9 +1810,9 @@ extension ComprehendMedicalClient { /// /// Starts an asynchronous job to detect medical concepts and link them to the SNOMED-CT ontology. Use the DescribeSNOMEDCTInferenceJob operation to track the status of a job. /// - /// - Parameter StartSNOMEDCTInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSNOMEDCTInferenceJobInput`) /// - /// - Returns: `StartSNOMEDCTInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSNOMEDCTInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1869,7 +1848,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSNOMEDCTInferenceJobOutput.httpOutput(from:), StartSNOMEDCTInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1904,9 +1882,9 @@ extension ComprehendMedicalClient { /// /// Stops a medical entities detection job in progress. /// - /// - Parameter StopEntitiesDetectionV2JobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopEntitiesDetectionV2JobInput`) /// - /// - Returns: `StopEntitiesDetectionV2JobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopEntitiesDetectionV2JobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1940,7 +1918,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopEntitiesDetectionV2JobOutput.httpOutput(from:), StopEntitiesDetectionV2JobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1975,9 +1952,9 @@ extension ComprehendMedicalClient { /// /// Stops an InferICD10CM inference job in progress. /// - /// - Parameter StopICD10CMInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopICD10CMInferenceJobInput`) /// - /// - Returns: `StopICD10CMInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopICD10CMInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2011,7 +1988,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopICD10CMInferenceJobOutput.httpOutput(from:), StopICD10CMInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2046,9 +2022,9 @@ extension ComprehendMedicalClient { /// /// Stops a protected health information (PHI) detection job in progress. /// - /// - Parameter StopPHIDetectionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopPHIDetectionJobInput`) /// - /// - Returns: `StopPHIDetectionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopPHIDetectionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2082,7 +2058,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopPHIDetectionJobOutput.httpOutput(from:), StopPHIDetectionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2117,9 +2092,9 @@ extension ComprehendMedicalClient { /// /// Stops an InferRxNorm inference job in progress. /// - /// - Parameter StopRxNormInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopRxNormInferenceJobInput`) /// - /// - Returns: `StopRxNormInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopRxNormInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2153,7 +2128,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopRxNormInferenceJobOutput.httpOutput(from:), StopRxNormInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2188,9 +2162,9 @@ extension ComprehendMedicalClient { /// /// Stops an InferSNOMEDCT inference job in progress. /// - /// - Parameter StopSNOMEDCTInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSNOMEDCTInferenceJobInput`) /// - /// - Returns: `StopSNOMEDCTInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSNOMEDCTInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2225,7 +2199,6 @@ extension ComprehendMedicalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSNOMEDCTInferenceJobOutput.httpOutput(from:), StopSNOMEDCTInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSComputeOptimizer/Sources/AWSComputeOptimizer/ComputeOptimizerClient.swift b/Sources/Services/AWSComputeOptimizer/Sources/AWSComputeOptimizer/ComputeOptimizerClient.swift index bf73cbeaa39..73a7ddca9f3 100644 --- a/Sources/Services/AWSComputeOptimizer/Sources/AWSComputeOptimizer/ComputeOptimizerClient.swift +++ b/Sources/Services/AWSComputeOptimizer/Sources/AWSComputeOptimizer/ComputeOptimizerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ComputeOptimizerClient: ClientRuntime.Client { public static let clientName = "ComputeOptimizerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ComputeOptimizerClient.ComputeOptimizerClientConfiguration let serviceName = "Compute Optimizer" @@ -374,9 +373,9 @@ extension ComputeOptimizerClient { /// /// Deletes a recommendation preference, such as enhanced infrastructure metrics. For more information, see [Activating enhanced infrastructure metrics](https://docs.aws.amazon.com/compute-optimizer/latest/ug/enhanced-infrastructure-metrics.html) in the Compute Optimizer User Guide. /// - /// - Parameter DeleteRecommendationPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRecommendationPreferencesInput`) /// - /// - Returns: `DeleteRecommendationPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRecommendationPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRecommendationPreferencesOutput.httpOutput(from:), DeleteRecommendationPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension ComputeOptimizerClient { /// /// Describes recommendation export jobs created in the last seven days. Use the [ExportAutoScalingGroupRecommendations] or [ExportEC2InstanceRecommendations] actions to request an export of your recommendations. Then use the [DescribeRecommendationExportJobs] action to view your export jobs. /// - /// - Parameter DescribeRecommendationExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecommendationExportJobsInput`) /// - /// - Returns: `DescribeRecommendationExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecommendationExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecommendationExportJobsOutput.httpOutput(from:), DescribeRecommendationExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension ComputeOptimizerClient { /// /// Exports optimization recommendations for Auto Scaling groups. Recommendations are exported in a comma-separated values (.csv) file, and its metadata in a JavaScript Object Notation (JSON) (.json) file, to an existing Amazon Simple Storage Service (Amazon S3) bucket that you specify. For more information, see [Exporting Recommendations](https://docs.aws.amazon.com/compute-optimizer/latest/ug/exporting-recommendations.html) in the Compute Optimizer User Guide. You can have only one Auto Scaling group export job in progress per Amazon Web Services Region. /// - /// - Parameter ExportAutoScalingGroupRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportAutoScalingGroupRecommendationsInput`) /// - /// - Returns: `ExportAutoScalingGroupRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportAutoScalingGroupRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportAutoScalingGroupRecommendationsOutput.httpOutput(from:), ExportAutoScalingGroupRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -602,9 +598,9 @@ extension ComputeOptimizerClient { /// /// Exports optimization recommendations for Amazon EBS volumes. Recommendations are exported in a comma-separated values (.csv) file, and its metadata in a JavaScript Object Notation (JSON) (.json) file, to an existing Amazon Simple Storage Service (Amazon S3) bucket that you specify. For more information, see [Exporting Recommendations](https://docs.aws.amazon.com/compute-optimizer/latest/ug/exporting-recommendations.html) in the Compute Optimizer User Guide. You can have only one Amazon EBS volume export job in progress per Amazon Web Services Region. /// - /// - Parameter ExportEBSVolumeRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportEBSVolumeRecommendationsInput`) /// - /// - Returns: `ExportEBSVolumeRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportEBSVolumeRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -643,7 +639,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportEBSVolumeRecommendationsOutput.httpOutput(from:), ExportEBSVolumeRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -678,9 +673,9 @@ extension ComputeOptimizerClient { /// /// Exports optimization recommendations for Amazon EC2 instances. Recommendations are exported in a comma-separated values (.csv) file, and its metadata in a JavaScript Object Notation (JSON) (.json) file, to an existing Amazon Simple Storage Service (Amazon S3) bucket that you specify. For more information, see [Exporting Recommendations](https://docs.aws.amazon.com/compute-optimizer/latest/ug/exporting-recommendations.html) in the Compute Optimizer User Guide. You can have only one Amazon EC2 instance export job in progress per Amazon Web Services Region. /// - /// - Parameter ExportEC2InstanceRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportEC2InstanceRecommendationsInput`) /// - /// - Returns: `ExportEC2InstanceRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportEC2InstanceRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportEC2InstanceRecommendationsOutput.httpOutput(from:), ExportEC2InstanceRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -754,9 +748,9 @@ extension ComputeOptimizerClient { /// /// Exports optimization recommendations for Amazon ECS services on Fargate. Recommendations are exported in a CSV file, and its metadata in a JSON file, to an existing Amazon Simple Storage Service (Amazon S3) bucket that you specify. For more information, see [Exporting Recommendations](https://docs.aws.amazon.com/compute-optimizer/latest/ug/exporting-recommendations.html) in the Compute Optimizer User Guide. You can only have one Amazon ECS service export job in progress per Amazon Web Services Region. /// - /// - Parameter ExportECSServiceRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportECSServiceRecommendationsInput`) /// - /// - Returns: `ExportECSServiceRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportECSServiceRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -795,7 +789,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportECSServiceRecommendationsOutput.httpOutput(from:), ExportECSServiceRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -830,9 +823,9 @@ extension ComputeOptimizerClient { /// /// Export optimization recommendations for your idle resources. Recommendations are exported in a comma-separated values (CSV) file, and its metadata in a JavaScript Object Notation (JSON) file, to an existing Amazon Simple Storage Service (Amazon S3) bucket that you specify. For more information, see [Exporting Recommendations](https://docs.aws.amazon.com/compute-optimizer/latest/ug/exporting-recommendations.html) in the Compute Optimizer User Guide. You can have only one idle resource export job in progress per Amazon Web Services Region. /// - /// - Parameter ExportIdleRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportIdleRecommendationsInput`) /// - /// - Returns: `ExportIdleRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportIdleRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -871,7 +864,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportIdleRecommendationsOutput.httpOutput(from:), ExportIdleRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -906,9 +898,9 @@ extension ComputeOptimizerClient { /// /// Exports optimization recommendations for Lambda functions. Recommendations are exported in a comma-separated values (.csv) file, and its metadata in a JavaScript Object Notation (JSON) (.json) file, to an existing Amazon Simple Storage Service (Amazon S3) bucket that you specify. For more information, see [Exporting Recommendations](https://docs.aws.amazon.com/compute-optimizer/latest/ug/exporting-recommendations.html) in the Compute Optimizer User Guide. You can have only one Lambda function export job in progress per Amazon Web Services Region. /// - /// - Parameter ExportLambdaFunctionRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportLambdaFunctionRecommendationsInput`) /// - /// - Returns: `ExportLambdaFunctionRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportLambdaFunctionRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -947,7 +939,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportLambdaFunctionRecommendationsOutput.httpOutput(from:), ExportLambdaFunctionRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -982,9 +973,9 @@ extension ComputeOptimizerClient { /// /// Export optimization recommendations for your licenses. Recommendations are exported in a comma-separated values (CSV) file, and its metadata in a JavaScript Object Notation (JSON) file, to an existing Amazon Simple Storage Service (Amazon S3) bucket that you specify. For more information, see [Exporting Recommendations](https://docs.aws.amazon.com/compute-optimizer/latest/ug/exporting-recommendations.html) in the Compute Optimizer User Guide. You can have only one license export job in progress per Amazon Web Services Region. /// - /// - Parameter ExportLicenseRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportLicenseRecommendationsInput`) /// - /// - Returns: `ExportLicenseRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportLicenseRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1023,7 +1014,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportLicenseRecommendationsOutput.httpOutput(from:), ExportLicenseRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1058,9 +1048,9 @@ extension ComputeOptimizerClient { /// /// Export optimization recommendations for your Amazon Aurora and Amazon Relational Database Service (Amazon RDS) databases. Recommendations are exported in a comma-separated values (CSV) file, and its metadata in a JavaScript Object Notation (JSON) file, to an existing Amazon Simple Storage Service (Amazon S3) bucket that you specify. For more information, see [Exporting Recommendations](https://docs.aws.amazon.com/compute-optimizer/latest/ug/exporting-recommendations.html) in the Compute Optimizer User Guide. You can have only one Amazon Aurora or RDS export job in progress per Amazon Web Services Region. /// - /// - Parameter ExportRDSDatabaseRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportRDSDatabaseRecommendationsInput`) /// - /// - Returns: `ExportRDSDatabaseRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportRDSDatabaseRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1099,7 +1089,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportRDSDatabaseRecommendationsOutput.httpOutput(from:), ExportRDSDatabaseRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1134,9 +1123,9 @@ extension ComputeOptimizerClient { /// /// Returns Auto Scaling group recommendations. Compute Optimizer generates recommendations for Amazon EC2 Auto Scaling groups that meet a specific set of requirements. For more information, see the [Supported resources and requirements](https://docs.aws.amazon.com/compute-optimizer/latest/ug/requirements.html) in the Compute Optimizer User Guide. /// - /// - Parameter GetAutoScalingGroupRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutoScalingGroupRecommendationsInput`) /// - /// - Returns: `GetAutoScalingGroupRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutoScalingGroupRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1175,7 +1164,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutoScalingGroupRecommendationsOutput.httpOutput(from:), GetAutoScalingGroupRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1210,9 +1198,9 @@ extension ComputeOptimizerClient { /// /// Returns Amazon Elastic Block Store (Amazon EBS) volume recommendations. Compute Optimizer generates recommendations for Amazon EBS volumes that meet a specific set of requirements. For more information, see the [Supported resources and requirements](https://docs.aws.amazon.com/compute-optimizer/latest/ug/requirements.html) in the Compute Optimizer User Guide. /// - /// - Parameter GetEBSVolumeRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEBSVolumeRecommendationsInput`) /// - /// - Returns: `GetEBSVolumeRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEBSVolumeRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1251,7 +1239,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEBSVolumeRecommendationsOutput.httpOutput(from:), GetEBSVolumeRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1286,9 +1273,9 @@ extension ComputeOptimizerClient { /// /// Returns Amazon EC2 instance recommendations. Compute Optimizer generates recommendations for Amazon Elastic Compute Cloud (Amazon EC2) instances that meet a specific set of requirements. For more information, see the [Supported resources and requirements](https://docs.aws.amazon.com/compute-optimizer/latest/ug/requirements.html) in the Compute Optimizer User Guide. /// - /// - Parameter GetEC2InstanceRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEC2InstanceRecommendationsInput`) /// - /// - Returns: `GetEC2InstanceRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEC2InstanceRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1327,7 +1314,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEC2InstanceRecommendationsOutput.httpOutput(from:), GetEC2InstanceRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1362,9 +1348,9 @@ extension ComputeOptimizerClient { /// /// Returns the projected utilization metrics of Amazon EC2 instance recommendations. The Cpu and Memory metrics are the only projected utilization metrics returned when you run this action. Additionally, the Memory metric is returned only for resources that have the unified CloudWatch agent installed on them. For more information, see [Enabling Memory Utilization with the CloudWatch Agent](https://docs.aws.amazon.com/compute-optimizer/latest/ug/metrics.html#cw-agent). /// - /// - Parameter GetEC2RecommendationProjectedMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEC2RecommendationProjectedMetricsInput`) /// - /// - Returns: `GetEC2RecommendationProjectedMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEC2RecommendationProjectedMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1403,7 +1389,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEC2RecommendationProjectedMetricsOutput.httpOutput(from:), GetEC2RecommendationProjectedMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1438,9 +1423,9 @@ extension ComputeOptimizerClient { /// /// Returns the projected metrics of Amazon ECS service recommendations. /// - /// - Parameter GetECSServiceRecommendationProjectedMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetECSServiceRecommendationProjectedMetricsInput`) /// - /// - Returns: `GetECSServiceRecommendationProjectedMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetECSServiceRecommendationProjectedMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1479,7 +1464,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetECSServiceRecommendationProjectedMetricsOutput.httpOutput(from:), GetECSServiceRecommendationProjectedMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1514,9 +1498,9 @@ extension ComputeOptimizerClient { /// /// Returns Amazon ECS service recommendations. Compute Optimizer generates recommendations for Amazon ECS services on Fargate that meet a specific set of requirements. For more information, see the [Supported resources and requirements](https://docs.aws.amazon.com/compute-optimizer/latest/ug/requirements.html) in the Compute Optimizer User Guide. /// - /// - Parameter GetECSServiceRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetECSServiceRecommendationsInput`) /// - /// - Returns: `GetECSServiceRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetECSServiceRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1555,7 +1539,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetECSServiceRecommendationsOutput.httpOutput(from:), GetECSServiceRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1590,9 +1573,9 @@ extension ComputeOptimizerClient { /// /// Returns the recommendation preferences that are in effect for a given resource, such as enhanced infrastructure metrics. Considers all applicable preferences that you might have set at the resource, account, and organization level. When you create a recommendation preference, you can set its status to Active or Inactive. Use this action to view the recommendation preferences that are in effect, or Active. /// - /// - Parameter GetEffectiveRecommendationPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEffectiveRecommendationPreferencesInput`) /// - /// - Returns: `GetEffectiveRecommendationPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEffectiveRecommendationPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1631,7 +1614,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEffectiveRecommendationPreferencesOutput.httpOutput(from:), GetEffectiveRecommendationPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1666,9 +1648,9 @@ extension ComputeOptimizerClient { /// /// Returns the enrollment (opt in) status of an account to the Compute Optimizer service. If the account is the management account of an organization, this action also confirms the enrollment status of member accounts of the organization. Use the [GetEnrollmentStatusesForOrganization] action to get detailed information about the enrollment status of member accounts of an organization. /// - /// - Parameter GetEnrollmentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnrollmentStatusInput`) /// - /// - Returns: `GetEnrollmentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnrollmentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1705,7 +1687,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnrollmentStatusOutput.httpOutput(from:), GetEnrollmentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1740,9 +1721,9 @@ extension ComputeOptimizerClient { /// /// Returns the Compute Optimizer enrollment (opt-in) status of organization member accounts, if your account is an organization management account. To get the enrollment status of standalone accounts, use the [GetEnrollmentStatus] action. /// - /// - Parameter GetEnrollmentStatusesForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnrollmentStatusesForOrganizationInput`) /// - /// - Returns: `GetEnrollmentStatusesForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnrollmentStatusesForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1779,7 +1760,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnrollmentStatusesForOrganizationOutput.httpOutput(from:), GetEnrollmentStatusesForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1814,9 +1794,9 @@ extension ComputeOptimizerClient { /// /// Returns idle resource recommendations. Compute Optimizer generates recommendations for idle resources that meet a specific set of requirements. For more information, see [Resource requirements](https://docs.aws.amazon.com/compute-optimizer/latest/ug/requirements.html) in the Compute Optimizer User Guide /// - /// - Parameter GetIdleRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdleRecommendationsInput`) /// - /// - Returns: `GetIdleRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdleRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1855,7 +1835,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdleRecommendationsOutput.httpOutput(from:), GetIdleRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1890,9 +1869,9 @@ extension ComputeOptimizerClient { /// /// Returns Lambda function recommendations. Compute Optimizer generates recommendations for functions that meet a specific set of requirements. For more information, see the [Supported resources and requirements](https://docs.aws.amazon.com/compute-optimizer/latest/ug/requirements.html) in the Compute Optimizer User Guide. /// - /// - Parameter GetLambdaFunctionRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLambdaFunctionRecommendationsInput`) /// - /// - Returns: `GetLambdaFunctionRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLambdaFunctionRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1931,7 +1910,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLambdaFunctionRecommendationsOutput.httpOutput(from:), GetLambdaFunctionRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1966,9 +1944,9 @@ extension ComputeOptimizerClient { /// /// Returns license recommendations for Amazon EC2 instances that run on a specific license. Compute Optimizer generates recommendations for licenses that meet a specific set of requirements. For more information, see the [Supported resources and requirements](https://docs.aws.amazon.com/compute-optimizer/latest/ug/requirements.html) in the Compute Optimizer User Guide. /// - /// - Parameter GetLicenseRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLicenseRecommendationsInput`) /// - /// - Returns: `GetLicenseRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLicenseRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2007,7 +1985,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLicenseRecommendationsOutput.httpOutput(from:), GetLicenseRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2042,9 +2019,9 @@ extension ComputeOptimizerClient { /// /// Returns the projected metrics of Aurora and RDS database recommendations. /// - /// - Parameter GetRDSDatabaseRecommendationProjectedMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRDSDatabaseRecommendationProjectedMetricsInput`) /// - /// - Returns: `GetRDSDatabaseRecommendationProjectedMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRDSDatabaseRecommendationProjectedMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2083,7 +2060,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRDSDatabaseRecommendationProjectedMetricsOutput.httpOutput(from:), GetRDSDatabaseRecommendationProjectedMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2118,9 +2094,9 @@ extension ComputeOptimizerClient { /// /// Returns Amazon Aurora and RDS database recommendations. Compute Optimizer generates recommendations for Amazon Aurora and RDS databases that meet a specific set of requirements. For more information, see the [Supported resources and requirements](https://docs.aws.amazon.com/compute-optimizer/latest/ug/requirements.html) in the Compute Optimizer User Guide. /// - /// - Parameter GetRDSDatabaseRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRDSDatabaseRecommendationsInput`) /// - /// - Returns: `GetRDSDatabaseRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRDSDatabaseRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2159,7 +2135,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRDSDatabaseRecommendationsOutput.httpOutput(from:), GetRDSDatabaseRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2194,9 +2169,9 @@ extension ComputeOptimizerClient { /// /// Returns existing recommendation preferences, such as enhanced infrastructure metrics. Use the scope parameter to specify which preferences to return. You can specify to return preferences for an organization, a specific account ID, or a specific EC2 instance or Auto Scaling group Amazon Resource Name (ARN). For more information, see [Activating enhanced infrastructure metrics](https://docs.aws.amazon.com/compute-optimizer/latest/ug/enhanced-infrastructure-metrics.html) in the Compute Optimizer User Guide. /// - /// - Parameter GetRecommendationPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecommendationPreferencesInput`) /// - /// - Returns: `GetRecommendationPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecommendationPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2235,7 +2210,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommendationPreferencesOutput.httpOutput(from:), GetRecommendationPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2284,9 +2258,9 @@ extension ComputeOptimizerClient { /// /// * Amazon Aurora and Amazon RDS databases in an account that are Underprovisioned, Overprovisioned, Optimized, or NotOptimized. /// - /// - Parameter GetRecommendationSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecommendationSummariesInput`) /// - /// - Returns: `GetRecommendationSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecommendationSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2324,7 +2298,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommendationSummariesOutput.httpOutput(from:), GetRecommendationSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2359,9 +2332,9 @@ extension ComputeOptimizerClient { /// /// Creates a new recommendation preference or updates an existing recommendation preference, such as enhanced infrastructure metrics. For more information, see [Activating enhanced infrastructure metrics](https://docs.aws.amazon.com/compute-optimizer/latest/ug/enhanced-infrastructure-metrics.html) in the Compute Optimizer User Guide. /// - /// - Parameter PutRecommendationPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRecommendationPreferencesInput`) /// - /// - Returns: `PutRecommendationPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRecommendationPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2400,7 +2373,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRecommendationPreferencesOutput.httpOutput(from:), PutRecommendationPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2435,9 +2407,9 @@ extension ComputeOptimizerClient { /// /// Updates the enrollment (opt in and opt out) status of an account to the Compute Optimizer service. If the account is a management account of an organization, this action can also be used to enroll member accounts of the organization. You must have the appropriate permissions to opt in to Compute Optimizer, to view its recommendations, and to opt out. For more information, see [Controlling access with Amazon Web Services Identity and Access Management](https://docs.aws.amazon.com/compute-optimizer/latest/ug/security-iam.html) in the Compute Optimizer User Guide. When you opt in, Compute Optimizer automatically creates a service-linked role in your account to access its data. For more information, see [Using Service-Linked Roles for Compute Optimizer](https://docs.aws.amazon.com/compute-optimizer/latest/ug/using-service-linked-roles.html) in the Compute Optimizer User Guide. /// - /// - Parameter UpdateEnrollmentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnrollmentStatusInput`) /// - /// - Returns: `UpdateEnrollmentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnrollmentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2474,7 +2446,6 @@ extension ComputeOptimizerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnrollmentStatusOutput.httpOutput(from:), UpdateEnrollmentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSConfigService/Sources/AWSConfigService/ConfigClient.swift b/Sources/Services/AWSConfigService/Sources/AWSConfigService/ConfigClient.swift index fcfa0dce01d..425d862c63d 100644 --- a/Sources/Services/AWSConfigService/Sources/AWSConfigService/ConfigClient.swift +++ b/Sources/Services/AWSConfigService/Sources/AWSConfigService/ConfigClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ConfigClient: ClientRuntime.Client { public static let clientName = "ConfigClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ConfigClient.ConfigClientConfiguration let serviceName = "Config" @@ -374,9 +373,9 @@ extension ConfigClient { /// /// Adds all resource types specified in the ResourceTypes list to the [RecordingGroup](https://docs.aws.amazon.com/config/latest/APIReference/API_RecordingGroup.html) of specified configuration recorder and includes those resource types when recording. For this operation, the specified configuration recorder must use a [RecordingStrategy](https://docs.aws.amazon.com/config/latest/APIReference/API_RecordingStrategy.html) that is either INCLUSION_BY_RESOURCE_TYPES or EXCLUSION_BY_RESOURCE_TYPES. /// - /// - Parameter AssociateResourceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateResourceTypesInput`) /// - /// - Returns: `AssociateResourceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateResourceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -436,7 +435,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateResourceTypesOutput.httpOutput(from:), AssociateResourceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -475,9 +473,9 @@ extension ConfigClient { /// /// * The API does not return tags and relationships. /// - /// - Parameter BatchGetAggregateResourceConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetAggregateResourceConfigInput`) /// - /// - Returns: `BatchGetAggregateResourceConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetAggregateResourceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -532,7 +530,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetAggregateResourceConfigOutput.httpOutput(from:), BatchGetAggregateResourceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -571,9 +568,9 @@ extension ConfigClient { /// /// * The API does not return any tags for the requested resources. This information is filtered out of the supplementaryConfiguration section of the API response. /// - /// - Parameter BatchGetResourceConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetResourceConfigInput`) /// - /// - Returns: `BatchGetResourceConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetResourceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +625,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetResourceConfigOutput.httpOutput(from:), BatchGetResourceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +659,9 @@ extension ConfigClient { /// /// Deletes the authorization granted to the specified configuration aggregator account in a specified region. /// - /// - Parameter DeleteAggregationAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAggregationAuthorizationInput`) /// - /// - Returns: `DeleteAggregationAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAggregationAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -697,7 +693,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAggregationAuthorizationOutput.httpOutput(from:), DeleteAggregationAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -732,9 +727,9 @@ extension ConfigClient { /// /// Deletes the specified Config rule and all of its evaluation results. Config sets the state of a rule to DELETING until the deletion is complete. You cannot update a rule while it is in this state. If you make a PutConfigRule or DeleteConfigRule request for the rule, you will receive a ResourceInUseException. You can check the state of a rule by using the DescribeConfigRules request. Recommendation: Consider excluding the AWS::Config::ResourceCompliance resource type from recording before deleting rules Deleting rules creates configuration items (CIs) for AWS::Config::ResourceCompliance that can affect your costs for the configuration recorder. If you are deleting rules which evaluate a large number of resource types, this can lead to a spike in the number of CIs recorded. To avoid the associated costs, you can opt to disable recording for the AWS::Config::ResourceCompliance resource type before deleting rules, and re-enable recording after the rules have been deleted. However, since deleting rules is an asynchronous process, it might take an hour or more to complete. During the time when recording is disabled for AWS::Config::ResourceCompliance, rule evaluations will not be recorded in the associated resource’s history. /// - /// - Parameter DeleteConfigRuleInput : + /// - Parameter input: (Type: `DeleteConfigRuleInput`) /// - /// - Returns: `DeleteConfigRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfigRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -781,7 +776,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigRuleOutput.httpOutput(from:), DeleteConfigRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -816,9 +810,9 @@ extension ConfigClient { /// /// Deletes the specified configuration aggregator and the aggregated data associated with the aggregator. /// - /// - Parameter DeleteConfigurationAggregatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfigurationAggregatorInput`) /// - /// - Returns: `DeleteConfigurationAggregatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfigurationAggregatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -850,7 +844,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationAggregatorOutput.httpOutput(from:), DeleteConfigurationAggregatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -885,9 +878,9 @@ extension ConfigClient { /// /// Deletes the customer managed configuration recorder. This operation does not delete the configuration information that was previously recorded. You will be able to access the previously recorded information by using the [GetResourceConfigHistory](https://docs.aws.amazon.com/config/latest/APIReference/API_GetResourceConfigHistory.html) operation, but you will not be able to access this information in the Config console until you have created a new customer managed configuration recorder. /// - /// - Parameter DeleteConfigurationRecorderInput : The request object for the DeleteConfigurationRecorder operation. + /// - Parameter input: The request object for the DeleteConfigurationRecorder operation. (Type: `DeleteConfigurationRecorderInput`) /// - /// - Returns: `DeleteConfigurationRecorderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfigurationRecorderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -920,7 +913,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationRecorderOutput.httpOutput(from:), DeleteConfigurationRecorderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -955,9 +947,9 @@ extension ConfigClient { /// /// Deletes the specified conformance pack and all the Config rules, remediation actions, and all evaluation results within that conformance pack. Config sets the conformance pack to DELETE_IN_PROGRESS until the deletion is complete. You cannot update a conformance pack while it is in this state. Recommendation: Consider excluding the AWS::Config::ResourceCompliance resource type from recording before deleting rules Deleting rules creates configuration items (CIs) for AWS::Config::ResourceCompliance that can affect your costs for the configuration recorder. If you are deleting rules which evaluate a large number of resource types, this can lead to a spike in the number of CIs recorded. To avoid the associated costs, you can opt to disable recording for the AWS::Config::ResourceCompliance resource type before deleting rules, and re-enable recording after the rules have been deleted. However, since deleting rules is an asynchronous process, it might take an hour or more to complete. During the time when recording is disabled for AWS::Config::ResourceCompliance, rule evaluations will not be recorded in the associated resource’s history. /// - /// - Parameter DeleteConformancePackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConformancePackInput`) /// - /// - Returns: `DeleteConformancePackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConformancePackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1004,7 +996,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConformancePackOutput.httpOutput(from:), DeleteConformancePackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1039,9 +1030,9 @@ extension ConfigClient { /// /// Deletes the delivery channel. Before you can delete the delivery channel, you must stop the customer managed configuration recorder. You can use the [StopConfigurationRecorder] operation to stop the customer managed configuration recorder. /// - /// - Parameter DeleteDeliveryChannelInput : The input for the [DeleteDeliveryChannel] action. The action accepts the following data, in JSON format. + /// - Parameter input: The input for the [DeleteDeliveryChannel] action. The action accepts the following data, in JSON format. (Type: `DeleteDeliveryChannelInput`) /// - /// - Returns: `DeleteDeliveryChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeliveryChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1074,7 +1065,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeliveryChannelOutput.httpOutput(from:), DeleteDeliveryChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1109,9 +1099,9 @@ extension ConfigClient { /// /// Deletes the evaluation results for the specified Config rule. You can specify one Config rule per request. After you delete the evaluation results, you can call the [StartConfigRulesEvaluation] API to start evaluating your Amazon Web Services resources against the rule. /// - /// - Parameter DeleteEvaluationResultsInput : + /// - Parameter input: (Type: `DeleteEvaluationResultsInput`) /// - /// - Returns: `DeleteEvaluationResultsOutput` : The output when you delete the evaluation results for the specified Config rule. + /// - Returns: The output when you delete the evaluation results for the specified Config rule. (Type: `DeleteEvaluationResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1158,7 +1148,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEvaluationResultsOutput.httpOutput(from:), DeleteEvaluationResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1193,9 +1182,9 @@ extension ConfigClient { /// /// Deletes the specified organization Config rule and all of its evaluation results from all member accounts in that organization. Only a management account and a delegated administrator account can delete an organization Config rule. When calling this API with a delegated administrator, you must ensure Organizations ListDelegatedAdministrator permissions are added. Config sets the state of a rule to DELETE_IN_PROGRESS until the deletion is complete. You cannot update a rule while it is in this state. Recommendation: Consider excluding the AWS::Config::ResourceCompliance resource type from recording before deleting rules Deleting rules creates configuration items (CIs) for AWS::Config::ResourceCompliance that can affect your costs for the configuration recorder. If you are deleting rules which evaluate a large number of resource types, this can lead to a spike in the number of CIs recorded. To avoid the associated costs, you can opt to disable recording for the AWS::Config::ResourceCompliance resource type before deleting rules, and re-enable recording after the rules have been deleted. However, since deleting rules is an asynchronous process, it might take an hour or more to complete. During the time when recording is disabled for AWS::Config::ResourceCompliance, rule evaluations will not be recorded in the associated resource’s history. /// - /// - Parameter DeleteOrganizationConfigRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOrganizationConfigRuleInput`) /// - /// - Returns: `DeleteOrganizationConfigRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOrganizationConfigRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1254,7 +1243,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOrganizationConfigRuleOutput.httpOutput(from:), DeleteOrganizationConfigRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1289,9 +1277,9 @@ extension ConfigClient { /// /// Deletes the specified organization conformance pack and all of the Config rules and remediation actions from all member accounts in that organization. Only a management account or a delegated administrator account can delete an organization conformance pack. When calling this API with a delegated administrator, you must ensure Organizations ListDelegatedAdministrator permissions are added. Config sets the state of a conformance pack to DELETE_IN_PROGRESS until the deletion is complete. You cannot update a conformance pack while it is in this state. Recommendation: Consider excluding the AWS::Config::ResourceCompliance resource type from recording before deleting rules Deleting rules creates configuration items (CIs) for AWS::Config::ResourceCompliance that can affect your costs for the configuration recorder. If you are deleting rules which evaluate a large number of resource types, this can lead to a spike in the number of CIs recorded. To avoid the associated costs, you can opt to disable recording for the AWS::Config::ResourceCompliance resource type before deleting rules, and re-enable recording after the rules have been deleted. However, since deleting rules is an asynchronous process, it might take an hour or more to complete. During the time when recording is disabled for AWS::Config::ResourceCompliance, rule evaluations will not be recorded in the associated resource’s history. /// - /// - Parameter DeleteOrganizationConformancePackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOrganizationConformancePackInput`) /// - /// - Returns: `DeleteOrganizationConformancePackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOrganizationConformancePackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1350,7 +1338,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOrganizationConformancePackOutput.httpOutput(from:), DeleteOrganizationConformancePackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1385,9 +1372,9 @@ extension ConfigClient { /// /// Deletes pending authorization requests for a specified aggregator account in a specified region. /// - /// - Parameter DeletePendingAggregationRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePendingAggregationRequestInput`) /// - /// - Returns: `DeletePendingAggregationRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePendingAggregationRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1419,7 +1406,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePendingAggregationRequestOutput.httpOutput(from:), DeletePendingAggregationRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1454,9 +1440,9 @@ extension ConfigClient { /// /// Deletes the remediation configuration. /// - /// - Parameter DeleteRemediationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRemediationConfigurationInput`) /// - /// - Returns: `DeleteRemediationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRemediationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1508,7 +1494,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRemediationConfigurationOutput.httpOutput(from:), DeleteRemediationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1543,9 +1528,9 @@ extension ConfigClient { /// /// Deletes one or more remediation exceptions mentioned in the resource keys. Config generates a remediation exception when a problem occurs executing a remediation action to a specific resource. Remediation exceptions blocks auto-remediation until the exception is cleared. /// - /// - Parameter DeleteRemediationExceptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRemediationExceptionsInput`) /// - /// - Returns: `DeleteRemediationExceptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRemediationExceptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1577,7 +1562,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRemediationExceptionsOutput.httpOutput(from:), DeleteRemediationExceptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1612,9 +1596,9 @@ extension ConfigClient { /// /// Records the configuration state for a custom resource that has been deleted. This API records a new ConfigurationItem with a ResourceDeleted status. You can retrieve the ConfigurationItems recorded for this resource in your Config History. /// - /// - Parameter DeleteResourceConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceConfigInput`) /// - /// - Returns: `DeleteResourceConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1669,7 +1653,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceConfigOutput.httpOutput(from:), DeleteResourceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1704,9 +1687,9 @@ extension ConfigClient { /// /// Deletes the retention configuration. /// - /// - Parameter DeleteRetentionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRetentionConfigurationInput`) /// - /// - Returns: `DeleteRetentionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRetentionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1739,7 +1722,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRetentionConfigurationOutput.httpOutput(from:), DeleteRetentionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1774,9 +1756,9 @@ extension ConfigClient { /// /// Deletes an existing service-linked configuration recorder. This operation does not delete the configuration information that was previously recorded. You will be able to access the previously recorded information by using the [GetResourceConfigHistory](https://docs.aws.amazon.com/config/latest/APIReference/API_GetResourceConfigHistory.html) operation, but you will not be able to access this information in the Config console until you have created a new service-linked configuration recorder for the same service. The recording scope determines if you receive configuration items The recording scope is set by the service that is linked to the configuration recorder and determines whether you receive configuration items (CIs) in the delivery channel. If the recording scope is internal, you will not receive CIs in the delivery channel. /// - /// - Parameter DeleteServiceLinkedConfigurationRecorderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceLinkedConfigurationRecorderInput`) /// - /// - Returns: `DeleteServiceLinkedConfigurationRecorderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceLinkedConfigurationRecorderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1836,7 +1818,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceLinkedConfigurationRecorderOutput.httpOutput(from:), DeleteServiceLinkedConfigurationRecorderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1871,9 +1852,9 @@ extension ConfigClient { /// /// Deletes the stored query for a single Amazon Web Services account and a single Amazon Web Services Region. /// - /// - Parameter DeleteStoredQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStoredQueryInput`) /// - /// - Returns: `DeleteStoredQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStoredQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1928,7 +1909,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStoredQueryOutput.httpOutput(from:), DeleteStoredQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1969,9 +1949,9 @@ extension ConfigClient { /// /// * Notification of delivery failure, if the delivery failed. /// - /// - Parameter DeliverConfigSnapshotInput : The input for the [DeliverConfigSnapshot] action. + /// - Parameter input: The input for the [DeliverConfigSnapshot] action. (Type: `DeliverConfigSnapshotInput`) /// - /// - Returns: `DeliverConfigSnapshotOutput` : The output for the [DeliverConfigSnapshot] action, in JSON format. + /// - Returns: The output for the [DeliverConfigSnapshot] action, in JSON format. (Type: `DeliverConfigSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2005,7 +1985,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeliverConfigSnapshotOutput.httpOutput(from:), DeliverConfigSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2040,9 +2019,9 @@ extension ConfigClient { /// /// Returns a list of compliant and noncompliant rules with the number of resources for compliant and noncompliant rules. Does not display rules that do not have compliance results. The results can return an empty result page, but if you have a nextToken, the results are displayed on the next page. /// - /// - Parameter DescribeAggregateComplianceByConfigRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAggregateComplianceByConfigRulesInput`) /// - /// - Returns: `DescribeAggregateComplianceByConfigRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAggregateComplianceByConfigRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2099,7 +2078,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAggregateComplianceByConfigRulesOutput.httpOutput(from:), DescribeAggregateComplianceByConfigRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2134,9 +2112,9 @@ extension ConfigClient { /// /// Returns a list of the existing and deleted conformance packs and their associated compliance status with the count of compliant and noncompliant Config rules within each conformance pack. Also returns the total rule count which includes compliant rules, noncompliant rules, and rules that cannot be evaluated due to insufficient data. The results can return an empty result page, but if you have a nextToken, the results are displayed on the next page. /// - /// - Parameter DescribeAggregateComplianceByConformancePacksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAggregateComplianceByConformancePacksInput`) /// - /// - Returns: `DescribeAggregateComplianceByConformancePacksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAggregateComplianceByConformancePacksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2193,7 +2171,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAggregateComplianceByConformancePacksOutput.httpOutput(from:), DescribeAggregateComplianceByConformancePacksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2228,9 +2205,9 @@ extension ConfigClient { /// /// Returns a list of authorizations granted to various aggregator accounts and regions. /// - /// - Parameter DescribeAggregationAuthorizationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAggregationAuthorizationsInput`) /// - /// - Returns: `DescribeAggregationAuthorizationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAggregationAuthorizationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2264,7 +2241,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAggregationAuthorizationsOutput.httpOutput(from:), DescribeAggregationAuthorizationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2305,9 +2281,9 @@ extension ConfigClient { /// /// * The rule's Lambda function has returned NOT_APPLICABLE for all evaluation results. This can occur if the resources were deleted or removed from the rule's scope. /// - /// - Parameter DescribeComplianceByConfigRuleInput : + /// - Parameter input: (Type: `DescribeComplianceByConfigRuleInput`) /// - /// - Returns: `DescribeComplianceByConfigRuleOutput` : + /// - Returns: (Type: `DescribeComplianceByConfigRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2341,7 +2317,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComplianceByConfigRuleOutput.httpOutput(from:), DescribeComplianceByConfigRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2382,9 +2357,9 @@ extension ConfigClient { /// /// * The rule's Lambda function has returned NOT_APPLICABLE for all evaluation results. This can occur if the resources were deleted or removed from the rule's scope. /// - /// - Parameter DescribeComplianceByResourceInput : + /// - Parameter input: (Type: `DescribeComplianceByResourceInput`) /// - /// - Returns: `DescribeComplianceByResourceOutput` : + /// - Returns: (Type: `DescribeComplianceByResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2417,7 +2392,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComplianceByResourceOutput.httpOutput(from:), DescribeComplianceByResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2452,9 +2426,9 @@ extension ConfigClient { /// /// Returns status information for each of your Config managed rules. The status includes information such as the last time Config invoked the rule, the last time Config failed to invoke the rule, and the related error for the last failure. /// - /// - Parameter DescribeConfigRuleEvaluationStatusInput : + /// - Parameter input: (Type: `DescribeConfigRuleEvaluationStatusInput`) /// - /// - Returns: `DescribeConfigRuleEvaluationStatusOutput` : + /// - Returns: (Type: `DescribeConfigRuleEvaluationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2488,7 +2462,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigRuleEvaluationStatusOutput.httpOutput(from:), DescribeConfigRuleEvaluationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2523,9 +2496,9 @@ extension ConfigClient { /// /// Returns details about your Config rules. /// - /// - Parameter DescribeConfigRulesInput : + /// - Parameter input: (Type: `DescribeConfigRulesInput`) /// - /// - Returns: `DescribeConfigRulesOutput` : + /// - Returns: (Type: `DescribeConfigRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2559,7 +2532,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigRulesOutput.httpOutput(from:), DescribeConfigRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2594,9 +2566,9 @@ extension ConfigClient { /// /// Returns status information for sources within an aggregator. The status includes information about the last time Config verified authorization between the source account and an aggregator account. In case of a failure, the status contains the related error code or message. /// - /// - Parameter DescribeConfigurationAggregatorSourcesStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConfigurationAggregatorSourcesStatusInput`) /// - /// - Returns: `DescribeConfigurationAggregatorSourcesStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConfigurationAggregatorSourcesStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2631,7 +2603,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationAggregatorSourcesStatusOutput.httpOutput(from:), DescribeConfigurationAggregatorSourcesStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2666,9 +2637,9 @@ extension ConfigClient { /// /// Returns the details of one or more configuration aggregators. If the configuration aggregator is not specified, this operation returns the details for all the configuration aggregators associated with the account. /// - /// - Parameter DescribeConfigurationAggregatorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConfigurationAggregatorsInput`) /// - /// - Returns: `DescribeConfigurationAggregatorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConfigurationAggregatorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2703,7 +2674,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationAggregatorsOutput.httpOutput(from:), DescribeConfigurationAggregatorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2738,9 +2708,9 @@ extension ConfigClient { /// /// Returns the current status of the configuration recorder you specify as well as the status of the last recording event for the configuration recorders. For a detailed status of recording events over time, add your Config events to Amazon CloudWatch metrics and use CloudWatch metrics. If a configuration recorder is not specified, this operation returns the status for the customer managed configuration recorder configured for the account, if applicable. When making a request to this operation, you can only specify one configuration recorder. /// - /// - Parameter DescribeConfigurationRecorderStatusInput : The input for the [DescribeConfigurationRecorderStatus] action. + /// - Parameter input: The input for the [DescribeConfigurationRecorderStatus] action. (Type: `DescribeConfigurationRecorderStatusInput`) /// - /// - Returns: `DescribeConfigurationRecorderStatusOutput` : The output for the [DescribeConfigurationRecorderStatus] action, in JSON format. + /// - Returns: The output for the [DescribeConfigurationRecorderStatus] action, in JSON format. (Type: `DescribeConfigurationRecorderStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2795,7 +2765,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationRecorderStatusOutput.httpOutput(from:), DescribeConfigurationRecorderStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2830,9 +2799,9 @@ extension ConfigClient { /// /// Returns details for the configuration recorder you specify. If a configuration recorder is not specified, this operation returns details for the customer managed configuration recorder configured for the account, if applicable. When making a request to this operation, you can only specify one configuration recorder. /// - /// - Parameter DescribeConfigurationRecordersInput : The input for the [DescribeConfigurationRecorders] action. + /// - Parameter input: The input for the [DescribeConfigurationRecorders] action. (Type: `DescribeConfigurationRecordersInput`) /// - /// - Returns: `DescribeConfigurationRecordersOutput` : The output for the [DescribeConfigurationRecorders] action. + /// - Returns: The output for the [DescribeConfigurationRecorders] action. (Type: `DescribeConfigurationRecordersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2887,7 +2856,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationRecordersOutput.httpOutput(from:), DescribeConfigurationRecordersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2922,9 +2890,9 @@ extension ConfigClient { /// /// Returns compliance details for each rule in that conformance pack. You must provide exact rule names. /// - /// - Parameter DescribeConformancePackComplianceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConformancePackComplianceInput`) /// - /// - Returns: `DescribeConformancePackComplianceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConformancePackComplianceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2960,7 +2928,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConformancePackComplianceOutput.httpOutput(from:), DescribeConformancePackComplianceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2995,9 +2962,9 @@ extension ConfigClient { /// /// Provides one or more conformance packs deployment status. If there are no conformance packs then you will see an empty result. /// - /// - Parameter DescribeConformancePackStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConformancePackStatusInput`) /// - /// - Returns: `DescribeConformancePackStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConformancePackStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3031,7 +2998,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConformancePackStatusOutput.httpOutput(from:), DescribeConformancePackStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3066,9 +3032,9 @@ extension ConfigClient { /// /// Returns a list of one or more conformance packs. /// - /// - Parameter DescribeConformancePacksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConformancePacksInput`) /// - /// - Returns: `DescribeConformancePacksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConformancePacksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3103,7 +3069,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConformancePacksOutput.httpOutput(from:), DescribeConformancePacksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3138,9 +3103,9 @@ extension ConfigClient { /// /// Returns the current status of the specified delivery channel. If a delivery channel is not specified, this operation returns the current status of all delivery channels associated with the account. Currently, you can specify only one delivery channel per region in your account. /// - /// - Parameter DescribeDeliveryChannelStatusInput : The input for the [DeliveryChannelStatus] action. + /// - Parameter input: The input for the [DeliveryChannelStatus] action. (Type: `DescribeDeliveryChannelStatusInput`) /// - /// - Returns: `DescribeDeliveryChannelStatusOutput` : The output for the [DescribeDeliveryChannelStatus] action. + /// - Returns: The output for the [DescribeDeliveryChannelStatus] action. (Type: `DescribeDeliveryChannelStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3172,7 +3137,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeliveryChannelStatusOutput.httpOutput(from:), DescribeDeliveryChannelStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3207,9 +3171,9 @@ extension ConfigClient { /// /// Returns details about the specified delivery channel. If a delivery channel is not specified, this operation returns the details of all delivery channels associated with the account. Currently, you can specify only one delivery channel per region in your account. /// - /// - Parameter DescribeDeliveryChannelsInput : The input for the [DescribeDeliveryChannels] action. + /// - Parameter input: The input for the [DescribeDeliveryChannels] action. (Type: `DescribeDeliveryChannelsInput`) /// - /// - Returns: `DescribeDeliveryChannelsOutput` : The output for the [DescribeDeliveryChannels] action. + /// - Returns: The output for the [DescribeDeliveryChannels] action. (Type: `DescribeDeliveryChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3241,7 +3205,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeliveryChannelsOutput.httpOutput(from:), DescribeDeliveryChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3276,9 +3239,9 @@ extension ConfigClient { /// /// Provides organization Config rule deployment status for an organization. The status is not considered successful until organization Config rule is successfully deployed in all the member accounts with an exception of excluded accounts. When you specify the limit and the next token, you receive a paginated response. Limit and next token are not applicable if you specify organization Config rule names. It is only applicable, when you request all the organization Config rules. /// - /// - Parameter DescribeOrganizationConfigRuleStatusesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationConfigRuleStatusesInput`) /// - /// - Returns: `DescribeOrganizationConfigRuleStatusesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationConfigRuleStatusesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3324,7 +3287,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationConfigRuleStatusesOutput.httpOutput(from:), DescribeOrganizationConfigRuleStatusesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3359,9 +3321,9 @@ extension ConfigClient { /// /// Returns a list of organization Config rules. When you specify the limit and the next token, you receive a paginated response. Limit and next token are not applicable if you specify organization Config rule names. It is only applicable, when you request all the organization Config rules. For accounts within an organization If you deploy an organizational rule or conformance pack in an organization administrator account, and then establish a delegated administrator and deploy an organizational rule or conformance pack in the delegated administrator account, you won't be able to see the organizational rule or conformance pack in the organization administrator account from the delegated administrator account or see the organizational rule or conformance pack in the delegated administrator account from organization administrator account. The DescribeOrganizationConfigRules and DescribeOrganizationConformancePacks APIs can only see and interact with the organization-related resource that were deployed from within the account calling those APIs. /// - /// - Parameter DescribeOrganizationConfigRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationConfigRulesInput`) /// - /// - Returns: `DescribeOrganizationConfigRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationConfigRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3407,7 +3369,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationConfigRulesOutput.httpOutput(from:), DescribeOrganizationConfigRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3442,9 +3403,9 @@ extension ConfigClient { /// /// Provides organization conformance pack deployment status for an organization. The status is not considered successful until organization conformance pack is successfully deployed in all the member accounts with an exception of excluded accounts. When you specify the limit and the next token, you receive a paginated response. Limit and next token are not applicable if you specify organization conformance pack names. They are only applicable, when you request all the organization conformance packs. /// - /// - Parameter DescribeOrganizationConformancePackStatusesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationConformancePackStatusesInput`) /// - /// - Returns: `DescribeOrganizationConformancePackStatusesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationConformancePackStatusesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3490,7 +3451,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationConformancePackStatusesOutput.httpOutput(from:), DescribeOrganizationConformancePackStatusesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3525,9 +3485,9 @@ extension ConfigClient { /// /// Returns a list of organization conformance packs. When you specify the limit and the next token, you receive a paginated response. Limit and next token are not applicable if you specify organization conformance packs names. They are only applicable, when you request all the organization conformance packs. For accounts within an organization If you deploy an organizational rule or conformance pack in an organization administrator account, and then establish a delegated administrator and deploy an organizational rule or conformance pack in the delegated administrator account, you won't be able to see the organizational rule or conformance pack in the organization administrator account from the delegated administrator account or see the organizational rule or conformance pack in the delegated administrator account from organization administrator account. The DescribeOrganizationConfigRules and DescribeOrganizationConformancePacks APIs can only see and interact with the organization-related resource that were deployed from within the account calling those APIs. /// - /// - Parameter DescribeOrganizationConformancePacksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationConformancePacksInput`) /// - /// - Returns: `DescribeOrganizationConformancePacksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationConformancePacksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3573,7 +3533,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationConformancePacksOutput.httpOutput(from:), DescribeOrganizationConformancePacksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3608,9 +3567,9 @@ extension ConfigClient { /// /// Returns a list of all pending aggregation requests. /// - /// - Parameter DescribePendingAggregationRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePendingAggregationRequestsInput`) /// - /// - Returns: `DescribePendingAggregationRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePendingAggregationRequestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3644,7 +3603,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePendingAggregationRequestsOutput.httpOutput(from:), DescribePendingAggregationRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3679,9 +3637,9 @@ extension ConfigClient { /// /// Returns the details of one or more remediation configurations. /// - /// - Parameter DescribeRemediationConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRemediationConfigurationsInput`) /// - /// - Returns: `DescribeRemediationConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRemediationConfigurationsOutput`) public func describeRemediationConfigurations(input: DescribeRemediationConfigurationsInput) async throws -> DescribeRemediationConfigurationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3708,7 +3666,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRemediationConfigurationsOutput.httpOutput(from:), DescribeRemediationConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3743,9 +3700,9 @@ extension ConfigClient { /// /// Returns the details of one or more remediation exceptions. A detailed view of a remediation exception for a set of resources that includes an explanation of an exception and the time when the exception will be deleted. When you specify the limit and the next token, you receive a paginated response. Config generates a remediation exception when a problem occurs executing a remediation action to a specific resource. Remediation exceptions blocks auto-remediation until the exception is cleared. When you specify the limit and the next token, you receive a paginated response. Limit and next token are not applicable if you request resources in batch. It is only applicable, when you request all resources. /// - /// - Parameter DescribeRemediationExceptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRemediationExceptionsInput`) /// - /// - Returns: `DescribeRemediationExceptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRemediationExceptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3778,7 +3735,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRemediationExceptionsOutput.httpOutput(from:), DescribeRemediationExceptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3813,9 +3769,9 @@ extension ConfigClient { /// /// Provides a detailed view of a Remediation Execution for a set of resources including state, timestamps for when steps for the remediation execution occur, and any error messages for steps that have failed. When you specify the limit and the next token, you receive a paginated response. /// - /// - Parameter DescribeRemediationExecutionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRemediationExecutionStatusInput`) /// - /// - Returns: `DescribeRemediationExecutionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRemediationExecutionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3849,7 +3805,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRemediationExecutionStatusOutput.httpOutput(from:), DescribeRemediationExecutionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3884,9 +3839,9 @@ extension ConfigClient { /// /// Returns the details of one or more retention configurations. If the retention configuration name is not specified, this operation returns the details for all the retention configurations for that account. Currently, Config supports only one retention configuration per region in your account. /// - /// - Parameter DescribeRetentionConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRetentionConfigurationsInput`) /// - /// - Returns: `DescribeRetentionConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRetentionConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3920,7 +3875,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRetentionConfigurationsOutput.httpOutput(from:), DescribeRetentionConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3955,9 +3909,9 @@ extension ConfigClient { /// /// Removes all resource types specified in the ResourceTypes list from the [RecordingGroup](https://docs.aws.amazon.com/config/latest/APIReference/API_RecordingGroup.html) of configuration recorder and excludes these resource types when recording. For this operation, the configuration recorder must use a [RecordingStrategy](https://docs.aws.amazon.com/config/latest/APIReference/API_RecordingStrategy.html) that is either INCLUSION_BY_RESOURCE_TYPES or EXCLUSION_BY_RESOURCE_TYPES. /// - /// - Parameter DisassociateResourceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateResourceTypesInput`) /// - /// - Returns: `DisassociateResourceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateResourceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4017,7 +3971,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateResourceTypesOutput.httpOutput(from:), DisassociateResourceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4052,9 +4005,9 @@ extension ConfigClient { /// /// Returns the evaluation results for the specified Config rule for a specific resource in a rule. The results indicate which Amazon Web Services resources were evaluated by the rule, when each resource was last evaluated, and whether each resource complies with the rule. The results can return an empty result page. But if you have a nextToken, the results are displayed on the next page. /// - /// - Parameter GetAggregateComplianceDetailsByConfigRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAggregateComplianceDetailsByConfigRuleInput`) /// - /// - Returns: `GetAggregateComplianceDetailsByConfigRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAggregateComplianceDetailsByConfigRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4111,7 +4064,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAggregateComplianceDetailsByConfigRuleOutput.httpOutput(from:), GetAggregateComplianceDetailsByConfigRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4146,9 +4098,9 @@ extension ConfigClient { /// /// Returns the number of compliant and noncompliant rules for one or more accounts and regions in an aggregator. The results can return an empty result page, but if you have a nextToken, the results are displayed on the next page. /// - /// - Parameter GetAggregateConfigRuleComplianceSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAggregateConfigRuleComplianceSummaryInput`) /// - /// - Returns: `GetAggregateConfigRuleComplianceSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAggregateConfigRuleComplianceSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4205,7 +4157,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAggregateConfigRuleComplianceSummaryOutput.httpOutput(from:), GetAggregateConfigRuleComplianceSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4240,9 +4191,9 @@ extension ConfigClient { /// /// Returns the count of compliant and noncompliant conformance packs across all Amazon Web Services accounts and Amazon Web Services Regions in an aggregator. You can filter based on Amazon Web Services account ID or Amazon Web Services Region. The results can return an empty result page, but if you have a nextToken, the results are displayed on the next page. /// - /// - Parameter GetAggregateConformancePackComplianceSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAggregateConformancePackComplianceSummaryInput`) /// - /// - Returns: `GetAggregateConformancePackComplianceSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAggregateConformancePackComplianceSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4299,7 +4250,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAggregateConformancePackComplianceSummaryOutput.httpOutput(from:), GetAggregateConformancePackComplianceSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4334,9 +4284,9 @@ extension ConfigClient { /// /// Returns the resource counts across accounts and regions that are present in your Config aggregator. You can request the resource counts by providing filters and GroupByKey. For example, if the input contains accountID 12345678910 and region us-east-1 in filters, the API returns the count of resources in account ID 12345678910 and region us-east-1. If the input contains ACCOUNT_ID as a GroupByKey, the API returns resource counts for all source accounts that are present in your aggregator. /// - /// - Parameter GetAggregateDiscoveredResourceCountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAggregateDiscoveredResourceCountsInput`) /// - /// - Returns: `GetAggregateDiscoveredResourceCountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAggregateDiscoveredResourceCountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4393,7 +4343,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAggregateDiscoveredResourceCountsOutput.httpOutput(from:), GetAggregateDiscoveredResourceCountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4428,9 +4377,9 @@ extension ConfigClient { /// /// Returns configuration item that is aggregated for your specific resource in a specific source account and region. The API does not return results for deleted resources. /// - /// - Parameter GetAggregateResourceConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAggregateResourceConfigInput`) /// - /// - Returns: `GetAggregateResourceConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAggregateResourceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4487,7 +4436,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAggregateResourceConfigOutput.httpOutput(from:), GetAggregateResourceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4522,9 +4470,9 @@ extension ConfigClient { /// /// Returns the evaluation results for the specified Config rule. The results indicate which Amazon Web Services resources were evaluated by the rule, when each resource was last evaluated, and whether each resource complies with the rule. /// - /// - Parameter GetComplianceDetailsByConfigRuleInput : + /// - Parameter input: (Type: `GetComplianceDetailsByConfigRuleInput`) /// - /// - Returns: `GetComplianceDetailsByConfigRuleOutput` : + /// - Returns: (Type: `GetComplianceDetailsByConfigRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4558,7 +4506,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComplianceDetailsByConfigRuleOutput.httpOutput(from:), GetComplianceDetailsByConfigRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4593,9 +4540,9 @@ extension ConfigClient { /// /// Returns the evaluation results for the specified Amazon Web Services resource. The results indicate which Config rules were used to evaluate the resource, when each rule was last invoked, and whether the resource complies with each rule. /// - /// - Parameter GetComplianceDetailsByResourceInput : + /// - Parameter input: (Type: `GetComplianceDetailsByResourceInput`) /// - /// - Returns: `GetComplianceDetailsByResourceOutput` : + /// - Returns: (Type: `GetComplianceDetailsByResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4627,7 +4574,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComplianceDetailsByResourceOutput.httpOutput(from:), GetComplianceDetailsByResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4662,9 +4608,9 @@ extension ConfigClient { /// /// Returns the number of Config rules that are compliant and noncompliant, up to a maximum of 25 for each. /// - /// - Parameter GetComplianceSummaryByConfigRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComplianceSummaryByConfigRuleInput`) /// - /// - Returns: `GetComplianceSummaryByConfigRuleOutput` : + /// - Returns: (Type: `GetComplianceSummaryByConfigRuleOutput`) public func getComplianceSummaryByConfigRule(input: GetComplianceSummaryByConfigRuleInput) async throws -> GetComplianceSummaryByConfigRuleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4691,7 +4637,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComplianceSummaryByConfigRuleOutput.httpOutput(from:), GetComplianceSummaryByConfigRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4726,9 +4671,9 @@ extension ConfigClient { /// /// Returns the number of resources that are compliant and the number that are noncompliant. You can specify one or more resource types to get these numbers for each resource type. The maximum number returned is 100. /// - /// - Parameter GetComplianceSummaryByResourceTypeInput : + /// - Parameter input: (Type: `GetComplianceSummaryByResourceTypeInput`) /// - /// - Returns: `GetComplianceSummaryByResourceTypeOutput` : + /// - Returns: (Type: `GetComplianceSummaryByResourceTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4760,7 +4705,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComplianceSummaryByResourceTypeOutput.httpOutput(from:), GetComplianceSummaryByResourceTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4795,9 +4739,9 @@ extension ConfigClient { /// /// Returns compliance details of a conformance pack for all Amazon Web Services resources that are monitered by conformance pack. /// - /// - Parameter GetConformancePackComplianceDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConformancePackComplianceDetailsInput`) /// - /// - Returns: `GetConformancePackComplianceDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConformancePackComplianceDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4833,7 +4777,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConformancePackComplianceDetailsOutput.httpOutput(from:), GetConformancePackComplianceDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4868,9 +4811,9 @@ extension ConfigClient { /// /// Returns compliance details for the conformance pack based on the cumulative compliance results of all the rules in that conformance pack. /// - /// - Parameter GetConformancePackComplianceSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConformancePackComplianceSummaryInput`) /// - /// - Returns: `GetConformancePackComplianceSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConformancePackComplianceSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4904,7 +4847,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConformancePackComplianceSummaryOutput.httpOutput(from:), GetConformancePackComplianceSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4939,9 +4881,9 @@ extension ConfigClient { /// /// Returns the policy definition containing the logic for your Config Custom Policy rule. /// - /// - Parameter GetCustomRulePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCustomRulePolicyInput`) /// - /// - Returns: `GetCustomRulePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCustomRulePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4973,7 +4915,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomRulePolicyOutput.httpOutput(from:), GetCustomRulePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5033,9 +4974,9 @@ extension ConfigClient { /// /// It might take a few minutes for Config to record and count your resources. Wait a few minutes and then retry the [GetDiscoveredResourceCounts] action. /// - /// - Parameter GetDiscoveredResourceCountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDiscoveredResourceCountsInput`) /// - /// - Returns: `GetDiscoveredResourceCountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDiscoveredResourceCountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5091,7 +5032,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDiscoveredResourceCountsOutput.httpOutput(from:), GetDiscoveredResourceCountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5126,9 +5066,9 @@ extension ConfigClient { /// /// Returns detailed status for each member account within an organization for a given organization Config rule. /// - /// - Parameter GetOrganizationConfigRuleDetailedStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOrganizationConfigRuleDetailedStatusInput`) /// - /// - Returns: `GetOrganizationConfigRuleDetailedStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOrganizationConfigRuleDetailedStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5174,7 +5114,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOrganizationConfigRuleDetailedStatusOutput.httpOutput(from:), GetOrganizationConfigRuleDetailedStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5209,9 +5148,9 @@ extension ConfigClient { /// /// Returns detailed status for each member account within an organization for a given organization conformance pack. /// - /// - Parameter GetOrganizationConformancePackDetailedStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOrganizationConformancePackDetailedStatusInput`) /// - /// - Returns: `GetOrganizationConformancePackDetailedStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOrganizationConformancePackDetailedStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5257,7 +5196,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOrganizationConformancePackDetailedStatusOutput.httpOutput(from:), GetOrganizationConformancePackDetailedStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5292,9 +5230,9 @@ extension ConfigClient { /// /// Returns the policy definition containing the logic for your organization Config Custom Policy rule. /// - /// - Parameter GetOrganizationCustomRulePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOrganizationCustomRulePolicyInput`) /// - /// - Returns: `GetOrganizationCustomRulePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOrganizationCustomRulePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5338,7 +5276,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOrganizationCustomRulePolicyOutput.httpOutput(from:), GetOrganizationCustomRulePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5373,9 +5310,9 @@ extension ConfigClient { /// /// For accurate reporting on the compliance status, you must record the AWS::Config::ResourceCompliance resource type. For more information, see [Recording Amazon Web Services Resources](https://docs.aws.amazon.com/config/latest/developerguide/select-resources.html) in the Config Resources Developer Guide. Returns a list of configurations items (CIs) for the specified resource. Contents The list contains details about each state of the resource during the specified time interval. If you specified a retention period to retain your CIs between a minimum of 30 days and a maximum of 7 years (2557 days), Config returns the CIs for the specified retention period. Pagination The response is paginated. By default, Config returns a limit of 10 configuration items per page. You can customize this number with the limit parameter. The response includes a nextToken string. To get the next page of results, run the request again and specify the string for the nextToken parameter. Each call to the API is limited to span a duration of seven days. It is likely that the number of records returned is smaller than the specified limit. In such cases, you can make another call, using the nextToken. /// - /// - Parameter GetResourceConfigHistoryInput : The input for the [GetResourceConfigHistory] action. + /// - Parameter input: The input for the [GetResourceConfigHistory] action. (Type: `GetResourceConfigHistoryInput`) /// - /// - Returns: `GetResourceConfigHistoryOutput` : The output for the [GetResourceConfigHistory] action. + /// - Returns: The output for the [GetResourceConfigHistory] action. (Type: `GetResourceConfigHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5434,7 +5371,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceConfigHistoryOutput.httpOutput(from:), GetResourceConfigHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5469,9 +5405,9 @@ extension ConfigClient { /// /// Returns a summary of resource evaluation for the specified resource evaluation ID from the proactive rules that were run. The results indicate which evaluation context was used to evaluate the rules, which resource details were evaluated, the evaluation mode that was run, and whether the resource details comply with the configuration of the proactive rules. To see additional information about the evaluation result, such as which rule flagged a resource as NON_COMPLIANT, use the [GetComplianceDetailsByResource](https://docs.aws.amazon.com/config/latest/APIReference/API_GetComplianceDetailsByResource.html) API. For more information, see the [Examples](https://docs.aws.amazon.com/config/latest/APIReference/API_GetResourceEvaluationSummary.html#API_GetResourceEvaluationSummary_Examples) section. /// - /// - Parameter GetResourceEvaluationSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceEvaluationSummaryInput`) /// - /// - Returns: `GetResourceEvaluationSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceEvaluationSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5503,7 +5439,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceEvaluationSummaryOutput.httpOutput(from:), GetResourceEvaluationSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5538,9 +5473,9 @@ extension ConfigClient { /// /// Returns the details of a specific stored query. /// - /// - Parameter GetStoredQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStoredQueryInput`) /// - /// - Returns: `GetStoredQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStoredQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5595,7 +5530,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStoredQueryOutput.httpOutput(from:), GetStoredQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5630,9 +5564,9 @@ extension ConfigClient { /// /// Accepts a resource type and returns a list of resource identifiers that are aggregated for a specific resource type across accounts and regions. A resource identifier includes the resource type, ID, (if available) the custom resource name, source account, and source region. You can narrow the results to include only resources that have specific resource IDs, or a resource name, or source account ID, or source region. For example, if the input consists of accountID 12345678910 and the region is us-east-1 for resource type AWS::EC2::Instance then the API returns all the EC2 instance identifiers of accountID 12345678910 and region us-east-1. /// - /// - Parameter ListAggregateDiscoveredResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAggregateDiscoveredResourcesInput`) /// - /// - Returns: `ListAggregateDiscoveredResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAggregateDiscoveredResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5689,7 +5623,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAggregateDiscoveredResourcesOutput.httpOutput(from:), ListAggregateDiscoveredResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5724,9 +5657,9 @@ extension ConfigClient { /// /// Returns a list of configuration recorders depending on the filters you specify. /// - /// - Parameter ListConfigurationRecordersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationRecordersInput`) /// - /// - Returns: `ListConfigurationRecordersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationRecordersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5780,7 +5713,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationRecordersOutput.httpOutput(from:), ListConfigurationRecordersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5815,9 +5747,9 @@ extension ConfigClient { /// /// Returns a list of conformance pack compliance scores. A compliance score is the percentage of the number of compliant rule-resource combinations in a conformance pack compared to the number of total possible rule-resource combinations in the conformance pack. This metric provides you with a high-level view of the compliance state of your conformance packs. You can use it to identify, investigate, and understand the level of compliance in your conformance packs. Conformance packs with no evaluation results will have a compliance score of INSUFFICIENT_DATA. /// - /// - Parameter ListConformancePackComplianceScoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConformancePackComplianceScoresInput`) /// - /// - Returns: `ListConformancePackComplianceScoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConformancePackComplianceScoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5851,7 +5783,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConformancePackComplianceScoresOutput.httpOutput(from:), ListConformancePackComplianceScoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5901,9 +5832,9 @@ extension ConfigClient { /// /// Because no CI is created for a failed stack creation, you won't see configuration history for that stack in Config, even after the stack is deleted. This helps make sure that Config only tracks resources that were successfully provisioned. /// - /// - Parameter ListDiscoveredResourcesInput : + /// - Parameter input: (Type: `ListDiscoveredResourcesInput`) /// - /// - Returns: `ListDiscoveredResourcesOutput` : + /// - Returns: (Type: `ListDiscoveredResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5960,7 +5891,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDiscoveredResourcesOutput.httpOutput(from:), ListDiscoveredResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5995,9 +5925,9 @@ extension ConfigClient { /// /// Returns a list of proactive resource evaluations. /// - /// - Parameter ListResourceEvaluationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceEvaluationsInput`) /// - /// - Returns: `ListResourceEvaluationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceEvaluationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6031,7 +5961,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceEvaluationsOutput.httpOutput(from:), ListResourceEvaluationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6066,9 +5995,9 @@ extension ConfigClient { /// /// Lists the stored queries for a single Amazon Web Services account and a single Amazon Web Services Region. The default is 100. /// - /// - Parameter ListStoredQueriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStoredQueriesInput`) /// - /// - Returns: `ListStoredQueriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStoredQueriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6123,7 +6052,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStoredQueriesOutput.httpOutput(from:), ListStoredQueriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6158,9 +6086,9 @@ extension ConfigClient { /// /// List the tags for Config resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6217,7 +6145,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6252,9 +6179,9 @@ extension ConfigClient { /// /// Authorizes the aggregator account and region to collect data from the source account and region. Tags are added at creation and cannot be updated with this operation PutAggregationAuthorization is an idempotent API. Subsequent requests won’t create a duplicate resource if one was already created. If a following request has different tags values, Config will ignore these differences and treat it as an idempotent request of the previous. In this case, tags will not be updated, even if they are different. Use [TagResource](https://docs.aws.amazon.com/config/latest/APIReference/API_TagResource.html) and [UntagResource](https://docs.aws.amazon.com/config/latest/APIReference/API_UntagResource.html) to update tags after creation. /// - /// - Parameter PutAggregationAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAggregationAuthorizationInput`) /// - /// - Returns: `PutAggregationAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAggregationAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6286,7 +6213,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAggregationAuthorizationOutput.httpOutput(from:), PutAggregationAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6321,9 +6247,9 @@ extension ConfigClient { /// /// Adds or updates an Config rule to evaluate if your Amazon Web Services resources comply with your desired configurations. For information on how many Config rules you can have per account, see [ Service Limits ](https://docs.aws.amazon.com/config/latest/developerguide/configlimits.html) in the Config Developer Guide. There are two types of rules: Config Managed Rules and Config Custom Rules. You can use PutConfigRule to create both Config Managed Rules and Config Custom Rules. Config Managed Rules are predefined, customizable rules created by Config. For a list of managed rules, see [List of Config Managed Rules](https://docs.aws.amazon.com/config/latest/developerguide/managed-rules-by-aws-config.html). If you are adding an Config managed rule, you must specify the rule's identifier for the SourceIdentifier key. Config Custom Rules are rules that you create from scratch. There are two ways to create Config custom rules: with Lambda functions ([ Lambda Developer Guide](https://docs.aws.amazon.com/config/latest/developerguide/gettingstarted-concepts.html#gettingstarted-concepts-function)) and with Guard ([Guard GitHub Repository](https://github.com/aws-cloudformation/cloudformation-guard)), a policy-as-code language. Config custom rules created with Lambda are called Config Custom Lambda Rules and Config custom rules created with Guard are called Config Custom Policy Rules. If you are adding a new Config Custom Lambda rule, you first need to create an Lambda function that the rule invokes to evaluate your resources. When you use PutConfigRule to add a Custom Lambda rule to Config, you must specify the Amazon Resource Name (ARN) that Lambda assigns to the function. You specify the ARN in the SourceIdentifier key. This key is part of the Source object, which is part of the ConfigRule object. For any new Config rule that you add, specify the ConfigRuleName in the ConfigRule object. Do not specify the ConfigRuleArn or the ConfigRuleId. These values are generated by Config for new rules. If you are updating a rule that you added previously, you can specify the rule by ConfigRuleName, ConfigRuleId, or ConfigRuleArn in the ConfigRule data type that you use in this request. For more information about developing and using Config rules, see [Evaluating Resources with Config Rules](https://docs.aws.amazon.com/config/latest/developerguide/evaluate-config.html) in the Config Developer Guide. Tags are added at creation and cannot be updated with this operation PutConfigRule is an idempotent API. Subsequent requests won’t create a duplicate resource if one was already created. If a following request has different tags values, Config will ignore these differences and treat it as an idempotent request of the previous. In this case, tags will not be updated, even if they are different. Use [TagResource](https://docs.aws.amazon.com/config/latest/APIReference/API_TagResource.html) and [UntagResource](https://docs.aws.amazon.com/config/latest/APIReference/API_UntagResource.html) to update tags after creation. /// - /// - Parameter PutConfigRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutConfigRuleInput`) /// - /// - Returns: `PutConfigRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutConfigRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6390,7 +6316,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigRuleOutput.httpOutput(from:), PutConfigRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6425,9 +6350,9 @@ extension ConfigClient { /// /// Creates and updates the configuration aggregator with the selected source accounts and regions. The source account can be individual account(s) or an organization. accountIds that are passed will be replaced with existing accounts. If you want to add additional accounts into the aggregator, call DescribeConfigurationAggregators to get the previous accounts and then append new ones. Config should be enabled in source accounts and regions you want to aggregate. If your source type is an organization, you must be signed in to the management account or a registered delegated administrator and all the features must be enabled in your organization. If the caller is a management account, Config calls EnableAwsServiceAccess API to enable integration between Config and Organizations. If the caller is a registered delegated administrator, Config calls ListDelegatedAdministrators API to verify whether the caller is a valid delegated administrator. To register a delegated administrator, see [Register a Delegated Administrator](https://docs.aws.amazon.com/config/latest/developerguide/set-up-aggregator-cli.html#register-a-delegated-administrator-cli) in the Config developer guide. Tags are added at creation and cannot be updated with this operation PutConfigurationAggregator is an idempotent API. Subsequent requests won’t create a duplicate resource if one was already created. If a following request has different tags values, Config will ignore these differences and treat it as an idempotent request of the previous. In this case, tags will not be updated, even if they are different. Use [TagResource](https://docs.aws.amazon.com/config/latest/APIReference/API_TagResource.html) and [UntagResource](https://docs.aws.amazon.com/config/latest/APIReference/API_UntagResource.html) to update tags after creation. /// - /// - Parameter PutConfigurationAggregatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutConfigurationAggregatorInput`) /// - /// - Returns: `PutConfigurationAggregatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutConfigurationAggregatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6475,7 +6400,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationAggregatorOutput.httpOutput(from:), PutConfigurationAggregatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6510,9 +6434,9 @@ extension ConfigClient { /// /// Creates or updates the customer managed configuration recorder. You can use this operation to create a new customer managed configuration recorder or to update the roleARN and the recordingGroup for an existing customer managed configuration recorder. To start the customer managed configuration recorder and begin recording configuration changes for the resource types you specify, use the [StartConfigurationRecorder](https://docs.aws.amazon.com/config/latest/APIReference/API_StartConfigurationRecorder.html) operation. For more information, see [ Working with the Configuration Recorder ](https://docs.aws.amazon.com/config/latest/developerguide/stop-start-recorder.html) in the Config Developer Guide. One customer managed configuration recorder per account per Region You can create only one customer managed configuration recorder for each account for each Amazon Web Services Region. Default is to record all supported resource types, excluding the global IAM resource types If you have not specified values for the recordingGroup field, the default for the customer managed configuration recorder is to record all supported resource types, excluding the global IAM resource types: AWS::IAM::Group, AWS::IAM::Policy, AWS::IAM::Role, and AWS::IAM::User. Tags are added at creation and cannot be updated PutConfigurationRecorder is an idempotent API. Subsequent requests won’t create a duplicate resource if one was already created. If a following request has different tags values, Config will ignore these differences and treat it as an idempotent request of the previous. In this case, tags will not be updated, even if they are different. Use [TagResource](https://docs.aws.amazon.com/config/latest/APIReference/API_TagResource.html) and [UntagResource](https://docs.aws.amazon.com/config/latest/APIReference/API_UntagResource.html) to update tags after creation. /// - /// - Parameter PutConfigurationRecorderInput : The input for the [PutConfigurationRecorder] action. + /// - Parameter input: The input for the [PutConfigurationRecorder] action. (Type: `PutConfigurationRecorderInput`) /// - /// - Returns: `PutConfigurationRecorderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutConfigurationRecorderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6586,7 +6510,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationRecorderOutput.httpOutput(from:), PutConfigurationRecorderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6621,9 +6544,9 @@ extension ConfigClient { /// /// Creates or updates a conformance pack. A conformance pack is a collection of Config rules that can be easily deployed in an account and a region and across an organization. For information on how many conformance packs you can have per account, see [ Service Limits ](https://docs.aws.amazon.com/config/latest/developerguide/configlimits.html) in the Config Developer Guide. When you use PutConformancePack to deploy conformance packs in your account, the operation can create Config rules and remediation actions without requiring config:PutConfigRule or config:PutRemediationConfigurations permissions in your account IAM policies. This API uses the AWSServiceRoleForConfigConforms service-linked role in your account to create conformance pack resources. This service-linked role includes the permissions to create Config rules and remediation configurations, even if your account IAM policies explicitly deny these actions. This API creates a service-linked role AWSServiceRoleForConfigConforms in your account. The service-linked role is created only when the role does not exist in your account. You must specify only one of the follow parameters: TemplateS3Uri, TemplateBody or TemplateSSMDocumentDetails. /// - /// - Parameter PutConformancePackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutConformancePackInput`) /// - /// - Returns: `PutConformancePackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutConformancePackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6690,7 +6613,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConformancePackOutput.httpOutput(from:), PutConformancePackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6725,9 +6647,9 @@ extension ConfigClient { /// /// Creates or updates a delivery channel to deliver configuration information and other compliance information. You can use this operation to create a new delivery channel or to update the Amazon S3 bucket and the Amazon SNS topic of an existing delivery channel. For more information, see [ Working with the Delivery Channel ](https://docs.aws.amazon.com/config/latest/developerguide/manage-delivery-channel.html) in the Config Developer Guide. One delivery channel per account per Region You can have only one delivery channel for each account for each Amazon Web Services Region. /// - /// - Parameter PutDeliveryChannelInput : The input for the [PutDeliveryChannel] action. + /// - Parameter input: The input for the [PutDeliveryChannel] action. (Type: `PutDeliveryChannelInput`) /// - /// - Returns: `PutDeliveryChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDeliveryChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6766,7 +6688,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDeliveryChannelOutput.httpOutput(from:), PutDeliveryChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6801,9 +6722,9 @@ extension ConfigClient { /// /// Used by an Lambda function to deliver evaluation results to Config. This operation is required in every Lambda function that is invoked by an Config rule. /// - /// - Parameter PutEvaluationsInput : + /// - Parameter input: (Type: `PutEvaluationsInput`) /// - /// - Returns: `PutEvaluationsOutput` : + /// - Returns: (Type: `PutEvaluationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6837,7 +6758,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEvaluationsOutput.httpOutput(from:), PutEvaluationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6872,9 +6792,9 @@ extension ConfigClient { /// /// Add or updates the evaluations for process checks. This API checks if the rule is a process check when the name of the Config rule is provided. /// - /// - Parameter PutExternalEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutExternalEvaluationInput`) /// - /// - Returns: `PutExternalEvaluationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutExternalEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6907,7 +6827,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutExternalEvaluationOutput.httpOutput(from:), PutExternalEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6942,9 +6861,9 @@ extension ConfigClient { /// /// Adds or updates an Config rule for your entire organization to evaluate if your Amazon Web Services resources comply with your desired configurations. For information on how many organization Config rules you can have per account, see [ Service Limits ](https://docs.aws.amazon.com/config/latest/developerguide/configlimits.html) in the Config Developer Guide. Only a management account and a delegated administrator can create or update an organization Config rule. When calling this API with a delegated administrator, you must ensure Organizations ListDelegatedAdministrator permissions are added. An organization can have up to 3 delegated administrators. This API enables organization service access through the EnableAWSServiceAccess action and creates a service-linked role AWSServiceRoleForConfigMultiAccountSetup in the management or delegated administrator account of your organization. The service-linked role is created only when the role does not exist in the caller account. Config verifies the existence of role with GetRole action. To use this API with delegated administrator, register a delegated administrator by calling Amazon Web Services Organization register-delegated-administrator for config-multiaccountsetup.amazonaws.com. There are two types of rules: Config Managed Rules and Config Custom Rules. You can use PutOrganizationConfigRule to create both Config Managed Rules and Config Custom Rules. Config Managed Rules are predefined, customizable rules created by Config. For a list of managed rules, see [List of Config Managed Rules](https://docs.aws.amazon.com/config/latest/developerguide/managed-rules-by-aws-config.html). If you are adding an Config managed rule, you must specify the rule's identifier for the RuleIdentifier key. Config Custom Rules are rules that you create from scratch. There are two ways to create Config custom rules: with Lambda functions ([ Lambda Developer Guide](https://docs.aws.amazon.com/config/latest/developerguide/gettingstarted-concepts.html#gettingstarted-concepts-function)) and with Guard ([Guard GitHub Repository](https://github.com/aws-cloudformation/cloudformation-guard)), a policy-as-code language. Config custom rules created with Lambda are called Config Custom Lambda Rules and Config custom rules created with Guard are called Config Custom Policy Rules. If you are adding a new Config Custom Lambda rule, you first need to create an Lambda function in the management account or a delegated administrator that the rule invokes to evaluate your resources. You also need to create an IAM role in the managed account that can be assumed by the Lambda function. When you use PutOrganizationConfigRule to add a Custom Lambda rule to Config, you must specify the Amazon Resource Name (ARN) that Lambda assigns to the function. Prerequisite: Ensure you call EnableAllFeatures API to enable all features in an organization. Make sure to specify one of either OrganizationCustomPolicyRuleMetadata for Custom Policy rules, OrganizationCustomRuleMetadata for Custom Lambda rules, or OrganizationManagedRuleMetadata for managed rules. /// - /// - Parameter PutOrganizationConfigRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutOrganizationConfigRuleInput`) /// - /// - Returns: `PutOrganizationConfigRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutOrganizationConfigRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7047,7 +6966,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutOrganizationConfigRuleOutput.httpOutput(from:), PutOrganizationConfigRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7082,9 +7000,9 @@ extension ConfigClient { /// /// Deploys conformance packs across member accounts in an Amazon Web Services Organization. For information on how many organization conformance packs and how many Config rules you can have per account, see [ Service Limits ](https://docs.aws.amazon.com/config/latest/developerguide/configlimits.html) in the Config Developer Guide. Only a management account and a delegated administrator can call this API. When calling this API with a delegated administrator, you must ensure Organizations ListDelegatedAdministrator permissions are added. An organization can have up to 3 delegated administrators. When you use PutOrganizationConformancePack to deploy conformance packs across member accounts, the operation can create Config rules and remediation actions without requiring config:PutConfigRule or config:PutRemediationConfigurations permissions in member account IAM policies. This API uses the AWSServiceRoleForConfigConforms service-linked role in each member account to create conformance pack resources. This service-linked role includes the permissions to create Config rules and remediation configurations, even if member account IAM policies explicitly deny these actions. This API enables organization service access for config-multiaccountsetup.amazonaws.com through the EnableAWSServiceAccess action and creates a service-linked role AWSServiceRoleForConfigMultiAccountSetup in the management or delegated administrator account of your organization. The service-linked role is created only when the role does not exist in the caller account. To use this API with delegated administrator, register a delegated administrator by calling Amazon Web Services Organization register-delegate-admin for config-multiaccountsetup.amazonaws.com. Prerequisite: Ensure you call EnableAllFeatures API to enable all features in an organization. You must specify either the TemplateS3Uri or the TemplateBody parameter, but not both. If you provide both Config uses the TemplateS3Uri parameter and ignores the TemplateBody parameter. Config sets the state of a conformance pack to CREATE_IN_PROGRESS and UPDATE_IN_PROGRESS until the conformance pack is created or updated. You cannot update a conformance pack while it is in this state. /// - /// - Parameter PutOrganizationConformancePackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutOrganizationConformancePackInput`) /// - /// - Returns: `PutOrganizationConformancePackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutOrganizationConformancePackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7187,7 +7105,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutOrganizationConformancePackOutput.httpOutput(from:), PutOrganizationConformancePackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7222,9 +7139,9 @@ extension ConfigClient { /// /// Adds or updates the remediation configuration with a specific Config rule with the selected target or action. The API creates the RemediationConfiguration object for the Config rule. The Config rule must already exist for you to add a remediation configuration. The target (SSM document) must exist and have permissions to use the target. Be aware of backward incompatible changes If you make backward incompatible changes to the SSM document, you must call this again to ensure the remediations can run. This API does not support adding remediation configurations for service-linked Config Rules such as Organization Config rules, the rules deployed by conformance packs, and rules deployed by Amazon Web Services Security Hub. Required fields For manual remediation configuration, you need to provide a value for automationAssumeRole or use a value in the assumeRolefield to remediate your resources. The SSM automation document can use either as long as it maps to a valid parameter. However, for automatic remediation configuration, the only valid assumeRole field value is AutomationAssumeRole and you need to provide a value for AutomationAssumeRole to remediate your resources. Auto remediation can be initiated even for compliant resources If you enable auto remediation for a specific Config rule using the [PutRemediationConfigurations](https://docs.aws.amazon.com/config/latest/APIReference/emAPI_PutRemediationConfigurations.html) API or the Config console, it initiates the remediation process for all non-compliant resources for that specific rule. The auto remediation process relies on the compliance data snapshot which is captured on a periodic basis. Any non-compliant resource that is updated between the snapshot schedule will continue to be remediated based on the last known compliance data snapshot. This means that in some cases auto remediation can be initiated even for compliant resources, since the bootstrap processor uses a database that can have stale evaluation results based on the last known compliance data snapshot. /// - /// - Parameter PutRemediationConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRemediationConfigurationsInput`) /// - /// - Returns: `PutRemediationConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRemediationConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7274,7 +7191,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRemediationConfigurationsOutput.httpOutput(from:), PutRemediationConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7309,9 +7225,9 @@ extension ConfigClient { /// /// A remediation exception is when a specified resource is no longer considered for auto-remediation. This API adds a new exception or updates an existing exception for a specified resource with a specified Config rule. Exceptions block auto remediation Config generates a remediation exception when a problem occurs running a remediation action for a specified resource. Remediation exceptions blocks auto-remediation until the exception is cleared. Manual remediation is recommended when placing an exception When placing an exception on an Amazon Web Services resource, it is recommended that remediation is set as manual remediation until the given Config rule for the specified resource evaluates the resource as NON_COMPLIANT. Once the resource has been evaluated as NON_COMPLIANT, you can add remediation exceptions and change the remediation type back from Manual to Auto if you want to use auto-remediation. Otherwise, using auto-remediation before a NON_COMPLIANT evaluation result can delete resources before the exception is applied. Exceptions can only be performed on non-compliant resources Placing an exception can only be performed on resources that are NON_COMPLIANT. If you use this API for COMPLIANT resources or resources that are NOT_APPLICABLE, a remediation exception will not be generated. For more information on the conditions that initiate the possible Config evaluation results, see [Concepts | Config Rules](https://docs.aws.amazon.com/config/latest/developerguide/config-concepts.html#aws-config-rules) in the Config Developer Guide. Exceptions cannot be placed on service-linked remediation actions You cannot place an exception on service-linked remediation actions, such as remediation actions put by an organizational conformance pack. Auto remediation can be initiated even for compliant resources If you enable auto remediation for a specific Config rule using the [PutRemediationConfigurations](https://docs.aws.amazon.com/config/latest/APIReference/emAPI_PutRemediationConfigurations.html) API or the Config console, it initiates the remediation process for all non-compliant resources for that specific rule. The auto remediation process relies on the compliance data snapshot which is captured on a periodic basis. Any non-compliant resource that is updated between the snapshot schedule will continue to be remediated based on the last known compliance data snapshot. This means that in some cases auto remediation can be initiated even for compliant resources, since the bootstrap processor uses a database that can have stale evaluation results based on the last known compliance data snapshot. /// - /// - Parameter PutRemediationExceptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRemediationExceptionsInput`) /// - /// - Returns: `PutRemediationExceptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRemediationExceptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7361,7 +7277,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRemediationExceptionsOutput.httpOutput(from:), PutRemediationExceptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7396,9 +7311,9 @@ extension ConfigClient { /// /// Records the configuration state for the resource provided in the request. The configuration state of a resource is represented in Config as Configuration Items. Once this API records the configuration item, you can retrieve the list of configuration items for the custom resource type using existing Config APIs. The custom resource type must be registered with CloudFormation. This API accepts the configuration item registered with CloudFormation. When you call this API, Config only stores configuration state of the resource provided in the request. This API does not change or remediate the configuration of the resource. Write-only schema properites are not recorded as part of the published configuration item. /// - /// - Parameter PutResourceConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourceConfigInput`) /// - /// - Returns: `PutResourceConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7472,7 +7387,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourceConfigOutput.httpOutput(from:), PutResourceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7507,9 +7421,9 @@ extension ConfigClient { /// /// Creates and updates the retention configuration with details about retention period (number of days) that Config stores your historical information. The API creates the RetentionConfiguration object and names the object as default. When you have a RetentionConfiguration object named default, calling the API modifies the default object. Currently, Config supports only one retention configuration per region in your account. /// - /// - Parameter PutRetentionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRetentionConfigurationInput`) /// - /// - Returns: `PutRetentionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRetentionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7542,7 +7456,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRetentionConfigurationOutput.httpOutput(from:), PutRetentionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7577,9 +7490,9 @@ extension ConfigClient { /// /// Creates a service-linked configuration recorder that is linked to a specific Amazon Web Services service based on the ServicePrincipal you specify. The configuration recorder's name, recordingGroup, recordingMode, and recordingScope is set by the service that is linked to the configuration recorder. For more information and a list of supported services/service principals, see [ Working with the Configuration Recorder ](https://docs.aws.amazon.com/config/latest/developerguide/stop-start-recorder.html) in the Config Developer Guide. This API creates a service-linked role AWSServiceRoleForConfig in your account. The service-linked role is created only when the role does not exist in your account. The recording scope determines if you receive configuration items The recording scope is set by the service that is linked to the configuration recorder and determines whether you receive configuration items (CIs) in the delivery channel. If the recording scope is internal, you will not receive CIs in the delivery channel. Tags are added at creation and cannot be updated with this operation Use [TagResource](https://docs.aws.amazon.com/config/latest/APIReference/API_TagResource.html) and [UntagResource](https://docs.aws.amazon.com/config/latest/APIReference/API_UntagResource.html) to update tags after creation. /// - /// - Parameter PutServiceLinkedConfigurationRecorderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutServiceLinkedConfigurationRecorderInput`) /// - /// - Returns: `PutServiceLinkedConfigurationRecorderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutServiceLinkedConfigurationRecorderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7657,7 +7570,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutServiceLinkedConfigurationRecorderOutput.httpOutput(from:), PutServiceLinkedConfigurationRecorderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7692,9 +7604,9 @@ extension ConfigClient { /// /// Saves a new query or updates an existing saved query. The QueryName must be unique for a single Amazon Web Services account and a single Amazon Web Services Region. You can create upto 300 queries in a single Amazon Web Services account and a single Amazon Web Services Region. Tags are added at creation and cannot be updated PutStoredQuery is an idempotent API. Subsequent requests won’t create a duplicate resource if one was already created. If a following request has different tags values, Config will ignore these differences and treat it as an idempotent request of the previous. In this case, tags will not be updated, even if they are different. /// - /// - Parameter PutStoredQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutStoredQueryInput`) /// - /// - Returns: `PutStoredQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutStoredQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7750,7 +7662,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutStoredQueryOutput.httpOutput(from:), PutStoredQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7785,9 +7696,9 @@ extension ConfigClient { /// /// Accepts a structured query language (SQL) SELECT command and an aggregator to query configuration state of Amazon Web Services resources across multiple accounts and regions, performs the corresponding search, and returns resource configurations matching the properties. For more information about query components, see the [ Query Components ](https://docs.aws.amazon.com/config/latest/developerguide/query-components.html) section in the Config Developer Guide. If you run an aggregation query (i.e., using GROUP BY or using aggregate functions such as COUNT; e.g., SELECT resourceId, COUNT(*) WHERE resourceType = 'AWS::IAM::Role' GROUP BY resourceId) and do not specify the MaxResults or the Limit query parameters, the default page size is set to 500. If you run a non-aggregation query (i.e., not using GROUP BY or aggregate function; e.g., SELECT * WHERE resourceType = 'AWS::IAM::Role') and do not specify the MaxResults or the Limit query parameters, the default page size is set to 25. /// - /// - Parameter SelectAggregateResourceConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SelectAggregateResourceConfigInput`) /// - /// - Returns: `SelectAggregateResourceConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SelectAggregateResourceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7822,7 +7733,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SelectAggregateResourceConfigOutput.httpOutput(from:), SelectAggregateResourceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7857,9 +7767,9 @@ extension ConfigClient { /// /// Accepts a structured query language (SQL) SELECT command, performs the corresponding search, and returns resource configurations matching the properties. For more information about query components, see the [ Query Components ](https://docs.aws.amazon.com/config/latest/developerguide/query-components.html) section in the Config Developer Guide. /// - /// - Parameter SelectResourceConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SelectResourceConfigInput`) /// - /// - Returns: `SelectResourceConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SelectResourceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7893,7 +7803,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SelectResourceConfigOutput.httpOutput(from:), SelectResourceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7938,9 +7847,9 @@ extension ConfigClient { /// /// * Your custom rule will still run periodic evaluations every 24 hours. /// - /// - Parameter StartConfigRulesEvaluationInput : + /// - Parameter input: (Type: `StartConfigRulesEvaluationInput`) /// - /// - Returns: `StartConfigRulesEvaluationOutput` : The output when you start the evaluation for the specified Config rule. + /// - Returns: The output when you start the evaluation for the specified Config rule. (Type: `StartConfigRulesEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7989,7 +7898,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartConfigRulesEvaluationOutput.httpOutput(from:), StartConfigRulesEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8024,9 +7932,9 @@ extension ConfigClient { /// /// Starts the customer managed configuration recorder. The customer managed configuration recorder will begin recording configuration changes for the resource types you specify. You must have created a delivery channel to successfully start the customer managed configuration recorder. You can use the [PutDeliveryChannel](https://docs.aws.amazon.com/config/latest/APIReference/API_PutDeliveryChannel.html) operation to create a delivery channel. /// - /// - Parameter StartConfigurationRecorderInput : The input for the [StartConfigurationRecorder] operation. + /// - Parameter input: The input for the [StartConfigurationRecorder] operation. (Type: `StartConfigurationRecorderInput`) /// - /// - Returns: `StartConfigurationRecorderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartConfigurationRecorderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8060,7 +7968,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartConfigurationRecorderOutput.httpOutput(from:), StartConfigurationRecorderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8095,9 +8002,9 @@ extension ConfigClient { /// /// Runs an on-demand remediation for the specified Config rules against the last known remediation configuration. It runs an execution against the current state of your resources. Remediation execution is asynchronous. You can specify up to 100 resource keys per request. An existing StartRemediationExecution call for the specified resource keys must complete before you can call the API again. /// - /// - Parameter StartRemediationExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRemediationExecutionInput`) /// - /// - Returns: `StartRemediationExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRemediationExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8148,7 +8055,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRemediationExecutionOutput.httpOutput(from:), StartRemediationExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8183,9 +8089,9 @@ extension ConfigClient { /// /// Runs an on-demand evaluation for the specified resource to determine whether the resource details will comply with configured Config rules. You can also use it for evaluation purposes. Config recommends using an evaluation context. It runs an execution against the resource details with all of the Config rules in your account that match with the specified proactive mode and resource type. Ensure you have the cloudformation:DescribeType role setup to validate the resource type schema. You can find the [Resource type schema](https://docs.aws.amazon.com/cloudformation-cli/latest/userguide/resource-type-schema.html) in "Amazon Web Services public extensions" within the CloudFormation registry or with the following CLI commmand: aws cloudformation describe-type --type-name "AWS::S3::Bucket" --type RESOURCE. For more information, see [Managing extensions through the CloudFormation registry](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/registry.html#registry-view) and [Amazon Web Services resource and property types reference](https://docs.aws.amazon.com/AWSCloudFormation/latest/UserGuide/aws-template-resource-type-ref.html) in the CloudFormation User Guide. /// - /// - Parameter StartResourceEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartResourceEvaluationInput`) /// - /// - Returns: `StartResourceEvaluationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartResourceEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8218,7 +8124,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartResourceEvaluationOutput.httpOutput(from:), StartResourceEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8253,9 +8158,9 @@ extension ConfigClient { /// /// Stops the customer managed configuration recorder. The customer managed configuration recorder will stop recording configuration changes for the resource types you have specified. /// - /// - Parameter StopConfigurationRecorderInput : The input for the [StopConfigurationRecorder] operation. + /// - Parameter input: The input for the [StopConfigurationRecorder] operation. (Type: `StopConfigurationRecorderInput`) /// - /// - Returns: `StopConfigurationRecorderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopConfigurationRecorderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8288,7 +8193,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopConfigurationRecorderOutput.httpOutput(from:), StopConfigurationRecorderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8323,9 +8227,9 @@ extension ConfigClient { /// /// Associates the specified tags to a resource with the specified ResourceArn. If existing tags on a resource are not specified in the request parameters, they are not changed. If existing tags are specified, however, then their values will be updated. When a resource is deleted, the tags associated with that resource are deleted as well. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8381,7 +8285,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8416,9 +8319,9 @@ extension ConfigClient { /// /// Deletes specified tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8473,7 +8376,6 @@ extension ConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSConnect/Sources/AWSConnect/ConnectClient.swift b/Sources/Services/AWSConnect/Sources/AWSConnect/ConnectClient.swift index 71e99c91cc3..8a53c8bb402 100644 --- a/Sources/Services/AWSConnect/Sources/AWSConnect/ConnectClient.swift +++ b/Sources/Services/AWSConnect/Sources/AWSConnect/ConnectClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ConnectClient: ClientRuntime.Client { public static let clientName = "ConnectClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ConnectClient.ConnectClientConfiguration let serviceName = "Connect" @@ -375,9 +374,9 @@ extension ConnectClient { /// /// Activates an evaluation form in the specified Amazon Connect instance. After the evaluation form is activated, it is available to start new evaluations based on the form. /// - /// - Parameter ActivateEvaluationFormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateEvaluationFormInput`) /// - /// - Returns: `ActivateEvaluationFormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateEvaluationFormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateEvaluationFormOutput.httpOutput(from:), ActivateEvaluationFormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension ConnectClient { /// /// Associates the specified dataset for a Amazon Connect instance with the target account. You can associate only one dataset in a single call. /// - /// - Parameter AssociateAnalyticsDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAnalyticsDataSetInput`) /// - /// - Returns: `AssociateAnalyticsDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAnalyticsDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAnalyticsDataSetOutput.httpOutput(from:), AssociateAnalyticsDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Associates an approved origin to an Amazon Connect instance. /// - /// - Parameter AssociateApprovedOriginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateApprovedOriginInput`) /// - /// - Returns: `AssociateApprovedOriginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateApprovedOriginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateApprovedOriginOutput.httpOutput(from:), AssociateApprovedOriginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Allows the specified Amazon Connect instance to access the specified Amazon Lex or Amazon Lex V2 bot. /// - /// - Parameter AssociateBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateBotInput`) /// - /// - Returns: `AssociateBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateBotOutput.httpOutput(from:), AssociateBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -687,9 +682,9 @@ extension ConnectClient { /// /// Endpoints: See [Amazon Connect endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/connect_region.html). /// - /// - Parameter AssociateContactWithUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateContactWithUserInput`) /// - /// - Returns: `AssociateContactWithUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateContactWithUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -728,7 +723,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateContactWithUserOutput.httpOutput(from:), AssociateContactWithUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -760,9 +754,9 @@ extension ConnectClient { /// /// Associates an existing vocabulary as the default. Contact Lens for Amazon Connect uses the vocabulary in post-call and real-time analysis sessions for the given language. /// - /// - Parameter AssociateDefaultVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDefaultVocabularyInput`) /// - /// - Returns: `AssociateDefaultVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDefaultVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -800,7 +794,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDefaultVocabularyOutput.httpOutput(from:), AssociateDefaultVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -832,9 +825,9 @@ extension ConnectClient { /// /// Associates a connect resource to a flow. /// - /// - Parameter AssociateFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateFlowInput`) /// - /// - Returns: `AssociateFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -873,7 +866,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateFlowOutput.httpOutput(from:), AssociateFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -905,9 +897,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Associates a storage resource type for the first time. You can only associate one type of storage configuration in a single call. This means, for example, that you can't define an instance with multiple S3 buckets for storing chat transcripts. This API does not create a resource that doesn't exist. It only associates it to the instance. Ensure that the resource being specified in the storage configuration, like an S3 bucket, exists when being used for association. /// - /// - Parameter AssociateInstanceStorageConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateInstanceStorageConfigInput`) /// - /// - Returns: `AssociateInstanceStorageConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateInstanceStorageConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -947,7 +939,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateInstanceStorageConfigOutput.httpOutput(from:), AssociateInstanceStorageConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -979,9 +970,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Allows the specified Amazon Connect instance to access the specified Lambda function. /// - /// - Parameter AssociateLambdaFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateLambdaFunctionInput`) /// - /// - Returns: `AssociateLambdaFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateLambdaFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1022,7 +1013,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateLambdaFunctionOutput.httpOutput(from:), AssociateLambdaFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1044,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Allows the specified Amazon Connect instance to access the specified Amazon Lex V1 bot. This API only supports the association of Amazon Lex V1 bots. /// - /// - Parameter AssociateLexBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateLexBotInput`) /// - /// - Returns: `AssociateLexBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateLexBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1097,7 +1087,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateLexBotOutput.httpOutput(from:), AssociateLexBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1129,9 +1118,9 @@ extension ConnectClient { /// /// Associates a flow with a phone number claimed to your Amazon Connect instance. If the number is claimed to a traffic distribution group, and you are calling this API using an instance in the Amazon Web Services Region where the traffic distribution group was created, you can use either a full phone number ARN or UUID value for the PhoneNumberId URI request parameter. However, if the number is claimed to a traffic distribution group and you are calling this API using an instance in the alternate Amazon Web Services Region associated with the traffic distribution group, you must provide a full phone number ARN. If a UUID is provided in this scenario, you will receive a ResourceNotFoundException. /// - /// - Parameter AssociatePhoneNumberContactFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociatePhoneNumberContactFlowInput`) /// - /// - Returns: `AssociatePhoneNumberContactFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociatePhoneNumberContactFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1169,7 +1158,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePhoneNumberContactFlowOutput.httpOutput(from:), AssociatePhoneNumberContactFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1201,9 +1189,9 @@ extension ConnectClient { /// /// Associates a set of quick connects with a queue. /// - /// - Parameter AssociateQueueQuickConnectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateQueueQuickConnectsInput`) /// - /// - Returns: `AssociateQueueQuickConnectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateQueueQuickConnectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1242,7 +1230,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateQueueQuickConnectsOutput.httpOutput(from:), AssociateQueueQuickConnectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1274,9 +1261,9 @@ extension ConnectClient { /// /// Associates a set of queues with a routing profile. /// - /// - Parameter AssociateRoutingProfileQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateRoutingProfileQueuesInput`) /// - /// - Returns: `AssociateRoutingProfileQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateRoutingProfileQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1314,7 +1301,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateRoutingProfileQueuesOutput.httpOutput(from:), AssociateRoutingProfileQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1346,9 +1332,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Associates a security key to the instance. /// - /// - Parameter AssociateSecurityKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSecurityKeyInput`) /// - /// - Returns: `AssociateSecurityKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSecurityKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1389,7 +1375,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSecurityKeyOutput.httpOutput(from:), AssociateSecurityKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1421,9 +1406,9 @@ extension ConnectClient { /// /// Associates an agent with a traffic distribution group. This API can be called only in the Region where the traffic distribution group is created. /// - /// - Parameter AssociateTrafficDistributionGroupUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTrafficDistributionGroupUserInput`) /// - /// - Returns: `AssociateTrafficDistributionGroupUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTrafficDistributionGroupUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1462,7 +1447,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTrafficDistributionGroupUserOutput.httpOutput(from:), AssociateTrafficDistributionGroupUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1494,9 +1478,9 @@ extension ConnectClient { /// /// Associates a set of proficiencies with a user. /// - /// - Parameter AssociateUserProficienciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateUserProficienciesInput`) /// - /// - Returns: `AssociateUserProficienciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateUserProficienciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1534,7 +1518,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateUserProficienciesOutput.httpOutput(from:), AssociateUserProficienciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1566,9 +1549,9 @@ extension ConnectClient { /// /// Associates a list of analytics datasets for a given Amazon Connect instance to a target account. You can associate multiple datasets in a single call. /// - /// - Parameter BatchAssociateAnalyticsDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAssociateAnalyticsDataSetInput`) /// - /// - Returns: `BatchAssociateAnalyticsDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateAnalyticsDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1606,7 +1589,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateAnalyticsDataSetOutput.httpOutput(from:), BatchAssociateAnalyticsDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1638,9 +1620,9 @@ extension ConnectClient { /// /// Removes a list of analytics datasets associated with a given Amazon Connect instance. You can disassociate multiple datasets in a single call. /// - /// - Parameter BatchDisassociateAnalyticsDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisassociateAnalyticsDataSetInput`) /// - /// - Returns: `BatchDisassociateAnalyticsDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateAnalyticsDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1678,7 +1660,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateAnalyticsDataSetOutput.httpOutput(from:), BatchDisassociateAnalyticsDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1710,9 +1691,9 @@ extension ConnectClient { /// /// Allows you to retrieve metadata about multiple attached files on an associated resource. Each attached file provided in the input list must be associated with the input AssociatedResourceArn. /// - /// - Parameter BatchGetAttachedFileMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetAttachedFileMetadataInput`) /// - /// - Returns: `BatchGetAttachedFileMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetAttachedFileMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1751,7 +1732,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetAttachedFileMetadataOutput.httpOutput(from:), BatchGetAttachedFileMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1783,9 +1763,9 @@ extension ConnectClient { /// /// Retrieve the flow associations for the given resources. /// - /// - Parameter BatchGetFlowAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetFlowAssociationInput`) /// - /// - Returns: `BatchGetFlowAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetFlowAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1824,7 +1804,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetFlowAssociationOutput.httpOutput(from:), BatchGetFlowAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1856,9 +1835,9 @@ extension ConnectClient { /// /// Only the Amazon Connect outbound campaigns service principal is allowed to assume a role in your account and call this API. Allows you to create a batch of contacts in Amazon Connect. The outbound campaigns capability ingests dial requests via the [PutDialRequestBatch](https://docs.aws.amazon.com/connect-outbound/latest/APIReference/API_PutDialRequestBatch.html) API. It then uses BatchPutContact to create contacts corresponding to those dial requests. If agents are available, the dial requests are dialed out, which results in a voice call. The resulting voice call uses the same contactId that was created by BatchPutContact. /// - /// - Parameter BatchPutContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutContactInput`) /// - /// - Returns: `BatchPutContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1898,7 +1877,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutContactOutput.httpOutput(from:), BatchPutContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1930,9 +1908,9 @@ extension ConnectClient { /// /// Claims an available phone number to your Amazon Connect instance or traffic distribution group. You can call this API only in the same Amazon Web Services Region where the Amazon Connect instance or traffic distribution group was created. For more information about how to use this operation, see [Claim a phone number in your country](https://docs.aws.amazon.com/connect/latest/adminguide/claim-phone-number.html) and [Claim phone numbers to traffic distribution groups](https://docs.aws.amazon.com/connect/latest/adminguide/claim-phone-numbers-traffic-distribution-groups.html) in the Amazon Connect Administrator Guide. You can call the [SearchAvailablePhoneNumbers](https://docs.aws.amazon.com/connect/latest/APIReference/API_SearchAvailablePhoneNumbers.html) API for available phone numbers that you can claim. Call the [DescribePhoneNumber](https://docs.aws.amazon.com/connect/latest/APIReference/API_DescribePhoneNumber.html) API to verify the status of a previous [ClaimPhoneNumber](https://docs.aws.amazon.com/connect/latest/APIReference/API_ClaimPhoneNumber.html) operation. If you plan to claim and release numbers frequently, contact us for a service quota exception. Otherwise, it is possible you will be blocked from claiming and releasing any more numbers until up to 180 days past the oldest number released has expired. By default you can claim and release up to 200% of your maximum number of active phone numbers. If you claim and release phone numbers using the UI or API during a rolling 180 day cycle that exceeds 200% of your phone number service level quota, you will be blocked from claiming any more numbers until 180 days past the oldest number released has expired. For example, if you already have 99 claimed numbers and a service level quota of 99 phone numbers, and in any 180 day period you release 99, claim 99, and then release 99, you will have exceeded the 200% limit. At that point you are blocked from claiming any more numbers until you open an Amazon Web Services support ticket. /// - /// - Parameter ClaimPhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ClaimPhoneNumberInput`) /// - /// - Returns: `ClaimPhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ClaimPhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1972,7 +1950,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ClaimPhoneNumberOutput.httpOutput(from:), ClaimPhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2004,9 +1981,9 @@ extension ConnectClient { /// /// Allows you to confirm that the attached file has been uploaded using the pre-signed URL provided in the StartAttachedFileUpload API. /// - /// - Parameter CompleteAttachedFileUploadInput : Request to CompleteAttachedFileUpload API + /// - Parameter input: Request to CompleteAttachedFileUpload API (Type: `CompleteAttachedFileUploadInput`) /// - /// - Returns: `CompleteAttachedFileUploadOutput` : Response from CompleteAttachedFileUpload API + /// - Returns: Response from CompleteAttachedFileUpload API (Type: `CompleteAttachedFileUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2042,7 +2019,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CompleteAttachedFileUploadInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteAttachedFileUploadOutput.httpOutput(from:), CompleteAttachedFileUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2074,9 +2050,9 @@ extension ConnectClient { /// /// Creates an agent status for the specified Amazon Connect instance. /// - /// - Parameter CreateAgentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAgentStatusInput`) /// - /// - Returns: `CreateAgentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAgentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2116,7 +2092,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAgentStatusOutput.httpOutput(from:), CreateAgentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2157,9 +2132,9 @@ extension ConnectClient { /// /// Creates a new VOICE, EMAIL, or TASK contact. After a contact is created, you can move it to the desired state by using the InitiateAs parameter. While you can use API to create task contacts that are in the COMPLETED state, you must contact Amazon Web Services Support before using it for bulk import use cases. Bulk import causes your requests to be throttled or fail if your CreateContact limits aren't high enough. /// - /// - Parameter CreateContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContactInput`) /// - /// - Returns: `CreateContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2202,7 +2177,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContactOutput.httpOutput(from:), CreateContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2234,9 +2208,9 @@ extension ConnectClient { /// /// Creates a flow for the specified Amazon Connect instance. You can also create and update flows using the [Amazon Connect Flow language](https://docs.aws.amazon.com/connect/latest/APIReference/flow-language.html). /// - /// - Parameter CreateContactFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContactFlowInput`) /// - /// - Returns: `CreateContactFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContactFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2277,7 +2251,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContactFlowOutput.httpOutput(from:), CreateContactFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2309,9 +2282,9 @@ extension ConnectClient { /// /// Creates a flow module for the specified Amazon Connect instance. /// - /// - Parameter CreateContactFlowModuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContactFlowModuleInput`) /// - /// - Returns: `CreateContactFlowModuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContactFlowModuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2355,7 +2328,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContactFlowModuleOutput.httpOutput(from:), CreateContactFlowModuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2387,9 +2359,9 @@ extension ConnectClient { /// /// Publishes a new version of the flow provided. Versions are immutable and monotonically increasing. If the FlowContentSha256 provided is different from the FlowContentSha256 of the $LATEST published flow content, then an error is returned. This API only supports creating versions for flows of type Campaign. /// - /// - Parameter CreateContactFlowVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContactFlowVersionInput`) /// - /// - Returns: `CreateContactFlowVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContactFlowVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2429,7 +2401,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContactFlowVersionOutput.httpOutput(from:), CreateContactFlowVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2461,9 +2432,9 @@ extension ConnectClient { /// /// Create new email address in the specified Amazon Connect instance. For more information about email addresses, see [Create email addresses](https://docs.aws.amazon.com/connect/latest/adminguide/create-email-address1.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter CreateEmailAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEmailAddressInput`) /// - /// - Returns: `CreateEmailAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEmailAddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2506,7 +2477,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEmailAddressOutput.httpOutput(from:), CreateEmailAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2538,9 +2508,9 @@ extension ConnectClient { /// /// Creates an evaluation form in the specified Amazon Connect instance. The form can be used to define questions related to agent performance, and create sections to organize such questions. Question and section identifiers cannot be duplicated within the same evaluation form. /// - /// - Parameter CreateEvaluationFormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEvaluationFormInput`) /// - /// - Returns: `CreateEvaluationFormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEvaluationFormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2580,7 +2550,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEvaluationFormOutput.httpOutput(from:), CreateEvaluationFormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2612,9 +2581,9 @@ extension ConnectClient { /// /// Creates hours of operation. /// - /// - Parameter CreateHoursOfOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHoursOfOperationInput`) /// - /// - Returns: `CreateHoursOfOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHoursOfOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2654,7 +2623,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHoursOfOperationOutput.httpOutput(from:), CreateHoursOfOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2686,9 +2654,9 @@ extension ConnectClient { /// /// Creates an hours of operation override in an Amazon Connect hours of operation resource. /// - /// - Parameter CreateHoursOfOperationOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHoursOfOperationOverrideInput`) /// - /// - Returns: `CreateHoursOfOperationOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHoursOfOperationOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2728,7 +2696,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHoursOfOperationOverrideOutput.httpOutput(from:), CreateHoursOfOperationOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2760,9 +2727,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Initiates an Amazon Connect instance with all the supported channels enabled. It does not attach any storage, such as Amazon Simple Storage Service (Amazon S3) or Amazon Kinesis. It also does not allow for any configurations on features, such as Contact Lens for Amazon Connect. For more information, see [Create an Amazon Connect instance](https://docs.aws.amazon.com/connect/latest/adminguide/amazon-connect-instances.html) in the Amazon Connect Administrator Guide. Amazon Connect enforces a limit on the total number of instances that you can create or delete in 30 days. If you exceed this limit, you will get an error message indicating there has been an excessive number of attempts at creating or deleting instances. You must wait 30 days before you can restart creating and deleting instances in your account. /// - /// - Parameter CreateInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstanceInput`) /// - /// - Returns: `CreateInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2801,7 +2768,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceOutput.httpOutput(from:), CreateInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2833,9 +2799,9 @@ extension ConnectClient { /// /// Creates an Amazon Web Services resource association with an Amazon Connect instance. /// - /// - Parameter CreateIntegrationAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIntegrationAssociationInput`) /// - /// - Returns: `CreateIntegrationAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIntegrationAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2873,7 +2839,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntegrationAssociationOutput.httpOutput(from:), CreateIntegrationAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2905,9 +2870,9 @@ extension ConnectClient { /// /// Adds a new participant into an on-going chat contact or webRTC call. For more information, see [Customize chat flow experiences by integrating custom participants](https://docs.aws.amazon.com/connect/latest/adminguide/chat-customize-flow.html) or [Enable multi-user web, in-app, and video calling](https://docs.aws.amazon.com/connect/latest/adminguide/enable-multiuser-inapp.html). /// - /// - Parameter CreateParticipantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateParticipantInput`) /// - /// - Returns: `CreateParticipantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateParticipantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2947,7 +2912,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateParticipantOutput.httpOutput(from:), CreateParticipantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2979,9 +2943,9 @@ extension ConnectClient { /// /// Enables rehydration of chats for the lifespan of a contact. For more information about chat rehydration, see [Enable persistent chat](https://docs.aws.amazon.com/connect/latest/adminguide/chat-persistence.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter CreatePersistentContactAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePersistentContactAssociationInput`) /// - /// - Returns: `CreatePersistentContactAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePersistentContactAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3020,7 +2984,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePersistentContactAssociationOutput.httpOutput(from:), CreatePersistentContactAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3059,9 +3022,9 @@ extension ConnectClient { /// /// Endpoints: See [Amazon Connect endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/connect_region.html). /// - /// - Parameter CreatePredefinedAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePredefinedAttributeInput`) /// - /// - Returns: `CreatePredefinedAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePredefinedAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3101,7 +3064,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePredefinedAttributeOutput.httpOutput(from:), CreatePredefinedAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3133,9 +3095,9 @@ extension ConnectClient { /// /// Creates a prompt. For more information about prompts, such as supported file types and maximum length, see [Create prompts](https://docs.aws.amazon.com/connect/latest/adminguide/prompts.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter CreatePromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePromptInput`) /// - /// - Returns: `CreatePromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3174,7 +3136,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePromptOutput.httpOutput(from:), CreatePromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3206,9 +3167,9 @@ extension ConnectClient { /// /// Creates registration for a device token and a chat contact to receive real-time push notifications. For more information about push notifications, see [Set up push notifications in Amazon Connect for mobile chat](https://docs.aws.amazon.com/connect/latest/adminguide/enable-push-notifications-for-mobile-chat.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter CreatePushNotificationRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePushNotificationRegistrationInput`) /// - /// - Returns: `CreatePushNotificationRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePushNotificationRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3248,7 +3209,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePushNotificationRegistrationOutput.httpOutput(from:), CreatePushNotificationRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3286,9 +3246,9 @@ extension ConnectClient { /// /// * If you plan to use IAM policies to allow/deny access to this API for phone number resources claimed to a traffic distribution group, see [Allow or Deny queue API actions for phone numbers in a replica Region](https://docs.aws.amazon.com/connect/latest/adminguide/security_iam_resource-level-policy-examples.html#allow-deny-queue-actions-replica-region). /// - /// - Parameter CreateQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQueueInput`) /// - /// - Returns: `CreateQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3328,7 +3288,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQueueOutput.httpOutput(from:), CreateQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3360,9 +3319,9 @@ extension ConnectClient { /// /// Creates a quick connect for the specified Amazon Connect instance. /// - /// - Parameter CreateQuickConnectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQuickConnectInput`) /// - /// - Returns: `CreateQuickConnectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQuickConnectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3402,7 +3361,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQuickConnectOutput.httpOutput(from:), CreateQuickConnectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3434,9 +3392,9 @@ extension ConnectClient { /// /// Creates a new routing profile. /// - /// - Parameter CreateRoutingProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRoutingProfileInput`) /// - /// - Returns: `CreateRoutingProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRoutingProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3476,7 +3434,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRoutingProfileOutput.httpOutput(from:), CreateRoutingProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3508,9 +3465,9 @@ extension ConnectClient { /// /// Creates a rule for the specified Amazon Connect instance. Use the [Rules Function language](https://docs.aws.amazon.com/connect/latest/APIReference/connect-rules-language.html) to code conditions for the rule. /// - /// - Parameter CreateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleInput`) /// - /// - Returns: `CreateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3551,7 +3508,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleOutput.httpOutput(from:), CreateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3583,9 +3539,9 @@ extension ConnectClient { /// /// Creates a security profile. For information about security profiles, see [Security Profiles](https://docs.aws.amazon.com/connect/latest/adminguide/connect-security-profiles.html) in the Amazon Connect Administrator Guide. For a mapping of the API name and user interface name of the security profile permissions, see [List of security profile permissions](https://docs.aws.amazon.com/connect/latest/adminguide/security-profile-list.html). /// - /// - Parameter CreateSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSecurityProfileInput`) /// - /// - Returns: `CreateSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3625,7 +3581,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSecurityProfileOutput.httpOutput(from:), CreateSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3657,9 +3612,9 @@ extension ConnectClient { /// /// Creates a new task template in the specified Amazon Connect instance. /// - /// - Parameter CreateTaskTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTaskTemplateInput`) /// - /// - Returns: `CreateTaskTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTaskTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3699,7 +3654,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTaskTemplateOutput.httpOutput(from:), CreateTaskTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3731,9 +3685,9 @@ extension ConnectClient { /// /// Creates a traffic distribution group given an Amazon Connect instance that has been replicated. The SignInConfig distribution is available only on a default TrafficDistributionGroup (see the IsDefault parameter in the [TrafficDistributionGroup](https://docs.aws.amazon.com/connect/latest/APIReference/API_TrafficDistributionGroup.html) data type). If you call UpdateTrafficDistribution with a modified SignInConfig and a non-default TrafficDistributionGroup, an InvalidRequestException is returned. For more information about creating traffic distribution groups, see [Set up traffic distribution groups](https://docs.aws.amazon.com/connect/latest/adminguide/setup-traffic-distribution-groups.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter CreateTrafficDistributionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrafficDistributionGroupInput`) /// - /// - Returns: `CreateTrafficDistributionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrafficDistributionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3775,7 +3729,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrafficDistributionGroupOutput.httpOutput(from:), CreateTrafficDistributionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3807,9 +3760,9 @@ extension ConnectClient { /// /// Creates a use case for an integration association. /// - /// - Parameter CreateUseCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUseCaseInput`) /// - /// - Returns: `CreateUseCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUseCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3847,7 +3800,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUseCaseOutput.httpOutput(from:), CreateUseCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3879,9 +3831,9 @@ extension ConnectClient { /// /// Creates a user account for the specified Amazon Connect instance. Certain [UserIdentityInfo](https://docs.aws.amazon.com/connect/latest/APIReference/API_UserIdentityInfo.html) parameters are required in some situations. For example, Email, FirstName and LastName are required if you are using Amazon Connect or SAML for identity management. For information about how to create users using the Amazon Connect admin website, see [Add Users](https://docs.aws.amazon.com/connect/latest/adminguide/user-management.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3921,7 +3873,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3953,9 +3904,9 @@ extension ConnectClient { /// /// Creates a new user hierarchy group. /// - /// - Parameter CreateUserHierarchyGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserHierarchyGroupInput`) /// - /// - Returns: `CreateUserHierarchyGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserHierarchyGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3995,7 +3946,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserHierarchyGroupOutput.httpOutput(from:), CreateUserHierarchyGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4027,9 +3977,9 @@ extension ConnectClient { /// /// Creates a new view with the possible status of SAVED or PUBLISHED. The views will have a unique name for each connect instance. It performs basic content validation if the status is SAVED or full content validation if the status is set to PUBLISHED. An error is returned if validation fails. It associates either the $SAVED qualifier or both of the $SAVED and $LATEST qualifiers with the provided view content based on the status. The view is idempotent if ClientToken is provided. /// - /// - Parameter CreateViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateViewInput`) /// - /// - Returns: `CreateViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4071,7 +4021,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateViewOutput.httpOutput(from:), CreateViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4103,9 +4052,9 @@ extension ConnectClient { /// /// Publishes a new version of the view identifier. Versions are immutable and monotonically increasing. It returns the highest version if there is no change in content compared to that version. An error is displayed if the supplied ViewContentSha256 is different from the ViewContentSha256 of the $LATEST alias. /// - /// - Parameter CreateViewVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateViewVersionInput`) /// - /// - Returns: `CreateViewVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateViewVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4146,7 +4095,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateViewVersionOutput.httpOutput(from:), CreateViewVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4178,9 +4126,9 @@ extension ConnectClient { /// /// Creates a custom vocabulary associated with your Amazon Connect instance. You can set a custom vocabulary to be your default vocabulary for a given language. Contact Lens for Amazon Connect uses the default vocabulary in post-call and real-time contact analysis sessions for that language. /// - /// - Parameter CreateVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVocabularyInput`) /// - /// - Returns: `CreateVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4221,7 +4169,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVocabularyOutput.httpOutput(from:), CreateVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4253,9 +4200,9 @@ extension ConnectClient { /// /// Deactivates an evaluation form in the specified Amazon Connect instance. After a form is deactivated, it is no longer available for users to start new evaluations based on the form. /// - /// - Parameter DeactivateEvaluationFormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateEvaluationFormInput`) /// - /// - Returns: `DeactivateEvaluationFormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateEvaluationFormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4293,7 +4240,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateEvaluationFormOutput.httpOutput(from:), DeactivateEvaluationFormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4325,9 +4271,9 @@ extension ConnectClient { /// /// Deletes an attached file along with the underlying S3 Object. The attached file is permanently deleted if S3 bucket versioning is not enabled. /// - /// - Parameter DeleteAttachedFileInput : Request to DeleteAttachedFile API + /// - Parameter input: Request to DeleteAttachedFile API (Type: `DeleteAttachedFileInput`) /// - /// - Returns: `DeleteAttachedFileOutput` : Response from DeleteAttachedFile API + /// - Returns: Response from DeleteAttachedFile API (Type: `DeleteAttachedFileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4363,7 +4309,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAttachedFileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAttachedFileOutput.httpOutput(from:), DeleteAttachedFileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4395,9 +4340,9 @@ extension ConnectClient { /// /// Deletes a contact evaluation in the specified Amazon Connect instance. /// - /// - Parameter DeleteContactEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContactEvaluationInput`) /// - /// - Returns: `DeleteContactEvaluationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContactEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4432,7 +4377,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContactEvaluationOutput.httpOutput(from:), DeleteContactEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4464,9 +4408,9 @@ extension ConnectClient { /// /// Deletes a flow for the specified Amazon Connect instance. /// - /// - Parameter DeleteContactFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContactFlowInput`) /// - /// - Returns: `DeleteContactFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContactFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4502,7 +4446,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContactFlowOutput.httpOutput(from:), DeleteContactFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4534,9 +4477,9 @@ extension ConnectClient { /// /// Deletes the specified flow module. /// - /// - Parameter DeleteContactFlowModuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContactFlowModuleInput`) /// - /// - Returns: `DeleteContactFlowModuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContactFlowModuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4572,7 +4515,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContactFlowModuleOutput.httpOutput(from:), DeleteContactFlowModuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4604,9 +4546,9 @@ extension ConnectClient { /// /// Deletes the particular version specified in flow version identifier. /// - /// - Parameter DeleteContactFlowVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContactFlowVersionInput`) /// - /// - Returns: `DeleteContactFlowVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContactFlowVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4642,7 +4584,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContactFlowVersionOutput.httpOutput(from:), DeleteContactFlowVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4674,9 +4615,9 @@ extension ConnectClient { /// /// Deletes email address from the specified Amazon Connect instance. /// - /// - Parameter DeleteEmailAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEmailAddressInput`) /// - /// - Returns: `DeleteEmailAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEmailAddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4713,7 +4654,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEmailAddressOutput.httpOutput(from:), DeleteEmailAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4749,9 +4689,9 @@ extension ConnectClient { /// /// * If no version is provided, then the full form (all versions) is deleted. /// - /// - Parameter DeleteEvaluationFormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEvaluationFormInput`) /// - /// - Returns: `DeleteEvaluationFormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEvaluationFormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4787,7 +4727,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteEvaluationFormInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEvaluationFormOutput.httpOutput(from:), DeleteEvaluationFormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4819,9 +4758,9 @@ extension ConnectClient { /// /// Deletes an hours of operation. /// - /// - Parameter DeleteHoursOfOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHoursOfOperationInput`) /// - /// - Returns: `DeleteHoursOfOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHoursOfOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4856,7 +4795,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHoursOfOperationOutput.httpOutput(from:), DeleteHoursOfOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4888,9 +4826,9 @@ extension ConnectClient { /// /// Deletes an hours of operation override in an Amazon Connect hours of operation resource. /// - /// - Parameter DeleteHoursOfOperationOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHoursOfOperationOverrideInput`) /// - /// - Returns: `DeleteHoursOfOperationOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHoursOfOperationOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4925,7 +4863,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHoursOfOperationOverrideOutput.httpOutput(from:), DeleteHoursOfOperationOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4957,9 +4894,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Deletes the Amazon Connect instance. For more information, see [Delete your Amazon Connect instance](https://docs.aws.amazon.com/connect/latest/adminguide/delete-connect-instance.html) in the Amazon Connect Administrator Guide. Amazon Connect enforces a limit on the total number of instances that you can create or delete in 30 days. If you exceed this limit, you will get an error message indicating there has been an excessive number of attempts at creating or deleting instances. You must wait 30 days before you can restart creating and deleting instances in your account. /// - /// - Parameter DeleteInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInstanceInput`) /// - /// - Returns: `DeleteInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4994,7 +4931,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteInstanceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceOutput.httpOutput(from:), DeleteInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5026,9 +4962,9 @@ extension ConnectClient { /// /// Deletes an Amazon Web Services resource association from an Amazon Connect instance. The association must not have any use cases associated with it. /// - /// - Parameter DeleteIntegrationAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntegrationAssociationInput`) /// - /// - Returns: `DeleteIntegrationAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntegrationAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5062,7 +4998,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationAssociationOutput.httpOutput(from:), DeleteIntegrationAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5094,9 +5029,9 @@ extension ConnectClient { /// /// Deletes a predefined attribute from the specified Amazon Connect instance. /// - /// - Parameter DeletePredefinedAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePredefinedAttributeInput`) /// - /// - Returns: `DeletePredefinedAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePredefinedAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5132,7 +5067,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePredefinedAttributeOutput.httpOutput(from:), DeletePredefinedAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5164,9 +5098,9 @@ extension ConnectClient { /// /// Deletes a prompt. /// - /// - Parameter DeletePromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePromptInput`) /// - /// - Returns: `DeletePromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5201,7 +5135,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePromptOutput.httpOutput(from:), DeletePromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5233,9 +5166,9 @@ extension ConnectClient { /// /// Deletes registration for a device token and a chat contact. /// - /// - Parameter DeletePushNotificationRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePushNotificationRegistrationInput`) /// - /// - Returns: `DeletePushNotificationRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePushNotificationRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5271,7 +5204,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePushNotificationRegistrationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePushNotificationRegistrationOutput.httpOutput(from:), DeletePushNotificationRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5303,9 +5235,9 @@ extension ConnectClient { /// /// Deletes a queue. /// - /// - Parameter DeleteQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueueInput`) /// - /// - Returns: `DeleteQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5341,7 +5273,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueueOutput.httpOutput(from:), DeleteQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5379,9 +5310,9 @@ extension ConnectClient { /// /// * Avoid the disruption of other Amazon Connect processes, such as instance replication and syncing if you're using [Amazon Connect Global Resiliency](https://docs.aws.amazon.com/connect/latest/adminguide/setup-connect-global-resiliency.html). /// - /// - Parameter DeleteQuickConnectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQuickConnectInput`) /// - /// - Returns: `DeleteQuickConnectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQuickConnectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5416,7 +5347,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQuickConnectOutput.httpOutput(from:), DeleteQuickConnectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5448,9 +5378,9 @@ extension ConnectClient { /// /// Deletes a routing profile. /// - /// - Parameter DeleteRoutingProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRoutingProfileInput`) /// - /// - Returns: `DeleteRoutingProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRoutingProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5486,7 +5416,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRoutingProfileOutput.httpOutput(from:), DeleteRoutingProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5518,9 +5447,9 @@ extension ConnectClient { /// /// Deletes a rule for the specified Amazon Connect instance. /// - /// - Parameter DeleteRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleInput`) /// - /// - Returns: `DeleteRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5555,7 +5484,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleOutput.httpOutput(from:), DeleteRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5587,9 +5515,9 @@ extension ConnectClient { /// /// Deletes a security profile. /// - /// - Parameter DeleteSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSecurityProfileInput`) /// - /// - Returns: `DeleteSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5626,7 +5554,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSecurityProfileOutput.httpOutput(from:), DeleteSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5658,9 +5585,9 @@ extension ConnectClient { /// /// Deletes the task template. /// - /// - Parameter DeleteTaskTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTaskTemplateInput`) /// - /// - Returns: `DeleteTaskTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTaskTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5695,7 +5622,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTaskTemplateOutput.httpOutput(from:), DeleteTaskTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5727,9 +5653,9 @@ extension ConnectClient { /// /// Deletes a traffic distribution group. This API can be called only in the Region where the traffic distribution group is created. For more information about deleting traffic distribution groups, see [Delete traffic distribution groups](https://docs.aws.amazon.com/connect/latest/adminguide/delete-traffic-distribution-groups.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter DeleteTrafficDistributionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrafficDistributionGroupInput`) /// - /// - Returns: `DeleteTrafficDistributionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrafficDistributionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5764,7 +5690,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrafficDistributionGroupOutput.httpOutput(from:), DeleteTrafficDistributionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5796,9 +5721,9 @@ extension ConnectClient { /// /// Deletes a use case from an integration association. /// - /// - Parameter DeleteUseCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUseCaseInput`) /// - /// - Returns: `DeleteUseCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUseCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5832,7 +5757,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUseCaseOutput.httpOutput(from:), DeleteUseCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5870,9 +5794,9 @@ extension ConnectClient { /// /// * Avoid the disruption of other Amazon Connect processes, such as instance replication and syncing if you're using [Amazon Connect Global Resiliency](https://docs.aws.amazon.com/connect/latest/adminguide/setup-connect-global-resiliency.html). /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5907,7 +5831,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5939,9 +5862,9 @@ extension ConnectClient { /// /// Deletes an existing user hierarchy group. It must not be associated with any agents or have any active child groups. /// - /// - Parameter DeleteUserHierarchyGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserHierarchyGroupInput`) /// - /// - Returns: `DeleteUserHierarchyGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserHierarchyGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5977,7 +5900,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserHierarchyGroupOutput.httpOutput(from:), DeleteUserHierarchyGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6009,9 +5931,9 @@ extension ConnectClient { /// /// Deletes the view entirely. It deletes the view and all associated qualifiers (versions and aliases). /// - /// - Parameter DeleteViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteViewInput`) /// - /// - Returns: `DeleteViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6048,7 +5970,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteViewOutput.httpOutput(from:), DeleteViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6080,9 +6001,9 @@ extension ConnectClient { /// /// Deletes the particular version specified in ViewVersion identifier. /// - /// - Parameter DeleteViewVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteViewVersionInput`) /// - /// - Returns: `DeleteViewVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteViewVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6119,7 +6040,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteViewVersionOutput.httpOutput(from:), DeleteViewVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6151,9 +6071,9 @@ extension ConnectClient { /// /// Deletes the vocabulary that has the given identifier. /// - /// - Parameter DeleteVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVocabularyInput`) /// - /// - Returns: `DeleteVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6189,7 +6109,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVocabularyOutput.httpOutput(from:), DeleteVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6221,9 +6140,9 @@ extension ConnectClient { /// /// Describes an agent status. /// - /// - Parameter DescribeAgentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAgentStatusInput`) /// - /// - Returns: `DescribeAgentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAgentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6258,7 +6177,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAgentStatusOutput.httpOutput(from:), DescribeAgentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6290,9 +6208,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. To request access to this API, contact Amazon Web Services Support. Describes the target authentication profile. /// - /// - Parameter DescribeAuthenticationProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAuthenticationProfileInput`) /// - /// - Returns: `DescribeAuthenticationProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAuthenticationProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6327,7 +6245,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAuthenticationProfileOutput.httpOutput(from:), DescribeAuthenticationProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6363,9 +6280,9 @@ extension ConnectClient { /// /// * Contact information remains available in Amazon Connect for 24 months from the InitiationTimestamp, and then it is deleted. Only contact information that is available in Amazon Connect is returned by this API. /// - /// - Parameter DescribeContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContactInput`) /// - /// - Returns: `DescribeContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6400,7 +6317,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContactOutput.httpOutput(from:), DescribeContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6432,9 +6348,9 @@ extension ConnectClient { /// /// Describes a contact evaluation in the specified Amazon Connect instance. /// - /// - Parameter DescribeContactEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContactEvaluationInput`) /// - /// - Returns: `DescribeContactEvaluationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContactEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6468,7 +6384,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContactEvaluationOutput.httpOutput(from:), DescribeContactEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6500,9 +6415,9 @@ extension ConnectClient { /// /// Describes the specified flow. You can also create and update flows using the [Amazon Connect Flow language](https://docs.aws.amazon.com/connect/latest/APIReference/flow-language.html). Use the $SAVED alias in the request to describe the SAVED content of a Flow. For example, arn:aws:.../contact-flow/{id}:$SAVED. After a flow is published, $SAVED needs to be supplied to view saved content that has not been published. Use arn:aws:.../contact-flow/{id}:{version} to retrieve the content of a specific flow version. In the response, Status indicates the flow status as either SAVED or PUBLISHED. The PUBLISHED status will initiate validation on the content. SAVED does not initiate validation of the content. SAVED | PUBLISHED /// - /// - Parameter DescribeContactFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContactFlowInput`) /// - /// - Returns: `DescribeContactFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContactFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6538,7 +6453,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContactFlowOutput.httpOutput(from:), DescribeContactFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6570,9 +6484,9 @@ extension ConnectClient { /// /// Describes the specified flow module. Use the $SAVED alias in the request to describe the SAVED content of a Flow. For example, arn:aws:.../contact-flow/{id}:$SAVED. After a flow is published, $SAVED needs to be supplied to view saved content that has not been published. /// - /// - Parameter DescribeContactFlowModuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContactFlowModuleInput`) /// - /// - Returns: `DescribeContactFlowModuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContactFlowModuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6608,7 +6522,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContactFlowModuleOutput.httpOutput(from:), DescribeContactFlowModuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6640,9 +6553,9 @@ extension ConnectClient { /// /// Describe email address form the specified Amazon Connect instance. /// - /// - Parameter DescribeEmailAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEmailAddressInput`) /// - /// - Returns: `DescribeEmailAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEmailAddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6678,7 +6591,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEmailAddressOutput.httpOutput(from:), DescribeEmailAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6710,9 +6622,9 @@ extension ConnectClient { /// /// Describes an evaluation form in the specified Amazon Connect instance. If the version property is not provided, the latest version of the evaluation form is described. /// - /// - Parameter DescribeEvaluationFormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEvaluationFormInput`) /// - /// - Returns: `DescribeEvaluationFormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEvaluationFormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6747,7 +6659,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeEvaluationFormInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEvaluationFormOutput.httpOutput(from:), DescribeEvaluationFormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6779,9 +6690,9 @@ extension ConnectClient { /// /// Describes the hours of operation. /// - /// - Parameter DescribeHoursOfOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHoursOfOperationInput`) /// - /// - Returns: `DescribeHoursOfOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHoursOfOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6816,7 +6727,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHoursOfOperationOutput.httpOutput(from:), DescribeHoursOfOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6848,9 +6758,9 @@ extension ConnectClient { /// /// Describes the hours of operation override. /// - /// - Parameter DescribeHoursOfOperationOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHoursOfOperationOverrideInput`) /// - /// - Returns: `DescribeHoursOfOperationOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHoursOfOperationOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6885,7 +6795,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHoursOfOperationOverrideOutput.httpOutput(from:), DescribeHoursOfOperationOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6917,9 +6826,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Returns the current state of the specified instance identifier. It tracks the instance while it is being created and returns an error status, if applicable. If an instance is not created successfully, the instance status reason field returns details relevant to the reason. The instance in a failed state is returned only for 24 hours after the CreateInstance API was invoked. /// - /// - Parameter DescribeInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceInput`) /// - /// - Returns: `DescribeInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6952,7 +6861,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceOutput.httpOutput(from:), DescribeInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6984,9 +6892,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Describes the specified instance attribute. /// - /// - Parameter DescribeInstanceAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceAttributeInput`) /// - /// - Returns: `DescribeInstanceAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7021,7 +6929,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceAttributeOutput.httpOutput(from:), DescribeInstanceAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7053,9 +6960,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Retrieves the current storage configurations for the specified resource type, association ID, and instance ID. /// - /// - Parameter DescribeInstanceStorageConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceStorageConfigInput`) /// - /// - Returns: `DescribeInstanceStorageConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceStorageConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7091,7 +6998,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeInstanceStorageConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceStorageConfigOutput.httpOutput(from:), DescribeInstanceStorageConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7123,9 +7029,9 @@ extension ConnectClient { /// /// Gets details and status of a phone number that’s claimed to your Amazon Connect instance or traffic distribution group. If the number is claimed to a traffic distribution group, and you are calling in the Amazon Web Services Region where the traffic distribution group was created, you can use either a phone number ARN or UUID value for the PhoneNumberId URI request parameter. However, if the number is claimed to a traffic distribution group and you are calling this API in the alternate Amazon Web Services Region associated with the traffic distribution group, you must provide a full phone number ARN. If a UUID is provided in this scenario, you receive a ResourceNotFoundException. /// - /// - Parameter DescribePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePhoneNumberInput`) /// - /// - Returns: `DescribePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7160,7 +7066,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePhoneNumberOutput.httpOutput(from:), DescribePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7199,9 +7104,9 @@ extension ConnectClient { /// /// For the predefined attributes per instance quota, see [Amazon Connect quotas](https://docs.aws.amazon.com/connect/latest/adminguide/amazon-connect-service-limits.html#connect-quotas). Endpoints: See [Amazon Connect endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/connect_region.html). /// - /// - Parameter DescribePredefinedAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePredefinedAttributeInput`) /// - /// - Returns: `DescribePredefinedAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePredefinedAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7236,7 +7141,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePredefinedAttributeOutput.httpOutput(from:), DescribePredefinedAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7268,9 +7172,9 @@ extension ConnectClient { /// /// Describes the prompt. /// - /// - Parameter DescribePromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePromptInput`) /// - /// - Returns: `DescribePromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7305,7 +7209,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePromptOutput.httpOutput(from:), DescribePromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7337,9 +7240,9 @@ extension ConnectClient { /// /// Describes the specified queue. /// - /// - Parameter DescribeQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQueueInput`) /// - /// - Returns: `DescribeQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7374,7 +7277,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQueueOutput.httpOutput(from:), DescribeQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7406,9 +7308,9 @@ extension ConnectClient { /// /// Describes the quick connect. /// - /// - Parameter DescribeQuickConnectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQuickConnectInput`) /// - /// - Returns: `DescribeQuickConnectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQuickConnectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7443,7 +7345,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQuickConnectOutput.httpOutput(from:), DescribeQuickConnectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7475,9 +7376,9 @@ extension ConnectClient { /// /// Describes the specified routing profile. DescribeRoutingProfile does not populate AssociatedQueueIds in its response. The example Response Syntax shown on this page is incorrect; we are working to update it. [SearchRoutingProfiles](https://docs.aws.amazon.com/connect/latest/APIReference/API_SearchRoutingProfiles.html) does include AssociatedQueueIds. /// - /// - Parameter DescribeRoutingProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRoutingProfileInput`) /// - /// - Returns: `DescribeRoutingProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRoutingProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7512,7 +7413,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRoutingProfileOutput.httpOutput(from:), DescribeRoutingProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7544,9 +7444,9 @@ extension ConnectClient { /// /// Describes a rule for the specified Amazon Connect instance. /// - /// - Parameter DescribeRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRuleInput`) /// - /// - Returns: `DescribeRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7581,7 +7481,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRuleOutput.httpOutput(from:), DescribeRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7613,9 +7512,9 @@ extension ConnectClient { /// /// Gets basic information about the security profile. For information about security profiles, see [Security Profiles](https://docs.aws.amazon.com/connect/latest/adminguide/connect-security-profiles.html) in the Amazon Connect Administrator Guide. For a mapping of the API name and user interface name of the security profile permissions, see [List of security profile permissions](https://docs.aws.amazon.com/connect/latest/adminguide/security-profile-list.html). /// - /// - Parameter DescribeSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecurityProfileInput`) /// - /// - Returns: `DescribeSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7650,7 +7549,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecurityProfileOutput.httpOutput(from:), DescribeSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7682,9 +7580,9 @@ extension ConnectClient { /// /// Gets details and status of a traffic distribution group. /// - /// - Parameter DescribeTrafficDistributionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrafficDistributionGroupInput`) /// - /// - Returns: `DescribeTrafficDistributionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrafficDistributionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7719,7 +7617,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrafficDistributionGroupOutput.httpOutput(from:), DescribeTrafficDistributionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7751,9 +7648,9 @@ extension ConnectClient { /// /// Describes the specified user. You can [find the instance ID in the Amazon Connect console](https://docs.aws.amazon.com/connect/latest/adminguide/find-instance-arn.html) (it’s the final part of the ARN). The console does not display the user IDs. Instead, list the users and note the IDs provided in the output. /// - /// - Parameter DescribeUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserInput`) /// - /// - Returns: `DescribeUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7788,7 +7685,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserOutput.httpOutput(from:), DescribeUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7820,9 +7716,9 @@ extension ConnectClient { /// /// Describes the specified hierarchy group. /// - /// - Parameter DescribeUserHierarchyGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserHierarchyGroupInput`) /// - /// - Returns: `DescribeUserHierarchyGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserHierarchyGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7857,7 +7753,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserHierarchyGroupOutput.httpOutput(from:), DescribeUserHierarchyGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7889,9 +7784,9 @@ extension ConnectClient { /// /// Describes the hierarchy structure of the specified Amazon Connect instance. /// - /// - Parameter DescribeUserHierarchyStructureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserHierarchyStructureInput`) /// - /// - Returns: `DescribeUserHierarchyStructureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserHierarchyStructureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7926,7 +7821,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserHierarchyStructureOutput.httpOutput(from:), DescribeUserHierarchyStructureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7958,9 +7852,9 @@ extension ConnectClient { /// /// Retrieves the view for the specified Amazon Connect instance and view identifier. The view identifier can be supplied as a ViewId or ARN. $SAVED needs to be supplied if a view is unpublished. The view identifier can contain an optional qualifier, for example, :$SAVED, which is either an actual version number or an Amazon Connect managed qualifier $SAVED | $LATEST. If it is not supplied, then $LATEST is assumed for customer managed views and an error is returned if there is no published content available. Version 1 is assumed for Amazon Web Services managed views. /// - /// - Parameter DescribeViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeViewInput`) /// - /// - Returns: `DescribeViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7996,7 +7890,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeViewOutput.httpOutput(from:), DescribeViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8028,9 +7921,9 @@ extension ConnectClient { /// /// Describes the specified vocabulary. /// - /// - Parameter DescribeVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVocabularyInput`) /// - /// - Returns: `DescribeVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8065,7 +7958,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVocabularyOutput.httpOutput(from:), DescribeVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8097,9 +7989,9 @@ extension ConnectClient { /// /// Removes the dataset ID associated with a given Amazon Connect instance. /// - /// - Parameter DisassociateAnalyticsDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAnalyticsDataSetInput`) /// - /// - Returns: `DisassociateAnalyticsDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAnalyticsDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8137,7 +8029,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAnalyticsDataSetOutput.httpOutput(from:), DisassociateAnalyticsDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8169,9 +8060,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Revokes access to integrated applications from Amazon Connect. /// - /// - Parameter DisassociateApprovedOriginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateApprovedOriginInput`) /// - /// - Returns: `DisassociateApprovedOriginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateApprovedOriginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8208,7 +8099,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateApprovedOriginInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateApprovedOriginOutput.httpOutput(from:), DisassociateApprovedOriginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8240,9 +8130,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Revokes authorization from the specified instance to access the specified Amazon Lex or Amazon Lex V2 bot. /// - /// - Parameter DisassociateBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateBotInput`) /// - /// - Returns: `DisassociateBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8280,7 +8170,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateBotOutput.httpOutput(from:), DisassociateBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8312,9 +8201,9 @@ extension ConnectClient { /// /// Disassociates a connect resource from a flow. /// - /// - Parameter DisassociateFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFlowInput`) /// - /// - Returns: `DisassociateFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8350,7 +8239,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFlowOutput.httpOutput(from:), DisassociateFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8382,9 +8270,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Removes the storage type configurations for the specified resource type and association ID. /// - /// - Parameter DisassociateInstanceStorageConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateInstanceStorageConfigInput`) /// - /// - Returns: `DisassociateInstanceStorageConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateInstanceStorageConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8421,7 +8309,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateInstanceStorageConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateInstanceStorageConfigOutput.httpOutput(from:), DisassociateInstanceStorageConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8453,9 +8340,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Remove the Lambda function from the dropdown options available in the relevant flow blocks. /// - /// - Parameter DisassociateLambdaFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateLambdaFunctionInput`) /// - /// - Returns: `DisassociateLambdaFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateLambdaFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8492,7 +8379,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateLambdaFunctionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateLambdaFunctionOutput.httpOutput(from:), DisassociateLambdaFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8524,9 +8410,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Revokes authorization from the specified instance to access the specified Amazon Lex bot. /// - /// - Parameter DisassociateLexBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateLexBotInput`) /// - /// - Returns: `DisassociateLexBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateLexBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8563,7 +8449,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateLexBotInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateLexBotOutput.httpOutput(from:), DisassociateLexBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8595,9 +8480,9 @@ extension ConnectClient { /// /// Removes the flow association from a phone number claimed to your Amazon Connect instance. If the number is claimed to a traffic distribution group, and you are calling this API using an instance in the Amazon Web Services Region where the traffic distribution group was created, you can use either a full phone number ARN or UUID value for the PhoneNumberId URI request parameter. However, if the number is claimed to a traffic distribution group and you are calling this API using an instance in the alternate Amazon Web Services Region associated with the traffic distribution group, you must provide a full phone number ARN. If a UUID is provided in this scenario, you will receive a ResourceNotFoundException. /// - /// - Parameter DisassociatePhoneNumberContactFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociatePhoneNumberContactFlowInput`) /// - /// - Returns: `DisassociatePhoneNumberContactFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociatePhoneNumberContactFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8633,7 +8518,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociatePhoneNumberContactFlowInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociatePhoneNumberContactFlowOutput.httpOutput(from:), DisassociatePhoneNumberContactFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8665,9 +8549,9 @@ extension ConnectClient { /// /// Disassociates a set of quick connects from a queue. /// - /// - Parameter DisassociateQueueQuickConnectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateQueueQuickConnectsInput`) /// - /// - Returns: `DisassociateQueueQuickConnectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateQueueQuickConnectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8705,7 +8589,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateQueueQuickConnectsOutput.httpOutput(from:), DisassociateQueueQuickConnectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8737,9 +8620,9 @@ extension ConnectClient { /// /// Disassociates a set of queues from a routing profile. Up to 10 queue references can be disassociated in a single API call. More than 10 queue references results in a single call results in an InvalidParameterException. /// - /// - Parameter DisassociateRoutingProfileQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateRoutingProfileQueuesInput`) /// - /// - Returns: `DisassociateRoutingProfileQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateRoutingProfileQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8777,7 +8660,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateRoutingProfileQueuesOutput.httpOutput(from:), DisassociateRoutingProfileQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8809,9 +8691,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Deletes the specified security key. /// - /// - Parameter DisassociateSecurityKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSecurityKeyInput`) /// - /// - Returns: `DisassociateSecurityKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSecurityKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8848,7 +8730,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateSecurityKeyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSecurityKeyOutput.httpOutput(from:), DisassociateSecurityKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8880,9 +8761,9 @@ extension ConnectClient { /// /// Disassociates an agent from a traffic distribution group. This API can be called only in the Region where the traffic distribution group is created. /// - /// - Parameter DisassociateTrafficDistributionGroupUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTrafficDistributionGroupUserInput`) /// - /// - Returns: `DisassociateTrafficDistributionGroupUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTrafficDistributionGroupUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8919,7 +8800,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateTrafficDistributionGroupUserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTrafficDistributionGroupUserOutput.httpOutput(from:), DisassociateTrafficDistributionGroupUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8951,9 +8831,9 @@ extension ConnectClient { /// /// Disassociates a set of proficiencies from a user. /// - /// - Parameter DisassociateUserProficienciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateUserProficienciesInput`) /// - /// - Returns: `DisassociateUserProficienciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateUserProficienciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8991,7 +8871,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateUserProficienciesOutput.httpOutput(from:), DisassociateUserProficienciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9023,9 +8902,9 @@ extension ConnectClient { /// /// Dismisses contacts from an agent’s CCP and returns the agent to an available state, which allows the agent to receive a new routed contact. Contacts can only be dismissed if they are in a MISSED, ERROR, ENDED, or REJECTED state in the [Agent Event Stream](https://docs.aws.amazon.com/connect/latest/adminguide/about-contact-states.html). /// - /// - Parameter DismissUserContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DismissUserContactInput`) /// - /// - Returns: `DismissUserContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DismissUserContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9064,7 +8943,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DismissUserContactOutput.httpOutput(from:), DismissUserContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9096,9 +8974,9 @@ extension ConnectClient { /// /// Provides a pre-signed URL for download of an approved attached file. This API also returns metadata about the attached file. It will only return a downloadURL if the status of the attached file is APPROVED. /// - /// - Parameter GetAttachedFileInput : Request to GetAttachedFile API. + /// - Parameter input: Request to GetAttachedFile API. (Type: `GetAttachedFileInput`) /// - /// - Returns: `GetAttachedFileOutput` : Response from GetAttachedFile API. + /// - Returns: Response from GetAttachedFile API. (Type: `GetAttachedFileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9134,7 +9012,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAttachedFileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAttachedFileOutput.httpOutput(from:), GetAttachedFileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9166,9 +9043,9 @@ extension ConnectClient { /// /// Retrieves the contact attributes for the specified contact. /// - /// - Parameter GetContactAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContactAttributesInput`) /// - /// - Returns: `GetContactAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContactAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9201,7 +9078,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContactAttributesOutput.httpOutput(from:), GetContactAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9251,9 +9127,9 @@ extension ConnectClient { /// /// Endpoints: See [Amazon Connect endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/connect_region.html). /// - /// - Parameter GetContactMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContactMetricsInput`) /// - /// - Returns: `GetContactMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContactMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9292,7 +9168,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContactMetricsOutput.httpOutput(from:), GetContactMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9341,9 +9216,9 @@ extension ConnectClient { /// /// * Add filters to reduce the amount of data returned /// - /// - Parameter GetCurrentMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCurrentMetricDataInput`) /// - /// - Returns: `GetCurrentMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCurrentMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9381,7 +9256,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCurrentMetricDataOutput.httpOutput(from:), GetCurrentMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9413,9 +9287,9 @@ extension ConnectClient { /// /// Gets the real-time active user data from the specified Amazon Connect instance. /// - /// - Parameter GetCurrentUserDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCurrentUserDataInput`) /// - /// - Returns: `GetCurrentUserDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCurrentUserDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9453,7 +9327,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCurrentUserDataOutput.httpOutput(from:), GetCurrentUserDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9485,9 +9358,9 @@ extension ConnectClient { /// /// Get the hours of operations with the effective override applied. /// - /// - Parameter GetEffectiveHoursOfOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEffectiveHoursOfOperationsInput`) /// - /// - Returns: `GetEffectiveHoursOfOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEffectiveHoursOfOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9523,7 +9396,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetEffectiveHoursOfOperationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEffectiveHoursOfOperationsOutput.httpOutput(from:), GetEffectiveHoursOfOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9555,9 +9427,9 @@ extension ConnectClient { /// /// Supports SAML sign-in for Amazon Connect. Retrieves a token for federation. The token is for the Amazon Connect user which corresponds to the IAM credentials that were used to invoke this action. For more information about how SAML sign-in works in Amazon Connect, see [Configure SAML with IAM for Amazon Connect in the Amazon Connect Administrator Guide.](https://docs.aws.amazon.com/connect/latest/adminguide/configure-saml.html) This API doesn't support root users. If you try to invoke GetFederationToken with root credentials, an error message similar to the following one appears: Provided identity: Principal: .... User: .... cannot be used for federation with Amazon Connect /// - /// - Parameter GetFederationTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFederationTokenInput`) /// - /// - Returns: `GetFederationTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFederationTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9593,7 +9465,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFederationTokenOutput.httpOutput(from:), GetFederationTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9625,9 +9496,9 @@ extension ConnectClient { /// /// Retrieves the flow associated for a given resource. /// - /// - Parameter GetFlowAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFlowAssociationInput`) /// - /// - Returns: `GetFlowAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFlowAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9663,7 +9534,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFlowAssociationOutput.httpOutput(from:), GetFlowAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9695,9 +9565,9 @@ extension ConnectClient { /// /// Gets historical metric data from the specified Amazon Connect instance. For a description of each historical metric, see [Metrics definitions](https://docs.aws.amazon.com/connect/latest/adminguide/metrics-definitions.html) in the Amazon Connect Administrator Guide. We recommend using the [GetMetricDataV2](https://docs.aws.amazon.com/connect/latest/APIReference/API_GetMetricDataV2.html) API. It provides more flexibility, features, and the ability to query longer time ranges than GetMetricData. Use it to retrieve historical agent and contact metrics for the last 3 months, at varying intervals. You can also use it to build custom dashboards to measure historical queue and agent performance. For example, you can track the number of incoming contacts for the last 7 days, with data split by day, to see how contact volume changed per day of the week. /// - /// - Parameter GetMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetricDataInput`) /// - /// - Returns: `GetMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9735,7 +9605,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetricDataOutput.httpOutput(from:), GetMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9786,9 +9655,9 @@ extension ConnectClient { /// /// * Add filters to reduce the amount of data returned /// - /// - Parameter GetMetricDataV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetricDataV2Input`) /// - /// - Returns: `GetMetricDataV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetricDataV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9826,7 +9695,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetricDataV2Output.httpOutput(from:), GetMetricDataV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9858,9 +9726,9 @@ extension ConnectClient { /// /// Gets the prompt file. /// - /// - Parameter GetPromptFileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPromptFileInput`) /// - /// - Returns: `GetPromptFileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPromptFileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9895,7 +9763,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPromptFileOutput.httpOutput(from:), GetPromptFileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9927,9 +9794,9 @@ extension ConnectClient { /// /// Gets details about a specific task template in the specified Amazon Connect instance. /// - /// - Parameter GetTaskTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTaskTemplateInput`) /// - /// - Returns: `GetTaskTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTaskTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9965,7 +9832,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTaskTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTaskTemplateOutput.httpOutput(from:), GetTaskTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9997,9 +9863,9 @@ extension ConnectClient { /// /// Retrieves the current traffic distribution for a given traffic distribution group. /// - /// - Parameter GetTrafficDistributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrafficDistributionInput`) /// - /// - Returns: `GetTrafficDistributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrafficDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10034,7 +9900,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrafficDistributionOutput.httpOutput(from:), GetTrafficDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10066,9 +9931,9 @@ extension ConnectClient { /// /// Imports a claimed phone number from an external service, such as Amazon Web Services End User Messaging, into an Amazon Connect instance. You can call this API only in the same Amazon Web Services Region where the Amazon Connect instance was created. Call the [DescribePhoneNumber](https://docs.aws.amazon.com/connect/latest/APIReference/API_DescribePhoneNumber.html) API to verify the status of a previous ImportPhoneNumber operation. If you plan to claim or import numbers and then release numbers frequently, contact us for a service quota exception. Otherwise, it is possible you will be blocked from claiming and releasing any more numbers until up to 180 days past the oldest number released has expired. By default you can claim or import and then release up to 200% of your maximum number of active phone numbers. If you claim or import and then release phone numbers using the UI or API during a rolling 180 day cycle that exceeds 200% of your phone number service level quota, you will be blocked from claiming or importing any more numbers until 180 days past the oldest number released has expired. For example, if you already have 99 claimed or imported numbers and a service level quota of 99 phone numbers, and in any 180 day period you release 99, claim 99, and then release 99, you will have exceeded the 200% limit. At that point you are blocked from claiming any more numbers until you open an Amazon Web Services Support ticket. /// - /// - Parameter ImportPhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportPhoneNumberInput`) /// - /// - Returns: `ImportPhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportPhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10108,7 +9973,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportPhoneNumberOutput.httpOutput(from:), ImportPhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10140,9 +10004,9 @@ extension ConnectClient { /// /// Lists agent statuses. /// - /// - Parameter ListAgentStatusesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgentStatusesInput`) /// - /// - Returns: `ListAgentStatusesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgentStatusesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10178,7 +10042,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAgentStatusesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentStatusesOutput.httpOutput(from:), ListAgentStatusesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10210,9 +10073,9 @@ extension ConnectClient { /// /// Lists the association status of requested dataset ID for a given Amazon Connect instance. /// - /// - Parameter ListAnalyticsDataAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnalyticsDataAssociationsInput`) /// - /// - Returns: `ListAnalyticsDataAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnalyticsDataAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10248,7 +10111,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAnalyticsDataAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnalyticsDataAssociationsOutput.httpOutput(from:), ListAnalyticsDataAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10280,9 +10142,9 @@ extension ConnectClient { /// /// Lists the data lake datasets available to associate with for a given Amazon Connect instance. /// - /// - Parameter ListAnalyticsDataLakeDataSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnalyticsDataLakeDataSetsInput`) /// - /// - Returns: `ListAnalyticsDataLakeDataSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnalyticsDataLakeDataSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10318,7 +10180,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAnalyticsDataLakeDataSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnalyticsDataLakeDataSetsOutput.httpOutput(from:), ListAnalyticsDataLakeDataSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10350,9 +10211,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Returns a paginated list of all approved origins associated with the instance. /// - /// - Parameter ListApprovedOriginsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApprovedOriginsInput`) /// - /// - Returns: `ListApprovedOriginsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApprovedOriginsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10388,7 +10249,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApprovedOriginsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApprovedOriginsOutput.httpOutput(from:), ListApprovedOriginsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10420,9 +10280,9 @@ extension ConnectClient { /// /// Provides information about contact tree, a list of associated contacts with a unique identifier. /// - /// - Parameter ListAssociatedContactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedContactsInput`) /// - /// - Returns: `ListAssociatedContactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedContactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10458,7 +10318,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssociatedContactsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedContactsOutput.httpOutput(from:), ListAssociatedContactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10490,9 +10349,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. To request access to this API, contact Amazon Web Services Support. Provides summary information about the authentication profiles in a specified Amazon Connect instance. /// - /// - Parameter ListAuthenticationProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAuthenticationProfilesInput`) /// - /// - Returns: `ListAuthenticationProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAuthenticationProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10528,7 +10387,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAuthenticationProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAuthenticationProfilesOutput.httpOutput(from:), ListAuthenticationProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10560,9 +10418,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. For the specified version of Amazon Lex, returns a paginated list of all the Amazon Lex bots currently associated with the instance. Use this API to return both Amazon Lex V1 and V2 bots. /// - /// - Parameter ListBotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotsInput`) /// - /// - Returns: `ListBotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10597,7 +10455,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBotsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotsOutput.httpOutput(from:), ListBotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10629,9 +10486,9 @@ extension ConnectClient { /// /// Lists contact evaluations in the specified Amazon Connect instance. /// - /// - Parameter ListContactEvaluationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContactEvaluationsInput`) /// - /// - Returns: `ListContactEvaluationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContactEvaluationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10666,7 +10523,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListContactEvaluationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContactEvaluationsOutput.httpOutput(from:), ListContactEvaluationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10698,9 +10554,9 @@ extension ConnectClient { /// /// Provides information about the flow modules for the specified Amazon Connect instance. /// - /// - Parameter ListContactFlowModulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContactFlowModulesInput`) /// - /// - Returns: `ListContactFlowModulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContactFlowModulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10737,7 +10593,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListContactFlowModulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContactFlowModulesOutput.httpOutput(from:), ListContactFlowModulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10769,9 +10624,9 @@ extension ConnectClient { /// /// Returns all the available versions for the specified Amazon Connect instance and flow identifier. /// - /// - Parameter ListContactFlowVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContactFlowVersionsInput`) /// - /// - Returns: `ListContactFlowVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContactFlowVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10808,7 +10663,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListContactFlowVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContactFlowVersionsOutput.httpOutput(from:), ListContactFlowVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10840,9 +10694,9 @@ extension ConnectClient { /// /// Provides information about the flows for the specified Amazon Connect instance. You can also create and update flows using the [Amazon Connect Flow language](https://docs.aws.amazon.com/connect/latest/APIReference/flow-language.html). For more information about flows, see [Flows](https://docs.aws.amazon.com/connect/latest/adminguide/concepts-contact-flows.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter ListContactFlowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContactFlowsInput`) /// - /// - Returns: `ListContactFlowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContactFlowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10878,7 +10732,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListContactFlowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContactFlowsOutput.httpOutput(from:), ListContactFlowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10910,9 +10763,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. For the specified referenceTypes, returns a list of references associated with the contact. References are links to documents that are related to a contact, such as emails, attachments, or URLs. /// - /// - Parameter ListContactReferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContactReferencesInput`) /// - /// - Returns: `ListContactReferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContactReferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10948,7 +10801,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListContactReferencesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContactReferencesOutput.httpOutput(from:), ListContactReferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10980,9 +10832,9 @@ extension ConnectClient { /// /// Lists the default vocabularies for the specified Amazon Connect instance. /// - /// - Parameter ListDefaultVocabulariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDefaultVocabulariesInput`) /// - /// - Returns: `ListDefaultVocabulariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDefaultVocabulariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11019,7 +10871,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDefaultVocabulariesOutput.httpOutput(from:), ListDefaultVocabulariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11051,9 +10902,9 @@ extension ConnectClient { /// /// Lists versions of an evaluation form in the specified Amazon Connect instance. /// - /// - Parameter ListEvaluationFormVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEvaluationFormVersionsInput`) /// - /// - Returns: `ListEvaluationFormVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEvaluationFormVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11088,7 +10939,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEvaluationFormVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEvaluationFormVersionsOutput.httpOutput(from:), ListEvaluationFormVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11120,9 +10970,9 @@ extension ConnectClient { /// /// Lists evaluation forms in the specified Amazon Connect instance. /// - /// - Parameter ListEvaluationFormsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEvaluationFormsInput`) /// - /// - Returns: `ListEvaluationFormsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEvaluationFormsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11157,7 +11007,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEvaluationFormsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEvaluationFormsOutput.httpOutput(from:), ListEvaluationFormsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11189,9 +11038,9 @@ extension ConnectClient { /// /// List the flow association based on the filters. /// - /// - Parameter ListFlowAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowAssociationsInput`) /// - /// - Returns: `ListFlowAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11228,7 +11077,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFlowAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowAssociationsOutput.httpOutput(from:), ListFlowAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11260,9 +11108,9 @@ extension ConnectClient { /// /// List the hours of operation overrides. /// - /// - Parameter ListHoursOfOperationOverridesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHoursOfOperationOverridesInput`) /// - /// - Returns: `ListHoursOfOperationOverridesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHoursOfOperationOverridesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11298,7 +11146,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHoursOfOperationOverridesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHoursOfOperationOverridesOutput.httpOutput(from:), ListHoursOfOperationOverridesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11330,9 +11177,9 @@ extension ConnectClient { /// /// Provides information about the hours of operation for the specified Amazon Connect instance. For more information about hours of operation, see [Set the Hours of Operation for a Queue](https://docs.aws.amazon.com/connect/latest/adminguide/set-hours-operation.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter ListHoursOfOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHoursOfOperationsInput`) /// - /// - Returns: `ListHoursOfOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHoursOfOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11368,7 +11215,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHoursOfOperationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHoursOfOperationsOutput.httpOutput(from:), ListHoursOfOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11400,9 +11246,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Returns a paginated list of all attribute types for the given instance. /// - /// - Parameter ListInstanceAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstanceAttributesInput`) /// - /// - Returns: `ListInstanceAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstanceAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11438,7 +11284,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInstanceAttributesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstanceAttributesOutput.httpOutput(from:), ListInstanceAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11470,9 +11315,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Returns a paginated list of storage configs for the identified instance and resource type. /// - /// - Parameter ListInstanceStorageConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstanceStorageConfigsInput`) /// - /// - Returns: `ListInstanceStorageConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstanceStorageConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11508,7 +11353,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInstanceStorageConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstanceStorageConfigsOutput.httpOutput(from:), ListInstanceStorageConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11540,9 +11384,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Return a list of instances which are in active state, creation-in-progress state, and failed state. Instances that aren't successfully created (they are in a failed state) are returned only for 24 hours after the CreateInstance API was invoked. /// - /// - Parameter ListInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstancesInput`) /// - /// - Returns: `ListInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11575,7 +11419,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstancesOutput.httpOutput(from:), ListInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11607,9 +11450,9 @@ extension ConnectClient { /// /// Provides summary information about the Amazon Web Services resource associations for the specified Amazon Connect instance. /// - /// - Parameter ListIntegrationAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIntegrationAssociationsInput`) /// - /// - Returns: `ListIntegrationAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIntegrationAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11644,7 +11487,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIntegrationAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIntegrationAssociationsOutput.httpOutput(from:), ListIntegrationAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11676,9 +11518,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Returns a paginated list of all Lambda functions that display in the dropdown options in the relevant flow blocks. /// - /// - Parameter ListLambdaFunctionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLambdaFunctionsInput`) /// - /// - Returns: `ListLambdaFunctionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLambdaFunctionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11714,7 +11556,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLambdaFunctionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLambdaFunctionsOutput.httpOutput(from:), ListLambdaFunctionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11746,9 +11587,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Returns a paginated list of all the Amazon Lex V1 bots currently associated with the instance. To return both Amazon Lex V1 and V2 bots, use the [ListBots](https://docs.aws.amazon.com/connect/latest/APIReference/API_ListBots.html) API. /// - /// - Parameter ListLexBotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLexBotsInput`) /// - /// - Returns: `ListLexBotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLexBotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11784,7 +11625,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLexBotsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLexBotsOutput.httpOutput(from:), ListLexBotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11820,9 +11660,9 @@ extension ConnectClient { /// /// * The phone number Arn value that is returned from each of the items in the [PhoneNumberSummaryList](https://docs.aws.amazon.com/connect/latest/APIReference/API_ListPhoneNumbers.html#connect-ListPhoneNumbers-response-PhoneNumberSummaryList) cannot be used to tag phone number resources. It will fail with a ResourceNotFoundException. Instead, use the [ListPhoneNumbersV2](https://docs.aws.amazon.com/connect/latest/APIReference/API_ListPhoneNumbersV2.html) API. It returns the new phone number ARN that can be used to tag phone number resources. /// - /// - Parameter ListPhoneNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPhoneNumbersInput`) /// - /// - Returns: `ListPhoneNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPhoneNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11858,7 +11698,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPhoneNumbersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPhoneNumbersOutput.httpOutput(from:), ListPhoneNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11894,9 +11733,9 @@ extension ConnectClient { /// /// * When given a traffic distribution group ARN ListPhoneNumbersV2 returns only the phone numbers claimed to the traffic distribution group. /// - /// - Parameter ListPhoneNumbersV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPhoneNumbersV2Input`) /// - /// - Returns: `ListPhoneNumbersV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPhoneNumbersV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11934,7 +11773,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPhoneNumbersV2Output.httpOutput(from:), ListPhoneNumbersV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11973,9 +11811,9 @@ extension ConnectClient { /// /// For the predefined attributes per instance quota, see [Amazon Connect quotas](https://docs.aws.amazon.com/connect/latest/adminguide/amazon-connect-service-limits.html#connect-quotas). Endpoints: See [Amazon Connect endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/connect_region.html). /// - /// - Parameter ListPredefinedAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPredefinedAttributesInput`) /// - /// - Returns: `ListPredefinedAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPredefinedAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12011,7 +11849,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPredefinedAttributesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPredefinedAttributesOutput.httpOutput(from:), ListPredefinedAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12043,9 +11880,9 @@ extension ConnectClient { /// /// Provides information about the prompts for the specified Amazon Connect instance. /// - /// - Parameter ListPromptsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPromptsInput`) /// - /// - Returns: `ListPromptsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPromptsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12081,7 +11918,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPromptsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPromptsOutput.httpOutput(from:), ListPromptsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12113,9 +11949,9 @@ extension ConnectClient { /// /// Lists the quick connects associated with a queue. /// - /// - Parameter ListQueueQuickConnectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueueQuickConnectsInput`) /// - /// - Returns: `ListQueueQuickConnectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueueQuickConnectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12151,7 +11987,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueueQuickConnectsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueueQuickConnectsOutput.httpOutput(from:), ListQueueQuickConnectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12183,9 +12018,9 @@ extension ConnectClient { /// /// Provides information about the queues for the specified Amazon Connect instance. If you do not specify a QueueTypes parameter, both standard and agent queues are returned. This might cause an unexpected truncation of results if you have more than 1000 agents and you limit the number of results of the API call in code. For more information about queues, see [Queues: Standard and Agent](https://docs.aws.amazon.com/connect/latest/adminguide/concepts-queues-standard-and-agent.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter ListQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueuesInput`) /// - /// - Returns: `ListQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12221,7 +12056,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueuesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueuesOutput.httpOutput(from:), ListQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12253,9 +12087,9 @@ extension ConnectClient { /// /// Provides information about the quick connects for the specified Amazon Connect instance. /// - /// - Parameter ListQuickConnectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQuickConnectsInput`) /// - /// - Returns: `ListQuickConnectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQuickConnectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12291,7 +12125,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQuickConnectsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQuickConnectsOutput.httpOutput(from:), ListQuickConnectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12323,9 +12156,9 @@ extension ConnectClient { /// /// Provides a list of analysis segments for a real-time chat analysis session. This API supports CHAT channels only. This API does not support VOICE. If you attempt to use it for VOICE, an InvalidRequestException occurs. /// - /// - Parameter ListRealtimeContactAnalysisSegmentsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRealtimeContactAnalysisSegmentsV2Input`) /// - /// - Returns: `ListRealtimeContactAnalysisSegmentsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRealtimeContactAnalysisSegmentsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12364,7 +12197,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRealtimeContactAnalysisSegmentsV2Output.httpOutput(from:), ListRealtimeContactAnalysisSegmentsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12406,9 +12238,9 @@ extension ConnectClient { /// /// Endpoints: See [Amazon Connect endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/connect_region.html). /// - /// - Parameter ListRoutingProfileManualAssignmentQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoutingProfileManualAssignmentQueuesInput`) /// - /// - Returns: `ListRoutingProfileManualAssignmentQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoutingProfileManualAssignmentQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12444,7 +12276,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoutingProfileManualAssignmentQueuesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoutingProfileManualAssignmentQueuesOutput.httpOutput(from:), ListRoutingProfileManualAssignmentQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12476,9 +12307,9 @@ extension ConnectClient { /// /// Lists the queues associated with a routing profile. /// - /// - Parameter ListRoutingProfileQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoutingProfileQueuesInput`) /// - /// - Returns: `ListRoutingProfileQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoutingProfileQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12514,7 +12345,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoutingProfileQueuesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoutingProfileQueuesOutput.httpOutput(from:), ListRoutingProfileQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12546,9 +12376,9 @@ extension ConnectClient { /// /// Provides summary information about the routing profiles for the specified Amazon Connect instance. For more information about routing profiles, see [Routing Profiles](https://docs.aws.amazon.com/connect/latest/adminguide/concepts-routing.html) and [Create a Routing Profile](https://docs.aws.amazon.com/connect/latest/adminguide/routing-profiles.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter ListRoutingProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoutingProfilesInput`) /// - /// - Returns: `ListRoutingProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoutingProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12584,7 +12414,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoutingProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoutingProfilesOutput.httpOutput(from:), ListRoutingProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12616,9 +12445,9 @@ extension ConnectClient { /// /// List all rules for the specified Amazon Connect instance. /// - /// - Parameter ListRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesInput`) /// - /// - Returns: `ListRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12654,7 +12483,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesOutput.httpOutput(from:), ListRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12686,9 +12514,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Returns a paginated list of all security keys associated with the instance. /// - /// - Parameter ListSecurityKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityKeysInput`) /// - /// - Returns: `ListSecurityKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12724,7 +12552,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSecurityKeysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityKeysOutput.httpOutput(from:), ListSecurityKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12756,9 +12583,9 @@ extension ConnectClient { /// /// Returns a list of third-party applications in a specific security profile. /// - /// - Parameter ListSecurityProfileApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityProfileApplicationsInput`) /// - /// - Returns: `ListSecurityProfileApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityProfileApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12794,7 +12621,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSecurityProfileApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityProfileApplicationsOutput.httpOutput(from:), ListSecurityProfileApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12826,9 +12652,9 @@ extension ConnectClient { /// /// Lists the permissions granted to a security profile. For information about security profiles, see [Security Profiles](https://docs.aws.amazon.com/connect/latest/adminguide/connect-security-profiles.html) in the Amazon Connect Administrator Guide. For a mapping of the API name and user interface name of the security profile permissions, see [List of security profile permissions](https://docs.aws.amazon.com/connect/latest/adminguide/security-profile-list.html). /// - /// - Parameter ListSecurityProfilePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityProfilePermissionsInput`) /// - /// - Returns: `ListSecurityProfilePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityProfilePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12864,7 +12690,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSecurityProfilePermissionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityProfilePermissionsOutput.httpOutput(from:), ListSecurityProfilePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12896,9 +12721,9 @@ extension ConnectClient { /// /// Provides summary information about the security profiles for the specified Amazon Connect instance. For more information about security profiles, see [Security Profiles](https://docs.aws.amazon.com/connect/latest/adminguide/connect-security-profiles.html) in the Amazon Connect Administrator Guide. For a mapping of the API name and user interface name of the security profile permissions, see [List of security profile permissions](https://docs.aws.amazon.com/connect/latest/adminguide/security-profile-list.html). /// - /// - Parameter ListSecurityProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityProfilesInput`) /// - /// - Returns: `ListSecurityProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12934,7 +12759,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSecurityProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityProfilesOutput.httpOutput(from:), ListSecurityProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12966,9 +12790,9 @@ extension ConnectClient { /// /// Lists the tags for the specified resource. For sample policies that use tags, see [Amazon Connect Identity-Based Policy Examples](https://docs.aws.amazon.com/connect/latest/adminguide/security_iam_id-based-policy-examples.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13003,7 +12827,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13035,9 +12858,9 @@ extension ConnectClient { /// /// Lists task templates for the specified Amazon Connect instance. /// - /// - Parameter ListTaskTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTaskTemplatesInput`) /// - /// - Returns: `ListTaskTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTaskTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13073,7 +12896,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTaskTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTaskTemplatesOutput.httpOutput(from:), ListTaskTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13105,9 +12927,9 @@ extension ConnectClient { /// /// Lists traffic distribution group users. /// - /// - Parameter ListTrafficDistributionGroupUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrafficDistributionGroupUsersInput`) /// - /// - Returns: `ListTrafficDistributionGroupUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrafficDistributionGroupUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13143,7 +12965,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrafficDistributionGroupUsersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrafficDistributionGroupUsersOutput.httpOutput(from:), ListTrafficDistributionGroupUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13175,9 +12996,9 @@ extension ConnectClient { /// /// Lists traffic distribution groups. /// - /// - Parameter ListTrafficDistributionGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrafficDistributionGroupsInput`) /// - /// - Returns: `ListTrafficDistributionGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrafficDistributionGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13212,7 +13033,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrafficDistributionGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrafficDistributionGroupsOutput.httpOutput(from:), ListTrafficDistributionGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13244,9 +13064,9 @@ extension ConnectClient { /// /// Lists the use cases for the integration association. /// - /// - Parameter ListUseCasesInput : Provides summary information about the use cases for the specified integration association. + /// - Parameter input: Provides summary information about the use cases for the specified integration association. (Type: `ListUseCasesInput`) /// - /// - Returns: `ListUseCasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUseCasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13281,7 +13101,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUseCasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUseCasesOutput.httpOutput(from:), ListUseCasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13313,9 +13132,9 @@ extension ConnectClient { /// /// Provides summary information about the hierarchy groups for the specified Amazon Connect instance. For more information about agent hierarchies, see [Set Up Agent Hierarchies](https://docs.aws.amazon.com/connect/latest/adminguide/agent-hierarchy.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter ListUserHierarchyGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUserHierarchyGroupsInput`) /// - /// - Returns: `ListUserHierarchyGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUserHierarchyGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13351,7 +13170,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUserHierarchyGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserHierarchyGroupsOutput.httpOutput(from:), ListUserHierarchyGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13383,9 +13201,9 @@ extension ConnectClient { /// /// Lists proficiencies associated with a user. /// - /// - Parameter ListUserProficienciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUserProficienciesInput`) /// - /// - Returns: `ListUserProficienciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUserProficienciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13421,7 +13239,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUserProficienciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserProficienciesOutput.httpOutput(from:), ListUserProficienciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13453,9 +13270,9 @@ extension ConnectClient { /// /// Provides summary information about the users for the specified Amazon Connect instance. /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13491,7 +13308,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUsersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13523,9 +13339,9 @@ extension ConnectClient { /// /// Returns all the available versions for the specified Amazon Connect instance and view identifier. Results will be sorted from highest to lowest. /// - /// - Parameter ListViewVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListViewVersionsInput`) /// - /// - Returns: `ListViewVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListViewVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13562,7 +13378,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListViewVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListViewVersionsOutput.httpOutput(from:), ListViewVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13594,9 +13409,9 @@ extension ConnectClient { /// /// Returns views in the given instance. Results are sorted primarily by type, and secondarily by name. /// - /// - Parameter ListViewsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListViewsInput`) /// - /// - Returns: `ListViewsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListViewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13633,7 +13448,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListViewsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListViewsOutput.httpOutput(from:), ListViewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13665,9 +13479,9 @@ extension ConnectClient { /// /// Initiates silent monitoring of a contact. The Contact Control Panel (CCP) of the user specified by userId will be set to silent monitoring mode on the contact. /// - /// - Parameter MonitorContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MonitorContactInput`) /// - /// - Returns: `MonitorContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MonitorContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13708,7 +13522,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MonitorContactOutput.httpOutput(from:), MonitorContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13740,9 +13553,9 @@ extension ConnectClient { /// /// Allows pausing an ongoing task contact. /// - /// - Parameter PauseContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PauseContactInput`) /// - /// - Returns: `PauseContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PauseContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13783,7 +13596,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PauseContactOutput.httpOutput(from:), PauseContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13815,9 +13627,9 @@ extension ConnectClient { /// /// Changes the current status of a user or agent in Amazon Connect. If the agent is currently handling a contact, this sets the agent's next status. For more information, see [Agent status](https://docs.aws.amazon.com/connect/latest/adminguide/metrics-agent-status.html) and [Set your next status](https://docs.aws.amazon.com/connect/latest/adminguide/set-next-status.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter PutUserStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutUserStatusInput`) /// - /// - Returns: `PutUserStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutUserStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13856,7 +13668,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutUserStatusOutput.httpOutput(from:), PutUserStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13888,9 +13699,9 @@ extension ConnectClient { /// /// Releases a phone number previously claimed to an Amazon Connect instance or traffic distribution group. You can call this API only in the Amazon Web Services Region where the number was claimed. To release phone numbers from a traffic distribution group, use the ReleasePhoneNumber API, not the Amazon Connect admin website. After releasing a phone number, the phone number enters into a cooldown period for up to 180 days. It cannot be searched for or claimed again until the period has ended. If you accidentally release a phone number, contact Amazon Web Services Support. If you plan to claim and release numbers frequently, contact us for a service quota exception. Otherwise, it is possible you will be blocked from claiming and releasing any more numbers until up to 180 days past the oldest number released has expired. By default you can claim and release up to 200% of your maximum number of active phone numbers. If you claim and release phone numbers using the UI or API during a rolling 180 day cycle that exceeds 200% of your phone number service level quota, you will be blocked from claiming any more numbers until 180 days past the oldest number released has expired. For example, if you already have 99 claimed numbers and a service level quota of 99 phone numbers, and in any 180 day period you release 99, claim 99, and then release 99, you will have exceeded the 200% limit. At that point you are blocked from claiming any more numbers until you open an Amazon Web Services support ticket. /// - /// - Parameter ReleasePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReleasePhoneNumberInput`) /// - /// - Returns: `ReleasePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReleasePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13929,7 +13740,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ReleasePhoneNumberInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReleasePhoneNumberOutput.httpOutput(from:), ReleasePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13961,9 +13771,9 @@ extension ConnectClient { /// /// Replicates an Amazon Connect instance in the specified Amazon Web Services Region and copies configuration information for Amazon Connect resources across Amazon Web Services Regions. For more information about replicating an Amazon Connect instance, see [Create a replica of your existing Amazon Connect instance](https://docs.aws.amazon.com/connect/latest/adminguide/create-replica-connect-instance.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter ReplicateInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplicateInstanceInput`) /// - /// - Returns: `ReplicateInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplicateInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14005,7 +13815,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplicateInstanceOutput.httpOutput(from:), ReplicateInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14037,9 +13846,9 @@ extension ConnectClient { /// /// Allows resuming a task contact in a paused state. /// - /// - Parameter ResumeContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResumeContactInput`) /// - /// - Returns: `ResumeContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14079,7 +13888,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeContactOutput.httpOutput(from:), ResumeContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14111,9 +13919,9 @@ extension ConnectClient { /// /// When a contact is being recorded, and the recording has been suspended using SuspendContactRecording, this API resumes recording whatever recording is selected in the flow configuration: call, screen, or both. If only call recording or only screen recording is enabled, then it would resume. Voice and screen recordings are supported. /// - /// - Parameter ResumeContactRecordingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResumeContactRecordingInput`) /// - /// - Returns: `ResumeContactRecordingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeContactRecordingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14149,7 +13957,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeContactRecordingOutput.httpOutput(from:), ResumeContactRecordingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14181,9 +13988,9 @@ extension ConnectClient { /// /// Searches AgentStatuses in an Amazon Connect instance, with optional filtering. /// - /// - Parameter SearchAgentStatusesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchAgentStatusesInput`) /// - /// - Returns: `SearchAgentStatusesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchAgentStatusesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14221,7 +14028,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchAgentStatusesOutput.httpOutput(from:), SearchAgentStatusesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14253,9 +14059,9 @@ extension ConnectClient { /// /// Searches for available phone numbers that you can claim to your Amazon Connect instance or traffic distribution group. If the provided TargetArn is a traffic distribution group, you can call this API in both Amazon Web Services Regions associated with the traffic distribution group. /// - /// - Parameter SearchAvailablePhoneNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchAvailablePhoneNumbersInput`) /// - /// - Returns: `SearchAvailablePhoneNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchAvailablePhoneNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14292,7 +14098,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchAvailablePhoneNumbersOutput.httpOutput(from:), SearchAvailablePhoneNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14324,9 +14129,9 @@ extension ConnectClient { /// /// Searches the flow modules in an Amazon Connect instance, with optional filtering. /// - /// - Parameter SearchContactFlowModulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchContactFlowModulesInput`) /// - /// - Returns: `SearchContactFlowModulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchContactFlowModulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14364,7 +14169,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchContactFlowModulesOutput.httpOutput(from:), SearchContactFlowModulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14396,9 +14200,9 @@ extension ConnectClient { /// /// Searches the flows in an Amazon Connect instance, with optional filtering. /// - /// - Parameter SearchContactFlowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchContactFlowsInput`) /// - /// - Returns: `SearchContactFlowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchContactFlowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14436,7 +14240,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchContactFlowsOutput.httpOutput(from:), SearchContactFlowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14468,9 +14271,9 @@ extension ConnectClient { /// /// Searches contacts in an Amazon Connect instance. /// - /// - Parameter SearchContactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchContactsInput`) /// - /// - Returns: `SearchContactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchContactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14508,7 +14311,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchContactsOutput.httpOutput(from:), SearchContactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14540,9 +14342,9 @@ extension ConnectClient { /// /// Searches email address in an instance, with optional filtering. /// - /// - Parameter SearchEmailAddressesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchEmailAddressesInput`) /// - /// - Returns: `SearchEmailAddressesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchEmailAddressesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14581,7 +14383,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchEmailAddressesOutput.httpOutput(from:), SearchEmailAddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14613,9 +14414,9 @@ extension ConnectClient { /// /// Searches the hours of operation overrides. /// - /// - Parameter SearchHoursOfOperationOverridesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchHoursOfOperationOverridesInput`) /// - /// - Returns: `SearchHoursOfOperationOverridesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchHoursOfOperationOverridesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14653,7 +14454,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchHoursOfOperationOverridesOutput.httpOutput(from:), SearchHoursOfOperationOverridesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14685,9 +14485,9 @@ extension ConnectClient { /// /// Searches the hours of operation in an Amazon Connect instance, with optional filtering. /// - /// - Parameter SearchHoursOfOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchHoursOfOperationsInput`) /// - /// - Returns: `SearchHoursOfOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchHoursOfOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14725,7 +14525,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchHoursOfOperationsOutput.httpOutput(from:), SearchHoursOfOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14764,9 +14563,9 @@ extension ConnectClient { /// /// For the predefined attributes per instance quota, see [Amazon Connect quotas](https://docs.aws.amazon.com/connect/latest/adminguide/amazon-connect-service-limits.html#connect-quotas). Endpoints: See [Amazon Connect endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/connect_region.html). /// - /// - Parameter SearchPredefinedAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchPredefinedAttributesInput`) /// - /// - Returns: `SearchPredefinedAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchPredefinedAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14804,7 +14603,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchPredefinedAttributesOutput.httpOutput(from:), SearchPredefinedAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14836,9 +14634,9 @@ extension ConnectClient { /// /// Searches prompts in an Amazon Connect instance, with optional filtering. /// - /// - Parameter SearchPromptsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchPromptsInput`) /// - /// - Returns: `SearchPromptsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchPromptsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14876,7 +14674,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchPromptsOutput.httpOutput(from:), SearchPromptsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14908,9 +14705,9 @@ extension ConnectClient { /// /// Searches queues in an Amazon Connect instance, with optional filtering. /// - /// - Parameter SearchQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchQueuesInput`) /// - /// - Returns: `SearchQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14948,7 +14745,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchQueuesOutput.httpOutput(from:), SearchQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14980,9 +14776,9 @@ extension ConnectClient { /// /// Searches quick connects in an Amazon Connect instance, with optional filtering. /// - /// - Parameter SearchQuickConnectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchQuickConnectsInput`) /// - /// - Returns: `SearchQuickConnectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchQuickConnectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15020,7 +14816,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchQuickConnectsOutput.httpOutput(from:), SearchQuickConnectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15052,9 +14847,9 @@ extension ConnectClient { /// /// Searches tags used in an Amazon Connect instance using optional search criteria. /// - /// - Parameter SearchResourceTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchResourceTagsInput`) /// - /// - Returns: `SearchResourceTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchResourceTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15093,7 +14888,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchResourceTagsOutput.httpOutput(from:), SearchResourceTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15125,9 +14919,9 @@ extension ConnectClient { /// /// Searches routing profiles in an Amazon Connect instance, with optional filtering. SearchRoutingProfiles does not populate LastModifiedRegion, LastModifiedTime, MediaConcurrencies.CrossChannelBehavior, and AgentAvailabilityTimer in its response, but [DescribeRoutingProfile](https://docs.aws.amazon.com/connect/latest/APIReference/API_DescribeRoutingProfile.html) does. /// - /// - Parameter SearchRoutingProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchRoutingProfilesInput`) /// - /// - Returns: `SearchRoutingProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchRoutingProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15165,7 +14959,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchRoutingProfilesOutput.httpOutput(from:), SearchRoutingProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15197,9 +14990,9 @@ extension ConnectClient { /// /// Searches security profiles in an Amazon Connect instance, with optional filtering. For information about security profiles, see [Security Profiles](https://docs.aws.amazon.com/connect/latest/adminguide/connect-security-profiles.html) in the Amazon Connect Administrator Guide. For a mapping of the API name and user interface name of the security profile permissions, see [List of security profile permissions](https://docs.aws.amazon.com/connect/latest/adminguide/security-profile-list.html). /// - /// - Parameter SearchSecurityProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchSecurityProfilesInput`) /// - /// - Returns: `SearchSecurityProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchSecurityProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15237,7 +15030,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchSecurityProfilesOutput.httpOutput(from:), SearchSecurityProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15269,9 +15061,9 @@ extension ConnectClient { /// /// Searches UserHierarchyGroups in an Amazon Connect instance, with optional filtering. The UserHierarchyGroup with "LevelId": "0" is the foundation for building levels on top of an instance. It is not user-definable, nor is it visible in the UI. /// - /// - Parameter SearchUserHierarchyGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchUserHierarchyGroupsInput`) /// - /// - Returns: `SearchUserHierarchyGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchUserHierarchyGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15309,7 +15101,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchUserHierarchyGroupsOutput.httpOutput(from:), SearchUserHierarchyGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15341,9 +15132,9 @@ extension ConnectClient { /// /// Searches users in an Amazon Connect instance, with optional filtering. AfterContactWorkTimeLimit is returned in milliseconds. /// - /// - Parameter SearchUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchUsersInput`) /// - /// - Returns: `SearchUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15381,7 +15172,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchUsersOutput.httpOutput(from:), SearchUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15413,9 +15203,9 @@ extension ConnectClient { /// /// Searches for vocabularies within a specific Amazon Connect instance using State, NameStartsWith, and LanguageCode. /// - /// - Parameter SearchVocabulariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchVocabulariesInput`) /// - /// - Returns: `SearchVocabulariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchVocabulariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15452,7 +15242,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchVocabulariesOutput.httpOutput(from:), SearchVocabulariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15491,9 +15280,9 @@ extension ConnectClient { /// /// When a chat integration event is sent with chat identifiers that do not map to an active chat contact, a new chat contact is also created before handling chat action. Access to this API is currently restricted to Amazon Web Services End User Messaging for supporting SMS integration. /// - /// - Parameter SendChatIntegrationEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendChatIntegrationEventInput`) /// - /// - Returns: `SendChatIntegrationEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendChatIntegrationEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15531,7 +15320,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendChatIntegrationEventOutput.httpOutput(from:), SendChatIntegrationEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15563,9 +15351,9 @@ extension ConnectClient { /// /// Send outbound email for outbound campaigns. For more information about outbound campaigns, see [Set up Amazon Connect outbound campaigns](https://docs.aws.amazon.com/connect/latest/adminguide/enable-outbound-campaigns.html). Only the Amazon Connect outbound campaigns service principal is allowed to assume a role in your account and call this API. /// - /// - Parameter SendOutboundEmailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendOutboundEmailInput`) /// - /// - Returns: `SendOutboundEmailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendOutboundEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15606,7 +15394,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendOutboundEmailOutput.httpOutput(from:), SendOutboundEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15638,9 +15425,9 @@ extension ConnectClient { /// /// Provides a pre-signed Amazon S3 URL in response for uploading your content. You may only use this API to upload attachments to an [Amazon Connect Case](https://docs.aws.amazon.com/connect/latest/APIReference/API_connect-cases_CreateCase.html) or [Amazon Connect Email](https://docs.aws.amazon.com/connect/latest/adminguide/setup-email-channel.html). /// - /// - Parameter StartAttachedFileUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAttachedFileUploadInput`) /// - /// - Returns: `StartAttachedFileUploadOutput` : Response from StartAttachedFileUpload API. + /// - Returns: Response from StartAttachedFileUpload API. (Type: `StartAttachedFileUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15681,7 +15468,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAttachedFileUploadOutput.httpOutput(from:), StartAttachedFileUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15724,9 +15510,9 @@ extension ConnectClient { /// /// * [Amazon Connect Chat security best practices](https://docs.aws.amazon.com/connect/latest/adminguide/security-best-practices.html#bp-security-chat) /// - /// - Parameter StartChatContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartChatContactInput`) /// - /// - Returns: `StartChatContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartChatContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15765,7 +15551,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartChatContactOutput.httpOutput(from:), StartChatContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15797,9 +15582,9 @@ extension ConnectClient { /// /// Starts an empty evaluation in the specified Amazon Connect instance, using the given evaluation form for the particular contact. The evaluation form version used for the contact evaluation corresponds to the currently activated version. If no version is activated for the evaluation form, the contact evaluation cannot be started. Evaluations created through the public API do not contain answer values suggested from automation. /// - /// - Parameter StartContactEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartContactEvaluationInput`) /// - /// - Returns: `StartContactEvaluationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartContactEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15839,7 +15624,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartContactEvaluationOutput.httpOutput(from:), StartContactEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15878,9 +15662,9 @@ extension ConnectClient { /// /// StartContactRecording is a one-time action. For example, if you use StopContactRecording to stop recording an ongoing call, you can't use StartContactRecording to restart it. For scenarios where the recording has started and you want to suspend and resume it, such as when collecting sensitive information (for example, a credit card number), use SuspendContactRecording and ResumeContactRecording. You can use this API to override the recording behavior configured in the [Set recording behavior](https://docs.aws.amazon.com/connect/latest/adminguide/set-recording-behavior.html) block. Only voice recordings are supported at this time. /// - /// - Parameter StartContactRecordingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartContactRecordingInput`) /// - /// - Returns: `StartContactRecordingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartContactRecordingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15917,7 +15701,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartContactRecordingOutput.httpOutput(from:), StartContactRecordingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15953,9 +15736,9 @@ extension ConnectClient { /// /// * [Amazon Connect Chat security best practices](https://docs.aws.amazon.com/connect/latest/adminguide/security-best-practices.html#bp-security-chat) /// - /// - Parameter StartContactStreamingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartContactStreamingInput`) /// - /// - Returns: `StartContactStreamingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartContactStreamingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15994,7 +15777,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartContactStreamingOutput.httpOutput(from:), StartContactStreamingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16026,9 +15808,9 @@ extension ConnectClient { /// /// Creates an inbound email contact and initiates a flow to start the email contact for the customer. Response of this API provides the ContactId of the email contact created. /// - /// - Parameter StartEmailContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEmailContactInput`) /// - /// - Returns: `StartEmailContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEmailContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16069,7 +15851,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEmailContactOutput.httpOutput(from:), StartEmailContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16105,9 +15886,9 @@ extension ConnectClient { /// /// * [Request an SMS-enabled phone number through AWS End User Messaging SMS](https://docs.aws.amazon.com/connect/latest/adminguide/sms-number.html) /// - /// - Parameter StartOutboundChatContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartOutboundChatContactInput`) /// - /// - Returns: `StartOutboundChatContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartOutboundChatContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16148,7 +15929,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartOutboundChatContactOutput.httpOutput(from:), StartOutboundChatContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16180,9 +15960,9 @@ extension ConnectClient { /// /// Initiates a flow to send an agent reply or outbound email contact (created from the CreateContact API) to a customer. /// - /// - Parameter StartOutboundEmailContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartOutboundEmailContactInput`) /// - /// - Returns: `StartOutboundEmailContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartOutboundEmailContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16223,7 +16003,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartOutboundEmailContactOutput.httpOutput(from:), StartOutboundEmailContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16255,9 +16034,9 @@ extension ConnectClient { /// /// Places an outbound call to a contact, and then initiates the flow. It performs the actions in the flow that's specified (in ContactFlowId). Agents do not initiate the outbound API, which means that they do not dial the contact. If the flow places an outbound call to a contact, and then puts the contact in queue, the call is then routed to the agent, like any other inbound case. There is a 60-second dialing timeout for this operation. If the call is not connected after 60 seconds, it fails. UK numbers with a 447 prefix are not allowed by default. Before you can dial these UK mobile numbers, you must submit a service quota increase request. For more information, see [Amazon Connect Service Quotas](https://docs.aws.amazon.com/connect/latest/adminguide/amazon-connect-service-limits.html) in the Amazon Connect Administrator Guide. Campaign calls are not allowed by default. Before you can make a call with TrafficType = CAMPAIGN, you must submit a service quota increase request to the quota [Amazon Connect campaigns](https://docs.aws.amazon.com/connect/latest/adminguide/amazon-connect-service-limits.html#outbound-communications-quotas). /// - /// - Parameter StartOutboundVoiceContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartOutboundVoiceContactInput`) /// - /// - Returns: `StartOutboundVoiceContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartOutboundVoiceContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16298,7 +16077,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartOutboundVoiceContactOutput.httpOutput(from:), StartOutboundVoiceContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16330,9 +16108,9 @@ extension ConnectClient { /// /// Starts screen sharing for a contact. For more information about screen sharing, see [Set up in-app, web, video calling, and screen sharing capabilities](https://docs.aws.amazon.com/connect/latest/adminguide/inapp-calling.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter StartScreenSharingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartScreenSharingInput`) /// - /// - Returns: `StartScreenSharingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartScreenSharingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16372,7 +16150,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartScreenSharingOutput.httpOutput(from:), StartScreenSharingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16427,9 +16204,9 @@ extension ConnectClient { /// /// In addition, when calling StartTaskContact include only one of these parameters: ContactFlowID, QuickConnectID, or TaskTemplateID. Only one parameter is required as long as the task template has a flow configured to run it. If more than one parameter is specified, or only the TaskTemplateID is specified but it does not have a flow configured, the request returns an error because Amazon Connect cannot identify the unique flow to run when the task is created. A ServiceQuotaExceededException occurs when the number of open tasks exceeds the active tasks quota or there are already 12 tasks referencing the same PreviousContactId. For more information about service quotas for task contacts, see [Amazon Connect service quotas](https://docs.aws.amazon.com/connect/latest/adminguide/amazon-connect-service-limits.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter StartTaskContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTaskContactInput`) /// - /// - Returns: `StartTaskContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTaskContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16469,7 +16246,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTaskContactOutput.httpOutput(from:), StartTaskContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16501,9 +16277,9 @@ extension ConnectClient { /// /// Places an inbound in-app, web, or video call to a contact, and then initiates the flow. It performs the actions in the flow that are specified (in ContactFlowId) and present in the Amazon Connect instance (specified as InstanceId). /// - /// - Parameter StartWebRTCContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartWebRTCContactInput`) /// - /// - Returns: `StartWebRTCContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartWebRTCContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16542,7 +16318,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartWebRTCContactOutput.httpOutput(from:), StartWebRTCContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16587,9 +16362,9 @@ extension ConnectClient { /// /// Chat and task contacts can be terminated in any state, regardless of initiation method. /// - /// - Parameter StopContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopContactInput`) /// - /// - Returns: `StopContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16627,7 +16402,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopContactOutput.httpOutput(from:), StopContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16659,9 +16433,9 @@ extension ConnectClient { /// /// Stops recording a call when a contact is being recorded. StopContactRecording is a one-time action. If you use StopContactRecording to stop recording an ongoing call, you can't use StartContactRecording to restart it. For scenarios where the recording has started and you want to suspend it for sensitive information (for example, to collect a credit card number), and then restart it, use SuspendContactRecording and ResumeContactRecording. Only voice recordings are supported at this time. /// - /// - Parameter StopContactRecordingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopContactRecordingInput`) /// - /// - Returns: `StopContactRecordingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopContactRecordingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16697,7 +16471,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopContactRecordingOutput.httpOutput(from:), StopContactRecordingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16729,9 +16502,9 @@ extension ConnectClient { /// /// Ends message streaming on a specified contact. To restart message streaming on that contact, call the [StartContactStreaming](https://docs.aws.amazon.com/connect/latest/APIReference/API_StartContactStreaming.html) API. /// - /// - Parameter StopContactStreamingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopContactStreamingInput`) /// - /// - Returns: `StopContactStreamingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopContactStreamingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16768,7 +16541,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopContactStreamingOutput.httpOutput(from:), StopContactStreamingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16800,9 +16572,9 @@ extension ConnectClient { /// /// Submits a contact evaluation in the specified Amazon Connect instance. Answers included in the request are merged with existing answers for the given evaluation. If no answers or notes are passed, the evaluation is submitted with the existing answers and notes. You can delete an answer or note by passing an empty object ({}) to the question identifier. If a contact evaluation is already in submitted state, this operation will trigger a resubmission. /// - /// - Parameter SubmitContactEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubmitContactEvaluationInput`) /// - /// - Returns: `SubmitContactEvaluationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubmitContactEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16840,7 +16612,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitContactEvaluationOutput.httpOutput(from:), SubmitContactEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16872,9 +16643,9 @@ extension ConnectClient { /// /// When a contact is being recorded, this API suspends recording whatever is selected in the flow configuration: call (IVR or agent), screen, or both. If only call recording or only screen recording is enabled, then it would be suspended. For example, you might suspend the screen recording while collecting sensitive information, such as a credit card number. Then use [ResumeContactRecording](https://docs.aws.amazon.com/connect/latest/APIReference/API_ResumeContactRecording.html) to restart recording the screen. The period of time that the recording is suspended is filled with silence in the final recording. Voice (IVR, agent) and screen recordings are supported. /// - /// - Parameter SuspendContactRecordingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SuspendContactRecordingInput`) /// - /// - Returns: `SuspendContactRecordingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SuspendContactRecordingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16910,7 +16681,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SuspendContactRecordingOutput.httpOutput(from:), SuspendContactRecordingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16942,9 +16712,9 @@ extension ConnectClient { /// /// Adds the specified tags to the contact resource. For more information about this API is used, see [Set up granular billing for a detailed view of your Amazon Connect usage](https://docs.aws.amazon.com/connect/latest/adminguide/granular-billing.html). /// - /// - Parameter TagContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagContactInput`) /// - /// - Returns: `TagContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16982,7 +16752,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagContactOutput.httpOutput(from:), TagContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17014,9 +16783,9 @@ extension ConnectClient { /// /// Adds the specified tags to the specified resource. Some of the supported resource types are agents, routing profiles, queues, quick connects, flows, agent statuses, hours of operation, phone numbers, security profiles, and task templates. For a complete list, see [Tagging resources in Amazon Connect](https://docs.aws.amazon.com/connect/latest/adminguide/tagging.html). For sample policies that use tags, see [Amazon Connect Identity-Based Policy Examples](https://docs.aws.amazon.com/connect/latest/adminguide/security_iam_id-based-policy-examples.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17054,7 +16823,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17096,9 +16864,9 @@ extension ConnectClient { /// /// * A contact cannot be transferred more than 11 times. /// - /// - Parameter TransferContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TransferContactInput`) /// - /// - Returns: `TransferContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TransferContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17139,7 +16907,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TransferContactOutput.httpOutput(from:), TransferContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17171,9 +16938,9 @@ extension ConnectClient { /// /// Removes the specified tags from the contact resource. For more information about this API is used, see [Set up granular billing for a detailed view of your Amazon Connect usage](https://docs.aws.amazon.com/connect/latest/adminguide/granular-billing.html). /// - /// - Parameter UntagContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagContactInput`) /// - /// - Returns: `UntagContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17209,7 +16976,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagContactInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagContactOutput.httpOutput(from:), UntagContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17241,9 +17007,9 @@ extension ConnectClient { /// /// Removes the specified tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17279,7 +17045,6 @@ extension ConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17311,9 +17076,9 @@ extension ConnectClient { /// /// Updates agent status. /// - /// - Parameter UpdateAgentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAgentStatusInput`) /// - /// - Returns: `UpdateAgentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17353,7 +17118,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgentStatusOutput.httpOutput(from:), UpdateAgentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17385,9 +17149,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. To request access to this API, contact Amazon Web Services Support. Updates the selected authentication profile. /// - /// - Parameter UpdateAuthenticationProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAuthenticationProfileInput`) /// - /// - Returns: `UpdateAuthenticationProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAuthenticationProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17425,7 +17189,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAuthenticationProfileOutput.httpOutput(from:), UpdateAuthenticationProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17457,9 +17220,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Adds or updates user-defined contact information associated with the specified contact. At least one field to be updated must be present in the request. You can add or update user-defined contact information for both ongoing and completed contacts. /// - /// - Parameter UpdateContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactInput`) /// - /// - Returns: `UpdateContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17499,7 +17262,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactOutput.httpOutput(from:), UpdateContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17531,9 +17293,9 @@ extension ConnectClient { /// /// Creates or updates user-defined contact attributes associated with the specified contact. You can create or update user-defined attributes for both ongoing and completed contacts. For example, while the call is active, you can update the customer's name or the reason the customer called. You can add notes about steps that the agent took during the call that display to the next agent that takes the call. You can also update attributes for a contact using data from your CRM application and save the data with the contact in Amazon Connect. You could also flag calls for additional analysis, such as legal review or to identify abusive callers. Contact attributes are available in Amazon Connect for 24 months, and are then deleted. For information about contact record retention and the maximum size of the contact record attributes section, see [Feature specifications](https://docs.aws.amazon.com/connect/latest/adminguide/amazon-connect-service-limits.html#feature-limits) in the Amazon Connect Administrator Guide. /// - /// - Parameter UpdateContactAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactAttributesInput`) /// - /// - Returns: `UpdateContactAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17570,7 +17332,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactAttributesOutput.httpOutput(from:), UpdateContactAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17602,9 +17363,9 @@ extension ConnectClient { /// /// Updates details about a contact evaluation in the specified Amazon Connect instance. A contact evaluation must be in draft state. Answers included in the request are merged with existing answers for the given evaluation. An answer or note can be deleted by passing an empty object ({}) to the question identifier. /// - /// - Parameter UpdateContactEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactEvaluationInput`) /// - /// - Returns: `UpdateContactEvaluationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17642,7 +17403,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactEvaluationOutput.httpOutput(from:), UpdateContactEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17674,9 +17434,9 @@ extension ConnectClient { /// /// Updates the specified flow. You can also create and update flows using the [Amazon Connect Flow language](https://docs.aws.amazon.com/connect/latest/APIReference/flow-language.html). Use the $SAVED alias in the request to describe the SAVED content of a Flow. For example, arn:aws:.../contact-flow/{id}:$SAVED. After a flow is published, $SAVED needs to be supplied to view saved content that has not been published. /// - /// - Parameter UpdateContactFlowContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactFlowContentInput`) /// - /// - Returns: `UpdateContactFlowContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactFlowContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17715,7 +17475,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactFlowContentOutput.httpOutput(from:), UpdateContactFlowContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17747,9 +17506,9 @@ extension ConnectClient { /// /// Updates metadata about specified flow. /// - /// - Parameter UpdateContactFlowMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactFlowMetadataInput`) /// - /// - Returns: `UpdateContactFlowMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactFlowMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17788,7 +17547,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactFlowMetadataOutput.httpOutput(from:), UpdateContactFlowMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17820,9 +17578,9 @@ extension ConnectClient { /// /// Updates specified flow module for the specified Amazon Connect instance. Use the $SAVED alias in the request to describe the SAVED content of a Flow. For example, arn:aws:.../contact-flow/{id}:$SAVED. After a flow is published, $SAVED needs to be supplied to view saved content that has not been published. /// - /// - Parameter UpdateContactFlowModuleContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactFlowModuleContentInput`) /// - /// - Returns: `UpdateContactFlowModuleContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactFlowModuleContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17861,7 +17619,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactFlowModuleContentOutput.httpOutput(from:), UpdateContactFlowModuleContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17893,9 +17650,9 @@ extension ConnectClient { /// /// Updates metadata about specified flow module. /// - /// - Parameter UpdateContactFlowModuleMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactFlowModuleMetadataInput`) /// - /// - Returns: `UpdateContactFlowModuleMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactFlowModuleMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17935,7 +17692,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactFlowModuleMetadataOutput.httpOutput(from:), UpdateContactFlowModuleMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17967,9 +17723,9 @@ extension ConnectClient { /// /// The name of the flow. You can also create and update flows using the [Amazon Connect Flow language](https://docs.aws.amazon.com/connect/latest/APIReference/flow-language.html). /// - /// - Parameter UpdateContactFlowNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactFlowNameInput`) /// - /// - Returns: `UpdateContactFlowNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactFlowNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18008,7 +17764,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactFlowNameOutput.httpOutput(from:), UpdateContactFlowNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18040,9 +17795,9 @@ extension ConnectClient { /// /// Updates routing priority and age on the contact (QueuePriority and QueueTimeAdjustmentInSeconds). These properties can be used to change a customer's position in the queue. For example, you can move a contact to the back of the queue by setting a lower routing priority relative to other contacts in queue; or you can move a contact to the front of the queue by increasing the routing age which will make the contact look artificially older and therefore higher up in the first-in-first-out routing order. Note that adjusting the routing age of a contact affects only its position in queue, and not its actual queue wait time as reported through metrics. These properties can also be updated by using [the Set routing priority / age flow block](https://docs.aws.amazon.com/connect/latest/adminguide/change-routing-priority.html). Either QueuePriority or QueueTimeAdjustmentInSeconds should be provided within the request body, but not both. /// - /// - Parameter UpdateContactRoutingDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactRoutingDataInput`) /// - /// - Returns: `UpdateContactRoutingDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactRoutingDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18081,7 +17836,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactRoutingDataOutput.httpOutput(from:), UpdateContactRoutingDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18113,9 +17867,9 @@ extension ConnectClient { /// /// Updates the scheduled time of a task contact that is already scheduled. /// - /// - Parameter UpdateContactScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactScheduleInput`) /// - /// - Returns: `UpdateContactScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18154,7 +17908,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactScheduleOutput.httpOutput(from:), UpdateContactScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18186,9 +17939,9 @@ extension ConnectClient { /// /// Updates an email address metadata. For more information about email addresses, see [Create email addresses](https://docs.aws.amazon.com/connect/latest/adminguide/create-email-address1.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter UpdateEmailAddressMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEmailAddressMetadataInput`) /// - /// - Returns: `UpdateEmailAddressMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEmailAddressMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18228,7 +17981,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEmailAddressMetadataOutput.httpOutput(from:), UpdateEmailAddressMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18260,9 +18012,9 @@ extension ConnectClient { /// /// Updates details about a specific evaluation form version in the specified Amazon Connect instance. Question and section identifiers cannot be duplicated within the same evaluation form. This operation does not support partial updates. Instead it does a full update of evaluation form content. /// - /// - Parameter UpdateEvaluationFormInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEvaluationFormInput`) /// - /// - Returns: `UpdateEvaluationFormOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEvaluationFormOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18302,7 +18054,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEvaluationFormOutput.httpOutput(from:), UpdateEvaluationFormOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18334,9 +18085,9 @@ extension ConnectClient { /// /// Updates the hours of operation. /// - /// - Parameter UpdateHoursOfOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHoursOfOperationInput`) /// - /// - Returns: `UpdateHoursOfOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHoursOfOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18375,7 +18126,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHoursOfOperationOutput.httpOutput(from:), UpdateHoursOfOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18407,9 +18157,9 @@ extension ConnectClient { /// /// Update the hours of operation override. /// - /// - Parameter UpdateHoursOfOperationOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHoursOfOperationOverrideInput`) /// - /// - Returns: `UpdateHoursOfOperationOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHoursOfOperationOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18449,7 +18199,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHoursOfOperationOverrideOutput.httpOutput(from:), UpdateHoursOfOperationOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18481,9 +18230,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Updates the value for the specified attribute type. /// - /// - Parameter UpdateInstanceAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInstanceAttributeInput`) /// - /// - Returns: `UpdateInstanceAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInstanceAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18522,7 +18271,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInstanceAttributeOutput.httpOutput(from:), UpdateInstanceAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18554,9 +18302,9 @@ extension ConnectClient { /// /// This API is in preview release for Amazon Connect and is subject to change. Updates an existing configuration for a resource type. This API is idempotent. /// - /// - Parameter UpdateInstanceStorageConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInstanceStorageConfigInput`) /// - /// - Returns: `UpdateInstanceStorageConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInstanceStorageConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18596,7 +18344,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInstanceStorageConfigOutput.httpOutput(from:), UpdateInstanceStorageConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18635,9 +18382,9 @@ extension ConnectClient { /// /// The API returns a success response to acknowledge the request. However, the interaction and exchange of identity information occur asynchronously after the response is returned. /// - /// - Parameter UpdateParticipantAuthenticationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateParticipantAuthenticationInput`) /// - /// - Returns: `UpdateParticipantAuthenticationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateParticipantAuthenticationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18676,7 +18423,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateParticipantAuthenticationOutput.httpOutput(from:), UpdateParticipantAuthenticationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18719,9 +18465,9 @@ extension ConnectClient { /// /// For more information about how chat timeouts work, see [Set up chat timeouts for human participants](https://docs.aws.amazon.com/connect/latest/adminguide/setup-chat-timeouts.html). /// - /// - Parameter UpdateParticipantRoleConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateParticipantRoleConfigInput`) /// - /// - Returns: `UpdateParticipantRoleConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateParticipantRoleConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18760,7 +18506,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateParticipantRoleConfigOutput.httpOutput(from:), UpdateParticipantRoleConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18792,9 +18537,9 @@ extension ConnectClient { /// /// Updates your claimed phone number from its current Amazon Connect instance or traffic distribution group to another Amazon Connect instance or traffic distribution group in the same Amazon Web Services Region. After using this API, you must verify that the phone number is attached to the correct flow in the target instance or traffic distribution group. You need to do this because the API switches only the phone number to a new instance or traffic distribution group. It doesn't migrate the flow configuration of the phone number, too. You can call [DescribePhoneNumber](https://docs.aws.amazon.com/connect/latest/APIReference/API_DescribePhoneNumber.html) API to verify the status of a previous [UpdatePhoneNumber](https://docs.aws.amazon.com/connect/latest/APIReference/API_UpdatePhoneNumber.html) operation. /// - /// - Parameter UpdatePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePhoneNumberInput`) /// - /// - Returns: `UpdatePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18835,7 +18580,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePhoneNumberOutput.httpOutput(from:), UpdatePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18867,9 +18611,9 @@ extension ConnectClient { /// /// Updates a phone number’s metadata. To verify the status of a previous UpdatePhoneNumberMetadata operation, call the [DescribePhoneNumber](https://docs.aws.amazon.com/connect/latest/APIReference/API_DescribePhoneNumber.html) API. /// - /// - Parameter UpdatePhoneNumberMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePhoneNumberMetadataInput`) /// - /// - Returns: `UpdatePhoneNumberMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePhoneNumberMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18911,7 +18655,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePhoneNumberMetadataOutput.httpOutput(from:), UpdatePhoneNumberMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18950,9 +18693,9 @@ extension ConnectClient { /// /// Endpoints: See [Amazon Connect endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/connect_region.html). /// - /// - Parameter UpdatePredefinedAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePredefinedAttributeInput`) /// - /// - Returns: `UpdatePredefinedAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePredefinedAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18990,7 +18733,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePredefinedAttributeOutput.httpOutput(from:), UpdatePredefinedAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19022,9 +18764,9 @@ extension ConnectClient { /// /// Updates a prompt. /// - /// - Parameter UpdatePromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePromptInput`) /// - /// - Returns: `UpdatePromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19062,7 +18804,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePromptOutput.httpOutput(from:), UpdatePromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19094,9 +18835,9 @@ extension ConnectClient { /// /// Updates the hours of operation for the specified queue. /// - /// - Parameter UpdateQueueHoursOfOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueHoursOfOperationInput`) /// - /// - Returns: `UpdateQueueHoursOfOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueHoursOfOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19134,7 +18875,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueHoursOfOperationOutput.httpOutput(from:), UpdateQueueHoursOfOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19166,9 +18906,9 @@ extension ConnectClient { /// /// Updates the maximum number of contacts allowed in a queue before it is considered full. /// - /// - Parameter UpdateQueueMaxContactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueMaxContactsInput`) /// - /// - Returns: `UpdateQueueMaxContactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueMaxContactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19206,7 +18946,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueMaxContactsOutput.httpOutput(from:), UpdateQueueMaxContactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19238,9 +18977,9 @@ extension ConnectClient { /// /// Updates the name and description of a queue. At least Name or Description must be provided. /// - /// - Parameter UpdateQueueNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueNameInput`) /// - /// - Returns: `UpdateQueueNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19279,7 +19018,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueNameOutput.httpOutput(from:), UpdateQueueNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19317,9 +19055,9 @@ extension ConnectClient { /// /// * If you plan to use IAM policies to allow/deny access to this API for phone number resources claimed to a traffic distribution group, see [Allow or Deny queue API actions for phone numbers in a replica Region](https://docs.aws.amazon.com/connect/latest/adminguide/security_iam_resource-level-policy-examples.html#allow-deny-queue-actions-replica-region). /// - /// - Parameter UpdateQueueOutboundCallerConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueOutboundCallerConfigInput`) /// - /// - Returns: `UpdateQueueOutboundCallerConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueOutboundCallerConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19357,7 +19095,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueOutboundCallerConfigOutput.httpOutput(from:), UpdateQueueOutboundCallerConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19389,9 +19126,9 @@ extension ConnectClient { /// /// Updates the outbound email address Id for a specified queue. /// - /// - Parameter UpdateQueueOutboundEmailConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueOutboundEmailConfigInput`) /// - /// - Returns: `UpdateQueueOutboundEmailConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueOutboundEmailConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19431,7 +19168,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueOutboundEmailConfigOutput.httpOutput(from:), UpdateQueueOutboundEmailConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19463,9 +19199,9 @@ extension ConnectClient { /// /// Updates the status of the queue. /// - /// - Parameter UpdateQueueStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueStatusInput`) /// - /// - Returns: `UpdateQueueStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19503,7 +19239,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueStatusOutput.httpOutput(from:), UpdateQueueStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19535,9 +19270,9 @@ extension ConnectClient { /// /// Updates the configuration settings for the specified quick connect. /// - /// - Parameter UpdateQuickConnectConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQuickConnectConfigInput`) /// - /// - Returns: `UpdateQuickConnectConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQuickConnectConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19575,7 +19310,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQuickConnectConfigOutput.httpOutput(from:), UpdateQuickConnectConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19607,9 +19341,9 @@ extension ConnectClient { /// /// Updates the name and description of a quick connect. The request accepts the following data in JSON format. At least Name or Description must be provided. /// - /// - Parameter UpdateQuickConnectNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQuickConnectNameInput`) /// - /// - Returns: `UpdateQuickConnectNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQuickConnectNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19647,7 +19381,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQuickConnectNameOutput.httpOutput(from:), UpdateQuickConnectNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19679,9 +19412,9 @@ extension ConnectClient { /// /// Whether agents with this routing profile will have their routing order calculated based on time since their last inbound contact or longest idle time. /// - /// - Parameter UpdateRoutingProfileAgentAvailabilityTimerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoutingProfileAgentAvailabilityTimerInput`) /// - /// - Returns: `UpdateRoutingProfileAgentAvailabilityTimerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoutingProfileAgentAvailabilityTimerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19719,7 +19452,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoutingProfileAgentAvailabilityTimerOutput.httpOutput(from:), UpdateRoutingProfileAgentAvailabilityTimerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19751,9 +19483,9 @@ extension ConnectClient { /// /// Updates the channels that agents can handle in the Contact Control Panel (CCP) for a routing profile. /// - /// - Parameter UpdateRoutingProfileConcurrencyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoutingProfileConcurrencyInput`) /// - /// - Returns: `UpdateRoutingProfileConcurrencyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoutingProfileConcurrencyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19791,7 +19523,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoutingProfileConcurrencyOutput.httpOutput(from:), UpdateRoutingProfileConcurrencyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19823,9 +19554,9 @@ extension ConnectClient { /// /// Updates the default outbound queue of a routing profile. /// - /// - Parameter UpdateRoutingProfileDefaultOutboundQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoutingProfileDefaultOutboundQueueInput`) /// - /// - Returns: `UpdateRoutingProfileDefaultOutboundQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoutingProfileDefaultOutboundQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19863,7 +19594,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoutingProfileDefaultOutboundQueueOutput.httpOutput(from:), UpdateRoutingProfileDefaultOutboundQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19895,9 +19625,9 @@ extension ConnectClient { /// /// Updates the name and description of a routing profile. The request accepts the following data in JSON format. At least Name or Description must be provided. /// - /// - Parameter UpdateRoutingProfileNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoutingProfileNameInput`) /// - /// - Returns: `UpdateRoutingProfileNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoutingProfileNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19936,7 +19666,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoutingProfileNameOutput.httpOutput(from:), UpdateRoutingProfileNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19968,9 +19697,9 @@ extension ConnectClient { /// /// Updates the properties associated with a set of queues for a routing profile. /// - /// - Parameter UpdateRoutingProfileQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoutingProfileQueuesInput`) /// - /// - Returns: `UpdateRoutingProfileQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoutingProfileQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20008,7 +19737,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoutingProfileQueuesOutput.httpOutput(from:), UpdateRoutingProfileQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20040,9 +19768,9 @@ extension ConnectClient { /// /// Updates a rule for the specified Amazon Connect instance. Use the [Rules Function language](https://docs.aws.amazon.com/connect/latest/APIReference/connect-rules-language.html) to code conditions for the rule. /// - /// - Parameter UpdateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleInput`) /// - /// - Returns: `UpdateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20081,7 +19809,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleOutput.httpOutput(from:), UpdateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20113,9 +19840,9 @@ extension ConnectClient { /// /// Updates a security profile. For information about security profiles, see [Security Profiles](https://docs.aws.amazon.com/connect/latest/adminguide/connect-security-profiles.html) in the Amazon Connect Administrator Guide. For a mapping of the API name and user interface name of the security profile permissions, see [List of security profile permissions](https://docs.aws.amazon.com/connect/latest/adminguide/security-profile-list.html). /// - /// - Parameter UpdateSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecurityProfileInput`) /// - /// - Returns: `UpdateSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20153,7 +19880,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecurityProfileOutput.httpOutput(from:), UpdateSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20185,9 +19911,9 @@ extension ConnectClient { /// /// Updates details about a specific task template in the specified Amazon Connect instance. This operation does not support partial updates. Instead it does a full update of template content. /// - /// - Parameter UpdateTaskTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTaskTemplateInput`) /// - /// - Returns: `UpdateTaskTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTaskTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20226,7 +19952,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTaskTemplateOutput.httpOutput(from:), UpdateTaskTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20258,9 +19983,9 @@ extension ConnectClient { /// /// Updates the traffic distribution for a given traffic distribution group. When you shift telephony traffic, also shift agents and/or agent sign-ins to ensure they can handle the calls in the other Region. If you don't shift the agents, voice calls will go to the shifted Region but there won't be any agents available to receive the calls. The SignInConfig distribution is available only on a default TrafficDistributionGroup (see the IsDefault parameter in the [TrafficDistributionGroup](https://docs.aws.amazon.com/connect/latest/APIReference/API_TrafficDistributionGroup.html) data type). If you call UpdateTrafficDistribution with a modified SignInConfig and a non-default TrafficDistributionGroup, an InvalidRequestException is returned. For more information about updating a traffic distribution group, see [Update telephony traffic distribution across Amazon Web Services Regions ](https://docs.aws.amazon.com/connect/latest/adminguide/update-telephony-traffic-distribution.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter UpdateTrafficDistributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrafficDistributionInput`) /// - /// - Returns: `UpdateTrafficDistributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrafficDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20299,7 +20024,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrafficDistributionOutput.httpOutput(from:), UpdateTrafficDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20331,9 +20055,9 @@ extension ConnectClient { /// /// Assigns the specified hierarchy group to the specified user. /// - /// - Parameter UpdateUserHierarchyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserHierarchyInput`) /// - /// - Returns: `UpdateUserHierarchyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserHierarchyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20371,7 +20095,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserHierarchyOutput.httpOutput(from:), UpdateUserHierarchyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20403,9 +20126,9 @@ extension ConnectClient { /// /// Updates the name of the user hierarchy group. /// - /// - Parameter UpdateUserHierarchyGroupNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserHierarchyGroupNameInput`) /// - /// - Returns: `UpdateUserHierarchyGroupNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserHierarchyGroupNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20444,7 +20167,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserHierarchyGroupNameOutput.httpOutput(from:), UpdateUserHierarchyGroupNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20476,9 +20198,9 @@ extension ConnectClient { /// /// Updates the user hierarchy structure: add, remove, and rename user hierarchy levels. /// - /// - Parameter UpdateUserHierarchyStructureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserHierarchyStructureInput`) /// - /// - Returns: `UpdateUserHierarchyStructureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserHierarchyStructureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20517,7 +20239,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserHierarchyStructureOutput.httpOutput(from:), UpdateUserHierarchyStructureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20549,9 +20270,9 @@ extension ConnectClient { /// /// Updates the identity information for the specified user. We strongly recommend limiting who has the ability to invoke UpdateUserIdentityInfo. Someone with that ability can change the login credentials of other users by changing their email address. This poses a security risk to your organization. They can change the email address of a user to the attacker's email address, and then reset the password through email. For more information, see [Best Practices for Security Profiles](https://docs.aws.amazon.com/connect/latest/adminguide/security-profile-best-practices.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter UpdateUserIdentityInfoInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserIdentityInfoInput`) /// - /// - Returns: `UpdateUserIdentityInfoOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserIdentityInfoOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20589,7 +20310,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserIdentityInfoOutput.httpOutput(from:), UpdateUserIdentityInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20621,9 +20341,9 @@ extension ConnectClient { /// /// Updates the phone configuration settings for the specified user. /// - /// - Parameter UpdateUserPhoneConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserPhoneConfigInput`) /// - /// - Returns: `UpdateUserPhoneConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserPhoneConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20661,7 +20381,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserPhoneConfigOutput.httpOutput(from:), UpdateUserPhoneConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20693,9 +20412,9 @@ extension ConnectClient { /// /// Updates the properties associated with the proficiencies of a user. /// - /// - Parameter UpdateUserProficienciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserProficienciesInput`) /// - /// - Returns: `UpdateUserProficienciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserProficienciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20733,7 +20452,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserProficienciesOutput.httpOutput(from:), UpdateUserProficienciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20765,9 +20483,9 @@ extension ConnectClient { /// /// Assigns the specified routing profile to the specified user. /// - /// - Parameter UpdateUserRoutingProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserRoutingProfileInput`) /// - /// - Returns: `UpdateUserRoutingProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserRoutingProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20805,7 +20523,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserRoutingProfileOutput.httpOutput(from:), UpdateUserRoutingProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20837,9 +20554,9 @@ extension ConnectClient { /// /// Assigns the specified security profiles to the specified user. /// - /// - Parameter UpdateUserSecurityProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserSecurityProfilesInput`) /// - /// - Returns: `UpdateUserSecurityProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserSecurityProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20877,7 +20594,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserSecurityProfilesOutput.httpOutput(from:), UpdateUserSecurityProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20909,9 +20625,9 @@ extension ConnectClient { /// /// Updates the view content of the given view identifier in the specified Amazon Connect instance. It performs content validation if Status is set to SAVED and performs full content validation if Status is PUBLISHED. Note that the $SAVED alias' content will always be updated, but the $LATEST alias' content will only be updated if Status is PUBLISHED. /// - /// - Parameter UpdateViewContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateViewContentInput`) /// - /// - Returns: `UpdateViewContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateViewContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20951,7 +20667,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateViewContentOutput.httpOutput(from:), UpdateViewContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20983,9 +20698,9 @@ extension ConnectClient { /// /// Updates the view metadata. Note that either Name or Description must be provided. /// - /// - Parameter UpdateViewMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateViewMetadataInput`) /// - /// - Returns: `UpdateViewMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateViewMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21026,7 +20741,6 @@ extension ConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateViewMetadataOutput.httpOutput(from:), UpdateViewMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSConnectCampaigns/Sources/AWSConnectCampaigns/ConnectCampaignsClient.swift b/Sources/Services/AWSConnectCampaigns/Sources/AWSConnectCampaigns/ConnectCampaignsClient.swift index 036654862ea..ea6f5cc1418 100644 --- a/Sources/Services/AWSConnectCampaigns/Sources/AWSConnectCampaigns/ConnectCampaignsClient.swift +++ b/Sources/Services/AWSConnectCampaigns/Sources/AWSConnectCampaigns/ConnectCampaignsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ConnectCampaignsClient: ClientRuntime.Client { public static let clientName = "ConnectCampaignsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ConnectCampaignsClient.ConnectCampaignsClientConfiguration let serviceName = "ConnectCampaigns" @@ -373,9 +372,9 @@ extension ConnectCampaignsClient { /// /// Creates a campaign for the specified Amazon Connect account. This API is idempotent. /// - /// - Parameter CreateCampaignInput : The request for Create Campaign API. + /// - Parameter input: The request for Create Campaign API. (Type: `CreateCampaignInput`) /// - /// - Returns: `CreateCampaignOutput` : The response for Create Campaign API + /// - Returns: The response for Create Campaign API (Type: `CreateCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCampaignOutput.httpOutput(from:), CreateCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension ConnectCampaignsClient { /// /// Deletes a campaign from the specified Amazon Connect account. /// - /// - Parameter DeleteCampaignInput : DeleteCampaignRequest + /// - Parameter input: DeleteCampaignRequest (Type: `DeleteCampaignInput`) /// - /// - Returns: `DeleteCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCampaignOutput.httpOutput(from:), DeleteCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension ConnectCampaignsClient { /// /// Deletes a connect instance config from the specified AWS account. /// - /// - Parameter DeleteConnectInstanceConfigInput : DeleteCampaignRequest + /// - Parameter input: DeleteCampaignRequest (Type: `DeleteConnectInstanceConfigInput`) /// - /// - Returns: `DeleteConnectInstanceConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectInstanceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectInstanceConfigOutput.httpOutput(from:), DeleteConnectInstanceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +581,9 @@ extension ConnectCampaignsClient { /// /// Delete the Connect Campaigns onboarding job for the specified Amazon Connect instance. /// - /// - Parameter DeleteInstanceOnboardingJobInput : The request for DeleteInstanceOnboardingJob API. + /// - Parameter input: The request for DeleteInstanceOnboardingJob API. (Type: `DeleteInstanceOnboardingJobInput`) /// - /// - Returns: `DeleteInstanceOnboardingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceOnboardingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -622,7 +618,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceOnboardingJobOutput.httpOutput(from:), DeleteInstanceOnboardingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -654,9 +649,9 @@ extension ConnectCampaignsClient { /// /// Describes the specific campaign. /// - /// - Parameter DescribeCampaignInput : DescribeCampaignRequests + /// - Parameter input: DescribeCampaignRequests (Type: `DescribeCampaignInput`) /// - /// - Returns: `DescribeCampaignOutput` : DescribeCampaignResponse + /// - Returns: DescribeCampaignResponse (Type: `DescribeCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -690,7 +685,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCampaignOutput.httpOutput(from:), DescribeCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension ConnectCampaignsClient { /// /// Get state of a campaign for the specified Amazon Connect account. /// - /// - Parameter GetCampaignStateInput : GetCampaignStateRequest + /// - Parameter input: GetCampaignStateRequest (Type: `GetCampaignStateInput`) /// - /// - Returns: `GetCampaignStateOutput` : GetCampaignStateResponse + /// - Returns: GetCampaignStateResponse (Type: `GetCampaignStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -759,7 +753,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignStateOutput.httpOutput(from:), GetCampaignStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -791,9 +784,9 @@ extension ConnectCampaignsClient { /// /// Get state of campaigns for the specified Amazon Connect account. /// - /// - Parameter GetCampaignStateBatchInput : GetCampaignStateBatchRequest + /// - Parameter input: GetCampaignStateBatchRequest (Type: `GetCampaignStateBatchInput`) /// - /// - Returns: `GetCampaignStateBatchOutput` : GetCampaignStateBatchResponse + /// - Returns: GetCampaignStateBatchResponse (Type: `GetCampaignStateBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -830,7 +823,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignStateBatchOutput.httpOutput(from:), GetCampaignStateBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -862,9 +854,9 @@ extension ConnectCampaignsClient { /// /// Get the specific Connect instance config. /// - /// - Parameter GetConnectInstanceConfigInput : GetConnectInstanceConfigRequest + /// - Parameter input: GetConnectInstanceConfigRequest (Type: `GetConnectInstanceConfigInput`) /// - /// - Returns: `GetConnectInstanceConfigOutput` : GetConnectInstanceConfigResponse + /// - Returns: GetConnectInstanceConfigResponse (Type: `GetConnectInstanceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -898,7 +890,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectInstanceConfigOutput.httpOutput(from:), GetConnectInstanceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -930,9 +921,9 @@ extension ConnectCampaignsClient { /// /// Get the specific instance onboarding job status. /// - /// - Parameter GetInstanceOnboardingJobStatusInput : GetInstanceOnboardingJobStatusRequest + /// - Parameter input: GetInstanceOnboardingJobStatusRequest (Type: `GetInstanceOnboardingJobStatusInput`) /// - /// - Returns: `GetInstanceOnboardingJobStatusOutput` : GetInstanceOnboardingJobStatusResponse + /// - Returns: GetInstanceOnboardingJobStatusResponse (Type: `GetInstanceOnboardingJobStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -966,7 +957,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceOnboardingJobStatusOutput.httpOutput(from:), GetInstanceOnboardingJobStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -998,9 +988,9 @@ extension ConnectCampaignsClient { /// /// Provides summary information about the campaigns under the specified Amazon Connect account. /// - /// - Parameter ListCampaignsInput : ListCampaignsRequest + /// - Parameter input: ListCampaignsRequest (Type: `ListCampaignsInput`) /// - /// - Returns: `ListCampaignsOutput` : ListCampaignsResponse + /// - Returns: ListCampaignsResponse (Type: `ListCampaignsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1036,7 +1026,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCampaignsOutput.httpOutput(from:), ListCampaignsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1068,9 +1057,9 @@ extension ConnectCampaignsClient { /// /// List tags for a resource. /// - /// - Parameter ListTagsForResourceInput : ListTagsForResource + /// - Parameter input: ListTagsForResource (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : ListTagsForResponse + /// - Returns: ListTagsForResponse (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1105,7 +1094,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1137,9 +1125,9 @@ extension ConnectCampaignsClient { /// /// Pauses a campaign for the specified Amazon Connect account. /// - /// - Parameter PauseCampaignInput : PauseCampaignRequest + /// - Parameter input: PauseCampaignRequest (Type: `PauseCampaignInput`) /// - /// - Returns: `PauseCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PauseCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1176,7 +1164,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PauseCampaignOutput.httpOutput(from:), PauseCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1208,9 +1195,9 @@ extension ConnectCampaignsClient { /// /// Creates dials requests for the specified campaign Amazon Connect account. This API is idempotent. /// - /// - Parameter PutDialRequestBatchInput : PutDialRequestBatchRequest + /// - Parameter input: PutDialRequestBatchRequest (Type: `PutDialRequestBatchInput`) /// - /// - Returns: `PutDialRequestBatchOutput` : PutDialRequestBatchResponse + /// - Returns: PutDialRequestBatchResponse (Type: `PutDialRequestBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1250,7 +1237,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDialRequestBatchOutput.httpOutput(from:), PutDialRequestBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1282,9 +1268,9 @@ extension ConnectCampaignsClient { /// /// Stops a campaign for the specified Amazon Connect account. /// - /// - Parameter ResumeCampaignInput : ResumeCampaignRequest + /// - Parameter input: ResumeCampaignRequest (Type: `ResumeCampaignInput`) /// - /// - Returns: `ResumeCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1321,7 +1307,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeCampaignOutput.httpOutput(from:), ResumeCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1353,9 +1338,9 @@ extension ConnectCampaignsClient { /// /// Starts a campaign for the specified Amazon Connect account. /// - /// - Parameter StartCampaignInput : StartCampaignRequest + /// - Parameter input: StartCampaignRequest (Type: `StartCampaignInput`) /// - /// - Returns: `StartCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1392,7 +1377,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCampaignOutput.httpOutput(from:), StartCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1424,9 +1408,9 @@ extension ConnectCampaignsClient { /// /// Onboard the specific Amazon Connect instance to Connect Campaigns. /// - /// - Parameter StartInstanceOnboardingJobInput : The request for StartInstanceOnboardingJob API. + /// - Parameter input: The request for StartInstanceOnboardingJob API. (Type: `StartInstanceOnboardingJobInput`) /// - /// - Returns: `StartInstanceOnboardingJobOutput` : The response for StartInstanceOnboardingJob API. + /// - Returns: The response for StartInstanceOnboardingJob API. (Type: `StartInstanceOnboardingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1465,7 +1449,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInstanceOnboardingJobOutput.httpOutput(from:), StartInstanceOnboardingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1497,9 +1480,9 @@ extension ConnectCampaignsClient { /// /// Stops a campaign for the specified Amazon Connect account. /// - /// - Parameter StopCampaignInput : StopCampaignRequest + /// - Parameter input: StopCampaignRequest (Type: `StopCampaignInput`) /// - /// - Returns: `StopCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1536,7 +1519,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopCampaignOutput.httpOutput(from:), StopCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1568,9 +1550,9 @@ extension ConnectCampaignsClient { /// /// Tag a resource. /// - /// - Parameter TagResourceInput : TagResourceRequest + /// - Parameter input: TagResourceRequest (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1608,7 +1590,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1640,9 +1621,9 @@ extension ConnectCampaignsClient { /// /// Untag a resource. /// - /// - Parameter UntagResourceInput : UntagResourceRequest + /// - Parameter input: UntagResourceRequest (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1678,7 +1659,6 @@ extension ConnectCampaignsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1710,9 +1690,9 @@ extension ConnectCampaignsClient { /// /// Updates the dialer config of a campaign. This API is idempotent. /// - /// - Parameter UpdateCampaignDialerConfigInput : UpdateCampaignDialerConfigRequest + /// - Parameter input: UpdateCampaignDialerConfigRequest (Type: `UpdateCampaignDialerConfigInput`) /// - /// - Returns: `UpdateCampaignDialerConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignDialerConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1750,7 +1730,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignDialerConfigOutput.httpOutput(from:), UpdateCampaignDialerConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1782,9 +1761,9 @@ extension ConnectCampaignsClient { /// /// Updates the name of a campaign. This API is idempotent. /// - /// - Parameter UpdateCampaignNameInput : UpdateCampaignNameRequest + /// - Parameter input: UpdateCampaignNameRequest (Type: `UpdateCampaignNameInput`) /// - /// - Returns: `UpdateCampaignNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1822,7 +1801,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignNameOutput.httpOutput(from:), UpdateCampaignNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1854,9 +1832,9 @@ extension ConnectCampaignsClient { /// /// Updates the outbound call config of a campaign. This API is idempotent. /// - /// - Parameter UpdateCampaignOutboundCallConfigInput : UpdateCampaignOutboundCallConfigRequest + /// - Parameter input: UpdateCampaignOutboundCallConfigRequest (Type: `UpdateCampaignOutboundCallConfigInput`) /// - /// - Returns: `UpdateCampaignOutboundCallConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignOutboundCallConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1895,7 +1873,6 @@ extension ConnectCampaignsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignOutboundCallConfigOutput.httpOutput(from:), UpdateCampaignOutboundCallConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSConnectCampaignsV2/Sources/AWSConnectCampaignsV2/ConnectCampaignsV2Client.swift b/Sources/Services/AWSConnectCampaignsV2/Sources/AWSConnectCampaignsV2/ConnectCampaignsV2Client.swift index 99dd613e120..110a3a6289f 100644 --- a/Sources/Services/AWSConnectCampaignsV2/Sources/AWSConnectCampaignsV2/ConnectCampaignsV2Client.swift +++ b/Sources/Services/AWSConnectCampaignsV2/Sources/AWSConnectCampaignsV2/ConnectCampaignsV2Client.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ConnectCampaignsV2Client: ClientRuntime.Client { public static let clientName = "ConnectCampaignsV2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ConnectCampaignsV2Client.ConnectCampaignsV2ClientConfiguration let serviceName = "ConnectCampaignsV2" @@ -373,9 +372,9 @@ extension ConnectCampaignsV2Client { /// /// Creates a campaign for the specified Amazon Connect account. This API is idempotent. /// - /// - Parameter CreateCampaignInput : The request for CreateCampaign API. + /// - Parameter input: The request for CreateCampaign API. (Type: `CreateCampaignInput`) /// - /// - Returns: `CreateCampaignOutput` : The response for Create Campaign API + /// - Returns: The response for Create Campaign API (Type: `CreateCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCampaignOutput.httpOutput(from:), CreateCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension ConnectCampaignsV2Client { /// /// Deletes a campaign from the specified Amazon Connect account. /// - /// - Parameter DeleteCampaignInput : The request for DeleteCampaign API. + /// - Parameter input: The request for DeleteCampaign API. (Type: `DeleteCampaignInput`) /// - /// - Returns: `DeleteCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCampaignOutput.httpOutput(from:), DeleteCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension ConnectCampaignsV2Client { /// /// Deletes the channel subtype config of a campaign. This API is idempotent. /// - /// - Parameter DeleteCampaignChannelSubtypeConfigInput : The request for DeleteCampaignChannelSubtypeConfig API. + /// - Parameter input: The request for DeleteCampaignChannelSubtypeConfig API. (Type: `DeleteCampaignChannelSubtypeConfigInput`) /// - /// - Returns: `DeleteCampaignChannelSubtypeConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCampaignChannelSubtypeConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension ConnectCampaignsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteCampaignChannelSubtypeConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCampaignChannelSubtypeConfigOutput.httpOutput(from:), DeleteCampaignChannelSubtypeConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +581,9 @@ extension ConnectCampaignsV2Client { /// /// Deletes the communication limits config for a campaign. This API is idempotent. /// - /// - Parameter DeleteCampaignCommunicationLimitsInput : The request for DeleteCampaignCommunicationLimits API. + /// - Parameter input: The request for DeleteCampaignCommunicationLimits API. (Type: `DeleteCampaignCommunicationLimitsInput`) /// - /// - Returns: `DeleteCampaignCommunicationLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCampaignCommunicationLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -624,7 +620,6 @@ extension ConnectCampaignsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteCampaignCommunicationLimitsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCampaignCommunicationLimitsOutput.httpOutput(from:), DeleteCampaignCommunicationLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -656,9 +651,9 @@ extension ConnectCampaignsV2Client { /// /// Deletes the communication time config for a campaign. This API is idempotent. /// - /// - Parameter DeleteCampaignCommunicationTimeInput : The request for DeleteCampaignCommunicationTime API. + /// - Parameter input: The request for DeleteCampaignCommunicationTime API. (Type: `DeleteCampaignCommunicationTimeInput`) /// - /// - Returns: `DeleteCampaignCommunicationTimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCampaignCommunicationTimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -695,7 +690,6 @@ extension ConnectCampaignsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteCampaignCommunicationTimeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCampaignCommunicationTimeOutput.httpOutput(from:), DeleteCampaignCommunicationTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -727,9 +721,9 @@ extension ConnectCampaignsV2Client { /// /// Deletes a connect instance config from the specified AWS account. /// - /// - Parameter DeleteConnectInstanceConfigInput : The request for DeleteConnectInstanceConfig API. + /// - Parameter input: The request for DeleteConnectInstanceConfig API. (Type: `DeleteConnectInstanceConfigInput`) /// - /// - Returns: `DeleteConnectInstanceConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectInstanceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -766,7 +760,6 @@ extension ConnectCampaignsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteConnectInstanceConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectInstanceConfigOutput.httpOutput(from:), DeleteConnectInstanceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -798,9 +791,9 @@ extension ConnectCampaignsV2Client { /// /// Delete the integration for the specified Amazon Connect instance. /// - /// - Parameter DeleteConnectInstanceIntegrationInput : The request for DeleteConnectInstanceIntegration API. + /// - Parameter input: The request for DeleteConnectInstanceIntegration API. (Type: `DeleteConnectInstanceIntegrationInput`) /// - /// - Returns: `DeleteConnectInstanceIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectInstanceIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -838,7 +831,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectInstanceIntegrationOutput.httpOutput(from:), DeleteConnectInstanceIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -870,9 +862,9 @@ extension ConnectCampaignsV2Client { /// /// Delete the Connect Campaigns onboarding job for the specified Amazon Connect instance. /// - /// - Parameter DeleteInstanceOnboardingJobInput : The request for DeleteInstanceOnboardingJob API. + /// - Parameter input: The request for DeleteInstanceOnboardingJob API. (Type: `DeleteInstanceOnboardingJobInput`) /// - /// - Returns: `DeleteInstanceOnboardingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceOnboardingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -907,7 +899,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceOnboardingJobOutput.httpOutput(from:), DeleteInstanceOnboardingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -939,9 +930,9 @@ extension ConnectCampaignsV2Client { /// /// Describes the specific campaign. /// - /// - Parameter DescribeCampaignInput : The request for DescribeCampaign API. + /// - Parameter input: The request for DescribeCampaign API. (Type: `DescribeCampaignInput`) /// - /// - Returns: `DescribeCampaignOutput` : The response for DescribeCampaign API. + /// - Returns: The response for DescribeCampaign API. (Type: `DescribeCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -975,7 +966,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCampaignOutput.httpOutput(from:), DescribeCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1007,9 +997,9 @@ extension ConnectCampaignsV2Client { /// /// Get state of a campaign for the specified Amazon Connect account. /// - /// - Parameter GetCampaignStateInput : The request for GetCampaignState API. + /// - Parameter input: The request for GetCampaignState API. (Type: `GetCampaignStateInput`) /// - /// - Returns: `GetCampaignStateOutput` : The response for GetCampaignState API. + /// - Returns: The response for GetCampaignState API. (Type: `GetCampaignStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1044,7 +1034,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignStateOutput.httpOutput(from:), GetCampaignStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1076,9 +1065,9 @@ extension ConnectCampaignsV2Client { /// /// Get state of campaigns for the specified Amazon Connect account. /// - /// - Parameter GetCampaignStateBatchInput : The request for GetCampaignStateBatch API. + /// - Parameter input: The request for GetCampaignStateBatch API. (Type: `GetCampaignStateBatchInput`) /// - /// - Returns: `GetCampaignStateBatchOutput` : The response for GetCampaignStateBatch API. + /// - Returns: The response for GetCampaignStateBatch API. (Type: `GetCampaignStateBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1115,7 +1104,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignStateBatchOutput.httpOutput(from:), GetCampaignStateBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1147,9 +1135,9 @@ extension ConnectCampaignsV2Client { /// /// Get the specific Connect instance config. /// - /// - Parameter GetConnectInstanceConfigInput : The request for GetConnectInstanceConfig API. + /// - Parameter input: The request for GetConnectInstanceConfig API. (Type: `GetConnectInstanceConfigInput`) /// - /// - Returns: `GetConnectInstanceConfigOutput` : The response for GetConnectInstanceConfig API. + /// - Returns: The response for GetConnectInstanceConfig API. (Type: `GetConnectInstanceConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1183,7 +1171,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectInstanceConfigOutput.httpOutput(from:), GetConnectInstanceConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1215,9 +1202,9 @@ extension ConnectCampaignsV2Client { /// /// Get the instance communication limits. /// - /// - Parameter GetInstanceCommunicationLimitsInput : The request for GetInstanceCommunicationLimits API. + /// - Parameter input: The request for GetInstanceCommunicationLimits API. (Type: `GetInstanceCommunicationLimitsInput`) /// - /// - Returns: `GetInstanceCommunicationLimitsOutput` : The response for GetInstanceCommunicationLimits API. + /// - Returns: The response for GetInstanceCommunicationLimits API. (Type: `GetInstanceCommunicationLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1251,7 +1238,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceCommunicationLimitsOutput.httpOutput(from:), GetInstanceCommunicationLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1283,9 +1269,9 @@ extension ConnectCampaignsV2Client { /// /// Get the specific instance onboarding job status. /// - /// - Parameter GetInstanceOnboardingJobStatusInput : The request for GetInstanceOnboardingJobStatus API. + /// - Parameter input: The request for GetInstanceOnboardingJobStatus API. (Type: `GetInstanceOnboardingJobStatusInput`) /// - /// - Returns: `GetInstanceOnboardingJobStatusOutput` : The response for GetInstanceOnboardingJobStatus API. + /// - Returns: The response for GetInstanceOnboardingJobStatus API. (Type: `GetInstanceOnboardingJobStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1319,7 +1305,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceOnboardingJobStatusOutput.httpOutput(from:), GetInstanceOnboardingJobStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1351,9 +1336,9 @@ extension ConnectCampaignsV2Client { /// /// Provides summary information about the campaigns under the specified Amazon Connect account. /// - /// - Parameter ListCampaignsInput : The request for ListCampaigns API. + /// - Parameter input: The request for ListCampaigns API. (Type: `ListCampaignsInput`) /// - /// - Returns: `ListCampaignsOutput` : The response for ListCampaigns API. + /// - Returns: The response for ListCampaigns API. (Type: `ListCampaignsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1389,7 +1374,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCampaignsOutput.httpOutput(from:), ListCampaignsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1421,9 +1405,9 @@ extension ConnectCampaignsV2Client { /// /// Provides summary information about the integration under the specified Connect instance. /// - /// - Parameter ListConnectInstanceIntegrationsInput : The request for ListConnectInstanceIntegrations API. + /// - Parameter input: The request for ListConnectInstanceIntegrations API. (Type: `ListConnectInstanceIntegrationsInput`) /// - /// - Returns: `ListConnectInstanceIntegrationsOutput` : The response for ListConnectInstanceIntegrations API. + /// - Returns: The response for ListConnectInstanceIntegrations API. (Type: `ListConnectInstanceIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1459,7 +1443,6 @@ extension ConnectCampaignsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectInstanceIntegrationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectInstanceIntegrationsOutput.httpOutput(from:), ListConnectInstanceIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1491,9 +1474,9 @@ extension ConnectCampaignsV2Client { /// /// List tags for a resource. /// - /// - Parameter ListTagsForResourceInput : The request for ListTagsForResource API. + /// - Parameter input: The request for ListTagsForResource API. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : The request for ListTagsForResource API. + /// - Returns: The request for ListTagsForResource API. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1528,7 +1511,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1560,9 +1542,9 @@ extension ConnectCampaignsV2Client { /// /// Pauses a campaign for the specified Amazon Connect account. /// - /// - Parameter PauseCampaignInput : The request for PauseCampaign API. + /// - Parameter input: The request for PauseCampaign API. (Type: `PauseCampaignInput`) /// - /// - Returns: `PauseCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PauseCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1599,7 +1581,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PauseCampaignOutput.httpOutput(from:), PauseCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1631,9 +1612,9 @@ extension ConnectCampaignsV2Client { /// /// Put or update the integration for the specified Amazon Connect instance. /// - /// - Parameter PutConnectInstanceIntegrationInput : The request for PutConnectInstanceIntegration API. + /// - Parameter input: The request for PutConnectInstanceIntegration API. (Type: `PutConnectInstanceIntegrationInput`) /// - /// - Returns: `PutConnectInstanceIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutConnectInstanceIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1672,7 +1653,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConnectInstanceIntegrationOutput.httpOutput(from:), PutConnectInstanceIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1704,9 +1684,9 @@ extension ConnectCampaignsV2Client { /// /// Put the instance communication limits. This API is idempotent. /// - /// - Parameter PutInstanceCommunicationLimitsInput : The request for PutInstanceCommunicationLimits API. + /// - Parameter input: The request for PutInstanceCommunicationLimits API. (Type: `PutInstanceCommunicationLimitsInput`) /// - /// - Returns: `PutInstanceCommunicationLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutInstanceCommunicationLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1744,7 +1724,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutInstanceCommunicationLimitsOutput.httpOutput(from:), PutInstanceCommunicationLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1776,9 +1755,9 @@ extension ConnectCampaignsV2Client { /// /// Creates outbound requests for the specified campaign Amazon Connect account. This API is idempotent. /// - /// - Parameter PutOutboundRequestBatchInput : The request for PutOutboundRequestBatch API. + /// - Parameter input: The request for PutOutboundRequestBatch API. (Type: `PutOutboundRequestBatchInput`) /// - /// - Returns: `PutOutboundRequestBatchOutput` : The response for PutOutboundRequestBatch API. + /// - Returns: The response for PutOutboundRequestBatch API. (Type: `PutOutboundRequestBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1818,7 +1797,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutOutboundRequestBatchOutput.httpOutput(from:), PutOutboundRequestBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1850,9 +1828,9 @@ extension ConnectCampaignsV2Client { /// /// Takes in a list of profile outbound requests to be placed as part of an outbound campaign. This API is idempotent. /// - /// - Parameter PutProfileOutboundRequestBatchInput : The request for PutProfileOutboundRequestBatch API + /// - Parameter input: The request for PutProfileOutboundRequestBatch API (Type: `PutProfileOutboundRequestBatchInput`) /// - /// - Returns: `PutProfileOutboundRequestBatchOutput` : The response for PutProfileOutboundRequestBatch API + /// - Returns: The response for PutProfileOutboundRequestBatch API (Type: `PutProfileOutboundRequestBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1892,7 +1870,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutProfileOutboundRequestBatchOutput.httpOutput(from:), PutProfileOutboundRequestBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1924,9 +1901,9 @@ extension ConnectCampaignsV2Client { /// /// Stops a campaign for the specified Amazon Connect account. /// - /// - Parameter ResumeCampaignInput : The request for ResumeCampaign API. + /// - Parameter input: The request for ResumeCampaign API. (Type: `ResumeCampaignInput`) /// - /// - Returns: `ResumeCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1963,7 +1940,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeCampaignOutput.httpOutput(from:), ResumeCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1995,9 +1971,9 @@ extension ConnectCampaignsV2Client { /// /// Starts a campaign for the specified Amazon Connect account. /// - /// - Parameter StartCampaignInput : The request for StartCampaign API. + /// - Parameter input: The request for StartCampaign API. (Type: `StartCampaignInput`) /// - /// - Returns: `StartCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2034,7 +2010,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCampaignOutput.httpOutput(from:), StartCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2066,9 +2041,9 @@ extension ConnectCampaignsV2Client { /// /// Onboard the specific Amazon Connect instance to Connect Campaigns. /// - /// - Parameter StartInstanceOnboardingJobInput : The request for StartInstanceOnboardingJob API. + /// - Parameter input: The request for StartInstanceOnboardingJob API. (Type: `StartInstanceOnboardingJobInput`) /// - /// - Returns: `StartInstanceOnboardingJobOutput` : The response for StartInstanceOnboardingJob API. + /// - Returns: The response for StartInstanceOnboardingJob API. (Type: `StartInstanceOnboardingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2107,7 +2082,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInstanceOnboardingJobOutput.httpOutput(from:), StartInstanceOnboardingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2139,9 +2113,9 @@ extension ConnectCampaignsV2Client { /// /// Stops a campaign for the specified Amazon Connect account. /// - /// - Parameter StopCampaignInput : The request for StopCampaign API. + /// - Parameter input: The request for StopCampaign API. (Type: `StopCampaignInput`) /// - /// - Returns: `StopCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2178,7 +2152,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopCampaignOutput.httpOutput(from:), StopCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2210,9 +2183,9 @@ extension ConnectCampaignsV2Client { /// /// Tag a resource. /// - /// - Parameter TagResourceInput : The request for TagResource API. + /// - Parameter input: The request for TagResource API. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2250,7 +2223,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2282,9 +2254,9 @@ extension ConnectCampaignsV2Client { /// /// Untag a resource. /// - /// - Parameter UntagResourceInput : The request for UntagResource API. + /// - Parameter input: The request for UntagResource API. (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2320,7 +2292,6 @@ extension ConnectCampaignsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2352,9 +2323,9 @@ extension ConnectCampaignsV2Client { /// /// Updates the channel subtype config of a campaign. This API is idempotent. /// - /// - Parameter UpdateCampaignChannelSubtypeConfigInput : The request for UpdateCampaignChannelSubtypeConfig API. + /// - Parameter input: The request for UpdateCampaignChannelSubtypeConfig API. (Type: `UpdateCampaignChannelSubtypeConfigInput`) /// - /// - Returns: `UpdateCampaignChannelSubtypeConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignChannelSubtypeConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2392,7 +2363,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignChannelSubtypeConfigOutput.httpOutput(from:), UpdateCampaignChannelSubtypeConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2424,9 +2394,9 @@ extension ConnectCampaignsV2Client { /// /// Updates the communication limits config for a campaign. This API is idempotent. /// - /// - Parameter UpdateCampaignCommunicationLimitsInput : The request for UpdateCampaignCommunicationLimits API. + /// - Parameter input: The request for UpdateCampaignCommunicationLimits API. (Type: `UpdateCampaignCommunicationLimitsInput`) /// - /// - Returns: `UpdateCampaignCommunicationLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignCommunicationLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2465,7 +2435,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignCommunicationLimitsOutput.httpOutput(from:), UpdateCampaignCommunicationLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2497,9 +2466,9 @@ extension ConnectCampaignsV2Client { /// /// Updates the communication time config for a campaign. This API is idempotent. /// - /// - Parameter UpdateCampaignCommunicationTimeInput : The request for UpdateCampaignCommunicationTime API. + /// - Parameter input: The request for UpdateCampaignCommunicationTime API. (Type: `UpdateCampaignCommunicationTimeInput`) /// - /// - Returns: `UpdateCampaignCommunicationTimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignCommunicationTimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2538,7 +2507,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignCommunicationTimeOutput.httpOutput(from:), UpdateCampaignCommunicationTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2570,9 +2538,9 @@ extension ConnectCampaignsV2Client { /// /// Updates the campaign flow associated with a campaign. This API is idempotent. /// - /// - Parameter UpdateCampaignFlowAssociationInput : The request for UpdateCampaignFlowAssociation API. + /// - Parameter input: The request for UpdateCampaignFlowAssociation API. (Type: `UpdateCampaignFlowAssociationInput`) /// - /// - Returns: `UpdateCampaignFlowAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignFlowAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2611,7 +2579,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignFlowAssociationOutput.httpOutput(from:), UpdateCampaignFlowAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2643,9 +2610,9 @@ extension ConnectCampaignsV2Client { /// /// Updates the name of a campaign. This API is idempotent. /// - /// - Parameter UpdateCampaignNameInput : The request for UpdateCampaignName API. + /// - Parameter input: The request for UpdateCampaignName API. (Type: `UpdateCampaignNameInput`) /// - /// - Returns: `UpdateCampaignNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2683,7 +2650,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignNameOutput.httpOutput(from:), UpdateCampaignNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2715,9 +2681,9 @@ extension ConnectCampaignsV2Client { /// /// Updates the schedule for a campaign. This API is idempotent. /// - /// - Parameter UpdateCampaignScheduleInput : The request for UpdateCampaignSchedule API. + /// - Parameter input: The request for UpdateCampaignSchedule API. (Type: `UpdateCampaignScheduleInput`) /// - /// - Returns: `UpdateCampaignScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2756,7 +2722,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignScheduleOutput.httpOutput(from:), UpdateCampaignScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2788,9 +2753,9 @@ extension ConnectCampaignsV2Client { /// /// Updates the campaign source with a campaign. This API is idempotent. /// - /// - Parameter UpdateCampaignSourceInput : The request for UpdateCampaignSource API. + /// - Parameter input: The request for UpdateCampaignSource API. (Type: `UpdateCampaignSourceInput`) /// - /// - Returns: `UpdateCampaignSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2829,7 +2794,6 @@ extension ConnectCampaignsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignSourceOutput.httpOutput(from:), UpdateCampaignSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSConnectCases/Sources/AWSConnectCases/ConnectCasesClient.swift b/Sources/Services/AWSConnectCases/Sources/AWSConnectCases/ConnectCasesClient.swift index bfeb79db2e8..d27c9cd9bb2 100644 --- a/Sources/Services/AWSConnectCases/Sources/AWSConnectCases/ConnectCasesClient.swift +++ b/Sources/Services/AWSConnectCases/Sources/AWSConnectCases/ConnectCasesClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ConnectCasesClient: ClientRuntime.Client { public static let clientName = "ConnectCasesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ConnectCasesClient.ConnectCasesClientConfiguration let serviceName = "ConnectCases" @@ -375,9 +374,9 @@ extension ConnectCasesClient { /// /// Gets a batch of case rules. In the Amazon Connect admin website, case rules are known as case field conditions. For more information about case field conditions, see [Add case field conditions to a case template](https://docs.aws.amazon.com/connect/latest/adminguide/case-field-conditions.html). /// - /// - Parameter BatchGetCaseRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetCaseRuleInput`) /// - /// - Returns: `BatchGetCaseRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetCaseRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetCaseRuleOutput.httpOutput(from:), BatchGetCaseRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension ConnectCasesClient { /// /// Returns the description for the list of fields in the request parameters. /// - /// - Parameter BatchGetFieldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetFieldInput`) /// - /// - Returns: `BatchGetFieldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetFieldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetFieldOutput.httpOutput(from:), BatchGetFieldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension ConnectCasesClient { /// /// Creates and updates a set of field options for a single select field in a Cases domain. /// - /// - Parameter BatchPutFieldOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutFieldOptionsInput`) /// - /// - Returns: `BatchPutFieldOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutFieldOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutFieldOptionsOutput.httpOutput(from:), BatchPutFieldOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension ConnectCasesClient { /// /// * title /// - /// - Parameter CreateCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCaseInput`) /// - /// - Returns: `CreateCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCaseOutput.httpOutput(from:), CreateCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension ConnectCasesClient { /// /// Creates a new case rule. In the Amazon Connect admin website, case rules are known as case field conditions. For more information about case field conditions, see [Add case field conditions to a case template](https://docs.aws.amazon.com/connect/latest/adminguide/case-field-conditions.html). /// - /// - Parameter CreateCaseRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCaseRuleInput`) /// - /// - Returns: `CreateCaseRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCaseRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -712,7 +707,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCaseRuleOutput.httpOutput(from:), CreateCaseRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -744,9 +738,9 @@ extension ConnectCasesClient { /// /// Creates a domain, which is a container for all case data, such as cases, fields, templates and layouts. Each Amazon Connect instance can be associated with only one Cases domain. This will not associate your connect instance to Cases domain. Instead, use the Amazon Connect [CreateIntegrationAssociation](https://docs.aws.amazon.com/connect/latest/APIReference/API_CreateIntegrationAssociation.html) API. You need specific IAM permissions to successfully associate the Cases domain. For more information, see [Onboard to Cases](https://docs.aws.amazon.com/connect/latest/adminguide/required-permissions-iam-cases.html#onboard-cases-iam). /// - /// - Parameter CreateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainInput`) /// - /// - Returns: `CreateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -785,7 +779,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainOutput.httpOutput(from:), CreateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -817,9 +810,9 @@ extension ConnectCasesClient { /// /// Creates a field in the Cases domain. This field is used to define the case object model (that is, defines what data can be captured on cases) in a Cases domain. /// - /// - Parameter CreateFieldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFieldInput`) /// - /// - Returns: `CreateFieldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFieldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -859,7 +852,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFieldOutput.httpOutput(from:), CreateFieldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -898,9 +890,9 @@ extension ConnectCasesClient { /// /// Title and Status fields cannot be part of layouts since they are not configurable. /// - /// - Parameter CreateLayoutInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLayoutInput`) /// - /// - Returns: `CreateLayoutOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLayoutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -940,7 +932,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLayoutOutput.httpOutput(from:), CreateLayoutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -978,9 +969,9 @@ extension ConnectCasesClient { /// /// * The type field is reserved for internal use only. /// - /// - Parameter CreateRelatedItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRelatedItemInput`) /// - /// - Returns: `CreateRelatedItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRelatedItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1019,7 +1010,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRelatedItemOutput.httpOutput(from:), CreateRelatedItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1059,9 +1049,9 @@ extension ConnectCasesClient { /// /// * [UpdateTemplate](https://docs.aws.amazon.com/connect/latest/APIReference/API_connect-cases_UpdateTemplate.html) /// - /// - Parameter CreateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTemplateInput`) /// - /// - Returns: `CreateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1101,7 +1091,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTemplateOutput.httpOutput(from:), CreateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1142,9 +1131,9 @@ extension ConnectCasesClient { /// /// This action is irreversible. After you delete a case, you cannot recover its data. /// - /// - Parameter DeleteCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCaseInput`) /// - /// - Returns: `DeleteCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1179,7 +1168,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCaseOutput.httpOutput(from:), DeleteCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1211,9 +1199,9 @@ extension ConnectCasesClient { /// /// Deletes a case rule. In the Amazon Connect admin website, case rules are known as case field conditions. For more information about case field conditions, see [Add case field conditions to a case template](https://docs.aws.amazon.com/connect/latest/adminguide/case-field-conditions.html). /// - /// - Parameter DeleteCaseRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCaseRuleInput`) /// - /// - Returns: `DeleteCaseRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCaseRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1248,7 +1236,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCaseRuleOutput.httpOutput(from:), DeleteCaseRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1280,9 +1267,9 @@ extension ConnectCasesClient { /// /// Deletes a Cases domain. After deleting your domain you must disassociate the deleted domain from your Amazon Connect instance with another API call before being able to use Cases again with this Amazon Connect instance. See [DeleteIntegrationAssociation](https://docs.aws.amazon.com/connect/latest/APIReference/API_DeleteIntegrationAssociation.html). /// - /// - Parameter DeleteDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainInput`) /// - /// - Returns: `DeleteDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1318,7 +1305,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainOutput.httpOutput(from:), DeleteDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1374,9 +1360,9 @@ extension ConnectCasesClient { /// /// * Calling GetCaseEventConfiguration does not return field IDs for deleted fields. /// - /// - Parameter DeleteFieldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFieldInput`) /// - /// - Returns: `DeleteFieldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFieldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1413,7 +1399,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFieldOutput.httpOutput(from:), DeleteFieldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1451,9 +1436,9 @@ extension ConnectCasesClient { /// /// * Deleted layouts are not included in the ListLayouts response. /// - /// - Parameter DeleteLayoutInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLayoutInput`) /// - /// - Returns: `DeleteLayoutOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLayoutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1474,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLayoutOutput.httpOutput(from:), DeleteLayoutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1521,9 +1505,9 @@ extension ConnectCasesClient { /// /// Deletes the related item resource under a case. This API cannot be used on a FILE type related attachment. To delete this type of file, use the [DeleteAttachedFile](https://docs.aws.amazon.com/connect/latest/APIReference/API_DeleteAttachedFile.html) API /// - /// - Parameter DeleteRelatedItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRelatedItemInput`) /// - /// - Returns: `DeleteRelatedItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRelatedItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1558,7 +1542,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRelatedItemOutput.httpOutput(from:), DeleteRelatedItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1598,9 +1581,9 @@ extension ConnectCasesClient { /// /// * Deleted templates are not included in the ListTemplates response. /// - /// - Parameter DeleteTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTemplateInput`) /// - /// - Returns: `DeleteTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1636,7 +1619,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTemplateOutput.httpOutput(from:), DeleteTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1668,9 +1650,9 @@ extension ConnectCasesClient { /// /// Returns information about a specific case if it exists. /// - /// - Parameter GetCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCaseInput`) /// - /// - Returns: `GetCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1708,7 +1690,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCaseOutput.httpOutput(from:), GetCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1740,9 +1721,9 @@ extension ConnectCasesClient { /// /// Returns the audit history about a specific case if it exists. /// - /// - Parameter GetCaseAuditEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCaseAuditEventsInput`) /// - /// - Returns: `GetCaseAuditEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCaseAuditEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1780,7 +1761,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCaseAuditEventsOutput.httpOutput(from:), GetCaseAuditEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1812,9 +1792,9 @@ extension ConnectCasesClient { /// /// Returns the case event publishing configuration. /// - /// - Parameter GetCaseEventConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCaseEventConfigurationInput`) /// - /// - Returns: `GetCaseEventConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCaseEventConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1849,7 +1829,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCaseEventConfigurationOutput.httpOutput(from:), GetCaseEventConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1881,9 +1860,9 @@ extension ConnectCasesClient { /// /// Returns information about a specific domain if it exists. /// - /// - Parameter GetDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainInput`) /// - /// - Returns: `GetDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1918,7 +1897,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainOutput.httpOutput(from:), GetDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1950,9 +1928,9 @@ extension ConnectCasesClient { /// /// Returns the details for the requested layout. /// - /// - Parameter GetLayoutInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLayoutInput`) /// - /// - Returns: `GetLayoutOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLayoutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1987,7 +1965,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLayoutOutput.httpOutput(from:), GetLayoutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2027,9 +2004,9 @@ extension ConnectCasesClient { /// /// * [UpdateTemplate](https://docs.aws.amazon.com/connect/latest/APIReference/API_connect-cases_UpdateTemplate.html) /// - /// - Parameter GetTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemplateInput`) /// - /// - Returns: `GetTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2064,7 +2041,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateOutput.httpOutput(from:), GetTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2096,9 +2072,9 @@ extension ConnectCasesClient { /// /// Lists all case rules in a Cases domain. In the Amazon Connect admin website, case rules are known as case field conditions. For more information about case field conditions, see [Add case field conditions to a case template](https://docs.aws.amazon.com/connect/latest/adminguide/case-field-conditions.html). /// - /// - Parameter ListCaseRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCaseRulesInput`) /// - /// - Returns: `ListCaseRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCaseRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2134,7 +2110,6 @@ extension ConnectCasesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCaseRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCaseRulesOutput.httpOutput(from:), ListCaseRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2166,9 +2141,9 @@ extension ConnectCasesClient { /// /// Lists cases for a given contact. /// - /// - Parameter ListCasesForContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCasesForContactInput`) /// - /// - Returns: `ListCasesForContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCasesForContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2206,7 +2181,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCasesForContactOutput.httpOutput(from:), ListCasesForContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2238,9 +2212,9 @@ extension ConnectCasesClient { /// /// Lists all cases domains in the Amazon Web Services account. Each list item is a condensed summary object of the domain. /// - /// - Parameter ListDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainsInput`) /// - /// - Returns: `ListDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2275,7 +2249,6 @@ extension ConnectCasesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsOutput.httpOutput(from:), ListDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2307,9 +2280,9 @@ extension ConnectCasesClient { /// /// Lists all of the field options for a field identifier in the domain. /// - /// - Parameter ListFieldOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFieldOptionsInput`) /// - /// - Returns: `ListFieldOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFieldOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2345,7 +2318,6 @@ extension ConnectCasesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFieldOptionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFieldOptionsOutput.httpOutput(from:), ListFieldOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2377,9 +2349,9 @@ extension ConnectCasesClient { /// /// Lists all fields in a Cases domain. /// - /// - Parameter ListFieldsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFieldsInput`) /// - /// - Returns: `ListFieldsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFieldsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2415,7 +2387,6 @@ extension ConnectCasesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFieldsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFieldsOutput.httpOutput(from:), ListFieldsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2447,9 +2418,9 @@ extension ConnectCasesClient { /// /// Lists all layouts in the given cases domain. Each list item is a condensed summary object of the layout. /// - /// - Parameter ListLayoutsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLayoutsInput`) /// - /// - Returns: `ListLayoutsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLayoutsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2485,7 +2456,6 @@ extension ConnectCasesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLayoutsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLayoutsOutput.httpOutput(from:), ListLayoutsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2517,9 +2487,9 @@ extension ConnectCasesClient { /// /// Lists tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2554,7 +2524,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2594,9 +2563,9 @@ extension ConnectCasesClient { /// /// * [UpdateTemplate](https://docs.aws.amazon.com/connect/latest/APIReference/API_connect-cases_UpdateTemplate.html) /// - /// - Parameter ListTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplatesInput`) /// - /// - Returns: `ListTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2632,7 +2601,6 @@ extension ConnectCasesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplatesOutput.httpOutput(from:), ListTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2664,9 +2632,9 @@ extension ConnectCasesClient { /// /// Adds case event publishing configuration. For a complete list of fields you can add to the event message, see [Create case fields](https://docs.aws.amazon.com/connect/latest/adminguide/case-fields.html) in the Amazon Connect Administrator Guide /// - /// - Parameter PutCaseEventConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutCaseEventConfigurationInput`) /// - /// - Returns: `PutCaseEventConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutCaseEventConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2705,7 +2673,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutCaseEventConfigurationOutput.httpOutput(from:), PutCaseEventConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2753,9 +2720,9 @@ extension ConnectCasesClient { /// /// Endpoints: See [Amazon Connect endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/connect_region.html). /// - /// - Parameter SearchAllRelatedItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchAllRelatedItemsInput`) /// - /// - Returns: `SearchAllRelatedItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchAllRelatedItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2793,7 +2760,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchAllRelatedItemsOutput.httpOutput(from:), SearchAllRelatedItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2825,9 +2791,9 @@ extension ConnectCasesClient { /// /// Searches for cases within their associated Cases domain. Search results are returned as a paginated list of abridged case documents. For customer_id you must provide the full customer profile ARN in this format: arn:aws:profile:your AWS Region:your AWS account ID:domains/profiles domain name/profiles/profile ID. /// - /// - Parameter SearchCasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchCasesInput`) /// - /// - Returns: `SearchCasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchCasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2865,7 +2831,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchCasesOutput.httpOutput(from:), SearchCasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2897,9 +2862,9 @@ extension ConnectCasesClient { /// /// Searches for related items that are associated with a case. If no filters are provided, this returns all related items associated with a case. /// - /// - Parameter SearchRelatedItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchRelatedItemsInput`) /// - /// - Returns: `SearchRelatedItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchRelatedItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2937,7 +2902,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchRelatedItemsOutput.httpOutput(from:), SearchRelatedItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2969,9 +2933,9 @@ extension ConnectCasesClient { /// /// Adds tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3009,7 +2973,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3041,9 +3004,9 @@ extension ConnectCasesClient { /// /// Untags a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3079,7 +3042,6 @@ extension ConnectCasesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3111,9 +3073,9 @@ extension ConnectCasesClient { /// /// If you provide a value for PerformedBy.UserArn you must also have [connect:DescribeUser](https://docs.aws.amazon.com/connect/latest/APIReference/API_DescribeUser.html) permission on the User ARN resource that you provide Updates the values of fields on a case. Fields to be updated are received as an array of id/value pairs identical to the CreateCase input . If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. /// - /// - Parameter UpdateCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCaseInput`) /// - /// - Returns: `UpdateCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3151,7 +3113,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCaseOutput.httpOutput(from:), UpdateCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3183,9 +3144,9 @@ extension ConnectCasesClient { /// /// Updates a case rule. In the Amazon Connect admin website, case rules are known as case field conditions. For more information about case field conditions, see [Add case field conditions to a case template](https://docs.aws.amazon.com/connect/latest/adminguide/case-field-conditions.html). /// - /// - Parameter UpdateCaseRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCaseRuleInput`) /// - /// - Returns: `UpdateCaseRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCaseRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3224,7 +3185,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCaseRuleOutput.httpOutput(from:), UpdateCaseRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3256,9 +3216,9 @@ extension ConnectCasesClient { /// /// Updates the properties of an existing field. /// - /// - Parameter UpdateFieldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFieldInput`) /// - /// - Returns: `UpdateFieldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFieldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3297,7 +3257,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFieldOutput.httpOutput(from:), UpdateFieldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3329,9 +3288,9 @@ extension ConnectCasesClient { /// /// Updates the attributes of an existing layout. If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. A ValidationException is returned when you add non-existent fieldIds to a layout. Title and Status fields cannot be part of layouts because they are not configurable. /// - /// - Parameter UpdateLayoutInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLayoutInput`) /// - /// - Returns: `UpdateLayoutOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLayoutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3371,7 +3330,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLayoutOutput.httpOutput(from:), UpdateLayoutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3411,9 +3369,9 @@ extension ConnectCasesClient { /// /// * [ListTemplates](https://docs.aws.amazon.com/connect/latest/APIReference/API_connect-cases_ListTemplates.html) /// - /// - Parameter UpdateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTemplateInput`) /// - /// - Returns: `UpdateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3452,7 +3410,6 @@ extension ConnectCasesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTemplateOutput.httpOutput(from:), UpdateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSConnectContactLens/Sources/AWSConnectContactLens/ConnectContactLensClient.swift b/Sources/Services/AWSConnectContactLens/Sources/AWSConnectContactLens/ConnectContactLensClient.swift index 113701d9cda..2c9663dd9eb 100644 --- a/Sources/Services/AWSConnectContactLens/Sources/AWSConnectContactLens/ConnectContactLensClient.swift +++ b/Sources/Services/AWSConnectContactLens/Sources/AWSConnectContactLens/ConnectContactLensClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ConnectContactLensClient: ClientRuntime.Client { public static let clientName = "ConnectContactLensClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ConnectContactLensClient.ConnectContactLensClientConfiguration let serviceName = "Connect Contact Lens" @@ -372,9 +371,9 @@ extension ConnectContactLensClient { /// /// Provides a list of analysis segments for a real-time analysis session. /// - /// - Parameter ListRealtimeContactAnalysisSegmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRealtimeContactAnalysisSegmentsInput`) /// - /// - Returns: `ListRealtimeContactAnalysisSegmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRealtimeContactAnalysisSegmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension ConnectContactLensClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRealtimeContactAnalysisSegmentsOutput.httpOutput(from:), ListRealtimeContactAnalysisSegmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSConnectParticipant/Sources/AWSConnectParticipant/ConnectParticipantClient.swift b/Sources/Services/AWSConnectParticipant/Sources/AWSConnectParticipant/ConnectParticipantClient.swift index 85dac4fdfa7..82a5b5115ab 100644 --- a/Sources/Services/AWSConnectParticipant/Sources/AWSConnectParticipant/ConnectParticipantClient.swift +++ b/Sources/Services/AWSConnectParticipant/Sources/AWSConnectParticipant/ConnectParticipantClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ConnectParticipantClient: ClientRuntime.Client { public static let clientName = "ConnectParticipantClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ConnectParticipantClient.ConnectParticipantClientConfiguration let serviceName = "ConnectParticipant" @@ -374,9 +373,9 @@ extension ConnectParticipantClient { /// /// Cancels the authentication session. The opted out branch of the Authenticate Customer flow block will be taken. The current supported channel is chat. This API is not supported for Apple Messages for Business, WhatsApp, or SMS chats. ConnectionToken is used for invoking this API instead of ParticipantToken. The Amazon Connect Participant Service APIs do not use [Signature Version 4 authentication](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter CancelParticipantAuthenticationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelParticipantAuthenticationInput`) /// - /// - Returns: `CancelParticipantAuthenticationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelParticipantAuthenticationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension ConnectParticipantClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelParticipantAuthenticationOutput.httpOutput(from:), CancelParticipantAuthenticationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension ConnectParticipantClient { /// /// Allows you to confirm that the attachment has been uploaded using the pre-signed URL provided in StartAttachmentUpload API. A conflict exception is thrown when an attachment with that identifier is already being uploaded. For security recommendations, see [Amazon Connect Chat security best practices](https://docs.aws.amazon.com/connect/latest/adminguide/security-best-practices.html#bp-security-chat). ConnectionToken is used for invoking this API instead of ParticipantToken. The Amazon Connect Participant Service APIs do not use [Signature Version 4 authentication](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter CompleteAttachmentUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CompleteAttachmentUploadInput`) /// - /// - Returns: `CompleteAttachmentUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompleteAttachmentUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension ConnectParticipantClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteAttachmentUploadOutput.httpOutput(from:), CompleteAttachmentUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension ConnectParticipantClient { /// /// Creates the participant's connection. For security recommendations, see [Amazon Connect Chat security best practices](https://docs.aws.amazon.com/connect/latest/adminguide/security-best-practices.html#bp-security-chat). For WebRTC security recommendations, see [Amazon Connect WebRTC security best practices](https://docs.aws.amazon.com/connect/latest/adminguide/security-best-practices.html#bp-webrtc-security). ParticipantToken is used for invoking this API instead of ConnectionToken. The participant token is valid for the lifetime of the participant – until they are part of a contact. For WebRTC participants, if they leave or are disconnected for 60 seconds, a new participant needs to be created using the [CreateParticipant](https://docs.aws.amazon.com/connect/latest/APIReference/API_CreateParticipant.html) API. For WEBSOCKET Type: The response URL for has a connect expiry timeout of 100s. Clients must manually connect to the returned websocket URL and subscribe to the desired topic. For chat, you need to publish the following on the established websocket connection: {"topic":"aws/subscribe","content":{"topics":["aws/chat"]}} Upon websocket URL expiry, as specified in the response ConnectionExpiry parameter, clients need to call this API again to obtain a new websocket URL and perform the same steps as before. The expiry time for the connection token is different than the ChatDurationInMinutes. Expiry time for the connection token is 1 day. For WEBRTC_CONNECTION Type: The response includes connection data required for the client application to join the call using the Amazon Chime SDK client libraries. The WebRTCConnection response contains Meeting and Attendee information needed to establish the media connection. The attendee join token in WebRTCConnection response is valid for the lifetime of the participant in the call. If a participant leaves or is disconnected for 60 seconds, their participant credentials will no longer be valid, and a new participant will need to be created to rejoin the call. Message streaming support: This API can also be used together with the [StartContactStreaming](https://docs.aws.amazon.com/connect/latest/APIReference/API_StartContactStreaming.html) API to create a participant connection for chat contacts that are not using a websocket. For more information about message streaming, [Enable real-time chat message streaming](https://docs.aws.amazon.com/connect/latest/adminguide/chat-message-streaming.html) in the Amazon Connect Administrator Guide. Multi-user web, in-app, video calling support: For WebRTC calls, this API is used in conjunction with the CreateParticipant API to enable multi-party calling. The StartWebRTCContact API creates the initial contact and routes it to an agent, while CreateParticipant adds additional participants to the ongoing call. For more information about multi-party WebRTC calls, see [Enable multi-user web, in-app, and video calling](https://docs.aws.amazon.com/connect/latest/adminguide/enable-multiuser-inapp.html) in the Amazon Connect Administrator Guide. Feature specifications: For information about feature specifications, such as the allowed number of open websocket connections per participant or maximum number of WebRTC participants, see [Feature specifications](https://docs.aws.amazon.com/connect/latest/adminguide/amazon-connect-service-limits.html#feature-limits) in the Amazon Connect Administrator Guide. The Amazon Connect Participant Service APIs do not use [Signature Version 4 authentication](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter CreateParticipantConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateParticipantConnectionInput`) /// - /// - Returns: `CreateParticipantConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateParticipantConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension ConnectParticipantClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateParticipantConnectionOutput.httpOutput(from:), CreateParticipantConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension ConnectParticipantClient { /// /// Retrieves the view for the specified view token. For security recommendations, see [Amazon Connect Chat security best practices](https://docs.aws.amazon.com/connect/latest/adminguide/security-best-practices.html#bp-security-chat). /// - /// - Parameter DescribeViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeViewInput`) /// - /// - Returns: `DescribeViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension ConnectParticipantClient { builder.serialize(ClientRuntime.HeaderMiddleware(DescribeViewInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeViewOutput.httpOutput(from:), DescribeViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension ConnectParticipantClient { /// /// Disconnects a participant. For security recommendations, see [Amazon Connect Chat security best practices](https://docs.aws.amazon.com/connect/latest/adminguide/security-best-practices.html#bp-security-chat). ConnectionToken is used for invoking this API instead of ParticipantToken. The Amazon Connect Participant Service APIs do not use [Signature Version 4 authentication](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter DisconnectParticipantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisconnectParticipantInput`) /// - /// - Returns: `DisconnectParticipantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisconnectParticipantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension ConnectParticipantClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisconnectParticipantOutput.httpOutput(from:), DisconnectParticipantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension ConnectParticipantClient { /// /// The Amazon Connect Participant Service APIs do not use [Signature Version 4 authentication](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter GetAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAttachmentInput`) /// - /// - Returns: `GetAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -783,7 +777,6 @@ extension ConnectParticipantClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAttachmentOutput.httpOutput(from:), GetAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -822,9 +815,9 @@ extension ConnectParticipantClient { /// /// ConnectionToken is used for invoking this API instead of ParticipantToken. The Amazon Connect Participant Service APIs do not use [Signature Version 4 authentication](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter GetAuthenticationUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAuthenticationUrlInput`) /// - /// - Returns: `GetAuthenticationUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAuthenticationUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -862,7 +855,6 @@ extension ConnectParticipantClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAuthenticationUrlOutput.httpOutput(from:), GetAuthenticationUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -909,9 +901,9 @@ extension ConnectParticipantClient { /// /// ConnectionToken is used for invoking this API instead of ParticipantToken. The Amazon Connect Participant Service APIs do not use [Signature Version 4 authentication](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter GetTranscriptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTranscriptInput`) /// - /// - Returns: `GetTranscriptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTranscriptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -949,7 +941,6 @@ extension ConnectParticipantClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTranscriptOutput.httpOutput(from:), GetTranscriptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -981,9 +972,9 @@ extension ConnectParticipantClient { /// /// The application/vnd.amazonaws.connect.event.connection.acknowledged ContentType is no longer maintained since December 31, 2024. This event has been migrated to the [CreateParticipantConnection](https://docs.aws.amazon.com/connect-participant/latest/APIReference/API_CreateParticipantConnection.html) API using the ConnectParticipant field. Sends an event. Message receipts are not supported when there are more than two active participants in the chat. Using the SendEvent API for message receipts when a supervisor is barged-in will result in a conflict exception. For security recommendations, see [Amazon Connect Chat security best practices](https://docs.aws.amazon.com/connect/latest/adminguide/security-best-practices.html#bp-security-chat). ConnectionToken is used for invoking this API instead of ParticipantToken. The Amazon Connect Participant Service APIs do not use [Signature Version 4 authentication](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter SendEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendEventInput`) /// - /// - Returns: `SendEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1023,7 +1014,6 @@ extension ConnectParticipantClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendEventOutput.httpOutput(from:), SendEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1055,9 +1045,9 @@ extension ConnectParticipantClient { /// /// Sends a message. For security recommendations, see [Amazon Connect Chat security best practices](https://docs.aws.amazon.com/connect/latest/adminguide/security-best-practices.html#bp-security-chat). ConnectionToken is used for invoking this API instead of ParticipantToken. The Amazon Connect Participant Service APIs do not use [Signature Version 4 authentication](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter SendMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendMessageInput`) /// - /// - Returns: `SendMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1096,7 +1086,6 @@ extension ConnectParticipantClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendMessageOutput.httpOutput(from:), SendMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1128,9 +1117,9 @@ extension ConnectParticipantClient { /// /// Provides a pre-signed Amazon S3 URL in response for uploading the file directly to S3. For security recommendations, see [Amazon Connect Chat security best practices](https://docs.aws.amazon.com/connect/latest/adminguide/security-best-practices.html#bp-security-chat). ConnectionToken is used for invoking this API instead of ParticipantToken. The Amazon Connect Participant Service APIs do not use [Signature Version 4 authentication](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter StartAttachmentUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAttachmentUploadInput`) /// - /// - Returns: `StartAttachmentUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAttachmentUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1170,7 +1159,6 @@ extension ConnectParticipantClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAttachmentUploadOutput.httpOutput(from:), StartAttachmentUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSControlCatalog/Sources/AWSControlCatalog/ControlCatalogClient.swift b/Sources/Services/AWSControlCatalog/Sources/AWSControlCatalog/ControlCatalogClient.swift index 54051d056f4..c560b6a9f7d 100644 --- a/Sources/Services/AWSControlCatalog/Sources/AWSControlCatalog/ControlCatalogClient.swift +++ b/Sources/Services/AWSControlCatalog/Sources/AWSControlCatalog/ControlCatalogClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ControlCatalogClient: ClientRuntime.Client { public static let clientName = "ControlCatalogClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ControlCatalogClient.ControlCatalogClientConfiguration let serviceName = "ControlCatalog" @@ -374,9 +373,9 @@ extension ControlCatalogClient { /// /// Returns details about a specific control, most notably a list of Amazon Web Services Regions where this control is supported. Input a value for the ControlArn parameter, in ARN form. GetControl accepts controltower or controlcatalog control ARNs as input. Returns a controlcatalog ARN format. In the API response, controls that have the value GLOBAL in the Scope field do not show the DeployableRegions field, because it does not apply. Controls that have the value REGIONAL in the Scope field return a value for the DeployableRegions field, as shown in the example. /// - /// - Parameter GetControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetControlInput`) /// - /// - Returns: `GetControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension ControlCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetControlOutput.httpOutput(from:), GetControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension ControlCatalogClient { /// /// Returns a paginated list of common controls from the Amazon Web Services Control Catalog. You can apply an optional filter to see common controls that have a specific objective. If you don’t provide a filter, the operation returns all common controls. /// - /// - Parameter ListCommonControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCommonControlsInput`) /// - /// - Returns: `ListCommonControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCommonControlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension ControlCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCommonControlsOutput.httpOutput(from:), ListCommonControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension ControlCatalogClient { /// /// Returns a paginated list of control mappings from the Control Catalog. Control mappings show relationships between controls and other entities, such as common controls or compliance frameworks. /// - /// - Parameter ListControlMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListControlMappingsInput`) /// - /// - Returns: `ListControlMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListControlMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension ControlCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListControlMappingsOutput.httpOutput(from:), ListControlMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension ControlCatalogClient { /// /// Returns a paginated list of all available controls in the Control Catalog library. Allows you to discover available controls. The list of controls is given as structures of type controlSummary. The ARN is returned in the global controlcatalog format, as shown in the examples. /// - /// - Parameter ListControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListControlsInput`) /// - /// - Returns: `ListControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListControlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension ControlCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListControlsOutput.httpOutput(from:), ListControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension ControlCatalogClient { /// /// Returns a paginated list of domains from the Control Catalog. /// - /// - Parameter ListDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainsInput`) /// - /// - Returns: `ListDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -699,7 +694,6 @@ extension ControlCatalogClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsOutput.httpOutput(from:), ListDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +725,9 @@ extension ControlCatalogClient { /// /// Returns a paginated list of objectives from the Control Catalog. You can apply an optional filter to see the objectives that belong to a specific domain. If you don’t provide a filter, the operation returns all objectives. /// - /// - Parameter ListObjectivesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObjectivesInput`) /// - /// - Returns: `ListObjectivesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObjectivesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension ControlCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObjectivesOutput.httpOutput(from:), ListObjectivesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSControlTower/Sources/AWSControlTower/ControlTowerClient.swift b/Sources/Services/AWSControlTower/Sources/AWSControlTower/ControlTowerClient.swift index 7787a08c15b..3c770370712 100644 --- a/Sources/Services/AWSControlTower/Sources/AWSControlTower/ControlTowerClient.swift +++ b/Sources/Services/AWSControlTower/Sources/AWSControlTower/ControlTowerClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ControlTowerClient: ClientRuntime.Client { public static let clientName = "ControlTowerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ControlTowerClient.ControlTowerClientConfiguration let serviceName = "ControlTower" @@ -374,9 +373,9 @@ extension ControlTowerClient { /// /// Creates a new landing zone. This API call starts an asynchronous operation that creates and configures a landing zone, based on the parameters specified in the manifest JSON file. /// - /// - Parameter CreateLandingZoneInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLandingZoneInput`) /// - /// - Returns: `CreateLandingZoneOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLandingZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLandingZoneOutput.httpOutput(from:), CreateLandingZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension ControlTowerClient { /// /// Decommissions a landing zone. This API call starts an asynchronous operation that deletes Amazon Web Services Control Tower resources deployed in accounts managed by Amazon Web Services Control Tower. /// - /// - Parameter DeleteLandingZoneInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLandingZoneInput`) /// - /// - Returns: `DeleteLandingZoneOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLandingZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLandingZoneOutput.httpOutput(from:), DeleteLandingZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension ControlTowerClient { /// /// Disable an EnabledBaseline resource on the specified Target. This API starts an asynchronous operation to remove all resources deployed as part of the baseline enablement. The resource will vary depending on the enabled baseline. For usage examples, see [ the Amazon Web Services Control Tower User Guide ](https://docs.aws.amazon.com/controltower/latest/userguide/baseline-api-examples.html). /// - /// - Parameter DisableBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableBaselineInput`) /// - /// - Returns: `DisableBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableBaselineOutput.httpOutput(from:), DisableBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension ControlTowerClient { /// /// This API call turns off a control. It starts an asynchronous operation that deletes Amazon Web Services resources on the specified organizational unit and the accounts it contains. The resources will vary according to the control that you specify. For usage examples, see the [ Controls Reference Guide ](https://docs.aws.amazon.com/controltower/latest/controlreference/control-api-examples-short.html). /// - /// - Parameter DisableControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableControlInput`) /// - /// - Returns: `DisableControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableControlOutput.httpOutput(from:), DisableControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension ControlTowerClient { /// /// Enable (apply) a Baseline to a Target. This API starts an asynchronous operation to deploy resources specified by the Baseline to the specified Target. For usage examples, see [ the Amazon Web Services Control Tower User Guide ](https://docs.aws.amazon.com/controltower/latest/userguide/baseline-api-examples.html). /// - /// - Parameter EnableBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableBaselineInput`) /// - /// - Returns: `EnableBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableBaselineOutput.httpOutput(from:), EnableBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension ControlTowerClient { /// /// This API call activates a control. It starts an asynchronous operation that creates Amazon Web Services resources on the specified organizational unit and the accounts it contains. The resources created will vary according to the control that you specify. For usage examples, see the [ Controls Reference Guide ](https://docs.aws.amazon.com/controltower/latest/controlreference/control-api-examples-short.html). /// - /// - Parameter EnableControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableControlInput`) /// - /// - Returns: `EnableControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -783,7 +777,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableControlOutput.httpOutput(from:), EnableControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -815,9 +808,9 @@ extension ControlTowerClient { /// /// Retrieve details about an existing Baseline resource by specifying its identifier. For usage examples, see [ the Amazon Web Services Control Tower User Guide ](https://docs.aws.amazon.com/controltower/latest/userguide/baseline-api-examples.html). /// - /// - Parameter GetBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBaselineInput`) /// - /// - Returns: `GetBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -855,7 +848,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBaselineOutput.httpOutput(from:), GetBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -887,9 +879,9 @@ extension ControlTowerClient { /// /// Returns the details of an asynchronous baseline operation, as initiated by any of these APIs: EnableBaseline, DisableBaseline, UpdateEnabledBaseline, ResetEnabledBaseline. A status message is displayed in case of operation failure. For usage examples, see [ the Amazon Web Services Control Tower User Guide ](https://docs.aws.amazon.com/controltower/latest/userguide/baseline-api-examples.html). /// - /// - Parameter GetBaselineOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBaselineOperationInput`) /// - /// - Returns: `GetBaselineOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBaselineOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -927,7 +919,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBaselineOperationOutput.httpOutput(from:), GetBaselineOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -959,9 +950,9 @@ extension ControlTowerClient { /// /// Returns the status of a particular EnableControl or DisableControl operation. Displays a message in case of error. Details for an operation are available for 90 days. For usage examples, see the [ Controls Reference Guide ](https://docs.aws.amazon.com/controltower/latest/controlreference/control-api-examples-short.html). /// - /// - Parameter GetControlOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetControlOperationInput`) /// - /// - Returns: `GetControlOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetControlOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -999,7 +990,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetControlOperationOutput.httpOutput(from:), GetControlOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1031,9 +1021,9 @@ extension ControlTowerClient { /// /// Retrieve details of an EnabledBaseline resource by specifying its identifier. /// - /// - Parameter GetEnabledBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnabledBaselineInput`) /// - /// - Returns: `GetEnabledBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnabledBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1071,7 +1061,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnabledBaselineOutput.httpOutput(from:), GetEnabledBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1103,9 +1092,9 @@ extension ControlTowerClient { /// /// Retrieves details about an enabled control. For usage examples, see the [ Controls Reference Guide ](https://docs.aws.amazon.com/controltower/latest/controlreference/control-api-examples-short.html). /// - /// - Parameter GetEnabledControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnabledControlInput`) /// - /// - Returns: `GetEnabledControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnabledControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1143,7 +1132,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnabledControlOutput.httpOutput(from:), GetEnabledControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1175,9 +1163,9 @@ extension ControlTowerClient { /// /// Returns details about the landing zone. Displays a message in case of error. /// - /// - Parameter GetLandingZoneInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLandingZoneInput`) /// - /// - Returns: `GetLandingZoneOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLandingZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1215,7 +1203,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLandingZoneOutput.httpOutput(from:), GetLandingZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1247,9 +1234,9 @@ extension ControlTowerClient { /// /// Returns the status of the specified landing zone operation. Details for an operation are available for 90 days. /// - /// - Parameter GetLandingZoneOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLandingZoneOperationInput`) /// - /// - Returns: `GetLandingZoneOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLandingZoneOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1287,7 +1274,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLandingZoneOperationOutput.httpOutput(from:), GetLandingZoneOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1319,9 +1305,9 @@ extension ControlTowerClient { /// /// Returns a summary list of all available baselines. For usage examples, see [ the Amazon Web Services Control Tower User Guide ](https://docs.aws.amazon.com/controltower/latest/userguide/baseline-api-examples.html). /// - /// - Parameter ListBaselinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBaselinesInput`) /// - /// - Returns: `ListBaselinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBaselinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1358,7 +1344,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBaselinesOutput.httpOutput(from:), ListBaselinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1390,9 +1375,9 @@ extension ControlTowerClient { /// /// Provides a list of operations in progress or queued. For usage examples, see [ListControlOperation examples](https://docs.aws.amazon.com/controltower/latest/controlreference/control-api-examples-short.html#list-control-operations-api-examples). /// - /// - Parameter ListControlOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListControlOperationsInput`) /// - /// - Returns: `ListControlOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListControlOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1429,7 +1414,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListControlOperationsOutput.httpOutput(from:), ListControlOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1461,9 +1445,9 @@ extension ControlTowerClient { /// /// Returns a list of summaries describing EnabledBaseline resources. You can filter the list by the corresponding Baseline or Target of the EnabledBaseline resources. For usage examples, see [ the Amazon Web Services Control Tower User Guide ](https://docs.aws.amazon.com/controltower/latest/userguide/baseline-api-examples.html). /// - /// - Parameter ListEnabledBaselinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnabledBaselinesInput`) /// - /// - Returns: `ListEnabledBaselinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnabledBaselinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1500,7 +1484,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnabledBaselinesOutput.httpOutput(from:), ListEnabledBaselinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1532,9 +1515,9 @@ extension ControlTowerClient { /// /// Lists the controls enabled by Amazon Web Services Control Tower on the specified organizational unit and the accounts it contains. For usage examples, see the [ Controls Reference Guide ](https://docs.aws.amazon.com/controltower/latest/controlreference/control-api-examples-short.html). /// - /// - Parameter ListEnabledControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnabledControlsInput`) /// - /// - Returns: `ListEnabledControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnabledControlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1572,7 +1555,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnabledControlsOutput.httpOutput(from:), ListEnabledControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1604,9 +1586,9 @@ extension ControlTowerClient { /// /// Lists all landing zone operations from the past 90 days. Results are sorted by time, with the most recent operation first. /// - /// - Parameter ListLandingZoneOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLandingZoneOperationsInput`) /// - /// - Returns: `ListLandingZoneOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLandingZoneOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1643,7 +1625,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLandingZoneOperationsOutput.httpOutput(from:), ListLandingZoneOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1675,9 +1656,9 @@ extension ControlTowerClient { /// /// Returns the landing zone ARN for the landing zone deployed in your managed account. This API also creates an ARN for existing accounts that do not yet have a landing zone ARN. Returns one landing zone ARN. /// - /// - Parameter ListLandingZonesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLandingZonesInput`) /// - /// - Returns: `ListLandingZonesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLandingZonesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1714,7 +1695,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLandingZonesOutput.httpOutput(from:), ListLandingZonesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1746,9 +1726,9 @@ extension ControlTowerClient { /// /// Returns a list of tags associated with the resource. For usage examples, see the [ Controls Reference Guide ](https://docs.aws.amazon.com/controltower/latest/controlreference/control-api-examples-short.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1781,7 +1761,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1813,9 +1792,9 @@ extension ControlTowerClient { /// /// Re-enables an EnabledBaseline resource. For example, this API can re-apply the existing Baseline after a new member account is moved to the target OU. For usage examples, see [ the Amazon Web Services Control Tower User Guide ](https://docs.aws.amazon.com/controltower/latest/userguide/baseline-api-examples.html). /// - /// - Parameter ResetEnabledBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetEnabledBaselineInput`) /// - /// - Returns: `ResetEnabledBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetEnabledBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1855,7 +1834,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetEnabledBaselineOutput.httpOutput(from:), ResetEnabledBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1887,9 +1865,9 @@ extension ControlTowerClient { /// /// Resets an enabled control. /// - /// - Parameter ResetEnabledControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetEnabledControlInput`) /// - /// - Returns: `ResetEnabledControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetEnabledControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1929,7 +1907,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetEnabledControlOutput.httpOutput(from:), ResetEnabledControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1961,9 +1938,9 @@ extension ControlTowerClient { /// /// This API call resets a landing zone. It starts an asynchronous operation that resets the landing zone to the parameters specified in the original configuration, which you specified in the manifest file. Nothing in the manifest file's original landing zone configuration is changed during the reset process, by default. This API is not the same as a rollback of a landing zone version, which is not a supported operation. /// - /// - Parameter ResetLandingZoneInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetLandingZoneInput`) /// - /// - Returns: `ResetLandingZoneOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetLandingZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2002,7 +1979,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetLandingZoneOutput.httpOutput(from:), ResetLandingZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2034,9 +2010,9 @@ extension ControlTowerClient { /// /// Applies tags to a resource. For usage examples, see the [ Controls Reference Guide ](https://docs.aws.amazon.com/controltower/latest/controlreference/control-api-examples-short.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2072,7 +2048,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2104,9 +2079,9 @@ extension ControlTowerClient { /// /// Removes tags from a resource. For usage examples, see the [ Controls Reference Guide ](https://docs.aws.amazon.com/controltower/latest/controlreference/control-api-examples-short.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2140,7 +2115,6 @@ extension ControlTowerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2172,9 +2146,9 @@ extension ControlTowerClient { /// /// Updates an EnabledBaseline resource's applied parameters or version. For usage examples, see [ the Amazon Web Services Control Tower User Guide ](https://docs.aws.amazon.com/controltower/latest/userguide/baseline-api-examples.html). /// - /// - Parameter UpdateEnabledBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnabledBaselineInput`) /// - /// - Returns: `UpdateEnabledBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnabledBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2214,7 +2188,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnabledBaselineOutput.httpOutput(from:), UpdateEnabledBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2246,9 +2219,9 @@ extension ControlTowerClient { /// /// Updates the configuration of an already enabled control. If the enabled control shows an EnablementStatus of SUCCEEDED, supply parameters that are different from the currently configured parameters. Otherwise, Amazon Web Services Control Tower will not accept the request. If the enabled control shows an EnablementStatus of FAILED, Amazon Web Services Control Tower updates the control to match any valid parameters that you supply. If the DriftSummary status for the control shows as DRIFTED, you cannot call this API. Instead, you can update the control by calling the ResetEnabledControl API. Alternatively, you can call DisableControl and then call EnableControl again. Also, you can run an extending governance operation to repair drift. For usage examples, see the [ Controls Reference Guide ](https://docs.aws.amazon.com/controltower/latest/controlreference/control-api-examples-short.html). /// - /// - Parameter UpdateEnabledControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnabledControlInput`) /// - /// - Returns: `UpdateEnabledControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnabledControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2288,7 +2261,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnabledControlOutput.httpOutput(from:), UpdateEnabledControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2320,9 +2292,9 @@ extension ControlTowerClient { /// /// This API call updates the landing zone. It starts an asynchronous operation that updates the landing zone based on the new landing zone version, or on the changed parameters specified in the updated manifest file. /// - /// - Parameter UpdateLandingZoneInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLandingZoneInput`) /// - /// - Returns: `UpdateLandingZoneOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLandingZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2361,7 +2333,6 @@ extension ControlTowerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLandingZoneOutput.httpOutput(from:), UpdateLandingZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCostExplorer/Sources/AWSCostExplorer/CostExplorerClient.swift b/Sources/Services/AWSCostExplorer/Sources/AWSCostExplorer/CostExplorerClient.swift index d6cb17d5bce..c7769ab154e 100644 --- a/Sources/Services/AWSCostExplorer/Sources/AWSCostExplorer/CostExplorerClient.swift +++ b/Sources/Services/AWSCostExplorer/Sources/AWSCostExplorer/CostExplorerClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CostExplorerClient: ClientRuntime.Client { public static let clientName = "CostExplorerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CostExplorerClient.CostExplorerClientConfiguration let serviceName = "Cost Explorer" @@ -373,9 +372,9 @@ extension CostExplorerClient { /// /// Creates a new cost anomaly detection monitor with the requested type and monitor specification. /// - /// - Parameter CreateAnomalyMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAnomalyMonitorInput`) /// - /// - Returns: `CreateAnomalyMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAnomalyMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -407,7 +406,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAnomalyMonitorOutput.httpOutput(from:), CreateAnomalyMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension CostExplorerClient { /// /// Adds an alert subscription to a cost anomaly detection monitor. You can use each subscription to define subscribers with email or SNS notifications. Email subscribers can set an absolute or percentage threshold and a time frequency for receiving notifications. /// - /// - Parameter CreateAnomalySubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAnomalySubscriptionInput`) /// - /// - Returns: `CreateAnomalySubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAnomalySubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -477,7 +475,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAnomalySubscriptionOutput.httpOutput(from:), CreateAnomalySubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension CostExplorerClient { /// /// Creates a new Cost Category with the requested name and rules. /// - /// - Parameter CreateCostCategoryDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCostCategoryDefinitionInput`) /// - /// - Returns: `CreateCostCategoryDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCostCategoryDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -547,7 +544,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCostCategoryDefinitionOutput.httpOutput(from:), CreateCostCategoryDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -582,9 +578,9 @@ extension CostExplorerClient { /// /// Deletes a cost anomaly monitor. /// - /// - Parameter DeleteAnomalyMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAnomalyMonitorInput`) /// - /// - Returns: `DeleteAnomalyMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAnomalyMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -617,7 +613,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnomalyMonitorOutput.httpOutput(from:), DeleteAnomalyMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -652,9 +647,9 @@ extension CostExplorerClient { /// /// Deletes a cost anomaly subscription. /// - /// - Parameter DeleteAnomalySubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAnomalySubscriptionInput`) /// - /// - Returns: `DeleteAnomalySubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAnomalySubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -687,7 +682,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnomalySubscriptionOutput.httpOutput(from:), DeleteAnomalySubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension CostExplorerClient { /// /// Deletes a Cost Category. Expenses from this month going forward will no longer be categorized with this Cost Category. /// - /// - Parameter DeleteCostCategoryDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCostCategoryDefinitionInput`) /// - /// - Returns: `DeleteCostCategoryDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCostCategoryDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -757,7 +751,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCostCategoryDefinitionOutput.httpOutput(from:), DeleteCostCategoryDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -792,9 +785,9 @@ extension CostExplorerClient { /// /// Returns the name, Amazon Resource Name (ARN), rules, definition, and effective dates of a Cost Category that's defined in the account. You have the option to use EffectiveOn to return a Cost Category that's active on a specific date. If there's no EffectiveOn specified, you see a Cost Category that's effective on the current date. If Cost Category is still effective, EffectiveEnd is omitted in the response. /// - /// - Parameter DescribeCostCategoryDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCostCategoryDefinitionInput`) /// - /// - Returns: `DescribeCostCategoryDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCostCategoryDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -827,7 +820,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCostCategoryDefinitionOutput.httpOutput(from:), DescribeCostCategoryDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -862,9 +854,9 @@ extension CostExplorerClient { /// /// Retrieves all of the cost anomalies detected on your account during the time period that's specified by the DateInterval object. Anomalies are available for up to 90 days. /// - /// - Parameter GetAnomaliesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAnomaliesInput`) /// - /// - Returns: `GetAnomaliesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAnomaliesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -897,7 +889,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnomaliesOutput.httpOutput(from:), GetAnomaliesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +923,9 @@ extension CostExplorerClient { /// /// Retrieves the cost anomaly monitor definitions for your account. You can filter using a list of cost anomaly monitor Amazon Resource Names (ARNs). /// - /// - Parameter GetAnomalyMonitorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAnomalyMonitorsInput`) /// - /// - Returns: `GetAnomalyMonitorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAnomalyMonitorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -968,7 +959,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnomalyMonitorsOutput.httpOutput(from:), GetAnomalyMonitorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1003,9 +993,9 @@ extension CostExplorerClient { /// /// Retrieves the cost anomaly subscription objects for your account. You can filter using a list of cost anomaly monitor Amazon Resource Names (ARNs). /// - /// - Parameter GetAnomalySubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAnomalySubscriptionsInput`) /// - /// - Returns: `GetAnomalySubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAnomalySubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1039,7 +1029,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnomalySubscriptionsOutput.httpOutput(from:), GetAnomalySubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1074,9 +1063,9 @@ extension CostExplorerClient { /// /// Retrieves estimated usage records for hourly granularity or resource-level data at daily granularity. /// - /// - Parameter GetApproximateUsageRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApproximateUsageRecordsInput`) /// - /// - Returns: `GetApproximateUsageRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApproximateUsageRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1109,7 +1098,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApproximateUsageRecordsOutput.httpOutput(from:), GetApproximateUsageRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1144,9 +1132,9 @@ extension CostExplorerClient { /// /// Retrieves a commitment purchase analysis result based on the AnalysisId. /// - /// - Parameter GetCommitmentPurchaseAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCommitmentPurchaseAnalysisInput`) /// - /// - Returns: `GetCommitmentPurchaseAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCommitmentPurchaseAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1180,7 +1168,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCommitmentPurchaseAnalysisOutput.httpOutput(from:), GetCommitmentPurchaseAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1215,9 +1202,9 @@ extension CostExplorerClient { /// /// Retrieves cost and usage metrics for your account. You can specify which cost and usage-related metric that you want the request to return. For example, you can specify BlendedCosts or UsageQuantity. You can also filter and group your data by various dimensions, such as SERVICE or AZ, in a specific time range. For a complete list of valid dimensions, see the [GetDimensionValues](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_GetDimensionValues.html) operation. Management account in an organization in Organizations have access to all member accounts. For information about filter limitations, see [Quotas and restrictions](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/billing-limits.html) in the Billing and Cost Management User Guide. /// - /// - Parameter GetCostAndUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCostAndUsageInput`) /// - /// - Returns: `GetCostAndUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCostAndUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1255,7 +1242,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCostAndUsageOutput.httpOutput(from:), GetCostAndUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1290,9 +1276,9 @@ extension CostExplorerClient { /// /// Retrieves cost and usage comparisons for your account between two periods within the last 13 months. If you have enabled multi-year data at monthly granularity, you can go back up to 38 months. /// - /// - Parameter GetCostAndUsageComparisonsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCostAndUsageComparisonsInput`) /// - /// - Returns: `GetCostAndUsageComparisonsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCostAndUsageComparisonsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1328,7 +1314,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCostAndUsageComparisonsOutput.httpOutput(from:), GetCostAndUsageComparisonsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1363,9 +1348,9 @@ extension CostExplorerClient { /// /// Retrieves cost and usage metrics with resources for your account. You can specify which cost and usage-related metric, such as BlendedCosts or UsageQuantity, that you want the request to return. You can also filter and group your data by various dimensions, such as SERVICE or AZ, in a specific time range. For a complete list of valid dimensions, see the [GetDimensionValues](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_GetDimensionValues.html) operation. Management account in an organization in Organizations have access to all member accounts. Hourly granularity is only available for EC2-Instances (Elastic Compute Cloud) resource-level data. All other resource-level data is available at daily granularity. This is an opt-in only feature. You can enable this feature from the Cost Explorer Settings page. For information about how to access the Settings page, see [Controlling Access for Cost Explorer](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/ce-access.html) in the Billing and Cost Management User Guide. /// - /// - Parameter GetCostAndUsageWithResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCostAndUsageWithResourcesInput`) /// - /// - Returns: `GetCostAndUsageWithResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCostAndUsageWithResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1403,7 +1388,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCostAndUsageWithResourcesOutput.httpOutput(from:), GetCostAndUsageWithResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1438,9 +1422,9 @@ extension CostExplorerClient { /// /// Retrieves an array of Cost Category names and values incurred cost. If some Cost Category names and values are not associated with any cost, they will not be returned by this API. /// - /// - Parameter GetCostCategoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCostCategoriesInput`) /// - /// - Returns: `GetCostCategoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCostCategoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1478,7 +1462,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCostCategoriesOutput.httpOutput(from:), GetCostCategoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1513,9 +1496,9 @@ extension CostExplorerClient { /// /// Retrieves key factors driving cost changes between two time periods within the last 13 months, such as usage changes, discount changes, and commitment-based savings. If you have enabled multi-year data at monthly granularity, you can go back up to 38 months. /// - /// - Parameter GetCostComparisonDriversInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCostComparisonDriversInput`) /// - /// - Returns: `GetCostComparisonDriversOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCostComparisonDriversOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1551,7 +1534,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCostComparisonDriversOutput.httpOutput(from:), GetCostComparisonDriversOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1586,9 +1568,9 @@ extension CostExplorerClient { /// /// Retrieves a forecast for how much Amazon Web Services predicts that you will spend over the forecast time period that you select, based on your past costs. /// - /// - Parameter GetCostForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCostForecastInput`) /// - /// - Returns: `GetCostForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCostForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1623,7 +1605,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCostForecastOutput.httpOutput(from:), GetCostForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1658,9 +1639,9 @@ extension CostExplorerClient { /// /// Retrieves all available filter values for a specified filter over a period of time. You can search the dimension values for an arbitrary string. /// - /// - Parameter GetDimensionValuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDimensionValuesInput`) /// - /// - Returns: `GetDimensionValuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDimensionValuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1698,7 +1679,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDimensionValuesOutput.httpOutput(from:), GetDimensionValuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1760,9 +1740,9 @@ extension CostExplorerClient { /// /// To determine valid values for a dimension, use the GetDimensionValues operation. /// - /// - Parameter GetReservationCoverageInput : You can use the following request parameters to query for how much of your instance usage a reservation covered. + /// - Parameter input: You can use the following request parameters to query for how much of your instance usage a reservation covered. (Type: `GetReservationCoverageInput`) /// - /// - Returns: `GetReservationCoverageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReservationCoverageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1796,7 +1776,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReservationCoverageOutput.httpOutput(from:), GetReservationCoverageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1831,9 +1810,9 @@ extension CostExplorerClient { /// /// Gets recommendations for reservation purchases. These recommendations might help you to reduce your costs. Reservations provide a discounted hourly rate (up to 75%) compared to On-Demand pricing. Amazon Web Services generates your recommendations by identifying your On-Demand usage during a specific time period and collecting your usage into categories that are eligible for a reservation. After Amazon Web Services has these categories, it simulates every combination of reservations in each category of usage to identify the best number of each type of Reserved Instance (RI) to purchase to maximize your estimated savings. For example, Amazon Web Services automatically aggregates your Amazon EC2 Linux, shared tenancy, and c4 family usage in the US West (Oregon) Region and recommends that you buy size-flexible regional reservations to apply to the c4 family usage. Amazon Web Services recommends the smallest size instance in an instance family. This makes it easier to purchase a size-flexible Reserved Instance (RI). Amazon Web Services also shows the equal number of normalized units. This way, you can purchase any instance size that you want. For this example, your RI recommendation is for c4.large because that is the smallest size instance in the c4 instance family. /// - /// - Parameter GetReservationPurchaseRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReservationPurchaseRecommendationInput`) /// - /// - Returns: `GetReservationPurchaseRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReservationPurchaseRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1867,7 +1846,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReservationPurchaseRecommendationOutput.httpOutput(from:), GetReservationPurchaseRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1902,9 +1880,9 @@ extension CostExplorerClient { /// /// Retrieves the reservation utilization for your account. Management account in an organization have access to member accounts. You can filter data by dimensions in a time period. You can use GetDimensionValues to determine the possible dimension values. Currently, you can group only by SUBSCRIPTION_ID. /// - /// - Parameter GetReservationUtilizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReservationUtilizationInput`) /// - /// - Returns: `GetReservationUtilizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReservationUtilizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1938,7 +1916,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReservationUtilizationOutput.httpOutput(from:), GetReservationUtilizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1973,9 +1950,9 @@ extension CostExplorerClient { /// /// Creates recommendations that help you save cost by identifying idle and underutilized Amazon EC2 instances. Recommendations are generated to either downsize or terminate instances, along with providing savings detail and metrics. For more information about calculation and function, see [Optimizing Your Cost with Rightsizing Recommendations](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/ce-rightsizing.html) in the Billing and Cost Management User Guide. /// - /// - Parameter GetRightsizingRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRightsizingRecommendationInput`) /// - /// - Returns: `GetRightsizingRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRightsizingRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2008,7 +1985,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRightsizingRecommendationOutput.httpOutput(from:), GetRightsizingRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2043,9 +2019,9 @@ extension CostExplorerClient { /// /// Retrieves the details for a Savings Plan recommendation. These details include the hourly data-points that construct the cost, coverage, and utilization charts. /// - /// - Parameter GetSavingsPlanPurchaseRecommendationDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSavingsPlanPurchaseRecommendationDetailsInput`) /// - /// - Returns: `GetSavingsPlanPurchaseRecommendationDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSavingsPlanPurchaseRecommendationDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2078,7 +2054,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSavingsPlanPurchaseRecommendationDetailsOutput.httpOutput(from:), GetSavingsPlanPurchaseRecommendationDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2124,9 +2099,9 @@ extension CostExplorerClient { /// /// To determine valid values for a dimension, use the GetDimensionValues operation. /// - /// - Parameter GetSavingsPlansCoverageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSavingsPlansCoverageInput`) /// - /// - Returns: `GetSavingsPlansCoverageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSavingsPlansCoverageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2160,7 +2135,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSavingsPlansCoverageOutput.httpOutput(from:), GetSavingsPlansCoverageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2195,9 +2169,9 @@ extension CostExplorerClient { /// /// Retrieves the Savings Plans recommendations for your account. First use StartSavingsPlansPurchaseRecommendationGeneration to generate a new set of recommendations, and then use GetSavingsPlansPurchaseRecommendation to retrieve them. /// - /// - Parameter GetSavingsPlansPurchaseRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSavingsPlansPurchaseRecommendationInput`) /// - /// - Returns: `GetSavingsPlansPurchaseRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSavingsPlansPurchaseRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2230,7 +2204,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSavingsPlansPurchaseRecommendationOutput.httpOutput(from:), GetSavingsPlansPurchaseRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2265,9 +2238,9 @@ extension CostExplorerClient { /// /// Retrieves the Savings Plans utilization for your account across date ranges with daily or monthly granularity. Management account in an organization have access to member accounts. You can use GetDimensionValues in SAVINGS_PLANS to determine the possible dimension values. You can't group by any dimension values for GetSavingsPlansUtilization. /// - /// - Parameter GetSavingsPlansUtilizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSavingsPlansUtilizationInput`) /// - /// - Returns: `GetSavingsPlansUtilizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSavingsPlansUtilizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2300,7 +2273,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSavingsPlansUtilizationOutput.httpOutput(from:), GetSavingsPlansUtilizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2335,9 +2307,9 @@ extension CostExplorerClient { /// /// Retrieves attribute data along with aggregate utilization and savings data for a given time period. This doesn't support granular or grouped data (daily/monthly) in response. You can't retrieve data by dates in a single response similar to GetSavingsPlanUtilization, but you have the option to make multiple calls to GetSavingsPlanUtilizationDetails by providing individual dates. You can use GetDimensionValues in SAVINGS_PLANS to determine the possible dimension values. GetSavingsPlanUtilizationDetails internally groups data by SavingsPlansArn. /// - /// - Parameter GetSavingsPlansUtilizationDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSavingsPlansUtilizationDetailsInput`) /// - /// - Returns: `GetSavingsPlansUtilizationDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSavingsPlansUtilizationDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2371,7 +2343,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSavingsPlansUtilizationDetailsOutput.httpOutput(from:), GetSavingsPlansUtilizationDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2406,9 +2377,9 @@ extension CostExplorerClient { /// /// Queries for available tag keys and tag values for a specified period. You can search the tag values for an arbitrary string. /// - /// - Parameter GetTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTagsInput`) /// - /// - Returns: `GetTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2446,7 +2417,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTagsOutput.httpOutput(from:), GetTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2481,9 +2451,9 @@ extension CostExplorerClient { /// /// Retrieves a forecast for how much Amazon Web Services predicts that you will use over the forecast time period that you select, based on your past usage. /// - /// - Parameter GetUsageForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUsageForecastInput`) /// - /// - Returns: `GetUsageForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUsageForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2519,7 +2489,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsageForecastOutput.httpOutput(from:), GetUsageForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2554,9 +2523,9 @@ extension CostExplorerClient { /// /// Lists the commitment purchase analyses for your account. /// - /// - Parameter ListCommitmentPurchaseAnalysesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCommitmentPurchaseAnalysesInput`) /// - /// - Returns: `ListCommitmentPurchaseAnalysesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCommitmentPurchaseAnalysesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2590,7 +2559,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCommitmentPurchaseAnalysesOutput.httpOutput(from:), ListCommitmentPurchaseAnalysesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2625,9 +2593,9 @@ extension CostExplorerClient { /// /// Retrieves a list of your historical cost allocation tag backfill requests. /// - /// - Parameter ListCostAllocationTagBackfillHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCostAllocationTagBackfillHistoryInput`) /// - /// - Returns: `ListCostAllocationTagBackfillHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCostAllocationTagBackfillHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2660,7 +2628,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCostAllocationTagBackfillHistoryOutput.httpOutput(from:), ListCostAllocationTagBackfillHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2695,9 +2662,9 @@ extension CostExplorerClient { /// /// Get a list of cost allocation tags. All inputs in the API are optional and serve as filters. By default, all cost allocation tags are returned. /// - /// - Parameter ListCostAllocationTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCostAllocationTagsInput`) /// - /// - Returns: `ListCostAllocationTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCostAllocationTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2730,7 +2697,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCostAllocationTagsOutput.httpOutput(from:), ListCostAllocationTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2765,9 +2731,9 @@ extension CostExplorerClient { /// /// Returns the name, Amazon Resource Name (ARN), NumberOfRules and effective dates of all Cost Categories defined in the account. You have the option to use EffectiveOn to return a list of Cost Categories that were active on a specific date. If there is no EffectiveOn specified, you’ll see Cost Categories that are effective on the current date. If Cost Category is still effective, EffectiveEnd is omitted in the response. ListCostCategoryDefinitions supports pagination. The request can have a MaxResults range up to 100. /// - /// - Parameter ListCostCategoryDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCostCategoryDefinitionsInput`) /// - /// - Returns: `ListCostCategoryDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCostCategoryDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2799,7 +2765,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCostCategoryDefinitionsOutput.httpOutput(from:), ListCostCategoryDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2834,9 +2799,9 @@ extension CostExplorerClient { /// /// Retrieves a list of your historical recommendation generations within the past 30 days. /// - /// - Parameter ListSavingsPlansPurchaseRecommendationGenerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSavingsPlansPurchaseRecommendationGenerationInput`) /// - /// - Returns: `ListSavingsPlansPurchaseRecommendationGenerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSavingsPlansPurchaseRecommendationGenerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2870,7 +2835,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSavingsPlansPurchaseRecommendationGenerationOutput.httpOutput(from:), ListSavingsPlansPurchaseRecommendationGenerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2905,9 +2869,9 @@ extension CostExplorerClient { /// /// Returns a list of resource tags associated with the resource specified by the Amazon Resource Name (ARN). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2940,7 +2904,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2975,9 +2938,9 @@ extension CostExplorerClient { /// /// Modifies the feedback property of a given cost anomaly. /// - /// - Parameter ProvideAnomalyFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ProvideAnomalyFeedbackInput`) /// - /// - Returns: `ProvideAnomalyFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ProvideAnomalyFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3009,7 +2972,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ProvideAnomalyFeedbackOutput.httpOutput(from:), ProvideAnomalyFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3044,9 +3006,9 @@ extension CostExplorerClient { /// /// Specifies the parameters of a planned commitment purchase and starts the generation of the analysis. This enables you to estimate the cost, coverage, and utilization impact of your planned commitment purchases. /// - /// - Parameter StartCommitmentPurchaseAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCommitmentPurchaseAnalysisInput`) /// - /// - Returns: `StartCommitmentPurchaseAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCommitmentPurchaseAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3081,7 +3043,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCommitmentPurchaseAnalysisOutput.httpOutput(from:), StartCommitmentPurchaseAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3116,9 +3077,9 @@ extension CostExplorerClient { /// /// Request a cost allocation tag backfill. This will backfill the activation status (either active or inactive) for all tag keys from para:BackfillFrom up to the time this request is made. You can request a backfill once every 24 hours. /// - /// - Parameter StartCostAllocationTagBackfillInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCostAllocationTagBackfillInput`) /// - /// - Returns: `StartCostAllocationTagBackfillOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCostAllocationTagBackfillOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3151,7 +3112,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCostAllocationTagBackfillOutput.httpOutput(from:), StartCostAllocationTagBackfillOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3186,9 +3146,9 @@ extension CostExplorerClient { /// /// Requests a Savings Plans recommendation generation. This enables you to calculate a fresh set of Savings Plans recommendations that takes your latest usage data and current Savings Plans inventory into account. You can refresh Savings Plans recommendations up to three times daily for a consolidated billing family. StartSavingsPlansPurchaseRecommendationGeneration has no request syntax because no input parameters are needed to support this operation. /// - /// - Parameter StartSavingsPlansPurchaseRecommendationGenerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSavingsPlansPurchaseRecommendationGenerationInput`) /// - /// - Returns: `StartSavingsPlansPurchaseRecommendationGenerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSavingsPlansPurchaseRecommendationGenerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3223,7 +3183,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSavingsPlansPurchaseRecommendationGenerationOutput.httpOutput(from:), StartSavingsPlansPurchaseRecommendationGenerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3258,9 +3217,9 @@ extension CostExplorerClient { /// /// An API operation for adding one or more tags (key-value pairs) to a resource. You can use the TagResource operation with a resource that already has tags. If you specify a new tag key for the resource, this tag is appended to the list of tags associated with the resource. If you specify a tag key that is already associated with the resource, the new tag value you specify replaces the previous value for that tag. Although the maximum number of array members is 200, user-tag maximum is 50. The remaining are reserved for Amazon Web Services use. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3294,7 +3253,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3329,9 +3287,9 @@ extension CostExplorerClient { /// /// Removes one or more tags from a resource. Specify only tag keys in your request. Don't specify the value. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3364,7 +3322,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3399,9 +3356,9 @@ extension CostExplorerClient { /// /// Updates an existing cost anomaly monitor. The changes made are applied going forward, and doesn't change anomalies detected in the past. /// - /// - Parameter UpdateAnomalyMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAnomalyMonitorInput`) /// - /// - Returns: `UpdateAnomalyMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAnomalyMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3434,7 +3391,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnomalyMonitorOutput.httpOutput(from:), UpdateAnomalyMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3469,9 +3425,9 @@ extension CostExplorerClient { /// /// Updates an existing cost anomaly subscription. Specify the fields that you want to update. Omitted fields are unchanged. The JSON below describes the generic construct for each type. See [Request Parameters](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_UpdateAnomalySubscription.html#API_UpdateAnomalySubscription_RequestParameters) for possible values as they apply to AnomalySubscription. /// - /// - Parameter UpdateAnomalySubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAnomalySubscriptionInput`) /// - /// - Returns: `UpdateAnomalySubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAnomalySubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3505,7 +3461,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnomalySubscriptionOutput.httpOutput(from:), UpdateAnomalySubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3540,9 +3495,9 @@ extension CostExplorerClient { /// /// Updates status for cost allocation tags in bulk, with maximum batch size of 20. If the tag status that's updated is the same as the existing tag status, the request doesn't fail. Instead, it doesn't have any effect on the tag status (for example, activating the active tag). /// - /// - Parameter UpdateCostAllocationTagsStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCostAllocationTagsStatusInput`) /// - /// - Returns: `UpdateCostAllocationTagsStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCostAllocationTagsStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3574,7 +3529,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCostAllocationTagsStatusOutput.httpOutput(from:), UpdateCostAllocationTagsStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3609,9 +3563,9 @@ extension CostExplorerClient { /// /// Updates an existing Cost Category. Changes made to the Cost Category rules will be used to categorize the current month’s expenses and future expenses. This won’t change categorization for the previous months. /// - /// - Parameter UpdateCostCategoryDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCostCategoryDefinitionInput`) /// - /// - Returns: `UpdateCostCategoryDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCostCategoryDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3645,7 +3599,6 @@ extension CostExplorerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCostCategoryDefinitionOutput.httpOutput(from:), UpdateCostCategoryDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCostOptimizationHub/Sources/AWSCostOptimizationHub/CostOptimizationHubClient.swift b/Sources/Services/AWSCostOptimizationHub/Sources/AWSCostOptimizationHub/CostOptimizationHubClient.swift index a48e1de96ed..52b3c51ea38 100644 --- a/Sources/Services/AWSCostOptimizationHub/Sources/AWSCostOptimizationHub/CostOptimizationHubClient.swift +++ b/Sources/Services/AWSCostOptimizationHub/Sources/AWSCostOptimizationHub/CostOptimizationHubClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CostOptimizationHubClient: ClientRuntime.Client { public static let clientName = "CostOptimizationHubClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CostOptimizationHubClient.CostOptimizationHubClientConfiguration let serviceName = "Cost Optimization Hub" @@ -374,9 +373,9 @@ extension CostOptimizationHubClient { /// /// Returns a set of preferences for an account in order to add account-specific preferences into the service. These preferences impact how the savings associated with recommendations are presented—estimated savings after discounts or estimated savings before discounts, for example. /// - /// - Parameter GetPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPreferencesInput`) /// - /// - Returns: `GetPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension CostOptimizationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPreferencesOutput.httpOutput(from:), GetPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension CostOptimizationHubClient { /// /// Returns both the current and recommended resource configuration and the estimated cost impact for a recommendation. The recommendationId is only valid for up to a maximum of 24 hours as recommendations are refreshed daily. To retrieve the recommendationId, use the ListRecommendations API. /// - /// - Parameter GetRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecommendationInput`) /// - /// - Returns: `GetRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension CostOptimizationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommendationOutput.httpOutput(from:), GetRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension CostOptimizationHubClient { /// /// Retrieves the enrollment status for an account. It can also return the list of accounts that are enrolled under the organization. /// - /// - Parameter ListEnrollmentStatusesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnrollmentStatusesInput`) /// - /// - Returns: `ListEnrollmentStatusesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnrollmentStatusesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension CostOptimizationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnrollmentStatusesOutput.httpOutput(from:), ListEnrollmentStatusesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension CostOptimizationHubClient { /// /// Returns a concise representation of savings estimates for resources. Also returns de-duped savings across different types of recommendations. The following filters are not supported for this API: recommendationIds, resourceArns, and resourceIds. /// - /// - Parameter ListRecommendationSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendationSummariesInput`) /// - /// - Returns: `ListRecommendationSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendationSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension CostOptimizationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendationSummariesOutput.httpOutput(from:), ListRecommendationSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension CostOptimizationHubClient { /// /// Returns a list of recommendations. /// - /// - Parameter ListRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendationsInput`) /// - /// - Returns: `ListRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -700,7 +695,6 @@ extension CostOptimizationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendationsOutput.httpOutput(from:), ListRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension CostOptimizationHubClient { /// /// Updates the enrollment (opt in and opt out) status of an account to the Cost Optimization Hub service. If the account is a management account or delegated administrator of an organization, this action can also be used to enroll member accounts of the organization. You must have the appropriate permissions to opt in to Cost Optimization Hub and to view its recommendations. When you opt in, Cost Optimization Hub automatically creates a service-linked role in your account to access its data. /// - /// - Parameter UpdateEnrollmentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnrollmentStatusInput`) /// - /// - Returns: `UpdateEnrollmentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnrollmentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -772,7 +766,6 @@ extension CostOptimizationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnrollmentStatusOutput.httpOutput(from:), UpdateEnrollmentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension CostOptimizationHubClient { /// /// Updates a set of preferences for an account in order to add account-specific preferences into the service. These preferences impact how the savings associated with recommendations are presented. /// - /// - Parameter UpdatePreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePreferencesInput`) /// - /// - Returns: `UpdatePreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -844,7 +837,6 @@ extension CostOptimizationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePreferencesOutput.httpOutput(from:), UpdatePreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCostandUsageReportService/Sources/AWSCostandUsageReportService/CostandUsageReportClient.swift b/Sources/Services/AWSCostandUsageReportService/Sources/AWSCostandUsageReportService/CostandUsageReportClient.swift index 4481b2ba674..5d39cc9064f 100644 --- a/Sources/Services/AWSCostandUsageReportService/Sources/AWSCostandUsageReportService/CostandUsageReportClient.swift +++ b/Sources/Services/AWSCostandUsageReportService/Sources/AWSCostandUsageReportService/CostandUsageReportClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CostandUsageReportClient: ClientRuntime.Client { public static let clientName = "CostandUsageReportClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CostandUsageReportClient.CostandUsageReportClientConfiguration let serviceName = "Cost and Usage Report" @@ -373,9 +372,9 @@ extension CostandUsageReportClient { /// /// Deletes the specified report. Any tags associated with the report are also deleted. /// - /// - Parameter DeleteReportDefinitionInput : Deletes the specified report. + /// - Parameter input: Deletes the specified report. (Type: `DeleteReportDefinitionInput`) /// - /// - Returns: `DeleteReportDefinitionOutput` : If the action is successful, the service sends back an HTTP 200 response. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response. (Type: `DeleteReportDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -408,7 +407,6 @@ extension CostandUsageReportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReportDefinitionOutput.httpOutput(from:), DeleteReportDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension CostandUsageReportClient { /// /// Lists the Amazon Web Services Cost and Usage Report available to this account. /// - /// - Parameter DescribeReportDefinitionsInput : Requests a Amazon Web Services Cost and Usage Report list owned by the account. + /// - Parameter input: Requests a Amazon Web Services Cost and Usage Report list owned by the account. (Type: `DescribeReportDefinitionsInput`) /// - /// - Returns: `DescribeReportDefinitionsOutput` : If the action is successful, the service sends back an HTTP 200 response. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response. (Type: `DescribeReportDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -477,7 +475,6 @@ extension CostandUsageReportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReportDefinitionsOutput.httpOutput(from:), DescribeReportDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension CostandUsageReportClient { /// /// Lists the tags associated with the specified report definition. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -548,7 +545,6 @@ extension CostandUsageReportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -583,9 +579,9 @@ extension CostandUsageReportClient { /// /// Allows you to programmatically update your report preferences. /// - /// - Parameter ModifyReportDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyReportDefinitionInput`) /// - /// - Returns: `ModifyReportDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyReportDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -618,7 +614,6 @@ extension CostandUsageReportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyReportDefinitionOutput.httpOutput(from:), ModifyReportDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -653,9 +648,9 @@ extension CostandUsageReportClient { /// /// Creates a new report using the description that you provide. /// - /// - Parameter PutReportDefinitionInput : Creates a Cost and Usage Report. + /// - Parameter input: Creates a Cost and Usage Report. (Type: `PutReportDefinitionInput`) /// - /// - Returns: `PutReportDefinitionOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `PutReportDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -691,7 +686,6 @@ extension CostandUsageReportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutReportDefinitionOutput.httpOutput(from:), PutReportDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -726,9 +720,9 @@ extension CostandUsageReportClient { /// /// Associates a set of tags with a report definition. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -762,7 +756,6 @@ extension CostandUsageReportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -797,9 +790,9 @@ extension CostandUsageReportClient { /// /// Disassociates a set of tags from a report definition. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -833,7 +826,6 @@ extension CostandUsageReportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSCustomerProfiles/Sources/AWSCustomerProfiles/CustomerProfilesClient.swift b/Sources/Services/AWSCustomerProfiles/Sources/AWSCustomerProfiles/CustomerProfilesClient.swift index be569804b6a..c18904ff230 100644 --- a/Sources/Services/AWSCustomerProfiles/Sources/AWSCustomerProfiles/CustomerProfilesClient.swift +++ b/Sources/Services/AWSCustomerProfiles/Sources/AWSCustomerProfiles/CustomerProfilesClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class CustomerProfilesClient: ClientRuntime.Client { public static let clientName = "CustomerProfilesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: CustomerProfilesClient.CustomerProfilesClientConfiguration let serviceName = "Customer Profiles" @@ -374,9 +373,9 @@ extension CustomerProfilesClient { /// /// Associates a new key value with a specific profile, such as a Contact Record ContactId. A profile object can have a single unique key and any number of additional keys that can be used to identify the profile that it belongs to. /// - /// - Parameter AddProfileKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddProfileKeyInput`) /// - /// - Returns: `AddProfileKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddProfileKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddProfileKeyOutput.httpOutput(from:), AddProfileKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension CustomerProfilesClient { /// /// Fetch the possible attribute values given the attribute name. /// - /// - Parameter BatchGetCalculatedAttributeForProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetCalculatedAttributeForProfileInput`) /// - /// - Returns: `BatchGetCalculatedAttributeForProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetCalculatedAttributeForProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetCalculatedAttributeForProfileOutput.httpOutput(from:), BatchGetCalculatedAttributeForProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension CustomerProfilesClient { /// /// Get a batch of profiles. /// - /// - Parameter BatchGetProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetProfileInput`) /// - /// - Returns: `BatchGetProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetProfileOutput.httpOutput(from:), BatchGetProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension CustomerProfilesClient { /// /// Creates a new calculated attribute definition. After creation, new object data ingested into Customer Profiles will be included in the calculated attribute, which can be retrieved for a profile using the [GetCalculatedAttributeForProfile](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_GetCalculatedAttributeForProfile.html) API. Defining a calculated attribute makes it available for all profiles within a domain. Each calculated attribute can only reference one ObjectType and at most, two fields from that ObjectType. /// - /// - Parameter CreateCalculatedAttributeDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCalculatedAttributeDefinitionInput`) /// - /// - Returns: `CreateCalculatedAttributeDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCalculatedAttributeDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCalculatedAttributeDefinitionOutput.httpOutput(from:), CreateCalculatedAttributeDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension CustomerProfilesClient { /// /// Creates a domain, which is a container for all customer data, such as customer profile attributes, object types, profile keys, and encryption keys. You can create multiple domains, and each domain can have multiple third-party integrations. Each Amazon Connect instance can be associated with only one domain. Multiple Amazon Connect instances can be associated with one domain. Use this API or [UpdateDomain](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_UpdateDomain.html) to enable [identity resolution](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_GetMatches.html): set Matching to true. To prevent cross-service impersonation when you call this API, see [Cross-service confused deputy prevention](https://docs.aws.amazon.com/connect/latest/adminguide/cross-service-confused-deputy-prevention.html) for sample policies that you should apply. It is not possible to associate a Customer Profiles domain with an Amazon Connect Instance directly from the API. If you would like to create a domain and associate a Customer Profiles domain, use the Amazon Connect admin website. For more information, see [Enable Customer Profiles](https://docs.aws.amazon.com/connect/latest/adminguide/enable-customer-profiles.html#enable-customer-profiles-step1). Each Amazon Connect instance can be associated with only one domain. Multiple Amazon Connect instances can be associated with one domain. /// - /// - Parameter CreateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainInput`) /// - /// - Returns: `CreateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -702,7 +697,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainOutput.httpOutput(from:), CreateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -734,9 +728,9 @@ extension CustomerProfilesClient { /// /// Creates the layout to view data for a specific domain. This API can only be invoked from the Amazon Connect admin website. /// - /// - Parameter CreateDomainLayoutInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainLayoutInput`) /// - /// - Returns: `CreateDomainLayoutOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainLayoutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainLayoutOutput.httpOutput(from:), CreateDomainLayoutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension CustomerProfilesClient { /// /// Creates an event stream, which is a subscription to real-time events, such as when profiles are created and updated through Amazon Connect Customer Profiles. Each event stream can be associated with only one Kinesis Data Stream destination in the same region and Amazon Web Services account as the customer profiles domain /// - /// - Parameter CreateEventStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventStreamInput`) /// - /// - Returns: `CreateEventStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +839,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventStreamOutput.httpOutput(from:), CreateEventStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension CustomerProfilesClient { /// /// Creates an event trigger, which specifies the rules when to perform action based on customer's ingested data. Each event stream can be associated with only one integration in the same region and AWS account as the event stream. /// - /// - Parameter CreateEventTriggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventTriggerInput`) /// - /// - Returns: `CreateEventTriggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventTriggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -918,7 +910,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventTriggerOutput.httpOutput(from:), CreateEventTriggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -950,9 +941,9 @@ extension CustomerProfilesClient { /// /// Creates an integration workflow. An integration workflow is an async process which ingests historic data and sets up an integration for ongoing updates. The supported Amazon AppFlow sources are Salesforce, ServiceNow, and Marketo. /// - /// - Parameter CreateIntegrationWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIntegrationWorkflowInput`) /// - /// - Returns: `CreateIntegrationWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIntegrationWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -990,7 +981,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntegrationWorkflowOutput.httpOutput(from:), CreateIntegrationWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1022,9 +1012,9 @@ extension CustomerProfilesClient { /// /// Creates a standard profile. A standard profile represents the following attributes for a customer profile in a domain. /// - /// - Parameter CreateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProfileInput`) /// - /// - Returns: `CreateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1062,7 +1052,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProfileOutput.httpOutput(from:), CreateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1094,9 +1083,9 @@ extension CustomerProfilesClient { /// /// Creates a segment definition associated to the given domain. /// - /// - Parameter CreateSegmentDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSegmentDefinitionInput`) /// - /// - Returns: `CreateSegmentDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSegmentDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1134,7 +1123,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSegmentDefinitionOutput.httpOutput(from:), CreateSegmentDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1166,9 +1154,9 @@ extension CustomerProfilesClient { /// /// Creates a segment estimate query. /// - /// - Parameter CreateSegmentEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSegmentEstimateInput`) /// - /// - Returns: `CreateSegmentEstimateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSegmentEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1206,7 +1194,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSegmentEstimateOutput.httpOutput(from:), CreateSegmentEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1238,9 +1225,9 @@ extension CustomerProfilesClient { /// /// Triggers a job to export a segment to a specified destination. /// - /// - Parameter CreateSegmentSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSegmentSnapshotInput`) /// - /// - Returns: `CreateSegmentSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSegmentSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1278,7 +1265,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSegmentSnapshotOutput.httpOutput(from:), CreateSegmentSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1310,9 +1296,9 @@ extension CustomerProfilesClient { /// /// Creates an Upload job to ingest data for segment imports. The metadata is created for the job with the provided field mapping and unique key. /// - /// - Parameter CreateUploadJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUploadJobInput`) /// - /// - Returns: `CreateUploadJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUploadJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1350,7 +1336,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUploadJobOutput.httpOutput(from:), CreateUploadJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1382,9 +1367,9 @@ extension CustomerProfilesClient { /// /// Deletes an existing calculated attribute definition. Note that deleting a default calculated attribute is possible, however once deleted, you will be unable to undo that action and will need to recreate it on your own using the CreateCalculatedAttributeDefinition API if you want it back. /// - /// - Parameter DeleteCalculatedAttributeDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCalculatedAttributeDefinitionInput`) /// - /// - Returns: `DeleteCalculatedAttributeDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCalculatedAttributeDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1419,7 +1404,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCalculatedAttributeDefinitionOutput.httpOutput(from:), DeleteCalculatedAttributeDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1451,9 +1435,9 @@ extension CustomerProfilesClient { /// /// Deletes a specific domain and all of its customer data, such as customer profile attributes and their related objects. /// - /// - Parameter DeleteDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainInput`) /// - /// - Returns: `DeleteDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1488,7 +1472,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainOutput.httpOutput(from:), DeleteDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1520,9 +1503,9 @@ extension CustomerProfilesClient { /// /// Deletes the layout used to view data for a specific domain. This API can only be invoked from the Amazon Connect admin website. /// - /// - Parameter DeleteDomainLayoutInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainLayoutInput`) /// - /// - Returns: `DeleteDomainLayoutOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainLayoutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1557,7 +1540,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainLayoutOutput.httpOutput(from:), DeleteDomainLayoutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1589,9 +1571,9 @@ extension CustomerProfilesClient { /// /// Disables and deletes the specified event stream. /// - /// - Parameter DeleteEventStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventStreamInput`) /// - /// - Returns: `DeleteEventStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1626,7 +1608,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventStreamOutput.httpOutput(from:), DeleteEventStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1658,9 +1639,9 @@ extension CustomerProfilesClient { /// /// Disable and deletes the Event Trigger. You cannot delete an Event Trigger with an active Integration associated. /// - /// - Parameter DeleteEventTriggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventTriggerInput`) /// - /// - Returns: `DeleteEventTriggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventTriggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1695,7 +1676,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventTriggerOutput.httpOutput(from:), DeleteEventTriggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1727,9 +1707,9 @@ extension CustomerProfilesClient { /// /// Removes an integration from a specific domain. /// - /// - Parameter DeleteIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntegrationInput`) /// - /// - Returns: `DeleteIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1767,7 +1747,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationOutput.httpOutput(from:), DeleteIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1799,9 +1778,9 @@ extension CustomerProfilesClient { /// /// Deletes the standard customer profile and all data pertaining to the profile. /// - /// - Parameter DeleteProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProfileInput`) /// - /// - Returns: `DeleteProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1839,7 +1818,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfileOutput.httpOutput(from:), DeleteProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1871,9 +1849,9 @@ extension CustomerProfilesClient { /// /// Removes a searchable key from a customer profile. /// - /// - Parameter DeleteProfileKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProfileKeyInput`) /// - /// - Returns: `DeleteProfileKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProfileKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1911,7 +1889,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfileKeyOutput.httpOutput(from:), DeleteProfileKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1943,9 +1920,9 @@ extension CustomerProfilesClient { /// /// Removes an object associated with a profile of a given ProfileObjectType. /// - /// - Parameter DeleteProfileObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProfileObjectInput`) /// - /// - Returns: `DeleteProfileObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProfileObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1983,7 +1960,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfileObjectOutput.httpOutput(from:), DeleteProfileObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2015,9 +1991,9 @@ extension CustomerProfilesClient { /// /// Removes a ProfileObjectType from a specific domain as well as removes all the ProfileObjects of that type. It also disables integrations from this specific ProfileObjectType. In addition, it scrubs all of the fields of the standard profile that were populated from this ProfileObjectType. /// - /// - Parameter DeleteProfileObjectTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProfileObjectTypeInput`) /// - /// - Returns: `DeleteProfileObjectTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProfileObjectTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2052,7 +2028,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfileObjectTypeOutput.httpOutput(from:), DeleteProfileObjectTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2084,9 +2059,9 @@ extension CustomerProfilesClient { /// /// Deletes a segment definition from the domain. /// - /// - Parameter DeleteSegmentDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSegmentDefinitionInput`) /// - /// - Returns: `DeleteSegmentDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSegmentDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2121,7 +2096,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSegmentDefinitionOutput.httpOutput(from:), DeleteSegmentDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2153,9 +2127,9 @@ extension CustomerProfilesClient { /// /// Deletes the specified workflow and all its corresponding resources. This is an async process. /// - /// - Parameter DeleteWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkflowInput`) /// - /// - Returns: `DeleteWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2190,7 +2164,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkflowOutput.httpOutput(from:), DeleteWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2222,9 +2195,9 @@ extension CustomerProfilesClient { /// /// The process of detecting profile object type mapping by using given objects. /// - /// - Parameter DetectProfileObjectTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectProfileObjectTypeInput`) /// - /// - Returns: `DetectProfileObjectTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectProfileObjectTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2262,7 +2235,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectProfileObjectTypeOutput.httpOutput(from:), DetectProfileObjectTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2294,9 +2266,9 @@ extension CustomerProfilesClient { /// /// Tests the auto-merging settings of your Identity Resolution Job without merging your data. It randomly selects a sample of matching groups from the existing matching results, and applies the automerging settings that you provided. You can then view the number of profiles in the sample, the number of matches, and the number of profiles identified to be merged. This enables you to evaluate the accuracy of the attributes in your matching list. You can't view which profiles are matched and would be merged. We strongly recommend you use this API to do a dry run of the automerging process before running the Identity Resolution Job. Include at least two matching attributes. If your matching list includes too few attributes (such as only FirstName or only LastName), there may be a large number of matches. This increases the chances of erroneous merges. /// - /// - Parameter GetAutoMergingPreviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutoMergingPreviewInput`) /// - /// - Returns: `GetAutoMergingPreviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutoMergingPreviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2334,7 +2306,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutoMergingPreviewOutput.httpOutput(from:), GetAutoMergingPreviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2366,9 +2337,9 @@ extension CustomerProfilesClient { /// /// Provides more information on a calculated attribute definition for Customer Profiles. /// - /// - Parameter GetCalculatedAttributeDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCalculatedAttributeDefinitionInput`) /// - /// - Returns: `GetCalculatedAttributeDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCalculatedAttributeDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2403,7 +2374,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCalculatedAttributeDefinitionOutput.httpOutput(from:), GetCalculatedAttributeDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2435,9 +2405,9 @@ extension CustomerProfilesClient { /// /// Retrieve a calculated attribute for a customer profile. /// - /// - Parameter GetCalculatedAttributeForProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCalculatedAttributeForProfileInput`) /// - /// - Returns: `GetCalculatedAttributeForProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCalculatedAttributeForProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2472,7 +2442,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCalculatedAttributeForProfileOutput.httpOutput(from:), GetCalculatedAttributeForProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2504,9 +2473,9 @@ extension CustomerProfilesClient { /// /// Returns information about a specific domain. /// - /// - Parameter GetDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainInput`) /// - /// - Returns: `GetDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2541,7 +2510,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainOutput.httpOutput(from:), GetDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2573,9 +2541,9 @@ extension CustomerProfilesClient { /// /// Gets the layout to view data for a specific domain. This API can only be invoked from the Amazon Connect admin website. /// - /// - Parameter GetDomainLayoutInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainLayoutInput`) /// - /// - Returns: `GetDomainLayoutOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainLayoutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2610,7 +2578,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainLayoutOutput.httpOutput(from:), GetDomainLayoutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2642,9 +2609,9 @@ extension CustomerProfilesClient { /// /// Returns information about the specified event stream in a specific domain. /// - /// - Parameter GetEventStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventStreamInput`) /// - /// - Returns: `GetEventStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2679,7 +2646,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventStreamOutput.httpOutput(from:), GetEventStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2711,9 +2677,9 @@ extension CustomerProfilesClient { /// /// Get a specific Event Trigger from the domain. /// - /// - Parameter GetEventTriggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventTriggerInput`) /// - /// - Returns: `GetEventTriggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventTriggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2748,7 +2714,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventTriggerOutput.httpOutput(from:), GetEventTriggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2780,9 +2745,9 @@ extension CustomerProfilesClient { /// /// Returns information about an Identity Resolution Job in a specific domain. Identity Resolution Jobs are set up using the Amazon Connect admin console. For more information, see [Use Identity Resolution to consolidate similar profiles](https://docs.aws.amazon.com/connect/latest/adminguide/use-identity-resolution.html). /// - /// - Parameter GetIdentityResolutionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdentityResolutionJobInput`) /// - /// - Returns: `GetIdentityResolutionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdentityResolutionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2817,7 +2782,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentityResolutionJobOutput.httpOutput(from:), GetIdentityResolutionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2849,9 +2813,9 @@ extension CustomerProfilesClient { /// /// Returns an integration for a domain. /// - /// - Parameter GetIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntegrationInput`) /// - /// - Returns: `GetIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2889,7 +2853,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntegrationOutput.httpOutput(from:), GetIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2940,9 +2903,9 @@ extension CustomerProfilesClient { /// /// For example, two or more profiles—with spelling mistakes such as John Doe and Jhn Doe, or different casing email addresses such as JOHN_DOE@ANYCOMPANY.COM and johndoe@anycompany.com, or different phone number formats such as 555-010-0000 and +1-555-010-0000—can be detected as belonging to the same customer John Doe and merged into a unified profile. /// - /// - Parameter GetMatchesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMatchesInput`) /// - /// - Returns: `GetMatchesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMatchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2978,7 +2941,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMatchesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMatchesOutput.httpOutput(from:), GetMatchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3010,9 +2972,9 @@ extension CustomerProfilesClient { /// /// Returns a history record for a specific profile, for a specific domain. /// - /// - Parameter GetProfileHistoryRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProfileHistoryRecordInput`) /// - /// - Returns: `GetProfileHistoryRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProfileHistoryRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3047,7 +3009,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileHistoryRecordOutput.httpOutput(from:), GetProfileHistoryRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3079,9 +3040,9 @@ extension CustomerProfilesClient { /// /// Returns the object types for a specific domain. /// - /// - Parameter GetProfileObjectTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProfileObjectTypeInput`) /// - /// - Returns: `GetProfileObjectTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProfileObjectTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3116,7 +3077,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileObjectTypeOutput.httpOutput(from:), GetProfileObjectTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3148,9 +3108,9 @@ extension CustomerProfilesClient { /// /// Returns the template information for a specific object type. A template is a predefined ProfileObjectType, such as “Salesforce-Account” or “Salesforce-Contact.” When a user sends a ProfileObject, using the PutProfileObject API, with an ObjectTypeName that matches one of the TemplateIds, it uses the mappings from the template. /// - /// - Parameter GetProfileObjectTypeTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProfileObjectTypeTemplateInput`) /// - /// - Returns: `GetProfileObjectTypeTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProfileObjectTypeTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3185,7 +3145,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileObjectTypeTemplateOutput.httpOutput(from:), GetProfileObjectTypeTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3217,9 +3176,9 @@ extension CustomerProfilesClient { /// /// Gets a segment definition from the domain. /// - /// - Parameter GetSegmentDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentDefinitionInput`) /// - /// - Returns: `GetSegmentDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3254,7 +3213,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentDefinitionOutput.httpOutput(from:), GetSegmentDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3286,9 +3244,9 @@ extension CustomerProfilesClient { /// /// Gets the result of a segment estimate query. /// - /// - Parameter GetSegmentEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentEstimateInput`) /// - /// - Returns: `GetSegmentEstimateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3323,7 +3281,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentEstimateOutput.httpOutput(from:), GetSegmentEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3355,9 +3312,9 @@ extension CustomerProfilesClient { /// /// Determines if the given profiles are within a segment. /// - /// - Parameter GetSegmentMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentMembershipInput`) /// - /// - Returns: `GetSegmentMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3395,7 +3352,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentMembershipOutput.httpOutput(from:), GetSegmentMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3427,9 +3383,9 @@ extension CustomerProfilesClient { /// /// Retrieve the latest status of a segment snapshot. /// - /// - Parameter GetSegmentSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentSnapshotInput`) /// - /// - Returns: `GetSegmentSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3464,7 +3420,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentSnapshotOutput.httpOutput(from:), GetSegmentSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3496,9 +3451,9 @@ extension CustomerProfilesClient { /// /// Returns a set of profiles that belong to the same matching group using the matchId or profileId. You can also specify the type of matching that you want for finding similar profiles using either RULE_BASED_MATCHING or ML_BASED_MATCHING. /// - /// - Parameter GetSimilarProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSimilarProfilesInput`) /// - /// - Returns: `GetSimilarProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSimilarProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3537,7 +3492,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSimilarProfilesOutput.httpOutput(from:), GetSimilarProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3569,9 +3523,9 @@ extension CustomerProfilesClient { /// /// This API retrieves the details of a specific upload job. /// - /// - Parameter GetUploadJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUploadJobInput`) /// - /// - Returns: `GetUploadJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUploadJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3606,7 +3560,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUploadJobOutput.httpOutput(from:), GetUploadJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3638,9 +3591,9 @@ extension CustomerProfilesClient { /// /// This API retrieves the pre-signed URL and client token for uploading the file associated with the upload job. /// - /// - Parameter GetUploadJobPathInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUploadJobPathInput`) /// - /// - Returns: `GetUploadJobPathOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUploadJobPathOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3675,7 +3628,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUploadJobPathOutput.httpOutput(from:), GetUploadJobPathOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3707,9 +3659,9 @@ extension CustomerProfilesClient { /// /// Get details of specified workflow. /// - /// - Parameter GetWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowInput`) /// - /// - Returns: `GetWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3744,7 +3696,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowOutput.httpOutput(from:), GetWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3776,9 +3727,9 @@ extension CustomerProfilesClient { /// /// Get granular list of steps in workflow. /// - /// - Parameter GetWorkflowStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowStepsInput`) /// - /// - Returns: `GetWorkflowStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3814,7 +3765,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWorkflowStepsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowStepsOutput.httpOutput(from:), GetWorkflowStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3846,9 +3796,9 @@ extension CustomerProfilesClient { /// /// Lists all of the integrations associated to a specific URI in the AWS account. /// - /// - Parameter ListAccountIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountIntegrationsInput`) /// - /// - Returns: `ListAccountIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3887,7 +3837,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountIntegrationsOutput.httpOutput(from:), ListAccountIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3919,9 +3868,9 @@ extension CustomerProfilesClient { /// /// Lists calculated attribute definitions for Customer Profiles /// - /// - Parameter ListCalculatedAttributeDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCalculatedAttributeDefinitionsInput`) /// - /// - Returns: `ListCalculatedAttributeDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCalculatedAttributeDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3957,7 +3906,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCalculatedAttributeDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCalculatedAttributeDefinitionsOutput.httpOutput(from:), ListCalculatedAttributeDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3989,9 +3937,9 @@ extension CustomerProfilesClient { /// /// Retrieve a list of calculated attributes for a customer profile. /// - /// - Parameter ListCalculatedAttributesForProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCalculatedAttributesForProfileInput`) /// - /// - Returns: `ListCalculatedAttributesForProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCalculatedAttributesForProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4027,7 +3975,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCalculatedAttributesForProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCalculatedAttributesForProfileOutput.httpOutput(from:), ListCalculatedAttributesForProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4059,9 +4006,9 @@ extension CustomerProfilesClient { /// /// Lists the existing layouts that can be used to view data for a specific domain. This API can only be invoked from the Amazon Connect admin website. /// - /// - Parameter ListDomainLayoutsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainLayoutsInput`) /// - /// - Returns: `ListDomainLayoutsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainLayoutsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4097,7 +4044,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainLayoutsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainLayoutsOutput.httpOutput(from:), ListDomainLayoutsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4129,9 +4075,9 @@ extension CustomerProfilesClient { /// /// Returns a list of all the domains for an AWS account that have been created. /// - /// - Parameter ListDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainsInput`) /// - /// - Returns: `ListDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4167,7 +4113,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsOutput.httpOutput(from:), ListDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4199,9 +4144,9 @@ extension CustomerProfilesClient { /// /// Returns a list of all the event streams in a specific domain. /// - /// - Parameter ListEventStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventStreamsInput`) /// - /// - Returns: `ListEventStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4237,7 +4182,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventStreamsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventStreamsOutput.httpOutput(from:), ListEventStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4269,9 +4213,9 @@ extension CustomerProfilesClient { /// /// List all Event Triggers under a domain. /// - /// - Parameter ListEventTriggersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventTriggersInput`) /// - /// - Returns: `ListEventTriggersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventTriggersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4307,7 +4251,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventTriggersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventTriggersOutput.httpOutput(from:), ListEventTriggersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4339,9 +4282,9 @@ extension CustomerProfilesClient { /// /// Lists all of the Identity Resolution Jobs in your domain. The response sorts the list by JobStartTime. /// - /// - Parameter ListIdentityResolutionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdentityResolutionJobsInput`) /// - /// - Returns: `ListIdentityResolutionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdentityResolutionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4377,7 +4320,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdentityResolutionJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentityResolutionJobsOutput.httpOutput(from:), ListIdentityResolutionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4409,9 +4351,9 @@ extension CustomerProfilesClient { /// /// Lists all of the integrations in your domain. /// - /// - Parameter ListIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIntegrationsInput`) /// - /// - Returns: `ListIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4447,7 +4389,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIntegrationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIntegrationsOutput.httpOutput(from:), ListIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4479,9 +4420,9 @@ extension CustomerProfilesClient { /// /// Fetch the possible attribute values given the attribute name. /// - /// - Parameter ListObjectTypeAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObjectTypeAttributesInput`) /// - /// - Returns: `ListObjectTypeAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObjectTypeAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4517,7 +4458,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListObjectTypeAttributesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObjectTypeAttributesOutput.httpOutput(from:), ListObjectTypeAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4549,9 +4489,9 @@ extension CustomerProfilesClient { /// /// Fetch the possible attribute values given the attribute name. /// - /// - Parameter ListProfileAttributeValuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfileAttributeValuesInput`) /// - /// - Returns: `ListProfileAttributeValuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfileAttributeValuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4586,7 +4526,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfileAttributeValuesOutput.httpOutput(from:), ListProfileAttributeValuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4618,9 +4557,9 @@ extension CustomerProfilesClient { /// /// Returns a list of history records for a specific profile, for a specific domain. /// - /// - Parameter ListProfileHistoryRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfileHistoryRecordsInput`) /// - /// - Returns: `ListProfileHistoryRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfileHistoryRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4659,7 +4598,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfileHistoryRecordsOutput.httpOutput(from:), ListProfileHistoryRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4691,9 +4629,9 @@ extension CustomerProfilesClient { /// /// Lists all of the template information for object types. /// - /// - Parameter ListProfileObjectTypeTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfileObjectTypeTemplatesInput`) /// - /// - Returns: `ListProfileObjectTypeTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfileObjectTypeTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4729,7 +4667,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfileObjectTypeTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfileObjectTypeTemplatesOutput.httpOutput(from:), ListProfileObjectTypeTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4761,9 +4698,9 @@ extension CustomerProfilesClient { /// /// Lists all of the templates available within the service. /// - /// - Parameter ListProfileObjectTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfileObjectTypesInput`) /// - /// - Returns: `ListProfileObjectTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfileObjectTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4799,7 +4736,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfileObjectTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfileObjectTypesOutput.httpOutput(from:), ListProfileObjectTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4831,9 +4767,9 @@ extension CustomerProfilesClient { /// /// Returns a list of objects associated with a profile of a given ProfileObjectType. /// - /// - Parameter ListProfileObjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfileObjectsInput`) /// - /// - Returns: `ListProfileObjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfileObjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4872,7 +4808,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfileObjectsOutput.httpOutput(from:), ListProfileObjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4904,9 +4839,9 @@ extension CustomerProfilesClient { /// /// Returns a set of MatchIds that belong to the given domain. /// - /// - Parameter ListRuleBasedMatchesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRuleBasedMatchesInput`) /// - /// - Returns: `ListRuleBasedMatchesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRuleBasedMatchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4942,7 +4877,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRuleBasedMatchesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleBasedMatchesOutput.httpOutput(from:), ListRuleBasedMatchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4974,9 +4908,9 @@ extension CustomerProfilesClient { /// /// Lists all segment definitions under a domain. /// - /// - Parameter ListSegmentDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSegmentDefinitionsInput`) /// - /// - Returns: `ListSegmentDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSegmentDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5012,7 +4946,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSegmentDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSegmentDefinitionsOutput.httpOutput(from:), ListSegmentDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5044,9 +4977,9 @@ extension CustomerProfilesClient { /// /// Displays the tags associated with an Amazon Connect Customer Profiles resource. In Connect Customer Profiles, domains, profile object types, and integrations can be tagged. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5079,7 +5012,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5111,9 +5043,9 @@ extension CustomerProfilesClient { /// /// This API retrieves a list of upload jobs for the specified domain. /// - /// - Parameter ListUploadJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUploadJobsInput`) /// - /// - Returns: `ListUploadJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUploadJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5149,7 +5081,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUploadJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUploadJobsOutput.httpOutput(from:), ListUploadJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5181,9 +5112,9 @@ extension CustomerProfilesClient { /// /// Query to list all workflows. /// - /// - Parameter ListWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowsInput`) /// - /// - Returns: `ListWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5222,7 +5153,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowsOutput.httpOutput(from:), ListWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5281,9 +5211,9 @@ extension CustomerProfilesClient { /// /// You can use MergeProfiles together with [GetMatches](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_GetMatches.html), which returns potentially matching profiles, or use it with the results of another matching system. After profiles have been merged, they cannot be separated (unmerged). /// - /// - Parameter MergeProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MergeProfilesInput`) /// - /// - Returns: `MergeProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MergeProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5320,7 +5250,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MergeProfilesOutput.httpOutput(from:), MergeProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5352,9 +5281,9 @@ extension CustomerProfilesClient { /// /// Adds an integration between the service and a third-party service, which includes Amazon AppFlow and Amazon Connect. An integration can belong to only one domain. To add or remove tags on an existing Integration, see [ TagResource ](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_TagResource.html)/[ UntagResource](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_UntagResource.html). /// - /// - Parameter PutIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutIntegrationInput`) /// - /// - Returns: `PutIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5392,7 +5321,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutIntegrationOutput.httpOutput(from:), PutIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5424,9 +5352,9 @@ extension CustomerProfilesClient { /// /// Adds additional objects to customer profiles of a given ObjectType. When adding a specific profile object, like a Contact Record, an inferred profile can get created if it is not mapped to an existing profile. The resulting profile will only have a phone number populated in the standard ProfileObject. Any additional Contact Records with the same phone number will be mapped to the same inferred profile. When a ProfileObject is created and if a ProfileObjectType already exists for the ProfileObject, it will provide data to a standard profile depending on the ProfileObjectType definition. PutProfileObject needs an ObjectType, which can be created using PutProfileObjectType. /// - /// - Parameter PutProfileObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutProfileObjectInput`) /// - /// - Returns: `PutProfileObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutProfileObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5464,7 +5392,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutProfileObjectOutput.httpOutput(from:), PutProfileObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5496,9 +5423,9 @@ extension CustomerProfilesClient { /// /// Defines a ProfileObjectType. To add or remove tags on an existing ObjectType, see [ TagResource](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_TagResource.html)/[UntagResource](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_UntagResource.html). /// - /// - Parameter PutProfileObjectTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutProfileObjectTypeInput`) /// - /// - Returns: `PutProfileObjectTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutProfileObjectTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5536,7 +5463,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutProfileObjectTypeOutput.httpOutput(from:), PutProfileObjectTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5568,9 +5494,9 @@ extension CustomerProfilesClient { /// /// Searches for profiles within a specific domain using one or more predefined search keys (e.g., _fullName, _phone, _email, _account, etc.) and/or custom-defined search keys. A search key is a data type pair that consists of a KeyName and Values list. This operation supports searching for profiles with a minimum of 1 key-value(s) pair and up to 5 key-value(s) pairs using either AND or OR logic. /// - /// - Parameter SearchProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchProfilesInput`) /// - /// - Returns: `SearchProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5609,7 +5535,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchProfilesOutput.httpOutput(from:), SearchProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5641,9 +5566,9 @@ extension CustomerProfilesClient { /// /// This API starts the processing of an upload job to ingest profile data. /// - /// - Parameter StartUploadJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartUploadJobInput`) /// - /// - Returns: `StartUploadJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartUploadJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5678,7 +5603,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartUploadJobOutput.httpOutput(from:), StartUploadJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5710,9 +5634,9 @@ extension CustomerProfilesClient { /// /// This API stops the processing of an upload job. /// - /// - Parameter StopUploadJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopUploadJobInput`) /// - /// - Returns: `StopUploadJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopUploadJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5747,7 +5671,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopUploadJobOutput.httpOutput(from:), StopUploadJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5779,9 +5702,9 @@ extension CustomerProfilesClient { /// /// Assigns one or more tags (key-value pairs) to the specified Amazon Connect Customer Profiles resource. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. In Connect Customer Profiles, domains, profile object types, and integrations can be tagged. Tags don't have any semantic meaning to AWS and are interpreted strictly as strings of characters. You can use the TagResource action with a resource that already has tags. If you specify a new tag key, this tag is appended to the list of tags associated with the resource. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5817,7 +5740,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5849,9 +5771,9 @@ extension CustomerProfilesClient { /// /// Removes one or more tags from the specified Amazon Connect Customer Profiles resource. In Connect Customer Profiles, domains, profile object types, and integrations can be tagged. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5885,7 +5807,6 @@ extension CustomerProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5917,9 +5838,9 @@ extension CustomerProfilesClient { /// /// Updates an existing calculated attribute definition. When updating the Conditions, note that increasing the date range of a calculated attribute will not trigger inclusion of historical data greater than the current date range. /// - /// - Parameter UpdateCalculatedAttributeDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCalculatedAttributeDefinitionInput`) /// - /// - Returns: `UpdateCalculatedAttributeDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCalculatedAttributeDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5957,7 +5878,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCalculatedAttributeDefinitionOutput.httpOutput(from:), UpdateCalculatedAttributeDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5989,9 +5909,9 @@ extension CustomerProfilesClient { /// /// Updates the properties of a domain, including creating or selecting a dead letter queue or an encryption key. After a domain is created, the name can’t be changed. Use this API or [CreateDomain](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_CreateDomain.html) to enable [identity resolution](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_GetMatches.html): set Matching to true. To prevent cross-service impersonation when you call this API, see [Cross-service confused deputy prevention](https://docs.aws.amazon.com/connect/latest/adminguide/cross-service-confused-deputy-prevention.html) for sample policies that you should apply. To add or remove tags on an existing Domain, see [TagResource](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_TagResource.html)/[UntagResource](https://docs.aws.amazon.com/customerprofiles/latest/APIReference/API_UntagResource.html). /// - /// - Parameter UpdateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDomainInput`) /// - /// - Returns: `UpdateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6029,7 +5949,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainOutput.httpOutput(from:), UpdateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6061,9 +5980,9 @@ extension CustomerProfilesClient { /// /// Updates the layout used to view data for a specific domain. This API can only be invoked from the Amazon Connect admin website. /// - /// - Parameter UpdateDomainLayoutInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDomainLayoutInput`) /// - /// - Returns: `UpdateDomainLayoutOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainLayoutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6101,7 +6020,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainLayoutOutput.httpOutput(from:), UpdateDomainLayoutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6133,9 +6051,9 @@ extension CustomerProfilesClient { /// /// Update the properties of an Event Trigger. /// - /// - Parameter UpdateEventTriggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventTriggerInput`) /// - /// - Returns: `UpdateEventTriggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventTriggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6173,7 +6091,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventTriggerOutput.httpOutput(from:), UpdateEventTriggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6205,9 +6122,9 @@ extension CustomerProfilesClient { /// /// Updates the properties of a profile. The ProfileId is required for updating a customer profile. When calling the UpdateProfile API, specifying an empty string value means that any existing value will be removed. Not specifying a string value means that any value already there will be kept. /// - /// - Parameter UpdateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProfileInput`) /// - /// - Returns: `UpdateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6245,7 +6162,6 @@ extension CustomerProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProfileOutput.httpOutput(from:), UpdateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDAX/Sources/AWSDAX/DAXClient.swift b/Sources/Services/AWSDAX/Sources/AWSDAX/DAXClient.swift index cd4a20d05cd..dabb65033d6 100644 --- a/Sources/Services/AWSDAX/Sources/AWSDAX/DAXClient.swift +++ b/Sources/Services/AWSDAX/Sources/AWSDAX/DAXClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DAXClient: ClientRuntime.Client { public static let clientName = "DAXClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DAXClient.DAXClientConfiguration let serviceName = "DAX" @@ -374,9 +373,9 @@ extension DAXClient { /// /// Creates a DAX cluster. All nodes in the cluster run the same DAX caching software. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -422,7 +421,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -457,9 +455,9 @@ extension DAXClient { /// /// Creates a new parameter group. A parameter group is a collection of parameters that you apply to all of the nodes in a DAX cluster. /// - /// - Parameter CreateParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateParameterGroupInput`) /// - /// - Returns: `CreateParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -496,7 +494,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateParameterGroupOutput.httpOutput(from:), CreateParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -531,9 +528,9 @@ extension DAXClient { /// /// Creates a new subnet group. /// - /// - Parameter CreateSubnetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubnetGroupInput`) /// - /// - Returns: `CreateSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -570,7 +567,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubnetGroupOutput.httpOutput(from:), CreateSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -605,9 +601,9 @@ extension DAXClient { /// /// Removes one or more nodes from a DAX cluster. You cannot use DecreaseReplicationFactor to remove the last node in a DAX cluster. If you need to do this, use DeleteCluster instead. /// - /// - Parameter DecreaseReplicationFactorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DecreaseReplicationFactorInput`) /// - /// - Returns: `DecreaseReplicationFactorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DecreaseReplicationFactorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -644,7 +640,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DecreaseReplicationFactorOutput.httpOutput(from:), DecreaseReplicationFactorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -679,9 +674,9 @@ extension DAXClient { /// /// Deletes a previously provisioned DAX cluster. DeleteCluster deletes all associated nodes, node endpoints and the DAX cluster itself. When you receive a successful response from this action, DAX immediately begins deleting the cluster; you cannot cancel or revert this action. /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -717,7 +712,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -752,9 +746,9 @@ extension DAXClient { /// /// Deletes the specified parameter group. You cannot delete a parameter group if it is associated with any DAX clusters. /// - /// - Parameter DeleteParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteParameterGroupInput`) /// - /// - Returns: `DeleteParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -790,7 +784,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteParameterGroupOutput.httpOutput(from:), DeleteParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -825,9 +818,9 @@ extension DAXClient { /// /// Deletes a subnet group. You cannot delete a subnet group if it is associated with any DAX clusters. /// - /// - Parameter DeleteSubnetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubnetGroupInput`) /// - /// - Returns: `DeleteSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -861,7 +854,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubnetGroupOutput.httpOutput(from:), DeleteSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -896,9 +888,9 @@ extension DAXClient { /// /// Returns information about all provisioned DAX clusters if no cluster identifier is specified, or about a specific DAX cluster if a cluster identifier is supplied. If the cluster is in the CREATING state, only cluster level information will be displayed until all of the nodes are successfully provisioned. If the cluster is in the DELETING state, only cluster level information will be displayed. If nodes are currently being added to the DAX cluster, node endpoint information and creation time for the additional nodes will not be displayed until they are completely provisioned. When the DAX cluster state is available, the cluster is ready for use. If nodes are currently being removed from the DAX cluster, no endpoint information for the removed nodes is displayed. /// - /// - Parameter DescribeClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClustersInput`) /// - /// - Returns: `DescribeClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -933,7 +925,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClustersOutput.httpOutput(from:), DescribeClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -968,9 +959,9 @@ extension DAXClient { /// /// Returns the default system parameter information for the DAX caching software. /// - /// - Parameter DescribeDefaultParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDefaultParametersInput`) /// - /// - Returns: `DescribeDefaultParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDefaultParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1004,7 +995,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDefaultParametersOutput.httpOutput(from:), DescribeDefaultParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1039,9 +1029,9 @@ extension DAXClient { /// /// Returns events related to DAX clusters and parameter groups. You can obtain events specific to a particular DAX cluster or parameter group by providing the name as a parameter. By default, only the events occurring within the last 24 hours are returned; however, you can retrieve up to 14 days' worth of events if necessary. /// - /// - Parameter DescribeEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventsInput`) /// - /// - Returns: `DescribeEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1075,7 +1065,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsOutput.httpOutput(from:), DescribeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1110,9 +1099,9 @@ extension DAXClient { /// /// Returns a list of parameter group descriptions. If a parameter group name is specified, the list will contain only the descriptions for that group. /// - /// - Parameter DescribeParameterGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeParameterGroupsInput`) /// - /// - Returns: `DescribeParameterGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeParameterGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1147,7 +1136,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeParameterGroupsOutput.httpOutput(from:), DescribeParameterGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1182,9 +1170,9 @@ extension DAXClient { /// /// Returns the detailed parameter list for a particular parameter group. /// - /// - Parameter DescribeParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeParametersInput`) /// - /// - Returns: `DescribeParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1219,7 +1207,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeParametersOutput.httpOutput(from:), DescribeParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1254,9 +1241,9 @@ extension DAXClient { /// /// Returns a list of subnet group descriptions. If a subnet group name is specified, the list will contain only the description of that group. /// - /// - Parameter DescribeSubnetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSubnetGroupsInput`) /// - /// - Returns: `DescribeSubnetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSubnetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1289,7 +1276,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSubnetGroupsOutput.httpOutput(from:), DescribeSubnetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1324,9 +1310,9 @@ extension DAXClient { /// /// Adds one or more nodes to a DAX cluster. /// - /// - Parameter IncreaseReplicationFactorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `IncreaseReplicationFactorInput`) /// - /// - Returns: `IncreaseReplicationFactorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IncreaseReplicationFactorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1366,7 +1352,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IncreaseReplicationFactorOutput.httpOutput(from:), IncreaseReplicationFactorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1401,9 +1386,9 @@ extension DAXClient { /// /// List all of the tags for a DAX cluster. You can call ListTags up to 10 times per second, per account. /// - /// - Parameter ListTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1440,7 +1425,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1475,9 +1459,9 @@ extension DAXClient { /// /// Reboots a single node of a DAX cluster. The reboot action takes place as soon as possible. During the reboot, the node status is set to REBOOTING. RebootNode restarts the DAX engine process and does not remove the contents of the cache. /// - /// - Parameter RebootNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootNodeInput`) /// - /// - Returns: `RebootNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1514,7 +1498,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootNodeOutput.httpOutput(from:), RebootNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1549,9 +1532,9 @@ extension DAXClient { /// /// Associates a set of tags with a DAX resource. You can call TagResource up to 5 times per second, per account. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1589,7 +1572,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1624,9 +1606,9 @@ extension DAXClient { /// /// Removes the association of tags from a DAX resource. You can call UntagResource up to 5 times per second, per account. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1664,7 +1646,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1699,9 +1680,9 @@ extension DAXClient { /// /// Modifies the settings for a DAX cluster. You can use this action to change one or more cluster configuration parameters by specifying the parameters and the new values. /// - /// - Parameter UpdateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterInput`) /// - /// - Returns: `UpdateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1739,7 +1720,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterOutput.httpOutput(from:), UpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1774,9 +1754,9 @@ extension DAXClient { /// /// Modifies the parameters of a parameter group. You can modify up to 20 parameters in a single request by submitting a list parameter name and value pairs. /// - /// - Parameter UpdateParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateParameterGroupInput`) /// - /// - Returns: `UpdateParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1812,7 +1792,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateParameterGroupOutput.httpOutput(from:), UpdateParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1847,9 +1826,9 @@ extension DAXClient { /// /// Modifies an existing subnet group. /// - /// - Parameter UpdateSubnetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubnetGroupInput`) /// - /// - Returns: `UpdateSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1886,7 +1865,6 @@ extension DAXClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubnetGroupOutput.httpOutput(from:), UpdateSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDLM/Sources/AWSDLM/DLMClient.swift b/Sources/Services/AWSDLM/Sources/AWSDLM/DLMClient.swift index 16ec41013ec..49da6b68fba 100644 --- a/Sources/Services/AWSDLM/Sources/AWSDLM/DLMClient.swift +++ b/Sources/Services/AWSDLM/Sources/AWSDLM/DLMClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DLMClient: ClientRuntime.Client { public static let clientName = "DLMClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DLMClient.DLMClientConfiguration let serviceName = "DLM" @@ -386,9 +385,9 @@ extension DLMClient { /// /// For more information, see [ Default policies vs custom policies](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/policy-differences.html). If you create a default policy, you can specify the request parameters either in the request body, or in the PolicyDetails request structure, but not both. /// - /// - Parameter CreateLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLifecyclePolicyInput`) /// - /// - Returns: `CreateLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -424,7 +423,6 @@ extension DLMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLifecyclePolicyOutput.httpOutput(from:), CreateLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -456,9 +454,9 @@ extension DLMClient { /// /// Deletes the specified lifecycle policy and halts the automated operations that the policy specified. For more information about deleting a policy, see [Delete lifecycle policies](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/view-modify-delete.html#delete). /// - /// - Parameter DeleteLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLifecyclePolicyInput`) /// - /// - Returns: `DeleteLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension DLMClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLifecyclePolicyOutput.httpOutput(from:), DeleteLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension DLMClient { /// /// Gets summary information about all or the specified data lifecycle policies. To get complete information about a policy, use [GetLifecyclePolicy](https://docs.aws.amazon.com/dlm/latest/APIReference/API_GetLifecyclePolicy.html). /// - /// - Parameter GetLifecyclePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLifecyclePoliciesInput`) /// - /// - Returns: `GetLifecyclePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLifecyclePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension DLMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLifecyclePoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLifecyclePoliciesOutput.httpOutput(from:), GetLifecyclePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension DLMClient { /// /// Gets detailed information about the specified lifecycle policy. /// - /// - Parameter GetLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLifecyclePolicyInput`) /// - /// - Returns: `GetLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension DLMClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLifecyclePolicyOutput.httpOutput(from:), GetLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension DLMClient { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -694,7 +689,6 @@ extension DLMClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -726,9 +720,9 @@ extension DLMClient { /// /// Adds the specified tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -764,7 +758,6 @@ extension DLMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -796,9 +789,9 @@ extension DLMClient { /// /// Removes the specified tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -832,7 +825,6 @@ extension DLMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -864,9 +856,9 @@ extension DLMClient { /// /// Updates the specified lifecycle policy. For more information about updating a policy, see [Modify lifecycle policies](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/view-modify-delete.html#modify). /// - /// - Parameter UpdateLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLifecyclePolicyInput`) /// - /// - Returns: `UpdateLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -903,7 +895,6 @@ extension DLMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLifecyclePolicyOutput.httpOutput(from:), UpdateLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDSQL/Sources/AWSDSQL/DSQLClient.swift b/Sources/Services/AWSDSQL/Sources/AWSDSQL/DSQLClient.swift index a195808ca75..cc501b60743 100644 --- a/Sources/Services/AWSDSQL/Sources/AWSDSQL/DSQLClient.swift +++ b/Sources/Services/AWSDSQL/Sources/AWSDSQL/DSQLClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DSQLClient: ClientRuntime.Client { public static let clientName = "DSQLClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DSQLClient.DSQLClientConfiguration let serviceName = "DSQL" @@ -384,9 +383,9 @@ extension DSQLClient { /// /// * The witness Region specified in multiRegionProperties.witnessRegion cannot be the same as the cluster's Region. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : The output of a created cluster. + /// - Returns: The output of a created cluster. (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -426,7 +425,6 @@ extension DSQLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -458,9 +456,9 @@ extension DSQLClient { /// /// Deletes a cluster in Amazon Aurora DSQL. /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : The output from a deleted cluster. + /// - Returns: The output from a deleted cluster. (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -498,7 +496,6 @@ extension DSQLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteClusterInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -530,9 +527,9 @@ extension DSQLClient { /// /// Retrieves information about a cluster. /// - /// - Parameter GetClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClusterInput`) /// - /// - Returns: `GetClusterOutput` : The output of a cluster. + /// - Returns: The output of a cluster. (Type: `GetClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension DSQLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClusterOutput.httpOutput(from:), GetClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension DSQLClient { /// /// Retrieves the VPC endpoint service name. /// - /// - Parameter GetVpcEndpointServiceNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVpcEndpointServiceNameInput`) /// - /// - Returns: `GetVpcEndpointServiceNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVpcEndpointServiceNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -636,7 +632,6 @@ extension DSQLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVpcEndpointServiceNameOutput.httpOutput(from:), GetVpcEndpointServiceNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -668,9 +663,9 @@ extension DSQLClient { /// /// Retrieves information about a list of clusters. /// - /// - Parameter ListClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension DSQLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClustersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -738,9 +732,9 @@ extension DSQLClient { /// /// Lists all of the tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -775,7 +769,6 @@ extension DSQLClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension DSQLClient { /// /// Tags a resource with a map of key and value pairs. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -848,7 +841,6 @@ extension DSQLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -880,9 +872,9 @@ extension DSQLClient { /// /// Removes a tag from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -918,7 +910,6 @@ extension DSQLClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -963,9 +954,9 @@ extension DSQLClient { /// /// * The dsql:RemovePeerCluster permission uses a wildcard ARN pattern to simplify permission management during updates. /// - /// - Parameter UpdateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterInput`) /// - /// - Returns: `UpdateClusterOutput` : The details of the cluster after it has been updated. + /// - Returns: The details of the cluster after it has been updated. (Type: `UpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1005,7 +996,6 @@ extension DSQLClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterOutput.httpOutput(from:), UpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDataBrew/Sources/AWSDataBrew/DataBrewClient.swift b/Sources/Services/AWSDataBrew/Sources/AWSDataBrew/DataBrewClient.swift index ebc3c0ba0d8..c06cd27ecfa 100644 --- a/Sources/Services/AWSDataBrew/Sources/AWSDataBrew/DataBrewClient.swift +++ b/Sources/Services/AWSDataBrew/Sources/AWSDataBrew/DataBrewClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DataBrewClient: ClientRuntime.Client { public static let clientName = "DataBrewClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DataBrewClient.DataBrewClientConfiguration let serviceName = "DataBrew" @@ -398,9 +397,9 @@ extension DataBrewClient { /// /// The LATEST_WORKING version will only be deleted if the recipe has no other versions. If you try to delete LATEST_WORKING while other versions exist (or if they can't be deleted), then LATEST_WORKING will be listed as partial failure in the response. /// - /// - Parameter BatchDeleteRecipeVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteRecipeVersionInput`) /// - /// - Returns: `BatchDeleteRecipeVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteRecipeVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -436,7 +435,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteRecipeVersionOutput.httpOutput(from:), BatchDeleteRecipeVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -468,9 +466,9 @@ extension DataBrewClient { /// /// Creates a new DataBrew dataset. /// - /// - Parameter CreateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetInput`) /// - /// - Returns: `CreateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -507,7 +505,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetOutput.httpOutput(from:), CreateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -539,9 +536,9 @@ extension DataBrewClient { /// /// Creates a new job to analyze a dataset and create its data profile. /// - /// - Parameter CreateProfileJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProfileJobInput`) /// - /// - Returns: `CreateProfileJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProfileJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -579,7 +576,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProfileJobOutput.httpOutput(from:), CreateProfileJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -611,9 +607,9 @@ extension DataBrewClient { /// /// Creates a new DataBrew project. /// - /// - Parameter CreateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectInput`) /// - /// - Returns: `CreateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -650,7 +646,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectOutput.httpOutput(from:), CreateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -682,9 +677,9 @@ extension DataBrewClient { /// /// Creates a new DataBrew recipe. /// - /// - Parameter CreateRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRecipeInput`) /// - /// - Returns: `CreateRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -720,7 +715,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRecipeOutput.httpOutput(from:), CreateRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -752,9 +746,9 @@ extension DataBrewClient { /// /// Creates a new job to transform input data, using steps defined in an existing Glue DataBrew recipe /// - /// - Parameter CreateRecipeJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRecipeJobInput`) /// - /// - Returns: `CreateRecipeJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRecipeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -792,7 +786,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRecipeJobOutput.httpOutput(from:), CreateRecipeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -824,9 +817,9 @@ extension DataBrewClient { /// /// Creates a new ruleset that can be used in a profile job to validate the data quality of a dataset. /// - /// - Parameter CreateRulesetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRulesetInput`) /// - /// - Returns: `CreateRulesetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRulesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -862,7 +855,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRulesetOutput.httpOutput(from:), CreateRulesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -894,9 +886,9 @@ extension DataBrewClient { /// /// Creates a new schedule for one or more DataBrew jobs. Jobs can be run at a specific date and time, or at regular intervals. /// - /// - Parameter CreateScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScheduleInput`) /// - /// - Returns: `CreateScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -932,7 +924,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScheduleOutput.httpOutput(from:), CreateScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -964,9 +955,9 @@ extension DataBrewClient { /// /// Deletes a dataset from DataBrew. /// - /// - Parameter DeleteDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetInput`) /// - /// - Returns: `DeleteDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -999,7 +990,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetOutput.httpOutput(from:), DeleteDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1031,9 +1021,9 @@ extension DataBrewClient { /// /// Deletes the specified DataBrew job. /// - /// - Parameter DeleteJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJobInput`) /// - /// - Returns: `DeleteJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1066,7 +1056,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobOutput.httpOutput(from:), DeleteJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1098,9 +1087,9 @@ extension DataBrewClient { /// /// Deletes an existing DataBrew project. /// - /// - Parameter DeleteProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectInput`) /// - /// - Returns: `DeleteProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1133,7 +1122,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectOutput.httpOutput(from:), DeleteProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1165,9 +1153,9 @@ extension DataBrewClient { /// /// Deletes a single version of a DataBrew recipe. /// - /// - Parameter DeleteRecipeVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRecipeVersionInput`) /// - /// - Returns: `DeleteRecipeVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRecipeVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1200,7 +1188,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRecipeVersionOutput.httpOutput(from:), DeleteRecipeVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1232,9 +1219,9 @@ extension DataBrewClient { /// /// Deletes a ruleset. /// - /// - Parameter DeleteRulesetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRulesetInput`) /// - /// - Returns: `DeleteRulesetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRulesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1267,7 +1254,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRulesetOutput.httpOutput(from:), DeleteRulesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1299,9 +1285,9 @@ extension DataBrewClient { /// /// Deletes the specified DataBrew schedule. /// - /// - Parameter DeleteScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScheduleInput`) /// - /// - Returns: `DeleteScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1333,7 +1319,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScheduleOutput.httpOutput(from:), DeleteScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1365,9 +1350,9 @@ extension DataBrewClient { /// /// Returns the definition of a specific DataBrew dataset. /// - /// - Parameter DescribeDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetInput`) /// - /// - Returns: `DescribeDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1399,7 +1384,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetOutput.httpOutput(from:), DescribeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1431,9 +1415,9 @@ extension DataBrewClient { /// /// Returns the definition of a specific DataBrew job. /// - /// - Parameter DescribeJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobInput`) /// - /// - Returns: `DescribeJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1465,7 +1449,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobOutput.httpOutput(from:), DescribeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1497,9 +1480,9 @@ extension DataBrewClient { /// /// Represents one run of a DataBrew job. /// - /// - Parameter DescribeJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobRunInput`) /// - /// - Returns: `DescribeJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1531,7 +1514,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobRunOutput.httpOutput(from:), DescribeJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1563,9 +1545,9 @@ extension DataBrewClient { /// /// Returns the definition of a specific DataBrew project. /// - /// - Parameter DescribeProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProjectInput`) /// - /// - Returns: `DescribeProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1597,7 +1579,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProjectOutput.httpOutput(from:), DescribeProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1629,9 +1610,9 @@ extension DataBrewClient { /// /// Returns the definition of a specific DataBrew recipe corresponding to a particular version. /// - /// - Parameter DescribeRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecipeInput`) /// - /// - Returns: `DescribeRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1664,7 +1645,6 @@ extension DataBrewClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeRecipeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecipeOutput.httpOutput(from:), DescribeRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1696,9 +1676,9 @@ extension DataBrewClient { /// /// Retrieves detailed information about the ruleset. /// - /// - Parameter DescribeRulesetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRulesetInput`) /// - /// - Returns: `DescribeRulesetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRulesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1730,7 +1710,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRulesetOutput.httpOutput(from:), DescribeRulesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1762,9 +1741,9 @@ extension DataBrewClient { /// /// Returns the definition of a specific DataBrew schedule. /// - /// - Parameter DescribeScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScheduleInput`) /// - /// - Returns: `DescribeScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1796,7 +1775,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScheduleOutput.httpOutput(from:), DescribeScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1828,9 +1806,9 @@ extension DataBrewClient { /// /// Lists all of the DataBrew datasets. /// - /// - Parameter ListDatasetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetsInput`) /// - /// - Returns: `ListDatasetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1862,7 +1840,6 @@ extension DataBrewClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDatasetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetsOutput.httpOutput(from:), ListDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1894,9 +1871,9 @@ extension DataBrewClient { /// /// Lists all of the previous runs of a particular DataBrew job. /// - /// - Parameter ListJobRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobRunsInput`) /// - /// - Returns: `ListJobRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1929,7 +1906,6 @@ extension DataBrewClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobRunsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobRunsOutput.httpOutput(from:), ListJobRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1961,9 +1937,9 @@ extension DataBrewClient { /// /// Lists all of the DataBrew jobs that are defined. /// - /// - Parameter ListJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1995,7 +1971,6 @@ extension DataBrewClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2027,9 +2002,9 @@ extension DataBrewClient { /// /// Lists all of the DataBrew projects that are defined. /// - /// - Parameter ListProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectsInput`) /// - /// - Returns: `ListProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2061,7 +2036,6 @@ extension DataBrewClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProjectsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectsOutput.httpOutput(from:), ListProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2093,9 +2067,9 @@ extension DataBrewClient { /// /// Lists the versions of a particular DataBrew recipe, except for LATEST_WORKING. /// - /// - Parameter ListRecipeVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecipeVersionsInput`) /// - /// - Returns: `ListRecipeVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecipeVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2127,7 +2101,6 @@ extension DataBrewClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecipeVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecipeVersionsOutput.httpOutput(from:), ListRecipeVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2159,9 +2132,9 @@ extension DataBrewClient { /// /// Lists all of the DataBrew recipes that are defined. /// - /// - Parameter ListRecipesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecipesInput`) /// - /// - Returns: `ListRecipesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecipesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2193,7 +2166,6 @@ extension DataBrewClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecipesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecipesOutput.httpOutput(from:), ListRecipesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2225,9 +2197,9 @@ extension DataBrewClient { /// /// List all rulesets available in the current account or rulesets associated with a specific resource (dataset). /// - /// - Parameter ListRulesetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesetsInput`) /// - /// - Returns: `ListRulesetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2260,7 +2232,6 @@ extension DataBrewClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRulesetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesetsOutput.httpOutput(from:), ListRulesetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2292,9 +2263,9 @@ extension DataBrewClient { /// /// Lists the DataBrew schedules that are defined. /// - /// - Parameter ListSchedulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchedulesInput`) /// - /// - Returns: `ListSchedulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchedulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2326,7 +2297,6 @@ extension DataBrewClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSchedulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchedulesOutput.httpOutput(from:), ListSchedulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2358,9 +2328,9 @@ extension DataBrewClient { /// /// Lists all the tags for a DataBrew resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2393,7 +2363,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2425,9 +2394,9 @@ extension DataBrewClient { /// /// Publishes a new version of a DataBrew recipe. /// - /// - Parameter PublishRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishRecipeInput`) /// - /// - Returns: `PublishRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2463,7 +2432,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishRecipeOutput.httpOutput(from:), PublishRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2495,9 +2463,9 @@ extension DataBrewClient { /// /// Performs a recipe step within an interactive DataBrew session that's currently open. /// - /// - Parameter SendProjectSessionActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendProjectSessionActionInput`) /// - /// - Returns: `SendProjectSessionActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendProjectSessionActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2533,7 +2501,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendProjectSessionActionOutput.httpOutput(from:), SendProjectSessionActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2565,9 +2532,9 @@ extension DataBrewClient { /// /// Runs a DataBrew job. /// - /// - Parameter StartJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartJobRunInput`) /// - /// - Returns: `StartJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2601,7 +2568,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartJobRunOutput.httpOutput(from:), StartJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2633,9 +2599,9 @@ extension DataBrewClient { /// /// Creates an interactive session, enabling you to manipulate data in a DataBrew project. /// - /// - Parameter StartProjectSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartProjectSessionInput`) /// - /// - Returns: `StartProjectSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartProjectSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2672,7 +2638,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartProjectSessionOutput.httpOutput(from:), StartProjectSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2704,9 +2669,9 @@ extension DataBrewClient { /// /// Stops a particular run of a job. /// - /// - Parameter StopJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopJobRunInput`) /// - /// - Returns: `StopJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2738,7 +2703,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopJobRunOutput.httpOutput(from:), StopJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2770,9 +2734,9 @@ extension DataBrewClient { /// /// Adds metadata tags to a DataBrew resource, such as a dataset, project, recipe, job, or schedule. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2808,7 +2772,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2840,9 +2803,9 @@ extension DataBrewClient { /// /// Removes metadata tags from a DataBrew resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2876,7 +2839,6 @@ extension DataBrewClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2908,9 +2870,9 @@ extension DataBrewClient { /// /// Modifies the definition of an existing DataBrew dataset. /// - /// - Parameter UpdateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatasetInput`) /// - /// - Returns: `UpdateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2946,7 +2908,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatasetOutput.httpOutput(from:), UpdateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2978,9 +2939,9 @@ extension DataBrewClient { /// /// Modifies the definition of an existing profile job. /// - /// - Parameter UpdateProfileJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProfileJobInput`) /// - /// - Returns: `UpdateProfileJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProfileJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3016,7 +2977,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProfileJobOutput.httpOutput(from:), UpdateProfileJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3048,9 +3008,9 @@ extension DataBrewClient { /// /// Modifies the definition of an existing DataBrew project. /// - /// - Parameter UpdateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProjectInput`) /// - /// - Returns: `UpdateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3085,7 +3045,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectOutput.httpOutput(from:), UpdateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3117,9 +3076,9 @@ extension DataBrewClient { /// /// Modifies the definition of the LATEST_WORKING version of a DataBrew recipe. /// - /// - Parameter UpdateRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRecipeInput`) /// - /// - Returns: `UpdateRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3154,7 +3113,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRecipeOutput.httpOutput(from:), UpdateRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3186,9 +3144,9 @@ extension DataBrewClient { /// /// Modifies the definition of an existing DataBrew recipe job. /// - /// - Parameter UpdateRecipeJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRecipeJobInput`) /// - /// - Returns: `UpdateRecipeJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRecipeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3224,7 +3182,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRecipeJobOutput.httpOutput(from:), UpdateRecipeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3256,9 +3213,9 @@ extension DataBrewClient { /// /// Updates specified ruleset. /// - /// - Parameter UpdateRulesetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRulesetInput`) /// - /// - Returns: `UpdateRulesetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRulesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3293,7 +3250,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRulesetOutput.httpOutput(from:), UpdateRulesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3325,9 +3281,9 @@ extension DataBrewClient { /// /// Modifies the definition of an existing DataBrew schedule. /// - /// - Parameter UpdateScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScheduleInput`) /// - /// - Returns: `UpdateScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3363,7 +3319,6 @@ extension DataBrewClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScheduleOutput.httpOutput(from:), UpdateScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDataExchange/Sources/AWSDataExchange/DataExchangeClient.swift b/Sources/Services/AWSDataExchange/Sources/AWSDataExchange/DataExchangeClient.swift index 5f68b899c6b..d6817c56487 100644 --- a/Sources/Services/AWSDataExchange/Sources/AWSDataExchange/DataExchangeClient.swift +++ b/Sources/Services/AWSDataExchange/Sources/AWSDataExchange/DataExchangeClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -72,7 +71,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DataExchangeClient: ClientRuntime.Client { public static let clientName = "DataExchangeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DataExchangeClient.DataExchangeClientConfiguration let serviceName = "DataExchange" @@ -378,9 +377,9 @@ extension DataExchangeClient { /// /// This operation accepts a data grant. /// - /// - Parameter AcceptDataGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptDataGrantInput`) /// - /// - Returns: `AcceptDataGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptDataGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptDataGrantOutput.httpOutput(from:), AcceptDataGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension DataExchangeClient { /// /// This operation cancels a job. Jobs can be cancelled only when they are in the WAITING state. /// - /// - Parameter CancelJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelJobInput`) /// - /// - Returns: `CancelJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJobOutput.httpOutput(from:), CancelJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension DataExchangeClient { /// /// This operation creates a data grant. /// - /// - Parameter CreateDataGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataGrantInput`) /// - /// - Returns: `CreateDataGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataGrantOutput.httpOutput(from:), CreateDataGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension DataExchangeClient { /// /// This operation creates a data set. /// - /// - Parameter CreateDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSetInput`) /// - /// - Returns: `CreateDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSetOutput.httpOutput(from:), CreateDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension DataExchangeClient { /// /// This operation creates an event action. /// - /// - Parameter CreateEventActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventActionInput`) /// - /// - Returns: `CreateEventActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -702,7 +697,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventActionOutput.httpOutput(from:), CreateEventActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -734,9 +728,9 @@ extension DataExchangeClient { /// /// This operation creates a job. /// - /// - Parameter CreateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobInput`) /// - /// - Returns: `CreateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -775,7 +769,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobOutput.httpOutput(from:), CreateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension DataExchangeClient { /// /// This operation creates a revision for a data set. /// - /// - Parameter CreateRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRevisionInput`) /// - /// - Returns: `CreateRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRevisionOutput.httpOutput(from:), CreateRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension DataExchangeClient { /// /// This operation deletes an asset. /// - /// - Parameter DeleteAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssetInput`) /// - /// - Returns: `DeleteAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -917,7 +909,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssetOutput.httpOutput(from:), DeleteAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -949,9 +940,9 @@ extension DataExchangeClient { /// /// This operation deletes a data grant. /// - /// - Parameter DeleteDataGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataGrantInput`) /// - /// - Returns: `DeleteDataGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -986,7 +977,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataGrantOutput.httpOutput(from:), DeleteDataGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1018,9 +1008,9 @@ extension DataExchangeClient { /// /// This operation deletes a data set. /// - /// - Parameter DeleteDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataSetInput`) /// - /// - Returns: `DeleteDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1056,7 +1046,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSetOutput.httpOutput(from:), DeleteDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1088,9 +1077,9 @@ extension DataExchangeClient { /// /// This operation deletes the event action. /// - /// - Parameter DeleteEventActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventActionInput`) /// - /// - Returns: `DeleteEventActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1124,7 +1113,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventActionOutput.httpOutput(from:), DeleteEventActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1156,9 +1144,9 @@ extension DataExchangeClient { /// /// This operation deletes a revision. /// - /// - Parameter DeleteRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRevisionInput`) /// - /// - Returns: `DeleteRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1194,7 +1182,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRevisionOutput.httpOutput(from:), DeleteRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1226,9 +1213,9 @@ extension DataExchangeClient { /// /// This operation returns information about an asset. /// - /// - Parameter GetAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssetInput`) /// - /// - Returns: `GetAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1262,7 +1249,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssetOutput.httpOutput(from:), GetAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1294,9 +1280,9 @@ extension DataExchangeClient { /// /// This operation returns information about a data grant. /// - /// - Parameter GetDataGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataGrantInput`) /// - /// - Returns: `GetDataGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1331,7 +1317,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataGrantOutput.httpOutput(from:), GetDataGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1363,9 +1348,9 @@ extension DataExchangeClient { /// /// This operation returns information about a data set. /// - /// - Parameter GetDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSetInput`) /// - /// - Returns: `GetDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1399,7 +1384,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSetOutput.httpOutput(from:), GetDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1431,9 +1415,9 @@ extension DataExchangeClient { /// /// This operation retrieves information about an event action. /// - /// - Parameter GetEventActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventActionInput`) /// - /// - Returns: `GetEventActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1467,7 +1451,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventActionOutput.httpOutput(from:), GetEventActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1499,9 +1482,9 @@ extension DataExchangeClient { /// /// This operation returns information about a job. /// - /// - Parameter GetJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobInput`) /// - /// - Returns: `GetJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1535,7 +1518,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobOutput.httpOutput(from:), GetJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1567,9 +1549,9 @@ extension DataExchangeClient { /// /// This operation returns information about a received data grant. /// - /// - Parameter GetReceivedDataGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReceivedDataGrantInput`) /// - /// - Returns: `GetReceivedDataGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReceivedDataGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1604,7 +1586,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReceivedDataGrantOutput.httpOutput(from:), GetReceivedDataGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1636,9 +1617,9 @@ extension DataExchangeClient { /// /// This operation returns information about a revision. /// - /// - Parameter GetRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRevisionInput`) /// - /// - Returns: `GetRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1672,7 +1653,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRevisionOutput.httpOutput(from:), GetRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1704,9 +1684,9 @@ extension DataExchangeClient { /// /// This operation returns information about all data grants. /// - /// - Parameter ListDataGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataGrantsInput`) /// - /// - Returns: `ListDataGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataGrantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1742,7 +1722,6 @@ extension DataExchangeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataGrantsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataGrantsOutput.httpOutput(from:), ListDataGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1774,9 +1753,9 @@ extension DataExchangeClient { /// /// This operation lists a data set's revisions sorted by CreatedAt in descending order. /// - /// - Parameter ListDataSetRevisionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSetRevisionsInput`) /// - /// - Returns: `ListDataSetRevisionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSetRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1811,7 +1790,6 @@ extension DataExchangeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSetRevisionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSetRevisionsOutput.httpOutput(from:), ListDataSetRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1843,9 +1821,9 @@ extension DataExchangeClient { /// /// This operation lists your data sets. When listing by origin OWNED, results are sorted by CreatedAt in descending order. When listing by origin ENTITLED, there is no order. /// - /// - Parameter ListDataSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSetsInput`) /// - /// - Returns: `ListDataSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1880,7 +1858,6 @@ extension DataExchangeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSetsOutput.httpOutput(from:), ListDataSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1912,9 +1889,9 @@ extension DataExchangeClient { /// /// This operation lists your event actions. /// - /// - Parameter ListEventActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventActionsInput`) /// - /// - Returns: `ListEventActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1949,7 +1926,6 @@ extension DataExchangeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventActionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventActionsOutput.httpOutput(from:), ListEventActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1981,9 +1957,9 @@ extension DataExchangeClient { /// /// This operation lists your jobs sorted by CreatedAt in descending order. /// - /// - Parameter ListJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2018,7 +1994,6 @@ extension DataExchangeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2050,9 +2025,9 @@ extension DataExchangeClient { /// /// This operation returns information about all received data grants. /// - /// - Parameter ListReceivedDataGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReceivedDataGrantsInput`) /// - /// - Returns: `ListReceivedDataGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReceivedDataGrantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2088,7 +2063,6 @@ extension DataExchangeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReceivedDataGrantsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReceivedDataGrantsOutput.httpOutput(from:), ListReceivedDataGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2120,9 +2094,9 @@ extension DataExchangeClient { /// /// This operation lists a revision's assets sorted alphabetically in descending order. /// - /// - Parameter ListRevisionAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRevisionAssetsInput`) /// - /// - Returns: `ListRevisionAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRevisionAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2157,7 +2131,6 @@ extension DataExchangeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRevisionAssetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRevisionAssetsOutput.httpOutput(from:), ListRevisionAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2189,9 +2162,9 @@ extension DataExchangeClient { /// /// This operation lists the tags on the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) public func listTagsForResource(input: ListTagsForResourceInput) async throws -> ListTagsForResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2217,7 +2190,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2249,9 +2221,9 @@ extension DataExchangeClient { /// /// This operation revokes subscribers' access to a revision. /// - /// - Parameter RevokeRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeRevisionInput`) /// - /// - Returns: `RevokeRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2290,7 +2262,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeRevisionOutput.httpOutput(from:), RevokeRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2322,9 +2293,9 @@ extension DataExchangeClient { /// /// This operation invokes an API Gateway API asset. The request is proxied to the provider’s API Gateway API. /// - /// - Parameter SendApiAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendApiAssetInput`) /// - /// - Returns: `SendApiAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendApiAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2364,7 +2335,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendApiAssetOutput.httpOutput(from:), SendApiAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2396,9 +2366,9 @@ extension DataExchangeClient { /// /// The type of event associated with the data set. /// - /// - Parameter SendDataSetNotificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendDataSetNotificationInput`) /// - /// - Returns: `SendDataSetNotificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendDataSetNotificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2438,7 +2408,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendDataSetNotificationOutput.httpOutput(from:), SendDataSetNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2470,9 +2439,9 @@ extension DataExchangeClient { /// /// This operation starts a job. /// - /// - Parameter StartJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartJobInput`) /// - /// - Returns: `StartJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2508,7 +2477,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartJobOutput.httpOutput(from:), StartJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2540,9 +2508,9 @@ extension DataExchangeClient { /// /// This operation tags a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) public func tagResource(input: TagResourceInput) async throws -> TagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2571,7 +2539,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2603,9 +2570,9 @@ extension DataExchangeClient { /// /// This operation removes one or more tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) public func untagResource(input: UntagResourceInput) async throws -> UntagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2632,7 +2599,6 @@ extension DataExchangeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2664,9 +2630,9 @@ extension DataExchangeClient { /// /// This operation updates an asset. /// - /// - Parameter UpdateAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssetInput`) /// - /// - Returns: `UpdateAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2705,7 +2671,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssetOutput.httpOutput(from:), UpdateAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2737,9 +2702,9 @@ extension DataExchangeClient { /// /// This operation updates a data set. /// - /// - Parameter UpdateDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSetInput`) /// - /// - Returns: `UpdateDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2777,7 +2742,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSetOutput.httpOutput(from:), UpdateDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2809,9 +2773,9 @@ extension DataExchangeClient { /// /// This operation updates the event action. /// - /// - Parameter UpdateEventActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventActionInput`) /// - /// - Returns: `UpdateEventActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2849,7 +2813,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventActionOutput.httpOutput(from:), UpdateEventActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2881,9 +2844,9 @@ extension DataExchangeClient { /// /// This operation updates a revision. /// - /// - Parameter UpdateRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRevisionInput`) /// - /// - Returns: `UpdateRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2922,7 +2885,6 @@ extension DataExchangeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRevisionOutput.httpOutput(from:), UpdateRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDataPipeline/Sources/AWSDataPipeline/DataPipelineClient.swift b/Sources/Services/AWSDataPipeline/Sources/AWSDataPipeline/DataPipelineClient.swift index e9203bf38a9..289b26a07dd 100644 --- a/Sources/Services/AWSDataPipeline/Sources/AWSDataPipeline/DataPipelineClient.swift +++ b/Sources/Services/AWSDataPipeline/Sources/AWSDataPipeline/DataPipelineClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DataPipelineClient: ClientRuntime.Client { public static let clientName = "DataPipelineClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DataPipelineClient.DataPipelineClientConfiguration let serviceName = "Data Pipeline" @@ -374,9 +373,9 @@ extension DataPipelineClient { /// /// Validates the specified pipeline and starts processing pipeline tasks. If the pipeline does not pass validation, activation fails. If you need to pause the pipeline to investigate an issue with a component, such as a data source or script, call [DeactivatePipeline]. To activate a finished pipeline, modify the end date for the pipeline and then activate it. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.ActivatePipeline Content-Length: 39 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-06372391ZG65EXAMPLE"} HTTP/1.1 200 x-amzn-RequestId: ee19d5bf-074e-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 2 Date: Mon, 12 Nov 2012 17:50:53 GMT {} /// - /// - Parameter ActivatePipelineInput : Contains the parameters for ActivatePipeline. + /// - Parameter input: Contains the parameters for ActivatePipeline. (Type: `ActivatePipelineInput`) /// - /// - Returns: `ActivatePipelineOutput` : Contains the output of ActivatePipeline. + /// - Returns: Contains the output of ActivatePipeline. (Type: `ActivatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivatePipelineOutput.httpOutput(from:), ActivatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension DataPipelineClient { /// /// Adds or modifies tags for the specified pipeline. /// - /// - Parameter AddTagsInput : Contains the parameters for AddTags. + /// - Parameter input: Contains the parameters for AddTags. (Type: `AddTagsInput`) /// - /// - Returns: `AddTagsOutput` : Contains the output of AddTags. + /// - Returns: Contains the output of AddTags. (Type: `AddTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsOutput.httpOutput(from:), AddTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension DataPipelineClient { /// /// Creates a new, empty pipeline. Use [PutPipelineDefinition] to populate the pipeline. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.CreatePipeline Content-Length: 91 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"name": "myPipeline", "uniqueId": "123456789", "description": "This is my first pipeline"} HTTP/1.1 200 x-amzn-RequestId: b16911ce-0774-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 40 Date: Mon, 12 Nov 2012 17:50:53 GMT {"pipelineId": "df-06372391ZG65EXAMPLE"} /// - /// - Parameter CreatePipelineInput : Contains the parameters for CreatePipeline. + /// - Parameter input: Contains the parameters for CreatePipeline. (Type: `CreatePipelineInput`) /// - /// - Returns: `CreatePipelineOutput` : Contains the output of CreatePipeline. + /// - Returns: Contains the output of CreatePipeline. (Type: `CreatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePipelineOutput.httpOutput(from:), CreatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension DataPipelineClient { /// /// Deactivates the specified running pipeline. The pipeline is set to the DEACTIVATING state until the deactivation process completes. To resume a deactivated pipeline, use [ActivatePipeline]. By default, the pipeline resumes from the last completed execution. Optionally, you can specify the date and time to resume the pipeline. /// - /// - Parameter DeactivatePipelineInput : Contains the parameters for DeactivatePipeline. + /// - Parameter input: Contains the parameters for DeactivatePipeline. (Type: `DeactivatePipelineInput`) /// - /// - Returns: `DeactivatePipelineOutput` : Contains the output of DeactivatePipeline. + /// - Returns: Contains the output of DeactivatePipeline. (Type: `DeactivatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivatePipelineOutput.httpOutput(from:), DeactivatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +655,9 @@ extension DataPipelineClient { /// /// Deletes a pipeline, its pipeline definition, and its run history. AWS Data Pipeline attempts to cancel instances associated with the pipeline that are currently being processed by task runners. Deleting a pipeline cannot be undone. You cannot query or restore a deleted pipeline. To temporarily pause a pipeline instead of deleting it, call [SetStatus] with the status set to PAUSE on individual components. Components that are paused by [SetStatus] can be resumed. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.DeletePipeline Content-Length: 50 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-06372391ZG65EXAMPLE"} x-amzn-RequestId: b7a88c81-0754-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 0 Date: Mon, 12 Nov 2012 17:50:53 GMT Unexpected response: 200, OK, undefined /// - /// - Parameter DeletePipelineInput : Contains the parameters for DeletePipeline. + /// - Parameter input: Contains the parameters for DeletePipeline. (Type: `DeletePipelineInput`) /// - /// - Returns: `DeletePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePipelineOutput.httpOutput(from:), DeletePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +725,9 @@ extension DataPipelineClient { /// /// Gets the object definitions for a set of objects associated with the pipeline. Object definitions are composed of a set of fields that define the properties of the object. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.DescribeObjects Content-Length: 98 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-06372391ZG65EXAMPLE", "objectIds": ["Schedule"], "evaluateExpressions": true} x-amzn-RequestId: 4c18ea5d-0777-11e2-8a14-21bb8a1f50ef Content-Type: application/x-amz-json-1.1 Content-Length: 1488 Date: Mon, 12 Nov 2012 17:50:53 GMT {"hasMoreResults": false, "pipelineObjects": [ {"fields": [ {"key": "startDateTime", "stringValue": "2012-12-12T00:00:00"}, {"key": "parent", "refValue": "Default"}, {"key": "@sphere", "stringValue": "COMPONENT"}, {"key": "type", "stringValue": "Schedule"}, {"key": "period", "stringValue": "1 hour"}, {"key": "endDateTime", "stringValue": "2012-12-21T18:00:00"}, {"key": "@version", "stringValue": "1"}, {"key": "@status", "stringValue": "PENDING"}, {"key": "@pipelineId", "stringValue": "df-06372391ZG65EXAMPLE"} ], "id": "Schedule", "name": "Schedule"} ] } /// - /// - Parameter DescribeObjectsInput : Contains the parameters for DescribeObjects. + /// - Parameter input: Contains the parameters for DescribeObjects. (Type: `DescribeObjectsInput`) /// - /// - Returns: `DescribeObjectsOutput` : Contains the output of DescribeObjects. + /// - Returns: Contains the output of DescribeObjects. (Type: `DescribeObjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -768,7 +762,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeObjectsOutput.httpOutput(from:), DescribeObjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension DataPipelineClient { /// /// Retrieves metadata about one or more pipelines. The information retrieved includes the name of the pipeline, the pipeline identifier, its current state, and the user account that owns the pipeline. Using account credentials, you can retrieve metadata about pipelines that you or your IAM users have created. If you are using an IAM user account, you can retrieve metadata about only those pipelines for which you have read permissions. To retrieve the full pipeline definition instead of metadata about the pipeline, call [GetPipelineDefinition]. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.DescribePipelines Content-Length: 70 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineIds": ["df-08785951KAKJEXAMPLE"] } x-amzn-RequestId: 02870eb7-0736-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 767 Date: Mon, 12 Nov 2012 17:50:53 GMT {"pipelineDescriptionList": [ {"description": "This is my first pipeline", "fields": [ {"key": "@pipelineState", "stringValue": "SCHEDULED"}, {"key": "description", "stringValue": "This is my first pipeline"}, {"key": "name", "stringValue": "myPipeline"}, {"key": "@creationTime", "stringValue": "2012-12-13T01:24:06"}, {"key": "@id", "stringValue": "df-0937003356ZJEXAMPLE"}, {"key": "@sphere", "stringValue": "PIPELINE"}, {"key": "@version", "stringValue": "1"}, {"key": "@userId", "stringValue": "924374875933"}, {"key": "@accountId", "stringValue": "924374875933"}, {"key": "uniqueId", "stringValue": "1234567890"} ], "name": "myPipeline", "pipelineId": "df-0937003356ZJEXAMPLE"} ] } /// - /// - Parameter DescribePipelinesInput : Contains the parameters for DescribePipelines. + /// - Parameter input: Contains the parameters for DescribePipelines. (Type: `DescribePipelinesInput`) /// - /// - Returns: `DescribePipelinesOutput` : Contains the output of DescribePipelines. + /// - Returns: Contains the output of DescribePipelines. (Type: `DescribePipelinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePipelinesOutput.httpOutput(from:), DescribePipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -875,9 +867,9 @@ extension DataPipelineClient { /// /// Task runners call EvaluateExpression to evaluate a string in the context of the specified object. For example, a task runner can evaluate SQL queries stored in Amazon S3. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.DescribePipelines Content-Length: 164 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-08785951KAKJEXAMPLE", "objectId": "Schedule", "expression": "Transform started at #{startDateTime} and finished at #{endDateTime}"} x-amzn-RequestId: 02870eb7-0736-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 103 Date: Mon, 12 Nov 2012 17:50:53 GMT {"evaluatedExpression": "Transform started at 2012-12-12T00:00:00 and finished at 2012-12-21T18:00:00"} /// - /// - Parameter EvaluateExpressionInput : Contains the parameters for EvaluateExpression. + /// - Parameter input: Contains the parameters for EvaluateExpression. (Type: `EvaluateExpressionInput`) /// - /// - Returns: `EvaluateExpressionOutput` : Contains the output of EvaluateExpression. + /// - Returns: Contains the output of EvaluateExpression. (Type: `EvaluateExpressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -913,7 +905,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EvaluateExpressionOutput.httpOutput(from:), EvaluateExpressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -948,9 +939,9 @@ extension DataPipelineClient { /// /// Gets the definition of the specified pipeline. You can call GetPipelineDefinition to retrieve the pipeline definition that you provided using [PutPipelineDefinition]. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.GetPipelineDefinition Content-Length: 40 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-06372391ZG65EXAMPLE"} x-amzn-RequestId: e28309e5-0776-11e2-8a14-21bb8a1f50ef Content-Type: application/x-amz-json-1.1 Content-Length: 890 Date: Mon, 12 Nov 2012 17:50:53 GMT {"pipelineObjects": [ {"fields": [ {"key": "workerGroup", "stringValue": "workerGroup"} ], "id": "Default", "name": "Default"}, {"fields": [ {"key": "startDateTime", "stringValue": "2012-09-25T17:00:00"}, {"key": "type", "stringValue": "Schedule"}, {"key": "period", "stringValue": "1 hour"}, {"key": "endDateTime", "stringValue": "2012-09-25T18:00:00"} ], "id": "Schedule", "name": "Schedule"}, {"fields": [ {"key": "schedule", "refValue": "Schedule"}, {"key": "command", "stringValue": "echo hello"}, {"key": "parent", "refValue": "Default"}, {"key": "type", "stringValue": "ShellCommandActivity"} ], "id": "SayHello", "name": "SayHello"} ] } /// - /// - Parameter GetPipelineDefinitionInput : Contains the parameters for GetPipelineDefinition. + /// - Parameter input: Contains the parameters for GetPipelineDefinition. (Type: `GetPipelineDefinitionInput`) /// - /// - Returns: `GetPipelineDefinitionOutput` : Contains the output of GetPipelineDefinition. + /// - Returns: Contains the output of GetPipelineDefinition. (Type: `GetPipelineDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -985,7 +976,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPipelineDefinitionOutput.httpOutput(from:), GetPipelineDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1020,9 +1010,9 @@ extension DataPipelineClient { /// /// Lists the pipeline identifiers for all active pipelines that you have permission to access. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.ListPipelines Content-Length: 14 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {} Status: x-amzn-RequestId: b3104dc5-0734-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 39 Date: Mon, 12 Nov 2012 17:50:53 GMT {"PipelineIdList": [ {"id": "df-08785951KAKJEXAMPLE", "name": "MyPipeline"}, {"id": "df-08662578ISYEXAMPLE", "name": "MySecondPipeline"} ] } /// - /// - Parameter ListPipelinesInput : Contains the parameters for ListPipelines. + /// - Parameter input: Contains the parameters for ListPipelines. (Type: `ListPipelinesInput`) /// - /// - Returns: `ListPipelinesOutput` : Contains the output of ListPipelines. + /// - Returns: Contains the output of ListPipelines. (Type: `ListPipelinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1055,7 +1045,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelinesOutput.httpOutput(from:), ListPipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1090,9 +1079,9 @@ extension DataPipelineClient { /// /// Task runners call PollForTask to receive a task to perform from AWS Data Pipeline. The task runner specifies which tasks it can perform by setting a value for the workerGroup parameter. The task returned can come from any of the pipelines that match the workerGroup value passed in by the task runner and that was launched using the IAM user credentials specified by the task runner. If tasks are ready in the work queue, PollForTask returns a response immediately. If no tasks are available in the queue, PollForTask uses long-polling and holds on to a poll connection for up to a 90 seconds, during which time the first newly scheduled task is handed to the task runner. To accomodate this, set the socket timeout in your task runner to 90 seconds. The task runner should not call PollForTask again on the same workerGroup until it receives a response, and this can take up to 90 seconds. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.PollForTask Content-Length: 59 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"workerGroup": "MyworkerGroup", "hostname": "example.com"} x-amzn-RequestId: 41c713d2-0775-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 39 Date: Mon, 12 Nov 2012 17:50:53 GMT {"taskObject": {"attemptId": "@SayHello_2012-12-12T00:00:00_Attempt=1", "objects": {"@SayHello_2012-12-12T00:00:00_Attempt=1": {"fields": [ {"key": "@componentParent", "refValue": "SayHello"}, {"key": "@scheduledStartTime", "stringValue": "2012-12-12T00:00:00"}, {"key": "parent", "refValue": "SayHello"}, {"key": "@sphere", "stringValue": "ATTEMPT"}, {"key": "workerGroup", "stringValue": "workerGroup"}, {"key": "@instanceParent", "refValue": "@SayHello_2012-12-12T00:00:00"}, {"key": "type", "stringValue": "ShellCommandActivity"}, {"key": "@status", "stringValue": "WAITING_FOR_RUNNER"}, {"key": "@version", "stringValue": "1"}, {"key": "schedule", "refValue": "Schedule"}, {"key": "@actualStartTime", "stringValue": "2012-12-13T01:40:50"}, {"key": "command", "stringValue": "echo hello"}, {"key": "@scheduledEndTime", "stringValue": "2012-12-12T01:00:00"}, {"key": "@activeInstances", "refValue": "@SayHello_2012-12-12T00:00:00"}, {"key": "@pipelineId", "stringValue": "df-0937003356ZJEXAMPLE"} ], "id": "@SayHello_2012-12-12T00:00:00_Attempt=1", "name": "@SayHello_2012-12-12T00:00:00_Attempt=1"} }, "pipelineId": "df-0937003356ZJEXAMPLE", "taskId": "2xaM4wRs5zOsIH+g9U3oVHfAgAlbSqU6XduncB0HhZ3xMnmvfePZPn4dIbYXHyWyRK+cU15MqDHwdrvftx/4wv+sNS4w34vJfv7QA9aOoOazW28l1GYSb2ZRR0N0paiQp+d1MhSKo10hOTWOsVK5S5Lnx9Qm6omFgXHyIvZRIvTlrQMpr1xuUrflyGOfbFOGpOLpvPE172MYdqpZKnbSS4TcuqgQKSWV2833fEubI57DPOP7ghWa2TcYeSIv4pdLYG53fTuwfbnbdc98g2LNUQzSVhSnt7BoqyNwht2aQ6b/UHg9A80+KVpuXuqmz3m1MXwHFgxjdmuesXNOrrlGpeLCcRWD+aGo0RN1NqhQRzNAig8V4GlaPTQzMsRCljKqvrIyAoP3Tt2XEGsHkkQo12rEX8Z90957XX2qKRwhruwYzqGkSLWjINoLdAxUJdpRXRc5DJTrBd3D5mdzn7kY1l7NEh4kFHJDt3Cx4Z3Mk8MYCACyCk/CEyy9DwuPi66cLz0NBcgbCM5LKjTBOwo1m+am+pvM1kSposE9FPP1+RFGb8k6jQBTJx3TRz1yKilnGXQTZ5xvdOFpJrklIT0OXP1MG3+auM9FlJA+1dX90QoNJE5z7axmK//MOGXUdkqFe2kiDkorqjxwDvc0Js9pVKfKvAmW8YqUbmI9l0ERpWCXXnLVHNmPWz3jaPY+OBAmuJWDmxB/Z8p94aEDg4BVXQ7LvsKQ3DLYhaB7yJ390CJT+i0mm+EBqY60V6YikPSWDFrYQ/NPi2b1DgE19mX8zHqw8qprIl4yh1Ckx2Iige4En/N5ktOoIxnASxAw/TzcE2skxdw5KlHDF+UTj71m16CR/dIaKlXijlfNlNzUBo/bNSadCQn3G5NoO501wPKI:XO50TgDNyo8EXAMPLE/g==:1"} } /// - /// - Parameter PollForTaskInput : Contains the parameters for PollForTask. + /// - Parameter input: Contains the parameters for PollForTask. (Type: `PollForTaskInput`) /// - /// - Returns: `PollForTaskOutput` : Contains the output of PollForTask. + /// - Returns: Contains the output of PollForTask. (Type: `PollForTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1126,7 +1115,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PollForTaskOutput.httpOutput(from:), PollForTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1172,9 +1160,9 @@ extension DataPipelineClient { /// /// Pipeline object definitions are passed to the PutPipelineDefinition action and returned by the [GetPipelineDefinition] action. Example 1 This example sets an valid pipeline configuration and returns success. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.PutPipelineDefinition Content-Length: 914 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-0937003356ZJEXAMPLE", "pipelineObjects": [ {"id": "Default", "name": "Default", "fields": [ {"key": "workerGroup", "stringValue": "workerGroup"} ] }, {"id": "Schedule", "name": "Schedule", "fields": [ {"key": "startDateTime", "stringValue": "2012-12-12T00:00:00"}, {"key": "type", "stringValue": "Schedule"}, {"key": "period", "stringValue": "1 hour"}, {"key": "endDateTime", "stringValue": "2012-12-21T18:00:00"} ] }, {"id": "SayHello", "name": "SayHello", "fields": [ {"key": "type", "stringValue": "ShellCommandActivity"}, {"key": "command", "stringValue": "echo hello"}, {"key": "parent", "refValue": "Default"}, {"key": "schedule", "refValue": "Schedule"} ] } ] } HTTP/1.1 200 x-amzn-RequestId: f74afc14-0754-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 18 Date: Mon, 12 Nov 2012 17:50:53 GMT {"errored": false} Example 2 This example sets an invalid pipeline configuration (the value for workerGroup is an empty string) and returns an error message. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.PutPipelineDefinition Content-Length: 903 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-06372391ZG65EXAMPLE", "pipelineObjects": [ {"id": "Default", "name": "Default", "fields": [ {"key": "workerGroup", "stringValue": ""} ] }, {"id": "Schedule", "name": "Schedule", "fields": [ {"key": "startDateTime", "stringValue": "2012-09-25T17:00:00"}, {"key": "type", "stringValue": "Schedule"}, {"key": "period", "stringValue": "1 hour"}, {"key": "endDateTime", "stringValue": "2012-09-25T18:00:00"} ] }, {"id": "SayHello", "name": "SayHello", "fields": [ {"key": "type", "stringValue": "ShellCommandActivity"}, {"key": "command", "stringValue": "echo hello"}, {"key": "parent", "refValue": "Default"}, {"key": "schedule", "refValue": "Schedule"} ] } ] } HTTP/1.1 200 x-amzn-RequestId: f74afc14-0754-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 18 Date: Mon, 12 Nov 2012 17:50:53 GMT {"__type": "com.amazon.setl.webservice#InvalidRequestException", "message": "Pipeline definition has errors: Could not save the pipeline definition due to FATAL errors: [com.amazon.setl.webservice.ValidationError@108d7ea9] Please call Validate to validate your pipeline"} /// - /// - Parameter PutPipelineDefinitionInput : Contains the parameters for PutPipelineDefinition. + /// - Parameter input: Contains the parameters for PutPipelineDefinition. (Type: `PutPipelineDefinitionInput`) /// - /// - Returns: `PutPipelineDefinitionOutput` : Contains the output of PutPipelineDefinition. + /// - Returns: Contains the output of PutPipelineDefinition. (Type: `PutPipelineDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1209,7 +1197,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPipelineDefinitionOutput.httpOutput(from:), PutPipelineDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1244,9 +1231,9 @@ extension DataPipelineClient { /// /// Queries the specified pipeline for the names of objects that match the specified set of conditions. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.QueryObjects Content-Length: 123 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-06372391ZG65EXAMPLE", "query": {"selectors": [ ] }, "sphere": "INSTANCE", "marker": "", "limit": 10} x-amzn-RequestId: 14d704c1-0775-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 72 Date: Mon, 12 Nov 2012 17:50:53 GMT {"hasMoreResults": false, "ids": ["@SayHello_1_2012-09-25T17:00:00"] } /// - /// - Parameter QueryObjectsInput : Contains the parameters for QueryObjects. + /// - Parameter input: Contains the parameters for QueryObjects. (Type: `QueryObjectsInput`) /// - /// - Returns: `QueryObjectsOutput` : Contains the output of QueryObjects. + /// - Returns: Contains the output of QueryObjects. (Type: `QueryObjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1281,7 +1268,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QueryObjectsOutput.httpOutput(from:), QueryObjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1316,9 +1302,9 @@ extension DataPipelineClient { /// /// Removes existing tags from the specified pipeline. /// - /// - Parameter RemoveTagsInput : Contains the parameters for RemoveTags. + /// - Parameter input: Contains the parameters for RemoveTags. (Type: `RemoveTagsInput`) /// - /// - Returns: `RemoveTagsOutput` : Contains the output of RemoveTags. + /// - Returns: Contains the output of RemoveTags. (Type: `RemoveTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1353,7 +1339,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsOutput.httpOutput(from:), RemoveTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1388,9 +1373,9 @@ extension DataPipelineClient { /// /// Task runners call ReportTaskProgress when assigned a task to acknowledge that it has the task. If the web service does not receive this acknowledgement within 2 minutes, it assigns the task in a subsequent [PollForTask] call. After this initial acknowledgement, the task runner only needs to report progress every 15 minutes to maintain its ownership of the task. You can change this reporting time from 15 minutes by specifying a reportProgressTimeout field in your pipeline. If a task runner does not report its status after 5 minutes, AWS Data Pipeline assumes that the task runner is unable to process the task and reassigns the task in a subsequent response to [PollForTask]. Task runners should call ReportTaskProgress every 60 seconds. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.ReportTaskProgress Content-Length: 832 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"taskId": "aaGgHT4LuH0T0Y0oLrJRjas5qH0d8cDPADxqq3tn+zCWGELkCdV2JprLreXm1oxeP5EFZHFLJ69kjSsLYE0iYHYBYVGBrB+E/pYq7ANEEeGJFnSBMRiXZVA+8UJ3OzcInvXeinqBmBaKwii7hnnKb/AXjXiNTXyxgydX1KAyg1AxkwBYG4cfPYMZbuEbQJFJvv5C/2+GVXz1w94nKYTeUeepwUOFOuRLS6JVtZoYwpF56E+Yfk1IcGpFOvCZ01B4Bkuu7x3J+MD/j6kJgZLAgbCJQtI3eiW3kdGmX0p0I2BdY1ZsX6b4UiSvM3OMj6NEHJCJL4E0ZfitnhCoe24Kvjo6C2hFbZq+ei/HPgSXBQMSagkr4vS9c0ChzxH2+LNYvec6bY4kymkaZI1dvOzmpa0FcnGf5AjSK4GpsViZ/ujz6zxFv81qBXzjF0/4M1775rjV1VUdyKaixiA/sJiACNezqZqETidp8d24BDPRhGsj6pBCrnelqGFrk/gXEXUsJ+xwMifRC8UVwiKekpAvHUywVk7Ku4jH/n3i2VoLRP6FXwpUbelu34iiZ9czpXyLtyPKwxa87dlrnRVURwkcVjOt2Mcrcaqe+cbWHvNRhyrPkkdfSF3ac8/wfgVbXvLEB2k9mKc67aD9rvdc1PKX09Tk8BKklsMTpZ3TRCd4NzQlJKigMe8Jat9+1tKj4Ole5ZzW6uyTu2s2iFjEV8KXu4MaiRJyNKCdKeGhhZWY37Qk4NBK4Ppgu+C6Y41dpfOh288SLDEVx0/UySlqOEdhba7c6BiPp5r3hKj3mk9lFy5OYp1aoGLeeFmjXveTnPdf2gkWqXXg7AUbJ7jEs1F0lKZQg4szep2gcKyAJXgvXLfJJHcha8Lfb/Ee7wYmyOcAaRpDBoFNSbtoVXar46teIrpho+ZDvynUXvU0grHWGOk=:wn3SgymHZM99bEXAMPLE", "fields": [ {"key": "percentComplete", "stringValue": "50"} ] } x-amzn-RequestId: 640bd023-0775-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 18 Date: Mon, 12 Nov 2012 17:50:53 GMT {"canceled": false} /// - /// - Parameter ReportTaskProgressInput : Contains the parameters for ReportTaskProgress. + /// - Parameter input: Contains the parameters for ReportTaskProgress. (Type: `ReportTaskProgressInput`) /// - /// - Returns: `ReportTaskProgressOutput` : Contains the output of ReportTaskProgress. + /// - Returns: Contains the output of ReportTaskProgress. (Type: `ReportTaskProgressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1426,7 +1411,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReportTaskProgressOutput.httpOutput(from:), ReportTaskProgressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1461,9 +1445,9 @@ extension DataPipelineClient { /// /// Task runners call ReportTaskRunnerHeartbeat every 15 minutes to indicate that they are operational. If the AWS Data Pipeline Task Runner is launched on a resource managed by AWS Data Pipeline, the web service can use this call to detect when the task runner application has failed and restart a new instance. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.ReportTaskRunnerHeartbeat Content-Length: 84 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"taskrunnerId": "1234567890", "workerGroup": "wg-12345", "hostname": "example.com"} Status: x-amzn-RequestId: b3104dc5-0734-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 20 Date: Mon, 12 Nov 2012 17:50:53 GMT {"terminate": false} /// - /// - Parameter ReportTaskRunnerHeartbeatInput : Contains the parameters for ReportTaskRunnerHeartbeat. + /// - Parameter input: Contains the parameters for ReportTaskRunnerHeartbeat. (Type: `ReportTaskRunnerHeartbeatInput`) /// - /// - Returns: `ReportTaskRunnerHeartbeatOutput` : Contains the output of ReportTaskRunnerHeartbeat. + /// - Returns: Contains the output of ReportTaskRunnerHeartbeat. (Type: `ReportTaskRunnerHeartbeatOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1496,7 +1480,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReportTaskRunnerHeartbeatOutput.httpOutput(from:), ReportTaskRunnerHeartbeatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1531,9 +1514,9 @@ extension DataPipelineClient { /// /// Requests that the status of the specified physical or logical pipeline objects be updated in the specified pipeline. This update might not occur immediately, but is eventually consistent. The status that can be set depends on the type of object (for example, DataNode or Activity). You cannot perform this operation on FINISHED pipelines and attempting to do so returns InvalidRequestException. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.SetStatus Content-Length: 100 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-0634701J7KEXAMPLE", "objectIds": ["o-08600941GHJWMBR9E2"], "status": "pause"} x-amzn-RequestId: e83b8ab7-076a-11e2-af6f-6bc7a6be60d9 Content-Type: application/x-amz-json-1.1 Content-Length: 0 Date: Mon, 12 Nov 2012 17:50:53 GMT Unexpected response: 200, OK, undefined /// - /// - Parameter SetStatusInput : Contains the parameters for SetStatus. + /// - Parameter input: Contains the parameters for SetStatus. (Type: `SetStatusInput`) /// - /// - Returns: `SetStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1568,7 +1551,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetStatusOutput.httpOutput(from:), SetStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1603,9 +1585,9 @@ extension DataPipelineClient { /// /// Task runners call SetTaskStatus to notify AWS Data Pipeline that a task is completed and provide information about the final status. A task runner makes this call regardless of whether the task was sucessful. A task runner does not need to call SetTaskStatus for tasks that are canceled by the web service during a call to [ReportTaskProgress]. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.SetTaskStatus Content-Length: 847 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"taskId": "aaGgHT4LuH0T0Y0oLrJRjas5qH0d8cDPADxqq3tn+zCWGELkCdV2JprLreXm1oxeP5EFZHFLJ69kjSsLYE0iYHYBYVGBrB+E/pYq7ANEEeGJFnSBMRiXZVA+8UJ3OzcInvXeinqBmBaKwii7hnnKb/AXjXiNTXyxgydX1KAyg1AxkwBYG4cfPYMZbuEbQJFJvv5C/2+GVXz1w94nKYTeUeepwUOFOuRLS6JVtZoYwpF56E+Yfk1IcGpFOvCZ01B4Bkuu7x3J+MD/j6kJgZLAgbCJQtI3eiW3kdGmX0p0I2BdY1ZsX6b4UiSvM3OMj6NEHJCJL4E0ZfitnhCoe24Kvjo6C2hFbZq+ei/HPgSXBQMSagkr4vS9c0ChzxH2+LNYvec6bY4kymkaZI1dvOzmpa0FcnGf5AjSK4GpsViZ/ujz6zxFv81qBXzjF0/4M1775rjV1VUdyKaixiA/sJiACNezqZqETidp8d24BDPRhGsj6pBCrnelqGFrk/gXEXUsJ+xwMifRC8UVwiKekpAvHUywVk7Ku4jH/n3i2VoLRP6FXwpUbelu34iiZ9czpXyLtyPKwxa87dlrnRVURwkcVjOt2Mcrcaqe+cbWHvNRhyrPkkdfSF3ac8/wfgVbXvLEB2k9mKc67aD9rvdc1PKX09Tk8BKklsMTpZ3TRCd4NzQlJKigMe8Jat9+1tKj4Ole5ZzW6uyTu2s2iFjEV8KXu4MaiRJyNKCdKeGhhZWY37Qk4NBK4Ppgu+C6Y41dpfOh288SLDEVx0/UySlqOEdhba7c6BiPp5r3hKj3mk9lFy5OYp1aoGLeeFmjXveTnPdf2gkWqXXg7AUbJ7jEs1F0lKZQg4szep2gcKyAJXgvXLfJJHcha8Lfb/Ee7wYmyOcAaRpDBoFNSbtoVXar46teIrpho+ZDvynUXvU0grHWGOk=:wn3SgymHZM99bEXAMPLE", "taskStatus": "FINISHED"} x-amzn-RequestId: 8c8deb53-0788-11e2-af9c-6bc7a6be6qr8 Content-Type: application/x-amz-json-1.1 Content-Length: 0 Date: Mon, 12 Nov 2012 17:50:53 GMT {} /// - /// - Parameter SetTaskStatusInput : Contains the parameters for SetTaskStatus. + /// - Parameter input: Contains the parameters for SetTaskStatus. (Type: `SetTaskStatusInput`) /// - /// - Returns: `SetTaskStatusOutput` : Contains the output of SetTaskStatus. + /// - Returns: Contains the output of SetTaskStatus. (Type: `SetTaskStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1641,7 +1623,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetTaskStatusOutput.httpOutput(from:), SetTaskStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1676,9 +1657,9 @@ extension DataPipelineClient { /// /// Validates the specified pipeline definition to ensure that it is well formed and can be run without error. Example 1 This example sets an valid pipeline configuration and returns success. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.ValidatePipelineDefinition Content-Length: 936 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-06372391ZG65EXAMPLE", "pipelineObjects": [ {"id": "Default", "name": "Default", "fields": [ {"key": "workerGroup", "stringValue": "MyworkerGroup"} ] }, {"id": "Schedule", "name": "Schedule", "fields": [ {"key": "startDateTime", "stringValue": "2012-09-25T17:00:00"}, {"key": "type", "stringValue": "Schedule"}, {"key": "period", "stringValue": "1 hour"}, {"key": "endDateTime", "stringValue": "2012-09-25T18:00:00"} ] }, {"id": "SayHello", "name": "SayHello", "fields": [ {"key": "type", "stringValue": "ShellCommandActivity"}, {"key": "command", "stringValue": "echo hello"}, {"key": "parent", "refValue": "Default"}, {"key": "schedule", "refValue": "Schedule"} ] } ] } x-amzn-RequestId: 92c9f347-0776-11e2-8a14-21bb8a1f50ef Content-Type: application/x-amz-json-1.1 Content-Length: 18 Date: Mon, 12 Nov 2012 17:50:53 GMT {"errored": false} Example 2 This example sets an invalid pipeline configuration and returns the associated set of validation errors. POST / HTTP/1.1 Content-Type: application/x-amz-json-1.1 X-Amz-Target: DataPipeline.ValidatePipelineDefinition Content-Length: 903 Host: datapipeline.us-east-1.amazonaws.com X-Amz-Date: Mon, 12 Nov 2012 17:49:52 GMT Authorization: AuthParams {"pipelineId": "df-06372391ZG65EXAMPLE", "pipelineObjects": [ {"id": "Default", "name": "Default", "fields": [ {"key": "workerGroup", "stringValue": "MyworkerGroup"} ] }, {"id": "Schedule", "name": "Schedule", "fields": [ {"key": "startDateTime", "stringValue": "bad-time"}, {"key": "type", "stringValue": "Schedule"}, {"key": "period", "stringValue": "1 hour"}, {"key": "endDateTime", "stringValue": "2012-09-25T18:00:00"} ] }, {"id": "SayHello", "name": "SayHello", "fields": [ {"key": "type", "stringValue": "ShellCommandActivity"}, {"key": "command", "stringValue": "echo hello"}, {"key": "parent", "refValue": "Default"}, {"key": "schedule", "refValue": "Schedule"} ] } ] } x-amzn-RequestId: 496a1f5a-0e6a-11e2-a61c-bd6312c92ddd Content-Type: application/x-amz-json-1.1 Content-Length: 278 Date: Mon, 12 Nov 2012 17:50:53 GMT {"errored": true, "validationErrors": [ {"errors": ["INVALID_FIELD_VALUE: 'startDateTime' value must be a literal datetime value."], "id": "Schedule"} ] } /// - /// - Parameter ValidatePipelineDefinitionInput : Contains the parameters for ValidatePipelineDefinition. + /// - Parameter input: Contains the parameters for ValidatePipelineDefinition. (Type: `ValidatePipelineDefinitionInput`) /// - /// - Returns: `ValidatePipelineDefinitionOutput` : Contains the output of ValidatePipelineDefinition. + /// - Returns: Contains the output of ValidatePipelineDefinition. (Type: `ValidatePipelineDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1713,7 +1694,6 @@ extension DataPipelineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidatePipelineDefinitionOutput.httpOutput(from:), ValidatePipelineDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDataSync/Sources/AWSDataSync/DataSyncClient.swift b/Sources/Services/AWSDataSync/Sources/AWSDataSync/DataSyncClient.swift index b5bfc4a046b..a3862e25f42 100644 --- a/Sources/Services/AWSDataSync/Sources/AWSDataSync/DataSyncClient.swift +++ b/Sources/Services/AWSDataSync/Sources/AWSDataSync/DataSyncClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DataSyncClient: ClientRuntime.Client { public static let clientName = "DataSyncClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DataSyncClient.DataSyncClientConfiguration let serviceName = "DataSync" @@ -374,9 +373,9 @@ extension DataSyncClient { /// /// Stops an DataSync task execution that's in progress. The transfer of some files are abruptly interrupted. File contents that're transferred to the destination might be incomplete or inconsistent with the source files. However, if you start a new task execution using the same task and allow it to finish, file content on the destination will be complete and consistent. This applies to other unexpected failures that interrupt a task execution. In all of these cases, DataSync successfully completes the transfer when you start the next task execution. /// - /// - Parameter CancelTaskExecutionInput : CancelTaskExecutionRequest + /// - Parameter input: CancelTaskExecutionRequest (Type: `CancelTaskExecutionInput`) /// - /// - Returns: `CancelTaskExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelTaskExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelTaskExecutionOutput.httpOutput(from:), CancelTaskExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension DataSyncClient { /// /// Activates an DataSync agent that you deploy in your storage environment. The activation process associates the agent with your Amazon Web Services account. If you haven't deployed an agent yet, see [Do I need a DataSync agent?](https://docs.aws.amazon.com/datasync/latest/userguide/do-i-need-datasync-agent.html) /// - /// - Parameter CreateAgentInput : CreateAgentRequest + /// - Parameter input: CreateAgentRequest (Type: `CreateAgentInput`) /// - /// - Returns: `CreateAgentOutput` : CreateAgentResponse + /// - Returns: CreateAgentResponse (Type: `CreateAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -479,7 +477,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAgentOutput.httpOutput(from:), CreateAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -514,9 +511,9 @@ extension DataSyncClient { /// /// Creates a transfer location for a Microsoft Azure Blob Storage container. DataSync can use this location as a transfer source or destination. You can make transfers with or without a [DataSync agent](https://docs.aws.amazon.com/datasync/latest/userguide/creating-azure-blob-location.html#azure-blob-creating-agent) that connects to your container. Before you begin, make sure you know [how DataSync accesses Azure Blob Storage](https://docs.aws.amazon.com/datasync/latest/userguide/creating-azure-blob-location.html#azure-blob-access) and works with [access tiers](https://docs.aws.amazon.com/datasync/latest/userguide/creating-azure-blob-location.html#azure-blob-access-tiers) and [blob types](https://docs.aws.amazon.com/datasync/latest/userguide/creating-azure-blob-location.html#blob-types). /// - /// - Parameter CreateLocationAzureBlobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocationAzureBlobInput`) /// - /// - Returns: `CreateLocationAzureBlobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocationAzureBlobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -549,7 +546,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationAzureBlobOutput.httpOutput(from:), CreateLocationAzureBlobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -584,9 +580,9 @@ extension DataSyncClient { /// /// Creates a transfer location for an Amazon EFS file system. DataSync can use this location as a source or destination for transferring data. Before you begin, make sure that you understand how DataSync [accesses Amazon EFS file systems](https://docs.aws.amazon.com/datasync/latest/userguide/create-efs-location.html#create-efs-location-access). /// - /// - Parameter CreateLocationEfsInput : CreateLocationEfsRequest + /// - Parameter input: CreateLocationEfsRequest (Type: `CreateLocationEfsInput`) /// - /// - Returns: `CreateLocationEfsOutput` : CreateLocationEfs + /// - Returns: CreateLocationEfs (Type: `CreateLocationEfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -619,7 +615,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationEfsOutput.httpOutput(from:), CreateLocationEfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -654,9 +649,9 @@ extension DataSyncClient { /// /// Creates a transfer location for an Amazon FSx for Lustre file system. DataSync can use this location as a source or destination for transferring data. Before you begin, make sure that you understand how DataSync [accesses FSx for Lustre file systems](https://docs.aws.amazon.com/datasync/latest/userguide/create-lustre-location.html#create-lustre-location-access). /// - /// - Parameter CreateLocationFsxLustreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocationFsxLustreInput`) /// - /// - Returns: `CreateLocationFsxLustreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocationFsxLustreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -689,7 +684,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationFsxLustreOutput.httpOutput(from:), CreateLocationFsxLustreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -724,9 +718,9 @@ extension DataSyncClient { /// /// Creates a transfer location for an Amazon FSx for NetApp ONTAP file system. DataSync can use this location as a source or destination for transferring data. Before you begin, make sure that you understand how DataSync [accesses FSx for ONTAP file systems](https://docs.aws.amazon.com/datasync/latest/userguide/create-ontap-location.html#create-ontap-location-access). /// - /// - Parameter CreateLocationFsxOntapInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocationFsxOntapInput`) /// - /// - Returns: `CreateLocationFsxOntapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocationFsxOntapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -759,7 +753,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationFsxOntapOutput.httpOutput(from:), CreateLocationFsxOntapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -794,9 +787,9 @@ extension DataSyncClient { /// /// Creates a transfer location for an Amazon FSx for OpenZFS file system. DataSync can use this location as a source or destination for transferring data. Before you begin, make sure that you understand how DataSync [accesses FSx for OpenZFS file systems](https://docs.aws.amazon.com/datasync/latest/userguide/create-openzfs-location.html#create-openzfs-access). Request parameters related to SMB aren't supported with the CreateLocationFsxOpenZfs operation. /// - /// - Parameter CreateLocationFsxOpenZfsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocationFsxOpenZfsInput`) /// - /// - Returns: `CreateLocationFsxOpenZfsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocationFsxOpenZfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -829,7 +822,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationFsxOpenZfsOutput.httpOutput(from:), CreateLocationFsxOpenZfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -864,9 +856,9 @@ extension DataSyncClient { /// /// Creates a transfer location for an Amazon FSx for Windows File Server file system. DataSync can use this location as a source or destination for transferring data. Before you begin, make sure that you understand how DataSync [accesses FSx for Windows File Server file systems](https://docs.aws.amazon.com/datasync/latest/userguide/create-fsx-location.html#create-fsx-location-access). /// - /// - Parameter CreateLocationFsxWindowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocationFsxWindowsInput`) /// - /// - Returns: `CreateLocationFsxWindowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocationFsxWindowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -899,7 +891,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationFsxWindowsOutput.httpOutput(from:), CreateLocationFsxWindowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -934,9 +925,9 @@ extension DataSyncClient { /// /// Creates a transfer location for a Hadoop Distributed File System (HDFS). DataSync can use this location as a source or destination for transferring data. Before you begin, make sure that you understand how DataSync [accesses HDFS clusters](https://docs.aws.amazon.com/datasync/latest/userguide/create-hdfs-location.html#accessing-hdfs). /// - /// - Parameter CreateLocationHdfsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocationHdfsInput`) /// - /// - Returns: `CreateLocationHdfsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocationHdfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -969,7 +960,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationHdfsOutput.httpOutput(from:), CreateLocationHdfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1004,9 +994,9 @@ extension DataSyncClient { /// /// Creates a transfer location for a Network File System (NFS) file server. DataSync can use this location as a source or destination for transferring data. Before you begin, make sure that you understand how DataSync [accesses NFS file servers](https://docs.aws.amazon.com/datasync/latest/userguide/create-nfs-location.html#accessing-nfs). /// - /// - Parameter CreateLocationNfsInput : CreateLocationNfsRequest + /// - Parameter input: CreateLocationNfsRequest (Type: `CreateLocationNfsInput`) /// - /// - Returns: `CreateLocationNfsOutput` : CreateLocationNfsResponse + /// - Returns: CreateLocationNfsResponse (Type: `CreateLocationNfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1039,7 +1029,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationNfsOutput.httpOutput(from:), CreateLocationNfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1074,9 +1063,9 @@ extension DataSyncClient { /// /// Creates a transfer location for an object storage system. DataSync can use this location as a source or destination for transferring data. You can make transfers with or without a [DataSync agent](https://docs.aws.amazon.com/datasync/latest/userguide/do-i-need-datasync-agent.html#when-agent-required). Before you begin, make sure that you understand the [prerequisites](https://docs.aws.amazon.com/datasync/latest/userguide/create-object-location.html#create-object-location-prerequisites) for DataSync to work with object storage systems. /// - /// - Parameter CreateLocationObjectStorageInput : CreateLocationObjectStorageRequest + /// - Parameter input: CreateLocationObjectStorageRequest (Type: `CreateLocationObjectStorageInput`) /// - /// - Returns: `CreateLocationObjectStorageOutput` : CreateLocationObjectStorageResponse + /// - Returns: CreateLocationObjectStorageResponse (Type: `CreateLocationObjectStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1109,7 +1098,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationObjectStorageOutput.httpOutput(from:), CreateLocationObjectStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1151,9 +1139,9 @@ extension DataSyncClient { /// /// For more information, see [Configuring transfers with Amazon S3](https://docs.aws.amazon.com/datasync/latest/userguide/create-s3-location.html). /// - /// - Parameter CreateLocationS3Input : CreateLocationS3Request + /// - Parameter input: CreateLocationS3Request (Type: `CreateLocationS3Input`) /// - /// - Returns: `CreateLocationS3Output` : CreateLocationS3Response + /// - Returns: CreateLocationS3Response (Type: `CreateLocationS3Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1186,7 +1174,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationS3Output.httpOutput(from:), CreateLocationS3OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1221,9 +1208,9 @@ extension DataSyncClient { /// /// Creates a transfer location for a Server Message Block (SMB) file server. DataSync can use this location as a source or destination for transferring data. Before you begin, make sure that you understand how DataSync accesses SMB file servers. For more information, see [Providing DataSync access to SMB file servers](https://docs.aws.amazon.com/datasync/latest/userguide/create-smb-location.html#configuring-smb-permissions). /// - /// - Parameter CreateLocationSmbInput : CreateLocationSmbRequest + /// - Parameter input: CreateLocationSmbRequest (Type: `CreateLocationSmbInput`) /// - /// - Returns: `CreateLocationSmbOutput` : CreateLocationSmbResponse + /// - Returns: CreateLocationSmbResponse (Type: `CreateLocationSmbOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1256,7 +1243,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationSmbOutput.httpOutput(from:), CreateLocationSmbOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1291,9 +1277,9 @@ extension DataSyncClient { /// /// Configures a task, which defines where and how DataSync transfers your data. A task includes a source location, destination location, and transfer options (such as bandwidth limits, scheduling, and more). If you're planning to transfer data to or from an Amazon S3 location, review [how DataSync can affect your S3 request charges](https://docs.aws.amazon.com/datasync/latest/userguide/create-s3-location.html#create-s3-location-s3-requests) and the [DataSync pricing page](http://aws.amazon.com/datasync/pricing/) before you begin. /// - /// - Parameter CreateTaskInput : CreateTaskRequest + /// - Parameter input: CreateTaskRequest (Type: `CreateTaskInput`) /// - /// - Returns: `CreateTaskOutput` : CreateTaskResponse + /// - Returns: CreateTaskResponse (Type: `CreateTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1326,7 +1312,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTaskOutput.httpOutput(from:), CreateTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1361,9 +1346,9 @@ extension DataSyncClient { /// /// Removes an DataSync agent resource from your Amazon Web Services account. Keep in mind that this operation (which can't be undone) doesn't remove the agent's virtual machine (VM) or Amazon EC2 instance from your storage environment. For next steps, you can delete the VM or instance from your storage environment or reuse it to [activate a new agent](https://docs.aws.amazon.com/datasync/latest/userguide/activate-agent.html). /// - /// - Parameter DeleteAgentInput : DeleteAgentRequest + /// - Parameter input: DeleteAgentRequest (Type: `DeleteAgentInput`) /// - /// - Returns: `DeleteAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1381,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAgentOutput.httpOutput(from:), DeleteAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1431,9 +1415,9 @@ extension DataSyncClient { /// /// Deletes a transfer location resource from DataSync. /// - /// - Parameter DeleteLocationInput : DeleteLocation + /// - Parameter input: DeleteLocation (Type: `DeleteLocationInput`) /// - /// - Returns: `DeleteLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1466,7 +1450,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLocationOutput.httpOutput(from:), DeleteLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1501,9 +1484,9 @@ extension DataSyncClient { /// /// Deletes a transfer task resource from DataSync. /// - /// - Parameter DeleteTaskInput : DeleteTask + /// - Parameter input: DeleteTask (Type: `DeleteTaskInput`) /// - /// - Returns: `DeleteTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1536,7 +1519,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTaskOutput.httpOutput(from:), DeleteTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1571,9 +1553,9 @@ extension DataSyncClient { /// /// Returns information about an DataSync agent, such as its name, service endpoint type, and status. /// - /// - Parameter DescribeAgentInput : DescribeAgent + /// - Parameter input: DescribeAgent (Type: `DescribeAgentInput`) /// - /// - Returns: `DescribeAgentOutput` : DescribeAgentResponse + /// - Returns: DescribeAgentResponse (Type: `DescribeAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1606,7 +1588,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAgentOutput.httpOutput(from:), DescribeAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1641,9 +1622,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for Microsoft Azure Blob Storage is configured. /// - /// - Parameter DescribeLocationAzureBlobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocationAzureBlobInput`) /// - /// - Returns: `DescribeLocationAzureBlobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocationAzureBlobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1676,7 +1657,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationAzureBlobOutput.httpOutput(from:), DescribeLocationAzureBlobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1711,9 +1691,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for an Amazon EFS file system is configured. /// - /// - Parameter DescribeLocationEfsInput : DescribeLocationEfsRequest + /// - Parameter input: DescribeLocationEfsRequest (Type: `DescribeLocationEfsInput`) /// - /// - Returns: `DescribeLocationEfsOutput` : DescribeLocationEfsResponse + /// - Returns: DescribeLocationEfsResponse (Type: `DescribeLocationEfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1746,7 +1726,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationEfsOutput.httpOutput(from:), DescribeLocationEfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1781,9 +1760,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for an Amazon FSx for Lustre file system is configured. /// - /// - Parameter DescribeLocationFsxLustreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocationFsxLustreInput`) /// - /// - Returns: `DescribeLocationFsxLustreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocationFsxLustreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1816,7 +1795,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationFsxLustreOutput.httpOutput(from:), DescribeLocationFsxLustreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1851,9 +1829,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for an Amazon FSx for NetApp ONTAP file system is configured. If your location uses SMB, the DescribeLocationFsxOntap operation doesn't actually return a Password. /// - /// - Parameter DescribeLocationFsxOntapInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocationFsxOntapInput`) /// - /// - Returns: `DescribeLocationFsxOntapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocationFsxOntapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1886,7 +1864,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationFsxOntapOutput.httpOutput(from:), DescribeLocationFsxOntapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1921,9 +1898,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for an Amazon FSx for OpenZFS file system is configured. Response elements related to SMB aren't supported with the DescribeLocationFsxOpenZfs operation. /// - /// - Parameter DescribeLocationFsxOpenZfsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocationFsxOpenZfsInput`) /// - /// - Returns: `DescribeLocationFsxOpenZfsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocationFsxOpenZfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1956,7 +1933,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationFsxOpenZfsOutput.httpOutput(from:), DescribeLocationFsxOpenZfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1991,9 +1967,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for an Amazon FSx for Windows File Server file system is configured. /// - /// - Parameter DescribeLocationFsxWindowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocationFsxWindowsInput`) /// - /// - Returns: `DescribeLocationFsxWindowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocationFsxWindowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2026,7 +2002,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationFsxWindowsOutput.httpOutput(from:), DescribeLocationFsxWindowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2061,9 +2036,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for a Hadoop Distributed File System (HDFS) is configured. /// - /// - Parameter DescribeLocationHdfsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocationHdfsInput`) /// - /// - Returns: `DescribeLocationHdfsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocationHdfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2096,7 +2071,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationHdfsOutput.httpOutput(from:), DescribeLocationHdfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2131,9 +2105,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for a Network File System (NFS) file server is configured. /// - /// - Parameter DescribeLocationNfsInput : DescribeLocationNfsRequest + /// - Parameter input: DescribeLocationNfsRequest (Type: `DescribeLocationNfsInput`) /// - /// - Returns: `DescribeLocationNfsOutput` : DescribeLocationNfsResponse + /// - Returns: DescribeLocationNfsResponse (Type: `DescribeLocationNfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2166,7 +2140,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationNfsOutput.httpOutput(from:), DescribeLocationNfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2201,9 +2174,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for an object storage system is configured. /// - /// - Parameter DescribeLocationObjectStorageInput : DescribeLocationObjectStorageRequest + /// - Parameter input: DescribeLocationObjectStorageRequest (Type: `DescribeLocationObjectStorageInput`) /// - /// - Returns: `DescribeLocationObjectStorageOutput` : DescribeLocationObjectStorageResponse + /// - Returns: DescribeLocationObjectStorageResponse (Type: `DescribeLocationObjectStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2236,7 +2209,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationObjectStorageOutput.httpOutput(from:), DescribeLocationObjectStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2271,9 +2243,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for an S3 bucket is configured. /// - /// - Parameter DescribeLocationS3Input : DescribeLocationS3Request + /// - Parameter input: DescribeLocationS3Request (Type: `DescribeLocationS3Input`) /// - /// - Returns: `DescribeLocationS3Output` : DescribeLocationS3Response + /// - Returns: DescribeLocationS3Response (Type: `DescribeLocationS3Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2306,7 +2278,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationS3Output.httpOutput(from:), DescribeLocationS3OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2341,9 +2312,9 @@ extension DataSyncClient { /// /// Provides details about how an DataSync transfer location for a Server Message Block (SMB) file server is configured. /// - /// - Parameter DescribeLocationSmbInput : DescribeLocationSmbRequest + /// - Parameter input: DescribeLocationSmbRequest (Type: `DescribeLocationSmbInput`) /// - /// - Returns: `DescribeLocationSmbOutput` : DescribeLocationSmbResponse + /// - Returns: DescribeLocationSmbResponse (Type: `DescribeLocationSmbOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2376,7 +2347,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationSmbOutput.httpOutput(from:), DescribeLocationSmbOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2411,9 +2381,9 @@ extension DataSyncClient { /// /// Provides information about a task, which defines where and how DataSync transfers your data. /// - /// - Parameter DescribeTaskInput : DescribeTaskRequest + /// - Parameter input: DescribeTaskRequest (Type: `DescribeTaskInput`) /// - /// - Returns: `DescribeTaskOutput` : DescribeTaskResponse + /// - Returns: DescribeTaskResponse (Type: `DescribeTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2446,7 +2416,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTaskOutput.httpOutput(from:), DescribeTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2481,9 +2450,9 @@ extension DataSyncClient { /// /// Provides information about an execution of your DataSync task. You can use this operation to help monitor the progress of an ongoing data transfer or check the results of the transfer. Some DescribeTaskExecution response elements are only relevant to a specific task mode. For information, see [Understanding task mode differences](https://docs.aws.amazon.com/datasync/latest/userguide/choosing-task-mode.html#task-mode-differences) and [Understanding data transfer performance counters](https://docs.aws.amazon.com/datasync/latest/userguide/transfer-performance-counters.html). /// - /// - Parameter DescribeTaskExecutionInput : DescribeTaskExecutionRequest + /// - Parameter input: DescribeTaskExecutionRequest (Type: `DescribeTaskExecutionInput`) /// - /// - Returns: `DescribeTaskExecutionOutput` : DescribeTaskExecutionResponse + /// - Returns: DescribeTaskExecutionResponse (Type: `DescribeTaskExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2516,7 +2485,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTaskExecutionOutput.httpOutput(from:), DescribeTaskExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2551,9 +2519,9 @@ extension DataSyncClient { /// /// Returns a list of DataSync agents that belong to an Amazon Web Services account in the Amazon Web Services Region specified in the request. With pagination, you can reduce the number of agents returned in a response. If you get a truncated list of agents in a response, the response contains a marker that you can specify in your next request to fetch the next page of agents. ListAgents is eventually consistent. This means the result of running the operation might not reflect that you just created or deleted an agent. For example, if you create an agent with [CreateAgent](https://docs.aws.amazon.com/datasync/latest/userguide/API_CreateAgent.html) and then immediately run ListAgents, that agent might not show up in the list right away. In situations like this, you can always confirm whether an agent has been created (or deleted) by using [DescribeAgent](https://docs.aws.amazon.com/datasync/latest/userguide/API_DescribeAgent.html). /// - /// - Parameter ListAgentsInput : ListAgentsRequest + /// - Parameter input: ListAgentsRequest (Type: `ListAgentsInput`) /// - /// - Returns: `ListAgentsOutput` : ListAgentsResponse + /// - Returns: ListAgentsResponse (Type: `ListAgentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2586,7 +2554,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgentsOutput.httpOutput(from:), ListAgentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2621,9 +2588,9 @@ extension DataSyncClient { /// /// Returns a list of source and destination locations. If you have more locations than are returned in a response (that is, the response returns only a truncated list of your agents), the response contains a token that you can specify in your next request to fetch the next page of locations. /// - /// - Parameter ListLocationsInput : ListLocationsRequest + /// - Parameter input: ListLocationsRequest (Type: `ListLocationsInput`) /// - /// - Returns: `ListLocationsOutput` : ListLocationsResponse + /// - Returns: ListLocationsResponse (Type: `ListLocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2656,7 +2623,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLocationsOutput.httpOutput(from:), ListLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2691,9 +2657,9 @@ extension DataSyncClient { /// /// Returns all the tags associated with an Amazon Web Services resource. /// - /// - Parameter ListTagsForResourceInput : ListTagsForResourceRequest + /// - Parameter input: ListTagsForResourceRequest (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : ListTagsForResourceResponse + /// - Returns: ListTagsForResourceResponse (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2726,7 +2692,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2761,9 +2726,9 @@ extension DataSyncClient { /// /// Returns a list of executions for an DataSync transfer task. /// - /// - Parameter ListTaskExecutionsInput : ListTaskExecutions + /// - Parameter input: ListTaskExecutions (Type: `ListTaskExecutionsInput`) /// - /// - Returns: `ListTaskExecutionsOutput` : ListTaskExecutionsResponse + /// - Returns: ListTaskExecutionsResponse (Type: `ListTaskExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2796,7 +2761,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTaskExecutionsOutput.httpOutput(from:), ListTaskExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2831,9 +2795,9 @@ extension DataSyncClient { /// /// Returns a list of the DataSync tasks you created. /// - /// - Parameter ListTasksInput : ListTasksRequest + /// - Parameter input: ListTasksRequest (Type: `ListTasksInput`) /// - /// - Returns: `ListTasksOutput` : ListTasksResponse + /// - Returns: ListTasksResponse (Type: `ListTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2866,7 +2830,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTasksOutput.httpOutput(from:), ListTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2901,9 +2864,9 @@ extension DataSyncClient { /// /// Starts an DataSync transfer task. For each task, you can only run one task execution at a time. There are several steps to a task execution. For more information, see [Task execution statuses](https://docs.aws.amazon.com/datasync/latest/userguide/working-with-task-executions.html#understand-task-execution-statuses). If you're planning to transfer data to or from an Amazon S3 location, review [how DataSync can affect your S3 request charges](https://docs.aws.amazon.com/datasync/latest/userguide/create-s3-location.html#create-s3-location-s3-requests) and the [DataSync pricing page](http://aws.amazon.com/datasync/pricing/) before you begin. /// - /// - Parameter StartTaskExecutionInput : StartTaskExecutionRequest + /// - Parameter input: StartTaskExecutionRequest (Type: `StartTaskExecutionInput`) /// - /// - Returns: `StartTaskExecutionOutput` : StartTaskExecutionResponse + /// - Returns: StartTaskExecutionResponse (Type: `StartTaskExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2936,7 +2899,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTaskExecutionOutput.httpOutput(from:), StartTaskExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2971,9 +2933,9 @@ extension DataSyncClient { /// /// Applies a tag to an Amazon Web Services resource. Tags are key-value pairs that can help you manage, filter, and search for your resources. These include DataSync resources, such as locations, tasks, and task executions. /// - /// - Parameter TagResourceInput : TagResourceRequest + /// - Parameter input: TagResourceRequest (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3006,7 +2968,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3041,9 +3002,9 @@ extension DataSyncClient { /// /// Removes tags from an Amazon Web Services resource. /// - /// - Parameter UntagResourceInput : UntagResourceRequest + /// - Parameter input: UntagResourceRequest (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3076,7 +3037,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3111,9 +3071,9 @@ extension DataSyncClient { /// /// Updates the name of an DataSync agent. /// - /// - Parameter UpdateAgentInput : UpdateAgentRequest + /// - Parameter input: UpdateAgentRequest (Type: `UpdateAgentInput`) /// - /// - Returns: `UpdateAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3146,7 +3106,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgentOutput.httpOutput(from:), UpdateAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3181,9 +3140,9 @@ extension DataSyncClient { /// /// Modifies the following configurations of the Microsoft Azure Blob Storage transfer location that you're using with DataSync. For more information, see [Configuring DataSync transfers with Azure Blob Storage](https://docs.aws.amazon.com/datasync/latest/userguide/creating-azure-blob-location.html). /// - /// - Parameter UpdateLocationAzureBlobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationAzureBlobInput`) /// - /// - Returns: `UpdateLocationAzureBlobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationAzureBlobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3216,7 +3175,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationAzureBlobOutput.httpOutput(from:), UpdateLocationAzureBlobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3251,9 +3209,9 @@ extension DataSyncClient { /// /// Modifies the following configuration parameters of the Amazon EFS transfer location that you're using with DataSync. For more information, see [Configuring DataSync transfers with Amazon EFS](https://docs.aws.amazon.com/datasync/latest/userguide/create-efs-location.html). /// - /// - Parameter UpdateLocationEfsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationEfsInput`) /// - /// - Returns: `UpdateLocationEfsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationEfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3286,7 +3244,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationEfsOutput.httpOutput(from:), UpdateLocationEfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3321,9 +3278,9 @@ extension DataSyncClient { /// /// Modifies the following configuration parameters of the Amazon FSx for Lustre transfer location that you're using with DataSync. For more information, see [Configuring DataSync transfers with FSx for Lustre](https://docs.aws.amazon.com/datasync/latest/userguide/create-lustre-location.html). /// - /// - Parameter UpdateLocationFsxLustreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationFsxLustreInput`) /// - /// - Returns: `UpdateLocationFsxLustreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationFsxLustreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3356,7 +3313,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationFsxLustreOutput.httpOutput(from:), UpdateLocationFsxLustreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3391,9 +3347,9 @@ extension DataSyncClient { /// /// Modifies the following configuration parameters of the Amazon FSx for NetApp ONTAP transfer location that you're using with DataSync. For more information, see [Configuring DataSync transfers with FSx for ONTAP](https://docs.aws.amazon.com/datasync/latest/userguide/create-ontap-location.html). /// - /// - Parameter UpdateLocationFsxOntapInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationFsxOntapInput`) /// - /// - Returns: `UpdateLocationFsxOntapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationFsxOntapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3426,7 +3382,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationFsxOntapOutput.httpOutput(from:), UpdateLocationFsxOntapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3461,9 +3416,9 @@ extension DataSyncClient { /// /// Modifies the following configuration parameters of the Amazon FSx for OpenZFS transfer location that you're using with DataSync. For more information, see [Configuring DataSync transfers with FSx for OpenZFS](https://docs.aws.amazon.com/datasync/latest/userguide/create-openzfs-location.html). Request parameters related to SMB aren't supported with the UpdateLocationFsxOpenZfs operation. /// - /// - Parameter UpdateLocationFsxOpenZfsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationFsxOpenZfsInput`) /// - /// - Returns: `UpdateLocationFsxOpenZfsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationFsxOpenZfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3496,7 +3451,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationFsxOpenZfsOutput.httpOutput(from:), UpdateLocationFsxOpenZfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3531,9 +3485,9 @@ extension DataSyncClient { /// /// Modifies the following configuration parameters of the Amazon FSx for Windows File Server transfer location that you're using with DataSync. For more information, see [Configuring DataSync transfers with FSx for Windows File Server](https://docs.aws.amazon.com/datasync/latest/userguide/create-fsx-location.html). /// - /// - Parameter UpdateLocationFsxWindowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationFsxWindowsInput`) /// - /// - Returns: `UpdateLocationFsxWindowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationFsxWindowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3566,7 +3520,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationFsxWindowsOutput.httpOutput(from:), UpdateLocationFsxWindowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3601,9 +3554,9 @@ extension DataSyncClient { /// /// Modifies the following configuration parameters of the Hadoop Distributed File System (HDFS) transfer location that you're using with DataSync. For more information, see [Configuring DataSync transfers with an HDFS cluster](https://docs.aws.amazon.com/datasync/latest/userguide/create-hdfs-location.html). /// - /// - Parameter UpdateLocationHdfsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationHdfsInput`) /// - /// - Returns: `UpdateLocationHdfsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationHdfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3636,7 +3589,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationHdfsOutput.httpOutput(from:), UpdateLocationHdfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3671,9 +3623,9 @@ extension DataSyncClient { /// /// Modifies the following configuration parameters of the Network File System (NFS) transfer location that you're using with DataSync. For more information, see [Configuring transfers with an NFS file server](https://docs.aws.amazon.com/datasync/latest/userguide/create-nfs-location.html). /// - /// - Parameter UpdateLocationNfsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationNfsInput`) /// - /// - Returns: `UpdateLocationNfsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationNfsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3706,7 +3658,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationNfsOutput.httpOutput(from:), UpdateLocationNfsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3741,9 +3692,9 @@ extension DataSyncClient { /// /// Modifies the following configuration parameters of the object storage transfer location that you're using with DataSync. For more information, see [Configuring DataSync transfers with an object storage system](https://docs.aws.amazon.com/datasync/latest/userguide/create-object-location.html). /// - /// - Parameter UpdateLocationObjectStorageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationObjectStorageInput`) /// - /// - Returns: `UpdateLocationObjectStorageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationObjectStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3776,7 +3727,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationObjectStorageOutput.httpOutput(from:), UpdateLocationObjectStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3815,9 +3765,9 @@ extension DataSyncClient { /// /// * [Evaluating S3 request costs when using DataSync](https://docs.aws.amazon.com/datasync/latest/userguide/create-s3-location.html#create-s3-location-s3-requests) /// - /// - Parameter UpdateLocationS3Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationS3Input`) /// - /// - Returns: `UpdateLocationS3Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationS3Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3850,7 +3800,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationS3Output.httpOutput(from:), UpdateLocationS3OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3885,9 +3834,9 @@ extension DataSyncClient { /// /// Modifies the following configuration parameters of the Server Message Block (SMB) transfer location that you're using with DataSync. For more information, see [Configuring DataSync transfers with an SMB file server](https://docs.aws.amazon.com/datasync/latest/userguide/create-smb-location.html). /// - /// - Parameter UpdateLocationSmbInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLocationSmbInput`) /// - /// - Returns: `UpdateLocationSmbOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLocationSmbOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3920,7 +3869,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLocationSmbOutput.httpOutput(from:), UpdateLocationSmbOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3955,9 +3903,9 @@ extension DataSyncClient { /// /// Updates the configuration of a task, which defines where and how DataSync transfers your data. /// - /// - Parameter UpdateTaskInput : UpdateTaskResponse + /// - Parameter input: UpdateTaskResponse (Type: `UpdateTaskInput`) /// - /// - Returns: `UpdateTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3990,7 +3938,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTaskOutput.httpOutput(from:), UpdateTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4025,9 +3972,9 @@ extension DataSyncClient { /// /// Updates the configuration of a running DataSync task execution. Currently, the only Option that you can modify with UpdateTaskExecution is [BytesPerSecond](https://docs.aws.amazon.com/datasync/latest/userguide/API_Options.html#DataSync-Type-Options-BytesPerSecond), which throttles bandwidth for a running or queued task execution. /// - /// - Parameter UpdateTaskExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTaskExecutionInput`) /// - /// - Returns: `UpdateTaskExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTaskExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4060,7 +4007,6 @@ extension DataSyncClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTaskExecutionOutput.httpOutput(from:), UpdateTaskExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDataZone/Sources/AWSDataZone/DataZoneClient.swift b/Sources/Services/AWSDataZone/Sources/AWSDataZone/DataZoneClient.swift index f629d7f5a19..360fb052aa2 100644 --- a/Sources/Services/AWSDataZone/Sources/AWSDataZone/DataZoneClient.swift +++ b/Sources/Services/AWSDataZone/Sources/AWSDataZone/DataZoneClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -72,7 +71,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DataZoneClient: ClientRuntime.Client { public static let clientName = "DataZoneClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DataZoneClient.DataZoneClientConfiguration let serviceName = "DataZone" @@ -378,9 +377,9 @@ extension DataZoneClient { /// /// Accepts automatically generated business-friendly metadata for your Amazon DataZone assets. /// - /// - Parameter AcceptPredictionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptPredictionsInput`) /// - /// - Returns: `AcceptPredictionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptPredictionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -422,7 +421,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptPredictionsOutput.httpOutput(from:), AcceptPredictionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -454,9 +452,9 @@ extension DataZoneClient { /// /// Accepts a subscription request to a specific asset. /// - /// - Parameter AcceptSubscriptionRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptSubscriptionRequestInput`) /// - /// - Returns: `AcceptSubscriptionRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptSubscriptionRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -496,7 +494,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptSubscriptionRequestOutput.httpOutput(from:), AcceptSubscriptionRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -528,9 +525,9 @@ extension DataZoneClient { /// /// Adds the owner of an entity (a domain unit). /// - /// - Parameter AddEntityOwnerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddEntityOwnerInput`) /// - /// - Returns: `AddEntityOwnerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddEntityOwnerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -572,7 +569,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddEntityOwnerOutput.httpOutput(from:), AddEntityOwnerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -604,9 +600,9 @@ extension DataZoneClient { /// /// Adds a policy grant (an authorization policy) to a specified entity, including domain units, environment blueprint configurations, or environment profiles. /// - /// - Parameter AddPolicyGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddPolicyGrantInput`) /// - /// - Returns: `AddPolicyGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddPolicyGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -647,7 +643,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddPolicyGrantOutput.httpOutput(from:), AddPolicyGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -679,9 +674,9 @@ extension DataZoneClient { /// /// Associates the environment role in Amazon DataZone. /// - /// - Parameter AssociateEnvironmentRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateEnvironmentRoleInput`) /// - /// - Returns: `AssociateEnvironmentRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateEnvironmentRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -718,7 +713,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateEnvironmentRoleOutput.httpOutput(from:), AssociateEnvironmentRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -750,9 +744,9 @@ extension DataZoneClient { /// /// Associates governed terms with an asset. /// - /// - Parameter AssociateGovernedTermsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateGovernedTermsInput`) /// - /// - Returns: `AssociateGovernedTermsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateGovernedTermsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -792,7 +786,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateGovernedTermsOutput.httpOutput(from:), AssociateGovernedTermsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -830,9 +823,9 @@ extension DataZoneClient { /// /// * User must have access to the run and cancel permissions. /// - /// - Parameter CancelMetadataGenerationRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMetadataGenerationRunInput`) /// - /// - Returns: `CancelMetadataGenerationRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMetadataGenerationRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -869,7 +862,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMetadataGenerationRunOutput.httpOutput(from:), CancelMetadataGenerationRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +893,9 @@ extension DataZoneClient { /// /// Cancels the subscription to the specified asset. /// - /// - Parameter CancelSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelSubscriptionInput`) /// - /// - Returns: `CancelSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -940,7 +932,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSubscriptionOutput.httpOutput(from:), CancelSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -972,9 +963,9 @@ extension DataZoneClient { /// /// Creates an account pool. /// - /// - Parameter CreateAccountPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccountPoolInput`) /// - /// - Returns: `CreateAccountPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccountPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1015,7 +1006,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccountPoolOutput.httpOutput(from:), CreateAccountPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1066,9 +1056,9 @@ extension DataZoneClient { /// /// * [CreateAssetType](https://docs.aws.amazon.com/datazone/latest/APIReference/API_CreateAssetType.html) /// - /// - Parameter CreateAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssetInput`) /// - /// - Returns: `CreateAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1110,7 +1100,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssetOutput.httpOutput(from:), CreateAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1150,9 +1139,9 @@ extension DataZoneClient { /// /// * You cannot specify both (columnConfiguration, rowConfiguration)at the same time. /// - /// - Parameter CreateAssetFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssetFilterInput`) /// - /// - Returns: `CreateAssetFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssetFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1194,7 +1183,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssetFilterOutput.httpOutput(from:), CreateAssetFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1236,9 +1224,9 @@ extension DataZoneClient { /// /// * User must have write access to the project and domain. /// - /// - Parameter CreateAssetRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssetRevisionInput`) /// - /// - Returns: `CreateAssetRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssetRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1279,7 +1267,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssetRevisionOutput.httpOutput(from:), CreateAssetRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1321,9 +1308,9 @@ extension DataZoneClient { /// /// * JSON input must be valid — incorrect formatting causes Invalid JSON errors. /// - /// - Parameter CreateAssetTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssetTypeInput`) /// - /// - Returns: `CreateAssetTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssetTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1363,7 +1350,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssetTypeOutput.httpOutput(from:), CreateAssetTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1395,9 +1381,9 @@ extension DataZoneClient { /// /// Creates a new connection. In Amazon DataZone, a connection enables you to connect your resources (domains, projects, and environments) to external resources and services. /// - /// - Parameter CreateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionInput`) /// - /// - Returns: `CreateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1439,7 +1425,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionOutput.httpOutput(from:), CreateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1479,9 +1464,9 @@ extension DataZoneClient { /// /// * User must have create permissions for data products in the project. /// - /// - Parameter CreateDataProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataProductInput`) /// - /// - Returns: `CreateDataProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1523,7 +1508,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataProductOutput.httpOutput(from:), CreateDataProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1563,9 +1547,9 @@ extension DataZoneClient { /// /// * The new revision name must comply with naming constraints (if required). /// - /// - Parameter CreateDataProductRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataProductRevisionInput`) /// - /// - Returns: `CreateDataProductRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataProductRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1606,7 +1590,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataProductRevisionOutput.httpOutput(from:), CreateDataProductRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1638,9 +1621,9 @@ extension DataZoneClient { /// /// Creates an Amazon DataZone data source. /// - /// - Parameter CreateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSourceInput`) /// - /// - Returns: `CreateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1682,7 +1665,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSourceOutput.httpOutput(from:), CreateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1714,9 +1696,9 @@ extension DataZoneClient { /// /// Creates an Amazon DataZone domain. /// - /// - Parameter CreateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainInput`) /// - /// - Returns: `CreateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1758,7 +1740,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainOutput.httpOutput(from:), CreateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1790,9 +1771,9 @@ extension DataZoneClient { /// /// Creates a domain unit in Amazon DataZone. /// - /// - Parameter CreateDomainUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainUnitInput`) /// - /// - Returns: `CreateDomainUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1833,7 +1814,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainUnitOutput.httpOutput(from:), CreateDomainUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1865,9 +1845,9 @@ extension DataZoneClient { /// /// Create an Amazon DataZone environment. /// - /// - Parameter CreateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentInput`) /// - /// - Returns: `CreateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1907,7 +1887,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentOutput.httpOutput(from:), CreateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1939,9 +1918,9 @@ extension DataZoneClient { /// /// Creates an action for the environment, for example, creates a console link for an analytics tool that is available in this environment. /// - /// - Parameter CreateEnvironmentActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentActionInput`) /// - /// - Returns: `CreateEnvironmentActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1981,7 +1960,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentActionOutput.httpOutput(from:), CreateEnvironmentActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2013,9 +1991,9 @@ extension DataZoneClient { /// /// Creates a Amazon DataZone blueprint. /// - /// - Parameter CreateEnvironmentBlueprintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentBlueprintInput`) /// - /// - Returns: `CreateEnvironmentBlueprintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2056,7 +2034,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentBlueprintOutput.httpOutput(from:), CreateEnvironmentBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2088,9 +2065,9 @@ extension DataZoneClient { /// /// Creates an Amazon DataZone environment profile. /// - /// - Parameter CreateEnvironmentProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentProfileInput`) /// - /// - Returns: `CreateEnvironmentProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2131,7 +2108,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentProfileOutput.httpOutput(from:), CreateEnvironmentProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2172,9 +2148,9 @@ extension DataZoneClient { /// /// For custom form types, to indicate that a field should be searchable, annotate it with @amazon.datazone#searchable. By default, searchable fields are indexed for semantic search, where related query terms will match the attribute value even if they are not stemmed or keyword matches. To indicate that a field should be indexed for lexical search (which disables semantic search but supports stemmed and partial matches), annotate it with @amazon.datazone#searchable(modes:["LEXICAL"]). To indicate that a field should be indexed for technical identifier search (for more information on technical identifier search, see: [https://aws.amazon.com/blogs/big-data/streamline-data-discovery-with-precise-technical-identifier-search-in-amazon-sagemaker-unified-studio/](https://aws.amazon.com/blogs/big-data/streamline-data-discovery-with-precise-technical-identifier-search-in-amazon-sagemaker-unified-studio/)), annotate it with @amazon.datazone#searchable(modes:["TECHNICAL"]). To denote that a field will store glossary term ids (which are filterable via the Search/SearchListings APIs), annotate it with @amazon.datazone#glossaryterm("${GLOSSARY_ID}"), where ${GLOSSARY_ID} is the id of the glossary that the glossary terms stored in the field belong to. /// - /// - Parameter CreateFormTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFormTypeInput`) /// - /// - Returns: `CreateFormTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFormTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2214,7 +2190,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFormTypeOutput.httpOutput(from:), CreateFormTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2252,9 +2227,9 @@ extension DataZoneClient { /// /// * The glossary name must be unique within the domain. /// - /// - Parameter CreateGlossaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGlossaryInput`) /// - /// - Returns: `CreateGlossaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGlossaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2295,7 +2270,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGlossaryOutput.httpOutput(from:), CreateGlossaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2335,9 +2309,9 @@ extension DataZoneClient { /// /// * Ensure term does not conflict with existing terms in hierarchy. /// - /// - Parameter CreateGlossaryTermInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGlossaryTermInput`) /// - /// - Returns: `CreateGlossaryTermOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGlossaryTermOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2379,7 +2353,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGlossaryTermOutput.httpOutput(from:), CreateGlossaryTermOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2411,9 +2384,9 @@ extension DataZoneClient { /// /// Creates a group profile in Amazon DataZone. /// - /// - Parameter CreateGroupProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupProfileInput`) /// - /// - Returns: `CreateGroupProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2453,7 +2426,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupProfileOutput.httpOutput(from:), CreateGroupProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2485,9 +2457,9 @@ extension DataZoneClient { /// /// Publishes a listing (a record of an asset at a given time) or removes a listing from the catalog. /// - /// - Parameter CreateListingChangeSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateListingChangeSetInput`) /// - /// - Returns: `CreateListingChangeSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateListingChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2529,7 +2501,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateListingChangeSetOutput.httpOutput(from:), CreateListingChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2561,9 +2532,9 @@ extension DataZoneClient { /// /// Creates an Amazon DataZone project. /// - /// - Parameter CreateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectInput`) /// - /// - Returns: `CreateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2604,7 +2575,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectOutput.httpOutput(from:), CreateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2636,9 +2606,9 @@ extension DataZoneClient { /// /// Creates a project membership in Amazon DataZone. /// - /// - Parameter CreateProjectMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectMembershipInput`) /// - /// - Returns: `CreateProjectMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2677,7 +2647,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectMembershipOutput.httpOutput(from:), CreateProjectMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2709,9 +2678,9 @@ extension DataZoneClient { /// /// Creates a project profile. /// - /// - Parameter CreateProjectProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectProfileInput`) /// - /// - Returns: `CreateProjectProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2752,7 +2721,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectProfileOutput.httpOutput(from:), CreateProjectProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2784,9 +2752,9 @@ extension DataZoneClient { /// /// Creates a rule in Amazon DataZone. A rule is a formal agreement that enforces specific requirements across user workflows (e.g., publishing assets to the catalog, requesting subscriptions, creating projects) within the Amazon DataZone data portal. These rules help maintain consistency, ensure compliance, and uphold governance standards in data management processes. For instance, a metadata enforcement rule can specify the required information for creating a subscription request or publishing a data asset to the catalog, ensuring alignment with organizational standards. /// - /// - Parameter CreateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleInput`) /// - /// - Returns: `CreateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2828,7 +2796,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleOutput.httpOutput(from:), CreateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2860,9 +2827,9 @@ extension DataZoneClient { /// /// Creates a subsscription grant in Amazon DataZone. /// - /// - Parameter CreateSubscriptionGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubscriptionGrantInput`) /// - /// - Returns: `CreateSubscriptionGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubscriptionGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2903,7 +2870,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubscriptionGrantOutput.httpOutput(from:), CreateSubscriptionGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2935,9 +2901,9 @@ extension DataZoneClient { /// /// Creates a subscription request in Amazon DataZone. /// - /// - Parameter CreateSubscriptionRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubscriptionRequestInput`) /// - /// - Returns: `CreateSubscriptionRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubscriptionRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2978,7 +2944,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubscriptionRequestOutput.httpOutput(from:), CreateSubscriptionRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3010,9 +2975,9 @@ extension DataZoneClient { /// /// Creates a subscription target in Amazon DataZone. /// - /// - Parameter CreateSubscriptionTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubscriptionTargetInput`) /// - /// - Returns: `CreateSubscriptionTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubscriptionTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3053,7 +3018,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubscriptionTargetOutput.httpOutput(from:), CreateSubscriptionTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3085,9 +3049,9 @@ extension DataZoneClient { /// /// Creates a user profile in Amazon DataZone. /// - /// - Parameter CreateUserProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserProfileInput`) /// - /// - Returns: `CreateUserProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3127,7 +3091,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserProfileOutput.httpOutput(from:), CreateUserProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3159,9 +3122,9 @@ extension DataZoneClient { /// /// Deletes an account pool. /// - /// - Parameter DeleteAccountPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountPoolInput`) /// - /// - Returns: `DeleteAccountPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3197,7 +3160,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountPoolOutput.httpOutput(from:), DeleteAccountPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3239,9 +3201,9 @@ extension DataZoneClient { /// /// * User must have delete permissions for the domain and project. /// - /// - Parameter DeleteAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssetInput`) /// - /// - Returns: `DeleteAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3278,7 +3240,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssetOutput.httpOutput(from:), DeleteAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3316,9 +3277,9 @@ extension DataZoneClient { /// /// * Ensure the --identifier refers to a valid filter ID. /// - /// - Parameter DeleteAssetFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssetFilterInput`) /// - /// - Returns: `DeleteAssetFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssetFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3355,7 +3316,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssetFilterOutput.httpOutput(from:), DeleteAssetFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3395,9 +3355,9 @@ extension DataZoneClient { /// /// * You should retrieve the asset type using get-asset-type to confirm its presence before deletion. /// - /// - Parameter DeleteAssetTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssetTypeInput`) /// - /// - Returns: `DeleteAssetTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssetTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3434,7 +3394,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssetTypeOutput.httpOutput(from:), DeleteAssetTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3466,9 +3425,9 @@ extension DataZoneClient { /// /// Deletes and connection. In Amazon DataZone, a connection enables you to connect your resources (domains, projects, and environments) to external resources and services. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3504,7 +3463,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3542,9 +3500,9 @@ extension DataZoneClient { /// /// * Domain and project must be active. /// - /// - Parameter DeleteDataProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataProductInput`) /// - /// - Returns: `DeleteDataProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3581,7 +3539,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataProductOutput.httpOutput(from:), DeleteDataProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3613,9 +3570,9 @@ extension DataZoneClient { /// /// Deletes a data source in Amazon DataZone. /// - /// - Parameter DeleteDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataSourceInput`) /// - /// - Returns: `DeleteDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3655,7 +3612,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDataSourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSourceOutput.httpOutput(from:), DeleteDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3687,9 +3643,9 @@ extension DataZoneClient { /// /// Deletes a Amazon DataZone domain. /// - /// - Parameter DeleteDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainInput`) /// - /// - Returns: `DeleteDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3728,7 +3684,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainOutput.httpOutput(from:), DeleteDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3760,9 +3715,9 @@ extension DataZoneClient { /// /// Deletes a domain unit. /// - /// - Parameter DeleteDomainUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainUnitInput`) /// - /// - Returns: `DeleteDomainUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3799,7 +3754,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainUnitOutput.httpOutput(from:), DeleteDomainUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3831,9 +3785,9 @@ extension DataZoneClient { /// /// Deletes an environment in Amazon DataZone. /// - /// - Parameter DeleteEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentInput`) /// - /// - Returns: `DeleteEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3869,7 +3823,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentOutput.httpOutput(from:), DeleteEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3901,9 +3854,9 @@ extension DataZoneClient { /// /// Deletes an action for the environment, for example, deletes a console link for an analytics tool that is available in this environment. /// - /// - Parameter DeleteEnvironmentActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentActionInput`) /// - /// - Returns: `DeleteEnvironmentActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3940,7 +3893,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentActionOutput.httpOutput(from:), DeleteEnvironmentActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3972,9 +3924,9 @@ extension DataZoneClient { /// /// Deletes a blueprint in Amazon DataZone. /// - /// - Parameter DeleteEnvironmentBlueprintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentBlueprintInput`) /// - /// - Returns: `DeleteEnvironmentBlueprintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4011,7 +3963,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentBlueprintOutput.httpOutput(from:), DeleteEnvironmentBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4043,9 +3994,9 @@ extension DataZoneClient { /// /// Deletes the blueprint configuration in Amazon DataZone. /// - /// - Parameter DeleteEnvironmentBlueprintConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentBlueprintConfigurationInput`) /// - /// - Returns: `DeleteEnvironmentBlueprintConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentBlueprintConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4080,7 +4031,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentBlueprintConfigurationOutput.httpOutput(from:), DeleteEnvironmentBlueprintConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4112,9 +4062,9 @@ extension DataZoneClient { /// /// Deletes an environment profile in Amazon DataZone. /// - /// - Parameter DeleteEnvironmentProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentProfileInput`) /// - /// - Returns: `DeleteEnvironmentProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4150,7 +4100,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentProfileOutput.httpOutput(from:), DeleteEnvironmentProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4192,9 +4141,9 @@ extension DataZoneClient { /// /// * Any dependencies (such as linked asset types) must be removed first. /// - /// - Parameter DeleteFormTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFormTypeInput`) /// - /// - Returns: `DeleteFormTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFormTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4231,7 +4180,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFormTypeOutput.httpOutput(from:), DeleteFormTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4273,9 +4221,9 @@ extension DataZoneClient { /// /// * Glossary should not be linked to any active metadata forms. /// - /// - Parameter DeleteGlossaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGlossaryInput`) /// - /// - Returns: `DeleteGlossaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGlossaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4312,7 +4260,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGlossaryOutput.httpOutput(from:), DeleteGlossaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4352,9 +4299,9 @@ extension DataZoneClient { /// /// * Ensure all associations (such as to assets or parent terms) are removed before deletion. /// - /// - Parameter DeleteGlossaryTermInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGlossaryTermInput`) /// - /// - Returns: `DeleteGlossaryTermOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGlossaryTermOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4391,7 +4338,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGlossaryTermOutput.httpOutput(from:), DeleteGlossaryTermOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4423,9 +4369,9 @@ extension DataZoneClient { /// /// Deletes a listing (a record of an asset at a given time). /// - /// - Parameter DeleteListingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteListingInput`) /// - /// - Returns: `DeleteListingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteListingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4462,7 +4408,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteListingOutput.httpOutput(from:), DeleteListingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4494,9 +4439,9 @@ extension DataZoneClient { /// /// Deletes a project in Amazon DataZone. /// - /// - Parameter DeleteProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectInput`) /// - /// - Returns: `DeleteProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4533,7 +4478,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteProjectInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectOutput.httpOutput(from:), DeleteProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4565,9 +4509,9 @@ extension DataZoneClient { /// /// Deletes project membership in Amazon DataZone. /// - /// - Parameter DeleteProjectMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectMembershipInput`) /// - /// - Returns: `DeleteProjectMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4607,7 +4551,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectMembershipOutput.httpOutput(from:), DeleteProjectMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4639,9 +4582,9 @@ extension DataZoneClient { /// /// Deletes a project profile. /// - /// - Parameter DeleteProjectProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectProfileInput`) /// - /// - Returns: `DeleteProjectProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4677,7 +4620,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectProfileOutput.httpOutput(from:), DeleteProjectProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4709,9 +4651,9 @@ extension DataZoneClient { /// /// Deletes a rule in Amazon DataZone. A rule is a formal agreement that enforces specific requirements across user workflows (e.g., publishing assets to the catalog, requesting subscriptions, creating projects) within the Amazon DataZone data portal. These rules help maintain consistency, ensure compliance, and uphold governance standards in data management processes. For instance, a metadata enforcement rule can specify the required information for creating a subscription request or publishing a data asset to the catalog, ensuring alignment with organizational standards. /// - /// - Parameter DeleteRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleInput`) /// - /// - Returns: `DeleteRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4748,7 +4690,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleOutput.httpOutput(from:), DeleteRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4780,9 +4721,9 @@ extension DataZoneClient { /// /// Deletes and subscription grant in Amazon DataZone. /// - /// - Parameter DeleteSubscriptionGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubscriptionGrantInput`) /// - /// - Returns: `DeleteSubscriptionGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubscriptionGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4819,7 +4760,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubscriptionGrantOutput.httpOutput(from:), DeleteSubscriptionGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4851,9 +4791,9 @@ extension DataZoneClient { /// /// Deletes a subscription request in Amazon DataZone. /// - /// - Parameter DeleteSubscriptionRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubscriptionRequestInput`) /// - /// - Returns: `DeleteSubscriptionRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubscriptionRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4890,7 +4830,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubscriptionRequestOutput.httpOutput(from:), DeleteSubscriptionRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4922,9 +4861,9 @@ extension DataZoneClient { /// /// Deletes a subscription target in Amazon DataZone. /// - /// - Parameter DeleteSubscriptionTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubscriptionTargetInput`) /// - /// - Returns: `DeleteSubscriptionTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubscriptionTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4961,7 +4900,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubscriptionTargetOutput.httpOutput(from:), DeleteSubscriptionTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4993,9 +4931,9 @@ extension DataZoneClient { /// /// Deletes the specified time series form for the specified asset. /// - /// - Parameter DeleteTimeSeriesDataPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTimeSeriesDataPointsInput`) /// - /// - Returns: `DeleteTimeSeriesDataPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTimeSeriesDataPointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5033,7 +4971,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteTimeSeriesDataPointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTimeSeriesDataPointsOutput.httpOutput(from:), DeleteTimeSeriesDataPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5065,9 +5002,9 @@ extension DataZoneClient { /// /// Disassociates the environment role in Amazon DataZone. /// - /// - Parameter DisassociateEnvironmentRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateEnvironmentRoleInput`) /// - /// - Returns: `DisassociateEnvironmentRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateEnvironmentRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5104,7 +5041,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateEnvironmentRoleOutput.httpOutput(from:), DisassociateEnvironmentRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5136,9 +5072,9 @@ extension DataZoneClient { /// /// Disassociates restricted terms from an asset. /// - /// - Parameter DisassociateGovernedTermsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateGovernedTermsInput`) /// - /// - Returns: `DisassociateGovernedTermsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateGovernedTermsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5178,7 +5114,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateGovernedTermsOutput.httpOutput(from:), DisassociateGovernedTermsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5210,9 +5145,9 @@ extension DataZoneClient { /// /// Gets the details of the account pool. /// - /// - Parameter GetAccountPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountPoolInput`) /// - /// - Returns: `GetAccountPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5248,7 +5183,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountPoolOutput.httpOutput(from:), GetAccountPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5286,9 +5220,9 @@ extension DataZoneClient { /// /// * User must have the required permissions to perform the action /// - /// - Parameter GetAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssetInput`) /// - /// - Returns: `GetAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5325,7 +5259,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAssetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssetOutput.httpOutput(from:), GetAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5363,9 +5296,9 @@ extension DataZoneClient { /// /// * The asset must still exist (since the filter is linked to it). /// - /// - Parameter GetAssetFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssetFilterInput`) /// - /// - Returns: `GetAssetFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssetFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5401,7 +5334,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssetFilterOutput.httpOutput(from:), GetAssetFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5439,9 +5371,9 @@ extension DataZoneClient { /// /// * Ensure the domain-identifier value is correct and accessible. /// - /// - Parameter GetAssetTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssetTypeInput`) /// - /// - Returns: `GetAssetTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssetTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5478,7 +5410,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAssetTypeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssetTypeOutput.httpOutput(from:), GetAssetTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5510,9 +5441,9 @@ extension DataZoneClient { /// /// Gets a connection. In Amazon DataZone, a connection enables you to connect your resources (domains, projects, and environments) to external resources and services. /// - /// - Parameter GetConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionInput`) /// - /// - Returns: `GetConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5549,7 +5480,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetConnectionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionOutput.httpOutput(from:), GetConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5587,9 +5517,9 @@ extension DataZoneClient { /// /// * User must have read or discovery permissions for the data product. /// - /// - Parameter GetDataProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataProductInput`) /// - /// - Returns: `GetDataProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5626,7 +5556,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDataProductInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataProductOutput.httpOutput(from:), GetDataProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5658,9 +5587,9 @@ extension DataZoneClient { /// /// Gets an Amazon DataZone data source. /// - /// - Parameter GetDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSourceInput`) /// - /// - Returns: `GetDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5698,7 +5627,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSourceOutput.httpOutput(from:), GetDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5730,9 +5658,9 @@ extension DataZoneClient { /// /// Gets an Amazon DataZone data source run. /// - /// - Parameter GetDataSourceRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSourceRunInput`) /// - /// - Returns: `GetDataSourceRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataSourceRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5770,7 +5698,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSourceRunOutput.httpOutput(from:), GetDataSourceRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5802,9 +5729,9 @@ extension DataZoneClient { /// /// Gets an Amazon DataZone domain. /// - /// - Parameter GetDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainInput`) /// - /// - Returns: `GetDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5841,7 +5768,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainOutput.httpOutput(from:), GetDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5873,9 +5799,9 @@ extension DataZoneClient { /// /// Gets the details of the specified domain unit. /// - /// - Parameter GetDomainUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainUnitInput`) /// - /// - Returns: `GetDomainUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5911,7 +5837,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainUnitOutput.httpOutput(from:), GetDomainUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5943,9 +5868,9 @@ extension DataZoneClient { /// /// Gets an Amazon DataZone environment. /// - /// - Parameter GetEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentInput`) /// - /// - Returns: `GetEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5981,7 +5906,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentOutput.httpOutput(from:), GetEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6013,9 +5937,9 @@ extension DataZoneClient { /// /// Gets the specified environment action. /// - /// - Parameter GetEnvironmentActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentActionInput`) /// - /// - Returns: `GetEnvironmentActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6051,7 +5975,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentActionOutput.httpOutput(from:), GetEnvironmentActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6083,9 +6006,9 @@ extension DataZoneClient { /// /// Gets an Amazon DataZone blueprint. /// - /// - Parameter GetEnvironmentBlueprintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentBlueprintInput`) /// - /// - Returns: `GetEnvironmentBlueprintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6121,7 +6044,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentBlueprintOutput.httpOutput(from:), GetEnvironmentBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6153,9 +6075,9 @@ extension DataZoneClient { /// /// Gets the blueprint configuration in Amazon DataZone. /// - /// - Parameter GetEnvironmentBlueprintConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentBlueprintConfigurationInput`) /// - /// - Returns: `GetEnvironmentBlueprintConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentBlueprintConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6191,7 +6113,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentBlueprintConfigurationOutput.httpOutput(from:), GetEnvironmentBlueprintConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6223,9 +6144,9 @@ extension DataZoneClient { /// /// Gets the credentials of an environment in Amazon DataZone. /// - /// - Parameter GetEnvironmentCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentCredentialsInput`) /// - /// - Returns: `GetEnvironmentCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6261,7 +6182,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentCredentialsOutput.httpOutput(from:), GetEnvironmentCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6293,9 +6213,9 @@ extension DataZoneClient { /// /// Gets an evinronment profile in Amazon DataZone. /// - /// - Parameter GetEnvironmentProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentProfileInput`) /// - /// - Returns: `GetEnvironmentProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6331,7 +6251,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentProfileOutput.httpOutput(from:), GetEnvironmentProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6374,9 +6293,9 @@ extension DataZoneClient { /// /// One use case for this API is to determine whether a form field is indexed for search. A searchable field will be annotated with @amazon.datazone#searchable. By default, searchable fields are indexed for semantic search, where related query terms will match the attribute value even if they are not stemmed or keyword matches. If a field is indexed technical identifier search, it will be annotated with @amazon.datazone#searchable(modes:["TECHNICAL"]). If a field is indexed for lexical search (supports stemmed and prefix matches but not semantic matches), it will be annotated with @amazon.datazone#searchable(modes:["LEXICAL"]). A field storing glossary term IDs (which is filterable) will be annotated with @amazon.datazone#glossaryterm("${glossaryId}"). /// - /// - Parameter GetFormTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFormTypeInput`) /// - /// - Returns: `GetFormTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFormTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6413,7 +6332,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFormTypeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFormTypeOutput.httpOutput(from:), GetFormTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6449,9 +6367,9 @@ extension DataZoneClient { /// /// * The caller must have the datazone:GetGlossary permission on the domain. /// - /// - Parameter GetGlossaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGlossaryInput`) /// - /// - Returns: `GetGlossaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGlossaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6487,7 +6405,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGlossaryOutput.httpOutput(from:), GetGlossaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6525,9 +6442,9 @@ extension DataZoneClient { /// /// * Domain must be accessible and active. /// - /// - Parameter GetGlossaryTermInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGlossaryTermInput`) /// - /// - Returns: `GetGlossaryTermOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGlossaryTermOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6563,7 +6480,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGlossaryTermOutput.httpOutput(from:), GetGlossaryTermOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6595,9 +6511,9 @@ extension DataZoneClient { /// /// Gets a group profile in Amazon DataZone. /// - /// - Parameter GetGroupProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupProfileInput`) /// - /// - Returns: `GetGroupProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6633,7 +6549,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupProfileOutput.httpOutput(from:), GetGroupProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6665,9 +6580,9 @@ extension DataZoneClient { /// /// Gets the data portal URL for the specified Amazon DataZone domain. /// - /// - Parameter GetIamPortalLoginUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIamPortalLoginUrlInput`) /// - /// - Returns: `GetIamPortalLoginUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIamPortalLoginUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6704,7 +6619,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIamPortalLoginUrlOutput.httpOutput(from:), GetIamPortalLoginUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6736,9 +6650,9 @@ extension DataZoneClient { /// /// The details of the job run. /// - /// - Parameter GetJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobRunInput`) /// - /// - Returns: `GetJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6774,7 +6688,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobRunOutput.httpOutput(from:), GetJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6806,9 +6719,9 @@ extension DataZoneClient { /// /// Describes the lineage event. /// - /// - Parameter GetLineageEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLineageEventInput`) /// - /// - Returns: `GetLineageEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLineageEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6844,7 +6757,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLineageEventOutput.httpOutput(from:), GetLineageEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6876,9 +6788,9 @@ extension DataZoneClient { /// /// Gets the data lineage node. /// - /// - Parameter GetLineageNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLineageNodeInput`) /// - /// - Returns: `GetLineageNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLineageNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6915,7 +6827,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLineageNodeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLineageNodeOutput.httpOutput(from:), GetLineageNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6947,9 +6858,9 @@ extension DataZoneClient { /// /// Gets a listing (a record of an asset at a given time). If you specify a listing version, only details that are specific to that version are returned. /// - /// - Parameter GetListingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetListingInput`) /// - /// - Returns: `GetListingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetListingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6986,7 +6897,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetListingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetListingOutput.httpOutput(from:), GetListingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7024,9 +6934,9 @@ extension DataZoneClient { /// /// * User must have read access to the metadata run. /// - /// - Parameter GetMetadataGenerationRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetadataGenerationRunInput`) /// - /// - Returns: `GetMetadataGenerationRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetadataGenerationRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7062,7 +6972,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetadataGenerationRunOutput.httpOutput(from:), GetMetadataGenerationRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7094,9 +7003,9 @@ extension DataZoneClient { /// /// Gets a project in Amazon DataZone. /// - /// - Parameter GetProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProjectInput`) /// - /// - Returns: `GetProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7132,7 +7041,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProjectOutput.httpOutput(from:), GetProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7164,9 +7072,9 @@ extension DataZoneClient { /// /// The details of the project profile. /// - /// - Parameter GetProjectProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProjectProfileInput`) /// - /// - Returns: `GetProjectProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProjectProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7202,7 +7110,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProjectProfileOutput.httpOutput(from:), GetProjectProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7234,9 +7141,9 @@ extension DataZoneClient { /// /// Gets the details of a rule in Amazon DataZone. A rule is a formal agreement that enforces specific requirements across user workflows (e.g., publishing assets to the catalog, requesting subscriptions, creating projects) within the Amazon DataZone data portal. These rules help maintain consistency, ensure compliance, and uphold governance standards in data management processes. For instance, a metadata enforcement rule can specify the required information for creating a subscription request or publishing a data asset to the catalog, ensuring alignment with organizational standards. /// - /// - Parameter GetRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuleInput`) /// - /// - Returns: `GetRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7273,7 +7180,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRuleInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuleOutput.httpOutput(from:), GetRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7305,9 +7211,9 @@ extension DataZoneClient { /// /// Gets a subscription in Amazon DataZone. /// - /// - Parameter GetSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubscriptionInput`) /// - /// - Returns: `GetSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7343,7 +7249,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubscriptionOutput.httpOutput(from:), GetSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7375,9 +7280,9 @@ extension DataZoneClient { /// /// Gets the subscription grant in Amazon DataZone. /// - /// - Parameter GetSubscriptionGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubscriptionGrantInput`) /// - /// - Returns: `GetSubscriptionGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubscriptionGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7413,7 +7318,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubscriptionGrantOutput.httpOutput(from:), GetSubscriptionGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7445,9 +7349,9 @@ extension DataZoneClient { /// /// Gets the details of the specified subscription request. /// - /// - Parameter GetSubscriptionRequestDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubscriptionRequestDetailsInput`) /// - /// - Returns: `GetSubscriptionRequestDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubscriptionRequestDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7483,7 +7387,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubscriptionRequestDetailsOutput.httpOutput(from:), GetSubscriptionRequestDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7515,9 +7418,9 @@ extension DataZoneClient { /// /// Gets the subscription target in Amazon DataZone. /// - /// - Parameter GetSubscriptionTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubscriptionTargetInput`) /// - /// - Returns: `GetSubscriptionTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubscriptionTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7553,7 +7456,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubscriptionTargetOutput.httpOutput(from:), GetSubscriptionTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7585,9 +7487,9 @@ extension DataZoneClient { /// /// Gets the existing data point for the asset. /// - /// - Parameter GetTimeSeriesDataPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTimeSeriesDataPointInput`) /// - /// - Returns: `GetTimeSeriesDataPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTimeSeriesDataPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7624,7 +7526,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTimeSeriesDataPointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTimeSeriesDataPointOutput.httpOutput(from:), GetTimeSeriesDataPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7656,9 +7557,9 @@ extension DataZoneClient { /// /// Gets a user profile in Amazon DataZone. /// - /// - Parameter GetUserProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserProfileInput`) /// - /// - Returns: `GetUserProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7695,7 +7596,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetUserProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserProfileOutput.httpOutput(from:), GetUserProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7727,9 +7627,9 @@ extension DataZoneClient { /// /// Lists existing account pools. /// - /// - Parameter ListAccountPoolsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountPoolsInput`) /// - /// - Returns: `ListAccountPoolsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountPoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7765,7 +7665,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccountPoolsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountPoolsOutput.httpOutput(from:), ListAccountPoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7797,9 +7696,9 @@ extension DataZoneClient { /// /// Lists the accounts in the specified account pool. /// - /// - Parameter ListAccountsInAccountPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountsInAccountPoolInput`) /// - /// - Returns: `ListAccountsInAccountPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountsInAccountPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7836,7 +7735,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccountsInAccountPoolInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountsInAccountPoolOutput.httpOutput(from:), ListAccountsInAccountPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7872,9 +7770,9 @@ extension DataZoneClient { /// /// * The asset must have at least one filter created to return results. /// - /// - Parameter ListAssetFiltersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetFiltersInput`) /// - /// - Returns: `ListAssetFiltersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetFiltersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7911,7 +7809,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetFiltersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetFiltersOutput.httpOutput(from:), ListAssetFiltersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7951,9 +7848,9 @@ extension DataZoneClient { /// /// * User must have permissions on the asset and domain. /// - /// - Parameter ListAssetRevisionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetRevisionsInput`) /// - /// - Returns: `ListAssetRevisionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7990,7 +7887,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetRevisionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetRevisionsOutput.httpOutput(from:), ListAssetRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8022,9 +7918,9 @@ extension DataZoneClient { /// /// Lists connections. In Amazon DataZone, a connection enables you to connect your resources (domains, projects, and environments) to external resources and services. /// - /// - Parameter ListConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectionsInput`) /// - /// - Returns: `ListConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8060,7 +7956,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectionsOutput.httpOutput(from:), ListConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8098,9 +7993,9 @@ extension DataZoneClient { /// /// * The domain must be in a valid and accessible state. /// - /// - Parameter ListDataProductRevisionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataProductRevisionsInput`) /// - /// - Returns: `ListDataProductRevisionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataProductRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8137,7 +8032,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataProductRevisionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataProductRevisionsOutput.httpOutput(from:), ListDataProductRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8169,9 +8063,9 @@ extension DataZoneClient { /// /// Lists data source run activities. /// - /// - Parameter ListDataSourceRunActivitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSourceRunActivitiesInput`) /// - /// - Returns: `ListDataSourceRunActivitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSourceRunActivitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8210,7 +8104,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSourceRunActivitiesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourceRunActivitiesOutput.httpOutput(from:), ListDataSourceRunActivitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8242,9 +8135,9 @@ extension DataZoneClient { /// /// Lists data source runs in Amazon DataZone. /// - /// - Parameter ListDataSourceRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSourceRunsInput`) /// - /// - Returns: `ListDataSourceRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSourceRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8283,7 +8176,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSourceRunsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourceRunsOutput.httpOutput(from:), ListDataSourceRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8315,9 +8207,9 @@ extension DataZoneClient { /// /// Lists data sources in Amazon DataZone. /// - /// - Parameter ListDataSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSourcesInput`) /// - /// - Returns: `ListDataSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8356,7 +8248,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourcesOutput.httpOutput(from:), ListDataSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8388,9 +8279,9 @@ extension DataZoneClient { /// /// Lists child domain units for the specified parent domain unit. /// - /// - Parameter ListDomainUnitsForParentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainUnitsForParentInput`) /// - /// - Returns: `ListDomainUnitsForParentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainUnitsForParentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8426,7 +8317,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainUnitsForParentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainUnitsForParentOutput.httpOutput(from:), ListDomainUnitsForParentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8458,9 +8348,9 @@ extension DataZoneClient { /// /// Lists Amazon DataZone domains. /// - /// - Parameter ListDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainsInput`) /// - /// - Returns: `ListDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8499,7 +8389,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsOutput.httpOutput(from:), ListDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8531,9 +8420,9 @@ extension DataZoneClient { /// /// Lists the entity (domain units) owners. /// - /// - Parameter ListEntityOwnersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntityOwnersInput`) /// - /// - Returns: `ListEntityOwnersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntityOwnersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8569,7 +8458,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEntityOwnersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntityOwnersOutput.httpOutput(from:), ListEntityOwnersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8601,9 +8489,9 @@ extension DataZoneClient { /// /// Lists existing environment actions. /// - /// - Parameter ListEnvironmentActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentActionsInput`) /// - /// - Returns: `ListEnvironmentActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8639,7 +8527,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentActionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentActionsOutput.httpOutput(from:), ListEnvironmentActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8671,9 +8558,9 @@ extension DataZoneClient { /// /// Lists blueprint configurations for a Amazon DataZone environment. /// - /// - Parameter ListEnvironmentBlueprintConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentBlueprintConfigurationsInput`) /// - /// - Returns: `ListEnvironmentBlueprintConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentBlueprintConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8710,7 +8597,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentBlueprintConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentBlueprintConfigurationsOutput.httpOutput(from:), ListEnvironmentBlueprintConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8742,9 +8628,9 @@ extension DataZoneClient { /// /// Lists blueprints in an Amazon DataZone environment. /// - /// - Parameter ListEnvironmentBlueprintsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentBlueprintsInput`) /// - /// - Returns: `ListEnvironmentBlueprintsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentBlueprintsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8781,7 +8667,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentBlueprintsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentBlueprintsOutput.httpOutput(from:), ListEnvironmentBlueprintsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8813,9 +8698,9 @@ extension DataZoneClient { /// /// Lists Amazon DataZone environment profiles. /// - /// - Parameter ListEnvironmentProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentProfilesInput`) /// - /// - Returns: `ListEnvironmentProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8851,7 +8736,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentProfilesOutput.httpOutput(from:), ListEnvironmentProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8883,9 +8767,9 @@ extension DataZoneClient { /// /// Lists Amazon DataZone environments. /// - /// - Parameter ListEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentsInput`) /// - /// - Returns: `ListEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8921,7 +8805,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentsOutput.httpOutput(from:), ListEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8953,9 +8836,9 @@ extension DataZoneClient { /// /// Lists job runs. /// - /// - Parameter ListJobRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobRunsInput`) /// - /// - Returns: `ListJobRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8992,7 +8875,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobRunsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobRunsOutput.httpOutput(from:), ListJobRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9024,9 +8906,9 @@ extension DataZoneClient { /// /// Lists lineage events. /// - /// - Parameter ListLineageEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLineageEventsInput`) /// - /// - Returns: `ListLineageEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLineageEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9062,7 +8944,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLineageEventsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLineageEventsOutput.httpOutput(from:), ListLineageEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9094,9 +8975,9 @@ extension DataZoneClient { /// /// Lists the history of the specified data lineage node. /// - /// - Parameter ListLineageNodeHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLineageNodeHistoryInput`) /// - /// - Returns: `ListLineageNodeHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLineageNodeHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9133,7 +9014,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLineageNodeHistoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLineageNodeHistoryOutput.httpOutput(from:), ListLineageNodeHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9169,9 +9049,9 @@ extension DataZoneClient { /// /// * User must have access to metadata generation runs in the domain. /// - /// - Parameter ListMetadataGenerationRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMetadataGenerationRunsInput`) /// - /// - Returns: `ListMetadataGenerationRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMetadataGenerationRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9208,7 +9088,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMetadataGenerationRunsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMetadataGenerationRunsOutput.httpOutput(from:), ListMetadataGenerationRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9240,9 +9119,9 @@ extension DataZoneClient { /// /// Lists all Amazon DataZone notifications. /// - /// - Parameter ListNotificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotificationsInput`) /// - /// - Returns: `ListNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9279,7 +9158,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNotificationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotificationsOutput.httpOutput(from:), ListNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9311,9 +9189,9 @@ extension DataZoneClient { /// /// Lists policy grants. /// - /// - Parameter ListPolicyGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPolicyGrantsInput`) /// - /// - Returns: `ListPolicyGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPolicyGrantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9349,7 +9227,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPolicyGrantsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPolicyGrantsOutput.httpOutput(from:), ListPolicyGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9381,9 +9258,9 @@ extension DataZoneClient { /// /// Lists all members of the specified project. /// - /// - Parameter ListProjectMembershipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectMembershipsInput`) /// - /// - Returns: `ListProjectMembershipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectMembershipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9420,7 +9297,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProjectMembershipsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectMembershipsOutput.httpOutput(from:), ListProjectMembershipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9452,9 +9328,9 @@ extension DataZoneClient { /// /// Lists project profiles. /// - /// - Parameter ListProjectProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectProfilesInput`) /// - /// - Returns: `ListProjectProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9490,7 +9366,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProjectProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectProfilesOutput.httpOutput(from:), ListProjectProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9522,9 +9397,9 @@ extension DataZoneClient { /// /// Lists Amazon DataZone projects. /// - /// - Parameter ListProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectsInput`) /// - /// - Returns: `ListProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9560,7 +9435,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProjectsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectsOutput.httpOutput(from:), ListProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9592,9 +9466,9 @@ extension DataZoneClient { /// /// Lists existing rules. In Amazon DataZone, a rule is a formal agreement that enforces specific requirements across user workflows (e.g., publishing assets to the catalog, requesting subscriptions, creating projects) within the Amazon DataZone data portal. These rules help maintain consistency, ensure compliance, and uphold governance standards in data management processes. For instance, a metadata enforcement rule can specify the required information for creating a subscription request or publishing a data asset to the catalog, ensuring alignment with organizational standards. /// - /// - Parameter ListRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesInput`) /// - /// - Returns: `ListRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9631,7 +9505,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesOutput.httpOutput(from:), ListRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9663,9 +9536,9 @@ extension DataZoneClient { /// /// Lists subscription grants. /// - /// - Parameter ListSubscriptionGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscriptionGrantsInput`) /// - /// - Returns: `ListSubscriptionGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscriptionGrantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9702,7 +9575,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubscriptionGrantsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscriptionGrantsOutput.httpOutput(from:), ListSubscriptionGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9734,9 +9606,9 @@ extension DataZoneClient { /// /// Lists Amazon DataZone subscription requests. /// - /// - Parameter ListSubscriptionRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscriptionRequestsInput`) /// - /// - Returns: `ListSubscriptionRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscriptionRequestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9773,7 +9645,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubscriptionRequestsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscriptionRequestsOutput.httpOutput(from:), ListSubscriptionRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9805,9 +9676,9 @@ extension DataZoneClient { /// /// Lists subscription targets in Amazon DataZone. /// - /// - Parameter ListSubscriptionTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscriptionTargetsInput`) /// - /// - Returns: `ListSubscriptionTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscriptionTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9844,7 +9715,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubscriptionTargetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscriptionTargetsOutput.httpOutput(from:), ListSubscriptionTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9876,9 +9746,9 @@ extension DataZoneClient { /// /// Lists subscriptions in Amazon DataZone. /// - /// - Parameter ListSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscriptionsInput`) /// - /// - Returns: `ListSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9915,7 +9785,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubscriptionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscriptionsOutput.httpOutput(from:), ListSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9947,9 +9816,9 @@ extension DataZoneClient { /// /// Lists tags for the specified resource in Amazon DataZone. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9985,7 +9854,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10017,9 +9885,9 @@ extension DataZoneClient { /// /// Lists time series data points. /// - /// - Parameter ListTimeSeriesDataPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTimeSeriesDataPointsInput`) /// - /// - Returns: `ListTimeSeriesDataPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTimeSeriesDataPointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10056,7 +9924,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTimeSeriesDataPointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTimeSeriesDataPointsOutput.httpOutput(from:), ListTimeSeriesDataPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10088,9 +9955,9 @@ extension DataZoneClient { /// /// Posts a data lineage event. /// - /// - Parameter PostLineageEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PostLineageEventInput`) /// - /// - Returns: `PostLineageEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PostLineageEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10133,7 +10000,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostLineageEventOutput.httpOutput(from:), PostLineageEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10165,9 +10031,9 @@ extension DataZoneClient { /// /// Posts time series data points to Amazon DataZone for the specified asset. /// - /// - Parameter PostTimeSeriesDataPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PostTimeSeriesDataPointsInput`) /// - /// - Returns: `PostTimeSeriesDataPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PostTimeSeriesDataPointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10209,7 +10075,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostTimeSeriesDataPointsOutput.httpOutput(from:), PostTimeSeriesDataPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10241,9 +10106,9 @@ extension DataZoneClient { /// /// Writes the configuration for the specified environment blueprint in Amazon DataZone. /// - /// - Parameter PutEnvironmentBlueprintConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEnvironmentBlueprintConfigurationInput`) /// - /// - Returns: `PutEnvironmentBlueprintConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEnvironmentBlueprintConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10283,7 +10148,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEnvironmentBlueprintConfigurationOutput.httpOutput(from:), PutEnvironmentBlueprintConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10315,9 +10179,9 @@ extension DataZoneClient { /// /// Rejects automatically generated business-friendly metadata for your Amazon DataZone assets. /// - /// - Parameter RejectPredictionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectPredictionsInput`) /// - /// - Returns: `RejectPredictionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectPredictionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10359,7 +10223,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectPredictionsOutput.httpOutput(from:), RejectPredictionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10391,9 +10254,9 @@ extension DataZoneClient { /// /// Rejects the specified subscription request. /// - /// - Parameter RejectSubscriptionRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectSubscriptionRequestInput`) /// - /// - Returns: `RejectSubscriptionRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectSubscriptionRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10433,7 +10296,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectSubscriptionRequestOutput.httpOutput(from:), RejectSubscriptionRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10465,9 +10327,9 @@ extension DataZoneClient { /// /// Removes an owner from an entity. /// - /// - Parameter RemoveEntityOwnerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveEntityOwnerInput`) /// - /// - Returns: `RemoveEntityOwnerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveEntityOwnerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10507,7 +10369,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveEntityOwnerOutput.httpOutput(from:), RemoveEntityOwnerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10539,9 +10400,9 @@ extension DataZoneClient { /// /// Removes a policy grant. /// - /// - Parameter RemovePolicyGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemovePolicyGrantInput`) /// - /// - Returns: `RemovePolicyGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemovePolicyGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10580,7 +10441,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemovePolicyGrantOutput.httpOutput(from:), RemovePolicyGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10612,9 +10472,9 @@ extension DataZoneClient { /// /// Revokes a specified subscription in Amazon DataZone. /// - /// - Parameter RevokeSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeSubscriptionInput`) /// - /// - Returns: `RevokeSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10654,7 +10514,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeSubscriptionOutput.httpOutput(from:), RevokeSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10696,9 +10555,9 @@ extension DataZoneClient { /// /// * For paginated results, be prepared to use --next-token to fetch additional pages. /// - /// - Parameter SearchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchInput`) /// - /// - Returns: `SearchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10736,7 +10595,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchOutput.httpOutput(from:), SearchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10768,9 +10626,9 @@ extension DataZoneClient { /// /// Searches group profiles in Amazon DataZone. /// - /// - Parameter SearchGroupProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchGroupProfilesInput`) /// - /// - Returns: `SearchGroupProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchGroupProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10809,7 +10667,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchGroupProfilesOutput.httpOutput(from:), SearchGroupProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10841,9 +10698,9 @@ extension DataZoneClient { /// /// Searches listings in Amazon DataZone. SearchListings is a powerful capability that enables users to discover and explore published assets and data products across their organization. It provides both basic and advanced search functionality, allowing users to find resources based on names, descriptions, metadata, and other attributes. SearchListings also supports filtering using various criteria such as creation date, owner, or status. This API is essential for making the wealth of data resources in an organization discoverable and usable, helping users find the right data for their needs quickly and efficiently. SearchListings returns results in a paginated format. When the result set is large, the response will include a nextToken, which can be used to retrieve the next page of results. The SearchListings API gives users flexibility in specifying what kind of search is run. To run a free-text search, the searchText parameter must be supplied. By default, all searchable fields are indexed for semantic search and will return semantic matches for SearchListings queries. To prevent semantic search indexing for a custom form attribute, see the [CreateFormType API documentation](https://docs.aws.amazon.com/datazone/latest/APIReference/API_CreateFormType.html). To run a lexical search query, enclose the query with double quotes (""). This will disable semantic search even for fields that have semantic search enabled and will only return results that contain the keywords wrapped by double quotes (order of tokens in the query is not enforced). Free-text search is supported for all attributes annotated with @amazon.datazone#searchable. To run a filtered search, provide filter clause using the filters parameter. To filter on glossary terms, use the special attribute __DataZoneGlossaryTerms. To find out whether an attribute has been annotated and indexed for a given search type, use the GetFormType API to retrieve the form containing the attribute. /// - /// - Parameter SearchListingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchListingsInput`) /// - /// - Returns: `SearchListingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchListingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10881,7 +10738,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchListingsOutput.httpOutput(from:), SearchListingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10925,9 +10781,9 @@ extension DataZoneClient { /// /// * Filters contain correct structure (attribute, value, operator). /// - /// - Parameter SearchTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchTypesInput`) /// - /// - Returns: `SearchTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10965,7 +10821,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchTypesOutput.httpOutput(from:), SearchTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10997,9 +10852,9 @@ extension DataZoneClient { /// /// Searches user profiles in Amazon DataZone. /// - /// - Parameter SearchUserProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchUserProfilesInput`) /// - /// - Returns: `SearchUserProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchUserProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11038,7 +10893,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchUserProfilesOutput.httpOutput(from:), SearchUserProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11070,9 +10924,9 @@ extension DataZoneClient { /// /// Start the run of the specified data source in Amazon DataZone. /// - /// - Parameter StartDataSourceRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDataSourceRunInput`) /// - /// - Returns: `StartDataSourceRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDataSourceRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11114,7 +10968,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDataSourceRunOutput.httpOutput(from:), StartDataSourceRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11156,9 +11009,9 @@ extension DataZoneClient { /// /// * The user must have permission to run metadata generation in the domain/project. /// - /// - Parameter StartMetadataGenerationRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMetadataGenerationRunInput`) /// - /// - Returns: `StartMetadataGenerationRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMetadataGenerationRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11200,7 +11053,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMetadataGenerationRunOutput.httpOutput(from:), StartMetadataGenerationRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11232,9 +11084,9 @@ extension DataZoneClient { /// /// Tags a resource in Amazon DataZone. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11273,7 +11125,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11305,9 +11156,9 @@ extension DataZoneClient { /// /// Untags a resource in Amazon DataZone. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11343,7 +11194,6 @@ extension DataZoneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11375,9 +11225,9 @@ extension DataZoneClient { /// /// Updates the account pool. /// - /// - Parameter UpdateAccountPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountPoolInput`) /// - /// - Returns: `UpdateAccountPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11418,7 +11268,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountPoolOutput.httpOutput(from:), UpdateAccountPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11456,9 +11305,9 @@ extension DataZoneClient { /// /// * If applying a row filter, ensure the column referenced in the expression exists in the asset schema. /// - /// - Parameter UpdateAssetFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssetFilterInput`) /// - /// - Returns: `UpdateAssetFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssetFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11498,7 +11347,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssetFilterOutput.httpOutput(from:), UpdateAssetFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11530,9 +11378,9 @@ extension DataZoneClient { /// /// Updates a connection. In Amazon DataZone, a connection enables you to connect your resources (domains, projects, and environments) to external resources and services. /// - /// - Parameter UpdateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectionInput`) /// - /// - Returns: `UpdateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11573,7 +11421,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectionOutput.httpOutput(from:), UpdateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11605,9 +11452,9 @@ extension DataZoneClient { /// /// Updates the specified data source in Amazon DataZone. /// - /// - Parameter UpdateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSourceInput`) /// - /// - Returns: `UpdateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11648,7 +11495,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSourceOutput.httpOutput(from:), UpdateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11680,9 +11526,9 @@ extension DataZoneClient { /// /// Updates a Amazon DataZone domain. /// - /// - Parameter UpdateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDomainInput`) /// - /// - Returns: `UpdateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11725,7 +11571,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainOutput.httpOutput(from:), UpdateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11757,9 +11602,9 @@ extension DataZoneClient { /// /// Updates the domain unit. /// - /// - Parameter UpdateDomainUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDomainUnitInput`) /// - /// - Returns: `UpdateDomainUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11799,7 +11644,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainUnitOutput.httpOutput(from:), UpdateDomainUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11831,9 +11675,9 @@ extension DataZoneClient { /// /// Updates the specified environment in Amazon DataZone. /// - /// - Parameter UpdateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentInput`) /// - /// - Returns: `UpdateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11873,7 +11717,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentOutput.httpOutput(from:), UpdateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11905,9 +11748,9 @@ extension DataZoneClient { /// /// Updates an environment action. /// - /// - Parameter UpdateEnvironmentActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentActionInput`) /// - /// - Returns: `UpdateEnvironmentActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11947,7 +11790,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentActionOutput.httpOutput(from:), UpdateEnvironmentActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11979,9 +11821,9 @@ extension DataZoneClient { /// /// Updates an environment blueprint in Amazon DataZone. /// - /// - Parameter UpdateEnvironmentBlueprintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentBlueprintInput`) /// - /// - Returns: `UpdateEnvironmentBlueprintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12022,7 +11864,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentBlueprintOutput.httpOutput(from:), UpdateEnvironmentBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12054,9 +11895,9 @@ extension DataZoneClient { /// /// Updates the specified environment profile in Amazon DataZone. /// - /// - Parameter UpdateEnvironmentProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentProfileInput`) /// - /// - Returns: `UpdateEnvironmentProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12097,7 +11938,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentProfileOutput.httpOutput(from:), UpdateEnvironmentProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12137,9 +11977,9 @@ extension DataZoneClient { /// /// * The glossary must not be deleted or in a terminal state. /// - /// - Parameter UpdateGlossaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGlossaryInput`) /// - /// - Returns: `UpdateGlossaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGlossaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12180,7 +12020,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGlossaryOutput.httpOutput(from:), UpdateGlossaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12220,9 +12059,9 @@ extension DataZoneClient { /// /// * The term must not be in DELETED status. /// - /// - Parameter UpdateGlossaryTermInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGlossaryTermInput`) /// - /// - Returns: `UpdateGlossaryTermOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGlossaryTermOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12262,7 +12101,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGlossaryTermOutput.httpOutput(from:), UpdateGlossaryTermOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12294,9 +12132,9 @@ extension DataZoneClient { /// /// Updates the specified group profile in Amazon DataZone. /// - /// - Parameter UpdateGroupProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupProfileInput`) /// - /// - Returns: `UpdateGroupProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12335,7 +12173,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupProfileOutput.httpOutput(from:), UpdateGroupProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12367,9 +12204,9 @@ extension DataZoneClient { /// /// Updates the specified project in Amazon DataZone. /// - /// - Parameter UpdateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProjectInput`) /// - /// - Returns: `UpdateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12410,7 +12247,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectOutput.httpOutput(from:), UpdateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12442,9 +12278,9 @@ extension DataZoneClient { /// /// Updates a project profile. /// - /// - Parameter UpdateProjectProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProjectProfileInput`) /// - /// - Returns: `UpdateProjectProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProjectProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12485,7 +12321,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectProfileOutput.httpOutput(from:), UpdateProjectProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12517,9 +12352,9 @@ extension DataZoneClient { /// /// Updates a rule. In Amazon DataZone, a rule is a formal agreement that enforces specific requirements across user workflows (e.g., publishing assets to the catalog, requesting subscriptions, creating projects) within the Amazon DataZone data portal. These rules help maintain consistency, ensure compliance, and uphold governance standards in data management processes. For instance, a metadata enforcement rule can specify the required information for creating a subscription request or publishing a data asset to the catalog, ensuring alignment with organizational standards. /// - /// - Parameter UpdateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleInput`) /// - /// - Returns: `UpdateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12560,7 +12395,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleOutput.httpOutput(from:), UpdateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12592,9 +12426,9 @@ extension DataZoneClient { /// /// Updates the status of the specified subscription grant status in Amazon DataZone. /// - /// - Parameter UpdateSubscriptionGrantStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubscriptionGrantStatusInput`) /// - /// - Returns: `UpdateSubscriptionGrantStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubscriptionGrantStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12634,7 +12468,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubscriptionGrantStatusOutput.httpOutput(from:), UpdateSubscriptionGrantStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12666,9 +12499,9 @@ extension DataZoneClient { /// /// Updates a specified subscription request in Amazon DataZone. /// - /// - Parameter UpdateSubscriptionRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubscriptionRequestInput`) /// - /// - Returns: `UpdateSubscriptionRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubscriptionRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12708,7 +12541,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubscriptionRequestOutput.httpOutput(from:), UpdateSubscriptionRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12740,9 +12572,9 @@ extension DataZoneClient { /// /// Updates the specified subscription target in Amazon DataZone. /// - /// - Parameter UpdateSubscriptionTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubscriptionTargetInput`) /// - /// - Returns: `UpdateSubscriptionTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubscriptionTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12782,7 +12614,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubscriptionTargetOutput.httpOutput(from:), UpdateSubscriptionTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12814,9 +12645,9 @@ extension DataZoneClient { /// /// Updates the specified user profile in Amazon DataZone. /// - /// - Parameter UpdateUserProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserProfileInput`) /// - /// - Returns: `UpdateUserProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12855,7 +12686,6 @@ extension DataZoneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserProfileOutput.httpOutput(from:), UpdateUserProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDatabaseMigrationService/Sources/AWSDatabaseMigrationService/DatabaseMigrationClient.swift b/Sources/Services/AWSDatabaseMigrationService/Sources/AWSDatabaseMigrationService/DatabaseMigrationClient.swift index 007905a06d9..08bf67d249a 100644 --- a/Sources/Services/AWSDatabaseMigrationService/Sources/AWSDatabaseMigrationService/DatabaseMigrationClient.swift +++ b/Sources/Services/AWSDatabaseMigrationService/Sources/AWSDatabaseMigrationService/DatabaseMigrationClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DatabaseMigrationClient: ClientRuntime.Client { public static let clientName = "DatabaseMigrationClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DatabaseMigrationClient.DatabaseMigrationClientConfiguration let serviceName = "Database Migration" @@ -374,9 +373,9 @@ extension DatabaseMigrationClient { /// /// Adds metadata tags to an DMS resource, including replication instance, endpoint, subnet group, and migration task. These tags can also be used with cost allocation reporting to track cost associated with DMS resources, or used in a Condition statement in an IAM policy for DMS. For more information, see [Tag](https://docs.aws.amazon.com/dms/latest/APIReference/API_Tag.html) data type description. /// - /// - Parameter AddTagsToResourceInput : Associates a set of tags with an DMS resource. + /// - Parameter input: Associates a set of tags with an DMS resource. (Type: `AddTagsToResourceInput`) /// - /// - Returns: `AddTagsToResourceOutput` : + /// - Returns: (Type: `AddTagsToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToResourceOutput.httpOutput(from:), AddTagsToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension DatabaseMigrationClient { /// /// Applies a pending maintenance action to a resource (for example, to a replication instance). /// - /// - Parameter ApplyPendingMaintenanceActionInput : + /// - Parameter input: (Type: `ApplyPendingMaintenanceActionInput`) /// - /// - Returns: `ApplyPendingMaintenanceActionOutput` : + /// - Returns: (Type: `ApplyPendingMaintenanceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplyPendingMaintenanceActionOutput.httpOutput(from:), ApplyPendingMaintenanceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -513,9 +510,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Starts the analysis of up to 20 source databases to recommend target engines for each source database. This is a batch version of [StartRecommendations](https://docs.aws.amazon.com/dms/latest/APIReference/API_StartRecommendations.html). The result of analysis of each source database is reported individually in the response. Because the batch request can result in a combination of successful and unsuccessful actions, you should check for batch errors even when the call returns an HTTP status code of 200. /// - /// - Parameter BatchStartRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchStartRecommendationsInput`) /// - /// - Returns: `BatchStartRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchStartRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -549,7 +546,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchStartRecommendationsOutput.httpOutput(from:), BatchStartRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -584,9 +580,9 @@ extension DatabaseMigrationClient { /// /// Cancels a single premigration assessment run. This operation prevents any individual assessments from running if they haven't started running. It also attempts to cancel any individual assessments that are currently running. /// - /// - Parameter CancelReplicationTaskAssessmentRunInput : + /// - Parameter input: (Type: `CancelReplicationTaskAssessmentRunInput`) /// - /// - Returns: `CancelReplicationTaskAssessmentRunOutput` : + /// - Returns: (Type: `CancelReplicationTaskAssessmentRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -620,7 +616,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelReplicationTaskAssessmentRunOutput.httpOutput(from:), CancelReplicationTaskAssessmentRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -655,9 +650,9 @@ extension DatabaseMigrationClient { /// /// Creates a data migration using the provided settings. /// - /// - Parameter CreateDataMigrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataMigrationInput`) /// - /// - Returns: `CreateDataMigrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataMigrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -693,7 +688,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataMigrationOutput.httpOutput(from:), CreateDataMigrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension DatabaseMigrationClient { /// /// Creates a data provider using the provided settings. A data provider stores a data store type and location information about your database. /// - /// - Parameter CreateDataProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataProviderInput`) /// - /// - Returns: `CreateDataProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -765,7 +759,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataProviderOutput.httpOutput(from:), CreateDataProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -800,9 +793,9 @@ extension DatabaseMigrationClient { /// /// Creates an endpoint using the provided settings. For a MySQL source or target endpoint, don't explicitly specify the database using the DatabaseName request parameter on the CreateEndpoint API call. Specifying DatabaseName when you create a MySQL endpoint replicates all the task tables to this single database. For MySQL endpoints, you specify the database only when you specify the schema in the table-mapping rules of the DMS task. /// - /// - Parameter CreateEndpointInput : + /// - Parameter input: (Type: `CreateEndpointInput`) /// - /// - Returns: `CreateEndpointOutput` : + /// - Returns: (Type: `CreateEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEndpointOutput.httpOutput(from:), CreateEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -875,9 +867,9 @@ extension DatabaseMigrationClient { /// /// Creates an DMS event notification subscription. You can specify the type of source (SourceType) you want to be notified of, provide a list of DMS source IDs (SourceIds) that triggers the events, and provide a list of event categories (EventCategories) for events you want to be notified of. If you specify both the SourceType and SourceIds, such as SourceType = replication-instance and SourceIdentifier = my-replinstance, you will be notified of all the replication instance events for the specified source. If you specify a SourceType but don't specify a SourceIdentifier, you receive notice of the events for that source type for all your DMS sources. If you don't specify either SourceType nor SourceIdentifier, you will be notified of events generated from all DMS sources belonging to your customer account. For more information about DMS events, see [Working with Events and Notifications](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_Events.html) in the Database Migration Service User Guide. /// - /// - Parameter CreateEventSubscriptionInput : + /// - Parameter input: (Type: `CreateEventSubscriptionInput`) /// - /// - Returns: `CreateEventSubscriptionOutput` : + /// - Returns: (Type: `CreateEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -918,7 +910,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventSubscriptionOutput.httpOutput(from:), CreateEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +944,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Creates a Fleet Advisor collector using the specified parameters. /// - /// - Parameter CreateFleetAdvisorCollectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFleetAdvisorCollectorInput`) /// - /// - Returns: `CreateFleetAdvisorCollectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFleetAdvisorCollectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -991,7 +982,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFleetAdvisorCollectorOutput.httpOutput(from:), CreateFleetAdvisorCollectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1026,9 +1016,9 @@ extension DatabaseMigrationClient { /// /// Creates the instance profile using the specified parameters. /// - /// - Parameter CreateInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstanceProfileInput`) /// - /// - Returns: `CreateInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1068,7 +1058,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceProfileOutput.httpOutput(from:), CreateInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1103,9 +1092,9 @@ extension DatabaseMigrationClient { /// /// Creates the migration project using the specified parameters. You can run this action only after you create an instance profile and data providers using [CreateInstanceProfile](https://docs.aws.amazon.com/dms/latest/APIReference/API_CreateInstanceProfile.html) and [CreateDataProvider](https://docs.aws.amazon.com/dms/latest/APIReference/API_CreateDataProvider.html). /// - /// - Parameter CreateMigrationProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMigrationProjectInput`) /// - /// - Returns: `CreateMigrationProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMigrationProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1143,7 +1132,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMigrationProjectOutput.httpOutput(from:), CreateMigrationProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1178,9 +1166,9 @@ extension DatabaseMigrationClient { /// /// Creates a configuration that you can later provide to configure and start an DMS Serverless replication. You can also provide options to validate the configuration inputs before you start the replication. /// - /// - Parameter CreateReplicationConfigInput : + /// - Parameter input: (Type: `CreateReplicationConfigInput`) /// - /// - Returns: `CreateReplicationConfigOutput` : + /// - Returns: (Type: `CreateReplicationConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1219,7 +1207,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplicationConfigOutput.httpOutput(from:), CreateReplicationConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1254,9 +1241,9 @@ extension DatabaseMigrationClient { /// /// Creates the replication instance using the specified parameters. DMS requires that your account have certain roles with appropriate permissions before you can create a replication instance. For information on the required roles, see [Creating the IAM Roles to Use With the CLI and DMS API](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_Security.html#CHAP_Security.APIRole). For information on the required permissions, see [IAM Permissions Needed to Use DMS](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_Security.html#CHAP_Security.IAMPermissions). If you don't specify a version when creating a replication instance, DMS will create the instance using the default engine version. For information about the default engine version, see [Release Notes](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_ReleaseNotes.html). /// - /// - Parameter CreateReplicationInstanceInput : + /// - Parameter input: (Type: `CreateReplicationInstanceInput`) /// - /// - Returns: `CreateReplicationInstanceOutput` : + /// - Returns: (Type: `CreateReplicationInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1297,7 +1284,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplicationInstanceOutput.httpOutput(from:), CreateReplicationInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1332,9 +1318,9 @@ extension DatabaseMigrationClient { /// /// Creates a replication subnet group given a list of the subnet IDs in a VPC. The VPC needs to have at least one subnet in at least two availability zones in the Amazon Web Services Region, otherwise the service will throw a ReplicationSubnetGroupDoesNotCoverEnoughAZs exception. If a replication subnet group exists in your Amazon Web Services account, the CreateReplicationSubnetGroup action returns the following error message: The Replication Subnet Group already exists. In this case, delete the existing replication subnet group. To do so, use the [DeleteReplicationSubnetGroup](https://docs.aws.amazon.com/en_us/dms/latest/APIReference/API_DeleteReplicationSubnetGroup.html) action. Optionally, choose Subnet groups in the DMS console, then choose your subnet group. Next, choose Delete from Actions. /// - /// - Parameter CreateReplicationSubnetGroupInput : + /// - Parameter input: (Type: `CreateReplicationSubnetGroupInput`) /// - /// - Returns: `CreateReplicationSubnetGroupOutput` : + /// - Returns: (Type: `CreateReplicationSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1371,7 +1357,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplicationSubnetGroupOutput.httpOutput(from:), CreateReplicationSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1406,9 +1391,9 @@ extension DatabaseMigrationClient { /// /// Creates a replication task using the specified parameters. /// - /// - Parameter CreateReplicationTaskInput : + /// - Parameter input: (Type: `CreateReplicationTaskInput`) /// - /// - Returns: `CreateReplicationTaskOutput` : + /// - Returns: (Type: `CreateReplicationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1445,7 +1430,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplicationTaskOutput.httpOutput(from:), CreateReplicationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1480,9 +1464,9 @@ extension DatabaseMigrationClient { /// /// Deletes the specified certificate. /// - /// - Parameter DeleteCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCertificateInput`) /// - /// - Returns: `DeleteCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1515,7 +1499,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCertificateOutput.httpOutput(from:), DeleteCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1550,9 +1533,9 @@ extension DatabaseMigrationClient { /// /// Deletes the connection between a replication instance and an endpoint. /// - /// - Parameter DeleteConnectionInput : + /// - Parameter input: (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : + /// - Returns: (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1586,7 +1569,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1621,9 +1603,9 @@ extension DatabaseMigrationClient { /// /// Deletes the specified data migration. /// - /// - Parameter DeleteDataMigrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataMigrationInput`) /// - /// - Returns: `DeleteDataMigrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataMigrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1657,7 +1639,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataMigrationOutput.httpOutput(from:), DeleteDataMigrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1692,9 +1673,9 @@ extension DatabaseMigrationClient { /// /// Deletes the specified data provider. All migration projects associated with the data provider must be deleted or modified before you can delete the data provider. /// - /// - Parameter DeleteDataProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataProviderInput`) /// - /// - Returns: `DeleteDataProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1729,7 +1710,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataProviderOutput.httpOutput(from:), DeleteDataProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1764,9 +1744,9 @@ extension DatabaseMigrationClient { /// /// Deletes the specified endpoint. All tasks associated with the endpoint must be deleted before you can delete the endpoint. /// - /// - Parameter DeleteEndpointInput : + /// - Parameter input: (Type: `DeleteEndpointInput`) /// - /// - Returns: `DeleteEndpointOutput` : + /// - Returns: (Type: `DeleteEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1799,7 +1779,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointOutput.httpOutput(from:), DeleteEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1834,9 +1813,9 @@ extension DatabaseMigrationClient { /// /// Deletes an DMS event subscription. /// - /// - Parameter DeleteEventSubscriptionInput : + /// - Parameter input: (Type: `DeleteEventSubscriptionInput`) /// - /// - Returns: `DeleteEventSubscriptionOutput` : + /// - Returns: (Type: `DeleteEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1870,7 +1849,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventSubscriptionOutput.httpOutput(from:), DeleteEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1905,9 +1883,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Deletes the specified Fleet Advisor collector. /// - /// - Parameter DeleteFleetAdvisorCollectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetAdvisorCollectorInput`) /// - /// - Returns: `DeleteFleetAdvisorCollectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetAdvisorCollectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1941,7 +1919,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetAdvisorCollectorOutput.httpOutput(from:), DeleteFleetAdvisorCollectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1976,9 +1953,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Deletes the specified Fleet Advisor collector databases. /// - /// - Parameter DeleteFleetAdvisorDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetAdvisorDatabasesInput`) /// - /// - Returns: `DeleteFleetAdvisorDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetAdvisorDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2012,7 +1989,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetAdvisorDatabasesOutput.httpOutput(from:), DeleteFleetAdvisorDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2047,9 +2023,9 @@ extension DatabaseMigrationClient { /// /// Deletes the specified instance profile. All migration projects associated with the instance profile must be deleted or modified before you can delete the instance profile. /// - /// - Parameter DeleteInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInstanceProfileInput`) /// - /// - Returns: `DeleteInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2084,7 +2060,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceProfileOutput.httpOutput(from:), DeleteInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2119,9 +2094,9 @@ extension DatabaseMigrationClient { /// /// Deletes the specified migration project. The migration project must be closed before you can delete it. /// - /// - Parameter DeleteMigrationProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMigrationProjectInput`) /// - /// - Returns: `DeleteMigrationProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMigrationProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2156,7 +2131,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMigrationProjectOutput.httpOutput(from:), DeleteMigrationProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2191,9 +2165,9 @@ extension DatabaseMigrationClient { /// /// Deletes an DMS Serverless replication configuration. This effectively deprovisions any and all replications that use this configuration. You can't delete the configuration for an DMS Serverless replication that is ongoing. You can delete the configuration when the replication is in a non-RUNNING and non-STARTING state. /// - /// - Parameter DeleteReplicationConfigInput : + /// - Parameter input: (Type: `DeleteReplicationConfigInput`) /// - /// - Returns: `DeleteReplicationConfigOutput` : + /// - Returns: (Type: `DeleteReplicationConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2227,7 +2201,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicationConfigOutput.httpOutput(from:), DeleteReplicationConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2262,9 +2235,9 @@ extension DatabaseMigrationClient { /// /// Deletes the specified replication instance. You must delete any migration tasks that are associated with the replication instance before you can delete it. /// - /// - Parameter DeleteReplicationInstanceInput : + /// - Parameter input: (Type: `DeleteReplicationInstanceInput`) /// - /// - Returns: `DeleteReplicationInstanceOutput` : + /// - Returns: (Type: `DeleteReplicationInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2297,7 +2270,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicationInstanceOutput.httpOutput(from:), DeleteReplicationInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2332,9 +2304,9 @@ extension DatabaseMigrationClient { /// /// Deletes a subnet group. /// - /// - Parameter DeleteReplicationSubnetGroupInput : + /// - Parameter input: (Type: `DeleteReplicationSubnetGroupInput`) /// - /// - Returns: `DeleteReplicationSubnetGroupOutput` : + /// - Returns: (Type: `DeleteReplicationSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2368,7 +2340,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicationSubnetGroupOutput.httpOutput(from:), DeleteReplicationSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2403,9 +2374,9 @@ extension DatabaseMigrationClient { /// /// Deletes the specified replication task. /// - /// - Parameter DeleteReplicationTaskInput : + /// - Parameter input: (Type: `DeleteReplicationTaskInput`) /// - /// - Returns: `DeleteReplicationTaskOutput` : + /// - Returns: (Type: `DeleteReplicationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2438,7 +2409,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicationTaskOutput.httpOutput(from:), DeleteReplicationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2473,9 +2443,9 @@ extension DatabaseMigrationClient { /// /// Deletes the record of a single premigration assessment run. This operation removes all metadata that DMS maintains about this assessment run. However, the operation leaves untouched all information about this assessment run that is stored in your Amazon S3 bucket. /// - /// - Parameter DeleteReplicationTaskAssessmentRunInput : + /// - Parameter input: (Type: `DeleteReplicationTaskAssessmentRunInput`) /// - /// - Returns: `DeleteReplicationTaskAssessmentRunOutput` : + /// - Returns: (Type: `DeleteReplicationTaskAssessmentRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2509,7 +2479,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicationTaskAssessmentRunOutput.httpOutput(from:), DeleteReplicationTaskAssessmentRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2544,9 +2513,9 @@ extension DatabaseMigrationClient { /// /// Lists all of the DMS attributes for a customer account. These attributes include DMS quotas for the account and a unique account identifier in a particular DMS region. DMS quotas include a list of resource quotas supported by the account, such as the number of replication instances allowed. The description for each resource quota, includes the quota name, current usage toward that quota, and the quota's maximum value. DMS uses the unique account identifier to name each artifact used by DMS in the given region. This command does not take any parameters. /// - /// - Parameter DescribeAccountAttributesInput : + /// - Parameter input: (Type: `DescribeAccountAttributesInput`) /// - /// - Returns: `DescribeAccountAttributesOutput` : + /// - Returns: (Type: `DescribeAccountAttributesOutput`) public func describeAccountAttributes(input: DescribeAccountAttributesInput) async throws -> DescribeAccountAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2573,7 +2542,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountAttributesOutput.httpOutput(from:), DescribeAccountAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2608,9 +2576,9 @@ extension DatabaseMigrationClient { /// /// Provides a list of individual assessments that you can specify for a new premigration assessment run, given one or more parameters. If you specify an existing migration task, this operation provides the default individual assessments you can specify for that task. Otherwise, the specified parameters model elements of a possible migration task on which to base a premigration assessment run. To use these migration task modeling parameters, you must specify an existing replication instance, a source database engine, a target database engine, and a migration type. This combination of parameters potentially limits the default individual assessments available for an assessment run created for a corresponding migration task. If you specify no parameters, this operation provides a list of all possible individual assessments that you can specify for an assessment run. If you specify any one of the task modeling parameters, you must specify all of them or the operation cannot provide a list of individual assessments. The only parameter that you can specify alone is for an existing migration task. The specified task definition then determines the default list of individual assessments that you can specify in an assessment run for the task. /// - /// - Parameter DescribeApplicableIndividualAssessmentsInput : + /// - Parameter input: (Type: `DescribeApplicableIndividualAssessmentsInput`) /// - /// - Returns: `DescribeApplicableIndividualAssessmentsOutput` : + /// - Returns: (Type: `DescribeApplicableIndividualAssessmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2644,7 +2612,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicableIndividualAssessmentsOutput.httpOutput(from:), DescribeApplicableIndividualAssessmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2679,9 +2646,9 @@ extension DatabaseMigrationClient { /// /// Provides a description of the certificate. /// - /// - Parameter DescribeCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCertificatesInput`) /// - /// - Returns: `DescribeCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2713,7 +2680,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCertificatesOutput.httpOutput(from:), DescribeCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2748,9 +2714,9 @@ extension DatabaseMigrationClient { /// /// Describes the status of the connections that have been made between the replication instance and an endpoint. Connections are created when you test an endpoint. /// - /// - Parameter DescribeConnectionsInput : + /// - Parameter input: (Type: `DescribeConnectionsInput`) /// - /// - Returns: `DescribeConnectionsOutput` : + /// - Returns: (Type: `DescribeConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2782,7 +2748,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectionsOutput.httpOutput(from:), DescribeConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2817,9 +2782,9 @@ extension DatabaseMigrationClient { /// /// Returns configuration parameters for a schema conversion project. /// - /// - Parameter DescribeConversionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConversionConfigurationInput`) /// - /// - Returns: `DescribeConversionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConversionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2851,7 +2816,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConversionConfigurationOutput.httpOutput(from:), DescribeConversionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2886,9 +2850,9 @@ extension DatabaseMigrationClient { /// /// Returns information about data migrations. /// - /// - Parameter DescribeDataMigrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataMigrationsInput`) /// - /// - Returns: `DescribeDataMigrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataMigrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2922,7 +2886,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataMigrationsOutput.httpOutput(from:), DescribeDataMigrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2957,9 +2920,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of data providers for your account in the current region. /// - /// - Parameter DescribeDataProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataProvidersInput`) /// - /// - Returns: `DescribeDataProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2993,7 +2956,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataProvidersOutput.httpOutput(from:), DescribeDataProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3028,9 +2990,9 @@ extension DatabaseMigrationClient { /// /// Returns information about the possible endpoint settings available when you create an endpoint for a specific database engine. /// - /// - Parameter DescribeEndpointSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointSettingsInput`) /// - /// - Returns: `DescribeEndpointSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointSettingsOutput`) public func describeEndpointSettings(input: DescribeEndpointSettingsInput) async throws -> DescribeEndpointSettingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3057,7 +3019,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointSettingsOutput.httpOutput(from:), DescribeEndpointSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3092,9 +3053,9 @@ extension DatabaseMigrationClient { /// /// Returns information about the type of endpoints available. /// - /// - Parameter DescribeEndpointTypesInput : + /// - Parameter input: (Type: `DescribeEndpointTypesInput`) /// - /// - Returns: `DescribeEndpointTypesOutput` : + /// - Returns: (Type: `DescribeEndpointTypesOutput`) public func describeEndpointTypes(input: DescribeEndpointTypesInput) async throws -> DescribeEndpointTypesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3121,7 +3082,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointTypesOutput.httpOutput(from:), DescribeEndpointTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3156,9 +3116,9 @@ extension DatabaseMigrationClient { /// /// Returns information about the endpoints for your account in the current region. /// - /// - Parameter DescribeEndpointsInput : + /// - Parameter input: (Type: `DescribeEndpointsInput`) /// - /// - Returns: `DescribeEndpointsOutput` : + /// - Returns: (Type: `DescribeEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3190,7 +3150,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointsOutput.httpOutput(from:), DescribeEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3225,9 +3184,9 @@ extension DatabaseMigrationClient { /// /// Returns information about the replication instance versions used in the project. /// - /// - Parameter DescribeEngineVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEngineVersionsInput`) /// - /// - Returns: `DescribeEngineVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEngineVersionsOutput`) public func describeEngineVersions(input: DescribeEngineVersionsInput) async throws -> DescribeEngineVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3254,7 +3213,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEngineVersionsOutput.httpOutput(from:), DescribeEngineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3289,9 +3247,9 @@ extension DatabaseMigrationClient { /// /// Lists categories for all event source types, or, if specified, for a specified source type. You can see a list of the event categories and source types in [Working with Events and Notifications](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_Events.html) in the Database Migration Service User Guide. /// - /// - Parameter DescribeEventCategoriesInput : + /// - Parameter input: (Type: `DescribeEventCategoriesInput`) /// - /// - Returns: `DescribeEventCategoriesOutput` : + /// - Returns: (Type: `DescribeEventCategoriesOutput`) public func describeEventCategories(input: DescribeEventCategoriesInput) async throws -> DescribeEventCategoriesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3318,7 +3276,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventCategoriesOutput.httpOutput(from:), DescribeEventCategoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3353,9 +3310,9 @@ extension DatabaseMigrationClient { /// /// Lists all the event subscriptions for a customer account. The description of a subscription includes SubscriptionName, SNSTopicARN, CustomerID, SourceType, SourceID, CreationTime, and Status. If you specify SubscriptionName, this action lists the description for that subscription. /// - /// - Parameter DescribeEventSubscriptionsInput : + /// - Parameter input: (Type: `DescribeEventSubscriptionsInput`) /// - /// - Returns: `DescribeEventSubscriptionsOutput` : + /// - Returns: (Type: `DescribeEventSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3387,7 +3344,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventSubscriptionsOutput.httpOutput(from:), DescribeEventSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3422,9 +3378,9 @@ extension DatabaseMigrationClient { /// /// Lists events for a given source identifier and source type. You can also specify a start and end time. For more information on DMS events, see [Working with Events and Notifications](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_Events.html) in the Database Migration Service User Guide. /// - /// - Parameter DescribeEventsInput : + /// - Parameter input: (Type: `DescribeEventsInput`) /// - /// - Returns: `DescribeEventsOutput` : + /// - Returns: (Type: `DescribeEventsOutput`) public func describeEvents(input: DescribeEventsInput) async throws -> DescribeEventsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3451,7 +3407,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsOutput.httpOutput(from:), DescribeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3486,9 +3441,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of extension pack associations for the specified migration project. An extension pack is an add-on module that emulates functions present in a source database that are required when converting objects to the target database. /// - /// - Parameter DescribeExtensionPackAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExtensionPackAssociationsInput`) /// - /// - Returns: `DescribeExtensionPackAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExtensionPackAssociationsOutput`) public func describeExtensionPackAssociations(input: DescribeExtensionPackAssociationsInput) async throws -> DescribeExtensionPackAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3515,7 +3470,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExtensionPackAssociationsOutput.httpOutput(from:), DescribeExtensionPackAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3550,9 +3504,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Returns a list of the Fleet Advisor collectors in your account. /// - /// - Parameter DescribeFleetAdvisorCollectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetAdvisorCollectorsInput`) /// - /// - Returns: `DescribeFleetAdvisorCollectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetAdvisorCollectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3584,7 +3538,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetAdvisorCollectorsOutput.httpOutput(from:), DescribeFleetAdvisorCollectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3619,9 +3572,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Returns a list of Fleet Advisor databases in your account. /// - /// - Parameter DescribeFleetAdvisorDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetAdvisorDatabasesInput`) /// - /// - Returns: `DescribeFleetAdvisorDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetAdvisorDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3653,7 +3606,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetAdvisorDatabasesOutput.httpOutput(from:), DescribeFleetAdvisorDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3688,9 +3640,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Provides descriptions of large-scale assessment (LSA) analyses produced by your Fleet Advisor collectors. /// - /// - Parameter DescribeFleetAdvisorLsaAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetAdvisorLsaAnalysisInput`) /// - /// - Returns: `DescribeFleetAdvisorLsaAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetAdvisorLsaAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3722,7 +3674,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetAdvisorLsaAnalysisOutput.httpOutput(from:), DescribeFleetAdvisorLsaAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3757,9 +3708,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Provides descriptions of the schemas discovered by your Fleet Advisor collectors. /// - /// - Parameter DescribeFleetAdvisorSchemaObjectSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetAdvisorSchemaObjectSummaryInput`) /// - /// - Returns: `DescribeFleetAdvisorSchemaObjectSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetAdvisorSchemaObjectSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3791,7 +3742,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetAdvisorSchemaObjectSummaryOutput.httpOutput(from:), DescribeFleetAdvisorSchemaObjectSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3826,9 +3776,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Returns a list of schemas detected by Fleet Advisor Collectors in your account. /// - /// - Parameter DescribeFleetAdvisorSchemasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetAdvisorSchemasInput`) /// - /// - Returns: `DescribeFleetAdvisorSchemasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetAdvisorSchemasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3860,7 +3810,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetAdvisorSchemasOutput.httpOutput(from:), DescribeFleetAdvisorSchemasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3895,9 +3844,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of instance profiles for your account in the current region. /// - /// - Parameter DescribeInstanceProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceProfilesInput`) /// - /// - Returns: `DescribeInstanceProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3931,7 +3880,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceProfilesOutput.httpOutput(from:), DescribeInstanceProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3966,9 +3914,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of metadata model assessments for your account in the current region. /// - /// - Parameter DescribeMetadataModelAssessmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMetadataModelAssessmentsInput`) /// - /// - Returns: `DescribeMetadataModelAssessmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMetadataModelAssessmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4000,7 +3948,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMetadataModelAssessmentsOutput.httpOutput(from:), DescribeMetadataModelAssessmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4035,9 +3982,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of metadata model conversions for a migration project. /// - /// - Parameter DescribeMetadataModelConversionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMetadataModelConversionsInput`) /// - /// - Returns: `DescribeMetadataModelConversionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMetadataModelConversionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4069,7 +4016,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMetadataModelConversionsOutput.httpOutput(from:), DescribeMetadataModelConversionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4104,9 +4050,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of metadata model exports. /// - /// - Parameter DescribeMetadataModelExportsAsScriptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMetadataModelExportsAsScriptInput`) /// - /// - Returns: `DescribeMetadataModelExportsAsScriptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMetadataModelExportsAsScriptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4138,7 +4084,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMetadataModelExportsAsScriptOutput.httpOutput(from:), DescribeMetadataModelExportsAsScriptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4173,9 +4118,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of metadata model exports. /// - /// - Parameter DescribeMetadataModelExportsToTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMetadataModelExportsToTargetInput`) /// - /// - Returns: `DescribeMetadataModelExportsToTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMetadataModelExportsToTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4207,7 +4152,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMetadataModelExportsToTargetOutput.httpOutput(from:), DescribeMetadataModelExportsToTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4242,9 +4186,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of metadata model imports. /// - /// - Parameter DescribeMetadataModelImportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMetadataModelImportsInput`) /// - /// - Returns: `DescribeMetadataModelImportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMetadataModelImportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4276,7 +4220,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMetadataModelImportsOutput.httpOutput(from:), DescribeMetadataModelImportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4311,9 +4254,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of migration projects for your account in the current region. /// - /// - Parameter DescribeMigrationProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMigrationProjectsInput`) /// - /// - Returns: `DescribeMigrationProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMigrationProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4347,7 +4290,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMigrationProjectsOutput.httpOutput(from:), DescribeMigrationProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4382,9 +4324,9 @@ extension DatabaseMigrationClient { /// /// Returns information about the replication instance types that can be created in the specified region. /// - /// - Parameter DescribeOrderableReplicationInstancesInput : + /// - Parameter input: (Type: `DescribeOrderableReplicationInstancesInput`) /// - /// - Returns: `DescribeOrderableReplicationInstancesOutput` : + /// - Returns: (Type: `DescribeOrderableReplicationInstancesOutput`) public func describeOrderableReplicationInstances(input: DescribeOrderableReplicationInstancesInput) async throws -> DescribeOrderableReplicationInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4411,7 +4353,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrderableReplicationInstancesOutput.httpOutput(from:), DescribeOrderableReplicationInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4446,9 +4387,9 @@ extension DatabaseMigrationClient { /// /// Returns a list of upcoming maintenance events for replication instances in your account in the current Region. /// - /// - Parameter DescribePendingMaintenanceActionsInput : + /// - Parameter input: (Type: `DescribePendingMaintenanceActionsInput`) /// - /// - Returns: `DescribePendingMaintenanceActionsOutput` : + /// - Returns: (Type: `DescribePendingMaintenanceActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4480,7 +4421,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePendingMaintenanceActionsOutput.httpOutput(from:), DescribePendingMaintenanceActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4515,9 +4455,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Returns a paginated list of limitations for recommendations of target Amazon Web Services engines. /// - /// - Parameter DescribeRecommendationLimitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecommendationLimitationsInput`) /// - /// - Returns: `DescribeRecommendationLimitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecommendationLimitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4550,7 +4490,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecommendationLimitationsOutput.httpOutput(from:), DescribeRecommendationLimitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4585,9 +4524,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Returns a paginated list of target engine recommendations for your source databases. /// - /// - Parameter DescribeRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecommendationsInput`) /// - /// - Returns: `DescribeRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4620,7 +4559,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecommendationsOutput.httpOutput(from:), DescribeRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4655,9 +4593,9 @@ extension DatabaseMigrationClient { /// /// Returns the status of the RefreshSchemas operation. /// - /// - Parameter DescribeRefreshSchemasStatusInput : + /// - Parameter input: (Type: `DescribeRefreshSchemasStatusInput`) /// - /// - Returns: `DescribeRefreshSchemasStatusOutput` : + /// - Returns: (Type: `DescribeRefreshSchemasStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4690,7 +4628,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRefreshSchemasStatusOutput.httpOutput(from:), DescribeRefreshSchemasStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4725,9 +4662,9 @@ extension DatabaseMigrationClient { /// /// Returns one or more existing DMS Serverless replication configurations as a list of structures. /// - /// - Parameter DescribeReplicationConfigsInput : + /// - Parameter input: (Type: `DescribeReplicationConfigsInput`) /// - /// - Returns: `DescribeReplicationConfigsOutput` : + /// - Returns: (Type: `DescribeReplicationConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4759,7 +4696,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationConfigsOutput.httpOutput(from:), DescribeReplicationConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4794,9 +4730,9 @@ extension DatabaseMigrationClient { /// /// Returns information about the task logs for the specified task. /// - /// - Parameter DescribeReplicationInstanceTaskLogsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReplicationInstanceTaskLogsInput`) /// - /// - Returns: `DescribeReplicationInstanceTaskLogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReplicationInstanceTaskLogsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4829,7 +4765,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationInstanceTaskLogsOutput.httpOutput(from:), DescribeReplicationInstanceTaskLogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4864,9 +4799,9 @@ extension DatabaseMigrationClient { /// /// Returns information about replication instances for your account in the current region. /// - /// - Parameter DescribeReplicationInstancesInput : + /// - Parameter input: (Type: `DescribeReplicationInstancesInput`) /// - /// - Returns: `DescribeReplicationInstancesOutput` : + /// - Returns: (Type: `DescribeReplicationInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4898,7 +4833,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationInstancesOutput.httpOutput(from:), DescribeReplicationInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4933,9 +4867,9 @@ extension DatabaseMigrationClient { /// /// Returns information about the replication subnet groups. /// - /// - Parameter DescribeReplicationSubnetGroupsInput : + /// - Parameter input: (Type: `DescribeReplicationSubnetGroupsInput`) /// - /// - Returns: `DescribeReplicationSubnetGroupsOutput` : + /// - Returns: (Type: `DescribeReplicationSubnetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4967,7 +4901,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationSubnetGroupsOutput.httpOutput(from:), DescribeReplicationSubnetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5002,9 +4935,9 @@ extension DatabaseMigrationClient { /// /// Returns table and schema statistics for one or more provisioned replications that use a given DMS Serverless replication configuration. /// - /// - Parameter DescribeReplicationTableStatisticsInput : + /// - Parameter input: (Type: `DescribeReplicationTableStatisticsInput`) /// - /// - Returns: `DescribeReplicationTableStatisticsOutput` : + /// - Returns: (Type: `DescribeReplicationTableStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5037,7 +4970,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationTableStatisticsOutput.httpOutput(from:), DescribeReplicationTableStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5072,9 +5004,9 @@ extension DatabaseMigrationClient { /// /// Returns the task assessment results from the Amazon S3 bucket that DMS creates in your Amazon Web Services account. This action always returns the latest results. For more information about DMS task assessments, see [Creating a task assessment report](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_Tasks.AssessmentReport.html) in the Database Migration Service User Guide. /// - /// - Parameter DescribeReplicationTaskAssessmentResultsInput : + /// - Parameter input: (Type: `DescribeReplicationTaskAssessmentResultsInput`) /// - /// - Returns: `DescribeReplicationTaskAssessmentResultsOutput` : + /// - Returns: (Type: `DescribeReplicationTaskAssessmentResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5106,7 +5038,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationTaskAssessmentResultsOutput.httpOutput(from:), DescribeReplicationTaskAssessmentResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5141,9 +5072,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of premigration assessment runs based on filter settings. These filter settings can specify a combination of premigration assessment runs, migration tasks, replication instances, and assessment run status values. This operation doesn't return information about individual assessments. For this information, see the DescribeReplicationTaskIndividualAssessments operation. /// - /// - Parameter DescribeReplicationTaskAssessmentRunsInput : + /// - Parameter input: (Type: `DescribeReplicationTaskAssessmentRunsInput`) /// - /// - Returns: `DescribeReplicationTaskAssessmentRunsOutput` : + /// - Returns: (Type: `DescribeReplicationTaskAssessmentRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5175,7 +5106,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationTaskAssessmentRunsOutput.httpOutput(from:), DescribeReplicationTaskAssessmentRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5210,9 +5140,9 @@ extension DatabaseMigrationClient { /// /// Returns a paginated list of individual assessments based on filter settings. These filter settings can specify a combination of premigration assessment runs, migration tasks, and assessment status values. /// - /// - Parameter DescribeReplicationTaskIndividualAssessmentsInput : + /// - Parameter input: (Type: `DescribeReplicationTaskIndividualAssessmentsInput`) /// - /// - Returns: `DescribeReplicationTaskIndividualAssessmentsOutput` : + /// - Returns: (Type: `DescribeReplicationTaskIndividualAssessmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5244,7 +5174,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationTaskIndividualAssessmentsOutput.httpOutput(from:), DescribeReplicationTaskIndividualAssessmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5279,9 +5208,9 @@ extension DatabaseMigrationClient { /// /// Returns information about replication tasks for your account in the current region. /// - /// - Parameter DescribeReplicationTasksInput : + /// - Parameter input: (Type: `DescribeReplicationTasksInput`) /// - /// - Returns: `DescribeReplicationTasksOutput` : + /// - Returns: (Type: `DescribeReplicationTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5313,7 +5242,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationTasksOutput.httpOutput(from:), DescribeReplicationTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5348,9 +5276,9 @@ extension DatabaseMigrationClient { /// /// Provides details on replication progress by returning status information for one or more provisioned DMS Serverless replications. /// - /// - Parameter DescribeReplicationsInput : + /// - Parameter input: (Type: `DescribeReplicationsInput`) /// - /// - Returns: `DescribeReplicationsOutput` : + /// - Returns: (Type: `DescribeReplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5382,7 +5310,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationsOutput.httpOutput(from:), DescribeReplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5417,9 +5344,9 @@ extension DatabaseMigrationClient { /// /// Returns information about the schema for the specified endpoint. /// - /// - Parameter DescribeSchemasInput : + /// - Parameter input: (Type: `DescribeSchemasInput`) /// - /// - Returns: `DescribeSchemasOutput` : + /// - Returns: (Type: `DescribeSchemasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5452,7 +5379,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSchemasOutput.httpOutput(from:), DescribeSchemasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5487,9 +5413,9 @@ extension DatabaseMigrationClient { /// /// Returns table statistics on the database migration task, including table name, rows inserted, rows updated, and rows deleted. Note that the "last updated" column the DMS console only indicates the time that DMS last updated the table statistics record for a table. It does not indicate the time of the last update to the table. /// - /// - Parameter DescribeTableStatisticsInput : + /// - Parameter input: (Type: `DescribeTableStatisticsInput`) /// - /// - Returns: `DescribeTableStatisticsOutput` : + /// - Returns: (Type: `DescribeTableStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5523,7 +5449,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTableStatisticsOutput.httpOutput(from:), DescribeTableStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5558,9 +5483,9 @@ extension DatabaseMigrationClient { /// /// Saves a copy of a database migration assessment report to your Amazon S3 bucket. DMS can save your assessment report as a comma-separated value (CSV) or a PDF file. /// - /// - Parameter ExportMetadataModelAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportMetadataModelAssessmentInput`) /// - /// - Returns: `ExportMetadataModelAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportMetadataModelAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5592,7 +5517,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportMetadataModelAssessmentOutput.httpOutput(from:), ExportMetadataModelAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5627,9 +5551,9 @@ extension DatabaseMigrationClient { /// /// Uploads the specified certificate. /// - /// - Parameter ImportCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportCertificateInput`) /// - /// - Returns: `ImportCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5663,7 +5587,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportCertificateOutput.httpOutput(from:), ImportCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5698,9 +5621,9 @@ extension DatabaseMigrationClient { /// /// Lists all metadata tags attached to an DMS resource, including replication instance, endpoint, subnet group, and migration task. For more information, see [Tag](https://docs.aws.amazon.com/dms/latest/APIReference/API_Tag.html) data type description. /// - /// - Parameter ListTagsForResourceInput : + /// - Parameter input: (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : + /// - Returns: (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5733,7 +5656,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5768,9 +5690,9 @@ extension DatabaseMigrationClient { /// /// Modifies the specified schema conversion configuration using the provided parameters. /// - /// - Parameter ModifyConversionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyConversionConfigurationInput`) /// - /// - Returns: `ModifyConversionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyConversionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5803,7 +5725,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyConversionConfigurationOutput.httpOutput(from:), ModifyConversionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5838,9 +5759,9 @@ extension DatabaseMigrationClient { /// /// Modifies an existing DMS data migration. /// - /// - Parameter ModifyDataMigrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDataMigrationInput`) /// - /// - Returns: `ModifyDataMigrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDataMigrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5874,7 +5795,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDataMigrationOutput.httpOutput(from:), ModifyDataMigrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5909,9 +5829,9 @@ extension DatabaseMigrationClient { /// /// Modifies the specified data provider using the provided settings. You must remove the data provider from all migration projects before you can modify it. /// - /// - Parameter ModifyDataProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDataProviderInput`) /// - /// - Returns: `ModifyDataProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDataProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5946,7 +5866,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDataProviderOutput.httpOutput(from:), ModifyDataProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5981,9 +5900,9 @@ extension DatabaseMigrationClient { /// /// Modifies the specified endpoint. For a MySQL source or target endpoint, don't explicitly specify the database using the DatabaseName request parameter on the ModifyEndpoint API call. Specifying DatabaseName when you modify a MySQL endpoint replicates all the task tables to this single database. For MySQL endpoints, you specify the database only when you specify the schema in the table-mapping rules of the DMS task. /// - /// - Parameter ModifyEndpointInput : + /// - Parameter input: (Type: `ModifyEndpointInput`) /// - /// - Returns: `ModifyEndpointOutput` : + /// - Returns: (Type: `ModifyEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6019,7 +5938,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyEndpointOutput.httpOutput(from:), ModifyEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6054,9 +5972,9 @@ extension DatabaseMigrationClient { /// /// Modifies an existing DMS event notification subscription. /// - /// - Parameter ModifyEventSubscriptionInput : + /// - Parameter input: (Type: `ModifyEventSubscriptionInput`) /// - /// - Returns: `ModifyEventSubscriptionOutput` : + /// - Returns: (Type: `ModifyEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6097,7 +6015,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyEventSubscriptionOutput.httpOutput(from:), ModifyEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6132,9 +6049,9 @@ extension DatabaseMigrationClient { /// /// Modifies the specified instance profile using the provided parameters. All migration projects associated with the instance profile must be deleted or modified before you can modify the instance profile. /// - /// - Parameter ModifyInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceProfileInput`) /// - /// - Returns: `ModifyInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6172,7 +6089,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceProfileOutput.httpOutput(from:), ModifyInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6207,9 +6123,9 @@ extension DatabaseMigrationClient { /// /// Modifies the specified migration project using the provided parameters. The migration project must be closed before you can modify it. /// - /// - Parameter ModifyMigrationProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyMigrationProjectInput`) /// - /// - Returns: `ModifyMigrationProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyMigrationProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6246,7 +6162,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyMigrationProjectOutput.httpOutput(from:), ModifyMigrationProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6281,9 +6196,9 @@ extension DatabaseMigrationClient { /// /// Modifies an existing DMS Serverless replication configuration that you can use to start a replication. This command includes input validation and logic to check the state of any replication that uses this configuration. You can only modify a replication configuration before any replication that uses it has started. As soon as you have initially started a replication with a given configuiration, you can't modify that configuration, even if you stop it. Other run statuses that allow you to run this command include FAILED and CREATED. A provisioning state that allows you to run this command is FAILED_PROVISION. /// - /// - Parameter ModifyReplicationConfigInput : + /// - Parameter input: (Type: `ModifyReplicationConfigInput`) /// - /// - Returns: `ModifyReplicationConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyReplicationConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6320,7 +6235,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyReplicationConfigOutput.httpOutput(from:), ModifyReplicationConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6355,9 +6269,9 @@ extension DatabaseMigrationClient { /// /// Modifies the replication instance to apply new settings. You can change one or more parameters by specifying these parameters and the new values in the request. Some settings are applied during the maintenance window. /// - /// - Parameter ModifyReplicationInstanceInput : + /// - Parameter input: (Type: `ModifyReplicationInstanceInput`) /// - /// - Returns: `ModifyReplicationInstanceOutput` : + /// - Returns: (Type: `ModifyReplicationInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6395,7 +6309,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyReplicationInstanceOutput.httpOutput(from:), ModifyReplicationInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6430,9 +6343,9 @@ extension DatabaseMigrationClient { /// /// Modifies the settings for the specified replication subnet group. /// - /// - Parameter ModifyReplicationSubnetGroupInput : + /// - Parameter input: (Type: `ModifyReplicationSubnetGroupInput`) /// - /// - Returns: `ModifyReplicationSubnetGroupOutput` : + /// - Returns: (Type: `ModifyReplicationSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6469,7 +6382,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyReplicationSubnetGroupOutput.httpOutput(from:), ModifyReplicationSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6504,9 +6416,9 @@ extension DatabaseMigrationClient { /// /// Modifies the specified replication task. You can't modify the task endpoints. The task must be stopped before you can modify it. For more information about DMS tasks, see [Working with Migration Tasks](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_Tasks.html) in the Database Migration Service User Guide. /// - /// - Parameter ModifyReplicationTaskInput : + /// - Parameter input: (Type: `ModifyReplicationTaskInput`) /// - /// - Returns: `ModifyReplicationTaskOutput` : + /// - Returns: (Type: `ModifyReplicationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6541,7 +6453,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyReplicationTaskOutput.httpOutput(from:), ModifyReplicationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6576,9 +6487,9 @@ extension DatabaseMigrationClient { /// /// Moves a replication task from its current replication instance to a different target replication instance using the specified parameters. The target replication instance must be created with the same or later DMS version as the current replication instance. /// - /// - Parameter MoveReplicationTaskInput : + /// - Parameter input: (Type: `MoveReplicationTaskInput`) /// - /// - Returns: `MoveReplicationTaskOutput` : + /// - Returns: (Type: `MoveReplicationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6614,7 +6525,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MoveReplicationTaskOutput.httpOutput(from:), MoveReplicationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6649,9 +6559,9 @@ extension DatabaseMigrationClient { /// /// Reboots a replication instance. Rebooting results in a momentary outage, until the replication instance becomes available again. /// - /// - Parameter RebootReplicationInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootReplicationInstanceInput`) /// - /// - Returns: `RebootReplicationInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootReplicationInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6684,7 +6594,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootReplicationInstanceOutput.httpOutput(from:), RebootReplicationInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6719,9 +6628,9 @@ extension DatabaseMigrationClient { /// /// Populates the schema for the specified endpoint. This is an asynchronous operation and can take several minutes. You can check the status of this operation by calling the DescribeRefreshSchemasStatus operation. /// - /// - Parameter RefreshSchemasInput : + /// - Parameter input: (Type: `RefreshSchemasInput`) /// - /// - Returns: `RefreshSchemasOutput` : + /// - Returns: (Type: `RefreshSchemasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6756,7 +6665,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RefreshSchemasOutput.httpOutput(from:), RefreshSchemasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6791,9 +6699,9 @@ extension DatabaseMigrationClient { /// /// Reloads the target database table with the source data for a given DMS Serverless replication configuration. You can only use this operation with a task in the RUNNING state, otherwise the service will throw an InvalidResourceStateFault exception. /// - /// - Parameter ReloadReplicationTablesInput : + /// - Parameter input: (Type: `ReloadReplicationTablesInput`) /// - /// - Returns: `ReloadReplicationTablesOutput` : + /// - Returns: (Type: `ReloadReplicationTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6826,7 +6734,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReloadReplicationTablesOutput.httpOutput(from:), ReloadReplicationTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6861,9 +6768,9 @@ extension DatabaseMigrationClient { /// /// Reloads the target database table with the source data. You can only use this operation with a task in the RUNNING state, otherwise the service will throw an InvalidResourceStateFault exception. /// - /// - Parameter ReloadTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReloadTablesInput`) /// - /// - Returns: `ReloadTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReloadTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6896,7 +6803,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReloadTablesOutput.httpOutput(from:), ReloadTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6931,9 +6837,9 @@ extension DatabaseMigrationClient { /// /// Removes metadata tags from an DMS resource, including replication instance, endpoint, subnet group, and migration task. For more information, see [Tag](https://docs.aws.amazon.com/dms/latest/APIReference/API_Tag.html) data type description. /// - /// - Parameter RemoveTagsFromResourceInput : Removes one or more tags from an DMS resource. + /// - Parameter input: Removes one or more tags from an DMS resource. (Type: `RemoveTagsFromResourceInput`) /// - /// - Returns: `RemoveTagsFromResourceOutput` : + /// - Returns: (Type: `RemoveTagsFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6966,7 +6872,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromResourceOutput.httpOutput(from:), RemoveTagsFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7001,9 +6906,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Runs large-scale assessment (LSA) analysis on every Fleet Advisor collector in your account. /// - /// - Parameter RunFleetAdvisorLsaAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RunFleetAdvisorLsaAnalysisInput`) /// - /// - Returns: `RunFleetAdvisorLsaAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RunFleetAdvisorLsaAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7036,7 +6941,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RunFleetAdvisorLsaAnalysisOutput.httpOutput(from:), RunFleetAdvisorLsaAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7071,9 +6975,9 @@ extension DatabaseMigrationClient { /// /// Starts the specified data migration. /// - /// - Parameter StartDataMigrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDataMigrationInput`) /// - /// - Returns: `StartDataMigrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDataMigrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7109,7 +7013,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDataMigrationOutput.httpOutput(from:), StartDataMigrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7144,9 +7047,9 @@ extension DatabaseMigrationClient { /// /// Applies the extension pack to your target database. An extension pack is an add-on module that emulates functions present in a source database that are required when converting objects to the target database. /// - /// - Parameter StartExtensionPackAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartExtensionPackAssociationInput`) /// - /// - Returns: `StartExtensionPackAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartExtensionPackAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7185,7 +7088,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExtensionPackAssociationOutput.httpOutput(from:), StartExtensionPackAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7220,9 +7122,9 @@ extension DatabaseMigrationClient { /// /// Creates a database migration assessment report by assessing the migration complexity for your source database. A database migration assessment report summarizes all of the schema conversion tasks. It also details the action items for database objects that can't be converted to the database engine of your target database instance. /// - /// - Parameter StartMetadataModelAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMetadataModelAssessmentInput`) /// - /// - Returns: `StartMetadataModelAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMetadataModelAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7261,7 +7163,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMetadataModelAssessmentOutput.httpOutput(from:), StartMetadataModelAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7296,9 +7197,9 @@ extension DatabaseMigrationClient { /// /// Converts your source database objects to a format compatible with the target database. /// - /// - Parameter StartMetadataModelConversionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMetadataModelConversionInput`) /// - /// - Returns: `StartMetadataModelConversionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMetadataModelConversionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7337,7 +7238,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMetadataModelConversionOutput.httpOutput(from:), StartMetadataModelConversionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7372,9 +7272,9 @@ extension DatabaseMigrationClient { /// /// Saves your converted code to a file as a SQL script, and stores this file on your Amazon S3 bucket. /// - /// - Parameter StartMetadataModelExportAsScriptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMetadataModelExportAsScriptInput`) /// - /// - Returns: `StartMetadataModelExportAsScriptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMetadataModelExportAsScriptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7413,7 +7313,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMetadataModelExportAsScriptOutput.httpOutput(from:), StartMetadataModelExportAsScriptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7448,9 +7347,9 @@ extension DatabaseMigrationClient { /// /// Applies converted database objects to your target database. /// - /// - Parameter StartMetadataModelExportToTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMetadataModelExportToTargetInput`) /// - /// - Returns: `StartMetadataModelExportToTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMetadataModelExportToTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7489,7 +7388,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMetadataModelExportToTargetOutput.httpOutput(from:), StartMetadataModelExportToTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7524,9 +7422,9 @@ extension DatabaseMigrationClient { /// /// Loads the metadata for all the dependent database objects of the parent object. This operation uses your project's Amazon S3 bucket as a metadata cache to improve performance. /// - /// - Parameter StartMetadataModelImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMetadataModelImportInput`) /// - /// - Returns: `StartMetadataModelImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMetadataModelImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7565,7 +7463,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMetadataModelImportOutput.httpOutput(from:), StartMetadataModelImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7600,9 +7497,9 @@ extension DatabaseMigrationClient { /// /// End of support notice: On May 20, 2026, Amazon Web Services will end support for Amazon Web Services DMS Fleet Advisor;. After May 20, 2026, you will no longer be able to access the Amazon Web Services DMS Fleet Advisor; console or Amazon Web Services DMS Fleet Advisor; resources. For more information, see [Amazon Web Services DMS Fleet Advisor end of support](https://docs.aws.amazon.com/dms/latest/userguide/dms_fleet.advisor-end-of-support.html). Starts the analysis of your source database to provide recommendations of target engines. You can create recommendations for multiple source databases using [BatchStartRecommendations](https://docs.aws.amazon.com/dms/latest/APIReference/API_BatchStartRecommendations.html). /// - /// - Parameter StartRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRecommendationsInput`) /// - /// - Returns: `StartRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7636,7 +7533,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRecommendationsOutput.httpOutput(from:), StartRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7671,9 +7567,9 @@ extension DatabaseMigrationClient { /// /// For a given DMS Serverless replication configuration, DMS connects to the source endpoint and collects the metadata to analyze the replication workload. Using this metadata, DMS then computes and provisions the required capacity and starts replicating to the target endpoint using the server resources that DMS has provisioned for the DMS Serverless replication. /// - /// - Parameter StartReplicationInput : + /// - Parameter input: (Type: `StartReplicationInput`) /// - /// - Returns: `StartReplicationOutput` : + /// - Returns: (Type: `StartReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7707,7 +7603,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReplicationOutput.httpOutput(from:), StartReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7742,9 +7637,9 @@ extension DatabaseMigrationClient { /// /// Starts the replication task. For more information about DMS tasks, see [Working with Migration Tasks ](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_Tasks.html) in the Database Migration Service User Guide. /// - /// - Parameter StartReplicationTaskInput : + /// - Parameter input: (Type: `StartReplicationTaskInput`) /// - /// - Returns: `StartReplicationTaskOutput` : + /// - Returns: (Type: `StartReplicationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7778,7 +7673,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReplicationTaskOutput.httpOutput(from:), StartReplicationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7820,9 +7714,9 @@ extension DatabaseMigrationClient { /// /// If either of these conditions are not met, an InvalidResourceStateFault error will result. For information about DMS task assessments, see [Creating a task assessment report](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_Tasks.AssessmentReport.html) in the Database Migration Service User Guide. /// - /// - Parameter StartReplicationTaskAssessmentInput : + /// - Parameter input: (Type: `StartReplicationTaskAssessmentInput`) /// - /// - Returns: `StartReplicationTaskAssessmentOutput` : + /// - Returns: (Type: `StartReplicationTaskAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7855,7 +7749,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReplicationTaskAssessmentOutput.httpOutput(from:), StartReplicationTaskAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7890,9 +7783,9 @@ extension DatabaseMigrationClient { /// /// Starts a new premigration assessment run for one or more individual assessments of a migration task. The assessments that you can specify depend on the source and target database engine and the migration type defined for the given task. To run this operation, your migration task must already be created. After you run this operation, you can review the status of each individual assessment. You can also run the migration task manually after the assessment run and its individual assessments complete. /// - /// - Parameter StartReplicationTaskAssessmentRunInput : + /// - Parameter input: (Type: `StartReplicationTaskAssessmentRunInput`) /// - /// - Returns: `StartReplicationTaskAssessmentRunOutput` : + /// - Returns: (Type: `StartReplicationTaskAssessmentRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7935,7 +7828,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReplicationTaskAssessmentRunOutput.httpOutput(from:), StartReplicationTaskAssessmentRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7970,9 +7862,9 @@ extension DatabaseMigrationClient { /// /// Stops the specified data migration. /// - /// - Parameter StopDataMigrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDataMigrationInput`) /// - /// - Returns: `StopDataMigrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDataMigrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8006,7 +7898,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDataMigrationOutput.httpOutput(from:), StopDataMigrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8041,9 +7932,9 @@ extension DatabaseMigrationClient { /// /// For a given DMS Serverless replication configuration, DMS stops any and all ongoing DMS Serverless replications. This command doesn't deprovision the stopped replications. /// - /// - Parameter StopReplicationInput : + /// - Parameter input: (Type: `StopReplicationInput`) /// - /// - Returns: `StopReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8077,7 +7968,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopReplicationOutput.httpOutput(from:), StopReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8112,9 +8002,9 @@ extension DatabaseMigrationClient { /// /// Stops the replication task. /// - /// - Parameter StopReplicationTaskInput : + /// - Parameter input: (Type: `StopReplicationTaskInput`) /// - /// - Returns: `StopReplicationTaskOutput` : + /// - Returns: (Type: `StopReplicationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8147,7 +8037,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopReplicationTaskOutput.httpOutput(from:), StopReplicationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8182,9 +8071,9 @@ extension DatabaseMigrationClient { /// /// Tests the connection between the replication instance and the endpoint. /// - /// - Parameter TestConnectionInput : + /// - Parameter input: (Type: `TestConnectionInput`) /// - /// - Returns: `TestConnectionOutput` : + /// - Returns: (Type: `TestConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8220,7 +8109,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestConnectionOutput.httpOutput(from:), TestConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8255,9 +8143,9 @@ extension DatabaseMigrationClient { /// /// Migrates 10 active and enabled Amazon SNS subscriptions at a time and converts them to corresponding Amazon EventBridge rules. By default, this operation migrates subscriptions only when all your replication instance versions are 3.4.5 or higher. If any replication instances are from versions earlier than 3.4.5, the operation raises an error and tells you to upgrade these instances to version 3.4.5 or higher. To enable migration regardless of version, set the Force option to true. However, if you don't upgrade instances earlier than version 3.4.5, some types of events might not be available when you use Amazon EventBridge. To call this operation, make sure that you have certain permissions added to your user account. For more information, see [Migrating event subscriptions to Amazon EventBridge](https://docs.aws.amazon.com/dms/latest/userguide/CHAP_Events.html#CHAP_Events-migrate-to-eventbridge) in the Amazon Web Services Database Migration Service User Guide. /// - /// - Parameter UpdateSubscriptionsToEventBridgeInput : + /// - Parameter input: (Type: `UpdateSubscriptionsToEventBridgeInput`) /// - /// - Returns: `UpdateSubscriptionsToEventBridgeOutput` : + /// - Returns: (Type: `UpdateSubscriptionsToEventBridgeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8290,7 +8178,6 @@ extension DatabaseMigrationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubscriptionsToEventBridgeOutput.httpOutput(from:), UpdateSubscriptionsToEventBridgeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDeadline/Sources/AWSDeadline/DeadlineClient.swift b/Sources/Services/AWSDeadline/Sources/AWSDeadline/DeadlineClient.swift index 2cd28e1f52d..20ec7b71121 100644 --- a/Sources/Services/AWSDeadline/Sources/AWSDeadline/DeadlineClient.swift +++ b/Sources/Services/AWSDeadline/Sources/AWSDeadline/DeadlineClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -71,7 +70,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DeadlineClient: ClientRuntime.Client { public static let clientName = "DeadlineClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DeadlineClient.DeadlineClientConfiguration let serviceName = "deadline" @@ -377,9 +376,9 @@ extension DeadlineClient { /// /// Assigns a farm membership level to a member. /// - /// - Parameter AssociateMemberToFarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateMemberToFarmInput`) /// - /// - Returns: `AssociateMemberToFarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateMemberToFarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateMemberToFarmOutput.httpOutput(from:), AssociateMemberToFarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension DeadlineClient { /// /// Assigns a fleet membership level to a member. /// - /// - Parameter AssociateMemberToFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateMemberToFleetInput`) /// - /// - Returns: `AssociateMemberToFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateMemberToFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateMemberToFleetOutput.httpOutput(from:), AssociateMemberToFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension DeadlineClient { /// /// Assigns a job membership level to a member /// - /// - Parameter AssociateMemberToJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateMemberToJobInput`) /// - /// - Returns: `AssociateMemberToJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateMemberToJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +561,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateMemberToJobOutput.httpOutput(from:), AssociateMemberToJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension DeadlineClient { /// /// Assigns a queue membership level to a member /// - /// - Parameter AssociateMemberToQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateMemberToQueueInput`) /// - /// - Returns: `AssociateMemberToQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateMemberToQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateMemberToQueueOutput.httpOutput(from:), AssociateMemberToQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension DeadlineClient { /// /// Get Amazon Web Services credentials from the fleet role. The IAM permissions of the credentials are scoped down to have read-only access. /// - /// - Parameter AssumeFleetRoleForReadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeFleetRoleForReadInput`) /// - /// - Returns: `AssumeFleetRoleForReadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssumeFleetRoleForReadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeFleetRoleForReadOutput.httpOutput(from:), AssumeFleetRoleForReadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -738,9 +732,9 @@ extension DeadlineClient { /// /// Get credentials from the fleet role for a worker. /// - /// - Parameter AssumeFleetRoleForWorkerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeFleetRoleForWorkerInput`) /// - /// - Returns: `AssumeFleetRoleForWorkerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssumeFleetRoleForWorkerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -776,7 +770,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "scheduling.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeFleetRoleForWorkerOutput.httpOutput(from:), AssumeFleetRoleForWorkerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -808,9 +801,9 @@ extension DeadlineClient { /// /// Gets Amazon Web Services credentials from the queue role. The IAM permissions of the credentials are scoped down to have read-only access. /// - /// - Parameter AssumeQueueRoleForReadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeQueueRoleForReadInput`) /// - /// - Returns: `AssumeQueueRoleForReadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssumeQueueRoleForReadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -845,7 +838,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeQueueRoleForReadOutput.httpOutput(from:), AssumeQueueRoleForReadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -877,9 +869,9 @@ extension DeadlineClient { /// /// Allows a user to assume a role for a queue. /// - /// - Parameter AssumeQueueRoleForUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeQueueRoleForUserInput`) /// - /// - Returns: `AssumeQueueRoleForUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssumeQueueRoleForUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeQueueRoleForUserOutput.httpOutput(from:), AssumeQueueRoleForUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +937,9 @@ extension DeadlineClient { /// /// Allows a worker to assume a queue role. /// - /// - Parameter AssumeQueueRoleForWorkerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeQueueRoleForWorkerInput`) /// - /// - Returns: `AssumeQueueRoleForWorkerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssumeQueueRoleForWorkerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -985,7 +976,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssumeQueueRoleForWorkerInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeQueueRoleForWorkerOutput.httpOutput(from:), AssumeQueueRoleForWorkerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1017,9 +1007,9 @@ extension DeadlineClient { /// /// Get batched job details for a worker. /// - /// - Parameter BatchGetJobEntityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetJobEntityInput`) /// - /// - Returns: `BatchGetJobEntityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetJobEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1057,7 +1047,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetJobEntityOutput.httpOutput(from:), BatchGetJobEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1089,9 +1078,9 @@ extension DeadlineClient { /// /// Copies a job template to an Amazon S3 bucket. /// - /// - Parameter CopyJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyJobTemplateInput`) /// - /// - Returns: `CopyJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1129,7 +1118,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyJobTemplateOutput.httpOutput(from:), CopyJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1161,9 +1149,9 @@ extension DeadlineClient { /// /// Creates a budget to set spending thresholds for your rendering activity. /// - /// - Parameter CreateBudgetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBudgetInput`) /// - /// - Returns: `CreateBudgetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBudgetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1204,7 +1192,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBudgetOutput.httpOutput(from:), CreateBudgetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1236,9 +1223,9 @@ extension DeadlineClient { /// /// Creates a farm to allow space for queues and fleets. Farms are the space where the components of your renders gather and are pieced together in the cloud. Farms contain budgets and allow you to enforce permissions. Deadline Cloud farms are a useful container for large projects. /// - /// - Parameter CreateFarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFarmInput`) /// - /// - Returns: `CreateFarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1279,7 +1266,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFarmOutput.httpOutput(from:), CreateFarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1311,9 +1297,9 @@ extension DeadlineClient { /// /// Creates a fleet. Fleets gather information relating to compute, or capacity, for renders within your farms. You can choose to manage your own capacity or opt to have fleets fully managed by Deadline Cloud. /// - /// - Parameter CreateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFleetInput`) /// - /// - Returns: `CreateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1354,7 +1340,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFleetOutput.httpOutput(from:), CreateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1386,9 +1371,9 @@ extension DeadlineClient { /// /// Creates a job. A job is a set of instructions that Deadline Cloud uses to schedule and run work on available workers. For more information, see [Deadline Cloud jobs](https://docs.aws.amazon.com/deadline-cloud/latest/userguide/deadline-cloud-jobs.html). /// - /// - Parameter CreateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobInput`) /// - /// - Returns: `CreateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1429,7 +1414,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobOutput.httpOutput(from:), CreateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1461,9 +1445,9 @@ extension DeadlineClient { /// /// Creates a license endpoint to integrate your various licensed software used for rendering on Deadline Cloud. /// - /// - Parameter CreateLicenseEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLicenseEndpointInput`) /// - /// - Returns: `CreateLicenseEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLicenseEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1504,7 +1488,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLicenseEndpointOutput.httpOutput(from:), CreateLicenseEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1536,9 +1519,9 @@ extension DeadlineClient { /// /// Creates a limit that manages the distribution of shared resources, such as floating licenses. A limit can throttle work assignments, help manage workloads, and track current usage. Before you use a limit, you must associate the limit with one or more queues. You must add the amountRequirementName to a step in a job template to declare the limit requirement. /// - /// - Parameter CreateLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLimitInput`) /// - /// - Returns: `CreateLimitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1579,7 +1562,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLimitOutput.httpOutput(from:), CreateLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1611,9 +1593,9 @@ extension DeadlineClient { /// /// Creates an Amazon Web Services Deadline Cloud monitor that you can use to view your farms, queues, and fleets. After you submit a job, you can track the progress of the tasks and steps that make up the job, and then download the job's results. /// - /// - Parameter CreateMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMonitorInput`) /// - /// - Returns: `CreateMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1653,7 +1635,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMonitorOutput.httpOutput(from:), CreateMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1685,9 +1666,9 @@ extension DeadlineClient { /// /// Creates a queue to coordinate the order in which jobs run on a farm. A queue can also specify where to pull resources and indicate where to output completed jobs. /// - /// - Parameter CreateQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQueueInput`) /// - /// - Returns: `CreateQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1728,7 +1709,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQueueOutput.httpOutput(from:), CreateQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1760,9 +1740,9 @@ extension DeadlineClient { /// /// Creates an environment for a queue that defines how jobs in the queue run. /// - /// - Parameter CreateQueueEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQueueEnvironmentInput`) /// - /// - Returns: `CreateQueueEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQueueEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1803,7 +1783,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQueueEnvironmentOutput.httpOutput(from:), CreateQueueEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1835,9 +1814,9 @@ extension DeadlineClient { /// /// Creates an association between a queue and a fleet. /// - /// - Parameter CreateQueueFleetAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQueueFleetAssociationInput`) /// - /// - Returns: `CreateQueueFleetAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQueueFleetAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1875,7 +1854,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQueueFleetAssociationOutput.httpOutput(from:), CreateQueueFleetAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1907,9 +1885,9 @@ extension DeadlineClient { /// /// Associates a limit with a particular queue. After the limit is associated, all workers for jobs that specify the limit associated with the queue are subject to the limit. You can't associate two limits with the same amountRequirementName to the same queue. /// - /// - Parameter CreateQueueLimitAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQueueLimitAssociationInput`) /// - /// - Returns: `CreateQueueLimitAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQueueLimitAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1947,7 +1925,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQueueLimitAssociationOutput.httpOutput(from:), CreateQueueLimitAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1979,9 +1956,9 @@ extension DeadlineClient { /// /// Creates a storage profile that specifies the operating system, file type, and file location of resources used on a farm. /// - /// - Parameter CreateStorageProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStorageProfileInput`) /// - /// - Returns: `CreateStorageProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStorageProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2022,7 +1999,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStorageProfileOutput.httpOutput(from:), CreateStorageProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2054,9 +2030,9 @@ extension DeadlineClient { /// /// Creates a worker. A worker tells your instance how much processing power (vCPU), and memory (GiB) you’ll need to assemble the digital assets held within a particular instance. You can specify certain instance types to use, or let the worker know which instances types to exclude. Deadline Cloud limits the number of workers to less than or equal to the fleet's maximum worker count. The service maintains eventual consistency for the worker count. If you make multiple rapid calls to CreateWorker before the field updates, you might exceed your fleet's maximum worker count. For example, if your maxWorkerCount is 10 and you currently have 9 workers, making two quick CreateWorker calls might successfully create 2 workers instead of 1, resulting in 11 total workers. /// - /// - Parameter CreateWorkerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkerInput`) /// - /// - Returns: `CreateWorkerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2097,7 +2073,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkerOutput.httpOutput(from:), CreateWorkerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2129,9 +2104,9 @@ extension DeadlineClient { /// /// Deletes a budget. /// - /// - Parameter DeleteBudgetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBudgetInput`) /// - /// - Returns: `DeleteBudgetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBudgetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2166,7 +2141,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBudgetOutput.httpOutput(from:), DeleteBudgetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2198,9 +2172,9 @@ extension DeadlineClient { /// /// Deletes a farm. /// - /// - Parameter DeleteFarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFarmInput`) /// - /// - Returns: `DeleteFarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2235,7 +2209,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFarmOutput.httpOutput(from:), DeleteFarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2267,9 +2240,9 @@ extension DeadlineClient { /// /// Deletes a fleet. /// - /// - Parameter DeleteFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetInput`) /// - /// - Returns: `DeleteFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2307,7 +2280,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteFleetInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetOutput.httpOutput(from:), DeleteFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2339,9 +2311,9 @@ extension DeadlineClient { /// /// Deletes a license endpoint. /// - /// - Parameter DeleteLicenseEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLicenseEndpointInput`) /// - /// - Returns: `DeleteLicenseEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLicenseEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2377,7 +2349,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLicenseEndpointOutput.httpOutput(from:), DeleteLicenseEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2409,9 +2380,9 @@ extension DeadlineClient { /// /// Removes a limit from the specified farm. Before you delete a limit you must use the DeleteQueueLimitAssociation operation to remove the association with any queues. /// - /// - Parameter DeleteLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLimitInput`) /// - /// - Returns: `DeleteLimitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2445,7 +2416,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLimitOutput.httpOutput(from:), DeleteLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2477,9 +2447,9 @@ extension DeadlineClient { /// /// Deletes a metered product. /// - /// - Parameter DeleteMeteredProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMeteredProductInput`) /// - /// - Returns: `DeleteMeteredProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMeteredProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2514,7 +2484,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMeteredProductOutput.httpOutput(from:), DeleteMeteredProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2546,9 +2515,9 @@ extension DeadlineClient { /// /// Removes a Deadline Cloud monitor. After you delete a monitor, you can create a new one and attach farms to the monitor. /// - /// - Parameter DeleteMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMonitorInput`) /// - /// - Returns: `DeleteMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2583,7 +2552,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMonitorOutput.httpOutput(from:), DeleteMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2615,9 +2583,9 @@ extension DeadlineClient { /// /// Deletes a queue. You can't recover the jobs in a queue if you delete the queue. Deleting the queue also deletes the jobs in that queue. /// - /// - Parameter DeleteQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueueInput`) /// - /// - Returns: `DeleteQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2653,7 +2621,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueueOutput.httpOutput(from:), DeleteQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2685,9 +2652,9 @@ extension DeadlineClient { /// /// Deletes a queue environment. /// - /// - Parameter DeleteQueueEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueueEnvironmentInput`) /// - /// - Returns: `DeleteQueueEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueueEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2721,7 +2688,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueueEnvironmentOutput.httpOutput(from:), DeleteQueueEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2753,9 +2719,9 @@ extension DeadlineClient { /// /// Deletes a queue-fleet association. /// - /// - Parameter DeleteQueueFleetAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueueFleetAssociationInput`) /// - /// - Returns: `DeleteQueueFleetAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueueFleetAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2791,7 +2757,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueueFleetAssociationOutput.httpOutput(from:), DeleteQueueFleetAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2823,9 +2788,9 @@ extension DeadlineClient { /// /// Removes the association between a queue and a limit. You must use the UpdateQueueLimitAssociation operation to set the status to STOP_LIMIT_USAGE_AND_COMPLETE_TASKS or STOP_LIMIT_USAGE_AND_CANCEL_TASKS. The status does not change immediately. Use the GetQueueLimitAssociation operation to see if the status changed to STOPPED before deleting the association. /// - /// - Parameter DeleteQueueLimitAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueueLimitAssociationInput`) /// - /// - Returns: `DeleteQueueLimitAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueueLimitAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2861,7 +2826,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueueLimitAssociationOutput.httpOutput(from:), DeleteQueueLimitAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2893,9 +2857,9 @@ extension DeadlineClient { /// /// Deletes a storage profile. /// - /// - Parameter DeleteStorageProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStorageProfileInput`) /// - /// - Returns: `DeleteStorageProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStorageProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2929,7 +2893,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStorageProfileOutput.httpOutput(from:), DeleteStorageProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2961,9 +2924,9 @@ extension DeadlineClient { /// /// Deletes a worker. /// - /// - Parameter DeleteWorkerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkerInput`) /// - /// - Returns: `DeleteWorkerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2999,7 +2962,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkerOutput.httpOutput(from:), DeleteWorkerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3031,9 +2993,9 @@ extension DeadlineClient { /// /// Disassociates a member from a farm. /// - /// - Parameter DisassociateMemberFromFarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMemberFromFarmInput`) /// - /// - Returns: `DisassociateMemberFromFarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMemberFromFarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3068,7 +3030,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMemberFromFarmOutput.httpOutput(from:), DisassociateMemberFromFarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3100,9 +3061,9 @@ extension DeadlineClient { /// /// Disassociates a member from a fleet. /// - /// - Parameter DisassociateMemberFromFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMemberFromFleetInput`) /// - /// - Returns: `DisassociateMemberFromFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMemberFromFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3138,7 +3099,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMemberFromFleetOutput.httpOutput(from:), DisassociateMemberFromFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3170,9 +3130,9 @@ extension DeadlineClient { /// /// Disassociates a member from a job. /// - /// - Parameter DisassociateMemberFromJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMemberFromJobInput`) /// - /// - Returns: `DisassociateMemberFromJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMemberFromJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3207,7 +3167,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMemberFromJobOutput.httpOutput(from:), DisassociateMemberFromJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3239,9 +3198,9 @@ extension DeadlineClient { /// /// Disassociates a member from a queue. /// - /// - Parameter DisassociateMemberFromQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMemberFromQueueInput`) /// - /// - Returns: `DisassociateMemberFromQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMemberFromQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3277,7 +3236,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMemberFromQueueOutput.httpOutput(from:), DisassociateMemberFromQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3309,9 +3267,9 @@ extension DeadlineClient { /// /// Get a budget. /// - /// - Parameter GetBudgetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBudgetInput`) /// - /// - Returns: `GetBudgetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBudgetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3346,7 +3304,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBudgetOutput.httpOutput(from:), GetBudgetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3378,9 +3335,9 @@ extension DeadlineClient { /// /// Get a farm. /// - /// - Parameter GetFarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFarmInput`) /// - /// - Returns: `GetFarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3415,7 +3372,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFarmOutput.httpOutput(from:), GetFarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3447,9 +3403,9 @@ extension DeadlineClient { /// /// Get a fleet. /// - /// - Parameter GetFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFleetInput`) /// - /// - Returns: `GetFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3484,7 +3440,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFleetOutput.httpOutput(from:), GetFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3516,9 +3471,9 @@ extension DeadlineClient { /// /// Gets a Deadline Cloud job. /// - /// - Parameter GetJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobInput`) /// - /// - Returns: `GetJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3553,7 +3508,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobOutput.httpOutput(from:), GetJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3585,9 +3539,9 @@ extension DeadlineClient { /// /// Gets a licence endpoint. /// - /// - Parameter GetLicenseEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLicenseEndpointInput`) /// - /// - Returns: `GetLicenseEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLicenseEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3622,7 +3576,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLicenseEndpointOutput.httpOutput(from:), GetLicenseEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3654,9 +3607,9 @@ extension DeadlineClient { /// /// Gets information about a specific limit. /// - /// - Parameter GetLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLimitInput`) /// - /// - Returns: `GetLimitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3691,7 +3644,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLimitOutput.httpOutput(from:), GetLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3723,9 +3675,9 @@ extension DeadlineClient { /// /// Gets information about the specified monitor. /// - /// - Parameter GetMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMonitorInput`) /// - /// - Returns: `GetMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3760,7 +3712,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMonitorOutput.httpOutput(from:), GetMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3792,9 +3743,9 @@ extension DeadlineClient { /// /// Gets a queue. /// - /// - Parameter GetQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueueInput`) /// - /// - Returns: `GetQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3829,7 +3780,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueueOutput.httpOutput(from:), GetQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3861,9 +3811,9 @@ extension DeadlineClient { /// /// Gets a queue environment. /// - /// - Parameter GetQueueEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueueEnvironmentInput`) /// - /// - Returns: `GetQueueEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueueEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3898,7 +3848,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueueEnvironmentOutput.httpOutput(from:), GetQueueEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3930,9 +3879,9 @@ extension DeadlineClient { /// /// Gets a queue-fleet association. /// - /// - Parameter GetQueueFleetAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueueFleetAssociationInput`) /// - /// - Returns: `GetQueueFleetAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueueFleetAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3967,7 +3916,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueueFleetAssociationOutput.httpOutput(from:), GetQueueFleetAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3999,9 +3947,9 @@ extension DeadlineClient { /// /// Gets information about a specific association between a queue and a limit. /// - /// - Parameter GetQueueLimitAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueueLimitAssociationInput`) /// - /// - Returns: `GetQueueLimitAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueueLimitAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4036,7 +3984,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueueLimitAssociationOutput.httpOutput(from:), GetQueueLimitAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4068,9 +4015,9 @@ extension DeadlineClient { /// /// Gets a session. /// - /// - Parameter GetSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionInput`) /// - /// - Returns: `GetSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4105,7 +4052,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionOutput.httpOutput(from:), GetSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4137,9 +4083,9 @@ extension DeadlineClient { /// /// Gets a session action for the job. /// - /// - Parameter GetSessionActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionActionInput`) /// - /// - Returns: `GetSessionActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4174,7 +4120,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionActionOutput.httpOutput(from:), GetSessionActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4206,9 +4151,9 @@ extension DeadlineClient { /// /// Gets a set of statistics for queues or farms. Before you can call the GetSessionStatisticsAggregation operation, you must first call the StartSessionsStatisticsAggregation operation. Statistics are available for 1 hour after you call the StartSessionsStatisticsAggregation operation. /// - /// - Parameter GetSessionsStatisticsAggregationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionsStatisticsAggregationInput`) /// - /// - Returns: `GetSessionsStatisticsAggregationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionsStatisticsAggregationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4244,7 +4189,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSessionsStatisticsAggregationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionsStatisticsAggregationOutput.httpOutput(from:), GetSessionsStatisticsAggregationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4276,9 +4220,9 @@ extension DeadlineClient { /// /// Gets a step. /// - /// - Parameter GetStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStepInput`) /// - /// - Returns: `GetStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4313,7 +4257,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStepOutput.httpOutput(from:), GetStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4345,9 +4288,9 @@ extension DeadlineClient { /// /// Gets a storage profile. /// - /// - Parameter GetStorageProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStorageProfileInput`) /// - /// - Returns: `GetStorageProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStorageProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4382,7 +4325,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStorageProfileOutput.httpOutput(from:), GetStorageProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4414,9 +4356,9 @@ extension DeadlineClient { /// /// Gets a storage profile for a queue. /// - /// - Parameter GetStorageProfileForQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStorageProfileForQueueInput`) /// - /// - Returns: `GetStorageProfileForQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStorageProfileForQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4451,7 +4393,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStorageProfileForQueueOutput.httpOutput(from:), GetStorageProfileForQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4483,9 +4424,9 @@ extension DeadlineClient { /// /// Gets a task. /// - /// - Parameter GetTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTaskInput`) /// - /// - Returns: `GetTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4520,7 +4461,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTaskOutput.httpOutput(from:), GetTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4552,9 +4492,9 @@ extension DeadlineClient { /// /// Gets a worker. /// - /// - Parameter GetWorkerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkerInput`) /// - /// - Returns: `GetWorkerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4589,7 +4529,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkerOutput.httpOutput(from:), GetWorkerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4621,9 +4560,9 @@ extension DeadlineClient { /// /// A list of the available metered products. /// - /// - Parameter ListAvailableMeteredProductsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAvailableMeteredProductsInput`) /// - /// - Returns: `ListAvailableMeteredProductsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAvailableMeteredProductsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4656,7 +4595,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAvailableMeteredProductsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAvailableMeteredProductsOutput.httpOutput(from:), ListAvailableMeteredProductsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4688,9 +4626,9 @@ extension DeadlineClient { /// /// A list of budgets in a farm. /// - /// - Parameter ListBudgetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBudgetsInput`) /// - /// - Returns: `ListBudgetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBudgetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4726,7 +4664,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBudgetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBudgetsOutput.httpOutput(from:), ListBudgetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4758,9 +4695,9 @@ extension DeadlineClient { /// /// Lists the members of a farm. /// - /// - Parameter ListFarmMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFarmMembersInput`) /// - /// - Returns: `ListFarmMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFarmMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4796,7 +4733,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFarmMembersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFarmMembersOutput.httpOutput(from:), ListFarmMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4828,9 +4764,9 @@ extension DeadlineClient { /// /// Lists farms. /// - /// - Parameter ListFarmsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFarmsInput`) /// - /// - Returns: `ListFarmsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFarmsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4865,7 +4801,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFarmsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFarmsOutput.httpOutput(from:), ListFarmsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4897,9 +4832,9 @@ extension DeadlineClient { /// /// Lists fleet members. /// - /// - Parameter ListFleetMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFleetMembersInput`) /// - /// - Returns: `ListFleetMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFleetMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4935,7 +4870,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFleetMembersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFleetMembersOutput.httpOutput(from:), ListFleetMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4967,9 +4901,9 @@ extension DeadlineClient { /// /// Lists fleets. /// - /// - Parameter ListFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFleetsInput`) /// - /// - Returns: `ListFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFleetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5005,7 +4939,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFleetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFleetsOutput.httpOutput(from:), ListFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5037,9 +4970,9 @@ extension DeadlineClient { /// /// Lists members on a job. /// - /// - Parameter ListJobMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobMembersInput`) /// - /// - Returns: `ListJobMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5075,7 +5008,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobMembersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobMembersOutput.httpOutput(from:), ListJobMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5107,9 +5039,9 @@ extension DeadlineClient { /// /// Lists parameter definitions of a job. /// - /// - Parameter ListJobParameterDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobParameterDefinitionsInput`) /// - /// - Returns: `ListJobParameterDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobParameterDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5145,7 +5077,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobParameterDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobParameterDefinitionsOutput.httpOutput(from:), ListJobParameterDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5177,9 +5108,9 @@ extension DeadlineClient { /// /// Lists jobs. /// - /// - Parameter ListJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5215,7 +5146,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5247,9 +5177,9 @@ extension DeadlineClient { /// /// Lists license endpoints. /// - /// - Parameter ListLicenseEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLicenseEndpointsInput`) /// - /// - Returns: `ListLicenseEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLicenseEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5285,7 +5215,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLicenseEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLicenseEndpointsOutput.httpOutput(from:), ListLicenseEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5317,9 +5246,9 @@ extension DeadlineClient { /// /// Gets a list of limits defined in the specified farm. /// - /// - Parameter ListLimitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLimitsInput`) /// - /// - Returns: `ListLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5355,7 +5284,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLimitsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLimitsOutput.httpOutput(from:), ListLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5387,9 +5315,9 @@ extension DeadlineClient { /// /// Lists metered products. /// - /// - Parameter ListMeteredProductsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMeteredProductsInput`) /// - /// - Returns: `ListMeteredProductsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMeteredProductsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5425,7 +5353,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMeteredProductsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMeteredProductsOutput.httpOutput(from:), ListMeteredProductsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5457,9 +5384,9 @@ extension DeadlineClient { /// /// Gets a list of your monitors in Deadline Cloud. /// - /// - Parameter ListMonitorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitorsInput`) /// - /// - Returns: `ListMonitorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5494,7 +5421,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMonitorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitorsOutput.httpOutput(from:), ListMonitorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5526,9 +5452,9 @@ extension DeadlineClient { /// /// Lists queue environments. /// - /// - Parameter ListQueueEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueueEnvironmentsInput`) /// - /// - Returns: `ListQueueEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueueEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5564,7 +5490,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueueEnvironmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueueEnvironmentsOutput.httpOutput(from:), ListQueueEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5596,9 +5521,9 @@ extension DeadlineClient { /// /// Lists queue-fleet associations. /// - /// - Parameter ListQueueFleetAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueueFleetAssociationsInput`) /// - /// - Returns: `ListQueueFleetAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueueFleetAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5633,7 +5558,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueueFleetAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueueFleetAssociationsOutput.httpOutput(from:), ListQueueFleetAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5665,9 +5589,9 @@ extension DeadlineClient { /// /// Gets a list of the associations between queues and limits defined in a farm. /// - /// - Parameter ListQueueLimitAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueueLimitAssociationsInput`) /// - /// - Returns: `ListQueueLimitAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueueLimitAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5702,7 +5626,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueueLimitAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueueLimitAssociationsOutput.httpOutput(from:), ListQueueLimitAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5734,9 +5657,9 @@ extension DeadlineClient { /// /// Lists the members in a queue. /// - /// - Parameter ListQueueMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueueMembersInput`) /// - /// - Returns: `ListQueueMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueueMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5772,7 +5695,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueueMembersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueueMembersOutput.httpOutput(from:), ListQueueMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5804,9 +5726,9 @@ extension DeadlineClient { /// /// Lists queues. /// - /// - Parameter ListQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueuesInput`) /// - /// - Returns: `ListQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5842,7 +5764,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueuesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueuesOutput.httpOutput(from:), ListQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5874,9 +5795,9 @@ extension DeadlineClient { /// /// Lists session actions. /// - /// - Parameter ListSessionActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionActionsInput`) /// - /// - Returns: `ListSessionActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5912,7 +5833,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSessionActionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionActionsOutput.httpOutput(from:), ListSessionActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5944,9 +5864,9 @@ extension DeadlineClient { /// /// Lists sessions. /// - /// - Parameter ListSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionsInput`) /// - /// - Returns: `ListSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5982,7 +5902,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSessionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionsOutput.httpOutput(from:), ListSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6014,9 +5933,9 @@ extension DeadlineClient { /// /// Lists sessions for a worker. /// - /// - Parameter ListSessionsForWorkerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionsForWorkerInput`) /// - /// - Returns: `ListSessionsForWorkerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionsForWorkerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6052,7 +5971,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSessionsForWorkerInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionsForWorkerOutput.httpOutput(from:), ListSessionsForWorkerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6084,9 +6002,9 @@ extension DeadlineClient { /// /// Lists step consumers. /// - /// - Parameter ListStepConsumersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStepConsumersInput`) /// - /// - Returns: `ListStepConsumersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStepConsumersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6122,7 +6040,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStepConsumersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStepConsumersOutput.httpOutput(from:), ListStepConsumersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6154,9 +6071,9 @@ extension DeadlineClient { /// /// Lists the dependencies for a step. /// - /// - Parameter ListStepDependenciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStepDependenciesInput`) /// - /// - Returns: `ListStepDependenciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStepDependenciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6192,7 +6109,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStepDependenciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStepDependenciesOutput.httpOutput(from:), ListStepDependenciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6224,9 +6140,9 @@ extension DeadlineClient { /// /// Lists steps for a job. /// - /// - Parameter ListStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStepsInput`) /// - /// - Returns: `ListStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6262,7 +6178,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStepsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStepsOutput.httpOutput(from:), ListStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6294,9 +6209,9 @@ extension DeadlineClient { /// /// Lists storage profiles. /// - /// - Parameter ListStorageProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStorageProfilesInput`) /// - /// - Returns: `ListStorageProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStorageProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6332,7 +6247,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStorageProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStorageProfilesOutput.httpOutput(from:), ListStorageProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6364,9 +6278,9 @@ extension DeadlineClient { /// /// Lists storage profiles for a queue. /// - /// - Parameter ListStorageProfilesForQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStorageProfilesForQueueInput`) /// - /// - Returns: `ListStorageProfilesForQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStorageProfilesForQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6402,7 +6316,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStorageProfilesForQueueInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStorageProfilesForQueueOutput.httpOutput(from:), ListStorageProfilesForQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6434,9 +6347,9 @@ extension DeadlineClient { /// /// Lists tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6471,7 +6384,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6503,9 +6415,9 @@ extension DeadlineClient { /// /// Lists tasks for a job. /// - /// - Parameter ListTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTasksInput`) /// - /// - Returns: `ListTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6541,7 +6453,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTasksOutput.httpOutput(from:), ListTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6573,9 +6484,9 @@ extension DeadlineClient { /// /// Lists workers. /// - /// - Parameter ListWorkersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkersInput`) /// - /// - Returns: `ListWorkersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6611,7 +6522,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkersOutput.httpOutput(from:), ListWorkersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6643,9 +6553,9 @@ extension DeadlineClient { /// /// Adds a metered product. /// - /// - Parameter PutMeteredProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMeteredProductInput`) /// - /// - Returns: `PutMeteredProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMeteredProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6680,7 +6590,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "management.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMeteredProductOutput.httpOutput(from:), PutMeteredProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6712,9 +6621,9 @@ extension DeadlineClient { /// /// Searches for jobs. /// - /// - Parameter SearchJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchJobsInput`) /// - /// - Returns: `SearchJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6752,7 +6661,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchJobsOutput.httpOutput(from:), SearchJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6784,9 +6692,9 @@ extension DeadlineClient { /// /// Searches for steps. /// - /// - Parameter SearchStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchStepsInput`) /// - /// - Returns: `SearchStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6824,7 +6732,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchStepsOutput.httpOutput(from:), SearchStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6856,9 +6763,9 @@ extension DeadlineClient { /// /// Searches for tasks. /// - /// - Parameter SearchTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchTasksInput`) /// - /// - Returns: `SearchTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6896,7 +6803,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchTasksOutput.httpOutput(from:), SearchTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6928,9 +6834,9 @@ extension DeadlineClient { /// /// Searches for workers. /// - /// - Parameter SearchWorkersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchWorkersInput`) /// - /// - Returns: `SearchWorkersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchWorkersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6968,7 +6874,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchWorkersOutput.httpOutput(from:), SearchWorkersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7000,9 +6905,9 @@ extension DeadlineClient { /// /// Starts an asynchronous request for getting aggregated statistics about queues and farms. Get the statistics using the GetSessionsStatisticsAggregation operation. You can only have one running aggregation for your Deadline Cloud farm. Call the GetSessionsStatisticsAggregation operation and check the status field to see if an aggregation is running. Statistics are available for 1 hour after you call the StartSessionsStatisticsAggregation operation. /// - /// - Parameter StartSessionsStatisticsAggregationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSessionsStatisticsAggregationInput`) /// - /// - Returns: `StartSessionsStatisticsAggregationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSessionsStatisticsAggregationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7040,7 +6945,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSessionsStatisticsAggregationOutput.httpOutput(from:), StartSessionsStatisticsAggregationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7072,9 +6976,9 @@ extension DeadlineClient { /// /// Tags a resource using the resource's ARN and desired tags. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7113,7 +7017,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7145,9 +7048,9 @@ extension DeadlineClient { /// /// Removes a tag from a resource using the resource's ARN and tag to remove. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7184,7 +7087,6 @@ extension DeadlineClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7216,9 +7118,9 @@ extension DeadlineClient { /// /// Updates a budget that sets spending thresholds for rendering activity. /// - /// - Parameter UpdateBudgetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBudgetInput`) /// - /// - Returns: `UpdateBudgetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBudgetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7258,7 +7160,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBudgetOutput.httpOutput(from:), UpdateBudgetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7290,9 +7191,9 @@ extension DeadlineClient { /// /// Updates a farm. /// - /// - Parameter UpdateFarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFarmInput`) /// - /// - Returns: `UpdateFarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7330,7 +7231,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFarmOutput.httpOutput(from:), UpdateFarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7362,9 +7262,9 @@ extension DeadlineClient { /// /// Updates a fleet. /// - /// - Parameter UpdateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFleetInput`) /// - /// - Returns: `UpdateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7405,7 +7305,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFleetOutput.httpOutput(from:), UpdateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7437,9 +7336,9 @@ extension DeadlineClient { /// /// Updates a job. When you change the status of the job to ARCHIVED, the job can't be scheduled or archived. An archived jobs and its steps and tasks are deleted after 120 days. The job can't be recovered. /// - /// - Parameter UpdateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJobInput`) /// - /// - Returns: `UpdateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7480,7 +7379,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobOutput.httpOutput(from:), UpdateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7512,9 +7410,9 @@ extension DeadlineClient { /// /// Updates the properties of the specified limit. /// - /// - Parameter UpdateLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLimitInput`) /// - /// - Returns: `UpdateLimitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7552,7 +7450,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLimitOutput.httpOutput(from:), UpdateLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7584,9 +7481,9 @@ extension DeadlineClient { /// /// Modifies the settings for a Deadline Cloud monitor. You can modify one or all of the settings when you call UpdateMonitor. /// - /// - Parameter UpdateMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMonitorInput`) /// - /// - Returns: `UpdateMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7624,7 +7521,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMonitorOutput.httpOutput(from:), UpdateMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7656,9 +7552,9 @@ extension DeadlineClient { /// /// Updates a queue. /// - /// - Parameter UpdateQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueInput`) /// - /// - Returns: `UpdateQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7698,7 +7594,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueOutput.httpOutput(from:), UpdateQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7730,9 +7625,9 @@ extension DeadlineClient { /// /// Updates the queue environment. /// - /// - Parameter UpdateQueueEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueEnvironmentInput`) /// - /// - Returns: `UpdateQueueEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7772,7 +7667,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueEnvironmentOutput.httpOutput(from:), UpdateQueueEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7804,9 +7698,9 @@ extension DeadlineClient { /// /// Updates a queue-fleet association. /// - /// - Parameter UpdateQueueFleetAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueFleetAssociationInput`) /// - /// - Returns: `UpdateQueueFleetAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueFleetAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7844,7 +7738,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueFleetAssociationOutput.httpOutput(from:), UpdateQueueFleetAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7876,9 +7769,9 @@ extension DeadlineClient { /// /// Updates the status of the queue. If you set the status to one of the STOP_LIMIT_USAGE* values, there will be a delay before the status transitions to the STOPPED state. /// - /// - Parameter UpdateQueueLimitAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueLimitAssociationInput`) /// - /// - Returns: `UpdateQueueLimitAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueLimitAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7916,7 +7809,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueLimitAssociationOutput.httpOutput(from:), UpdateQueueLimitAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7948,9 +7840,9 @@ extension DeadlineClient { /// /// Updates a session. /// - /// - Parameter UpdateSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSessionInput`) /// - /// - Returns: `UpdateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7991,7 +7883,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSessionOutput.httpOutput(from:), UpdateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8023,9 +7914,9 @@ extension DeadlineClient { /// /// Updates a step. /// - /// - Parameter UpdateStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStepInput`) /// - /// - Returns: `UpdateStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8066,7 +7957,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStepOutput.httpOutput(from:), UpdateStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8098,9 +7988,9 @@ extension DeadlineClient { /// /// Updates a storage profile. /// - /// - Parameter UpdateStorageProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStorageProfileInput`) /// - /// - Returns: `UpdateStorageProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStorageProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8140,7 +8030,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStorageProfileOutput.httpOutput(from:), UpdateStorageProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8172,9 +8061,9 @@ extension DeadlineClient { /// /// Updates a task. /// - /// - Parameter UpdateTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTaskInput`) /// - /// - Returns: `UpdateTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8215,7 +8104,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTaskOutput.httpOutput(from:), UpdateTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8247,9 +8135,9 @@ extension DeadlineClient { /// /// Updates a worker. /// - /// - Parameter UpdateWorkerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkerInput`) /// - /// - Returns: `UpdateWorkerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8288,7 +8176,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkerOutput.httpOutput(from:), UpdateWorkerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8320,9 +8207,9 @@ extension DeadlineClient { /// /// Updates the schedule for a worker. /// - /// - Parameter UpdateWorkerScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkerScheduleInput`) /// - /// - Returns: `UpdateWorkerScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkerScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8361,7 +8248,6 @@ extension DeadlineClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkerScheduleOutput.httpOutput(from:), UpdateWorkerScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDetective/Sources/AWSDetective/DetectiveClient.swift b/Sources/Services/AWSDetective/Sources/AWSDetective/DetectiveClient.swift index 1153abd3954..7889656fc70 100644 --- a/Sources/Services/AWSDetective/Sources/AWSDetective/DetectiveClient.swift +++ b/Sources/Services/AWSDetective/Sources/AWSDetective/DetectiveClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DetectiveClient: ClientRuntime.Client { public static let clientName = "DetectiveClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DetectiveClient.DetectiveClientConfiguration let serviceName = "Detective" @@ -374,9 +373,9 @@ extension DetectiveClient { /// /// Accepts an invitation for the member account to contribute data to a behavior graph. This operation can only be called by an invited member account. The request provides the ARN of behavior graph. The member account status in the graph must be INVITED. /// - /// - Parameter AcceptInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptInvitationInput`) /// - /// - Returns: `AcceptInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptInvitationOutput.httpOutput(from:), AcceptInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension DetectiveClient { /// /// Gets data source package information for the behavior graph. /// - /// - Parameter BatchGetGraphMemberDatasourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetGraphMemberDatasourcesInput`) /// - /// - Returns: `BatchGetGraphMemberDatasourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetGraphMemberDatasourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetGraphMemberDatasourcesOutput.httpOutput(from:), BatchGetGraphMemberDatasourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension DetectiveClient { /// /// Gets information on the data source package history for an account. /// - /// - Parameter BatchGetMembershipDatasourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetMembershipDatasourcesInput`) /// - /// - Returns: `BatchGetMembershipDatasourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetMembershipDatasourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetMembershipDatasourcesOutput.httpOutput(from:), BatchGetMembershipDatasourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension DetectiveClient { /// /// Creates a new behavior graph for the calling account, and sets that account as the administrator account. This operation is called by the account that is enabling Detective. The operation also enables Detective for the calling account in the currently selected Region. It returns the ARN of the new behavior graph. CreateGraph triggers a process to create the corresponding data tables for the new behavior graph. An account can only be the administrator account for one behavior graph within a Region. If the same account calls CreateGraph with the same administrator account, it always returns the same behavior graph ARN. It does not create a new behavior graph. /// - /// - Parameter CreateGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGraphInput`) /// - /// - Returns: `CreateGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGraphOutput.httpOutput(from:), CreateGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension DetectiveClient { /// /// * The accounts that CreateMembers was unable to process. This list includes accounts that were already invited to be member accounts in the behavior graph. /// - /// - Parameter CreateMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMembersInput`) /// - /// - Returns: `CreateMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMembersOutput.httpOutput(from:), CreateMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension DetectiveClient { /// /// Disables the specified behavior graph and queues it to be deleted. This operation removes the behavior graph from each member account's list of behavior graphs. DeleteGraph can only be called by the administrator account for a behavior graph. /// - /// - Parameter DeleteGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGraphInput`) /// - /// - Returns: `DeleteGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -782,7 +776,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGraphOutput.httpOutput(from:), DeleteGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -814,9 +807,9 @@ extension DetectiveClient { /// /// Removes the specified member accounts from the behavior graph. The removed accounts no longer contribute data to the behavior graph. This operation can only be called by the administrator account for the behavior graph. For invited accounts, the removed accounts are deleted from the list of accounts in the behavior graph. To restore the account, the administrator account must send another invitation. For organization accounts in the organization behavior graph, the Detective administrator account can always enable the organization account again. Organization accounts that are not enabled as member accounts are not included in the ListMembers results for the organization behavior graph. An administrator account cannot use DeleteMembers to remove their own account from the behavior graph. To disable a behavior graph, the administrator account uses the DeleteGraph API method. /// - /// - Parameter DeleteMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMembersInput`) /// - /// - Returns: `DeleteMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -854,7 +847,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMembersOutput.httpOutput(from:), DeleteMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -886,9 +878,9 @@ extension DetectiveClient { /// /// Returns information about the configuration for the organization behavior graph. Currently indicates whether to automatically enable new organization accounts as member accounts. Can only be called by the Detective administrator account for the organization. /// - /// - Parameter DescribeOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationConfigurationInput`) /// - /// - Returns: `DescribeOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +917,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationConfigurationOutput.httpOutput(from:), DescribeOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension DetectiveClient { /// /// Removes the Detective administrator account in the current Region. Deletes the organization behavior graph. Can only be called by the organization management account. Removing the Detective administrator account does not affect the delegated administrator account for Detective in Organizations. To remove the delegated administrator account in Organizations, use the Organizations API. Removing the delegated administrator account also removes the Detective administrator account in all Regions, except for Regions where the Detective administrator account is the organization management account. /// - /// - Parameter DisableOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableOrganizationAdminAccountInput`) /// - /// - Returns: `DisableOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -993,7 +984,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableOrganizationAdminAccountOutput.httpOutput(from:), DisableOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1025,9 +1015,9 @@ extension DetectiveClient { /// /// Removes the member account from the specified behavior graph. This operation can only be called by an invited member account that has the ENABLED status. DisassociateMembership cannot be called by an organization account in the organization behavior graph. For the organization behavior graph, the Detective administrator account determines which organization accounts to enable or disable as member accounts. /// - /// - Parameter DisassociateMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMembershipInput`) /// - /// - Returns: `DisassociateMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1065,7 +1055,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMembershipOutput.httpOutput(from:), DisassociateMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1097,9 +1086,9 @@ extension DetectiveClient { /// /// Designates the Detective administrator account for the organization in the current Region. If the account does not have Detective enabled, then enables Detective for that account and creates a new behavior graph. Can only be called by the organization management account. If the organization has a delegated administrator account in Organizations, then the Detective administrator account must be either the delegated administrator account or the organization management account. If the organization does not have a delegated administrator account in Organizations, then you can choose any account in the organization. If you choose an account other than the organization management account, Detective calls Organizations to make that account the delegated administrator account for Detective. The organization management account cannot be the delegated administrator account. /// - /// - Parameter EnableOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableOrganizationAdminAccountInput`) /// - /// - Returns: `EnableOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1136,7 +1125,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableOrganizationAdminAccountOutput.httpOutput(from:), EnableOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1168,9 +1156,9 @@ extension DetectiveClient { /// /// Detective investigations lets you investigate IAM users and IAM roles using indicators of compromise. An indicator of compromise (IOC) is an artifact observed in or on a network, system, or environment that can (with a high level of confidence) identify malicious activity or a security incident. GetInvestigation returns the investigation results of an investigation for a behavior graph. /// - /// - Parameter GetInvestigationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInvestigationInput`) /// - /// - Returns: `GetInvestigationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInvestigationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1208,7 +1196,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInvestigationOutput.httpOutput(from:), GetInvestigationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1240,9 +1227,9 @@ extension DetectiveClient { /// /// Returns the membership details for specified member accounts for a behavior graph. /// - /// - Parameter GetMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMembersInput`) /// - /// - Returns: `GetMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1279,7 +1266,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMembersOutput.httpOutput(from:), GetMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1311,9 +1297,9 @@ extension DetectiveClient { /// /// Lists data source packages in the behavior graph. /// - /// - Parameter ListDatasourcePackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasourcePackagesInput`) /// - /// - Returns: `ListDatasourcePackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasourcePackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1350,7 +1336,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasourcePackagesOutput.httpOutput(from:), ListDatasourcePackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1382,9 +1367,9 @@ extension DetectiveClient { /// /// Returns the list of behavior graphs that the calling account is an administrator account of. This operation can only be called by an administrator account. Because an account can currently only be the administrator of one behavior graph within a Region, the results always contain a single behavior graph. /// - /// - Parameter ListGraphsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGraphsInput`) /// - /// - Returns: `ListGraphsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGraphsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1420,7 +1405,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGraphsOutput.httpOutput(from:), ListGraphsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1452,9 +1436,9 @@ extension DetectiveClient { /// /// Gets the indicators from an investigation. You can use the information from the indicators to determine if an IAM user and/or IAM role is involved in an unusual activity that could indicate malicious behavior and its impact. /// - /// - Parameter ListIndicatorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIndicatorsInput`) /// - /// - Returns: `ListIndicatorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIndicatorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1492,7 +1476,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIndicatorsOutput.httpOutput(from:), ListIndicatorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1524,9 +1507,9 @@ extension DetectiveClient { /// /// Detective investigations lets you investigate IAM users and IAM roles using indicators of compromise. An indicator of compromise (IOC) is an artifact observed in or on a network, system, or environment that can (with a high level of confidence) identify malicious activity or a security incident. ListInvestigations lists all active Detective investigations. /// - /// - Parameter ListInvestigationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvestigationsInput`) /// - /// - Returns: `ListInvestigationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvestigationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1564,7 +1547,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvestigationsOutput.httpOutput(from:), ListInvestigationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1596,9 +1578,9 @@ extension DetectiveClient { /// /// Retrieves the list of open and accepted behavior graph invitations for the member account. This operation can only be called by an invited member account. Open invitations are invitations that the member account has not responded to. The results do not include behavior graphs for which the member account declined the invitation. The results also do not include behavior graphs that the member account resigned from or was removed from. /// - /// - Parameter ListInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvitationsInput`) /// - /// - Returns: `ListInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1634,7 +1616,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvitationsOutput.httpOutput(from:), ListInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1666,9 +1647,9 @@ extension DetectiveClient { /// /// Retrieves the list of member accounts for a behavior graph. For invited accounts, the results do not include member accounts that were removed from the behavior graph. For the organization behavior graph, the results do not include organization accounts that the Detective administrator account has not enabled as member accounts. /// - /// - Parameter ListMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMembersInput`) /// - /// - Returns: `ListMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1705,7 +1686,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMembersOutput.httpOutput(from:), ListMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1737,9 +1717,9 @@ extension DetectiveClient { /// /// Returns information about the Detective administrator account for an organization. Can only be called by the organization management account. /// - /// - Parameter ListOrganizationAdminAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationAdminAccountsInput`) /// - /// - Returns: `ListOrganizationAdminAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationAdminAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1776,7 +1756,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationAdminAccountsOutput.httpOutput(from:), ListOrganizationAdminAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1808,9 +1787,9 @@ extension DetectiveClient { /// /// Returns the tag values that are assigned to a behavior graph. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1844,7 +1823,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1876,9 +1854,9 @@ extension DetectiveClient { /// /// Rejects an invitation to contribute the account data to a behavior graph. This operation must be called by an invited member account that has the INVITED status. RejectInvitation cannot be called by an organization account in the organization behavior graph. In the organization behavior graph, organization accounts do not receive an invitation. /// - /// - Parameter RejectInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectInvitationInput`) /// - /// - Returns: `RejectInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1916,7 +1894,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectInvitationOutput.httpOutput(from:), RejectInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1948,9 +1925,9 @@ extension DetectiveClient { /// /// Detective investigations lets you investigate IAM users and IAM roles using indicators of compromise. An indicator of compromise (IOC) is an artifact observed in or on a network, system, or environment that can (with a high level of confidence) identify malicious activity or a security incident. StartInvestigation initiates an investigation on an entity in a behavior graph. /// - /// - Parameter StartInvestigationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartInvestigationInput`) /// - /// - Returns: `StartInvestigationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartInvestigationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1988,7 +1965,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInvestigationOutput.httpOutput(from:), StartInvestigationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2024,9 +2000,9 @@ extension DetectiveClient { /// /// * If Detective cannot enable the member account, the status remains ACCEPTED_BUT_DISABLED. /// - /// - Parameter StartMonitoringMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMonitoringMemberInput`) /// - /// - Returns: `StartMonitoringMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMonitoringMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2069,7 +2045,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMonitoringMemberOutput.httpOutput(from:), StartMonitoringMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2101,9 +2076,9 @@ extension DetectiveClient { /// /// Applies tag values to a behavior graph. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2140,7 +2115,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2172,9 +2146,9 @@ extension DetectiveClient { /// /// Removes tags from a behavior graph. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2209,7 +2183,6 @@ extension DetectiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2241,9 +2214,9 @@ extension DetectiveClient { /// /// Starts a data source package for the Detective behavior graph. /// - /// - Parameter UpdateDatasourcePackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatasourcePackagesInput`) /// - /// - Returns: `UpdateDatasourcePackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatasourcePackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2285,7 +2258,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatasourcePackagesOutput.httpOutput(from:), UpdateDatasourcePackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2317,9 +2289,9 @@ extension DetectiveClient { /// /// Updates the state of an investigation. /// - /// - Parameter UpdateInvestigationStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInvestigationStateInput`) /// - /// - Returns: `UpdateInvestigationStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInvestigationStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2357,7 +2329,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInvestigationStateOutput.httpOutput(from:), UpdateInvestigationStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2389,9 +2360,9 @@ extension DetectiveClient { /// /// Updates the configuration for the Organizations integration in the current Region. Can only be called by the Detective administrator account for the organization. /// - /// - Parameter UpdateOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOrganizationConfigurationInput`) /// - /// - Returns: `UpdateOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2428,7 +2399,6 @@ extension DetectiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOrganizationConfigurationOutput.httpOutput(from:), UpdateOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDevOpsGuru/Sources/AWSDevOpsGuru/DevOpsGuruClient.swift b/Sources/Services/AWSDevOpsGuru/Sources/AWSDevOpsGuru/DevOpsGuruClient.swift index 16b33db113e..62c83dfb7e8 100644 --- a/Sources/Services/AWSDevOpsGuru/Sources/AWSDevOpsGuru/DevOpsGuruClient.swift +++ b/Sources/Services/AWSDevOpsGuru/Sources/AWSDevOpsGuru/DevOpsGuruClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DevOpsGuruClient: ClientRuntime.Client { public static let clientName = "DevOpsGuruClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DevOpsGuruClient.DevOpsGuruClientConfiguration let serviceName = "DevOps Guru" @@ -375,9 +374,9 @@ extension DevOpsGuruClient { /// /// Adds a notification channel to DevOps Guru. A notification channel is used to notify you about important DevOps Guru events, such as when an insight is generated. If you use an Amazon SNS topic in another account, you must attach a policy to it that grants DevOps Guru permission to send it notifications. DevOps Guru adds the required policy on your behalf to send notifications using Amazon SNS in your account. DevOps Guru only supports standard SNS topics. For more information, see [Permissions for Amazon SNS topics](https://docs.aws.amazon.com/devops-guru/latest/userguide/sns-required-permissions.html). If you use an Amazon SNS topic that is encrypted by an Amazon Web Services Key Management Service customer-managed key (CMK), then you must add permissions to the CMK. For more information, see [Permissions for Amazon Web Services KMS–encrypted Amazon SNS topics](https://docs.aws.amazon.com/devops-guru/latest/userguide/sns-kms-permissions.html). /// - /// - Parameter AddNotificationChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddNotificationChannelInput`) /// - /// - Returns: `AddNotificationChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddNotificationChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddNotificationChannelOutput.httpOutput(from:), AddNotificationChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension DevOpsGuruClient { /// /// Deletes the insight along with the associated anomalies, events and recommendations. /// - /// - Parameter DeleteInsightInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInsightInput`) /// - /// - Returns: `DeleteInsightOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInsightOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInsightOutput.httpOutput(from:), DeleteInsightOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension DevOpsGuruClient { /// /// Returns the number of open reactive insights, the number of open proactive insights, and the number of metrics analyzed in your Amazon Web Services account. Use these numbers to gauge the health of operations in your Amazon Web Services account. /// - /// - Parameter DescribeAccountHealthInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountHealthInput`) /// - /// - Returns: `DescribeAccountHealthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountHealthOutput.httpOutput(from:), DescribeAccountHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension DevOpsGuruClient { /// /// For the time range passed in, returns the number of open reactive insight that were created, the number of open proactive insights that were created, and the Mean Time to Recover (MTTR) for all closed reactive insights. /// - /// - Parameter DescribeAccountOverviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountOverviewInput`) /// - /// - Returns: `DescribeAccountOverviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountOverviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountOverviewOutput.httpOutput(from:), DescribeAccountOverviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension DevOpsGuruClient { /// /// Returns details about an anomaly that you specify using its ID. /// - /// - Parameter DescribeAnomalyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAnomalyInput`) /// - /// - Returns: `DescribeAnomalyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAnomalyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension DevOpsGuruClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAnomalyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAnomalyOutput.httpOutput(from:), DescribeAnomalyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension DevOpsGuruClient { /// /// Returns the integration status of services that are integrated with DevOps Guru as Consumer via EventBridge. The one service that can be integrated with DevOps Guru is Amazon CodeGuru Profiler, which can produce proactive recommendations which can be stored and viewed in DevOps Guru. /// - /// - Parameter DescribeEventSourcesConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventSourcesConfigInput`) /// - /// - Returns: `DescribeEventSourcesConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventSourcesConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -764,7 +758,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventSourcesConfigOutput.httpOutput(from:), DescribeEventSourcesConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -796,9 +789,9 @@ extension DevOpsGuruClient { /// /// Returns the most recent feedback submitted in the current Amazon Web Services account and Region. /// - /// - Parameter DescribeFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFeedbackInput`) /// - /// - Returns: `DescribeFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -836,7 +829,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFeedbackOutput.httpOutput(from:), DescribeFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -868,9 +860,9 @@ extension DevOpsGuruClient { /// /// Returns details about an insight that you specify using its ID. /// - /// - Parameter DescribeInsightInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInsightInput`) /// - /// - Returns: `DescribeInsightOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInsightOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -906,7 +898,6 @@ extension DevOpsGuruClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeInsightInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInsightOutput.httpOutput(from:), DescribeInsightOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -938,9 +929,9 @@ extension DevOpsGuruClient { /// /// Returns active insights, predictive insights, and resource hours analyzed in last hour. /// - /// - Parameter DescribeOrganizationHealthInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationHealthInput`) /// - /// - Returns: `DescribeOrganizationHealthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -977,7 +968,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationHealthOutput.httpOutput(from:), DescribeOrganizationHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1009,9 +999,9 @@ extension DevOpsGuruClient { /// /// Returns an overview of your organization's history based on the specified time range. The overview includes the total reactive and proactive insights. /// - /// - Parameter DescribeOrganizationOverviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationOverviewInput`) /// - /// - Returns: `DescribeOrganizationOverviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationOverviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1048,7 +1038,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationOverviewOutput.httpOutput(from:), DescribeOrganizationOverviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1080,9 +1069,9 @@ extension DevOpsGuruClient { /// /// Provides an overview of your system's health. If additional member accounts are part of your organization, you can filter those accounts using the AccountIds field. /// - /// - Parameter DescribeOrganizationResourceCollectionHealthInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationResourceCollectionHealthInput`) /// - /// - Returns: `DescribeOrganizationResourceCollectionHealthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationResourceCollectionHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1119,7 +1108,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationResourceCollectionHealthOutput.httpOutput(from:), DescribeOrganizationResourceCollectionHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1151,9 +1139,9 @@ extension DevOpsGuruClient { /// /// Returns the number of open proactive insights, open reactive insights, and the Mean Time to Recover (MTTR) for all closed insights in resource collections in your account. You specify the type of Amazon Web Services resources collection. The two types of Amazon Web Services resource collections supported are Amazon Web Services CloudFormation stacks and Amazon Web Services resources that contain the same Amazon Web Services tag. DevOps Guru can be configured to analyze the Amazon Web Services resources that are defined in the stacks or that are tagged using the same tag key. You can specify up to 500 Amazon Web Services CloudFormation stacks. /// - /// - Parameter DescribeResourceCollectionHealthInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourceCollectionHealthInput`) /// - /// - Returns: `DescribeResourceCollectionHealthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourceCollectionHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1188,7 +1176,6 @@ extension DevOpsGuruClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeResourceCollectionHealthInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourceCollectionHealthOutput.httpOutput(from:), DescribeResourceCollectionHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1220,9 +1207,9 @@ extension DevOpsGuruClient { /// /// Returns the integration status of services that are integrated with DevOps Guru. The one service that can be integrated with DevOps Guru is Amazon Web Services Systems Manager, which can be used to create an OpsItem for each generated insight. /// - /// - Parameter DescribeServiceIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceIntegrationInput`) /// - /// - Returns: `DescribeServiceIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1257,7 +1244,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceIntegrationOutput.httpOutput(from:), DescribeServiceIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1289,9 +1275,9 @@ extension DevOpsGuruClient { /// /// Returns an estimate of the monthly cost for DevOps Guru to analyze your Amazon Web Services resources. For more information, see [Estimate your Amazon DevOps Guru costs](https://docs.aws.amazon.com/devops-guru/latest/userguide/cost-estimate.html) and [Amazon DevOps Guru pricing](http://aws.amazon.com/devops-guru/pricing/). /// - /// - Parameter GetCostEstimationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCostEstimationInput`) /// - /// - Returns: `GetCostEstimationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCostEstimationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1327,7 +1313,6 @@ extension DevOpsGuruClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCostEstimationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCostEstimationOutput.httpOutput(from:), GetCostEstimationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1359,9 +1344,9 @@ extension DevOpsGuruClient { /// /// Returns lists Amazon Web Services resources that are of the specified resource collection type. The two types of Amazon Web Services resource collections supported are Amazon Web Services CloudFormation stacks and Amazon Web Services resources that contain the same Amazon Web Services tag. DevOps Guru can be configured to analyze the Amazon Web Services resources that are defined in the stacks or that are tagged using the same tag key. You can specify up to 500 Amazon Web Services CloudFormation stacks. /// - /// - Parameter GetResourceCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceCollectionInput`) /// - /// - Returns: `GetResourceCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1397,7 +1382,6 @@ extension DevOpsGuruClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResourceCollectionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceCollectionOutput.httpOutput(from:), GetResourceCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1429,9 +1413,9 @@ extension DevOpsGuruClient { /// /// Returns a list of the anomalies that belong to an insight that you specify using its ID. /// - /// - Parameter ListAnomaliesForInsightInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnomaliesForInsightInput`) /// - /// - Returns: `ListAnomaliesForInsightOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnomaliesForInsightOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1469,7 +1453,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnomaliesForInsightOutput.httpOutput(from:), ListAnomaliesForInsightOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1501,9 +1484,9 @@ extension DevOpsGuruClient { /// /// Returns the list of log groups that contain log anomalies. /// - /// - Parameter ListAnomalousLogGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnomalousLogGroupsInput`) /// - /// - Returns: `ListAnomalousLogGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnomalousLogGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1541,7 +1524,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnomalousLogGroupsOutput.httpOutput(from:), ListAnomalousLogGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1573,9 +1555,9 @@ extension DevOpsGuruClient { /// /// Returns a list of the events emitted by the resources that are evaluated by DevOps Guru. You can use filters to specify which events are returned. /// - /// - Parameter ListEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventsInput`) /// - /// - Returns: `ListEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1613,7 +1595,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventsOutput.httpOutput(from:), ListEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1645,9 +1626,9 @@ extension DevOpsGuruClient { /// /// Returns a list of insights in your Amazon Web Services account. You can specify which insights are returned by their start time and status (ONGOING, CLOSED, or ANY). /// - /// - Parameter ListInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInsightsInput`) /// - /// - Returns: `ListInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1684,7 +1665,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInsightsOutput.httpOutput(from:), ListInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1716,9 +1696,9 @@ extension DevOpsGuruClient { /// /// Returns the list of all log groups that are being monitored and tagged by DevOps Guru. /// - /// - Parameter ListMonitoredResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitoredResourcesInput`) /// - /// - Returns: `ListMonitoredResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitoredResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1755,7 +1735,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitoredResourcesOutput.httpOutput(from:), ListMonitoredResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1787,9 +1766,9 @@ extension DevOpsGuruClient { /// /// Returns a list of notification channels configured for DevOps Guru. Each notification channel is used to notify you when DevOps Guru generates an insight that contains information about how to improve your operations. The one supported notification channel is Amazon Simple Notification Service (Amazon SNS). /// - /// - Parameter ListNotificationChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotificationChannelsInput`) /// - /// - Returns: `ListNotificationChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotificationChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1826,7 +1805,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotificationChannelsOutput.httpOutput(from:), ListNotificationChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1858,9 +1836,9 @@ extension DevOpsGuruClient { /// /// Returns a list of insights associated with the account or OU Id. /// - /// - Parameter ListOrganizationInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationInsightsInput`) /// - /// - Returns: `ListOrganizationInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1897,7 +1875,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationInsightsOutput.httpOutput(from:), ListOrganizationInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1929,9 +1906,9 @@ extension DevOpsGuruClient { /// /// Returns a list of a specified insight's recommendations. Each recommendation includes a list of related metrics and a list of related events. /// - /// - Parameter ListRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendationsInput`) /// - /// - Returns: `ListRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1969,7 +1946,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendationsOutput.httpOutput(from:), ListRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2001,9 +1977,9 @@ extension DevOpsGuruClient { /// /// Collects customer feedback about the specified insight. /// - /// - Parameter PutFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFeedbackInput`) /// - /// - Returns: `PutFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2042,7 +2018,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFeedbackOutput.httpOutput(from:), PutFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2074,9 +2049,9 @@ extension DevOpsGuruClient { /// /// Removes a notification channel from DevOps Guru. A notification channel is used to notify you when DevOps Guru generates an insight that contains information about how to improve your operations. /// - /// - Parameter RemoveNotificationChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveNotificationChannelInput`) /// - /// - Returns: `RemoveNotificationChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveNotificationChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2112,7 +2087,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveNotificationChannelOutput.httpOutput(from:), RemoveNotificationChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2144,9 +2118,9 @@ extension DevOpsGuruClient { /// /// Returns a list of insights in your Amazon Web Services account. You can specify which insights are returned by their start time, one or more statuses (ONGOING or CLOSED), one or more severities (LOW, MEDIUM, and HIGH), and type (REACTIVE or PROACTIVE). Use the Filters parameter to specify status and severity search parameters. Use the Type parameter to specify REACTIVE or PROACTIVE in your search. /// - /// - Parameter SearchInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchInsightsInput`) /// - /// - Returns: `SearchInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2183,7 +2157,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchInsightsOutput.httpOutput(from:), SearchInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2215,9 +2188,9 @@ extension DevOpsGuruClient { /// /// Returns a list of insights in your organization. You can specify which insights are returned by their start time, one or more statuses (ONGOING, CLOSED, and CLOSED), one or more severities (LOW, MEDIUM, and HIGH), and type (REACTIVE or PROACTIVE). Use the Filters parameter to specify status and severity search parameters. Use the Type parameter to specify REACTIVE or PROACTIVE in your search. /// - /// - Parameter SearchOrganizationInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchOrganizationInsightsInput`) /// - /// - Returns: `SearchOrganizationInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchOrganizationInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2254,7 +2227,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchOrganizationInsightsOutput.httpOutput(from:), SearchOrganizationInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2286,9 +2258,9 @@ extension DevOpsGuruClient { /// /// Starts the creation of an estimate of the monthly cost to analyze your Amazon Web Services resources. /// - /// - Parameter StartCostEstimationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCostEstimationInput`) /// - /// - Returns: `StartCostEstimationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCostEstimationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2328,7 +2300,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCostEstimationOutput.httpOutput(from:), StartCostEstimationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2360,9 +2331,9 @@ extension DevOpsGuruClient { /// /// Enables or disables integration with a service that can be integrated with DevOps Guru. The one service that can be integrated with DevOps Guru is Amazon CodeGuru Profiler, which can produce proactive recommendations which can be stored and viewed in DevOps Guru. /// - /// - Parameter UpdateEventSourcesConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventSourcesConfigInput`) /// - /// - Returns: `UpdateEventSourcesConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventSourcesConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2399,7 +2370,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventSourcesConfigOutput.httpOutput(from:), UpdateEventSourcesConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2431,9 +2401,9 @@ extension DevOpsGuruClient { /// /// Updates the collection of resources that DevOps Guru analyzes. The two types of Amazon Web Services resource collections supported are Amazon Web Services CloudFormation stacks and Amazon Web Services resources that contain the same Amazon Web Services tag. DevOps Guru can be configured to analyze the Amazon Web Services resources that are defined in the stacks or that are tagged using the same tag key. You can specify up to 500 Amazon Web Services CloudFormation stacks. This method also creates the IAM role required for you to use DevOps Guru. /// - /// - Parameter UpdateResourceCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceCollectionInput`) /// - /// - Returns: `UpdateResourceCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2471,7 +2441,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceCollectionOutput.httpOutput(from:), UpdateResourceCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2503,9 +2472,9 @@ extension DevOpsGuruClient { /// /// Enables or disables integration with a service that can be integrated with DevOps Guru. The one service that can be integrated with DevOps Guru is Amazon Web Services Systems Manager, which can be used to create an OpsItem for each generated insight. /// - /// - Parameter UpdateServiceIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceIntegrationInput`) /// - /// - Returns: `UpdateServiceIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2543,7 +2512,6 @@ extension DevOpsGuruClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceIntegrationOutput.httpOutput(from:), UpdateServiceIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDeviceFarm/Sources/AWSDeviceFarm/DeviceFarmClient.swift b/Sources/Services/AWSDeviceFarm/Sources/AWSDeviceFarm/DeviceFarmClient.swift index 41440d21d5c..0f67ac53236 100644 --- a/Sources/Services/AWSDeviceFarm/Sources/AWSDeviceFarm/DeviceFarmClient.swift +++ b/Sources/Services/AWSDeviceFarm/Sources/AWSDeviceFarm/DeviceFarmClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DeviceFarmClient: ClientRuntime.Client { public static let clientName = "DeviceFarmClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DeviceFarmClient.DeviceFarmClientConfiguration let serviceName = "Device Farm" @@ -374,9 +373,9 @@ extension DeviceFarmClient { /// /// Creates a device pool. /// - /// - Parameter CreateDevicePoolInput : Represents a request to the create device pool operation. + /// - Parameter input: Represents a request to the create device pool operation. (Type: `CreateDevicePoolInput`) /// - /// - Returns: `CreateDevicePoolOutput` : Represents the result of a create device pool request. + /// - Returns: Represents the result of a create device pool request. (Type: `CreateDevicePoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDevicePoolOutput.httpOutput(from:), CreateDevicePoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension DeviceFarmClient { /// /// Creates a profile that can be applied to one or more private fleet device instances. /// - /// - Parameter CreateInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstanceProfileInput`) /// - /// - Returns: `CreateInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceProfileOutput.httpOutput(from:), CreateInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension DeviceFarmClient { /// /// Creates a network profile. /// - /// - Parameter CreateNetworkProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNetworkProfileInput`) /// - /// - Returns: `CreateNetworkProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNetworkProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkProfileOutput.httpOutput(from:), CreateNetworkProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension DeviceFarmClient { /// /// Creates a project. /// - /// - Parameter CreateProjectInput : Represents a request to the create project operation. + /// - Parameter input: Represents a request to the create project operation. (Type: `CreateProjectInput`) /// - /// - Returns: `CreateProjectOutput` : Represents the result of a create project request. + /// - Returns: Represents the result of a create project request. (Type: `CreateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectOutput.httpOutput(from:), CreateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension DeviceFarmClient { /// /// Specifies and starts a remote access session. /// - /// - Parameter CreateRemoteAccessSessionInput : Creates and submits a request to start a remote access session. + /// - Parameter input: Creates and submits a request to start a remote access session. (Type: `CreateRemoteAccessSessionInput`) /// - /// - Returns: `CreateRemoteAccessSessionOutput` : Represents the server response from a request to create a remote access session. + /// - Returns: Represents the server response from a request to create a remote access session. (Type: `CreateRemoteAccessSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -700,7 +695,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRemoteAccessSessionOutput.httpOutput(from:), CreateRemoteAccessSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension DeviceFarmClient { /// /// Creates a Selenium testing project. Projects are used to track [TestGridSession] instances. /// - /// - Parameter CreateTestGridProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTestGridProjectInput`) /// - /// - Returns: `CreateTestGridProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTestGridProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTestGridProjectOutput.httpOutput(from:), CreateTestGridProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension DeviceFarmClient { /// /// Creates a signed, short-term URL that can be passed to a Selenium RemoteWebDriver constructor. /// - /// - Parameter CreateTestGridUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTestGridUrlInput`) /// - /// - Returns: `CreateTestGridUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTestGridUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTestGridUrlOutput.httpOutput(from:), CreateTestGridUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -877,9 +869,9 @@ extension DeviceFarmClient { /// /// Uploads an app or test scripts. /// - /// - Parameter CreateUploadInput : Represents a request to the create upload operation. + /// - Parameter input: Represents a request to the create upload operation. (Type: `CreateUploadInput`) /// - /// - Returns: `CreateUploadOutput` : Represents the result of a create upload request. + /// - Returns: Represents the result of a create upload request. (Type: `CreateUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUploadOutput.httpOutput(from:), CreateUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -949,9 +940,9 @@ extension DeviceFarmClient { /// /// Creates a configuration record in Device Farm for your Amazon Virtual Private Cloud (VPC) endpoint. /// - /// - Parameter CreateVPCEConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVPCEConfigurationInput`) /// - /// - Returns: `CreateVPCEConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVPCEConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -985,7 +976,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVPCEConfigurationOutput.httpOutput(from:), CreateVPCEConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1020,9 +1010,9 @@ extension DeviceFarmClient { /// /// Deletes a device pool given the pool ARN. Does not allow deletion of curated pools owned by the system. /// - /// - Parameter DeleteDevicePoolInput : Represents a request to the delete device pool operation. + /// - Parameter input: Represents a request to the delete device pool operation. (Type: `DeleteDevicePoolInput`) /// - /// - Returns: `DeleteDevicePoolOutput` : Represents the result of a delete device pool request. + /// - Returns: Represents the result of a delete device pool request. (Type: `DeleteDevicePoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1057,7 +1047,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDevicePoolOutput.httpOutput(from:), DeleteDevicePoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1081,9 @@ extension DeviceFarmClient { /// /// Deletes a profile that can be applied to one or more private device instances. /// - /// - Parameter DeleteInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInstanceProfileInput`) /// - /// - Returns: `DeleteInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1129,7 +1118,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceProfileOutput.httpOutput(from:), DeleteInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1164,9 +1152,9 @@ extension DeviceFarmClient { /// /// Deletes a network profile. /// - /// - Parameter DeleteNetworkProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNetworkProfileInput`) /// - /// - Returns: `DeleteNetworkProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1201,7 +1189,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkProfileOutput.httpOutput(from:), DeleteNetworkProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1236,9 +1223,9 @@ extension DeviceFarmClient { /// /// Deletes an AWS Device Farm project, given the project ARN. Deleting this resource does not stop an in-progress run. /// - /// - Parameter DeleteProjectInput : Represents a request to the delete project operation. + /// - Parameter input: Represents a request to the delete project operation. (Type: `DeleteProjectInput`) /// - /// - Returns: `DeleteProjectOutput` : Represents the result of a delete project request. + /// - Returns: Represents the result of a delete project request. (Type: `DeleteProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1273,7 +1260,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectOutput.httpOutput(from:), DeleteProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1308,9 +1294,9 @@ extension DeviceFarmClient { /// /// Deletes a completed remote access session and its results. /// - /// - Parameter DeleteRemoteAccessSessionInput : Represents the request to delete the specified remote access session. + /// - Parameter input: Represents the request to delete the specified remote access session. (Type: `DeleteRemoteAccessSessionInput`) /// - /// - Returns: `DeleteRemoteAccessSessionOutput` : The response from the server when a request is made to delete the remote access session. + /// - Returns: The response from the server when a request is made to delete the remote access session. (Type: `DeleteRemoteAccessSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1345,7 +1331,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRemoteAccessSessionOutput.httpOutput(from:), DeleteRemoteAccessSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1380,9 +1365,9 @@ extension DeviceFarmClient { /// /// Deletes the run, given the run ARN. Deleting this resource does not stop an in-progress run. /// - /// - Parameter DeleteRunInput : Represents a request to the delete run operation. + /// - Parameter input: Represents a request to the delete run operation. (Type: `DeleteRunInput`) /// - /// - Returns: `DeleteRunOutput` : Represents the result of a delete run request. + /// - Returns: Represents the result of a delete run request. (Type: `DeleteRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1417,7 +1402,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRunOutput.httpOutput(from:), DeleteRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1452,9 +1436,9 @@ extension DeviceFarmClient { /// /// Deletes a Selenium testing project and all content generated under it. You cannot undo this operation. You cannot delete a project if it has active sessions. /// - /// - Parameter DeleteTestGridProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTestGridProjectInput`) /// - /// - Returns: `DeleteTestGridProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTestGridProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1473,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTestGridProjectOutput.httpOutput(from:), DeleteTestGridProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1524,9 +1507,9 @@ extension DeviceFarmClient { /// /// Deletes an upload given the upload ARN. /// - /// - Parameter DeleteUploadInput : Represents a request to the delete upload operation. + /// - Parameter input: Represents a request to the delete upload operation. (Type: `DeleteUploadInput`) /// - /// - Returns: `DeleteUploadOutput` : Represents the result of a delete upload request. + /// - Returns: Represents the result of a delete upload request. (Type: `DeleteUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1561,7 +1544,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUploadOutput.httpOutput(from:), DeleteUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1596,9 +1578,9 @@ extension DeviceFarmClient { /// /// Deletes a configuration for your Amazon Virtual Private Cloud (VPC) endpoint. /// - /// - Parameter DeleteVPCEConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVPCEConfigurationInput`) /// - /// - Returns: `DeleteVPCEConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVPCEConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1633,7 +1615,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVPCEConfigurationOutput.httpOutput(from:), DeleteVPCEConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1668,9 +1649,9 @@ extension DeviceFarmClient { /// /// Returns the number of unmetered iOS or unmetered Android devices that have been purchased by the account. /// - /// - Parameter GetAccountSettingsInput : Represents the request sent to retrieve the account settings. + /// - Parameter input: Represents the request sent to retrieve the account settings. (Type: `GetAccountSettingsInput`) /// - /// - Returns: `GetAccountSettingsOutput` : Represents the account settings return values from the GetAccountSettings request. + /// - Returns: Represents the account settings return values from the GetAccountSettings request. (Type: `GetAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1705,7 +1686,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSettingsOutput.httpOutput(from:), GetAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1740,9 +1720,9 @@ extension DeviceFarmClient { /// /// Gets information about a unique device type. /// - /// - Parameter GetDeviceInput : Represents a request to the get device request. + /// - Parameter input: Represents a request to the get device request. (Type: `GetDeviceInput`) /// - /// - Returns: `GetDeviceOutput` : Represents the result of a get device request. + /// - Returns: Represents the result of a get device request. (Type: `GetDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1777,7 +1757,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceOutput.httpOutput(from:), GetDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1812,9 +1791,9 @@ extension DeviceFarmClient { /// /// Returns information about a device instance that belongs to a private device fleet. /// - /// - Parameter GetDeviceInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeviceInstanceInput`) /// - /// - Returns: `GetDeviceInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeviceInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1849,7 +1828,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceInstanceOutput.httpOutput(from:), GetDeviceInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1884,9 +1862,9 @@ extension DeviceFarmClient { /// /// Gets information about a device pool. /// - /// - Parameter GetDevicePoolInput : Represents a request to the get device pool operation. + /// - Parameter input: Represents a request to the get device pool operation. (Type: `GetDevicePoolInput`) /// - /// - Returns: `GetDevicePoolOutput` : Represents the result of a get device pool request. + /// - Returns: Represents the result of a get device pool request. (Type: `GetDevicePoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1921,7 +1899,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDevicePoolOutput.httpOutput(from:), GetDevicePoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1956,9 +1933,9 @@ extension DeviceFarmClient { /// /// Gets information about compatibility with a device pool. /// - /// - Parameter GetDevicePoolCompatibilityInput : Represents a request to the get device pool compatibility operation. + /// - Parameter input: Represents a request to the get device pool compatibility operation. (Type: `GetDevicePoolCompatibilityInput`) /// - /// - Returns: `GetDevicePoolCompatibilityOutput` : Represents the result of describe device pool compatibility request. + /// - Returns: Represents the result of describe device pool compatibility request. (Type: `GetDevicePoolCompatibilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1993,7 +1970,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDevicePoolCompatibilityOutput.httpOutput(from:), GetDevicePoolCompatibilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2028,9 +2004,9 @@ extension DeviceFarmClient { /// /// Returns information about the specified instance profile. /// - /// - Parameter GetInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceProfileInput`) /// - /// - Returns: `GetInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2065,7 +2041,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceProfileOutput.httpOutput(from:), GetInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2100,9 +2075,9 @@ extension DeviceFarmClient { /// /// Gets information about a job. /// - /// - Parameter GetJobInput : Represents a request to the get job operation. + /// - Parameter input: Represents a request to the get job operation. (Type: `GetJobInput`) /// - /// - Returns: `GetJobOutput` : Represents the result of a get job request. + /// - Returns: Represents the result of a get job request. (Type: `GetJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2137,7 +2112,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobOutput.httpOutput(from:), GetJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2172,9 +2146,9 @@ extension DeviceFarmClient { /// /// Returns information about a network profile. /// - /// - Parameter GetNetworkProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkProfileInput`) /// - /// - Returns: `GetNetworkProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2209,7 +2183,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkProfileOutput.httpOutput(from:), GetNetworkProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2244,9 +2217,9 @@ extension DeviceFarmClient { /// /// Gets the current status and future status of all offerings purchased by an AWS account. The response indicates how many offerings are currently available and the offerings that will be available in the next period. The API returns a NotEligible error if the user is not permitted to invoke the operation. If you must be able to invoke this operation, contact [aws-devicefarm-support@amazon.com](mailto:aws-devicefarm-support@amazon.com). /// - /// - Parameter GetOfferingStatusInput : Represents the request to retrieve the offering status for the specified customer or account. + /// - Parameter input: Represents the request to retrieve the offering status for the specified customer or account. (Type: `GetOfferingStatusInput`) /// - /// - Returns: `GetOfferingStatusOutput` : Returns the status result for a device offering. + /// - Returns: Returns the status result for a device offering. (Type: `GetOfferingStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2282,7 +2255,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOfferingStatusOutput.httpOutput(from:), GetOfferingStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2317,9 +2289,9 @@ extension DeviceFarmClient { /// /// Gets information about a project. /// - /// - Parameter GetProjectInput : Represents a request to the get project operation. + /// - Parameter input: Represents a request to the get project operation. (Type: `GetProjectInput`) /// - /// - Returns: `GetProjectOutput` : Represents the result of a get project request. + /// - Returns: Represents the result of a get project request. (Type: `GetProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2354,7 +2326,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProjectOutput.httpOutput(from:), GetProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2389,9 +2360,9 @@ extension DeviceFarmClient { /// /// Returns a link to a currently running remote access session. /// - /// - Parameter GetRemoteAccessSessionInput : Represents the request to get information about the specified remote access session. + /// - Parameter input: Represents the request to get information about the specified remote access session. (Type: `GetRemoteAccessSessionInput`) /// - /// - Returns: `GetRemoteAccessSessionOutput` : Represents the response from the server that lists detailed information about the remote access session. + /// - Returns: Represents the response from the server that lists detailed information about the remote access session. (Type: `GetRemoteAccessSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2426,7 +2397,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRemoteAccessSessionOutput.httpOutput(from:), GetRemoteAccessSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2461,9 +2431,9 @@ extension DeviceFarmClient { /// /// Gets information about a run. /// - /// - Parameter GetRunInput : Represents a request to the get run operation. + /// - Parameter input: Represents a request to the get run operation. (Type: `GetRunInput`) /// - /// - Returns: `GetRunOutput` : Represents the result of a get run request. + /// - Returns: Represents the result of a get run request. (Type: `GetRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2498,7 +2468,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRunOutput.httpOutput(from:), GetRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2533,9 +2502,9 @@ extension DeviceFarmClient { /// /// Gets information about a suite. /// - /// - Parameter GetSuiteInput : Represents a request to the get suite operation. + /// - Parameter input: Represents a request to the get suite operation. (Type: `GetSuiteInput`) /// - /// - Returns: `GetSuiteOutput` : Represents the result of a get suite request. + /// - Returns: Represents the result of a get suite request. (Type: `GetSuiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2570,7 +2539,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSuiteOutput.httpOutput(from:), GetSuiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2605,9 +2573,9 @@ extension DeviceFarmClient { /// /// Gets information about a test. /// - /// - Parameter GetTestInput : Represents a request to the get test operation. + /// - Parameter input: Represents a request to the get test operation. (Type: `GetTestInput`) /// - /// - Returns: `GetTestOutput` : Represents the result of a get test request. + /// - Returns: Represents the result of a get test request. (Type: `GetTestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2642,7 +2610,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTestOutput.httpOutput(from:), GetTestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2677,9 +2644,9 @@ extension DeviceFarmClient { /// /// Retrieves information about a Selenium testing project. /// - /// - Parameter GetTestGridProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTestGridProjectInput`) /// - /// - Returns: `GetTestGridProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTestGridProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2713,7 +2680,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTestGridProjectOutput.httpOutput(from:), GetTestGridProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2752,9 +2718,9 @@ extension DeviceFarmClient { /// /// * The project ARN and a session ID ([GetTestGridSessionRequest$projectArn] and [GetTestGridSessionRequest$sessionId]). /// - /// - Parameter GetTestGridSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTestGridSessionInput`) /// - /// - Returns: `GetTestGridSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTestGridSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2788,7 +2754,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTestGridSessionOutput.httpOutput(from:), GetTestGridSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2823,9 +2788,9 @@ extension DeviceFarmClient { /// /// Gets information about an upload. /// - /// - Parameter GetUploadInput : Represents a request to the get upload operation. + /// - Parameter input: Represents a request to the get upload operation. (Type: `GetUploadInput`) /// - /// - Returns: `GetUploadOutput` : Represents the result of a get upload request. + /// - Returns: Represents the result of a get upload request. (Type: `GetUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2860,7 +2825,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUploadOutput.httpOutput(from:), GetUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2895,9 +2859,9 @@ extension DeviceFarmClient { /// /// Returns information about the configuration settings for your Amazon Virtual Private Cloud (VPC) endpoint. /// - /// - Parameter GetVPCEConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVPCEConfigurationInput`) /// - /// - Returns: `GetVPCEConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVPCEConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2931,7 +2895,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVPCEConfigurationOutput.httpOutput(from:), GetVPCEConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2966,9 +2929,9 @@ extension DeviceFarmClient { /// /// Installs an application to the device in a remote access session. For Android applications, the file must be in .apk format. For iOS applications, the file must be in .ipa format. /// - /// - Parameter InstallToRemoteAccessSessionInput : Represents the request to install an Android application (in .apk format) or an iOS application (in .ipa format) as part of a remote access session. + /// - Parameter input: Represents the request to install an Android application (in .apk format) or an iOS application (in .ipa format) as part of a remote access session. (Type: `InstallToRemoteAccessSessionInput`) /// - /// - Returns: `InstallToRemoteAccessSessionOutput` : Represents the response from the server after AWS Device Farm makes a request to install to a remote access session. + /// - Returns: Represents the response from the server after AWS Device Farm makes a request to install to a remote access session. (Type: `InstallToRemoteAccessSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3003,7 +2966,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InstallToRemoteAccessSessionOutput.httpOutput(from:), InstallToRemoteAccessSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3038,9 +3000,9 @@ extension DeviceFarmClient { /// /// Gets information about artifacts. /// - /// - Parameter ListArtifactsInput : Represents a request to the list artifacts operation. + /// - Parameter input: Represents a request to the list artifacts operation. (Type: `ListArtifactsInput`) /// - /// - Returns: `ListArtifactsOutput` : Represents the result of a list artifacts operation. + /// - Returns: Represents the result of a list artifacts operation. (Type: `ListArtifactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3075,7 +3037,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListArtifactsOutput.httpOutput(from:), ListArtifactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3110,9 +3071,9 @@ extension DeviceFarmClient { /// /// Returns information about the private device instances associated with one or more AWS accounts. /// - /// - Parameter ListDeviceInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeviceInstancesInput`) /// - /// - Returns: `ListDeviceInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeviceInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3147,7 +3108,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeviceInstancesOutput.httpOutput(from:), ListDeviceInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3182,9 +3142,9 @@ extension DeviceFarmClient { /// /// Gets information about device pools. /// - /// - Parameter ListDevicePoolsInput : Represents the result of a list device pools request. + /// - Parameter input: Represents the result of a list device pools request. (Type: `ListDevicePoolsInput`) /// - /// - Returns: `ListDevicePoolsOutput` : Represents the result of a list device pools request. + /// - Returns: Represents the result of a list device pools request. (Type: `ListDevicePoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3219,7 +3179,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevicePoolsOutput.httpOutput(from:), ListDevicePoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3254,9 +3213,9 @@ extension DeviceFarmClient { /// /// Gets information about unique device types. /// - /// - Parameter ListDevicesInput : Represents the result of a list devices request. + /// - Parameter input: Represents the result of a list devices request. (Type: `ListDevicesInput`) /// - /// - Returns: `ListDevicesOutput` : Represents the result of a list devices operation. + /// - Returns: Represents the result of a list devices operation. (Type: `ListDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3291,7 +3250,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevicesOutput.httpOutput(from:), ListDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3326,9 +3284,9 @@ extension DeviceFarmClient { /// /// Returns information about all the instance profiles in an AWS account. /// - /// - Parameter ListInstanceProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstanceProfilesInput`) /// - /// - Returns: `ListInstanceProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstanceProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3363,7 +3321,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstanceProfilesOutput.httpOutput(from:), ListInstanceProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3398,9 +3355,9 @@ extension DeviceFarmClient { /// /// Gets information about jobs for a given test run. /// - /// - Parameter ListJobsInput : Represents a request to the list jobs operation. + /// - Parameter input: Represents a request to the list jobs operation. (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : Represents the result of a list jobs request. + /// - Returns: Represents the result of a list jobs request. (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3435,7 +3392,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3470,9 +3426,9 @@ extension DeviceFarmClient { /// /// Returns the list of available network profiles. /// - /// - Parameter ListNetworkProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNetworkProfilesInput`) /// - /// - Returns: `ListNetworkProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNetworkProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3507,7 +3463,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNetworkProfilesOutput.httpOutput(from:), ListNetworkProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3542,9 +3497,9 @@ extension DeviceFarmClient { /// /// Returns a list of offering promotions. Each offering promotion record contains the ID and description of the promotion. The API returns a NotEligible error if the caller is not permitted to invoke the operation. Contact [aws-devicefarm-support@amazon.com](mailto:aws-devicefarm-support@amazon.com) if you must be able to invoke this operation. /// - /// - Parameter ListOfferingPromotionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOfferingPromotionsInput`) /// - /// - Returns: `ListOfferingPromotionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOfferingPromotionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3580,7 +3535,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOfferingPromotionsOutput.httpOutput(from:), ListOfferingPromotionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3615,9 +3569,9 @@ extension DeviceFarmClient { /// /// Returns a list of all historical purchases, renewals, and system renewal transactions for an AWS account. The list is paginated and ordered by a descending timestamp (most recent transactions are first). The API returns a NotEligible error if the user is not permitted to invoke the operation. If you must be able to invoke this operation, contact [aws-devicefarm-support@amazon.com](mailto:aws-devicefarm-support@amazon.com). /// - /// - Parameter ListOfferingTransactionsInput : Represents the request to list the offering transaction history. + /// - Parameter input: Represents the request to list the offering transaction history. (Type: `ListOfferingTransactionsInput`) /// - /// - Returns: `ListOfferingTransactionsOutput` : Returns the transaction log of the specified offerings. + /// - Returns: Returns the transaction log of the specified offerings. (Type: `ListOfferingTransactionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3653,7 +3607,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOfferingTransactionsOutput.httpOutput(from:), ListOfferingTransactionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3688,9 +3641,9 @@ extension DeviceFarmClient { /// /// Returns a list of products or offerings that the user can manage through the API. Each offering record indicates the recurring price per unit and the frequency for that offering. The API returns a NotEligible error if the user is not permitted to invoke the operation. If you must be able to invoke this operation, contact [aws-devicefarm-support@amazon.com](mailto:aws-devicefarm-support@amazon.com). /// - /// - Parameter ListOfferingsInput : Represents the request to list all offerings. + /// - Parameter input: Represents the request to list all offerings. (Type: `ListOfferingsInput`) /// - /// - Returns: `ListOfferingsOutput` : Represents the return values of the list of offerings. + /// - Returns: Represents the return values of the list of offerings. (Type: `ListOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3726,7 +3679,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOfferingsOutput.httpOutput(from:), ListOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3761,9 +3713,9 @@ extension DeviceFarmClient { /// /// Gets information about projects. /// - /// - Parameter ListProjectsInput : Represents a request to the list projects operation. + /// - Parameter input: Represents a request to the list projects operation. (Type: `ListProjectsInput`) /// - /// - Returns: `ListProjectsOutput` : Represents the result of a list projects request. + /// - Returns: Represents the result of a list projects request. (Type: `ListProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3798,7 +3750,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectsOutput.httpOutput(from:), ListProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3833,9 +3784,9 @@ extension DeviceFarmClient { /// /// Returns a list of all currently running remote access sessions. /// - /// - Parameter ListRemoteAccessSessionsInput : Represents the request to return information about the remote access session. + /// - Parameter input: Represents the request to return information about the remote access session. (Type: `ListRemoteAccessSessionsInput`) /// - /// - Returns: `ListRemoteAccessSessionsOutput` : Represents the response from the server after AWS Device Farm makes a request to return information about the remote access session. + /// - Returns: Represents the response from the server after AWS Device Farm makes a request to return information about the remote access session. (Type: `ListRemoteAccessSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3870,7 +3821,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRemoteAccessSessionsOutput.httpOutput(from:), ListRemoteAccessSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3905,9 +3855,9 @@ extension DeviceFarmClient { /// /// Gets information about runs, given an AWS Device Farm project ARN. /// - /// - Parameter ListRunsInput : Represents a request to the list runs operation. + /// - Parameter input: Represents a request to the list runs operation. (Type: `ListRunsInput`) /// - /// - Returns: `ListRunsOutput` : Represents the result of a list runs request. + /// - Returns: Represents the result of a list runs request. (Type: `ListRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3942,7 +3892,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRunsOutput.httpOutput(from:), ListRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3977,9 +3926,9 @@ extension DeviceFarmClient { /// /// Gets information about samples, given an AWS Device Farm job ARN. /// - /// - Parameter ListSamplesInput : Represents a request to the list samples operation. + /// - Parameter input: Represents a request to the list samples operation. (Type: `ListSamplesInput`) /// - /// - Returns: `ListSamplesOutput` : Represents the result of a list samples request. + /// - Returns: Represents the result of a list samples request. (Type: `ListSamplesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4014,7 +3963,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSamplesOutput.httpOutput(from:), ListSamplesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4049,9 +3997,9 @@ extension DeviceFarmClient { /// /// Gets information about test suites for a given job. /// - /// - Parameter ListSuitesInput : Represents a request to the list suites operation. + /// - Parameter input: Represents a request to the list suites operation. (Type: `ListSuitesInput`) /// - /// - Returns: `ListSuitesOutput` : Represents the result of a list suites request. + /// - Returns: Represents the result of a list suites request. (Type: `ListSuitesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4086,7 +4034,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSuitesOutput.httpOutput(from:), ListSuitesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4121,9 +4068,9 @@ extension DeviceFarmClient { /// /// List the tags for an AWS Device Farm resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4157,7 +4104,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4192,9 +4138,9 @@ extension DeviceFarmClient { /// /// Gets a list of all Selenium testing projects in your account. /// - /// - Parameter ListTestGridProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestGridProjectsInput`) /// - /// - Returns: `ListTestGridProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestGridProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4227,7 +4173,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestGridProjectsOutput.httpOutput(from:), ListTestGridProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4262,9 +4207,9 @@ extension DeviceFarmClient { /// /// Returns a list of the actions taken in a [TestGridSession]. /// - /// - Parameter ListTestGridSessionActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestGridSessionActionsInput`) /// - /// - Returns: `ListTestGridSessionActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestGridSessionActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4298,7 +4243,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestGridSessionActionsOutput.httpOutput(from:), ListTestGridSessionActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4333,9 +4277,9 @@ extension DeviceFarmClient { /// /// Retrieves a list of artifacts created during the session. /// - /// - Parameter ListTestGridSessionArtifactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestGridSessionArtifactsInput`) /// - /// - Returns: `ListTestGridSessionArtifactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestGridSessionArtifactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4369,7 +4313,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestGridSessionArtifactsOutput.httpOutput(from:), ListTestGridSessionArtifactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4404,9 +4347,9 @@ extension DeviceFarmClient { /// /// Retrieves a list of sessions for a [TestGridProject]. /// - /// - Parameter ListTestGridSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestGridSessionsInput`) /// - /// - Returns: `ListTestGridSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestGridSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4440,7 +4383,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestGridSessionsOutput.httpOutput(from:), ListTestGridSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4475,9 +4417,9 @@ extension DeviceFarmClient { /// /// Gets information about tests in a given test suite. /// - /// - Parameter ListTestsInput : Represents a request to the list tests operation. + /// - Parameter input: Represents a request to the list tests operation. (Type: `ListTestsInput`) /// - /// - Returns: `ListTestsOutput` : Represents the result of a list tests request. + /// - Returns: Represents the result of a list tests request. (Type: `ListTestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4512,7 +4454,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestsOutput.httpOutput(from:), ListTestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4547,9 +4488,9 @@ extension DeviceFarmClient { /// /// Gets information about unique problems, such as exceptions or crashes. Unique problems are defined as a single instance of an error across a run, job, or suite. For example, if a call in your application consistently raises an exception (OutOfBoundsException in MyActivity.java:386), ListUniqueProblems returns a single entry instead of many individual entries for that exception. /// - /// - Parameter ListUniqueProblemsInput : Represents a request to the list unique problems operation. + /// - Parameter input: Represents a request to the list unique problems operation. (Type: `ListUniqueProblemsInput`) /// - /// - Returns: `ListUniqueProblemsOutput` : Represents the result of a list unique problems request. + /// - Returns: Represents the result of a list unique problems request. (Type: `ListUniqueProblemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4584,7 +4525,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUniqueProblemsOutput.httpOutput(from:), ListUniqueProblemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4619,9 +4559,9 @@ extension DeviceFarmClient { /// /// Gets information about uploads, given an AWS Device Farm project ARN. /// - /// - Parameter ListUploadsInput : Represents a request to the list uploads operation. + /// - Parameter input: Represents a request to the list uploads operation. (Type: `ListUploadsInput`) /// - /// - Returns: `ListUploadsOutput` : Represents the result of a list uploads request. + /// - Returns: Represents the result of a list uploads request. (Type: `ListUploadsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4656,7 +4596,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUploadsOutput.httpOutput(from:), ListUploadsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4691,9 +4630,9 @@ extension DeviceFarmClient { /// /// Returns information about all Amazon Virtual Private Cloud (VPC) endpoint configurations in the AWS account. /// - /// - Parameter ListVPCEConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVPCEConfigurationsInput`) /// - /// - Returns: `ListVPCEConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVPCEConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4726,7 +4665,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVPCEConfigurationsOutput.httpOutput(from:), ListVPCEConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4761,9 +4699,9 @@ extension DeviceFarmClient { /// /// Immediately purchases offerings for an AWS account. Offerings renew with the latest total purchased quantity for an offering, unless the renewal was overridden. The API returns a NotEligible error if the user is not permitted to invoke the operation. If you must be able to invoke this operation, contact [aws-devicefarm-support@amazon.com](mailto:aws-devicefarm-support@amazon.com). /// - /// - Parameter PurchaseOfferingInput : Represents a request for a purchase offering. + /// - Parameter input: Represents a request for a purchase offering. (Type: `PurchaseOfferingInput`) /// - /// - Returns: `PurchaseOfferingOutput` : The result of the purchase offering (for example, success or failure). + /// - Returns: The result of the purchase offering (for example, success or failure). (Type: `PurchaseOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4799,7 +4737,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseOfferingOutput.httpOutput(from:), PurchaseOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4834,9 +4771,9 @@ extension DeviceFarmClient { /// /// Explicitly sets the quantity of devices to renew for an offering, starting from the effectiveDate of the next period. The API returns a NotEligible error if the user is not permitted to invoke the operation. If you must be able to invoke this operation, contact [aws-devicefarm-support@amazon.com](mailto:aws-devicefarm-support@amazon.com). /// - /// - Parameter RenewOfferingInput : A request that represents an offering renewal. + /// - Parameter input: A request that represents an offering renewal. (Type: `RenewOfferingInput`) /// - /// - Returns: `RenewOfferingOutput` : The result of a renewal offering. + /// - Returns: The result of a renewal offering. (Type: `RenewOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4872,7 +4809,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RenewOfferingOutput.httpOutput(from:), RenewOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4907,9 +4843,9 @@ extension DeviceFarmClient { /// /// Schedules a run. /// - /// - Parameter ScheduleRunInput : Represents a request to the schedule run operation. + /// - Parameter input: Represents a request to the schedule run operation. (Type: `ScheduleRunInput`) /// - /// - Returns: `ScheduleRunOutput` : Represents the result of a schedule run request. + /// - Returns: Represents the result of a schedule run request. (Type: `ScheduleRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4945,7 +4881,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ScheduleRunOutput.httpOutput(from:), ScheduleRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4980,9 +4915,9 @@ extension DeviceFarmClient { /// /// Initiates a stop request for the current job. AWS Device Farm immediately stops the job on the device where tests have not started. You are not billed for this device. On the device where tests have started, setup suite and teardown suite tests run to completion on the device. You are billed for setup, teardown, and any tests that were in progress or already completed. /// - /// - Parameter StopJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopJobInput`) /// - /// - Returns: `StopJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5017,7 +4952,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopJobOutput.httpOutput(from:), StopJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5052,9 +4986,9 @@ extension DeviceFarmClient { /// /// Ends a specified remote access session. /// - /// - Parameter StopRemoteAccessSessionInput : Represents the request to stop the remote access session. + /// - Parameter input: Represents the request to stop the remote access session. (Type: `StopRemoteAccessSessionInput`) /// - /// - Returns: `StopRemoteAccessSessionOutput` : Represents the response from the server that describes the remote access session when AWS Device Farm stops the session. + /// - Returns: Represents the response from the server that describes the remote access session when AWS Device Farm stops the session. (Type: `StopRemoteAccessSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5089,7 +5023,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopRemoteAccessSessionOutput.httpOutput(from:), StopRemoteAccessSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5124,9 +5057,9 @@ extension DeviceFarmClient { /// /// Initiates a stop request for the current test run. AWS Device Farm immediately stops the run on devices where tests have not started. You are not billed for these devices. On devices where tests have started executing, setup suite and teardown suite tests run to completion on those devices. You are billed for setup, teardown, and any tests that were in progress or already completed. /// - /// - Parameter StopRunInput : Represents the request to stop a specific run. + /// - Parameter input: Represents the request to stop a specific run. (Type: `StopRunInput`) /// - /// - Returns: `StopRunOutput` : Represents the results of your stop run attempt. + /// - Returns: Represents the results of your stop run attempt. (Type: `StopRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5161,7 +5094,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopRunOutput.httpOutput(from:), StopRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5196,9 +5128,9 @@ extension DeviceFarmClient { /// /// Associates the specified tags to a resource with the specified resourceArn. If existing tags on a resource are not specified in the request parameters, they are not changed. When a resource is deleted, the tags associated with that resource are also deleted. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5234,7 +5166,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5269,9 +5200,9 @@ extension DeviceFarmClient { /// /// Deletes the specified tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5305,7 +5236,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5340,9 +5270,9 @@ extension DeviceFarmClient { /// /// Updates information about a private device instance. /// - /// - Parameter UpdateDeviceInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDeviceInstanceInput`) /// - /// - Returns: `UpdateDeviceInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDeviceInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5377,7 +5307,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeviceInstanceOutput.httpOutput(from:), UpdateDeviceInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5412,9 +5341,9 @@ extension DeviceFarmClient { /// /// Modifies the name, description, and rules in a device pool given the attributes and the pool ARN. Rule updates are all-or-nothing, meaning they can only be updated as a whole (or not at all). /// - /// - Parameter UpdateDevicePoolInput : Represents a request to the update device pool operation. + /// - Parameter input: Represents a request to the update device pool operation. (Type: `UpdateDevicePoolInput`) /// - /// - Returns: `UpdateDevicePoolOutput` : Represents the result of an update device pool request. + /// - Returns: Represents the result of an update device pool request. (Type: `UpdateDevicePoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5449,7 +5378,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDevicePoolOutput.httpOutput(from:), UpdateDevicePoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5484,9 +5412,9 @@ extension DeviceFarmClient { /// /// Updates information about an existing private device instance profile. /// - /// - Parameter UpdateInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInstanceProfileInput`) /// - /// - Returns: `UpdateInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5521,7 +5449,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInstanceProfileOutput.httpOutput(from:), UpdateInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5556,9 +5483,9 @@ extension DeviceFarmClient { /// /// Updates the network profile. /// - /// - Parameter UpdateNetworkProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNetworkProfileInput`) /// - /// - Returns: `UpdateNetworkProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNetworkProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5593,7 +5520,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNetworkProfileOutput.httpOutput(from:), UpdateNetworkProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5628,9 +5554,9 @@ extension DeviceFarmClient { /// /// Modifies the specified project name, given the project ARN and a new name. /// - /// - Parameter UpdateProjectInput : Represents a request to the update project operation. + /// - Parameter input: Represents a request to the update project operation. (Type: `UpdateProjectInput`) /// - /// - Returns: `UpdateProjectOutput` : Represents the result of an update project request. + /// - Returns: Represents the result of an update project request. (Type: `UpdateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5665,7 +5591,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectOutput.httpOutput(from:), UpdateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5700,9 +5625,9 @@ extension DeviceFarmClient { /// /// Change details of a project. /// - /// - Parameter UpdateTestGridProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTestGridProjectInput`) /// - /// - Returns: `UpdateTestGridProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTestGridProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5737,7 +5662,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTestGridProjectOutput.httpOutput(from:), UpdateTestGridProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5772,9 +5696,9 @@ extension DeviceFarmClient { /// /// Updates an uploaded test spec. /// - /// - Parameter UpdateUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUploadInput`) /// - /// - Returns: `UpdateUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5809,7 +5733,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUploadOutput.httpOutput(from:), UpdateUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5844,9 +5767,9 @@ extension DeviceFarmClient { /// /// Updates information about an Amazon Virtual Private Cloud (VPC) endpoint configuration. /// - /// - Parameter UpdateVPCEConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVPCEConfigurationInput`) /// - /// - Returns: `UpdateVPCEConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVPCEConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5881,7 +5804,6 @@ extension DeviceFarmClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVPCEConfigurationOutput.httpOutput(from:), UpdateVPCEConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDirectConnect/Sources/AWSDirectConnect/DirectConnectClient.swift b/Sources/Services/AWSDirectConnect/Sources/AWSDirectConnect/DirectConnectClient.swift index d3fb99ab343..1800cd61289 100644 --- a/Sources/Services/AWSDirectConnect/Sources/AWSDirectConnect/DirectConnectClient.swift +++ b/Sources/Services/AWSDirectConnect/Sources/AWSDirectConnect/DirectConnectClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DirectConnectClient: ClientRuntime.Client { public static let clientName = "DirectConnectClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DirectConnectClient.DirectConnectClientConfiguration let serviceName = "Direct Connect" @@ -374,9 +373,9 @@ extension DirectConnectClient { /// /// Accepts a proposal request to attach a virtual private gateway or transit gateway to a Direct Connect gateway. /// - /// - Parameter AcceptDirectConnectGatewayAssociationProposalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptDirectConnectGatewayAssociationProposalInput`) /// - /// - Returns: `AcceptDirectConnectGatewayAssociationProposalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptDirectConnectGatewayAssociationProposalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptDirectConnectGatewayAssociationProposalOutput.httpOutput(from:), AcceptDirectConnectGatewayAssociationProposalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension DirectConnectClient { /// Deprecated. Use [AllocateHostedConnection] instead. Creates a hosted connection on an interconnect. Allocates a VLAN number and a specified amount of bandwidth for use by a hosted connection on the specified interconnect. Intended for use by Direct Connect Partners only. @available(*, deprecated) /// - /// - Parameter AllocateConnectionOnInterconnectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AllocateConnectionOnInterconnectInput`) /// - /// - Returns: `AllocateConnectionOnInterconnectOutput` : Information about an Direct Connect connection. + /// - Returns: Information about an Direct Connect connection. (Type: `AllocateConnectionOnInterconnectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AllocateConnectionOnInterconnectOutput.httpOutput(from:), AllocateConnectionOnInterconnectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension DirectConnectClient { /// /// Creates a hosted connection on the specified interconnect or a link aggregation group (LAG) of interconnects. Allocates a VLAN number and a specified amount of capacity (bandwidth) for use by a hosted connection on the specified interconnect or LAG of interconnects. Amazon Web Services polices the hosted connection for the specified capacity and the Direct Connect Partner must also police the hosted connection for the specified capacity. Intended for use by Direct Connect Partners only. /// - /// - Parameter AllocateHostedConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AllocateHostedConnectionInput`) /// - /// - Returns: `AllocateHostedConnectionOutput` : Information about an Direct Connect connection. + /// - Returns: Information about an Direct Connect connection. (Type: `AllocateHostedConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -552,7 +549,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AllocateHostedConnectionOutput.httpOutput(from:), AllocateHostedConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension DirectConnectClient { /// /// Provisions a private virtual interface to be owned by the specified Amazon Web Services account. Virtual interfaces created using this action must be confirmed by the owner using [ConfirmPrivateVirtualInterface]. Until then, the virtual interface is in the Confirming state and is not available to handle traffic. /// - /// - Parameter AllocatePrivateVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AllocatePrivateVirtualInterfaceInput`) /// - /// - Returns: `AllocatePrivateVirtualInterfaceOutput` : Information about a virtual interface. + /// - Returns: Information about a virtual interface. (Type: `AllocatePrivateVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -624,7 +620,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AllocatePrivateVirtualInterfaceOutput.httpOutput(from:), AllocatePrivateVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension DirectConnectClient { /// /// Provisions a public virtual interface to be owned by the specified Amazon Web Services account. The owner of a connection calls this function to provision a public virtual interface to be owned by the specified Amazon Web Services account. Virtual interfaces created using this function must be confirmed by the owner using [ConfirmPublicVirtualInterface]. Until this step has been completed, the virtual interface is in the confirming state and is not available to handle traffic. When creating an IPv6 public virtual interface, omit the Amazon address and customer address. IPv6 addresses are automatically assigned from the Amazon pool of IPv6 addresses; you cannot specify custom IPv6 addresses. /// - /// - Parameter AllocatePublicVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AllocatePublicVirtualInterfaceInput`) /// - /// - Returns: `AllocatePublicVirtualInterfaceOutput` : Information about a virtual interface. + /// - Returns: Information about a virtual interface. (Type: `AllocatePublicVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AllocatePublicVirtualInterfaceOutput.httpOutput(from:), AllocatePublicVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +725,9 @@ extension DirectConnectClient { /// /// Provisions a transit virtual interface to be owned by the specified Amazon Web Services account. Use this type of interface to connect a transit gateway to your Direct Connect gateway. The owner of a connection provisions a transit virtual interface to be owned by the specified Amazon Web Services account. After you create a transit virtual interface, it must be confirmed by the owner using [ConfirmTransitVirtualInterface]. Until this step has been completed, the transit virtual interface is in the requested state and is not available to handle traffic. /// - /// - Parameter AllocateTransitVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AllocateTransitVirtualInterfaceInput`) /// - /// - Returns: `AllocateTransitVirtualInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AllocateTransitVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -768,7 +762,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AllocateTransitVirtualInterfaceOutput.httpOutput(from:), AllocateTransitVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension DirectConnectClient { /// /// Associates an existing connection with a link aggregation group (LAG). The connection is interrupted and re-established as a member of the LAG (connectivity to Amazon Web Services is interrupted). The connection must be hosted on the same Direct Connect endpoint as the LAG, and its bandwidth must match the bandwidth for the LAG. You can re-associate a connection that's currently associated with a different LAG; however, if removing the connection would cause the original LAG to fall below its setting for minimum number of operational connections, the request fails. Any virtual interfaces that are directly associated with the connection are automatically re-associated with the LAG. If the connection was originally associated with a different LAG, the virtual interfaces remain associated with the original LAG. For interconnects, any hosted connections are automatically re-associated with the LAG. If the interconnect was originally associated with a different LAG, the hosted connections remain associated with the original LAG. /// - /// - Parameter AssociateConnectionWithLagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateConnectionWithLagInput`) /// - /// - Returns: `AssociateConnectionWithLagOutput` : Information about an Direct Connect connection. + /// - Returns: Information about an Direct Connect connection. (Type: `AssociateConnectionWithLagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -838,7 +831,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateConnectionWithLagOutput.httpOutput(from:), AssociateConnectionWithLagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension DirectConnectClient { /// /// Associates a hosted connection and its virtual interfaces with a link aggregation group (LAG) or interconnect. If the target interconnect or LAG has an existing hosted connection with a conflicting VLAN number or IP address, the operation fails. This action temporarily interrupts the hosted connection's connectivity to Amazon Web Services as it is being migrated. Intended for use by Direct Connect Partners only. /// - /// - Parameter AssociateHostedConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateHostedConnectionInput`) /// - /// - Returns: `AssociateHostedConnectionOutput` : Information about an Direct Connect connection. + /// - Returns: Information about an Direct Connect connection. (Type: `AssociateHostedConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -908,7 +900,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateHostedConnectionOutput.httpOutput(from:), AssociateHostedConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -943,9 +934,9 @@ extension DirectConnectClient { /// /// Associates a MAC Security (MACsec) Connection Key Name (CKN)/ Connectivity Association Key (CAK) pair with a Direct Connect connection. You must supply either the secretARN, or the CKN/CAK (ckn and cak) pair in the request. For information about MAC Security (MACsec) key considerations, see [MACsec pre-shared CKN/CAK key considerations ](https://docs.aws.amazon.com/directconnect/latest/UserGuide/direct-connect-mac-sec-getting-started.html#mac-sec-key-consideration) in the Direct Connect User Guide. /// - /// - Parameter AssociateMacSecKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateMacSecKeyInput`) /// - /// - Returns: `AssociateMacSecKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateMacSecKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -978,7 +969,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateMacSecKeyOutput.httpOutput(from:), AssociateMacSecKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1013,9 +1003,9 @@ extension DirectConnectClient { /// /// Associates a virtual interface with a specified link aggregation group (LAG) or connection. Connectivity to Amazon Web Services is temporarily interrupted as the virtual interface is being migrated. If the target connection or LAG has an associated virtual interface with a conflicting VLAN number or a conflicting IP address, the operation fails. Virtual interfaces associated with a hosted connection cannot be associated with a LAG; hosted connections must be migrated along with their virtual interfaces using [AssociateHostedConnection]. To reassociate a virtual interface to a new connection or LAG, the requester must own either the virtual interface itself or the connection to which the virtual interface is currently associated. Additionally, the requester must own the connection or LAG for the association. /// - /// - Parameter AssociateVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateVirtualInterfaceInput`) /// - /// - Returns: `AssociateVirtualInterfaceOutput` : Information about a virtual interface. + /// - Returns: Information about a virtual interface. (Type: `AssociateVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1048,7 +1038,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateVirtualInterfaceOutput.httpOutput(from:), AssociateVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1083,9 +1072,9 @@ extension DirectConnectClient { /// /// Confirms the creation of the specified hosted connection on an interconnect. Upon creation, the hosted connection is initially in the Ordering state, and remains in this state until the owner confirms creation of the hosted connection. /// - /// - Parameter ConfirmConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConfirmConnectionInput`) /// - /// - Returns: `ConfirmConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfirmConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1118,7 +1107,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmConnectionOutput.httpOutput(from:), ConfirmConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1153,9 +1141,9 @@ extension DirectConnectClient { /// /// The confirmation of the terms of agreement when creating the connection/link aggregation group (LAG). /// - /// - Parameter ConfirmCustomerAgreementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConfirmCustomerAgreementInput`) /// - /// - Returns: `ConfirmCustomerAgreementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfirmCustomerAgreementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1188,7 +1176,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmCustomerAgreementOutput.httpOutput(from:), ConfirmCustomerAgreementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1223,9 +1210,9 @@ extension DirectConnectClient { /// /// Accepts ownership of a private virtual interface created by another Amazon Web Services account. After the virtual interface owner makes this call, the virtual interface is created and attached to the specified virtual private gateway or Direct Connect gateway, and is made available to handle traffic. /// - /// - Parameter ConfirmPrivateVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConfirmPrivateVirtualInterfaceInput`) /// - /// - Returns: `ConfirmPrivateVirtualInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfirmPrivateVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1258,7 +1245,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmPrivateVirtualInterfaceOutput.httpOutput(from:), ConfirmPrivateVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1293,9 +1279,9 @@ extension DirectConnectClient { /// /// Accepts ownership of a public virtual interface created by another Amazon Web Services account. After the virtual interface owner makes this call, the specified virtual interface is created and made available to handle traffic. /// - /// - Parameter ConfirmPublicVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConfirmPublicVirtualInterfaceInput`) /// - /// - Returns: `ConfirmPublicVirtualInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfirmPublicVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1328,7 +1314,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmPublicVirtualInterfaceOutput.httpOutput(from:), ConfirmPublicVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1363,9 +1348,9 @@ extension DirectConnectClient { /// /// Accepts ownership of a transit virtual interface created by another Amazon Web Services account. After the owner of the transit virtual interface makes this call, the specified transit virtual interface is created and made available to handle traffic. /// - /// - Parameter ConfirmTransitVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConfirmTransitVirtualInterfaceInput`) /// - /// - Returns: `ConfirmTransitVirtualInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfirmTransitVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1398,7 +1383,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmTransitVirtualInterfaceOutput.httpOutput(from:), ConfirmTransitVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1433,9 +1417,9 @@ extension DirectConnectClient { /// /// Creates a BGP peer on the specified virtual interface. You must create a BGP peer for the corresponding address family (IPv4/IPv6) in order to access Amazon Web Services resources that also use that address family. If logical redundancy is not supported by the connection, interconnect, or LAG, the BGP peer cannot be in the same address family as an existing BGP peer on the virtual interface. When creating a IPv6 BGP peer, omit the Amazon address and customer address. IPv6 addresses are automatically assigned from the Amazon pool of IPv6 addresses; you cannot specify custom IPv6 addresses. If you let Amazon Web Services auto-assign IPv4 addresses, a /30 CIDR will be allocated from 169.254.0.0/16. Amazon Web Services does not recommend this option if you intend to use the customer router peer IP address as the source and destination for traffic. Instead you should use RFC 1918 or other addressing, and specify the address yourself. For more information about RFC 1918 see [ Address Allocation for Private Internets](https://datatracker.ietf.org/doc/html/rfc1918). For a public virtual interface, the Autonomous System Number (ASN) must be private or already on the allow list for the virtual interface. /// - /// - Parameter CreateBGPPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBGPPeerInput`) /// - /// - Returns: `CreateBGPPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBGPPeerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1468,7 +1452,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBGPPeerOutput.httpOutput(from:), CreateBGPPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1503,9 +1486,9 @@ extension DirectConnectClient { /// /// Creates a connection between a customer network and a specific Direct Connect location. A connection links your internal network to an Direct Connect location over a standard Ethernet fiber-optic cable. One end of the cable is connected to your router, the other to an Direct Connect router. To find the locations for your Region, use [DescribeLocations]. You can automatically add the new connection to a link aggregation group (LAG) by specifying a LAG ID in the request. This ensures that the new connection is allocated on the same Direct Connect endpoint that hosts the specified LAG. If there are no available ports on the endpoint, the request fails and no connection is created. /// - /// - Parameter CreateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionInput`) /// - /// - Returns: `CreateConnectionOutput` : Information about an Direct Connect connection. + /// - Returns: Information about an Direct Connect connection. (Type: `CreateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1540,7 +1523,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionOutput.httpOutput(from:), CreateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1575,9 +1557,9 @@ extension DirectConnectClient { /// /// Creates a Direct Connect gateway, which is an intermediate object that enables you to connect a set of virtual interfaces and virtual private gateways. A Direct Connect gateway is global and visible in any Amazon Web Services Region after it is created. The virtual interfaces and virtual private gateways that are connected through a Direct Connect gateway can be in different Amazon Web Services Regions. This enables you to connect to a VPC in any Region, regardless of the Region in which the virtual interfaces are located, and pass traffic between them. /// - /// - Parameter CreateDirectConnectGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDirectConnectGatewayInput`) /// - /// - Returns: `CreateDirectConnectGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDirectConnectGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1610,7 +1592,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDirectConnectGatewayOutput.httpOutput(from:), CreateDirectConnectGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1645,9 +1626,9 @@ extension DirectConnectClient { /// /// Creates an association between a Direct Connect gateway and a virtual private gateway. The virtual private gateway must be attached to a VPC and must not be associated with another Direct Connect gateway. /// - /// - Parameter CreateDirectConnectGatewayAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDirectConnectGatewayAssociationInput`) /// - /// - Returns: `CreateDirectConnectGatewayAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDirectConnectGatewayAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1680,7 +1661,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDirectConnectGatewayAssociationOutput.httpOutput(from:), CreateDirectConnectGatewayAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1715,9 +1695,9 @@ extension DirectConnectClient { /// /// Creates a proposal to associate the specified virtual private gateway or transit gateway with the specified Direct Connect gateway. You can associate a Direct Connect gateway and virtual private gateway or transit gateway that is owned by any Amazon Web Services account. /// - /// - Parameter CreateDirectConnectGatewayAssociationProposalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDirectConnectGatewayAssociationProposalInput`) /// - /// - Returns: `CreateDirectConnectGatewayAssociationProposalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDirectConnectGatewayAssociationProposalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1750,7 +1730,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDirectConnectGatewayAssociationProposalOutput.httpOutput(from:), CreateDirectConnectGatewayAssociationProposalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1785,9 +1764,9 @@ extension DirectConnectClient { /// /// Creates an interconnect between an Direct Connect Partner's network and a specific Direct Connect location. An interconnect is a connection that is capable of hosting other connections. The Direct Connect Partner can use an interconnect to provide Direct Connect hosted connections to customers through their own network services. Like a standard connection, an interconnect links the partner's network to an Direct Connect location over a standard Ethernet fiber-optic cable. One end is connected to the partner's router, the other to an Direct Connect router. You can automatically add the new interconnect to a link aggregation group (LAG) by specifying a LAG ID in the request. This ensures that the new interconnect is allocated on the same Direct Connect endpoint that hosts the specified LAG. If there are no available ports on the endpoint, the request fails and no interconnect is created. For each end customer, the Direct Connect Partner provisions a connection on their interconnect by calling [AllocateHostedConnection]. The end customer can then connect to Amazon Web Services resources by creating a virtual interface on their connection, using the VLAN assigned to them by the Direct Connect Partner. Intended for use by Direct Connect Partners only. /// - /// - Parameter CreateInterconnectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInterconnectInput`) /// - /// - Returns: `CreateInterconnectOutput` : Information about an interconnect. + /// - Returns: Information about an interconnect. (Type: `CreateInterconnectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1822,7 +1801,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInterconnectOutput.httpOutput(from:), CreateInterconnectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1857,9 +1835,9 @@ extension DirectConnectClient { /// /// Creates a link aggregation group (LAG) with the specified number of bundled physical dedicated connections between the customer network and a specific Direct Connect location. A LAG is a logical interface that uses the Link Aggregation Control Protocol (LACP) to aggregate multiple interfaces, enabling you to treat them as a single interface. All connections in a LAG must use the same bandwidth (either 1Gbps, 10Gbps, 100Gbps, or 400Gbps) and must terminate at the same Direct Connect endpoint. You can have up to 10 dedicated connections per location. Regardless of this limit, if you request more connections for the LAG than Direct Connect can allocate on a single endpoint, no LAG is created.. You can specify an existing physical dedicated connection or interconnect to include in the LAG (which counts towards the total number of connections). Doing so interrupts the current physical dedicated connection, and re-establishes them as a member of the LAG. The LAG will be created on the same Direct Connect endpoint to which the dedicated connection terminates. Any virtual interfaces associated with the dedicated connection are automatically disassociated and re-associated with the LAG. The connection ID does not change. If the Amazon Web Services account used to create a LAG is a registered Direct Connect Partner, the LAG is automatically enabled to host sub-connections. For a LAG owned by a partner, any associated virtual interfaces cannot be directly configured. /// - /// - Parameter CreateLagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLagInput`) /// - /// - Returns: `CreateLagOutput` : Information about a link aggregation group (LAG). + /// - Returns: Information about a link aggregation group (LAG). (Type: `CreateLagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1894,7 +1872,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLagOutput.httpOutput(from:), CreateLagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1929,9 +1906,9 @@ extension DirectConnectClient { /// /// Creates a private virtual interface. A virtual interface is the VLAN that transports Direct Connect traffic. A private virtual interface can be connected to either a Direct Connect gateway or a Virtual Private Gateway (VGW). Connecting the private virtual interface to a Direct Connect gateway enables the possibility for connecting to multiple VPCs, including VPCs in different Amazon Web Services Regions. Connecting the private virtual interface to a VGW only provides access to a single VPC within the same Region. Setting the MTU of a virtual interface to 8500 (jumbo frames) can cause an update to the underlying physical connection if it wasn't updated to support jumbo frames. Updating the connection disrupts network connectivity for all virtual interfaces associated with the connection for up to 30 seconds. To check whether your connection supports jumbo frames, call [DescribeConnections]. To check whether your virtual interface supports jumbo frames, call [DescribeVirtualInterfaces]. /// - /// - Parameter CreatePrivateVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePrivateVirtualInterfaceInput`) /// - /// - Returns: `CreatePrivateVirtualInterfaceOutput` : Information about a virtual interface. + /// - Returns: Information about a virtual interface. (Type: `CreatePrivateVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1966,7 +1943,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePrivateVirtualInterfaceOutput.httpOutput(from:), CreatePrivateVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2001,9 +1977,9 @@ extension DirectConnectClient { /// /// Creates a public virtual interface. A virtual interface is the VLAN that transports Direct Connect traffic. A public virtual interface supports sending traffic to public services of Amazon Web Services such as Amazon S3. When creating an IPv6 public virtual interface (addressFamily is ipv6), leave the customer and amazon address fields blank to use auto-assigned IPv6 space. Custom IPv6 addresses are not supported. /// - /// - Parameter CreatePublicVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePublicVirtualInterfaceInput`) /// - /// - Returns: `CreatePublicVirtualInterfaceOutput` : Information about a virtual interface. + /// - Returns: Information about a virtual interface. (Type: `CreatePublicVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2038,7 +2014,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePublicVirtualInterfaceOutput.httpOutput(from:), CreatePublicVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2073,9 +2048,9 @@ extension DirectConnectClient { /// /// Creates a transit virtual interface. A transit virtual interface should be used to access one or more transit gateways associated with Direct Connect gateways. A transit virtual interface enables the connection of multiple VPCs attached to a transit gateway to a Direct Connect gateway. If you associate your transit gateway with one or more Direct Connect gateways, the Autonomous System Number (ASN) used by the transit gateway and the Direct Connect gateway must be different. For example, if you use the default ASN 64512 for both your the transit gateway and Direct Connect gateway, the association request fails. A jumbo MTU value must be either 1500 or 8500. No other values will be accepted. Setting the MTU of a virtual interface to 8500 (jumbo frames) can cause an update to the underlying physical connection if it wasn't updated to support jumbo frames. Updating the connection disrupts network connectivity for all virtual interfaces associated with the connection for up to 30 seconds. To check whether your connection supports jumbo frames, call [DescribeConnections]. To check whether your virtual interface supports jumbo frames, call [DescribeVirtualInterfaces]. /// - /// - Parameter CreateTransitVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitVirtualInterfaceInput`) /// - /// - Returns: `CreateTransitVirtualInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2110,7 +2085,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitVirtualInterfaceOutput.httpOutput(from:), CreateTransitVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2145,9 +2119,9 @@ extension DirectConnectClient { /// /// Deletes the specified BGP peer on the specified virtual interface with the specified customer address and ASN. You cannot delete the last BGP peer from a virtual interface. /// - /// - Parameter DeleteBGPPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBGPPeerInput`) /// - /// - Returns: `DeleteBGPPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBGPPeerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2180,7 +2154,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBGPPeerOutput.httpOutput(from:), DeleteBGPPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2215,9 +2188,9 @@ extension DirectConnectClient { /// /// Deletes the specified connection. Deleting a connection only stops the Direct Connect port hour and data transfer charges. If you are partnering with any third parties to connect with the Direct Connect location, you must cancel your service with them separately. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : Information about an Direct Connect connection. + /// - Returns: Information about an Direct Connect connection. (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2250,7 +2223,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2285,9 +2257,9 @@ extension DirectConnectClient { /// /// Deletes the specified Direct Connect gateway. You must first delete all virtual interfaces that are attached to the Direct Connect gateway and disassociate all virtual private gateways associated with the Direct Connect gateway. /// - /// - Parameter DeleteDirectConnectGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDirectConnectGatewayInput`) /// - /// - Returns: `DeleteDirectConnectGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDirectConnectGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2320,7 +2292,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDirectConnectGatewayOutput.httpOutput(from:), DeleteDirectConnectGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2355,9 +2326,9 @@ extension DirectConnectClient { /// /// Deletes the association between the specified Direct Connect gateway and virtual private gateway. We recommend that you specify the associationID to delete the association. Alternatively, if you own virtual gateway and a Direct Connect gateway association, you can specify the virtualGatewayId and directConnectGatewayId to delete an association. /// - /// - Parameter DeleteDirectConnectGatewayAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDirectConnectGatewayAssociationInput`) /// - /// - Returns: `DeleteDirectConnectGatewayAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDirectConnectGatewayAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2390,7 +2361,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDirectConnectGatewayAssociationOutput.httpOutput(from:), DeleteDirectConnectGatewayAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2425,9 +2395,9 @@ extension DirectConnectClient { /// /// Deletes the association proposal request between the specified Direct Connect gateway and virtual private gateway or transit gateway. /// - /// - Parameter DeleteDirectConnectGatewayAssociationProposalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDirectConnectGatewayAssociationProposalInput`) /// - /// - Returns: `DeleteDirectConnectGatewayAssociationProposalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDirectConnectGatewayAssociationProposalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2460,7 +2430,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDirectConnectGatewayAssociationProposalOutput.httpOutput(from:), DeleteDirectConnectGatewayAssociationProposalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2495,9 +2464,9 @@ extension DirectConnectClient { /// /// Deletes the specified interconnect. Intended for use by Direct Connect Partners only. /// - /// - Parameter DeleteInterconnectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInterconnectInput`) /// - /// - Returns: `DeleteInterconnectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInterconnectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2530,7 +2499,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInterconnectOutput.httpOutput(from:), DeleteInterconnectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2565,9 +2533,9 @@ extension DirectConnectClient { /// /// Deletes the specified link aggregation group (LAG). You cannot delete a LAG if it has active virtual interfaces or hosted connections. /// - /// - Parameter DeleteLagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLagInput`) /// - /// - Returns: `DeleteLagOutput` : Information about a link aggregation group (LAG). + /// - Returns: Information about a link aggregation group (LAG). (Type: `DeleteLagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2600,7 +2568,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLagOutput.httpOutput(from:), DeleteLagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2635,9 +2602,9 @@ extension DirectConnectClient { /// /// Deletes a virtual interface. /// - /// - Parameter DeleteVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVirtualInterfaceInput`) /// - /// - Returns: `DeleteVirtualInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVirtualInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2670,7 +2637,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVirtualInterfaceOutput.httpOutput(from:), DeleteVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2706,9 +2672,9 @@ extension DirectConnectClient { /// Deprecated. Use [DescribeLoa] instead. Gets the LOA-CFA for a connection. The Letter of Authorization - Connecting Facility Assignment (LOA-CFA) is a document that your APN partner or service provider uses when establishing your cross connect to Amazon Web Services at the colocation facility. For more information, see [Requesting Cross Connects at Direct Connect Locations](https://docs.aws.amazon.com/directconnect/latest/UserGuide/Colocation.html) in the Direct Connect User Guide. @available(*, deprecated) /// - /// - Parameter DescribeConnectionLoaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectionLoaInput`) /// - /// - Returns: `DescribeConnectionLoaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectionLoaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2741,7 +2707,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectionLoaOutput.httpOutput(from:), DescribeConnectionLoaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2776,9 +2741,9 @@ extension DirectConnectClient { /// /// Displays the specified connection or all connections in this Region. /// - /// - Parameter DescribeConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectionsInput`) /// - /// - Returns: `DescribeConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2811,7 +2776,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectionsOutput.httpOutput(from:), DescribeConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2847,9 +2811,9 @@ extension DirectConnectClient { /// Deprecated. Use [DescribeHostedConnections] instead. Lists the connections that have been provisioned on the specified interconnect. Intended for use by Direct Connect Partners only. @available(*, deprecated) /// - /// - Parameter DescribeConnectionsOnInterconnectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectionsOnInterconnectInput`) /// - /// - Returns: `DescribeConnectionsOnInterconnectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectionsOnInterconnectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2882,7 +2846,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectionsOnInterconnectOutput.httpOutput(from:), DescribeConnectionsOnInterconnectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2917,9 +2880,9 @@ extension DirectConnectClient { /// /// Get and view a list of customer agreements, along with their signed status and whether the customer is an NNIPartner, NNIPartnerV2, or a nonPartner. /// - /// - Parameter DescribeCustomerMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomerMetadataInput`) /// - /// - Returns: `DescribeCustomerMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomerMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2952,7 +2915,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomerMetadataOutput.httpOutput(from:), DescribeCustomerMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2987,9 +2949,9 @@ extension DirectConnectClient { /// /// Describes one or more association proposals for connection between a virtual private gateway or transit gateway and a Direct Connect gateway. /// - /// - Parameter DescribeDirectConnectGatewayAssociationProposalsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDirectConnectGatewayAssociationProposalsInput`) /// - /// - Returns: `DescribeDirectConnectGatewayAssociationProposalsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDirectConnectGatewayAssociationProposalsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3022,7 +2984,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDirectConnectGatewayAssociationProposalsOutput.httpOutput(from:), DescribeDirectConnectGatewayAssociationProposalsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3071,9 +3032,9 @@ extension DirectConnectClient { /// /// * A Direct Connect gateway association to a Cloud WAN core network The response contains the Cloud WAN core network ID that the Direct Connect gateway is associated to. /// - /// - Parameter DescribeDirectConnectGatewayAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDirectConnectGatewayAssociationsInput`) /// - /// - Returns: `DescribeDirectConnectGatewayAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDirectConnectGatewayAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3106,7 +3067,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDirectConnectGatewayAssociationsOutput.httpOutput(from:), DescribeDirectConnectGatewayAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3141,9 +3101,9 @@ extension DirectConnectClient { /// /// Lists the attachments between your Direct Connect gateways and virtual interfaces. You must specify a Direct Connect gateway, a virtual interface, or both. If you specify a Direct Connect gateway, the response contains all virtual interfaces attached to the Direct Connect gateway. If you specify a virtual interface, the response contains all Direct Connect gateways attached to the virtual interface. If you specify both, the response contains the attachment between the Direct Connect gateway and the virtual interface. /// - /// - Parameter DescribeDirectConnectGatewayAttachmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDirectConnectGatewayAttachmentsInput`) /// - /// - Returns: `DescribeDirectConnectGatewayAttachmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDirectConnectGatewayAttachmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3176,7 +3136,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDirectConnectGatewayAttachmentsOutput.httpOutput(from:), DescribeDirectConnectGatewayAttachmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3211,9 +3170,9 @@ extension DirectConnectClient { /// /// Lists all your Direct Connect gateways or only the specified Direct Connect gateway. Deleted Direct Connect gateways are not returned. /// - /// - Parameter DescribeDirectConnectGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDirectConnectGatewaysInput`) /// - /// - Returns: `DescribeDirectConnectGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDirectConnectGatewaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3246,7 +3205,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDirectConnectGatewaysOutput.httpOutput(from:), DescribeDirectConnectGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3281,9 +3239,9 @@ extension DirectConnectClient { /// /// Lists the hosted connections that have been provisioned on the specified interconnect or link aggregation group (LAG). Intended for use by Direct Connect Partners only. /// - /// - Parameter DescribeHostedConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHostedConnectionsInput`) /// - /// - Returns: `DescribeHostedConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHostedConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3316,7 +3274,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHostedConnectionsOutput.httpOutput(from:), DescribeHostedConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3352,9 +3309,9 @@ extension DirectConnectClient { /// Deprecated. Use [DescribeLoa] instead. Gets the LOA-CFA for the specified interconnect. The Letter of Authorization - Connecting Facility Assignment (LOA-CFA) is a document that is used when establishing your cross connect to Amazon Web Services at the colocation facility. For more information, see [Requesting Cross Connects at Direct Connect Locations](https://docs.aws.amazon.com/directconnect/latest/UserGuide/Colocation.html) in the Direct Connect User Guide. @available(*, deprecated) /// - /// - Parameter DescribeInterconnectLoaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInterconnectLoaInput`) /// - /// - Returns: `DescribeInterconnectLoaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInterconnectLoaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3387,7 +3344,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInterconnectLoaOutput.httpOutput(from:), DescribeInterconnectLoaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3422,9 +3378,9 @@ extension DirectConnectClient { /// /// Lists the interconnects owned by the Amazon Web Services account or only the specified interconnect. /// - /// - Parameter DescribeInterconnectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInterconnectsInput`) /// - /// - Returns: `DescribeInterconnectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInterconnectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3457,7 +3413,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInterconnectsOutput.httpOutput(from:), DescribeInterconnectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3492,9 +3447,9 @@ extension DirectConnectClient { /// /// Describes all your link aggregation groups (LAG) or the specified LAG. /// - /// - Parameter DescribeLagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLagsInput`) /// - /// - Returns: `DescribeLagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3527,7 +3482,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLagsOutput.httpOutput(from:), DescribeLagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3562,9 +3516,9 @@ extension DirectConnectClient { /// /// Gets the LOA-CFA for a connection, interconnect, or link aggregation group (LAG). The Letter of Authorization - Connecting Facility Assignment (LOA-CFA) is a document that is used when establishing your cross connect to Amazon Web Services at the colocation facility. For more information, see [Requesting Cross Connects at Direct Connect Locations](https://docs.aws.amazon.com/directconnect/latest/UserGuide/Colocation.html) in the Direct Connect User Guide. /// - /// - Parameter DescribeLoaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLoaInput`) /// - /// - Returns: `DescribeLoaOutput` : Information about a Letter of Authorization - Connecting Facility Assignment (LOA-CFA) for a connection. + /// - Returns: Information about a Letter of Authorization - Connecting Facility Assignment (LOA-CFA) for a connection. (Type: `DescribeLoaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3597,7 +3551,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoaOutput.httpOutput(from:), DescribeLoaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3632,9 +3585,9 @@ extension DirectConnectClient { /// /// Lists the Direct Connect locations in the current Amazon Web Services Region. These are the locations that can be selected when calling [CreateConnection] or [CreateInterconnect]. /// - /// - Parameter DescribeLocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocationsInput`) /// - /// - Returns: `DescribeLocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3667,7 +3620,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocationsOutput.httpOutput(from:), DescribeLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3702,9 +3654,9 @@ extension DirectConnectClient { /// /// Details about the router. /// - /// - Parameter DescribeRouterConfigurationInput : Provides the details about a virtual interface's router. + /// - Parameter input: Provides the details about a virtual interface's router. (Type: `DescribeRouterConfigurationInput`) /// - /// - Returns: `DescribeRouterConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRouterConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3737,7 +3689,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRouterConfigurationOutput.httpOutput(from:), DescribeRouterConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3772,9 +3723,9 @@ extension DirectConnectClient { /// /// Describes the tags associated with the specified Direct Connect resources. /// - /// - Parameter DescribeTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTagsInput`) /// - /// - Returns: `DescribeTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3807,7 +3758,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagsOutput.httpOutput(from:), DescribeTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3842,9 +3792,9 @@ extension DirectConnectClient { /// /// Deprecated. Use DescribeVpnGateways instead. See [DescribeVPNGateways](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeVpnGateways.html) in the Amazon Elastic Compute Cloud API Reference. Lists the virtual private gateways owned by the Amazon Web Services account. You can create one or more Direct Connect private virtual interfaces linked to a virtual private gateway. /// - /// - Parameter DescribeVirtualGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVirtualGatewaysInput`) /// - /// - Returns: `DescribeVirtualGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVirtualGatewaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3877,7 +3827,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVirtualGatewaysOutput.httpOutput(from:), DescribeVirtualGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3916,9 +3865,9 @@ extension DirectConnectClient { /// /// * If you're using asnLong, the response returns a value of 0 (zero) for the asn attribute because it exceeds the highest ASN value of 2,147,483,647 that it can support /// - /// - Parameter DescribeVirtualInterfacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVirtualInterfacesInput`) /// - /// - Returns: `DescribeVirtualInterfacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVirtualInterfacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3951,7 +3900,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVirtualInterfacesOutput.httpOutput(from:), DescribeVirtualInterfacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3986,9 +3934,9 @@ extension DirectConnectClient { /// /// Disassociates a connection from a link aggregation group (LAG). The connection is interrupted and re-established as a standalone connection (the connection is not deleted; to delete the connection, use the [DeleteConnection] request). If the LAG has associated virtual interfaces or hosted connections, they remain associated with the LAG. A disassociated connection owned by an Direct Connect Partner is automatically converted to an interconnect. If disassociating the connection would cause the LAG to fall below its setting for minimum number of operational connections, the request fails, except when it's the last member of the LAG. If all connections are disassociated, the LAG continues to exist as an empty LAG with no physical connections. /// - /// - Parameter DisassociateConnectionFromLagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateConnectionFromLagInput`) /// - /// - Returns: `DisassociateConnectionFromLagOutput` : Information about an Direct Connect connection. + /// - Returns: Information about an Direct Connect connection. (Type: `DisassociateConnectionFromLagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4021,7 +3969,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateConnectionFromLagOutput.httpOutput(from:), DisassociateConnectionFromLagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4056,9 +4003,9 @@ extension DirectConnectClient { /// /// Removes the association between a MAC Security (MACsec) security key and a Direct Connect connection. /// - /// - Parameter DisassociateMacSecKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMacSecKeyInput`) /// - /// - Returns: `DisassociateMacSecKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMacSecKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4091,7 +4038,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMacSecKeyOutput.httpOutput(from:), DisassociateMacSecKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4126,9 +4072,9 @@ extension DirectConnectClient { /// /// Lists the virtual interface failover test history. /// - /// - Parameter ListVirtualInterfaceTestHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVirtualInterfaceTestHistoryInput`) /// - /// - Returns: `ListVirtualInterfaceTestHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVirtualInterfaceTestHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4161,7 +4107,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVirtualInterfaceTestHistoryOutput.httpOutput(from:), ListVirtualInterfaceTestHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4196,9 +4141,9 @@ extension DirectConnectClient { /// /// Starts the virtual interface failover test that verifies your configuration meets your resiliency requirements by placing the BGP peering session in the DOWN state. You can then send traffic to verify that there are no outages. You can run the test on public, private, transit, and hosted virtual interfaces. You can use [ListVirtualInterfaceTestHistory](https://docs.aws.amazon.com/directconnect/latest/APIReference/API_ListVirtualInterfaceTestHistory.html) to view the virtual interface test history. If you need to stop the test before the test interval completes, use [StopBgpFailoverTest](https://docs.aws.amazon.com/directconnect/latest/APIReference/API_StopBgpFailoverTest.html). /// - /// - Parameter StartBgpFailoverTestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBgpFailoverTestInput`) /// - /// - Returns: `StartBgpFailoverTestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBgpFailoverTestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4231,7 +4176,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBgpFailoverTestOutput.httpOutput(from:), StartBgpFailoverTestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4266,9 +4210,9 @@ extension DirectConnectClient { /// /// Stops the virtual interface failover test. /// - /// - Parameter StopBgpFailoverTestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopBgpFailoverTestInput`) /// - /// - Returns: `StopBgpFailoverTestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopBgpFailoverTestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4301,7 +4245,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopBgpFailoverTestOutput.httpOutput(from:), StopBgpFailoverTestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4336,9 +4279,9 @@ extension DirectConnectClient { /// /// Adds the specified tags to the specified Direct Connect resource. Each resource can have a maximum of 50 tags. Each tag consists of a key and an optional value. If a tag with the same key is already associated with the resource, this action updates its value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4373,7 +4316,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4408,9 +4350,9 @@ extension DirectConnectClient { /// /// Removes one or more tags from the specified Direct Connect resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4443,7 +4385,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4482,9 +4423,9 @@ extension DirectConnectClient { /// /// * The connection's MAC Security (MACsec) encryption mode. /// - /// - Parameter UpdateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectionInput`) /// - /// - Returns: `UpdateConnectionOutput` : Information about an Direct Connect connection. + /// - Returns: Information about an Direct Connect connection. (Type: `UpdateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4517,7 +4458,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectionOutput.httpOutput(from:), UpdateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4552,9 +4492,9 @@ extension DirectConnectClient { /// /// Updates the name of a current Direct Connect gateway. /// - /// - Parameter UpdateDirectConnectGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDirectConnectGatewayInput`) /// - /// - Returns: `UpdateDirectConnectGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDirectConnectGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4587,7 +4527,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDirectConnectGatewayOutput.httpOutput(from:), UpdateDirectConnectGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4622,9 +4561,9 @@ extension DirectConnectClient { /// /// Updates the specified attributes of the Direct Connect gateway association. Add or remove prefixes from the association. /// - /// - Parameter UpdateDirectConnectGatewayAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDirectConnectGatewayAssociationInput`) /// - /// - Returns: `UpdateDirectConnectGatewayAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDirectConnectGatewayAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4657,7 +4596,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDirectConnectGatewayAssociationOutput.httpOutput(from:), UpdateDirectConnectGatewayAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4703,9 +4641,9 @@ extension DirectConnectClient { /// /// If you adjust the threshold value for the minimum number of operational connections, ensure that the new value does not cause the LAG to fall below the threshold and become non-operational. /// - /// - Parameter UpdateLagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLagInput`) /// - /// - Returns: `UpdateLagOutput` : Information about a link aggregation group (LAG). + /// - Returns: Information about a link aggregation group (LAG). (Type: `UpdateLagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4738,7 +4676,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLagOutput.httpOutput(from:), UpdateLagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4773,9 +4710,9 @@ extension DirectConnectClient { /// /// Updates the specified attributes of the specified virtual private interface. Setting the MTU of a virtual interface to 8500 (jumbo frames) can cause an update to the underlying physical connection if it wasn't updated to support jumbo frames. Updating the connection disrupts network connectivity for all virtual interfaces associated with the connection for up to 30 seconds. To check whether your connection supports jumbo frames, call [DescribeConnections]. To check whether your virtual interface supports jumbo frames, call [DescribeVirtualInterfaces]. /// - /// - Parameter UpdateVirtualInterfaceAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVirtualInterfaceAttributesInput`) /// - /// - Returns: `UpdateVirtualInterfaceAttributesOutput` : Information about a virtual interface. + /// - Returns: Information about a virtual interface. (Type: `UpdateVirtualInterfaceAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4808,7 +4745,6 @@ extension DirectConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVirtualInterfaceAttributesOutput.httpOutput(from:), UpdateVirtualInterfaceAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDirectoryService/Sources/AWSDirectoryService/DirectoryClient.swift b/Sources/Services/AWSDirectoryService/Sources/AWSDirectoryService/DirectoryClient.swift index 1cc6a61c540..c58d02a6140 100644 --- a/Sources/Services/AWSDirectoryService/Sources/AWSDirectoryService/DirectoryClient.swift +++ b/Sources/Services/AWSDirectoryService/Sources/AWSDirectoryService/DirectoryClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DirectoryClient: ClientRuntime.Client { public static let clientName = "DirectoryClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DirectoryClient.DirectoryClientConfiguration let serviceName = "Directory" @@ -374,9 +373,9 @@ extension DirectoryClient { /// /// Accepts a directory sharing request that was sent from the directory owner account. /// - /// - Parameter AcceptSharedDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptSharedDirectoryInput`) /// - /// - Returns: `AcceptSharedDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptSharedDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptSharedDirectoryOutput.httpOutput(from:), AcceptSharedDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension DirectoryClient { /// /// If the DNS server for your self-managed domain uses a publicly addressable IP address, you must add a CIDR address block to correctly route traffic to and from your Microsoft AD on Amazon Web Services. AddIpRoutes adds this address block. You can also use AddIpRoutes to facilitate routing traffic that uses public IP ranges from your Microsoft AD on Amazon Web Services to a peer VPC. Before you call AddIpRoutes, ensure that all of the required permissions have been explicitly granted through a policy. For details about what permissions are required to run the AddIpRoutes operation, see [Directory Service API Permissions: Actions, Resources, and Conditions Reference](http://docs.aws.amazon.com/directoryservice/latest/admin-guide/UsingWithDS_IAM_ResourcePermissions.html). /// - /// - Parameter AddIpRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddIpRoutesInput`) /// - /// - Returns: `AddIpRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddIpRoutesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddIpRoutesOutput.httpOutput(from:), AddIpRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension DirectoryClient { /// /// Adds two domain controllers in the specified Region for the specified directory. /// - /// - Parameter AddRegionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddRegionInput`) /// - /// - Returns: `AddRegionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddRegionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddRegionOutput.httpOutput(from:), AddRegionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -600,9 +596,9 @@ extension DirectoryClient { /// /// Adds or overwrites one or more tags for the specified directory. Each directory can have a maximum of 50 tags. Each tag consists of a key and optional value. Tag keys must be unique to each resource. /// - /// - Parameter AddTagsToResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddTagsToResourceInput`) /// - /// - Returns: `AddTagsToResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToResourceOutput.httpOutput(from:), AddTagsToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -673,9 +668,9 @@ extension DirectoryClient { /// /// Cancels an in-progress schema extension to a Microsoft AD directory. Once a schema extension has started replicating to all domain controllers, the task can no longer be canceled. A schema extension can be canceled during any of the following states; Initializing, CreatingSnapshot, and UpdatingSchema. /// - /// - Parameter CancelSchemaExtensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelSchemaExtensionInput`) /// - /// - Returns: `CancelSchemaExtensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelSchemaExtensionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSchemaExtensionOutput.httpOutput(from:), CancelSchemaExtensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -744,9 +738,9 @@ extension DirectoryClient { /// /// Creates an AD Connector to connect to a self-managed directory. Before you call ConnectDirectory, ensure that all of the required permissions have been explicitly granted through a policy. For details about what permissions are required to run the ConnectDirectory operation, see [Directory Service API Permissions: Actions, Resources, and Conditions Reference](http://docs.aws.amazon.com/directoryservice/latest/admin-guide/UsingWithDS_IAM_ResourcePermissions.html). /// - /// - Parameter ConnectDirectoryInput : Contains the inputs for the [ConnectDirectory] operation. + /// - Parameter input: Contains the inputs for the [ConnectDirectory] operation. (Type: `ConnectDirectoryInput`) /// - /// - Returns: `ConnectDirectoryOutput` : Contains the results of the [ConnectDirectory] operation. + /// - Returns: Contains the results of the [ConnectDirectory] operation. (Type: `ConnectDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -781,7 +775,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConnectDirectoryOutput.httpOutput(from:), ConnectDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -816,9 +809,9 @@ extension DirectoryClient { /// /// Creates an alias for a directory and assigns the alias to the directory. The alias is used to construct the access URL for the directory, such as http://.awsapps.com. After an alias has been created, it cannot be deleted or reused, so this operation should only be used when absolutely necessary. /// - /// - Parameter CreateAliasInput : Contains the inputs for the [CreateAlias] operation. + /// - Parameter input: Contains the inputs for the [CreateAlias] operation. (Type: `CreateAliasInput`) /// - /// - Returns: `CreateAliasOutput` : Contains the results of the [CreateAlias] operation. + /// - Returns: Contains the results of the [CreateAlias] operation. (Type: `CreateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -854,7 +847,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAliasOutput.httpOutput(from:), CreateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -889,9 +881,9 @@ extension DirectoryClient { /// /// Creates an Active Directory computer object in the specified directory. /// - /// - Parameter CreateComputerInput : Contains the inputs for the [CreateComputer] operation. + /// - Parameter input: Contains the inputs for the [CreateComputer] operation. (Type: `CreateComputerInput`) /// - /// - Returns: `CreateComputerOutput` : Contains the results for the [CreateComputer] operation. + /// - Returns: Contains the results for the [CreateComputer] operation. (Type: `CreateComputerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -930,7 +922,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComputerOutput.httpOutput(from:), CreateComputerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -965,9 +956,9 @@ extension DirectoryClient { /// /// Creates a conditional forwarder associated with your Amazon Web Services directory. Conditional forwarders are required in order to set up a trust relationship with another domain. The conditional forwarder points to the trusted domain. /// - /// - Parameter CreateConditionalForwarderInput : Initiates the creation of a conditional forwarder for your Directory Service for Microsoft Active Directory. Conditional forwarders are required in order to set up a trust relationship with another domain. + /// - Parameter input: Initiates the creation of a conditional forwarder for your Directory Service for Microsoft Active Directory. Conditional forwarders are required in order to set up a trust relationship with another domain. (Type: `CreateConditionalForwarderInput`) /// - /// - Returns: `CreateConditionalForwarderOutput` : The result of a CreateConditinalForwarder request. + /// - Returns: The result of a CreateConditinalForwarder request. (Type: `CreateConditionalForwarderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1005,7 +996,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConditionalForwarderOutput.httpOutput(from:), CreateConditionalForwarderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1040,9 +1030,9 @@ extension DirectoryClient { /// /// Creates a Simple AD directory. For more information, see [Simple Active Directory](https://docs.aws.amazon.com/directoryservice/latest/admin-guide/directory_simple_ad.html) in the Directory Service Admin Guide. Before you call CreateDirectory, ensure that all of the required permissions have been explicitly granted through a policy. For details about what permissions are required to run the CreateDirectory operation, see [Directory Service API Permissions: Actions, Resources, and Conditions Reference](http://docs.aws.amazon.com/directoryservice/latest/admin-guide/UsingWithDS_IAM_ResourcePermissions.html). /// - /// - Parameter CreateDirectoryInput : Contains the inputs for the [CreateDirectory] operation. + /// - Parameter input: Contains the inputs for the [CreateDirectory] operation. (Type: `CreateDirectoryInput`) /// - /// - Returns: `CreateDirectoryOutput` : Contains the results of the [CreateDirectory] operation. + /// - Returns: Contains the results of the [CreateDirectory] operation. (Type: `CreateDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1077,7 +1067,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDirectoryOutput.httpOutput(from:), CreateDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1112,9 +1101,9 @@ extension DirectoryClient { /// /// Creates a hybrid directory that connects your self-managed Active Directory (AD) infrastructure and Amazon Web Services. You must have a successful directory assessment using [StartADAssessment] to validate your environment compatibility before you use this operation. Updates are applied asynchronously. Use [DescribeDirectories] to monitor the progress of directory creation. /// - /// - Parameter CreateHybridADInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHybridADInput`) /// - /// - Returns: `CreateHybridADOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHybridADOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1152,7 +1141,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHybridADOutput.httpOutput(from:), CreateHybridADOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1187,9 +1175,9 @@ extension DirectoryClient { /// /// Creates a subscription to forward real-time Directory Service domain controller security logs to the specified Amazon CloudWatch log group in your Amazon Web Services account. /// - /// - Parameter CreateLogSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLogSubscriptionInput`) /// - /// - Returns: `CreateLogSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLogSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1226,7 +1214,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLogSubscriptionOutput.httpOutput(from:), CreateLogSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1261,9 +1248,9 @@ extension DirectoryClient { /// /// Creates a Microsoft AD directory in the Amazon Web Services Cloud. For more information, see [Managed Microsoft AD](https://docs.aws.amazon.com/directoryservice/latest/admin-guide/directory_microsoft_ad.html) in the Directory Service Admin Guide. Before you call CreateMicrosoftAD, ensure that all of the required permissions have been explicitly granted through a policy. For details about what permissions are required to run the CreateMicrosoftAD operation, see [Directory Service API Permissions: Actions, Resources, and Conditions Reference](http://docs.aws.amazon.com/directoryservice/latest/admin-guide/UsingWithDS_IAM_ResourcePermissions.html). /// - /// - Parameter CreateMicrosoftADInput : Creates an Managed Microsoft AD directory. + /// - Parameter input: Creates an Managed Microsoft AD directory. (Type: `CreateMicrosoftADInput`) /// - /// - Returns: `CreateMicrosoftADOutput` : Result of a CreateMicrosoftAD request. + /// - Returns: Result of a CreateMicrosoftAD request. (Type: `CreateMicrosoftADOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1299,7 +1286,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMicrosoftADOutput.httpOutput(from:), CreateMicrosoftADOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1334,9 +1320,9 @@ extension DirectoryClient { /// /// Creates a snapshot of a Simple AD or Microsoft AD directory in the Amazon Web Services cloud. You cannot take snapshots of AD Connector directories. /// - /// - Parameter CreateSnapshotInput : Contains the inputs for the [CreateSnapshot] operation. + /// - Parameter input: Contains the inputs for the [CreateSnapshot] operation. (Type: `CreateSnapshotInput`) /// - /// - Returns: `CreateSnapshotOutput` : Contains the results of the [CreateSnapshot] operation. + /// - Returns: Contains the results of the [CreateSnapshot] operation. (Type: `CreateSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1372,7 +1358,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotOutput.httpOutput(from:), CreateSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1407,9 +1392,9 @@ extension DirectoryClient { /// /// Directory Service for Microsoft Active Directory allows you to configure trust relationships. For example, you can establish a trust between your Managed Microsoft AD directory, and your existing self-managed Microsoft Active Directory. This would allow you to provide users and groups access to resources in either domain, with a single set of credentials. This action initiates the creation of the Amazon Web Services side of a trust relationship between an Managed Microsoft AD directory and an external domain. You can create either a forest trust or an external trust. /// - /// - Parameter CreateTrustInput : Directory Service for Microsoft Active Directory allows you to configure trust relationships. For example, you can establish a trust between your Managed Microsoft AD directory, and your existing self-managed Microsoft Active Directory. This would allow you to provide users and groups access to resources in either domain, with a single set of credentials. This action initiates the creation of the Amazon Web Services side of a trust relationship between an Managed Microsoft AD directory and an external domain. + /// - Parameter input: Directory Service for Microsoft Active Directory allows you to configure trust relationships. For example, you can establish a trust between your Managed Microsoft AD directory, and your existing self-managed Microsoft Active Directory. This would allow you to provide users and groups access to resources in either domain, with a single set of credentials. This action initiates the creation of the Amazon Web Services side of a trust relationship between an Managed Microsoft AD directory and an external domain. (Type: `CreateTrustInput`) /// - /// - Returns: `CreateTrustOutput` : The result of a CreateTrust request. + /// - Returns: The result of a CreateTrust request. (Type: `CreateTrustOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1446,7 +1431,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrustOutput.httpOutput(from:), CreateTrustOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1481,9 +1465,9 @@ extension DirectoryClient { /// /// Deletes a directory assessment and all associated data. This operation permanently removes the assessment results, validation reports, and configuration information. You cannot delete system-initiated assessments. You can delete customer-created assessments even if they are in progress. /// - /// - Parameter DeleteADAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteADAssessmentInput`) /// - /// - Returns: `DeleteADAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteADAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1519,7 +1503,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteADAssessmentOutput.httpOutput(from:), DeleteADAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1554,9 +1537,9 @@ extension DirectoryClient { /// /// Deletes a conditional forwarder that has been set up for your Amazon Web Services directory. /// - /// - Parameter DeleteConditionalForwarderInput : Deletes a conditional forwarder. + /// - Parameter input: Deletes a conditional forwarder. (Type: `DeleteConditionalForwarderInput`) /// - /// - Returns: `DeleteConditionalForwarderOutput` : The result of a DeleteConditionalForwarder request. + /// - Returns: The result of a DeleteConditionalForwarder request. (Type: `DeleteConditionalForwarderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1593,7 +1576,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConditionalForwarderOutput.httpOutput(from:), DeleteConditionalForwarderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1628,9 +1610,9 @@ extension DirectoryClient { /// /// Deletes an Directory Service directory. Before you call DeleteDirectory, ensure that all of the required permissions have been explicitly granted through a policy. For details about what permissions are required to run the DeleteDirectory operation, see [Directory Service API Permissions: Actions, Resources, and Conditions Reference](http://docs.aws.amazon.com/directoryservice/latest/admin-guide/UsingWithDS_IAM_ResourcePermissions.html). /// - /// - Parameter DeleteDirectoryInput : Contains the inputs for the [DeleteDirectory] operation. + /// - Parameter input: Contains the inputs for the [DeleteDirectory] operation. (Type: `DeleteDirectoryInput`) /// - /// - Returns: `DeleteDirectoryOutput` : Contains the results of the [DeleteDirectory] operation. + /// - Returns: Contains the results of the [DeleteDirectory] operation. (Type: `DeleteDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1664,7 +1646,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDirectoryOutput.httpOutput(from:), DeleteDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1699,9 +1680,9 @@ extension DirectoryClient { /// /// Deletes the specified log subscription. /// - /// - Parameter DeleteLogSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLogSubscriptionInput`) /// - /// - Returns: `DeleteLogSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLogSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1736,7 +1717,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLogSubscriptionOutput.httpOutput(from:), DeleteLogSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1771,9 +1751,9 @@ extension DirectoryClient { /// /// Deletes a directory snapshot. /// - /// - Parameter DeleteSnapshotInput : Contains the inputs for the [DeleteSnapshot] operation. + /// - Parameter input: Contains the inputs for the [DeleteSnapshot] operation. (Type: `DeleteSnapshotInput`) /// - /// - Returns: `DeleteSnapshotOutput` : Contains the results of the [DeleteSnapshot] operation. + /// - Returns: Contains the results of the [DeleteSnapshot] operation. (Type: `DeleteSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1808,7 +1788,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSnapshotOutput.httpOutput(from:), DeleteSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1843,9 +1822,9 @@ extension DirectoryClient { /// /// Deletes an existing trust relationship between your Managed Microsoft AD directory and an external domain. /// - /// - Parameter DeleteTrustInput : Deletes the local side of an existing trust relationship between the Managed Microsoft AD directory and the external domain. + /// - Parameter input: Deletes the local side of an existing trust relationship between the Managed Microsoft AD directory and the external domain. (Type: `DeleteTrustInput`) /// - /// - Returns: `DeleteTrustOutput` : The result of a DeleteTrust request. + /// - Returns: The result of a DeleteTrust request. (Type: `DeleteTrustOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1881,7 +1860,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrustOutput.httpOutput(from:), DeleteTrustOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1916,9 +1894,9 @@ extension DirectoryClient { /// /// Deletes from the system the certificate that was registered for secure LDAP or client certificate authentication. /// - /// - Parameter DeregisterCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterCertificateInput`) /// - /// - Returns: `DeregisterCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1957,7 +1935,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterCertificateOutput.httpOutput(from:), DeregisterCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1992,9 +1969,9 @@ extension DirectoryClient { /// /// Removes the specified directory as a publisher to the specified Amazon SNS topic. /// - /// - Parameter DeregisterEventTopicInput : Removes the specified directory as a publisher to the specified Amazon SNS topic. + /// - Parameter input: Removes the specified directory as a publisher to the specified Amazon SNS topic. (Type: `DeregisterEventTopicInput`) /// - /// - Returns: `DeregisterEventTopicOutput` : The result of a DeregisterEventTopic request. + /// - Returns: The result of a DeregisterEventTopic request. (Type: `DeregisterEventTopicOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2029,7 +2006,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterEventTopicOutput.httpOutput(from:), DeregisterEventTopicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2064,9 +2040,9 @@ extension DirectoryClient { /// /// Retrieves detailed information about a directory assessment, including its current status, validation results, and configuration details. Use this operation to monitor assessment progress and review results. /// - /// - Parameter DescribeADAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeADAssessmentInput`) /// - /// - Returns: `DescribeADAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeADAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2102,7 +2078,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeADAssessmentOutput.httpOutput(from:), DescribeADAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2137,9 +2112,9 @@ extension DirectoryClient { /// /// Retrieves detailed information about the certificate authority (CA) enrollment policy for the specified directory. This policy determines how client certificates are automatically enrolled and managed through Amazon Web Services Private Certificate Authority. /// - /// - Parameter DescribeCAEnrollmentPolicyInput : Contains the inputs for the [DescribeCAEnrollmentPolicy] operation. + /// - Parameter input: Contains the inputs for the [DescribeCAEnrollmentPolicy] operation. (Type: `DescribeCAEnrollmentPolicyInput`) /// - /// - Returns: `DescribeCAEnrollmentPolicyOutput` : Contains the results of the [DescribeCAEnrollmentPolicy] operation. + /// - Returns: Contains the results of the [DescribeCAEnrollmentPolicy] operation. (Type: `DescribeCAEnrollmentPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2174,7 +2149,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCAEnrollmentPolicyOutput.httpOutput(from:), DescribeCAEnrollmentPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2209,9 +2183,9 @@ extension DirectoryClient { /// /// Displays information about the certificate registered for secure LDAP or client certificate authentication. /// - /// - Parameter DescribeCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCertificateInput`) /// - /// - Returns: `DescribeCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2248,7 +2222,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCertificateOutput.httpOutput(from:), DescribeCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2283,9 +2256,9 @@ extension DirectoryClient { /// /// Retrieves information about the type of client authentication for the specified directory, if the type is specified. If no type is specified, information about all client authentication types that are supported for the specified directory is retrieved. Currently, only SmartCard is supported. /// - /// - Parameter DescribeClientAuthenticationSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClientAuthenticationSettingsInput`) /// - /// - Returns: `DescribeClientAuthenticationSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClientAuthenticationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2322,7 +2295,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClientAuthenticationSettingsOutput.httpOutput(from:), DescribeClientAuthenticationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2357,9 +2329,9 @@ extension DirectoryClient { /// /// Obtains information about the conditional forwarders for this account. If no input parameters are provided for RemoteDomainNames, this request describes all conditional forwarders for the specified directory ID. /// - /// - Parameter DescribeConditionalForwardersInput : Describes a conditional forwarder. + /// - Parameter input: Describes a conditional forwarder. (Type: `DescribeConditionalForwardersInput`) /// - /// - Returns: `DescribeConditionalForwardersOutput` : The result of a DescribeConditionalForwarder request. + /// - Returns: The result of a DescribeConditionalForwarder request. (Type: `DescribeConditionalForwardersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2396,7 +2368,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConditionalForwardersOutput.httpOutput(from:), DescribeConditionalForwardersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2431,9 +2402,9 @@ extension DirectoryClient { /// /// Obtains information about the directories that belong to this account. You can retrieve information about specific directories by passing the directory identifiers in the DirectoryIds parameter. Otherwise, all directories that belong to the current account are returned. This operation supports pagination with the use of the NextToken request and response parameters. If more results are available, the DescribeDirectoriesResult.NextToken member contains a token that you pass in the next call to [DescribeDirectories] to retrieve the next set of items. You can also specify a maximum number of return results with the Limit parameter. /// - /// - Parameter DescribeDirectoriesInput : Contains the inputs for the [DescribeDirectories] operation. + /// - Parameter input: Contains the inputs for the [DescribeDirectories] operation. (Type: `DescribeDirectoriesInput`) /// - /// - Returns: `DescribeDirectoriesOutput` : Contains the results of the [DescribeDirectories] operation. + /// - Returns: Contains the results of the [DescribeDirectories] operation. (Type: `DescribeDirectoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2469,7 +2440,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDirectoriesOutput.httpOutput(from:), DescribeDirectoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2504,9 +2474,9 @@ extension DirectoryClient { /// /// Obtains status of directory data access enablement through the Directory Service Data API for the specified directory. /// - /// - Parameter DescribeDirectoryDataAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDirectoryDataAccessInput`) /// - /// - Returns: `DescribeDirectoryDataAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDirectoryDataAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2542,7 +2512,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDirectoryDataAccessOutput.httpOutput(from:), DescribeDirectoryDataAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2577,9 +2546,9 @@ extension DirectoryClient { /// /// Provides information about any domain controllers in your directory. /// - /// - Parameter DescribeDomainControllersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDomainControllersInput`) /// - /// - Returns: `DescribeDomainControllersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDomainControllersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2616,7 +2585,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainControllersOutput.httpOutput(from:), DescribeDomainControllersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2651,9 +2619,9 @@ extension DirectoryClient { /// /// Obtains information about which Amazon SNS topics receive status messages from the specified directory. If no input parameters are provided, such as DirectoryId or TopicName, this request describes all of the associations in the account. /// - /// - Parameter DescribeEventTopicsInput : Describes event topics. + /// - Parameter input: Describes event topics. (Type: `DescribeEventTopicsInput`) /// - /// - Returns: `DescribeEventTopicsOutput` : The result of a DescribeEventTopic request. + /// - Returns: The result of a DescribeEventTopic request. (Type: `DescribeEventTopicsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2688,7 +2656,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventTopicsOutput.httpOutput(from:), DescribeEventTopicsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2723,9 +2690,9 @@ extension DirectoryClient { /// /// Retrieves information about update activities for a hybrid directory. This operation provides details about configuration changes, administrator account updates, and self-managed instance settings (IDs and DNS IPs). /// - /// - Parameter DescribeHybridADUpdateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHybridADUpdateInput`) /// - /// - Returns: `DescribeHybridADUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHybridADUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2762,7 +2729,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHybridADUpdateOutput.httpOutput(from:), DescribeHybridADUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2797,9 +2763,9 @@ extension DirectoryClient { /// /// Describes the status of LDAP security for the specified directory. /// - /// - Parameter DescribeLDAPSSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLDAPSSettingsInput`) /// - /// - Returns: `DescribeLDAPSSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLDAPSSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2836,7 +2802,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLDAPSSettingsOutput.httpOutput(from:), DescribeLDAPSSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2871,9 +2836,9 @@ extension DirectoryClient { /// /// Provides information about the Regions that are configured for multi-Region replication. /// - /// - Parameter DescribeRegionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegionsInput`) /// - /// - Returns: `DescribeRegionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2911,7 +2876,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegionsOutput.httpOutput(from:), DescribeRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2946,9 +2910,9 @@ extension DirectoryClient { /// /// Retrieves information about the configurable settings for the specified directory. /// - /// - Parameter DescribeSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSettingsInput`) /// - /// - Returns: `DescribeSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2985,7 +2949,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSettingsOutput.httpOutput(from:), DescribeSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3020,9 +2983,9 @@ extension DirectoryClient { /// /// Returns the shared directories in your account. /// - /// - Parameter DescribeSharedDirectoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSharedDirectoriesInput`) /// - /// - Returns: `DescribeSharedDirectoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSharedDirectoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3059,7 +3022,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSharedDirectoriesOutput.httpOutput(from:), DescribeSharedDirectoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3094,9 +3056,9 @@ extension DirectoryClient { /// /// Obtains information about the directory snapshots that belong to this account. This operation supports pagination with the use of the NextToken request and response parameters. If more results are available, the DescribeSnapshots.NextToken member contains a token that you pass in the next call to [DescribeSnapshots] to retrieve the next set of items. You can also specify a maximum number of return results with the Limit parameter. /// - /// - Parameter DescribeSnapshotsInput : Contains the inputs for the [DescribeSnapshots] operation. + /// - Parameter input: Contains the inputs for the [DescribeSnapshots] operation. (Type: `DescribeSnapshotsInput`) /// - /// - Returns: `DescribeSnapshotsOutput` : Contains the results of the [DescribeSnapshots] operation. + /// - Returns: Contains the results of the [DescribeSnapshots] operation. (Type: `DescribeSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3132,7 +3094,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSnapshotsOutput.httpOutput(from:), DescribeSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3167,9 +3128,9 @@ extension DirectoryClient { /// /// Obtains information about the trust relationships for this account. If no input parameters are provided, such as DirectoryId or TrustIds, this request describes all the trust relationships belonging to the account. /// - /// - Parameter DescribeTrustsInput : Describes the trust relationships for a particular Managed Microsoft AD directory. If no input parameters are provided, such as directory ID or trust ID, this request describes all the trust relationships. + /// - Parameter input: Describes the trust relationships for a particular Managed Microsoft AD directory. If no input parameters are provided, such as directory ID or trust ID, this request describes all the trust relationships. (Type: `DescribeTrustsInput`) /// - /// - Returns: `DescribeTrustsOutput` : The result of a DescribeTrust request. + /// - Returns: The result of a DescribeTrust request. (Type: `DescribeTrustsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3206,7 +3167,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrustsOutput.httpOutput(from:), DescribeTrustsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3241,9 +3201,9 @@ extension DirectoryClient { /// /// Describes the updates of a directory for a particular update type. /// - /// - Parameter DescribeUpdateDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUpdateDirectoryInput`) /// - /// - Returns: `DescribeUpdateDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUpdateDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3280,7 +3240,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUpdateDirectoryOutput.httpOutput(from:), DescribeUpdateDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3315,9 +3274,9 @@ extension DirectoryClient { /// /// Disables the certificate authority (CA) enrollment policy for the specified directory. This stops automatic certificate enrollment and management for domain-joined clients, but does not affect existing certificates. Disabling the CA enrollment policy prevents new certificates from being automatically enrolled, but existing certificates remain valid and functional until they expire. /// - /// - Parameter DisableCAEnrollmentPolicyInput : Contains the inputs for the [DisableCAEnrollmentPolicy] operation. + /// - Parameter input: Contains the inputs for the [DisableCAEnrollmentPolicy] operation. (Type: `DisableCAEnrollmentPolicyInput`) /// - /// - Returns: `DisableCAEnrollmentPolicyOutput` : Contains the results of the [DisableCAEnrollmentPolicy] operation. + /// - Returns: Contains the results of the [DisableCAEnrollmentPolicy] operation. (Type: `DisableCAEnrollmentPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3356,7 +3315,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableCAEnrollmentPolicyOutput.httpOutput(from:), DisableCAEnrollmentPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3391,9 +3349,9 @@ extension DirectoryClient { /// /// Disables alternative client authentication methods for the specified directory. /// - /// - Parameter DisableClientAuthenticationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableClientAuthenticationInput`) /// - /// - Returns: `DisableClientAuthenticationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableClientAuthenticationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3430,7 +3388,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableClientAuthenticationOutput.httpOutput(from:), DisableClientAuthenticationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3465,9 +3422,9 @@ extension DirectoryClient { /// /// Deactivates access to directory data via the Directory Service Data API for the specified directory. For more information, see [Directory Service Data API Reference](https://docs.aws.amazon.com/directoryservicedata/latest/DirectoryServiceDataAPIReference/Welcome.html). /// - /// - Parameter DisableDirectoryDataAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableDirectoryDataAccessInput`) /// - /// - Returns: `DisableDirectoryDataAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableDirectoryDataAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3505,7 +3462,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableDirectoryDataAccessOutput.httpOutput(from:), DisableDirectoryDataAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3540,9 +3496,9 @@ extension DirectoryClient { /// /// Deactivates LDAP secure calls for the specified directory. /// - /// - Parameter DisableLDAPSInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableLDAPSInput`) /// - /// - Returns: `DisableLDAPSOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableLDAPSOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3580,7 +3536,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableLDAPSOutput.httpOutput(from:), DisableLDAPSOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3615,9 +3570,9 @@ extension DirectoryClient { /// /// Disables multi-factor authentication (MFA) with the Remote Authentication Dial In User Service (RADIUS) server for an AD Connector or Microsoft AD directory. /// - /// - Parameter DisableRadiusInput : Contains the inputs for the [DisableRadius] operation. + /// - Parameter input: Contains the inputs for the [DisableRadius] operation. (Type: `DisableRadiusInput`) /// - /// - Returns: `DisableRadiusOutput` : Contains the results of the [DisableRadius] operation. + /// - Returns: Contains the results of the [DisableRadius] operation. (Type: `DisableRadiusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3651,7 +3606,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableRadiusOutput.httpOutput(from:), DisableRadiusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3686,9 +3640,9 @@ extension DirectoryClient { /// /// Disables single-sign on for a directory. /// - /// - Parameter DisableSsoInput : Contains the inputs for the [DisableSso] operation. + /// - Parameter input: Contains the inputs for the [DisableSso] operation. (Type: `DisableSsoInput`) /// - /// - Returns: `DisableSsoOutput` : Contains the results of the [DisableSso] operation. + /// - Returns: Contains the results of the [DisableSso] operation. (Type: `DisableSsoOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3724,7 +3678,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableSsoOutput.httpOutput(from:), DisableSsoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3759,9 +3712,9 @@ extension DirectoryClient { /// /// Enables certificate authority (CA) enrollment policy for the specified directory. This allows domain-joined clients to automatically request and receive certificates from the specified Amazon Web Services Private Certificate Authority. Before enabling CA enrollment, ensure that the PCA connector is properly configured and accessible from the directory. The connector must be in an active state and have the necessary permissions. /// - /// - Parameter EnableCAEnrollmentPolicyInput : Contains the inputs for the [EnableCAEnrollmentPolicy] operation. + /// - Parameter input: Contains the inputs for the [EnableCAEnrollmentPolicy] operation. (Type: `EnableCAEnrollmentPolicyInput`) /// - /// - Returns: `EnableCAEnrollmentPolicyOutput` : Contains the results of the [EnableCAEnrollmentPolicy] operation. + /// - Returns: Contains the results of the [EnableCAEnrollmentPolicy] operation. (Type: `EnableCAEnrollmentPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3801,7 +3754,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableCAEnrollmentPolicyOutput.httpOutput(from:), EnableCAEnrollmentPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3836,9 +3788,9 @@ extension DirectoryClient { /// /// Enables alternative client authentication methods for the specified directory. /// - /// - Parameter EnableClientAuthenticationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableClientAuthenticationInput`) /// - /// - Returns: `EnableClientAuthenticationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableClientAuthenticationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3876,7 +3828,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableClientAuthenticationOutput.httpOutput(from:), EnableClientAuthenticationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3911,9 +3862,9 @@ extension DirectoryClient { /// /// Enables access to directory data via the Directory Service Data API for the specified directory. For more information, see [Directory Service Data API Reference](https://docs.aws.amazon.com/directoryservicedata/latest/DirectoryServiceDataAPIReference/Welcome.html). /// - /// - Parameter EnableDirectoryDataAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableDirectoryDataAccessInput`) /// - /// - Returns: `EnableDirectoryDataAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableDirectoryDataAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3951,7 +3902,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableDirectoryDataAccessOutput.httpOutput(from:), EnableDirectoryDataAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3986,9 +3936,9 @@ extension DirectoryClient { /// /// Activates the switch for the specific directory to always use LDAP secure calls. /// - /// - Parameter EnableLDAPSInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableLDAPSInput`) /// - /// - Returns: `EnableLDAPSOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableLDAPSOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4027,7 +3977,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableLDAPSOutput.httpOutput(from:), EnableLDAPSOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4062,9 +4011,9 @@ extension DirectoryClient { /// /// Enables multi-factor authentication (MFA) with the Remote Authentication Dial In User Service (RADIUS) server for an AD Connector or Microsoft AD directory. /// - /// - Parameter EnableRadiusInput : Contains the inputs for the [EnableRadius] operation. + /// - Parameter input: Contains the inputs for the [EnableRadius] operation. (Type: `EnableRadiusInput`) /// - /// - Returns: `EnableRadiusOutput` : Contains the results of the [EnableRadius] operation. + /// - Returns: Contains the results of the [EnableRadius] operation. (Type: `EnableRadiusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4100,7 +4049,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableRadiusOutput.httpOutput(from:), EnableRadiusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4135,9 +4083,9 @@ extension DirectoryClient { /// /// Enables single sign-on for a directory. Single sign-on allows users in your directory to access certain Amazon Web Services services from a computer joined to the directory without having to enter their credentials separately. /// - /// - Parameter EnableSsoInput : Contains the inputs for the [EnableSso] operation. + /// - Parameter input: Contains the inputs for the [EnableSso] operation. (Type: `EnableSsoInput`) /// - /// - Returns: `EnableSsoOutput` : Contains the results of the [EnableSso] operation. + /// - Returns: Contains the results of the [EnableSso] operation. (Type: `EnableSsoOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4173,7 +4121,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableSsoOutput.httpOutput(from:), EnableSsoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4208,9 +4155,9 @@ extension DirectoryClient { /// /// Obtains directory limit information for the current Region. /// - /// - Parameter GetDirectoryLimitsInput : Contains the inputs for the [GetDirectoryLimits] operation. + /// - Parameter input: Contains the inputs for the [GetDirectoryLimits] operation. (Type: `GetDirectoryLimitsInput`) /// - /// - Returns: `GetDirectoryLimitsOutput` : Contains the results of the [GetDirectoryLimits] operation. + /// - Returns: Contains the results of the [GetDirectoryLimits] operation. (Type: `GetDirectoryLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4244,7 +4191,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDirectoryLimitsOutput.httpOutput(from:), GetDirectoryLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4279,9 +4225,9 @@ extension DirectoryClient { /// /// Obtains the manual snapshot limits for a directory. /// - /// - Parameter GetSnapshotLimitsInput : Contains the inputs for the [GetSnapshotLimits] operation. + /// - Parameter input: Contains the inputs for the [GetSnapshotLimits] operation. (Type: `GetSnapshotLimitsInput`) /// - /// - Returns: `GetSnapshotLimitsOutput` : Contains the results of the [GetSnapshotLimits] operation. + /// - Returns: Contains the results of the [GetSnapshotLimits] operation. (Type: `GetSnapshotLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4315,7 +4261,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSnapshotLimitsOutput.httpOutput(from:), GetSnapshotLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4350,9 +4295,9 @@ extension DirectoryClient { /// /// Retrieves a list of directory assessments for the specified directory or all assessments in your account. Use this operation to monitor assessment status and manage multiple assessments. /// - /// - Parameter ListADAssessmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListADAssessmentsInput`) /// - /// - Returns: `ListADAssessmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListADAssessmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4388,7 +4333,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListADAssessmentsOutput.httpOutput(from:), ListADAssessmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4423,9 +4367,9 @@ extension DirectoryClient { /// /// For the specified directory, lists all the certificates registered for a secure LDAP or client certificate authentication. /// - /// - Parameter ListCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCertificatesInput`) /// - /// - Returns: `ListCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4462,7 +4406,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCertificatesOutput.httpOutput(from:), ListCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4497,9 +4440,9 @@ extension DirectoryClient { /// /// Lists the address blocks that you have added to a directory. /// - /// - Parameter ListIpRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIpRoutesInput`) /// - /// - Returns: `ListIpRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIpRoutesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4535,7 +4478,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIpRoutesOutput.httpOutput(from:), ListIpRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4570,9 +4512,9 @@ extension DirectoryClient { /// /// Lists the active log subscriptions for the Amazon Web Services account. /// - /// - Parameter ListLogSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLogSubscriptionsInput`) /// - /// - Returns: `ListLogSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLogSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4607,7 +4549,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLogSubscriptionsOutput.httpOutput(from:), ListLogSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4642,9 +4583,9 @@ extension DirectoryClient { /// /// Lists all schema extensions applied to a Microsoft AD Directory. /// - /// - Parameter ListSchemaExtensionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchemaExtensionsInput`) /// - /// - Returns: `ListSchemaExtensionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchemaExtensionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4679,7 +4620,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchemaExtensionsOutput.httpOutput(from:), ListSchemaExtensionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4714,9 +4654,9 @@ extension DirectoryClient { /// /// Lists all tags on a directory. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4752,7 +4692,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4787,9 +4726,9 @@ extension DirectoryClient { /// /// Registers a certificate for a secure LDAP or client certificate authentication. /// - /// - Parameter RegisterCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterCertificateInput`) /// - /// - Returns: `RegisterCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4829,7 +4768,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterCertificateOutput.httpOutput(from:), RegisterCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4864,9 +4802,9 @@ extension DirectoryClient { /// /// Associates a directory with an Amazon SNS topic. This establishes the directory as a publisher to the specified Amazon SNS topic. You can then receive email or text (SMS) messages when the status of your directory changes. You get notified if your directory goes from an Active status to an Impaired or Inoperable status. You also receive a notification when the directory returns to an Active status. /// - /// - Parameter RegisterEventTopicInput : Registers a new event topic. + /// - Parameter input: Registers a new event topic. (Type: `RegisterEventTopicInput`) /// - /// - Returns: `RegisterEventTopicOutput` : The result of a RegisterEventTopic request. + /// - Returns: The result of a RegisterEventTopic request. (Type: `RegisterEventTopicOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4901,7 +4839,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterEventTopicOutput.httpOutput(from:), RegisterEventTopicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4936,9 +4873,9 @@ extension DirectoryClient { /// /// Rejects a directory sharing request that was sent from the directory owner account. /// - /// - Parameter RejectSharedDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectSharedDirectoryInput`) /// - /// - Returns: `RejectSharedDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectSharedDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4974,7 +4911,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectSharedDirectoryOutput.httpOutput(from:), RejectSharedDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5009,9 +4945,9 @@ extension DirectoryClient { /// /// Removes IP address blocks from a directory. /// - /// - Parameter RemoveIpRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveIpRoutesInput`) /// - /// - Returns: `RemoveIpRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveIpRoutesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5047,7 +4983,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveIpRoutesOutput.httpOutput(from:), RemoveIpRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5082,9 +5017,9 @@ extension DirectoryClient { /// /// Stops all replication and removes the domain controllers from the specified Region. You cannot remove the primary Region with this operation. Instead, use the DeleteDirectory API. /// - /// - Parameter RemoveRegionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveRegionInput`) /// - /// - Returns: `RemoveRegionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveRegionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5121,7 +5056,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveRegionOutput.httpOutput(from:), RemoveRegionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5156,9 +5090,9 @@ extension DirectoryClient { /// /// Removes tags from a directory. /// - /// - Parameter RemoveTagsFromResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveTagsFromResourceInput`) /// - /// - Returns: `RemoveTagsFromResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5193,7 +5127,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromResourceOutput.httpOutput(from:), RemoveTagsFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5232,9 +5165,9 @@ extension DirectoryClient { /// /// * For Managed Microsoft AD, you can only reset the password for a user that is in an OU based off of the NetBIOS name that you typed when you created your directory. For example, you cannot reset the password for a user in the Amazon Web Services Reserved OU. For more information about the OU structure for an Managed Microsoft AD directory, see [What Gets Created](https://docs.aws.amazon.com/directoryservice/latest/admin-guide/ms_ad_getting_started_what_gets_created.html) in the Directory Service Administration Guide. /// - /// - Parameter ResetUserPasswordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetUserPasswordInput`) /// - /// - Returns: `ResetUserPasswordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetUserPasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5272,7 +5205,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetUserPasswordOutput.httpOutput(from:), ResetUserPasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5307,9 +5239,9 @@ extension DirectoryClient { /// /// Restores a directory using an existing directory snapshot. When you restore a directory from a snapshot, any changes made to the directory after the snapshot date are overwritten. This action returns as soon as the restore operation is initiated. You can monitor the progress of the restore operation by calling the [DescribeDirectories] operation with the directory identifier. When the DirectoryDescription.Stage value changes to Active, the restore operation is complete. /// - /// - Parameter RestoreFromSnapshotInput : An object representing the inputs for the [RestoreFromSnapshot] operation. + /// - Parameter input: An object representing the inputs for the [RestoreFromSnapshot] operation. (Type: `RestoreFromSnapshotInput`) /// - /// - Returns: `RestoreFromSnapshotOutput` : Contains the results of the [RestoreFromSnapshot] operation. + /// - Returns: Contains the results of the [RestoreFromSnapshot] operation. (Type: `RestoreFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5344,7 +5276,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreFromSnapshotOutput.httpOutput(from:), RestoreFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5379,9 +5310,9 @@ extension DirectoryClient { /// /// Shares a specified directory (DirectoryId) in your Amazon Web Services account (directory owner) with another Amazon Web Services account (directory consumer). With this operation you can use your directory from any Amazon Web Services account and from any Amazon VPC within an Amazon Web Services Region. When you share your Managed Microsoft AD directory, Directory Service creates a shared directory in the directory consumer account. This shared directory contains the metadata to provide access to the directory within the directory owner account. The shared directory is visible in all VPCs in the directory consumer account. The ShareMethod parameter determines whether the specified directory can be shared between Amazon Web Services accounts inside the same Amazon Web Services organization (ORGANIZATIONS). It also determines whether you can share the directory with any other Amazon Web Services account either inside or outside of the organization (HANDSHAKE). The ShareNotes parameter is only used when HANDSHAKE is called, which sends a directory sharing request to the directory consumer. /// - /// - Parameter ShareDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ShareDirectoryInput`) /// - /// - Returns: `ShareDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ShareDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5422,7 +5353,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ShareDirectoryOutput.httpOutput(from:), ShareDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5457,9 +5387,9 @@ extension DirectoryClient { /// /// Initiates a directory assessment to validate your self-managed AD environment for hybrid domain join. The assessment checks compatibility and connectivity of the self-managed AD environment. A directory assessment is automatically created when you create a hybrid directory. There are two types of assessments: CUSTOMER and SYSTEM. Your Amazon Web Services account has a limit of 100 CUSTOMER directory assessments. The assessment process typically takes 30 minutes or more to complete. The assessment process is asynchronous and you can monitor it with DescribeADAssessment. The InstanceIds must have a one-to-one correspondence with CustomerDnsIps, meaning that if the IP address for instance i-10243410 is 10.24.34.100 and the IP address for instance i-10243420 is 10.24.34.200, then the input arrays must maintain the same order relationship, either [10.24.34.100, 10.24.34.200] paired with [i-10243410, i-10243420] or [10.24.34.200, 10.24.34.100] paired with [i-10243420, i-10243410]. Note: You must provide exactly one DirectoryId or AssessmentConfiguration. /// - /// - Parameter StartADAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartADAssessmentInput`) /// - /// - Returns: `StartADAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartADAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5496,7 +5426,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartADAssessmentOutput.httpOutput(from:), StartADAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5531,9 +5460,9 @@ extension DirectoryClient { /// /// Applies a schema extension to a Microsoft AD directory. /// - /// - Parameter StartSchemaExtensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSchemaExtensionInput`) /// - /// - Returns: `StartSchemaExtensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSchemaExtensionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5570,7 +5499,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSchemaExtensionOutput.httpOutput(from:), StartSchemaExtensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5605,9 +5533,9 @@ extension DirectoryClient { /// /// Stops the directory sharing between the directory owner and consumer accounts. /// - /// - Parameter UnshareDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnshareDirectoryInput`) /// - /// - Returns: `UnshareDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnshareDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5643,7 +5571,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnshareDirectoryOutput.httpOutput(from:), UnshareDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5678,9 +5605,9 @@ extension DirectoryClient { /// /// Updates a conditional forwarder that has been set up for your Amazon Web Services directory. /// - /// - Parameter UpdateConditionalForwarderInput : Updates a conditional forwarder. + /// - Parameter input: Updates a conditional forwarder. (Type: `UpdateConditionalForwarderInput`) /// - /// - Returns: `UpdateConditionalForwarderOutput` : The result of an UpdateConditionalForwarder request. + /// - Returns: The result of an UpdateConditionalForwarder request. (Type: `UpdateConditionalForwarderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5717,7 +5644,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConditionalForwarderOutput.httpOutput(from:), UpdateConditionalForwarderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5752,9 +5678,9 @@ extension DirectoryClient { /// /// Updates directory configuration for the specified update type. /// - /// - Parameter UpdateDirectorySetupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDirectorySetupInput`) /// - /// - Returns: `UpdateDirectorySetupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDirectorySetupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5794,7 +5720,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDirectorySetupOutput.httpOutput(from:), UpdateDirectorySetupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5829,9 +5754,9 @@ extension DirectoryClient { /// /// Updates the configuration of an existing hybrid directory. You can recover hybrid directory administrator account or modify self-managed instance settings. Updates are applied asynchronously. Use [DescribeHybridADUpdate] to monitor the progress of configuration changes. The InstanceIds must have a one-to-one correspondence with CustomerDnsIps, meaning that if the IP address for instance i-10243410 is 10.24.34.100 and the IP address for instance i-10243420 is 10.24.34.200, then the input arrays must maintain the same order relationship, either [10.24.34.100, 10.24.34.200] paired with [i-10243410, i-10243420] or [10.24.34.200, 10.24.34.100] paired with [i-10243420, i-10243410]. You must provide at least one update to [UpdateHybridADRequest$HybridAdministratorAccountUpdate] or [UpdateHybridADRequest$SelfManagedInstancesSettings]. /// - /// - Parameter UpdateHybridADInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHybridADInput`) /// - /// - Returns: `UpdateHybridADOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHybridADOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5868,7 +5793,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHybridADOutput.httpOutput(from:), UpdateHybridADOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5903,9 +5827,9 @@ extension DirectoryClient { /// /// Adds or removes domain controllers to or from the directory. Based on the difference between current value and new value (provided through this API call), domain controllers will be added or removed. It may take up to 45 minutes for any new domain controllers to become fully active once the requested number of domain controllers is updated. During this time, you cannot make another update request. /// - /// - Parameter UpdateNumberOfDomainControllersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNumberOfDomainControllersInput`) /// - /// - Returns: `UpdateNumberOfDomainControllersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNumberOfDomainControllersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5943,7 +5867,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNumberOfDomainControllersOutput.httpOutput(from:), UpdateNumberOfDomainControllersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5978,9 +5901,9 @@ extension DirectoryClient { /// /// Updates the Remote Authentication Dial In User Service (RADIUS) server information for an AD Connector or Microsoft AD directory. /// - /// - Parameter UpdateRadiusInput : Contains the inputs for the [UpdateRadius] operation. + /// - Parameter input: Contains the inputs for the [UpdateRadius] operation. (Type: `UpdateRadiusInput`) /// - /// - Returns: `UpdateRadiusOutput` : Contains the results of the [UpdateRadius] operation. + /// - Returns: Contains the results of the [UpdateRadius] operation. (Type: `UpdateRadiusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6015,7 +5938,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRadiusOutput.httpOutput(from:), UpdateRadiusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6050,9 +5972,9 @@ extension DirectoryClient { /// /// Updates the configurable settings for the specified directory. /// - /// - Parameter UpdateSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSettingsInput`) /// - /// - Returns: `UpdateSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6091,7 +6013,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSettingsOutput.httpOutput(from:), UpdateSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6126,9 +6047,9 @@ extension DirectoryClient { /// /// Updates the trust that has been set up between your Managed Microsoft AD directory and an self-managed Active Directory. /// - /// - Parameter UpdateTrustInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrustInput`) /// - /// - Returns: `UpdateTrustOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrustOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6163,7 +6084,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrustOutput.httpOutput(from:), UpdateTrustOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6198,9 +6118,9 @@ extension DirectoryClient { /// /// Directory Service for Microsoft Active Directory allows you to configure and verify trust relationships. This action verifies a trust relationship between your Managed Microsoft AD directory and an external domain. /// - /// - Parameter VerifyTrustInput : Initiates the verification of an existing trust relationship between an Managed Microsoft AD directory and an external domain. + /// - Parameter input: Initiates the verification of an existing trust relationship between an Managed Microsoft AD directory and an external domain. (Type: `VerifyTrustInput`) /// - /// - Returns: `VerifyTrustOutput` : Result of a VerifyTrust request. + /// - Returns: Result of a VerifyTrust request. (Type: `VerifyTrustOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6236,7 +6156,6 @@ extension DirectoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyTrustOutput.httpOutput(from:), VerifyTrustOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDirectoryServiceData/Sources/AWSDirectoryServiceData/DirectoryServiceDataClient.swift b/Sources/Services/AWSDirectoryServiceData/Sources/AWSDirectoryServiceData/DirectoryServiceDataClient.swift index fd13cf8d60e..1658f1cf594 100644 --- a/Sources/Services/AWSDirectoryServiceData/Sources/AWSDirectoryServiceData/DirectoryServiceDataClient.swift +++ b/Sources/Services/AWSDirectoryServiceData/Sources/AWSDirectoryServiceData/DirectoryServiceDataClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DirectoryServiceDataClient: ClientRuntime.Client { public static let clientName = "DirectoryServiceDataClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DirectoryServiceDataClient.DirectoryServiceDataClientConfiguration let serviceName = "Directory Service Data" @@ -374,9 +373,9 @@ extension DirectoryServiceDataClient { /// /// Adds an existing user, group, or computer as a group member. /// - /// - Parameter AddGroupMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddGroupMemberInput`) /// - /// - Returns: `AddGroupMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddGroupMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddGroupMemberOutput.httpOutput(from:), AddGroupMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension DirectoryServiceDataClient { /// /// Creates a new group. /// - /// - Parameter CreateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupInput`) /// - /// - Returns: `CreateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupOutput.httpOutput(from:), CreateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension DirectoryServiceDataClient { /// /// Creates a new user. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -568,7 +565,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -600,9 +596,9 @@ extension DirectoryServiceDataClient { /// /// Deletes a group. /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -644,7 +640,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension DirectoryServiceDataClient { /// /// Deletes a user. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -720,7 +715,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -752,9 +746,9 @@ extension DirectoryServiceDataClient { /// /// Returns information about a specific group. /// - /// - Parameter DescribeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGroupInput`) /// - /// - Returns: `DescribeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -794,7 +788,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGroupOutput.httpOutput(from:), DescribeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -826,9 +819,9 @@ extension DirectoryServiceDataClient { /// /// Returns information about a specific user. /// - /// - Parameter DescribeUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserInput`) /// - /// - Returns: `DescribeUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -868,7 +861,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserOutput.httpOutput(from:), DescribeUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -900,9 +892,9 @@ extension DirectoryServiceDataClient { /// /// Deactivates an active user account. For information about how to enable an inactive user account, see [ResetUserPassword](https://docs.aws.amazon.com/directoryservice/latest/devguide/API_ResetUserPassword.html) in the Directory Service API Reference. /// - /// - Parameter DisableUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableUserInput`) /// - /// - Returns: `DisableUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -944,7 +936,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableUserOutput.httpOutput(from:), DisableUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -976,9 +967,9 @@ extension DirectoryServiceDataClient { /// /// Returns member information for the specified group. This operation supports pagination with the use of the NextToken request and response parameters. If more results are available, the ListGroupMembers.NextToken member contains a token that you pass in the next call to ListGroupMembers. This retrieves the next set of items. You can also specify a maximum number of return results with the MaxResults parameter. /// - /// - Parameter ListGroupMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupMembersInput`) /// - /// - Returns: `ListGroupMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1018,7 +1009,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupMembersOutput.httpOutput(from:), ListGroupMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1050,9 +1040,9 @@ extension DirectoryServiceDataClient { /// /// Returns group information for the specified directory. This operation supports pagination with the use of the NextToken request and response parameters. If more results are available, the ListGroups.NextToken member contains a token that you pass in the next call to ListGroups. This retrieves the next set of items. You can also specify a maximum number of return results with the MaxResults parameter. /// - /// - Parameter ListGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsInput`) /// - /// - Returns: `ListGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1091,7 +1081,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOutput.httpOutput(from:), ListGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1123,9 +1112,9 @@ extension DirectoryServiceDataClient { /// /// Returns group information for the specified member. This operation supports pagination with the use of the NextToken request and response parameters. If more results are available, the ListGroupsForMember.NextToken member contains a token that you pass in the next call to ListGroupsForMember. This retrieves the next set of items. You can also specify a maximum number of return results with the MaxResults parameter. /// - /// - Parameter ListGroupsForMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsForMemberInput`) /// - /// - Returns: `ListGroupsForMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsForMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1165,7 +1154,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsForMemberOutput.httpOutput(from:), ListGroupsForMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1197,9 +1185,9 @@ extension DirectoryServiceDataClient { /// /// Returns user information for the specified directory. This operation supports pagination with the use of the NextToken request and response parameters. If more results are available, the ListUsers.NextToken member contains a token that you pass in the next call to ListUsers. This retrieves the next set of items. You can also specify a maximum number of return results with the MaxResults parameter. /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1238,7 +1226,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1270,9 +1257,9 @@ extension DirectoryServiceDataClient { /// /// Removes a member from a group. /// - /// - Parameter RemoveGroupMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveGroupMemberInput`) /// - /// - Returns: `RemoveGroupMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveGroupMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1314,7 +1301,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveGroupMemberOutput.httpOutput(from:), RemoveGroupMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1346,9 +1332,9 @@ extension DirectoryServiceDataClient { /// /// Searches the specified directory for a group. You can find groups that match the SearchString parameter with the value of their attributes included in the SearchString parameter. This operation supports pagination with the use of the NextToken request and response parameters. If more results are available, the SearchGroups.NextToken member contains a token that you pass in the next call to SearchGroups. This retrieves the next set of items. You can also specify a maximum number of return results with the MaxResults parameter. /// - /// - Parameter SearchGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchGroupsInput`) /// - /// - Returns: `SearchGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1387,7 +1373,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchGroupsOutput.httpOutput(from:), SearchGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1419,9 +1404,9 @@ extension DirectoryServiceDataClient { /// /// Searches the specified directory for a user. You can find users that match the SearchString parameter with the value of their attributes included in the SearchString parameter. This operation supports pagination with the use of the NextToken request and response parameters. If more results are available, the SearchUsers.NextToken member contains a token that you pass in the next call to SearchUsers. This retrieves the next set of items. You can also specify a maximum number of return results with the MaxResults parameter. /// - /// - Parameter SearchUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchUsersInput`) /// - /// - Returns: `SearchUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1460,7 +1445,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchUsersOutput.httpOutput(from:), SearchUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1492,9 +1476,9 @@ extension DirectoryServiceDataClient { /// /// Updates group information. /// - /// - Parameter UpdateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupInput`) /// - /// - Returns: `UpdateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1536,7 +1520,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupOutput.httpOutput(from:), UpdateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1568,9 +1551,9 @@ extension DirectoryServiceDataClient { /// /// Updates user information. /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1595,6 @@ extension DirectoryServiceDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDocDB/Sources/AWSDocDB/DocDBClient.swift b/Sources/Services/AWSDocDB/Sources/AWSDocDB/DocDBClient.swift index 827bf705140..94bcebc6aad 100644 --- a/Sources/Services/AWSDocDB/Sources/AWSDocDB/DocDBClient.swift +++ b/Sources/Services/AWSDocDB/Sources/AWSDocDB/DocDBClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DocDBClient: ClientRuntime.Client { public static let clientName = "DocDBClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DocDBClient.DocDBClientConfiguration let serviceName = "DocDB" @@ -373,9 +372,9 @@ extension DocDBClient { /// /// Adds a source identifier to an existing event notification subscription. /// - /// - Parameter AddSourceIdentifierToSubscriptionInput : Represents the input to [AddSourceIdentifierToSubscription]. + /// - Parameter input: Represents the input to [AddSourceIdentifierToSubscription]. (Type: `AddSourceIdentifierToSubscriptionInput`) /// - /// - Returns: `AddSourceIdentifierToSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddSourceIdentifierToSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -408,7 +407,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddSourceIdentifierToSubscriptionOutput.httpOutput(from:), AddSourceIdentifierToSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension DocDBClient { /// /// Adds metadata tags to an Amazon DocumentDB resource. You can use these tags with cost allocation reporting to track costs that are associated with Amazon DocumentDB resources or in a Condition statement in an Identity and Access Management (IAM) policy for Amazon DocumentDB. /// - /// - Parameter AddTagsToResourceInput : Represents the input to [AddTagsToResource]. + /// - Parameter input: Represents the input to [AddTagsToResource]. (Type: `AddTagsToResourceInput`) /// - /// - Returns: `AddTagsToResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToResourceOutput.httpOutput(from:), AddTagsToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension DocDBClient { /// /// Applies a pending maintenance action to a resource (for example, to an Amazon DocumentDB instance). /// - /// - Parameter ApplyPendingMaintenanceActionInput : Represents the input to [ApplyPendingMaintenanceAction]. + /// - Parameter input: Represents the input to [ApplyPendingMaintenanceAction]. (Type: `ApplyPendingMaintenanceActionInput`) /// - /// - Returns: `ApplyPendingMaintenanceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ApplyPendingMaintenanceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -548,7 +545,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplyPendingMaintenanceActionOutput.httpOutput(from:), ApplyPendingMaintenanceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -582,9 +578,9 @@ extension DocDBClient { /// /// Copies the specified cluster parameter group. /// - /// - Parameter CopyDBClusterParameterGroupInput : Represents the input to [CopyDBClusterParameterGroup]. + /// - Parameter input: Represents the input to [CopyDBClusterParameterGroup]. (Type: `CopyDBClusterParameterGroupInput`) /// - /// - Returns: `CopyDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -618,7 +614,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyDBClusterParameterGroupOutput.httpOutput(from:), CopyDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -652,9 +647,9 @@ extension DocDBClient { /// /// Copies a snapshot of a cluster. To copy a cluster snapshot from a shared manual cluster snapshot, SourceDBClusterSnapshotIdentifier must be the Amazon Resource Name (ARN) of the shared cluster snapshot. You can only copy a shared DB cluster snapshot, whether encrypted or not, in the same Amazon Web Services Region. To cancel the copy operation after it is in progress, delete the target cluster snapshot identified by TargetDBClusterSnapshotIdentifier while that cluster snapshot is in the copying status. /// - /// - Parameter CopyDBClusterSnapshotInput : Represents the input to [CopyDBClusterSnapshot]. + /// - Parameter input: Represents the input to [CopyDBClusterSnapshot]. (Type: `CopyDBClusterSnapshotInput`) /// - /// - Returns: `CopyDBClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyDBClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -691,7 +686,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyDBClusterSnapshotOutput.httpOutput(from:), CopyDBClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -725,9 +719,9 @@ extension DocDBClient { /// /// Creates a new Amazon DocumentDB cluster. /// - /// - Parameter CreateDBClusterInput : Represents the input to [CreateDBCluster]. + /// - Parameter input: Represents the input to [CreateDBCluster]. (Type: `CreateDBClusterInput`) /// - /// - Returns: `CreateDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -775,7 +769,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterOutput.httpOutput(from:), CreateDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension DocDBClient { /// /// Creates a new cluster parameter group. Parameters in a cluster parameter group apply to all of the instances in a cluster. A cluster parameter group is initially created with the default parameters for the database engine used by instances in the cluster. In Amazon DocumentDB, you cannot make modifications directly to the default.docdb3.6 cluster parameter group. If your Amazon DocumentDB cluster is using the default cluster parameter group and you want to modify a value in it, you must first [ create a new parameter group](https://docs.aws.amazon.com/documentdb/latest/developerguide/cluster_parameter_group-create.html) or [ copy an existing parameter group](https://docs.aws.amazon.com/documentdb/latest/developerguide/cluster_parameter_group-copy.html), modify it, and then apply the modified parameter group to your cluster. For the new cluster parameter group and associated settings to take effect, you must then reboot the instances in the cluster without failover. For more information, see [ Modifying Amazon DocumentDB Cluster Parameter Groups](https://docs.aws.amazon.com/documentdb/latest/developerguide/cluster_parameter_group-modify.html). /// - /// - Parameter CreateDBClusterParameterGroupInput : Represents the input of [CreateDBClusterParameterGroup]. + /// - Parameter input: Represents the input of [CreateDBClusterParameterGroup]. (Type: `CreateDBClusterParameterGroupInput`) /// - /// - Returns: `CreateDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -844,7 +837,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterParameterGroupOutput.httpOutput(from:), CreateDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension DocDBClient { /// /// Creates a snapshot of a cluster. /// - /// - Parameter CreateDBClusterSnapshotInput : Represents the input of [CreateDBClusterSnapshot]. + /// - Parameter input: Represents the input of [CreateDBClusterSnapshot]. (Type: `CreateDBClusterSnapshotInput`) /// - /// - Returns: `CreateDBClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -916,7 +908,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterSnapshotOutput.httpOutput(from:), CreateDBClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -950,9 +941,9 @@ extension DocDBClient { /// /// Creates a new instance. /// - /// - Parameter CreateDBInstanceInput : Represents the input to [CreateDBInstance]. + /// - Parameter input: Represents the input to [CreateDBInstance]. (Type: `CreateDBInstanceInput`) /// - /// - Returns: `CreateDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -998,7 +989,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBInstanceOutput.httpOutput(from:), CreateDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1032,9 +1022,9 @@ extension DocDBClient { /// /// Creates a new subnet group. subnet groups must contain at least one subnet in at least two Availability Zones in the Amazon Web Services Region. /// - /// - Parameter CreateDBSubnetGroupInput : Represents the input to [CreateDBSubnetGroup]. + /// - Parameter input: Represents the input to [CreateDBSubnetGroup]. (Type: `CreateDBSubnetGroupInput`) /// - /// - Returns: `CreateDBSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1070,7 +1060,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBSubnetGroupOutput.httpOutput(from:), CreateDBSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1104,9 +1093,9 @@ extension DocDBClient { /// /// Creates an Amazon DocumentDB event notification subscription. This action requires a topic Amazon Resource Name (ARN) created by using the Amazon DocumentDB console, the Amazon SNS console, or the Amazon SNS API. To obtain an ARN with Amazon SNS, you must create a topic in Amazon SNS and subscribe to the topic. The ARN is displayed in the Amazon SNS console. You can specify the type of source (SourceType) that you want to be notified of. You can also provide a list of Amazon DocumentDB sources (SourceIds) that trigger the events, and you can provide a list of event categories (EventCategories) for events that you want to be notified of. For example, you can specify SourceType = db-instance, SourceIds = mydbinstance1, mydbinstance2 and EventCategories = Availability, Backup. If you specify both the SourceType and SourceIds (such as SourceType = db-instance and SourceIdentifier = myDBInstance1), you are notified of all the db-instance events for the specified source. If you specify a SourceType but do not specify a SourceIdentifier, you receive notice of the events for that source type for all your Amazon DocumentDB sources. If you do not specify either the SourceType or the SourceIdentifier, you are notified of events generated from all Amazon DocumentDB sources belonging to your customer account. /// - /// - Parameter CreateEventSubscriptionInput : Represents the input to [CreateEventSubscription]. + /// - Parameter input: Represents the input to [CreateEventSubscription]. (Type: `CreateEventSubscriptionInput`) /// - /// - Returns: `CreateEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1144,7 +1133,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventSubscriptionOutput.httpOutput(from:), CreateEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1178,9 +1166,9 @@ extension DocDBClient { /// /// Creates an Amazon DocumentDB global cluster that can span multiple multiple Amazon Web Services Regions. The global cluster contains one primary cluster with read-write capability, and up-to give read-only secondary clusters. Global clusters uses storage-based fast replication across regions with latencies less than one second, using dedicated infrastructure with no impact to your workload’s performance. You can create a global cluster that is initially empty, and then add a primary and a secondary to it. Or you can specify an existing cluster during the create operation, and this cluster becomes the primary of the global cluster. This action only applies to Amazon DocumentDB clusters. /// - /// - Parameter CreateGlobalClusterInput : Represents the input to [CreateGlobalCluster]. + /// - Parameter input: Represents the input to [CreateGlobalCluster]. (Type: `CreateGlobalClusterInput`) /// - /// - Returns: `CreateGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1215,7 +1203,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGlobalClusterOutput.httpOutput(from:), CreateGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1249,9 +1236,9 @@ extension DocDBClient { /// /// Deletes a previously provisioned cluster. When you delete a cluster, all automated backups for that cluster are deleted and can't be recovered. Manual DB cluster snapshots of the specified cluster are not deleted. /// - /// - Parameter DeleteDBClusterInput : Represents the input to [DeleteDBCluster]. + /// - Parameter input: Represents the input to [DeleteDBCluster]. (Type: `DeleteDBClusterInput`) /// - /// - Returns: `DeleteDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1287,7 +1274,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterOutput.httpOutput(from:), DeleteDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1321,9 +1307,9 @@ extension DocDBClient { /// /// Deletes a specified cluster parameter group. The cluster parameter group to be deleted can't be associated with any clusters. /// - /// - Parameter DeleteDBClusterParameterGroupInput : Represents the input to [DeleteDBClusterParameterGroup]. + /// - Parameter input: Represents the input to [DeleteDBClusterParameterGroup]. (Type: `DeleteDBClusterParameterGroupInput`) /// - /// - Returns: `DeleteDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1356,7 +1342,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterParameterGroupOutput.httpOutput(from:), DeleteDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1390,9 +1375,9 @@ extension DocDBClient { /// /// Deletes a cluster snapshot. If the snapshot is being copied, the copy operation is terminated. The cluster snapshot must be in the available state to be deleted. /// - /// - Parameter DeleteDBClusterSnapshotInput : Represents the input to [DeleteDBClusterSnapshot]. + /// - Parameter input: Represents the input to [DeleteDBClusterSnapshot]. (Type: `DeleteDBClusterSnapshotInput`) /// - /// - Returns: `DeleteDBClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1425,7 +1410,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterSnapshotOutput.httpOutput(from:), DeleteDBClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1459,9 +1443,9 @@ extension DocDBClient { /// /// Deletes a previously provisioned instance. /// - /// - Parameter DeleteDBInstanceInput : Represents the input to [DeleteDBInstance]. + /// - Parameter input: Represents the input to [DeleteDBInstance]. (Type: `DeleteDBInstanceInput`) /// - /// - Returns: `DeleteDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1497,7 +1481,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBInstanceOutput.httpOutput(from:), DeleteDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1531,9 +1514,9 @@ extension DocDBClient { /// /// Deletes a subnet group. The specified database subnet group must not be associated with any DB instances. /// - /// - Parameter DeleteDBSubnetGroupInput : Represents the input to [DeleteDBSubnetGroup]. + /// - Parameter input: Represents the input to [DeleteDBSubnetGroup]. (Type: `DeleteDBSubnetGroupInput`) /// - /// - Returns: `DeleteDBSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1567,7 +1550,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBSubnetGroupOutput.httpOutput(from:), DeleteDBSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1601,9 +1583,9 @@ extension DocDBClient { /// /// Deletes an Amazon DocumentDB event notification subscription. /// - /// - Parameter DeleteEventSubscriptionInput : Represents the input to [DeleteEventSubscription]. + /// - Parameter input: Represents the input to [DeleteEventSubscription]. (Type: `DeleteEventSubscriptionInput`) /// - /// - Returns: `DeleteEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1636,7 +1618,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventSubscriptionOutput.httpOutput(from:), DeleteEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1670,9 +1651,9 @@ extension DocDBClient { /// /// Deletes a global cluster. The primary and secondary clusters must already be detached or deleted before attempting to delete a global cluster. This action only applies to Amazon DocumentDB clusters. /// - /// - Parameter DeleteGlobalClusterInput : Represents the input to [DeleteGlobalCluster]. + /// - Parameter input: Represents the input to [DeleteGlobalCluster]. (Type: `DeleteGlobalClusterInput`) /// - /// - Returns: `DeleteGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1705,7 +1686,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGlobalClusterOutput.httpOutput(from:), DeleteGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1739,9 +1719,9 @@ extension DocDBClient { /// /// Returns a list of certificate authority (CA) certificates provided by Amazon DocumentDB for this Amazon Web Services account. /// - /// - Parameter DescribeCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCertificatesInput`) /// - /// - Returns: `DescribeCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1773,7 +1753,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCertificatesOutput.httpOutput(from:), DescribeCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1807,9 +1786,9 @@ extension DocDBClient { /// /// Returns a list of DBClusterParameterGroup descriptions. If a DBClusterParameterGroupName parameter is specified, the list contains only the description of the specified cluster parameter group. /// - /// - Parameter DescribeDBClusterParameterGroupsInput : Represents the input to [DescribeDBClusterParameterGroups]. + /// - Parameter input: Represents the input to [DescribeDBClusterParameterGroups]. (Type: `DescribeDBClusterParameterGroupsInput`) /// - /// - Returns: `DescribeDBClusterParameterGroupsOutput` : Represents the output of [DBClusterParameterGroups]. + /// - Returns: Represents the output of [DBClusterParameterGroups]. (Type: `DescribeDBClusterParameterGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1841,7 +1820,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterParameterGroupsOutput.httpOutput(from:), DescribeDBClusterParameterGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1875,9 +1853,9 @@ extension DocDBClient { /// /// Returns the detailed parameter list for a particular cluster parameter group. /// - /// - Parameter DescribeDBClusterParametersInput : Represents the input to [DescribeDBClusterParameters]. + /// - Parameter input: Represents the input to [DescribeDBClusterParameters]. (Type: `DescribeDBClusterParametersInput`) /// - /// - Returns: `DescribeDBClusterParametersOutput` : Represents the output of [DBClusterParameterGroup]. + /// - Returns: Represents the output of [DBClusterParameterGroup]. (Type: `DescribeDBClusterParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1909,7 +1887,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterParametersOutput.httpOutput(from:), DescribeDBClusterParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1943,9 +1920,9 @@ extension DocDBClient { /// /// Returns a list of cluster snapshot attribute names and values for a manual DB cluster snapshot. When you share snapshots with other Amazon Web Services accounts, DescribeDBClusterSnapshotAttributes returns the restore attribute and a list of IDs for the Amazon Web Services accounts that are authorized to copy or restore the manual cluster snapshot. If all is included in the list of values for the restore attribute, then the manual cluster snapshot is public and can be copied or restored by all Amazon Web Services accounts. /// - /// - Parameter DescribeDBClusterSnapshotAttributesInput : Represents the input to [DescribeDBClusterSnapshotAttributes]. + /// - Parameter input: Represents the input to [DescribeDBClusterSnapshotAttributes]. (Type: `DescribeDBClusterSnapshotAttributesInput`) /// - /// - Returns: `DescribeDBClusterSnapshotAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBClusterSnapshotAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1977,7 +1954,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterSnapshotAttributesOutput.httpOutput(from:), DescribeDBClusterSnapshotAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2011,9 +1987,9 @@ extension DocDBClient { /// /// Returns information about cluster snapshots. This API operation supports pagination. /// - /// - Parameter DescribeDBClusterSnapshotsInput : Represents the input to [DescribeDBClusterSnapshots]. + /// - Parameter input: Represents the input to [DescribeDBClusterSnapshots]. (Type: `DescribeDBClusterSnapshotsInput`) /// - /// - Returns: `DescribeDBClusterSnapshotsOutput` : Represents the output of [DescribeDBClusterSnapshots]. + /// - Returns: Represents the output of [DescribeDBClusterSnapshots]. (Type: `DescribeDBClusterSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2045,7 +2021,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterSnapshotsOutput.httpOutput(from:), DescribeDBClusterSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2079,9 +2054,9 @@ extension DocDBClient { /// /// Returns information about provisioned Amazon DocumentDB clusters. This API operation supports pagination. For certain management features such as cluster and instance lifecycle management, Amazon DocumentDB leverages operational technology that is shared with Amazon RDS and Amazon Neptune. Use the filterName=engine,Values=docdb filter parameter to return only Amazon DocumentDB clusters. /// - /// - Parameter DescribeDBClustersInput : Represents the input to [DescribeDBClusters]. + /// - Parameter input: Represents the input to [DescribeDBClusters]. (Type: `DescribeDBClustersInput`) /// - /// - Returns: `DescribeDBClustersOutput` : Represents the output of [DescribeDBClusters]. + /// - Returns: Represents the output of [DescribeDBClusters]. (Type: `DescribeDBClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2113,7 +2088,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClustersOutput.httpOutput(from:), DescribeDBClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2147,9 +2121,9 @@ extension DocDBClient { /// /// Returns a list of the available engines. /// - /// - Parameter DescribeDBEngineVersionsInput : Represents the input to [DescribeDBEngineVersions]. + /// - Parameter input: Represents the input to [DescribeDBEngineVersions]. (Type: `DescribeDBEngineVersionsInput`) /// - /// - Returns: `DescribeDBEngineVersionsOutput` : Represents the output of [DescribeDBEngineVersions]. + /// - Returns: Represents the output of [DescribeDBEngineVersions]. (Type: `DescribeDBEngineVersionsOutput`) public func describeDBEngineVersions(input: DescribeDBEngineVersionsInput) async throws -> DescribeDBEngineVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2176,7 +2150,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBEngineVersionsOutput.httpOutput(from:), DescribeDBEngineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2210,9 +2183,9 @@ extension DocDBClient { /// /// Returns information about provisioned Amazon DocumentDB instances. This API supports pagination. /// - /// - Parameter DescribeDBInstancesInput : Represents the input to [DescribeDBInstances]. + /// - Parameter input: Represents the input to [DescribeDBInstances]. (Type: `DescribeDBInstancesInput`) /// - /// - Returns: `DescribeDBInstancesOutput` : Represents the output of [DescribeDBInstances]. + /// - Returns: Represents the output of [DescribeDBInstances]. (Type: `DescribeDBInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2244,7 +2217,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBInstancesOutput.httpOutput(from:), DescribeDBInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2278,9 +2250,9 @@ extension DocDBClient { /// /// Returns a list of DBSubnetGroup descriptions. If a DBSubnetGroupName is specified, the list will contain only the descriptions of the specified DBSubnetGroup. /// - /// - Parameter DescribeDBSubnetGroupsInput : Represents the input to [DescribeDBSubnetGroups]. + /// - Parameter input: Represents the input to [DescribeDBSubnetGroups]. (Type: `DescribeDBSubnetGroupsInput`) /// - /// - Returns: `DescribeDBSubnetGroupsOutput` : Represents the output of [DescribeDBSubnetGroups]. + /// - Returns: Represents the output of [DescribeDBSubnetGroups]. (Type: `DescribeDBSubnetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2312,7 +2284,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBSubnetGroupsOutput.httpOutput(from:), DescribeDBSubnetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2346,9 +2317,9 @@ extension DocDBClient { /// /// Returns the default engine and system parameter information for the cluster database engine. /// - /// - Parameter DescribeEngineDefaultClusterParametersInput : Represents the input to [DescribeEngineDefaultClusterParameters]. + /// - Parameter input: Represents the input to [DescribeEngineDefaultClusterParameters]. (Type: `DescribeEngineDefaultClusterParametersInput`) /// - /// - Returns: `DescribeEngineDefaultClusterParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEngineDefaultClusterParametersOutput`) public func describeEngineDefaultClusterParameters(input: DescribeEngineDefaultClusterParametersInput) async throws -> DescribeEngineDefaultClusterParametersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2375,7 +2346,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEngineDefaultClusterParametersOutput.httpOutput(from:), DescribeEngineDefaultClusterParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2409,9 +2379,9 @@ extension DocDBClient { /// /// Displays a list of categories for all event source types, or, if specified, for a specified source type. /// - /// - Parameter DescribeEventCategoriesInput : Represents the input to [DescribeEventCategories]. + /// - Parameter input: Represents the input to [DescribeEventCategories]. (Type: `DescribeEventCategoriesInput`) /// - /// - Returns: `DescribeEventCategoriesOutput` : Represents the output of [DescribeEventCategories]. + /// - Returns: Represents the output of [DescribeEventCategories]. (Type: `DescribeEventCategoriesOutput`) public func describeEventCategories(input: DescribeEventCategoriesInput) async throws -> DescribeEventCategoriesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2438,7 +2408,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventCategoriesOutput.httpOutput(from:), DescribeEventCategoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2472,9 +2441,9 @@ extension DocDBClient { /// /// Lists all the subscription descriptions for a customer account. The description for a subscription includes SubscriptionName, SNSTopicARN, CustomerID, SourceType, SourceID, CreationTime, and Status. If you specify a SubscriptionName, lists the description for that subscription. /// - /// - Parameter DescribeEventSubscriptionsInput : Represents the input to [DescribeEventSubscriptions]. + /// - Parameter input: Represents the input to [DescribeEventSubscriptions]. (Type: `DescribeEventSubscriptionsInput`) /// - /// - Returns: `DescribeEventSubscriptionsOutput` : Represents the output of [DescribeEventSubscriptions]. + /// - Returns: Represents the output of [DescribeEventSubscriptions]. (Type: `DescribeEventSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2506,7 +2475,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventSubscriptionsOutput.httpOutput(from:), DescribeEventSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2540,9 +2508,9 @@ extension DocDBClient { /// /// Returns events related to instances, security groups, snapshots, and DB parameter groups for the past 14 days. You can obtain events specific to a particular DB instance, security group, snapshot, or parameter group by providing the name as a parameter. By default, the events of the past hour are returned. /// - /// - Parameter DescribeEventsInput : Represents the input to [DescribeEvents]. + /// - Parameter input: Represents the input to [DescribeEvents]. (Type: `DescribeEventsInput`) /// - /// - Returns: `DescribeEventsOutput` : Represents the output of [DescribeEvents]. + /// - Returns: Represents the output of [DescribeEvents]. (Type: `DescribeEventsOutput`) public func describeEvents(input: DescribeEventsInput) async throws -> DescribeEventsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2569,7 +2537,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsOutput.httpOutput(from:), DescribeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2603,9 +2570,9 @@ extension DocDBClient { /// /// Returns information about Amazon DocumentDB global clusters. This API supports pagination. This action only applies to Amazon DocumentDB clusters. /// - /// - Parameter DescribeGlobalClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGlobalClustersInput`) /// - /// - Returns: `DescribeGlobalClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGlobalClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2637,7 +2604,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGlobalClustersOutput.httpOutput(from:), DescribeGlobalClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2671,9 +2637,9 @@ extension DocDBClient { /// /// Returns a list of orderable instance options for the specified engine. /// - /// - Parameter DescribeOrderableDBInstanceOptionsInput : Represents the input to [DescribeOrderableDBInstanceOptions]. + /// - Parameter input: Represents the input to [DescribeOrderableDBInstanceOptions]. (Type: `DescribeOrderableDBInstanceOptionsInput`) /// - /// - Returns: `DescribeOrderableDBInstanceOptionsOutput` : Represents the output of [DescribeOrderableDBInstanceOptions]. + /// - Returns: Represents the output of [DescribeOrderableDBInstanceOptions]. (Type: `DescribeOrderableDBInstanceOptionsOutput`) public func describeOrderableDBInstanceOptions(input: DescribeOrderableDBInstanceOptionsInput) async throws -> DescribeOrderableDBInstanceOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2700,7 +2666,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrderableDBInstanceOptionsOutput.httpOutput(from:), DescribeOrderableDBInstanceOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2734,9 +2699,9 @@ extension DocDBClient { /// /// Returns a list of resources (for example, instances) that have at least one pending maintenance action. /// - /// - Parameter DescribePendingMaintenanceActionsInput : Represents the input to [DescribePendingMaintenanceActions]. + /// - Parameter input: Represents the input to [DescribePendingMaintenanceActions]. (Type: `DescribePendingMaintenanceActionsInput`) /// - /// - Returns: `DescribePendingMaintenanceActionsOutput` : Represents the output of [DescribePendingMaintenanceActions]. + /// - Returns: Represents the output of [DescribePendingMaintenanceActions]. (Type: `DescribePendingMaintenanceActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2768,7 +2733,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePendingMaintenanceActionsOutput.httpOutput(from:), DescribePendingMaintenanceActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2802,9 +2766,9 @@ extension DocDBClient { /// /// Forces a failover for a cluster. A failover for a cluster promotes one of the Amazon DocumentDB replicas (read-only instances) in the cluster to be the primary instance (the cluster writer). If the primary instance fails, Amazon DocumentDB automatically fails over to an Amazon DocumentDB replica, if one exists. You can force a failover when you want to simulate a failure of a primary instance for testing. /// - /// - Parameter FailoverDBClusterInput : Represents the input to [FailoverDBCluster]. + /// - Parameter input: Represents the input to [FailoverDBCluster]. (Type: `FailoverDBClusterInput`) /// - /// - Returns: `FailoverDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FailoverDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2838,7 +2802,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FailoverDBClusterOutput.httpOutput(from:), FailoverDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2872,9 +2835,9 @@ extension DocDBClient { /// /// Promotes the specified secondary DB cluster to be the primary DB cluster in the global cluster when failing over a global cluster occurs. Use this operation to respond to an unplanned event, such as a regional disaster in the primary region. Failing over can result in a loss of write transaction data that wasn't replicated to the chosen secondary before the failover event occurred. However, the recovery process that promotes a DB instance on the chosen seconday DB cluster to be the primary writer DB instance guarantees that the data is in a transactionally consistent state. /// - /// - Parameter FailoverGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `FailoverGlobalClusterInput`) /// - /// - Returns: `FailoverGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FailoverGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2909,7 +2872,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FailoverGlobalClusterOutput.httpOutput(from:), FailoverGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2943,9 +2905,9 @@ extension DocDBClient { /// /// Lists all tags on an Amazon DocumentDB resource. /// - /// - Parameter ListTagsForResourceInput : Represents the input to [ListTagsForResource]. + /// - Parameter input: Represents the input to [ListTagsForResource]. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : Represents the output of [ListTagsForResource]. + /// - Returns: Represents the output of [ListTagsForResource]. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2979,7 +2941,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3013,9 +2974,9 @@ extension DocDBClient { /// /// Modifies a setting for an Amazon DocumentDB cluster. You can change one or more database configuration parameters by specifying these parameters and the new values in the request. /// - /// - Parameter ModifyDBClusterInput : Represents the input to [ModifyDBCluster]. + /// - Parameter input: Represents the input to [ModifyDBCluster]. (Type: `ModifyDBClusterInput`) /// - /// - Returns: `ModifyDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3057,7 +3018,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterOutput.httpOutput(from:), ModifyDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3091,9 +3051,9 @@ extension DocDBClient { /// /// Modifies the parameters of a cluster parameter group. To modify more than one parameter, submit a list of the following: ParameterName, ParameterValue, and ApplyMethod. A maximum of 20 parameters can be modified in a single request. Changes to dynamic parameters are applied immediately. Changes to static parameters require a reboot or maintenance window before the change can take effect. After you create a cluster parameter group, you should wait at least 5 minutes before creating your first cluster that uses that cluster parameter group as the default parameter group. This allows Amazon DocumentDB to fully complete the create action before the parameter group is used as the default for a new cluster. This step is especially important for parameters that are critical when creating the default database for a cluster, such as the character set for the default database defined by the character_set_database parameter. /// - /// - Parameter ModifyDBClusterParameterGroupInput : Represents the input to [ModifyDBClusterParameterGroup]. + /// - Parameter input: Represents the input to [ModifyDBClusterParameterGroup]. (Type: `ModifyDBClusterParameterGroupInput`) /// - /// - Returns: `ModifyDBClusterParameterGroupOutput` : Contains the name of a cluster parameter group. + /// - Returns: Contains the name of a cluster parameter group. (Type: `ModifyDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3126,7 +3086,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterParameterGroupOutput.httpOutput(from:), ModifyDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3160,9 +3119,9 @@ extension DocDBClient { /// /// Adds an attribute and values to, or removes an attribute and values from, a manual cluster snapshot. To share a manual cluster snapshot with other Amazon Web Services accounts, specify restore as the AttributeName, and use the ValuesToAdd parameter to add a list of IDs of the Amazon Web Services accounts that are authorized to restore the manual cluster snapshot. Use the value all to make the manual cluster snapshot public, which means that it can be copied or restored by all Amazon Web Services accounts. Do not add the all value for any manual cluster snapshots that contain private information that you don't want available to all Amazon Web Services accounts. If a manual cluster snapshot is encrypted, it can be shared, but only by specifying a list of authorized Amazon Web Services account IDs for the ValuesToAdd parameter. You can't use all as a value for that parameter in this case. /// - /// - Parameter ModifyDBClusterSnapshotAttributeInput : Represents the input to [ModifyDBClusterSnapshotAttribute]. + /// - Parameter input: Represents the input to [ModifyDBClusterSnapshotAttribute]. (Type: `ModifyDBClusterSnapshotAttributeInput`) /// - /// - Returns: `ModifyDBClusterSnapshotAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBClusterSnapshotAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3196,7 +3155,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterSnapshotAttributeOutput.httpOutput(from:), ModifyDBClusterSnapshotAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3230,9 +3188,9 @@ extension DocDBClient { /// /// Modifies settings for an instance. You can change one or more database configuration parameters by specifying these parameters and the new values in the request. /// - /// - Parameter ModifyDBInstanceInput : Represents the input to [ModifyDBInstance]. + /// - Parameter input: Represents the input to [ModifyDBInstance]. (Type: `ModifyDBInstanceInput`) /// - /// - Returns: `ModifyDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3276,7 +3234,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBInstanceOutput.httpOutput(from:), ModifyDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3310,9 +3267,9 @@ extension DocDBClient { /// /// Modifies an existing subnet group. subnet groups must contain at least one subnet in at least two Availability Zones in the Amazon Web Services Region. /// - /// - Parameter ModifyDBSubnetGroupInput : Represents the input to [ModifyDBSubnetGroup]. + /// - Parameter input: Represents the input to [ModifyDBSubnetGroup]. (Type: `ModifyDBSubnetGroupInput`) /// - /// - Returns: `ModifyDBSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3348,7 +3305,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBSubnetGroupOutput.httpOutput(from:), ModifyDBSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3382,9 +3338,9 @@ extension DocDBClient { /// /// Modifies an existing Amazon DocumentDB event notification subscription. /// - /// - Parameter ModifyEventSubscriptionInput : Represents the input to [ModifyEventSubscription]. + /// - Parameter input: Represents the input to [ModifyEventSubscription]. (Type: `ModifyEventSubscriptionInput`) /// - /// - Returns: `ModifyEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3421,7 +3377,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyEventSubscriptionOutput.httpOutput(from:), ModifyEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3455,9 +3410,9 @@ extension DocDBClient { /// /// Modify a setting for an Amazon DocumentDB global cluster. You can change one or more configuration parameters (for example: deletion protection), or the global cluster identifier by specifying these parameters and the new values in the request. This action only applies to Amazon DocumentDB clusters. /// - /// - Parameter ModifyGlobalClusterInput : Represents the input to [ModifyGlobalCluster]. + /// - Parameter input: Represents the input to [ModifyGlobalCluster]. (Type: `ModifyGlobalClusterInput`) /// - /// - Returns: `ModifyGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3490,7 +3445,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyGlobalClusterOutput.httpOutput(from:), ModifyGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3524,9 +3478,9 @@ extension DocDBClient { /// /// You might need to reboot your instance, usually for maintenance reasons. For example, if you make certain changes, or if you change the cluster parameter group that is associated with the instance, you must reboot the instance for the changes to take effect. Rebooting an instance restarts the database engine service. Rebooting an instance results in a momentary outage, during which the instance status is set to rebooting. /// - /// - Parameter RebootDBInstanceInput : Represents the input to [RebootDBInstance]. + /// - Parameter input: Represents the input to [RebootDBInstance]. (Type: `RebootDBInstanceInput`) /// - /// - Returns: `RebootDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3559,7 +3513,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootDBInstanceOutput.httpOutput(from:), RebootDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3593,9 +3546,9 @@ extension DocDBClient { /// /// Detaches an Amazon DocumentDB secondary cluster from a global cluster. The cluster becomes a standalone cluster with read-write capability instead of being read-only and receiving data from a primary in a different region. This action only applies to Amazon DocumentDB clusters. /// - /// - Parameter RemoveFromGlobalClusterInput : Represents the input to [RemoveFromGlobalCluster]. + /// - Parameter input: Represents the input to [RemoveFromGlobalCluster]. (Type: `RemoveFromGlobalClusterInput`) /// - /// - Returns: `RemoveFromGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveFromGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3629,7 +3582,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveFromGlobalClusterOutput.httpOutput(from:), RemoveFromGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3663,9 +3615,9 @@ extension DocDBClient { /// /// Removes a source identifier from an existing Amazon DocumentDB event notification subscription. /// - /// - Parameter RemoveSourceIdentifierFromSubscriptionInput : Represents the input to [RemoveSourceIdentifierFromSubscription]. + /// - Parameter input: Represents the input to [RemoveSourceIdentifierFromSubscription]. (Type: `RemoveSourceIdentifierFromSubscriptionInput`) /// - /// - Returns: `RemoveSourceIdentifierFromSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveSourceIdentifierFromSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3698,7 +3650,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveSourceIdentifierFromSubscriptionOutput.httpOutput(from:), RemoveSourceIdentifierFromSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3732,9 +3683,9 @@ extension DocDBClient { /// /// Removes metadata tags from an Amazon DocumentDB resource. /// - /// - Parameter RemoveTagsFromResourceInput : Represents the input to [RemoveTagsFromResource]. + /// - Parameter input: Represents the input to [RemoveTagsFromResource]. (Type: `RemoveTagsFromResourceInput`) /// - /// - Returns: `RemoveTagsFromResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3768,7 +3719,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromResourceOutput.httpOutput(from:), RemoveTagsFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3802,9 +3752,9 @@ extension DocDBClient { /// /// Modifies the parameters of a cluster parameter group to the default value. To reset specific parameters, submit a list of the following: ParameterName and ApplyMethod. To reset the entire cluster parameter group, specify the DBClusterParameterGroupName and ResetAllParameters parameters. When you reset the entire group, dynamic parameters are updated immediately and static parameters are set to pending-reboot to take effect on the next DB instance reboot. /// - /// - Parameter ResetDBClusterParameterGroupInput : Represents the input to [ResetDBClusterParameterGroup]. + /// - Parameter input: Represents the input to [ResetDBClusterParameterGroup]. (Type: `ResetDBClusterParameterGroupInput`) /// - /// - Returns: `ResetDBClusterParameterGroupOutput` : Contains the name of a cluster parameter group. + /// - Returns: Contains the name of a cluster parameter group. (Type: `ResetDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3837,7 +3787,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetDBClusterParameterGroupOutput.httpOutput(from:), ResetDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3871,9 +3820,9 @@ extension DocDBClient { /// /// Creates a new cluster from a snapshot or cluster snapshot. If a snapshot is specified, the target cluster is created from the source DB snapshot with a default configuration and default security group. If a cluster snapshot is specified, the target cluster is created from the source cluster restore point with the same configuration as the original source DB cluster, except that the new cluster is created with the default security group. /// - /// - Parameter RestoreDBClusterFromSnapshotInput : Represents the input to [RestoreDBClusterFromSnapshot]. + /// - Parameter input: Represents the input to [RestoreDBClusterFromSnapshot]. (Type: `RestoreDBClusterFromSnapshotInput`) /// - /// - Returns: `RestoreDBClusterFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDBClusterFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3918,7 +3867,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDBClusterFromSnapshotOutput.httpOutput(from:), RestoreDBClusterFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3952,9 +3900,9 @@ extension DocDBClient { /// /// Restores a cluster to an arbitrary point in time. Users can restore to any point in time before LatestRestorableTime for up to BackupRetentionPeriod days. The target cluster is created from the source cluster with the same configuration as the original cluster, except that the new cluster is created with the default security group. /// - /// - Parameter RestoreDBClusterToPointInTimeInput : Represents the input to [RestoreDBClusterToPointInTime]. + /// - Parameter input: Represents the input to [RestoreDBClusterToPointInTime]. (Type: `RestoreDBClusterToPointInTimeInput`) /// - /// - Returns: `RestoreDBClusterToPointInTimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDBClusterToPointInTimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4000,7 +3948,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDBClusterToPointInTimeOutput.httpOutput(from:), RestoreDBClusterToPointInTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4034,9 +3981,9 @@ extension DocDBClient { /// /// Restarts the stopped cluster that is specified by DBClusterIdentifier. For more information, see [Stopping and Starting an Amazon DocumentDB Cluster](https://docs.aws.amazon.com/documentdb/latest/developerguide/db-cluster-stop-start.html). /// - /// - Parameter StartDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDBClusterInput`) /// - /// - Returns: `StartDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4070,7 +4017,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDBClusterOutput.httpOutput(from:), StartDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4104,9 +4050,9 @@ extension DocDBClient { /// /// Stops the running cluster that is specified by DBClusterIdentifier. The cluster must be in the available state. For more information, see [Stopping and Starting an Amazon DocumentDB Cluster](https://docs.aws.amazon.com/documentdb/latest/developerguide/db-cluster-stop-start.html). /// - /// - Parameter StopDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDBClusterInput`) /// - /// - Returns: `StopDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4140,7 +4086,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDBClusterOutput.httpOutput(from:), StopDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4174,9 +4119,9 @@ extension DocDBClient { /// /// Switches over the specified secondary Amazon DocumentDB cluster to be the new primary Amazon DocumentDB cluster in the global database cluster. /// - /// - Parameter SwitchoverGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SwitchoverGlobalClusterInput`) /// - /// - Returns: `SwitchoverGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SwitchoverGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4211,7 +4156,6 @@ extension DocDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SwitchoverGlobalClusterOutput.httpOutput(from:), SwitchoverGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDocDBElastic/Sources/AWSDocDBElastic/DocDBElasticClient.swift b/Sources/Services/AWSDocDBElastic/Sources/AWSDocDBElastic/DocDBElasticClient.swift index 06928095920..b3a81f213bd 100644 --- a/Sources/Services/AWSDocDBElastic/Sources/AWSDocDBElastic/DocDBElasticClient.swift +++ b/Sources/Services/AWSDocDBElastic/Sources/AWSDocDBElastic/DocDBElasticClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DocDBElasticClient: ClientRuntime.Client { public static let clientName = "DocDBElasticClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DocDBElasticClient.DocDBElasticClientConfiguration let serviceName = "DocDB Elastic" @@ -374,9 +373,9 @@ extension DocDBElasticClient { /// /// The type of pending maintenance action to be applied to the resource. /// - /// - Parameter ApplyPendingMaintenanceActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ApplyPendingMaintenanceActionInput`) /// - /// - Returns: `ApplyPendingMaintenanceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ApplyPendingMaintenanceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplyPendingMaintenanceActionOutput.httpOutput(from:), ApplyPendingMaintenanceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension DocDBElasticClient { /// /// Copies a snapshot of an elastic cluster. /// - /// - Parameter CopyClusterSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyClusterSnapshotInput`) /// - /// - Returns: `CopyClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyClusterSnapshotOutput.httpOutput(from:), CopyClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension DocDBElasticClient { /// /// Creates a new Amazon DocumentDB elastic cluster and returns its cluster structure. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension DocDBElasticClient { /// /// Creates a snapshot of an elastic cluster. /// - /// - Parameter CreateClusterSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterSnapshotInput`) /// - /// - Returns: `CreateClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterSnapshotOutput.httpOutput(from:), CreateClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension DocDBElasticClient { /// /// Delete an elastic cluster. /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -707,7 +702,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,9 +733,9 @@ extension DocDBElasticClient { /// /// Delete an elastic cluster snapshot. /// - /// - Parameter DeleteClusterSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterSnapshotInput`) /// - /// - Returns: `DeleteClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterSnapshotOutput.httpOutput(from:), DeleteClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension DocDBElasticClient { /// /// Returns information about a specific elastic cluster. /// - /// - Parameter GetClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClusterInput`) /// - /// - Returns: `GetClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +839,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClusterOutput.httpOutput(from:), GetClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension DocDBElasticClient { /// /// Returns information about a specific elastic cluster snapshot /// - /// - Parameter GetClusterSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClusterSnapshotInput`) /// - /// - Returns: `GetClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -915,7 +907,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClusterSnapshotOutput.httpOutput(from:), GetClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -947,9 +938,9 @@ extension DocDBElasticClient { /// /// Retrieves all maintenance actions that are pending. /// - /// - Parameter GetPendingMaintenanceActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPendingMaintenanceActionInput`) /// - /// - Returns: `GetPendingMaintenanceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPendingMaintenanceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -985,7 +976,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPendingMaintenanceActionOutput.httpOutput(from:), GetPendingMaintenanceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1017,9 +1007,9 @@ extension DocDBElasticClient { /// /// Returns information about snapshots for a specified elastic cluster. /// - /// - Parameter ListClusterSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClusterSnapshotsInput`) /// - /// - Returns: `ListClusterSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClusterSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension DocDBElasticClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClusterSnapshotsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClusterSnapshotsOutput.httpOutput(from:), ListClusterSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1075,9 @@ extension DocDBElasticClient { /// /// Returns information about provisioned Amazon DocumentDB elastic clusters. /// - /// - Parameter ListClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1123,7 +1112,6 @@ extension DocDBElasticClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClustersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1155,9 +1143,9 @@ extension DocDBElasticClient { /// /// Retrieves a list of all maintenance actions that are pending. /// - /// - Parameter ListPendingMaintenanceActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPendingMaintenanceActionsInput`) /// - /// - Returns: `ListPendingMaintenanceActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPendingMaintenanceActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1192,7 +1180,6 @@ extension DocDBElasticClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPendingMaintenanceActionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPendingMaintenanceActionsOutput.httpOutput(from:), ListPendingMaintenanceActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1224,9 +1211,9 @@ extension DocDBElasticClient { /// /// Lists all tags on a elastic cluster resource /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1260,7 +1247,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1292,9 +1278,9 @@ extension DocDBElasticClient { /// /// Restores an elastic cluster from a snapshot. /// - /// - Parameter RestoreClusterFromSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreClusterFromSnapshotInput`) /// - /// - Returns: `RestoreClusterFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreClusterFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1334,7 +1320,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreClusterFromSnapshotOutput.httpOutput(from:), RestoreClusterFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1366,9 +1351,9 @@ extension DocDBElasticClient { /// /// Restarts the stopped elastic cluster that is specified by clusterARN. /// - /// - Parameter StartClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartClusterInput`) /// - /// - Returns: `StartClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1403,7 +1388,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartClusterOutput.httpOutput(from:), StartClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1435,9 +1419,9 @@ extension DocDBElasticClient { /// /// Stops the running elastic cluster that is specified by clusterArn. The elastic cluster must be in the available state. /// - /// - Parameter StopClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopClusterInput`) /// - /// - Returns: `StopClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1472,7 +1456,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopClusterOutput.httpOutput(from:), StopClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1504,9 +1487,9 @@ extension DocDBElasticClient { /// /// Adds metadata tags to an elastic cluster resource /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1543,7 +1526,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1575,9 +1557,9 @@ extension DocDBElasticClient { /// /// Removes metadata tags from an elastic cluster resource /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1594,6 @@ extension DocDBElasticClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1644,9 +1625,9 @@ extension DocDBElasticClient { /// /// Modifies an elastic cluster. This includes updating admin-username/password, upgrading the API version, and setting up a backup window and maintenance window /// - /// - Parameter UpdateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterInput`) /// - /// - Returns: `UpdateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1686,7 +1667,6 @@ extension DocDBElasticClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterOutput.httpOutput(from:), UpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDrs/Sources/AWSDrs/DrsClient.swift b/Sources/Services/AWSDrs/Sources/AWSDrs/DrsClient.swift index 7b0943931d3..d751629ed98 100644 --- a/Sources/Services/AWSDrs/Sources/AWSDrs/DrsClient.swift +++ b/Sources/Services/AWSDrs/Sources/AWSDrs/DrsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DrsClient: ClientRuntime.Client { public static let clientName = "DrsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DrsClient.DrsClientConfiguration let serviceName = "drs" @@ -373,9 +372,9 @@ extension DrsClient { /// /// Associate a Source Network to an existing CloudFormation Stack and modify launch templates to use this network. Can be used for reverting to previously deployed CloudFormation stacks. /// - /// - Parameter AssociateSourceNetworkStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSourceNetworkStackInput`) /// - /// - Returns: `AssociateSourceNetworkStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSourceNetworkStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSourceNetworkStackOutput.httpOutput(from:), AssociateSourceNetworkStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension DrsClient { /// /// Create an extended source server in the target Account based on the source server in staging account. /// - /// - Parameter CreateExtendedSourceServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExtendedSourceServerInput`) /// - /// - Returns: `CreateExtendedSourceServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExtendedSourceServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExtendedSourceServerOutput.httpOutput(from:), CreateExtendedSourceServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension DrsClient { /// /// Creates a new Launch Configuration Template. /// - /// - Parameter CreateLaunchConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLaunchConfigurationTemplateInput`) /// - /// - Returns: `CreateLaunchConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLaunchConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLaunchConfigurationTemplateOutput.httpOutput(from:), CreateLaunchConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension DrsClient { /// /// Creates a new ReplicationConfigurationTemplate. /// - /// - Parameter CreateReplicationConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReplicationConfigurationTemplateInput`) /// - /// - Returns: `CreateReplicationConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReplicationConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplicationConfigurationTemplateOutput.httpOutput(from:), CreateReplicationConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension DrsClient { /// /// Create a new Source Network resource for a provided VPC ID. /// - /// - Parameter CreateSourceNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSourceNetworkInput`) /// - /// - Returns: `CreateSourceNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSourceNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSourceNetworkOutput.httpOutput(from:), CreateSourceNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension DrsClient { /// /// Deletes a single Job by ID. /// - /// - Parameter DeleteJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJobInput`) /// - /// - Returns: `DeleteJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -781,7 +775,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobOutput.httpOutput(from:), DeleteJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -813,9 +806,9 @@ extension DrsClient { /// /// Deletes a resource launch action. /// - /// - Parameter DeleteLaunchActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLaunchActionInput`) /// - /// - Returns: `DeleteLaunchActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLaunchActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -853,7 +846,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLaunchActionOutput.httpOutput(from:), DeleteLaunchActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -885,9 +877,9 @@ extension DrsClient { /// /// Deletes a single Launch Configuration Template by ID. /// - /// - Parameter DeleteLaunchConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLaunchConfigurationTemplateInput`) /// - /// - Returns: `DeleteLaunchConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLaunchConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +917,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLaunchConfigurationTemplateOutput.httpOutput(from:), DeleteLaunchConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension DrsClient { /// /// Deletes a single Recovery Instance by ID. This deletes the Recovery Instance resource from Elastic Disaster Recovery. The Recovery Instance must be disconnected first in order to delete it. /// - /// - Parameter DeleteRecoveryInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRecoveryInstanceInput`) /// - /// - Returns: `DeleteRecoveryInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRecoveryInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +988,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRecoveryInstanceOutput.httpOutput(from:), DeleteRecoveryInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1029,9 +1019,9 @@ extension DrsClient { /// /// Deletes a single Replication Configuration Template by ID /// - /// - Parameter DeleteReplicationConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReplicationConfigurationTemplateInput`) /// - /// - Returns: `DeleteReplicationConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReplicationConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1069,7 +1059,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicationConfigurationTemplateOutput.httpOutput(from:), DeleteReplicationConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1101,9 +1090,9 @@ extension DrsClient { /// /// Delete Source Network resource. /// - /// - Parameter DeleteSourceNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSourceNetworkInput`) /// - /// - Returns: `DeleteSourceNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSourceNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1141,7 +1130,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSourceNetworkOutput.httpOutput(from:), DeleteSourceNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1173,9 +1161,9 @@ extension DrsClient { /// /// Deletes a single Source Server by ID. The Source Server must be disconnected first. /// - /// - Parameter DeleteSourceServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSourceServerInput`) /// - /// - Returns: `DeleteSourceServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSourceServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1213,7 +1201,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSourceServerOutput.httpOutput(from:), DeleteSourceServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1245,9 +1232,9 @@ extension DrsClient { /// /// Retrieves a detailed Job log with pagination. /// - /// - Parameter DescribeJobLogItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobLogItemsInput`) /// - /// - Returns: `DescribeJobLogItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobLogItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1284,7 +1271,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobLogItemsOutput.httpOutput(from:), DescribeJobLogItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1316,9 +1302,9 @@ extension DrsClient { /// /// Returns a list of Jobs. Use the JobsID and fromDate and toDate filters to limit which jobs are returned. The response is sorted by creationDataTime - latest date first. Jobs are created by the StartRecovery, TerminateRecoveryInstances and StartFailbackLaunch APIs. Jobs are also created by DiagnosticLaunch and TerminateDiagnosticInstances, which are APIs available only to *Support* and only used in response to relevant support tickets. /// - /// - Parameter DescribeJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobsInput`) /// - /// - Returns: `DescribeJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1355,7 +1341,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobsOutput.httpOutput(from:), DescribeJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1387,9 +1372,9 @@ extension DrsClient { /// /// Lists all Launch Configuration Templates, filtered by Launch Configuration Template IDs /// - /// - Parameter DescribeLaunchConfigurationTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLaunchConfigurationTemplatesInput`) /// - /// - Returns: `DescribeLaunchConfigurationTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLaunchConfigurationTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1427,7 +1412,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLaunchConfigurationTemplatesOutput.httpOutput(from:), DescribeLaunchConfigurationTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1459,9 +1443,9 @@ extension DrsClient { /// /// Lists all Recovery Instances or multiple Recovery Instances by ID. /// - /// - Parameter DescribeRecoveryInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecoveryInstancesInput`) /// - /// - Returns: `DescribeRecoveryInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecoveryInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1498,7 +1482,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecoveryInstancesOutput.httpOutput(from:), DescribeRecoveryInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1530,9 +1513,9 @@ extension DrsClient { /// /// Lists all Recovery Snapshots for a single Source Server. /// - /// - Parameter DescribeRecoverySnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecoverySnapshotsInput`) /// - /// - Returns: `DescribeRecoverySnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecoverySnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1570,7 +1553,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecoverySnapshotsOutput.httpOutput(from:), DescribeRecoverySnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1602,9 +1584,9 @@ extension DrsClient { /// /// Lists all ReplicationConfigurationTemplates, filtered by Source Server IDs. /// - /// - Parameter DescribeReplicationConfigurationTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReplicationConfigurationTemplatesInput`) /// - /// - Returns: `DescribeReplicationConfigurationTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReplicationConfigurationTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1642,7 +1624,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationConfigurationTemplatesOutput.httpOutput(from:), DescribeReplicationConfigurationTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1674,9 +1655,9 @@ extension DrsClient { /// /// Lists all Source Networks or multiple Source Networks filtered by ID. /// - /// - Parameter DescribeSourceNetworksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSourceNetworksInput`) /// - /// - Returns: `DescribeSourceNetworksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSourceNetworksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1713,7 +1694,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSourceNetworksOutput.httpOutput(from:), DescribeSourceNetworksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1745,9 +1725,9 @@ extension DrsClient { /// /// Lists all Source Servers or multiple Source Servers filtered by ID. /// - /// - Parameter DescribeSourceServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSourceServersInput`) /// - /// - Returns: `DescribeSourceServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSourceServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1784,7 +1764,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSourceServersOutput.httpOutput(from:), DescribeSourceServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1816,9 +1795,9 @@ extension DrsClient { /// /// Disconnect a Recovery Instance from Elastic Disaster Recovery. Data replication is stopped immediately. All AWS resources created by Elastic Disaster Recovery for enabling the replication of the Recovery Instance will be terminated / deleted within 90 minutes. If the agent on the Recovery Instance has not been prevented from communicating with the Elastic Disaster Recovery service, then it will receive a command to uninstall itself (within approximately 10 minutes). The following properties of the Recovery Instance will be changed immediately: dataReplicationInfo.dataReplicationState will be set to DISCONNECTED; The totalStorageBytes property for each of dataReplicationInfo.replicatedDisks will be set to zero; dataReplicationInfo.lagDuration and dataReplicationInfo.lagDuration will be nullified. /// - /// - Parameter DisconnectRecoveryInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisconnectRecoveryInstanceInput`) /// - /// - Returns: `DisconnectRecoveryInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisconnectRecoveryInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1857,7 +1836,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisconnectRecoveryInstanceOutput.httpOutput(from:), DisconnectRecoveryInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1889,9 +1867,9 @@ extension DrsClient { /// /// Disconnects a specific Source Server from Elastic Disaster Recovery. Data replication is stopped immediately. All AWS resources created by Elastic Disaster Recovery for enabling the replication of the Source Server will be terminated / deleted within 90 minutes. You cannot disconnect a Source Server if it has a Recovery Instance. If the agent on the Source Server has not been prevented from communicating with the Elastic Disaster Recovery service, then it will receive a command to uninstall itself (within approximately 10 minutes). The following properties of the SourceServer will be changed immediately: dataReplicationInfo.dataReplicationState will be set to DISCONNECTED; The totalStorageBytes property for each of dataReplicationInfo.replicatedDisks will be set to zero; dataReplicationInfo.lagDuration and dataReplicationInfo.lagDuration will be nullified. /// - /// - Parameter DisconnectSourceServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisconnectSourceServerInput`) /// - /// - Returns: `DisconnectSourceServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisconnectSourceServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1929,7 +1907,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisconnectSourceServerOutput.httpOutput(from:), DisconnectSourceServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1961,9 +1938,9 @@ extension DrsClient { /// /// Export the Source Network CloudFormation template to an S3 bucket. /// - /// - Parameter ExportSourceNetworkCfnTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportSourceNetworkCfnTemplateInput`) /// - /// - Returns: `ExportSourceNetworkCfnTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportSourceNetworkCfnTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2002,7 +1979,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportSourceNetworkCfnTemplateOutput.httpOutput(from:), ExportSourceNetworkCfnTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2034,9 +2010,9 @@ extension DrsClient { /// /// Lists all Failback ReplicationConfigurations, filtered by Recovery Instance ID. /// - /// - Parameter GetFailbackReplicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFailbackReplicationConfigurationInput`) /// - /// - Returns: `GetFailbackReplicationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFailbackReplicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2073,7 +2049,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFailbackReplicationConfigurationOutput.httpOutput(from:), GetFailbackReplicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2105,9 +2080,9 @@ extension DrsClient { /// /// Gets a LaunchConfiguration, filtered by Source Server IDs. /// - /// - Parameter GetLaunchConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLaunchConfigurationInput`) /// - /// - Returns: `GetLaunchConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLaunchConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2144,7 +2119,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLaunchConfigurationOutput.httpOutput(from:), GetLaunchConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2176,9 +2150,9 @@ extension DrsClient { /// /// Gets a ReplicationConfiguration, filtered by Source Server ID. /// - /// - Parameter GetReplicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReplicationConfigurationInput`) /// - /// - Returns: `GetReplicationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReplicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2216,7 +2190,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReplicationConfigurationOutput.httpOutput(from:), GetReplicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2248,9 +2221,9 @@ extension DrsClient { /// /// Initialize Elastic Disaster Recovery. /// - /// - Parameter InitializeServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InitializeServiceInput`) /// - /// - Returns: `InitializeServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InitializeServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2284,7 +2257,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitializeServiceOutput.httpOutput(from:), InitializeServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2316,9 +2288,9 @@ extension DrsClient { /// /// Returns a list of source servers on a staging account that are extensible, which means that: a. The source server is not already extended into this Account. b. The source server on the Account we’re reading from is not an extension of another source server. /// - /// - Parameter ListExtensibleSourceServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExtensibleSourceServersInput`) /// - /// - Returns: `ListExtensibleSourceServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExtensibleSourceServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2356,7 +2328,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExtensibleSourceServersOutput.httpOutput(from:), ListExtensibleSourceServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2388,9 +2359,9 @@ extension DrsClient { /// /// Lists resource launch actions. /// - /// - Parameter ListLaunchActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLaunchActionsInput`) /// - /// - Returns: `ListLaunchActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLaunchActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2428,7 +2399,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLaunchActionsOutput.httpOutput(from:), ListLaunchActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2460,9 +2430,9 @@ extension DrsClient { /// /// Returns an array of staging accounts for existing extended source servers. /// - /// - Parameter ListStagingAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStagingAccountsInput`) /// - /// - Returns: `ListStagingAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStagingAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2498,7 +2468,6 @@ extension DrsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStagingAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStagingAccountsOutput.httpOutput(from:), ListStagingAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2530,9 +2499,9 @@ extension DrsClient { /// /// List all tags for your Elastic Disaster Recovery resources. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2567,7 +2536,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2599,9 +2567,9 @@ extension DrsClient { /// /// Puts a resource launch action. /// - /// - Parameter PutLaunchActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLaunchActionInput`) /// - /// - Returns: `PutLaunchActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLaunchActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2640,7 +2608,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLaunchActionOutput.httpOutput(from:), PutLaunchActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2673,9 +2640,9 @@ extension DrsClient { /// WARNING: RetryDataReplication is deprecated. Causes the data replication initiation sequence to begin immediately upon next Handshake for the specified Source Server ID, regardless of when the previous initiation started. This command will work only if the Source Server is stalled or is in a DISCONNECTED or STOPPED state. @available(*, deprecated, message: "WARNING: RetryDataReplication is deprecated") /// - /// - Parameter RetryDataReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetryDataReplicationInput`) /// - /// - Returns: `RetryDataReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetryDataReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2713,7 +2680,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetryDataReplicationOutput.httpOutput(from:), RetryDataReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2745,9 +2711,9 @@ extension DrsClient { /// /// Start replication to origin / target region - applies only to protected instances that originated in EC2. For recovery instances on target region - starts replication back to origin region. For failback instances on origin region - starts replication to target region to re-protect them. /// - /// - Parameter ReverseReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReverseReplicationInput`) /// - /// - Returns: `ReverseReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReverseReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2787,7 +2753,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReverseReplicationOutput.httpOutput(from:), ReverseReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2819,9 +2784,9 @@ extension DrsClient { /// /// Initiates a Job for launching the machine that is being failed back to from the specified Recovery Instance. This will run conversion on the failback client and will reboot your machine, thus completing the failback process. /// - /// - Parameter StartFailbackLaunchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFailbackLaunchInput`) /// - /// - Returns: `StartFailbackLaunchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFailbackLaunchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2860,7 +2825,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFailbackLaunchOutput.httpOutput(from:), StartFailbackLaunchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2892,9 +2856,9 @@ extension DrsClient { /// /// Launches Recovery Instances for the specified Source Servers. For each Source Server you may choose a point in time snapshot to launch from, or use an on demand snapshot. /// - /// - Parameter StartRecoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRecoveryInput`) /// - /// - Returns: `StartRecoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRecoveryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2932,7 +2896,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRecoveryOutput.httpOutput(from:), StartRecoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2964,9 +2927,9 @@ extension DrsClient { /// /// Starts replication for a stopped Source Server. This action would make the Source Server protected again and restart billing for it. /// - /// - Parameter StartReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartReplicationInput`) /// - /// - Returns: `StartReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3004,7 +2967,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReplicationOutput.httpOutput(from:), StartReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3036,9 +2998,9 @@ extension DrsClient { /// /// Deploy VPC for the specified Source Network and modify launch templates to use this network. The VPC will be deployed using a dedicated CloudFormation stack. /// - /// - Parameter StartSourceNetworkRecoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSourceNetworkRecoveryInput`) /// - /// - Returns: `StartSourceNetworkRecoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSourceNetworkRecoveryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3077,7 +3039,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSourceNetworkRecoveryOutput.httpOutput(from:), StartSourceNetworkRecoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3109,9 +3070,9 @@ extension DrsClient { /// /// Starts replication for a Source Network. This action would make the Source Network protected. /// - /// - Parameter StartSourceNetworkReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSourceNetworkReplicationInput`) /// - /// - Returns: `StartSourceNetworkReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSourceNetworkReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3149,7 +3110,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSourceNetworkReplicationOutput.httpOutput(from:), StartSourceNetworkReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3181,9 +3141,9 @@ extension DrsClient { /// /// Stops the failback process for a specified Recovery Instance. This changes the Failback State of the Recovery Instance back to FAILBACK_NOT_STARTED. /// - /// - Parameter StopFailbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopFailbackInput`) /// - /// - Returns: `StopFailbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopFailbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3220,7 +3180,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopFailbackOutput.httpOutput(from:), StopFailbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3252,9 +3211,9 @@ extension DrsClient { /// /// Stops replication for a Source Server. This action would make the Source Server unprotected, delete its existing snapshots and stop billing for it. /// - /// - Parameter StopReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopReplicationInput`) /// - /// - Returns: `StopReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3292,7 +3251,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopReplicationOutput.httpOutput(from:), StopReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3324,9 +3282,9 @@ extension DrsClient { /// /// Stops replication for a Source Network. This action would make the Source Network unprotected. /// - /// - Parameter StopSourceNetworkReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSourceNetworkReplicationInput`) /// - /// - Returns: `StopSourceNetworkReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSourceNetworkReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3365,7 +3323,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSourceNetworkReplicationOutput.httpOutput(from:), StopSourceNetworkReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3397,9 +3354,9 @@ extension DrsClient { /// /// Adds or overwrites only the specified tags for the specified Elastic Disaster Recovery resource or resources. 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 optional value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3437,7 +3394,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3469,9 +3425,9 @@ extension DrsClient { /// /// Initiates a Job for terminating the EC2 resources associated with the specified Recovery Instances, and then will delete the Recovery Instances from the Elastic Disaster Recovery service. /// - /// - Parameter TerminateRecoveryInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateRecoveryInstancesInput`) /// - /// - Returns: `TerminateRecoveryInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateRecoveryInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3509,7 +3465,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateRecoveryInstancesOutput.httpOutput(from:), TerminateRecoveryInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3541,9 +3496,9 @@ extension DrsClient { /// /// Deletes the specified set of tags from the specified set of Elastic Disaster Recovery resources. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3579,7 +3534,6 @@ extension DrsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3611,9 +3565,9 @@ extension DrsClient { /// /// Allows you to update the failback replication configuration of a Recovery Instance by ID. /// - /// - Parameter UpdateFailbackReplicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFailbackReplicationConfigurationInput`) /// - /// - Returns: `UpdateFailbackReplicationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFailbackReplicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3651,7 +3605,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFailbackReplicationConfigurationOutput.httpOutput(from:), UpdateFailbackReplicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3683,9 +3636,9 @@ extension DrsClient { /// /// Updates a LaunchConfiguration by Source Server ID. /// - /// - Parameter UpdateLaunchConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLaunchConfigurationInput`) /// - /// - Returns: `UpdateLaunchConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLaunchConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3724,7 +3677,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLaunchConfigurationOutput.httpOutput(from:), UpdateLaunchConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3756,9 +3708,9 @@ extension DrsClient { /// /// Updates an existing Launch Configuration Template by ID. /// - /// - Parameter UpdateLaunchConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLaunchConfigurationTemplateInput`) /// - /// - Returns: `UpdateLaunchConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLaunchConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3797,7 +3749,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLaunchConfigurationTemplateOutput.httpOutput(from:), UpdateLaunchConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3829,9 +3780,9 @@ extension DrsClient { /// /// Allows you to update a ReplicationConfiguration by Source Server ID. /// - /// - Parameter UpdateReplicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReplicationConfigurationInput`) /// - /// - Returns: `UpdateReplicationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReplicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3871,7 +3822,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReplicationConfigurationOutput.httpOutput(from:), UpdateReplicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3903,9 +3853,9 @@ extension DrsClient { /// /// Updates a ReplicationConfigurationTemplate by ID. /// - /// - Parameter UpdateReplicationConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReplicationConfigurationTemplateInput`) /// - /// - Returns: `UpdateReplicationConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReplicationConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3944,7 +3894,6 @@ extension DrsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReplicationConfigurationTemplateOutput.httpOutput(from:), UpdateReplicationConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDynamoDB/Sources/AWSDynamoDB/DynamoDBClient.swift b/Sources/Services/AWSDynamoDB/Sources/AWSDynamoDB/DynamoDBClient.swift index 5eea26110b6..9082242f975 100644 --- a/Sources/Services/AWSDynamoDB/Sources/AWSDynamoDB/DynamoDBClient.swift +++ b/Sources/Services/AWSDynamoDB/Sources/AWSDynamoDB/DynamoDBClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSClientRuntime.AccountIDEndpointMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DynamoDBClient: ClientRuntime.Client { public static let clientName = "DynamoDBClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DynamoDBClient.DynamoDBClientConfiguration let serviceName = "DynamoDB" @@ -385,9 +384,9 @@ extension DynamoDBClient { /// /// This operation allows you to perform batch reads or writes on data stored in DynamoDB, using PartiQL. Each read statement in a BatchExecuteStatement must specify an equality condition on all key attributes. This enforces that each SELECT statement in a batch returns at most a single item. For more information, see [Running batch operations with PartiQL for DynamoDB ](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/ql-reference.multiplestatements.batching.html). The entire batch must consist of either read statements or write statements, you cannot mix both in one batch. A HTTP 200 response does not mean that all statements in the BatchExecuteStatement succeeded. Error details for individual statements can be found under the [Error](https://docs.aws.amazon.com/amazondynamodb/latest/APIReference/API_BatchStatementResponse.html#DDB-Type-BatchStatementResponse-Error) field of the BatchStatementResponse for each statement. /// - /// - Parameter BatchExecuteStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchExecuteStatementInput`) /// - /// - Returns: `BatchExecuteStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchExecuteStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -422,7 +421,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchExecuteStatementOutput.httpOutput(from:), BatchExecuteStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -457,9 +455,9 @@ extension DynamoDBClient { /// /// The BatchGetItem operation returns the attributes of one or more items from one or more tables. You identify requested items by primary key. A single operation can retrieve up to 16 MB of data, which can contain as many as 100 items. BatchGetItem returns a partial result if the response size limit is exceeded, the table's provisioned throughput is exceeded, more than 1MB per partition is requested, or an internal processing failure occurs. If a partial result is returned, the operation returns a value for UnprocessedKeys. You can use this value to retry the operation starting with the next item to get. If you request more than 100 items, BatchGetItem returns a ValidationException with the message "Too many items requested for the BatchGetItem call." For example, if you ask to retrieve 100 items, but each individual item is 300 KB in size, the system returns 52 items (so as not to exceed the 16 MB limit). It also returns an appropriate UnprocessedKeys value so you can get the next page of results. If desired, your application can include its own logic to assemble the pages of results into one dataset. If none of the items can be processed due to insufficient provisioned throughput on all of the tables in the request, then BatchGetItem returns a ProvisionedThroughputExceededException. If at least one of the items is successfully processed, then BatchGetItem completes successfully, while returning the keys of the unread items in UnprocessedKeys. If DynamoDB returns any unprocessed items, you should retry the batch operation on those items. However, we strongly recommend that you use an exponential backoff algorithm. If you retry the batch operation immediately, the underlying read or write requests can still fail due to throttling on the individual tables. If you delay the batch operation using exponential backoff, the individual requests in the batch are much more likely to succeed. For more information, see [Batch Operations and Error Handling](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/ErrorHandling.html#BatchOperations) in the Amazon DynamoDB Developer Guide. By default, BatchGetItem performs eventually consistent reads on every table in the request. If you want strongly consistent reads instead, you can set ConsistentRead to true for any or all tables. In order to minimize response latency, BatchGetItem may retrieve items in parallel. When designing your application, keep in mind that DynamoDB does not return items in any particular order. To help parse the response by item, include the primary key values for the items in your request in the ProjectionExpression parameter. If a requested item does not exist, it is not returned in the result. Requests for nonexistent items consume the minimum read capacity units according to the type of read. For more information, see [Working with Tables](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/WorkingWithTables.html#CapacityUnitCalculations) in the Amazon DynamoDB Developer Guide. BatchGetItem will result in a ValidationException if the same key is specified multiple times. /// - /// - Parameter BatchGetItemInput : Represents the input of a BatchGetItem operation. + /// - Parameter input: Represents the input of a BatchGetItem operation. (Type: `BatchGetItemInput`) /// - /// - Returns: `BatchGetItemOutput` : Represents the output of a BatchGetItem operation. + /// - Returns: Represents the output of a BatchGetItem operation. (Type: `BatchGetItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -497,7 +495,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetItemOutput.httpOutput(from:), BatchGetItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -551,9 +548,9 @@ extension DynamoDBClient { /// /// * Any individual items with keys exceeding the key length limits. For a partition key, the limit is 2048 bytes and for a sort key, the limit is 1024 bytes. /// - /// - Parameter BatchWriteItemInput : Represents the input of a BatchWriteItem operation. + /// - Parameter input: Represents the input of a BatchWriteItem operation. (Type: `BatchWriteItemInput`) /// - /// - Returns: `BatchWriteItemOutput` : Represents the output of a BatchWriteItem operation. + /// - Returns: Represents the output of a BatchWriteItem operation. (Type: `BatchWriteItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -593,7 +590,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchWriteItemOutput.httpOutput(from:), BatchWriteItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -639,9 +635,9 @@ extension DynamoDBClient { /// /// * Provisioned read and write capacity /// - /// - Parameter CreateBackupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBackupInput`) /// - /// - Returns: `CreateBackupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -680,7 +676,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackupOutput.httpOutput(from:), CreateBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -740,9 +735,9 @@ extension DynamoDBClient { /// /// Write capacity settings should be set consistently across your replica tables and secondary indexes. DynamoDB strongly recommends enabling auto scaling to manage the write capacity settings for all of your global tables replicas and indexes. If you prefer to manage write capacity settings manually, you should provision equal replicated write capacity units to your replica tables. You should also provision equal replicated write capacity units to matching secondary indexes across your global table. /// - /// - Parameter CreateGlobalTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGlobalTableInput`) /// - /// - Returns: `CreateGlobalTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGlobalTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -779,7 +774,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGlobalTableOutput.httpOutput(from:), CreateGlobalTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -814,9 +808,9 @@ extension DynamoDBClient { /// /// The CreateTable operation adds a new table to your account. In an Amazon Web Services account, table names must be unique within each Region. That is, you can have two tables with same name if you create the tables in different Regions. CreateTable is an asynchronous operation. Upon receiving a CreateTable request, DynamoDB immediately returns a response with a TableStatus of CREATING. After the table is created, DynamoDB sets the TableStatus to ACTIVE. You can perform read and write operations only on an ACTIVE table. You can optionally define secondary indexes on the new table, as part of the CreateTable operation. If you want to create multiple tables with secondary indexes on them, you must create the tables sequentially. Only one table with secondary indexes can be in the CREATING state at any given time. You can use the DescribeTable action to check the table status. /// - /// - Parameter CreateTableInput : Represents the input of a CreateTable operation. + /// - Parameter input: Represents the input of a CreateTable operation. (Type: `CreateTableInput`) /// - /// - Returns: `CreateTableOutput` : Represents the output of a CreateTable operation. + /// - Returns: Represents the output of a CreateTable operation. (Type: `CreateTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -861,7 +855,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTableOutput.httpOutput(from:), CreateTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -896,9 +889,9 @@ extension DynamoDBClient { /// /// Deletes an existing backup of a table. You can call DeleteBackup at a maximum rate of 10 times per second. /// - /// - Parameter DeleteBackupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBackupInput`) /// - /// - Returns: `DeleteBackupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -935,7 +928,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackupOutput.httpOutput(from:), DeleteBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -970,9 +962,9 @@ extension DynamoDBClient { /// /// Deletes a single item in a table by primary key. You can perform a conditional delete operation that deletes the item if it exists, or if it has an expected attribute value. In addition to deleting an item, you can also return the item's attribute values in the same operation, using the ReturnValues parameter. Unless you specify conditions, the DeleteItem is an idempotent operation; running it multiple times on the same item or attribute does not result in an error response. Conditional deletes are useful for deleting items only if specific conditions are met. If those conditions are met, DynamoDB performs the delete. Otherwise, the item is not deleted. /// - /// - Parameter DeleteItemInput : Represents the input of a DeleteItem operation. + /// - Parameter input: Represents the input of a DeleteItem operation. (Type: `DeleteItemInput`) /// - /// - Returns: `DeleteItemOutput` : Represents the output of a DeleteItem operation. + /// - Returns: Represents the output of a DeleteItem operation. (Type: `DeleteItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1014,7 +1006,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteItemOutput.httpOutput(from:), DeleteItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1049,9 +1040,9 @@ extension DynamoDBClient { /// /// Deletes the resource-based policy attached to the resource, which can be a table or stream. DeleteResourcePolicy is an idempotent operation; running it multiple times on the same resource doesn't result in an error response, unless you specify an ExpectedRevisionId, which will then return a PolicyNotFoundException. To make sure that you don't inadvertently lock yourself out of your own resources, the root principal in your Amazon Web Services account can perform DeleteResourcePolicy requests, even if your resource-based policy explicitly denies the root principal's access. DeleteResourcePolicy is an asynchronous operation. If you issue a GetResourcePolicy request immediately after running the DeleteResourcePolicy request, DynamoDB might still return the deleted policy. This is because the policy for your resource might not have been deleted yet. Wait for a few seconds, and then try the GetResourcePolicy request again. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1098,7 +1089,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1133,9 +1123,9 @@ extension DynamoDBClient { /// /// The DeleteTable operation deletes a table and all of its items. After a DeleteTable request, the specified table is in the DELETING state until DynamoDB completes the deletion. If the table is in the ACTIVE state, you can delete it. If a table is in CREATING or UPDATING states, then DynamoDB returns a ResourceInUseException. If the specified table does not exist, DynamoDB returns a ResourceNotFoundException. If table is already in the DELETING state, no error is returned. DynamoDB might continue to accept data read and write operations, such as GetItem and PutItem, on a table in the DELETING state until the table deletion is complete. For the full list of table states, see [TableStatus](https://docs.aws.amazon.com/amazondynamodb/latest/APIReference/API_TableDescription.html#DDB-Type-TableDescription-TableStatus). When you delete a table, any indexes on that table are also deleted. If you have DynamoDB Streams enabled on the table, then the corresponding stream on that table goes into the DISABLED state, and the stream is automatically deleted after 24 hours. Use the DescribeTable action to check the status of the table. /// - /// - Parameter DeleteTableInput : Represents the input of a DeleteTable operation. + /// - Parameter input: Represents the input of a DeleteTable operation. (Type: `DeleteTableInput`) /// - /// - Returns: `DeleteTableOutput` : Represents the output of a DeleteTable operation. + /// - Returns: Represents the output of a DeleteTable operation. (Type: `DeleteTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1181,7 +1171,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTableOutput.httpOutput(from:), DeleteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1216,9 +1205,9 @@ extension DynamoDBClient { /// /// Describes an existing backup of a table. You can call DescribeBackup at a maximum rate of 10 times per second. /// - /// - Parameter DescribeBackupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBackupInput`) /// - /// - Returns: `DescribeBackupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1253,7 +1242,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBackupOutput.httpOutput(from:), DescribeBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1288,9 +1276,9 @@ extension DynamoDBClient { /// /// Checks the status of continuous backups and point in time recovery on the specified table. Continuous backups are ENABLED on all tables at table creation. If point in time recovery is enabled, PointInTimeRecoveryStatus will be set to ENABLED. After continuous backups and point in time recovery are enabled, you can restore to any point in time within EarliestRestorableDateTime and LatestRestorableDateTime. LatestRestorableDateTime is typically 5 minutes before the current time. You can restore your table to any point in time in the last 35 days. You can set the recovery period to any value between 1 and 35 days. You can call DescribeContinuousBackups at a maximum rate of 10 times per second. /// - /// - Parameter DescribeContinuousBackupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContinuousBackupsInput`) /// - /// - Returns: `DescribeContinuousBackupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContinuousBackupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1325,7 +1313,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContinuousBackupsOutput.httpOutput(from:), DescribeContinuousBackupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1360,9 +1347,9 @@ extension DynamoDBClient { /// /// Returns information about contributor insights for a given table or global secondary index. /// - /// - Parameter DescribeContributorInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContributorInsightsInput`) /// - /// - Returns: `DescribeContributorInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContributorInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1383,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContributorInsightsOutput.httpOutput(from:), DescribeContributorInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1431,9 +1417,9 @@ extension DynamoDBClient { /// /// Returns the regional endpoint information. For more information on policy permissions, please see [Internetwork traffic privacy](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/inter-network-traffic-privacy.html#inter-network-traffic-DescribeEndpoints). /// - /// - Parameter DescribeEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointsInput`) /// - /// - Returns: `DescribeEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointsOutput`) public func describeEndpoints(input: DescribeEndpointsInput) async throws -> DescribeEndpointsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1461,7 +1447,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointsOutput.httpOutput(from:), DescribeEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1481,9 @@ extension DynamoDBClient { /// /// Describes an existing table export. /// - /// - Parameter DescribeExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExportInput`) /// - /// - Returns: `DescribeExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1533,7 +1518,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExportOutput.httpOutput(from:), DescribeExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1568,9 +1552,9 @@ extension DynamoDBClient { /// /// Returns information about the specified global table. This documentation is for version 2017.11.29 (Legacy) of global tables, which should be avoided for new global tables. Customers should use [Global Tables version 2019.11.21 (Current)](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/GlobalTables.html) when possible, because it provides greater flexibility, higher efficiency, and consumes less write capacity than 2017.11.29 (Legacy). To determine which version you're using, see [Determining the global table version you are using](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/globaltables.DetermineVersion.html). To update existing global tables from version 2017.11.29 (Legacy) to version 2019.11.21 (Current), see [Upgrading global tables](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/V2globaltables_upgrade.html). /// - /// - Parameter DescribeGlobalTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGlobalTableInput`) /// - /// - Returns: `DescribeGlobalTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGlobalTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1605,7 +1589,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGlobalTableOutput.httpOutput(from:), DescribeGlobalTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1640,9 +1623,9 @@ extension DynamoDBClient { /// /// Describes Region-specific settings for a global table. This documentation is for version 2017.11.29 (Legacy) of global tables, which should be avoided for new global tables. Customers should use [Global Tables version 2019.11.21 (Current)](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/GlobalTables.html) when possible, because it provides greater flexibility, higher efficiency, and consumes less write capacity than 2017.11.29 (Legacy). To determine which version you're using, see [Determining the global table version you are using](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/globaltables.DetermineVersion.html). To update existing global tables from version 2017.11.29 (Legacy) to version 2019.11.21 (Current), see [Upgrading global tables](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/V2globaltables_upgrade.html). /// - /// - Parameter DescribeGlobalTableSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGlobalTableSettingsInput`) /// - /// - Returns: `DescribeGlobalTableSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGlobalTableSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1677,7 +1660,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGlobalTableSettingsOutput.httpOutput(from:), DescribeGlobalTableSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1712,9 +1694,9 @@ extension DynamoDBClient { /// /// Represents the properties of the import. /// - /// - Parameter DescribeImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImportInput`) /// - /// - Returns: `DescribeImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1747,7 +1729,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImportOutput.httpOutput(from:), DescribeImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1782,9 +1763,9 @@ extension DynamoDBClient { /// /// Returns information about the status of Kinesis streaming. /// - /// - Parameter DescribeKinesisStreamingDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeKinesisStreamingDestinationInput`) /// - /// - Returns: `DescribeKinesisStreamingDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeKinesisStreamingDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1819,7 +1800,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeKinesisStreamingDestinationOutput.httpOutput(from:), DescribeKinesisStreamingDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1876,9 +1856,9 @@ extension DynamoDBClient { /// /// This will let you see whether you are getting close to your account-level quotas. The per-table quotas apply only when you are creating a new table. They restrict the sum of the provisioned capacity of the new table itself and all its global secondary indexes. For existing tables and their GSIs, DynamoDB doesn't let you increase provisioned capacity extremely rapidly, but the only quota that applies is that the aggregate provisioned capacity over all your tables and GSIs cannot exceed either of the per-account quotas. DescribeLimits should only be called periodically. You can expect throttling errors if you call it more than once in a minute. The DescribeLimits Request element has no content. /// - /// - Parameter DescribeLimitsInput : Represents the input of a DescribeLimits operation. Has no content. + /// - Parameter input: Represents the input of a DescribeLimits operation. Has no content. (Type: `DescribeLimitsInput`) /// - /// - Returns: `DescribeLimitsOutput` : Represents the output of a DescribeLimits operation. + /// - Returns: Represents the output of a DescribeLimits operation. (Type: `DescribeLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1912,7 +1892,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLimitsOutput.httpOutput(from:), DescribeLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1947,9 +1926,9 @@ extension DynamoDBClient { /// /// Returns information about the table, including the current status of the table, when it was created, the primary key schema, and any indexes on the table. If you issue a DescribeTable request immediately after a CreateTable request, DynamoDB might return a ResourceNotFoundException. This is because DescribeTable uses an eventually consistent query, and the metadata for your table might not be available at that moment. Wait for a few seconds, and then try the DescribeTable request again. /// - /// - Parameter DescribeTableInput : Represents the input of a DescribeTable operation. + /// - Parameter input: Represents the input of a DescribeTable operation. (Type: `DescribeTableInput`) /// - /// - Returns: `DescribeTableOutput` : Represents the output of a DescribeTable operation. + /// - Returns: Represents the output of a DescribeTable operation. (Type: `DescribeTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1984,7 +1963,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTableOutput.httpOutput(from:), DescribeTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2019,9 +1997,9 @@ extension DynamoDBClient { /// /// Describes auto scaling settings across replicas of the global table at once. /// - /// - Parameter DescribeTableReplicaAutoScalingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTableReplicaAutoScalingInput`) /// - /// - Returns: `DescribeTableReplicaAutoScalingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTableReplicaAutoScalingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2055,7 +2033,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTableReplicaAutoScalingOutput.httpOutput(from:), DescribeTableReplicaAutoScalingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2090,9 +2067,9 @@ extension DynamoDBClient { /// /// Gives a description of the Time to Live (TTL) status on the specified table. /// - /// - Parameter DescribeTimeToLiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTimeToLiveInput`) /// - /// - Returns: `DescribeTimeToLiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTimeToLiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2127,7 +2104,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTimeToLiveOutput.httpOutput(from:), DescribeTimeToLiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2162,9 +2138,9 @@ extension DynamoDBClient { /// /// Stops replication from the DynamoDB table to the Kinesis data stream. This is done without deleting either of the resources. /// - /// - Parameter DisableKinesisStreamingDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableKinesisStreamingDestinationInput`) /// - /// - Returns: `DisableKinesisStreamingDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableKinesisStreamingDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2210,7 +2186,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableKinesisStreamingDestinationOutput.httpOutput(from:), DisableKinesisStreamingDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2245,9 +2220,9 @@ extension DynamoDBClient { /// /// Starts table data replication to the specified Kinesis data stream at a timestamp chosen during the enable workflow. If this operation doesn't return results immediately, use DescribeKinesisStreamingDestination to check if streaming to the Kinesis data stream is ACTIVE. /// - /// - Parameter EnableKinesisStreamingDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableKinesisStreamingDestinationInput`) /// - /// - Returns: `EnableKinesisStreamingDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableKinesisStreamingDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2293,7 +2268,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableKinesisStreamingDestinationOutput.httpOutput(from:), EnableKinesisStreamingDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2328,9 +2302,9 @@ extension DynamoDBClient { /// /// This operation allows you to perform reads and singleton writes on data stored in DynamoDB, using PartiQL. For PartiQL reads (SELECT statement), if the total number of processed items exceeds the maximum dataset size limit of 1 MB, the read stops and results are returned to the user as a LastEvaluatedKey value to continue the read in a subsequent operation. If the filter criteria in WHERE clause does not match any data, the read will return an empty result set. A single SELECT statement response can return up to the maximum number of items (if using the Limit parameter) or a maximum of 1 MB of data (and then apply any filtering to the results using WHERE clause). If LastEvaluatedKey is present in the response, you need to paginate the result set. If NextToken is present, you need to paginate the result set and include NextToken. /// - /// - Parameter ExecuteStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteStatementInput`) /// - /// - Returns: `ExecuteStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2371,7 +2345,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteStatementOutput.httpOutput(from:), ExecuteStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2406,9 +2379,9 @@ extension DynamoDBClient { /// /// This operation allows you to perform transactional reads or writes on data stored in DynamoDB, using PartiQL. The entire transaction must consist of either read statements or write statements, you cannot mix both in one transaction. The EXISTS function is an exception and can be used to check the condition of specific attributes of the item in a similar manner to ConditionCheck in the [TransactWriteItems](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/transaction-apis.html#transaction-apis-txwriteitems) API. /// - /// - Parameter ExecuteTransactionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteTransactionInput`) /// - /// - Returns: `ExecuteTransactionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteTransactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2596,7 +2569,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteTransactionOutput.httpOutput(from:), ExecuteTransactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2631,9 +2603,9 @@ extension DynamoDBClient { /// /// Exports table data to an S3 bucket. The table must have point in time recovery enabled, and you can export data from any time within the point in time recovery window. /// - /// - Parameter ExportTableToPointInTimeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportTableToPointInTimeInput`) /// - /// - Returns: `ExportTableToPointInTimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportTableToPointInTimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2672,7 +2644,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportTableToPointInTimeOutput.httpOutput(from:), ExportTableToPointInTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2707,9 +2678,9 @@ extension DynamoDBClient { /// /// The GetItem operation returns a set of attributes for the item with the given primary key. If there is no matching item, GetItem does not return any data and there will be no Item element in the response. GetItem provides an eventually consistent read by default. If your application requires a strongly consistent read, set ConsistentRead to true. Although a strongly consistent read might take more time than an eventually consistent read, it always returns the last updated value. /// - /// - Parameter GetItemInput : Represents the input of a GetItem operation. + /// - Parameter input: Represents the input of a GetItem operation. (Type: `GetItemInput`) /// - /// - Returns: `GetItemOutput` : Represents the output of a GetItem operation. + /// - Returns: Represents the output of a GetItem operation. (Type: `GetItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2747,7 +2718,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetItemOutput.httpOutput(from:), GetItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2791,9 +2761,9 @@ extension DynamoDBClient { /// /// Because GetResourcePolicy uses an eventually consistent query, the metadata for your policy or table might not be available at that moment. Wait for a few seconds, and then retry the GetResourcePolicy request. After a GetResourcePolicy request returns a policy created using the PutResourcePolicy request, the policy will be applied in the authorization of requests to the resource. Because this process is eventually consistent, it will take some time to apply the policy to all requests to a resource. Policies that you attach while creating a table using the CreateTable request will always be applied to all requests for that table. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2829,7 +2799,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2864,9 +2833,9 @@ extension DynamoDBClient { /// /// Imports table data from an S3 bucket. /// - /// - Parameter ImportTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportTableInput`) /// - /// - Returns: `ImportTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2911,7 +2880,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportTableOutput.httpOutput(from:), ImportTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2949,9 +2917,9 @@ extension DynamoDBClient { /// /// List DynamoDB backups that are associated with an Amazon Web Services account and weren't made with Amazon Web Services Backup. To list these backups for a given table, specify TableName. ListBackups returns a paginated list of results with at most 1 MB worth of items in a page. You can also specify a maximum number of entries to be returned in a page. In the request, start time is inclusive, but end time is exclusive. Note that these boundaries are for the time at which the original backup was requested. You can call ListBackups a maximum of five times per second. If you want to retrieve the complete list of backups made with Amazon Web Services Backup, use the [Amazon Web Services Backup list API.](https://docs.aws.amazon.com/aws-backup/latest/devguide/API_ListBackupJobs.html) /// - /// - Parameter ListBackupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBackupsInput`) /// - /// - Returns: `ListBackupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBackupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2985,7 +2953,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBackupsOutput.httpOutput(from:), ListBackupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3020,9 +2987,9 @@ extension DynamoDBClient { /// /// Returns a list of ContributorInsightsSummary for a table and all its global secondary indexes. /// - /// - Parameter ListContributorInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContributorInsightsInput`) /// - /// - Returns: `ListContributorInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContributorInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3056,7 +3023,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContributorInsightsOutput.httpOutput(from:), ListContributorInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3091,9 +3057,9 @@ extension DynamoDBClient { /// /// Lists completed exports within the past 90 days. /// - /// - Parameter ListExportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExportsInput`) /// - /// - Returns: `ListExportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3127,7 +3093,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExportsOutput.httpOutput(from:), ListExportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3162,9 +3127,9 @@ extension DynamoDBClient { /// /// Lists all global tables that have a replica in the specified Region. This documentation is for version 2017.11.29 (Legacy) of global tables, which should be avoided for new global tables. Customers should use [Global Tables version 2019.11.21 (Current)](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/GlobalTables.html) when possible, because it provides greater flexibility, higher efficiency, and consumes less write capacity than 2017.11.29 (Legacy). To determine which version you're using, see [Determining the global table version you are using](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/globaltables.DetermineVersion.html). To update existing global tables from version 2017.11.29 (Legacy) to version 2019.11.21 (Current), see [Upgrading global tables](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/V2globaltables_upgrade.html). /// - /// - Parameter ListGlobalTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGlobalTablesInput`) /// - /// - Returns: `ListGlobalTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGlobalTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3198,7 +3163,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGlobalTablesOutput.httpOutput(from:), ListGlobalTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3233,9 +3197,9 @@ extension DynamoDBClient { /// /// Lists completed imports within the past 90 days. /// - /// - Parameter ListImportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImportsInput`) /// - /// - Returns: `ListImportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3268,7 +3232,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportsOutput.httpOutput(from:), ListImportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3303,9 +3266,9 @@ extension DynamoDBClient { /// /// Returns an array of table names associated with the current account and endpoint. The output from ListTables is paginated, with each page returning a maximum of 100 table names. /// - /// - Parameter ListTablesInput : Represents the input of a ListTables operation. + /// - Parameter input: Represents the input of a ListTables operation. (Type: `ListTablesInput`) /// - /// - Returns: `ListTablesOutput` : Represents the output of a ListTables operation. + /// - Returns: Represents the output of a ListTables operation. (Type: `ListTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3339,7 +3302,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTablesOutput.httpOutput(from:), ListTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3374,9 +3336,9 @@ extension DynamoDBClient { /// /// List all tags on an Amazon DynamoDB resource. You can call ListTagsOfResource up to 10 times per second, per account. For an overview on tagging DynamoDB resources, see [Tagging for DynamoDB](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/Tagging.html) in the Amazon DynamoDB Developer Guide. /// - /// - Parameter ListTagsOfResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsOfResourceInput`) /// - /// - Returns: `ListTagsOfResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsOfResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3411,7 +3373,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOfResourceOutput.httpOutput(from:), ListTagsOfResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3446,9 +3407,9 @@ extension DynamoDBClient { /// /// Creates a new item, or replaces an old item with a new item. If an item that has the same primary key as the new item already exists in the specified table, the new item completely replaces the existing item. You can perform a conditional put operation (add a new item if one with the specified primary key doesn't exist), or replace an existing item if it has certain attribute values. You can return the item's attribute values in the same operation, using the ReturnValues parameter. When you add an item, the primary key attributes are the only required attributes. Empty String and Binary attribute values are allowed. Attribute values of type String and Binary must have a length greater than zero if the attribute is used as a key attribute for a table or index. Set type attributes cannot be empty. Invalid Requests with empty values will be rejected with a ValidationException exception. To prevent a new item from replacing an existing item, use a conditional expression that contains the attribute_not_exists function with the name of the attribute being used as the partition key for the table. Since every record must contain that attribute, the attribute_not_exists function will only succeed if no matching item exists. For more information about PutItem, see [Working with Items](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/WorkingWithItems.html) in the Amazon DynamoDB Developer Guide. /// - /// - Parameter PutItemInput : Represents the input of a PutItem operation. + /// - Parameter input: Represents the input of a PutItem operation. (Type: `PutItemInput`) /// - /// - Returns: `PutItemOutput` : Represents the output of a PutItem operation. + /// - Returns: Represents the output of a PutItem operation. (Type: `PutItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3490,7 +3451,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutItemOutput.httpOutput(from:), PutItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3525,9 +3485,9 @@ extension DynamoDBClient { /// /// Attaches a resource-based policy document to the resource, which can be a table or stream. When you attach a resource-based policy using this API, the policy application is [ eventually consistent ](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/HowItWorks.ReadConsistency.html). PutResourcePolicy is an idempotent operation; running it multiple times on the same resource using the same policy document will return the same revision ID. If you specify an ExpectedRevisionId that doesn't match the current policy's RevisionId, the PolicyNotFoundException will be returned. PutResourcePolicy is an asynchronous operation. If you issue a GetResourcePolicy request immediately after a PutResourcePolicy request, DynamoDB might return your previous policy, if there was one, or return the PolicyNotFoundException. This is because GetResourcePolicy uses an eventually consistent query, and the metadata for your policy or table might not be available at that moment. Wait for a few seconds, and then try the GetResourcePolicy request again. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3574,7 +3534,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3609,9 +3568,9 @@ extension DynamoDBClient { /// /// You must provide the name of the partition key attribute and a single value for that attribute. Query returns all items with that partition key value. Optionally, you can provide a sort key attribute and use a comparison operator to refine the search results. Use the KeyConditionExpression parameter to provide a specific value for the partition key. The Query operation will return all of the items from the table or index with that partition key value. You can optionally narrow the scope of the Query operation by specifying a sort key value and a comparison operator in KeyConditionExpression. To further refine the Query results, you can optionally provide a FilterExpression. A FilterExpression determines which items within the results should be returned to you. All of the other results are discarded. A Query operation always returns a result set. If no matching items are found, the result set will be empty. Queries that do not return results consume the minimum number of read capacity units for that type of read operation. DynamoDB calculates the number of read capacity units consumed based on item size, not on the amount of data that is returned to an application. The number of capacity units consumed will be the same whether you request all of the attributes (the default behavior) or just some of them (using a projection expression). The number will also be the same whether or not you use a FilterExpression. Query results are always sorted by the sort key value. If the data type of the sort key is Number, the results are returned in numeric order; otherwise, the results are returned in order of UTF-8 bytes. By default, the sort order is ascending. To reverse the order, set the ScanIndexForward parameter to false. A single Query operation will read up to the maximum number of items set (if using the Limit parameter) or a maximum of 1 MB of data and then apply any filtering to the results using FilterExpression. If LastEvaluatedKey is present in the response, you will need to paginate the result set. For more information, see [Paginating the Results](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/Query.html#Query.Pagination) in the Amazon DynamoDB Developer Guide. FilterExpression is applied after a Query finishes, but before the results are returned. A FilterExpression cannot contain partition key or sort key attributes. You need to specify those attributes in the KeyConditionExpression. A Query operation can return an empty result set and a LastEvaluatedKey if all the items read for the page of results are filtered out. You can query a table, a local secondary index, or a global secondary index. For a query on a table or on a local secondary index, you can set the ConsistentRead parameter to true and obtain a strongly consistent result. Global secondary indexes support eventually consistent reads only, so do not specify ConsistentRead when querying a global secondary index. /// - /// - Parameter QueryInput : Represents the input of a Query operation. + /// - Parameter input: Represents the input of a Query operation. (Type: `QueryInput`) /// - /// - Returns: `QueryOutput` : Represents the output of a Query operation. + /// - Returns: Represents the output of a Query operation. (Type: `QueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3649,7 +3608,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QueryOutput.httpOutput(from:), QueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3696,9 +3654,9 @@ extension DynamoDBClient { /// /// * Time to Live (TTL) settings /// - /// - Parameter RestoreTableFromBackupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreTableFromBackupInput`) /// - /// - Returns: `RestoreTableFromBackupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreTableFromBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3737,7 +3695,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreTableFromBackupOutput.httpOutput(from:), RestoreTableFromBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3797,9 +3754,9 @@ extension DynamoDBClient { /// /// * Point in time recovery settings /// - /// - Parameter RestoreTableToPointInTimeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreTableToPointInTimeInput`) /// - /// - Returns: `RestoreTableToPointInTimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreTableToPointInTimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3839,7 +3796,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreTableToPointInTimeOutput.httpOutput(from:), RestoreTableToPointInTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3874,9 +3830,9 @@ extension DynamoDBClient { /// /// The Scan operation returns one or more items and item attributes by accessing every item in a table or a secondary index. To have DynamoDB return fewer items, you can provide a FilterExpression operation. If the total size of scanned items exceeds the maximum dataset size limit of 1 MB, the scan completes and results are returned to the user. The LastEvaluatedKey value is also returned and the requestor can use the LastEvaluatedKey to continue the scan in a subsequent operation. Each scan response also includes number of items that were scanned (ScannedCount) as part of the request. If using a FilterExpression, a scan result can result in no items meeting the criteria and the Count will result in zero. If you did not use a FilterExpression in the scan request, then Count is the same as ScannedCount. Count and ScannedCount only return the count of items specific to a single scan request and, unless the table is less than 1MB, do not represent the total number of items in the table. A single Scan operation first reads up to the maximum number of items set (if using the Limit parameter) or a maximum of 1 MB of data and then applies any filtering to the results if a FilterExpression is provided. If LastEvaluatedKey is present in the response, pagination is required to complete the full table scan. For more information, see [Paginating the Results](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/Scan.html#Scan.Pagination) in the Amazon DynamoDB Developer Guide. Scan operations proceed sequentially; however, for faster performance on a large table or secondary index, applications can request a parallel Scan operation by providing the Segment and TotalSegments parameters. For more information, see [Parallel Scan](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/Scan.html#Scan.ParallelScan) in the Amazon DynamoDB Developer Guide. By default, a Scan uses eventually consistent reads when accessing the items in a table. Therefore, the results from an eventually consistent Scan may not include the latest item changes at the time the scan iterates through each item in the table. If you require a strongly consistent read of each item as the scan iterates through the items in the table, you can set the ConsistentRead parameter to true. Strong consistency only relates to the consistency of the read at the item level. DynamoDB does not provide snapshot isolation for a scan operation when the ConsistentRead parameter is set to true. Thus, a DynamoDB scan operation does not guarantee that all reads in a scan see a consistent snapshot of the table when the scan operation was requested. /// - /// - Parameter ScanInput : Represents the input of a Scan operation. + /// - Parameter input: Represents the input of a Scan operation. (Type: `ScanInput`) /// - /// - Returns: `ScanOutput` : Represents the output of a Scan operation. + /// - Returns: Represents the output of a Scan operation. (Type: `ScanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3914,7 +3870,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ScanOutput.httpOutput(from:), ScanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3956,9 +3911,9 @@ extension DynamoDBClient { /// /// For an overview on tagging DynamoDB resources, see [Tagging for DynamoDB](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/Tagging.html) in the Amazon DynamoDB Developer Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4004,7 +3959,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4047,9 +4001,9 @@ extension DynamoDBClient { /// /// * The aggregate size of the items in the transaction exceeded 4 MB. /// - /// - Parameter TransactGetItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TransactGetItemsInput`) /// - /// - Returns: `TransactGetItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TransactGetItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4210,7 +4164,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TransactGetItemsOutput.httpOutput(from:), TransactGetItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4275,9 +4228,9 @@ extension DynamoDBClient { /// /// * There is a user error, such as an invalid data format. /// - /// - Parameter TransactWriteItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TransactWriteItemsInput`) /// - /// - Returns: `TransactWriteItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TransactWriteItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4466,7 +4419,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TransactWriteItemsOutput.httpOutput(from:), TransactWriteItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4515,9 +4467,9 @@ extension DynamoDBClient { /// /// For an overview on tagging DynamoDB resources, see [Tagging for DynamoDB](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/Tagging.html) in the Amazon DynamoDB Developer Guide. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4563,7 +4515,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4598,9 +4549,9 @@ extension DynamoDBClient { /// /// UpdateContinuousBackups enables or disables point in time recovery for the specified table. A successful UpdateContinuousBackups call returns the current ContinuousBackupsDescription. Continuous backups are ENABLED on all tables at table creation. If point in time recovery is enabled, PointInTimeRecoveryStatus will be set to ENABLED. Once continuous backups and point in time recovery are enabled, you can restore to any point in time within EarliestRestorableDateTime and LatestRestorableDateTime. LatestRestorableDateTime is typically 5 minutes before the current time. You can restore your table to any point in time in the last 35 days. You can set the RecoveryPeriodInDays to any value between 1 and 35 days. /// - /// - Parameter UpdateContinuousBackupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContinuousBackupsInput`) /// - /// - Returns: `UpdateContinuousBackupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContinuousBackupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4636,7 +4587,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContinuousBackupsOutput.httpOutput(from:), UpdateContinuousBackupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4671,9 +4621,9 @@ extension DynamoDBClient { /// /// Updates the status for contributor insights for a specific table or index. CloudWatch Contributor Insights for DynamoDB graphs display the partition key and (if applicable) sort key of frequently accessed items and frequently throttled items in plaintext. If you require the use of Amazon Web Services Key Management Service (KMS) to encrypt this table’s partition key and sort key data with an Amazon Web Services managed key or customer managed key, you should not enable CloudWatch Contributor Insights for DynamoDB for this table. /// - /// - Parameter UpdateContributorInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContributorInsightsInput`) /// - /// - Returns: `UpdateContributorInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContributorInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4707,7 +4657,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContributorInsightsOutput.httpOutput(from:), UpdateContributorInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4748,9 +4697,9 @@ extension DynamoDBClient { /// /// * The global secondary indexes must have the same provisioned and maximum write capacity units. /// - /// - Parameter UpdateGlobalTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGlobalTableInput`) /// - /// - Returns: `UpdateGlobalTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGlobalTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4788,7 +4737,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGlobalTableOutput.httpOutput(from:), UpdateGlobalTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4823,9 +4771,9 @@ extension DynamoDBClient { /// /// Updates settings for a global table. This documentation is for version 2017.11.29 (Legacy) of global tables, which should be avoided for new global tables. Customers should use [Global Tables version 2019.11.21 (Current)](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/GlobalTables.html) when possible, because it provides greater flexibility, higher efficiency, and consumes less write capacity than 2017.11.29 (Legacy). To determine which version you're using, see [Determining the global table version you are using](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/globaltables.DetermineVersion.html). To update existing global tables from version 2017.11.29 (Legacy) to version 2019.11.21 (Current), see [Upgrading global tables](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/V2globaltables_upgrade.html). /// - /// - Parameter UpdateGlobalTableSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGlobalTableSettingsInput`) /// - /// - Returns: `UpdateGlobalTableSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGlobalTableSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4873,7 +4821,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGlobalTableSettingsOutput.httpOutput(from:), UpdateGlobalTableSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4908,9 +4855,9 @@ extension DynamoDBClient { /// /// Edits an existing item's attributes, or adds a new item to the table if it does not already exist. You can put, delete, or add attribute values. You can also perform a conditional update on an existing item (insert a new attribute name-value pair if it doesn't exist, or replace an existing name-value pair if it has certain expected attribute values). You can also return the item's attribute values in the same UpdateItem operation using the ReturnValues parameter. /// - /// - Parameter UpdateItemInput : Represents the input of an UpdateItem operation. + /// - Parameter input: Represents the input of an UpdateItem operation. (Type: `UpdateItemInput`) /// - /// - Returns: `UpdateItemOutput` : Represents the output of an UpdateItem operation. + /// - Returns: Represents the output of an UpdateItem operation. (Type: `UpdateItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4952,7 +4899,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateItemOutput.httpOutput(from:), UpdateItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4987,9 +4933,9 @@ extension DynamoDBClient { /// /// The command to update the Kinesis stream destination. /// - /// - Parameter UpdateKinesisStreamingDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKinesisStreamingDestinationInput`) /// - /// - Returns: `UpdateKinesisStreamingDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKinesisStreamingDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5035,7 +4981,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKinesisStreamingDestinationOutput.httpOutput(from:), UpdateKinesisStreamingDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5079,9 +5024,9 @@ extension DynamoDBClient { /// /// UpdateTable is an asynchronous operation; while it's executing, the table status changes from ACTIVE to UPDATING. While it's UPDATING, you can't issue another UpdateTable request. When the table returns to the ACTIVE state, the UpdateTable operation is complete. /// - /// - Parameter UpdateTableInput : Represents the input of an UpdateTable operation. + /// - Parameter input: Represents the input of an UpdateTable operation. (Type: `UpdateTableInput`) /// - /// - Returns: `UpdateTableOutput` : Represents the output of an UpdateTable operation. + /// - Returns: Represents the output of an UpdateTable operation. (Type: `UpdateTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5127,7 +5072,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTableOutput.httpOutput(from:), UpdateTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5162,9 +5106,9 @@ extension DynamoDBClient { /// /// Updates auto scaling settings on your global tables at once. /// - /// - Parameter UpdateTableReplicaAutoScalingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTableReplicaAutoScalingInput`) /// - /// - Returns: `UpdateTableReplicaAutoScalingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTableReplicaAutoScalingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5209,7 +5153,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTableReplicaAutoScalingOutput.httpOutput(from:), UpdateTableReplicaAutoScalingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5244,9 +5187,9 @@ extension DynamoDBClient { /// /// The UpdateTimeToLive method enables or disables Time to Live (TTL) for the specified table. A successful UpdateTimeToLive call returns the current TimeToLiveSpecification. It can take up to one hour for the change to fully process. Any additional UpdateTimeToLive calls for the same table during this one hour duration result in a ValidationException. TTL compares the current time in epoch time format to the time stored in the TTL attribute of an item. If the epoch time value stored in the attribute is less than the current time, the item is marked as expired and subsequently deleted. The epoch time format is the number of seconds elapsed since 12:00:00 AM January 1, 1970 UTC. DynamoDB deletes expired items on a best-effort basis to ensure availability of throughput for other data operations. DynamoDB typically deletes expired items within two days of expiration. The exact duration within which an item gets deleted after expiration is specific to the nature of the workload. Items that have expired and not been deleted will still show up in reads, queries, and scans. As items are deleted, they are removed from any local secondary index and global secondary index immediately in the same eventually consistent way as a standard delete operation. For more information, see [Time To Live](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/TTL.html) in the Amazon DynamoDB Developer Guide. /// - /// - Parameter UpdateTimeToLiveInput : Represents the input of an UpdateTimeToLive operation. + /// - Parameter input: Represents the input of an UpdateTimeToLive operation. (Type: `UpdateTimeToLiveInput`) /// - /// - Returns: `UpdateTimeToLiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTimeToLiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5292,7 +5235,6 @@ extension DynamoDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTimeToLiveOutput.httpOutput(from:), UpdateTimeToLiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSDynamoDBStreams/Sources/AWSDynamoDBStreams/DynamoDBStreamsClient.swift b/Sources/Services/AWSDynamoDBStreams/Sources/AWSDynamoDBStreams/DynamoDBStreamsClient.swift index 774c482890d..867d01dd5dd 100644 --- a/Sources/Services/AWSDynamoDBStreams/Sources/AWSDynamoDBStreams/DynamoDBStreamsClient.swift +++ b/Sources/Services/AWSDynamoDBStreams/Sources/AWSDynamoDBStreams/DynamoDBStreamsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class DynamoDBStreamsClient: ClientRuntime.Client { public static let clientName = "DynamoDBStreamsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: DynamoDBStreamsClient.DynamoDBStreamsClientConfiguration let serviceName = "DynamoDB Streams" @@ -373,9 +372,9 @@ extension DynamoDBStreamsClient { /// /// Returns information about a stream, including the current status of the stream, its Amazon Resource Name (ARN), the composition of its shards, and its corresponding DynamoDB table. You can call DescribeStream at a maximum rate of 10 times per second. Each shard in the stream has a SequenceNumberRange associated with it. If the SequenceNumberRange has a StartingSequenceNumber but no EndingSequenceNumber, then the shard is still open (able to receive more stream records). If both StartingSequenceNumber and EndingSequenceNumber are present, then that shard is closed and can no longer receive more data. /// - /// - Parameter DescribeStreamInput : Represents the input of a DescribeStream operation. + /// - Parameter input: Represents the input of a DescribeStream operation. (Type: `DescribeStreamInput`) /// - /// - Returns: `DescribeStreamOutput` : Represents the output of a DescribeStream operation. + /// - Returns: Represents the output of a DescribeStream operation. (Type: `DescribeStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -408,7 +407,6 @@ extension DynamoDBStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStreamOutput.httpOutput(from:), DescribeStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension DynamoDBStreamsClient { /// /// Retrieves the stream records from a given shard. Specify a shard iterator using the ShardIterator parameter. The shard iterator specifies the position in the shard from which you want to start reading stream records sequentially. If there are no stream records available in the portion of the shard that the iterator points to, GetRecords returns an empty list. Note that it might take multiple calls to get to a portion of the shard that contains stream records. GetRecords can retrieve a maximum of 1 MB of data or 1000 stream records, whichever comes first. /// - /// - Parameter GetRecordsInput : Represents the input of a GetRecords operation. + /// - Parameter input: Represents the input of a GetRecords operation. (Type: `GetRecordsInput`) /// - /// - Returns: `GetRecordsOutput` : Represents the output of a GetRecords operation. + /// - Returns: Represents the output of a GetRecords operation. (Type: `GetRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension DynamoDBStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecordsOutput.httpOutput(from:), GetRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension DynamoDBStreamsClient { /// /// Returns a shard iterator. A shard iterator provides information about how to retrieve the stream records from within a shard. Use the shard iterator in a subsequent GetRecords request to read the stream records from the shard. A shard iterator expires 15 minutes after it is returned to the requester. /// - /// - Parameter GetShardIteratorInput : Represents the input of a GetShardIterator operation. + /// - Parameter input: Represents the input of a GetShardIterator operation. (Type: `GetShardIteratorInput`) /// - /// - Returns: `GetShardIteratorOutput` : Represents the output of a GetShardIterator operation. + /// - Returns: Represents the output of a GetShardIterator operation. (Type: `GetShardIteratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension DynamoDBStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetShardIteratorOutput.httpOutput(from:), GetShardIteratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension DynamoDBStreamsClient { /// /// Returns an array of stream ARNs associated with the current account and endpoint. If the TableName parameter is present, then ListStreams will return only the streams ARNs for that table. You can call ListStreams at a maximum rate of 5 times per second. /// - /// - Parameter ListStreamsInput : Represents the input of a ListStreams operation. + /// - Parameter input: Represents the input of a ListStreams operation. (Type: `ListStreamsInput`) /// - /// - Returns: `ListStreamsOutput` : Represents the output of a ListStreams operation. + /// - Returns: Represents the output of a ListStreams operation. (Type: `ListStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension DynamoDBStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamsOutput.httpOutput(from:), ListStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEBS/Sources/AWSEBS/EBSClient.swift b/Sources/Services/AWSEBS/Sources/AWSEBS/EBSClient.swift index b2b97cc4ee7..1ae30fe9024 100644 --- a/Sources/Services/AWSEBS/Sources/AWSEBS/EBSClient.swift +++ b/Sources/Services/AWSEBS/Sources/AWSEBS/EBSClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -73,7 +72,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EBSClient: ClientRuntime.Client { public static let clientName = "EBSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EBSClient.EBSClientConfiguration let serviceName = "EBS" @@ -379,9 +378,9 @@ extension EBSClient { /// /// Seals and completes the snapshot after all of the required blocks of data have been written to it. Completing the snapshot changes the status to completed. You cannot write new blocks to a snapshot after it has been completed. You should always retry requests that receive server (5xx) error responses, and ThrottlingException and RequestThrottledException client error responses. For more information see [Error retries](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/error-retries.html) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter CompleteSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CompleteSnapshotInput`) /// - /// - Returns: `CompleteSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompleteSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension EBSClient { builder.serialize(ClientRuntime.HeaderMiddleware(CompleteSnapshotInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteSnapshotOutput.httpOutput(from:), CompleteSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension EBSClient { /// /// Returns the data in a block in an Amazon Elastic Block Store snapshot. You should always retry requests that receive server (5xx) error responses, and ThrottlingException and RequestThrottledException client error responses. For more information see [Error retries](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/error-retries.html) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter GetSnapshotBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSnapshotBlockInput`) /// - /// - Returns: `GetSnapshotBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSnapshotBlockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension EBSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSnapshotBlockInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSnapshotBlockOutput.httpOutput(from:), GetSnapshotBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension EBSClient { /// /// Returns information about the blocks that are different between two Amazon Elastic Block Store snapshots of the same volume/snapshot lineage. You should always retry requests that receive server (5xx) error responses, and ThrottlingException and RequestThrottledException client error responses. For more information see [Error retries](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/error-retries.html) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter ListChangedBlocksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChangedBlocksInput`) /// - /// - Returns: `ListChangedBlocksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChangedBlocksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension EBSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChangedBlocksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChangedBlocksOutput.httpOutput(from:), ListChangedBlocksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension EBSClient { /// /// Returns information about the blocks in an Amazon Elastic Block Store snapshot. You should always retry requests that receive server (5xx) error responses, and ThrottlingException and RequestThrottledException client error responses. For more information see [Error retries](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/error-retries.html) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter ListSnapshotBlocksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSnapshotBlocksInput`) /// - /// - Returns: `ListSnapshotBlocksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSnapshotBlocksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension EBSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSnapshotBlocksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSnapshotBlocksOutput.httpOutput(from:), ListSnapshotBlocksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension EBSClient { /// /// Writes a block of data to a snapshot. If the specified block contains data, the existing data is overwritten. The target snapshot must be in the pending state. Data written to a snapshot must be aligned with 512-KiB sectors. You should always retry requests that receive server (5xx) error responses, and ThrottlingException and RequestThrottledException client error responses. For more information see [Error retries](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/error-retries.html) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter PutSnapshotBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSnapshotBlockInput`) /// - /// - Returns: `PutSnapshotBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSnapshotBlockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension EBSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware(requiresLength: false, unsignedPayload: true)) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSnapshotBlockOutput.httpOutput(from:), PutSnapshotBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -737,9 +731,9 @@ extension EBSClient { /// /// Creates a new Amazon EBS snapshot. The new snapshot enters the pending state after the request completes. After creating the snapshot, use [ PutSnapshotBlock](https://docs.aws.amazon.com/ebs/latest/APIReference/API_PutSnapshotBlock.html) to write blocks of data to the snapshot. You should always retry requests that receive server (5xx) error responses, and ThrottlingException and RequestThrottledException client error responses. For more information see [Error retries](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/error-retries.html) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter StartSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSnapshotInput`) /// - /// - Returns: `StartSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -781,7 +775,6 @@ extension EBSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSnapshotOutput.httpOutput(from:), StartSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEC2/Sources/AWSEC2/EC2Client.swift b/Sources/Services/AWSEC2/Sources/AWSEC2/EC2Client.swift index 37104070510..4ad365644c4 100644 --- a/Sources/Services/AWSEC2/Sources/AWSEC2/EC2Client.swift +++ b/Sources/Services/AWSEC2/Sources/AWSEC2/EC2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EC2Client: ClientRuntime.Client { public static let clientName = "EC2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EC2Client.EC2ClientConfiguration let serviceName = "EC2" @@ -374,9 +373,9 @@ extension EC2Client { /// /// Accepts an Elastic IP address transfer. For more information, see [Accept a transferred Elastic IP address](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-eips.html#using-instance-addressing-eips-transfer-accept) in the Amazon VPC User Guide. /// - /// - Parameter AcceptAddressTransferInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptAddressTransferInput`) /// - /// - Returns: `AcceptAddressTransferOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptAddressTransferOutput`) public func acceptAddressTransfer(input: AcceptAddressTransferInput) async throws -> AcceptAddressTransferOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -403,7 +402,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptAddressTransferOutput.httpOutput(from:), AcceptAddressTransferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -437,9 +435,9 @@ extension EC2Client { /// /// Accepts a request to assign billing of the available capacity of a shared Capacity Reservation to your account. For more information, see [ Billing assignment for shared Amazon EC2 Capacity Reservations](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/assign-billing.html). /// - /// - Parameter AcceptCapacityReservationBillingOwnershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptCapacityReservationBillingOwnershipInput`) /// - /// - Returns: `AcceptCapacityReservationBillingOwnershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptCapacityReservationBillingOwnershipOutput`) public func acceptCapacityReservationBillingOwnership(input: AcceptCapacityReservationBillingOwnershipInput) async throws -> AcceptCapacityReservationBillingOwnershipOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -466,7 +464,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptCapacityReservationBillingOwnershipOutput.httpOutput(from:), AcceptCapacityReservationBillingOwnershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -500,9 +497,9 @@ extension EC2Client { /// /// Accepts the Convertible Reserved Instance exchange quote described in the [GetReservedInstancesExchangeQuote] call. /// - /// - Parameter AcceptReservedInstancesExchangeQuoteInput : Contains the parameters for accepting the quote. + /// - Parameter input: Contains the parameters for accepting the quote. (Type: `AcceptReservedInstancesExchangeQuoteInput`) /// - /// - Returns: `AcceptReservedInstancesExchangeQuoteOutput` : The result of the exchange and whether it was successful. + /// - Returns: The result of the exchange and whether it was successful. (Type: `AcceptReservedInstancesExchangeQuoteOutput`) public func acceptReservedInstancesExchangeQuote(input: AcceptReservedInstancesExchangeQuoteInput) async throws -> AcceptReservedInstancesExchangeQuoteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -529,7 +526,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptReservedInstancesExchangeQuoteOutput.httpOutput(from:), AcceptReservedInstancesExchangeQuoteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -563,9 +559,9 @@ extension EC2Client { /// /// Accepts a request to associate subnets with a transit gateway multicast domain. /// - /// - Parameter AcceptTransitGatewayMulticastDomainAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptTransitGatewayMulticastDomainAssociationsInput`) /// - /// - Returns: `AcceptTransitGatewayMulticastDomainAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptTransitGatewayMulticastDomainAssociationsOutput`) public func acceptTransitGatewayMulticastDomainAssociations(input: AcceptTransitGatewayMulticastDomainAssociationsInput) async throws -> AcceptTransitGatewayMulticastDomainAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -592,7 +588,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptTransitGatewayMulticastDomainAssociationsOutput.httpOutput(from:), AcceptTransitGatewayMulticastDomainAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -626,9 +621,9 @@ extension EC2Client { /// /// Accepts a transit gateway peering attachment request. The peering attachment must be in the pendingAcceptance state. /// - /// - Parameter AcceptTransitGatewayPeeringAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptTransitGatewayPeeringAttachmentInput`) /// - /// - Returns: `AcceptTransitGatewayPeeringAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptTransitGatewayPeeringAttachmentOutput`) public func acceptTransitGatewayPeeringAttachment(input: AcceptTransitGatewayPeeringAttachmentInput) async throws -> AcceptTransitGatewayPeeringAttachmentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -655,7 +650,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptTransitGatewayPeeringAttachmentOutput.httpOutput(from:), AcceptTransitGatewayPeeringAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -689,9 +683,9 @@ extension EC2Client { /// /// Accepts a request to attach a VPC to a transit gateway. The VPC attachment must be in the pendingAcceptance state. Use [DescribeTransitGatewayVpcAttachments] to view your pending VPC attachment requests. Use [RejectTransitGatewayVpcAttachment] to reject a VPC attachment request. /// - /// - Parameter AcceptTransitGatewayVpcAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptTransitGatewayVpcAttachmentInput`) /// - /// - Returns: `AcceptTransitGatewayVpcAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptTransitGatewayVpcAttachmentOutput`) public func acceptTransitGatewayVpcAttachment(input: AcceptTransitGatewayVpcAttachmentInput) async throws -> AcceptTransitGatewayVpcAttachmentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -718,7 +712,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptTransitGatewayVpcAttachmentOutput.httpOutput(from:), AcceptTransitGatewayVpcAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -752,9 +745,9 @@ extension EC2Client { /// /// Accepts connection requests to your VPC endpoint service. /// - /// - Parameter AcceptVpcEndpointConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptVpcEndpointConnectionsInput`) /// - /// - Returns: `AcceptVpcEndpointConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptVpcEndpointConnectionsOutput`) public func acceptVpcEndpointConnections(input: AcceptVpcEndpointConnectionsInput) async throws -> AcceptVpcEndpointConnectionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -781,7 +774,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptVpcEndpointConnectionsOutput.httpOutput(from:), AcceptVpcEndpointConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -815,9 +807,9 @@ extension EC2Client { /// /// Accept a VPC peering connection request. To accept a request, the VPC peering connection must be in the pending-acceptance state, and you must be the owner of the peer VPC. Use [DescribeVpcPeeringConnections] to view your outstanding VPC peering connection requests. For an inter-Region VPC peering connection request, you must accept the VPC peering connection in the Region of the accepter VPC. /// - /// - Parameter AcceptVpcPeeringConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptVpcPeeringConnectionInput`) /// - /// - Returns: `AcceptVpcPeeringConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptVpcPeeringConnectionOutput`) public func acceptVpcPeeringConnection(input: AcceptVpcPeeringConnectionInput) async throws -> AcceptVpcPeeringConnectionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -844,7 +836,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptVpcPeeringConnectionOutput.httpOutput(from:), AcceptVpcPeeringConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +869,9 @@ extension EC2Client { /// /// Advertises an IPv4 or IPv6 address range that is provisioned for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP). You can perform this operation at most once every 10 seconds, even if you specify different address ranges each time. We recommend that you stop advertising the BYOIP CIDR from other locations when you advertise it from Amazon Web Services. To minimize down time, you can configure your Amazon Web Services resources to use an address from a BYOIP CIDR before it is advertised, and then simultaneously stop advertising it from the current location and start advertising it through Amazon Web Services. It can take a few minutes before traffic to the specified addresses starts routing to Amazon Web Services because of BGP propagation delays. /// - /// - Parameter AdvertiseByoipCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdvertiseByoipCidrInput`) /// - /// - Returns: `AdvertiseByoipCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdvertiseByoipCidrOutput`) public func advertiseByoipCidr(input: AdvertiseByoipCidrInput) async throws -> AdvertiseByoipCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -907,7 +898,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdvertiseByoipCidrOutput.httpOutput(from:), AdvertiseByoipCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -941,9 +931,9 @@ extension EC2Client { /// /// Allocates an Elastic IP address to your Amazon Web Services account. After you allocate the Elastic IP address you can associate it with an instance or network interface. After you release an Elastic IP address, it is released to the IP address pool and can be allocated to a different Amazon Web Services account. You can allocate an Elastic IP address from an address pool owned by Amazon Web Services or from an address pool created from a public IPv4 address range that you have brought to Amazon Web Services for use with your Amazon Web Services resources using bring your own IP addresses (BYOIP). For more information, see [Bring Your Own IP Addresses (BYOIP)](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-byoip.html) in the Amazon EC2 User Guide. If you release an Elastic IP address, you might be able to recover it. You cannot recover an Elastic IP address that you released after it is allocated to another Amazon Web Services account. To attempt to recover an Elastic IP address that you released, specify it in this operation. For more information, see [Elastic IP Addresses](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/elastic-ip-addresses-eip.html) in the Amazon EC2 User Guide. You can allocate a carrier IP address which is a public IP address from a telecommunication carrier, to a network interface which resides in a subnet in a Wavelength Zone (for example an EC2 instance). /// - /// - Parameter AllocateAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AllocateAddressInput`) /// - /// - Returns: `AllocateAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AllocateAddressOutput`) public func allocateAddress(input: AllocateAddressInput) async throws -> AllocateAddressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -970,7 +960,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AllocateAddressOutput.httpOutput(from:), AllocateAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1004,9 +993,9 @@ extension EC2Client { /// /// Allocates a Dedicated Host to your account. At a minimum, specify the supported instance type or instance family, the Availability Zone in which to allocate the host, and the number of hosts to allocate. /// - /// - Parameter AllocateHostsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AllocateHostsInput`) /// - /// - Returns: `AllocateHostsOutput` : Contains the output of AllocateHosts. + /// - Returns: Contains the output of AllocateHosts. (Type: `AllocateHostsOutput`) public func allocateHosts(input: AllocateHostsInput) async throws -> AllocateHostsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1033,7 +1022,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AllocateHostsOutput.httpOutput(from:), AllocateHostsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1067,9 +1055,9 @@ extension EC2Client { /// /// Allocate a CIDR from an IPAM pool. The Region you use should be the IPAM pool locale. The locale is the Amazon Web Services Region where this IPAM pool is available for allocations. In IPAM, an allocation is a CIDR assignment from an IPAM pool to another IPAM pool or to a resource. For more information, see [Allocate CIDRs](https://docs.aws.amazon.com/vpc/latest/ipam/allocate-cidrs-ipam.html) in the Amazon VPC IPAM User Guide. This action creates an allocation with strong consistency. The returned CIDR will not overlap with any other allocations from the same pool. /// - /// - Parameter AllocateIpamPoolCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AllocateIpamPoolCidrInput`) /// - /// - Returns: `AllocateIpamPoolCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AllocateIpamPoolCidrOutput`) public func allocateIpamPoolCidr(input: AllocateIpamPoolCidrInput) async throws -> AllocateIpamPoolCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1097,7 +1085,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AllocateIpamPoolCidrOutput.httpOutput(from:), AllocateIpamPoolCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1131,9 +1118,9 @@ extension EC2Client { /// /// Applies a security group to the association between the target network and the Client VPN endpoint. This action replaces the existing security groups with the specified security groups. /// - /// - Parameter ApplySecurityGroupsToClientVpnTargetNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ApplySecurityGroupsToClientVpnTargetNetworkInput`) /// - /// - Returns: `ApplySecurityGroupsToClientVpnTargetNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ApplySecurityGroupsToClientVpnTargetNetworkOutput`) public func applySecurityGroupsToClientVpnTargetNetwork(input: ApplySecurityGroupsToClientVpnTargetNetworkInput) async throws -> ApplySecurityGroupsToClientVpnTargetNetworkOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1160,7 +1147,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplySecurityGroupsToClientVpnTargetNetworkOutput.httpOutput(from:), ApplySecurityGroupsToClientVpnTargetNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1194,9 +1180,9 @@ extension EC2Client { /// /// Assigns the specified IPv6 addresses to the specified network interface. You can specify specific IPv6 addresses, or you can specify the number of IPv6 addresses to be automatically assigned from the subnet's IPv6 CIDR block range. You can assign as many IPv6 addresses to a network interface as you can assign private IPv4 addresses, and the limit varies by instance type. You must specify either the IPv6 addresses or the IPv6 address count in the request. You can optionally use Prefix Delegation on the network interface. You must specify either the IPV6 Prefix Delegation prefixes, or the IPv6 Prefix Delegation count. For information, see [ Assigning prefixes to network interfaces](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-prefix-eni.html) in the Amazon EC2 User Guide. /// - /// - Parameter AssignIpv6AddressesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssignIpv6AddressesInput`) /// - /// - Returns: `AssignIpv6AddressesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssignIpv6AddressesOutput`) public func assignIpv6Addresses(input: AssignIpv6AddressesInput) async throws -> AssignIpv6AddressesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1223,7 +1209,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssignIpv6AddressesOutput.httpOutput(from:), AssignIpv6AddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1257,9 +1242,9 @@ extension EC2Client { /// /// Assigns the specified secondary private IP addresses to the specified network interface. You can specify specific secondary IP addresses, or you can specify the number of secondary IP addresses to be automatically assigned from the subnet's CIDR block range. The number of secondary IP addresses that you can assign to an instance varies by instance type. For more information about Elastic IP addresses, see [Elastic IP Addresses](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/elastic-ip-addresses-eip.html) in the Amazon EC2 User Guide. When you move a secondary private IP address to another network interface, any Elastic IP address that is associated with the IP address is also moved. Remapping an IP address is an asynchronous operation. When you move an IP address from one network interface to another, check network/interfaces/macs/mac/local-ipv4s in the instance metadata to confirm that the remapping is complete. You must specify either the IP addresses or the IP address count in the request. You can optionally use Prefix Delegation on the network interface. You must specify either the IPv4 Prefix Delegation prefixes, or the IPv4 Prefix Delegation count. For information, see [ Assigning prefixes to network interfaces](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-prefix-eni.html) in the Amazon EC2 User Guide. /// - /// - Parameter AssignPrivateIpAddressesInput : Contains the parameters for AssignPrivateIpAddresses. + /// - Parameter input: Contains the parameters for AssignPrivateIpAddresses. (Type: `AssignPrivateIpAddressesInput`) /// - /// - Returns: `AssignPrivateIpAddressesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssignPrivateIpAddressesOutput`) public func assignPrivateIpAddresses(input: AssignPrivateIpAddressesInput) async throws -> AssignPrivateIpAddressesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1286,7 +1271,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssignPrivateIpAddressesOutput.httpOutput(from:), AssignPrivateIpAddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1320,9 +1304,9 @@ extension EC2Client { /// /// Assigns private IPv4 addresses to a private NAT gateway. For more information, see [Work with NAT gateways](https://docs.aws.amazon.com/vpc/latest/userguide/nat-gateway-working-with.html) in the Amazon VPC User Guide. /// - /// - Parameter AssignPrivateNatGatewayAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssignPrivateNatGatewayAddressInput`) /// - /// - Returns: `AssignPrivateNatGatewayAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssignPrivateNatGatewayAddressOutput`) public func assignPrivateNatGatewayAddress(input: AssignPrivateNatGatewayAddressInput) async throws -> AssignPrivateNatGatewayAddressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1349,7 +1333,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssignPrivateNatGatewayAddressOutput.httpOutput(from:), AssignPrivateNatGatewayAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1383,9 +1366,9 @@ extension EC2Client { /// /// Associates an Elastic IP address, or carrier IP address (for instances that are in subnets in Wavelength Zones) with an instance or a network interface. Before you can use an Elastic IP address, you must allocate it to your account. If the Elastic IP address is already associated with a different instance, it is disassociated from that instance and associated with the specified instance. If you associate an Elastic IP address with an instance that has an existing Elastic IP address, the existing address is disassociated from the instance, but remains allocated to your account. [Subnets in Wavelength Zones] You can associate an IP address from the telecommunication carrier to the instance or network interface. You cannot associate an Elastic IP address with an interface in a different network border group. This is an idempotent operation. If you perform the operation more than once, Amazon EC2 doesn't return an error, and you may be charged for each time the Elastic IP address is remapped to the same instance. For more information, see the Elastic IP Addresses section of [Amazon EC2 Pricing](http://aws.amazon.com/ec2/pricing/). /// - /// - Parameter AssociateAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAddressInput`) /// - /// - Returns: `AssociateAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAddressOutput`) public func associateAddress(input: AssociateAddressInput) async throws -> AssociateAddressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1412,7 +1395,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAddressOutput.httpOutput(from:), AssociateAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1446,9 +1428,9 @@ extension EC2Client { /// /// Initiates a request to assign billing of the unused capacity of a shared Capacity Reservation to a consumer account that is consolidated under the same Amazon Web Services organizations payer account. For more information, see [Billing assignment for shared Amazon EC2 Capacity Reservations](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/assign-billing.html). /// - /// - Parameter AssociateCapacityReservationBillingOwnerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateCapacityReservationBillingOwnerInput`) /// - /// - Returns: `AssociateCapacityReservationBillingOwnerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateCapacityReservationBillingOwnerOutput`) public func associateCapacityReservationBillingOwner(input: AssociateCapacityReservationBillingOwnerInput) async throws -> AssociateCapacityReservationBillingOwnerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1475,7 +1457,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateCapacityReservationBillingOwnerOutput.httpOutput(from:), AssociateCapacityReservationBillingOwnerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1509,9 +1490,9 @@ extension EC2Client { /// /// Associates a target network with a Client VPN endpoint. A target network is a subnet in a VPC. You can associate multiple subnets from the same VPC with a Client VPN endpoint. You can associate only one subnet in each Availability Zone. We recommend that you associate at least two subnets to provide Availability Zone redundancy. If you specified a VPC when you created the Client VPN endpoint or if you have previous subnet associations, the specified subnet must be in the same VPC. To specify a subnet that's in a different VPC, you must first modify the Client VPN endpoint ([ModifyClientVpnEndpoint]) and change the VPC that's associated with it. /// - /// - Parameter AssociateClientVpnTargetNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateClientVpnTargetNetworkInput`) /// - /// - Returns: `AssociateClientVpnTargetNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateClientVpnTargetNetworkOutput`) public func associateClientVpnTargetNetwork(input: AssociateClientVpnTargetNetworkInput) async throws -> AssociateClientVpnTargetNetworkOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1539,7 +1520,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateClientVpnTargetNetworkOutput.httpOutput(from:), AssociateClientVpnTargetNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1573,9 +1553,9 @@ extension EC2Client { /// /// Associates a set of DHCP options (that you've previously created) with the specified VPC, or associates no DHCP options with the VPC. After you associate the options with the VPC, any existing instances and all new instances that you launch in that VPC use the options. You don't need to restart or relaunch the instances. They automatically pick up the changes within a few hours, depending on how frequently the instance renews its DHCP lease. You can explicitly renew the lease using the operating system on the instance. For more information, see [DHCP option sets](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_DHCP_Options.html) in the Amazon VPC User Guide. /// - /// - Parameter AssociateDhcpOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDhcpOptionsInput`) /// - /// - Returns: `AssociateDhcpOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDhcpOptionsOutput`) public func associateDhcpOptions(input: AssociateDhcpOptionsInput) async throws -> AssociateDhcpOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1602,7 +1582,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDhcpOptionsOutput.httpOutput(from:), AssociateDhcpOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1636,9 +1615,9 @@ extension EC2Client { /// /// Associates an Identity and Access Management (IAM) role with an Certificate Manager (ACM) certificate. This enables the certificate to be used by the ACM for Nitro Enclaves application inside an enclave. For more information, see [Certificate Manager for Nitro Enclaves](https://docs.aws.amazon.com/enclaves/latest/user/nitro-enclave-refapp.html) in the Amazon Web Services Nitro Enclaves User Guide. When the IAM role is associated with the ACM certificate, the certificate, certificate chain, and encrypted private key are placed in an Amazon S3 location that only the associated IAM role can access. The private key of the certificate is encrypted with an Amazon Web Services managed key that has an attached attestation-based key policy. To enable the IAM role to access the Amazon S3 object, you must grant it permission to call s3:GetObject on the Amazon S3 bucket returned by the command. To enable the IAM role to access the KMS key, you must grant it permission to call kms:Decrypt on the KMS key returned by the command. For more information, see [ Grant the role permission to access the certificate and encryption key](https://docs.aws.amazon.com/enclaves/latest/user/nitro-enclave-refapp.html#add-policy) in the Amazon Web Services Nitro Enclaves User Guide. /// - /// - Parameter AssociateEnclaveCertificateIamRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateEnclaveCertificateIamRoleInput`) /// - /// - Returns: `AssociateEnclaveCertificateIamRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateEnclaveCertificateIamRoleOutput`) public func associateEnclaveCertificateIamRole(input: AssociateEnclaveCertificateIamRoleInput) async throws -> AssociateEnclaveCertificateIamRoleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1665,7 +1644,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateEnclaveCertificateIamRoleOutput.httpOutput(from:), AssociateEnclaveCertificateIamRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1699,9 +1677,9 @@ extension EC2Client { /// /// Associates an IAM instance profile with a running or stopped instance. You cannot associate more than one IAM instance profile with an instance. /// - /// - Parameter AssociateIamInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateIamInstanceProfileInput`) /// - /// - Returns: `AssociateIamInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateIamInstanceProfileOutput`) public func associateIamInstanceProfile(input: AssociateIamInstanceProfileInput) async throws -> AssociateIamInstanceProfileOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1728,7 +1706,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateIamInstanceProfileOutput.httpOutput(from:), AssociateIamInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1762,9 +1739,9 @@ extension EC2Client { /// /// Associates one or more targets with an event window. Only one type of target (instance IDs, Dedicated Host IDs, or tags) can be specified with an event window. For more information, see [Define event windows for scheduled events](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/event-windows.html) in the Amazon EC2 User Guide. /// - /// - Parameter AssociateInstanceEventWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateInstanceEventWindowInput`) /// - /// - Returns: `AssociateInstanceEventWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateInstanceEventWindowOutput`) public func associateInstanceEventWindow(input: AssociateInstanceEventWindowInput) async throws -> AssociateInstanceEventWindowOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1791,7 +1768,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateInstanceEventWindowOutput.httpOutput(from:), AssociateInstanceEventWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1825,9 +1801,9 @@ extension EC2Client { /// /// Associates your Autonomous System Number (ASN) with a BYOIP CIDR that you own in the same Amazon Web Services Region. For more information, see [Tutorial: Bring your ASN to IPAM](https://docs.aws.amazon.com/vpc/latest/ipam/tutorials-byoasn.html) in the Amazon VPC IPAM guide. After the association succeeds, the ASN is eligible for advertisement. You can view the association with [DescribeByoipCidrs](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeByoipCidrs.html). You can advertise the CIDR with [AdvertiseByoipCidr](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_AdvertiseByoipCidr.html). /// - /// - Parameter AssociateIpamByoasnInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateIpamByoasnInput`) /// - /// - Returns: `AssociateIpamByoasnOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateIpamByoasnOutput`) public func associateIpamByoasn(input: AssociateIpamByoasnInput) async throws -> AssociateIpamByoasnOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1854,7 +1830,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateIpamByoasnOutput.httpOutput(from:), AssociateIpamByoasnOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1888,9 +1863,9 @@ extension EC2Client { /// /// Associates an IPAM resource discovery with an Amazon VPC IPAM. A resource discovery is an IPAM component that enables IPAM to manage and monitor resources that belong to the owning account. /// - /// - Parameter AssociateIpamResourceDiscoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateIpamResourceDiscoveryInput`) /// - /// - Returns: `AssociateIpamResourceDiscoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateIpamResourceDiscoveryOutput`) public func associateIpamResourceDiscovery(input: AssociateIpamResourceDiscoveryInput) async throws -> AssociateIpamResourceDiscoveryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1918,7 +1893,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateIpamResourceDiscoveryOutput.httpOutput(from:), AssociateIpamResourceDiscoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1952,9 +1926,9 @@ extension EC2Client { /// /// Associates Elastic IP addresses (EIPs) and private IPv4 addresses with a public NAT gateway. For more information, see [Work with NAT gateways](https://docs.aws.amazon.com/vpc/latest/userguide/nat-gateway-working-with.html) in the Amazon VPC User Guide. By default, you can associate up to 2 Elastic IP addresses per public NAT gateway. You can increase the limit by requesting a quota adjustment. For more information, see [Elastic IP address quotas](https://docs.aws.amazon.com/vpc/latest/userguide/amazon-vpc-limits.html#vpc-limits-eips) in the Amazon VPC User Guide. When you associate an EIP or secondary EIPs with a public NAT gateway, the network border group of the EIPs must match the network border group of the Availability Zone (AZ) that the public NAT gateway is in. If it's not the same, the EIP will fail to associate. You can see the network border group for the subnet's AZ by viewing the details of the subnet. Similarly, you can view the network border group of an EIP by viewing the details of the EIP address. For more information about network border groups and EIPs, see [Allocate an Elastic IP address](https://docs.aws.amazon.com/vpc/latest/userguide/WorkWithEIPs.html) in the Amazon VPC User Guide. /// - /// - Parameter AssociateNatGatewayAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateNatGatewayAddressInput`) /// - /// - Returns: `AssociateNatGatewayAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateNatGatewayAddressOutput`) public func associateNatGatewayAddress(input: AssociateNatGatewayAddressInput) async throws -> AssociateNatGatewayAddressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1981,7 +1955,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateNatGatewayAddressOutput.httpOutput(from:), AssociateNatGatewayAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2015,9 +1988,9 @@ extension EC2Client { /// /// Associates a route server with a VPC to enable dynamic route updates. A route server association is the connection established between a route server and a VPC. For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter AssociateRouteServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateRouteServerInput`) /// - /// - Returns: `AssociateRouteServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateRouteServerOutput`) public func associateRouteServer(input: AssociateRouteServerInput) async throws -> AssociateRouteServerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2044,7 +2017,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateRouteServerOutput.httpOutput(from:), AssociateRouteServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2078,9 +2050,9 @@ extension EC2Client { /// /// Associates a subnet in your VPC or an internet gateway or virtual private gateway attached to your VPC with a route table in your VPC. This association causes traffic from the subnet or gateway to be routed according to the routes in the route table. The action returns an association ID, which you need in order to disassociate the route table later. A route table can be associated with multiple subnets. For more information, see [Route tables](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Route_Tables.html) in the Amazon VPC User Guide. /// - /// - Parameter AssociateRouteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateRouteTableInput`) /// - /// - Returns: `AssociateRouteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateRouteTableOutput`) public func associateRouteTable(input: AssociateRouteTableInput) async throws -> AssociateRouteTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2107,7 +2079,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateRouteTableOutput.httpOutput(from:), AssociateRouteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2151,9 +2122,9 @@ extension EC2Client { /// /// * You cannot use this feature with the default VPC. /// - /// - Parameter AssociateSecurityGroupVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSecurityGroupVpcInput`) /// - /// - Returns: `AssociateSecurityGroupVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSecurityGroupVpcOutput`) public func associateSecurityGroupVpc(input: AssociateSecurityGroupVpcInput) async throws -> AssociateSecurityGroupVpcOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2180,7 +2151,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSecurityGroupVpcOutput.httpOutput(from:), AssociateSecurityGroupVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2214,9 +2184,9 @@ extension EC2Client { /// /// Associates a CIDR block with your subnet. You can only associate a single IPv6 CIDR block with your subnet. /// - /// - Parameter AssociateSubnetCidrBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSubnetCidrBlockInput`) /// - /// - Returns: `AssociateSubnetCidrBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSubnetCidrBlockOutput`) public func associateSubnetCidrBlock(input: AssociateSubnetCidrBlockInput) async throws -> AssociateSubnetCidrBlockOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2243,7 +2213,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSubnetCidrBlockOutput.httpOutput(from:), AssociateSubnetCidrBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2277,9 +2246,9 @@ extension EC2Client { /// /// Associates the specified subnets and transit gateway attachments with the specified transit gateway multicast domain. The transit gateway attachment must be in the available state before you can add a resource. Use [DescribeTransitGatewayAttachments](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeTransitGatewayAttachments.html) to see the state of the attachment. /// - /// - Parameter AssociateTransitGatewayMulticastDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTransitGatewayMulticastDomainInput`) /// - /// - Returns: `AssociateTransitGatewayMulticastDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTransitGatewayMulticastDomainOutput`) public func associateTransitGatewayMulticastDomain(input: AssociateTransitGatewayMulticastDomainInput) async throws -> AssociateTransitGatewayMulticastDomainOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2306,7 +2275,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTransitGatewayMulticastDomainOutput.httpOutput(from:), AssociateTransitGatewayMulticastDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2340,9 +2308,9 @@ extension EC2Client { /// /// Associates the specified transit gateway attachment with a transit gateway policy table. /// - /// - Parameter AssociateTransitGatewayPolicyTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTransitGatewayPolicyTableInput`) /// - /// - Returns: `AssociateTransitGatewayPolicyTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTransitGatewayPolicyTableOutput`) public func associateTransitGatewayPolicyTable(input: AssociateTransitGatewayPolicyTableInput) async throws -> AssociateTransitGatewayPolicyTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2369,7 +2337,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTransitGatewayPolicyTableOutput.httpOutput(from:), AssociateTransitGatewayPolicyTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2403,9 +2370,9 @@ extension EC2Client { /// /// Associates the specified attachment with the specified transit gateway route table. You can associate only one route table with an attachment. /// - /// - Parameter AssociateTransitGatewayRouteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTransitGatewayRouteTableInput`) /// - /// - Returns: `AssociateTransitGatewayRouteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTransitGatewayRouteTableOutput`) public func associateTransitGatewayRouteTable(input: AssociateTransitGatewayRouteTableInput) async throws -> AssociateTransitGatewayRouteTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2432,7 +2399,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTransitGatewayRouteTableOutput.httpOutput(from:), AssociateTransitGatewayRouteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2466,9 +2432,9 @@ extension EC2Client { /// /// Associates a branch network interface with a trunk network interface. Before you create the association, use [CreateNetworkInterface](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_CreateNetworkInterface.html) command and set the interface type to trunk. You must also create a network interface for each branch network interface that you want to associate with the trunk network interface. /// - /// - Parameter AssociateTrunkInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTrunkInterfaceInput`) /// - /// - Returns: `AssociateTrunkInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTrunkInterfaceOutput`) public func associateTrunkInterface(input: AssociateTrunkInterfaceInput) async throws -> AssociateTrunkInterfaceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2496,7 +2462,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTrunkInterfaceOutput.httpOutput(from:), AssociateTrunkInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2530,9 +2495,9 @@ extension EC2Client { /// /// Associates a CIDR block with your VPC. You can associate a secondary IPv4 CIDR block, an Amazon-provided IPv6 CIDR block, or an IPv6 CIDR block from an IPv6 address pool that you provisioned through bring your own IP addresses ([BYOIP](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-byoip.html)). You must specify one of the following in the request: an IPv4 CIDR block, an IPv6 pool, or an Amazon-provided IPv6 CIDR block. For more information about associating CIDR blocks with your VPC and applicable restrictions, see [IP addressing for your VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-ip-addressing.html) in the Amazon VPC User Guide. /// - /// - Parameter AssociateVpcCidrBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateVpcCidrBlockInput`) /// - /// - Returns: `AssociateVpcCidrBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateVpcCidrBlockOutput`) public func associateVpcCidrBlock(input: AssociateVpcCidrBlockInput) async throws -> AssociateVpcCidrBlockOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2559,7 +2524,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateVpcCidrBlockOutput.httpOutput(from:), AssociateVpcCidrBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2593,9 +2557,9 @@ extension EC2Client { /// /// This action is deprecated. Links an EC2-Classic instance to a ClassicLink-enabled VPC through one or more of the VPC security groups. You cannot link an EC2-Classic instance to more than one VPC at a time. You can only link an instance that's in the running state. An instance is automatically unlinked from a VPC when it's stopped - you can link it to the VPC again when you restart it. After you've linked an instance, you cannot change the VPC security groups that are associated with it. To change the security groups, you must first unlink the instance, and then link it again. Linking your instance to a VPC is sometimes referred to as attaching your instance. /// - /// - Parameter AttachClassicLinkVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachClassicLinkVpcInput`) /// - /// - Returns: `AttachClassicLinkVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachClassicLinkVpcOutput`) public func attachClassicLinkVpc(input: AttachClassicLinkVpcInput) async throws -> AttachClassicLinkVpcOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2622,7 +2586,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachClassicLinkVpcOutput.httpOutput(from:), AttachClassicLinkVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2656,9 +2619,9 @@ extension EC2Client { /// /// Attaches an internet gateway or a virtual private gateway to a VPC, enabling connectivity between the internet and the VPC. For more information, see [Internet gateways](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Internet_Gateway.html) in the Amazon VPC User Guide. /// - /// - Parameter AttachInternetGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachInternetGatewayInput`) /// - /// - Returns: `AttachInternetGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachInternetGatewayOutput`) public func attachInternetGateway(input: AttachInternetGatewayInput) async throws -> AttachInternetGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2685,7 +2648,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachInternetGatewayOutput.httpOutput(from:), AttachInternetGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2719,9 +2681,9 @@ extension EC2Client { /// /// Attaches a network interface to an instance. /// - /// - Parameter AttachNetworkInterfaceInput : Contains the parameters for AttachNetworkInterface. + /// - Parameter input: Contains the parameters for AttachNetworkInterface. (Type: `AttachNetworkInterfaceInput`) /// - /// - Returns: `AttachNetworkInterfaceOutput` : Contains the output of AttachNetworkInterface. + /// - Returns: Contains the output of AttachNetworkInterface. (Type: `AttachNetworkInterfaceOutput`) public func attachNetworkInterface(input: AttachNetworkInterfaceInput) async throws -> AttachNetworkInterfaceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2748,7 +2710,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachNetworkInterfaceOutput.httpOutput(from:), AttachNetworkInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2782,9 +2743,9 @@ extension EC2Client { /// /// Attaches the specified Amazon Web Services Verified Access trust provider to the specified Amazon Web Services Verified Access instance. /// - /// - Parameter AttachVerifiedAccessTrustProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachVerifiedAccessTrustProviderInput`) /// - /// - Returns: `AttachVerifiedAccessTrustProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachVerifiedAccessTrustProviderOutput`) public func attachVerifiedAccessTrustProvider(input: AttachVerifiedAccessTrustProviderInput) async throws -> AttachVerifiedAccessTrustProviderOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2812,7 +2773,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachVerifiedAccessTrustProviderOutput.httpOutput(from:), AttachVerifiedAccessTrustProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2857,9 +2817,9 @@ extension EC2Client { /// /// For more information, see [Attach an Amazon EBS volume to an instance](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-attaching-volume.html) in the Amazon EBS User Guide. /// - /// - Parameter AttachVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachVolumeInput`) /// - /// - Returns: `AttachVolumeOutput` : Describes volume attachment details. + /// - Returns: Describes volume attachment details. (Type: `AttachVolumeOutput`) public func attachVolume(input: AttachVolumeInput) async throws -> AttachVolumeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2886,7 +2846,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachVolumeOutput.httpOutput(from:), AttachVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2920,9 +2879,9 @@ extension EC2Client { /// /// Attaches an available virtual private gateway to a VPC. You can attach one virtual private gateway to one VPC at a time. For more information, see [Amazon Web Services Site-to-Site VPN](https://docs.aws.amazon.com/vpn/latest/s2svpn/VPC_VPN.html) in the Amazon Web Services Site-to-Site VPN User Guide. /// - /// - Parameter AttachVpnGatewayInput : Contains the parameters for AttachVpnGateway. + /// - Parameter input: Contains the parameters for AttachVpnGateway. (Type: `AttachVpnGatewayInput`) /// - /// - Returns: `AttachVpnGatewayOutput` : Contains the output of AttachVpnGateway. + /// - Returns: Contains the output of AttachVpnGateway. (Type: `AttachVpnGatewayOutput`) public func attachVpnGateway(input: AttachVpnGatewayInput) async throws -> AttachVpnGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2949,7 +2908,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachVpnGatewayOutput.httpOutput(from:), AttachVpnGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2983,9 +2941,9 @@ extension EC2Client { /// /// Adds an ingress authorization rule to a Client VPN endpoint. Ingress authorization rules act as firewall rules that grant access to networks. You must configure ingress authorization rules to enable clients to access resources in Amazon Web Services or on-premises networks. /// - /// - Parameter AuthorizeClientVpnIngressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AuthorizeClientVpnIngressInput`) /// - /// - Returns: `AuthorizeClientVpnIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AuthorizeClientVpnIngressOutput`) public func authorizeClientVpnIngress(input: AuthorizeClientVpnIngressInput) async throws -> AuthorizeClientVpnIngressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3013,7 +2971,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeClientVpnIngressOutput.httpOutput(from:), AuthorizeClientVpnIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3047,9 +3004,9 @@ extension EC2Client { /// /// Adds the specified outbound (egress) rules to a security group. An outbound rule permits instances to send traffic to the specified IPv4 or IPv6 address ranges, the IP address ranges specified by a prefix list, or the instances that are associated with a source security group. For more information, see [Security group rules](https://docs.aws.amazon.com/vpc/latest/userguide/security-group-rules.html). You must specify exactly one of the following destinations: an IPv4 or IPv6 address range, a prefix list, or a security group. You must specify a protocol for each rule (for example, TCP). If the protocol is TCP or UDP, you must also specify a port or port range. If the protocol is ICMP or ICMPv6, you must also specify the ICMP type and code. Rule changes are propagated to instances associated with the security group as quickly as possible. However, a small delay might occur. For examples of rules that you can add to security groups for specific access scenarios, see [Security group rules for different use cases](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/security-group-rules-reference.html) in the Amazon EC2 User Guide. For information about security group quotas, see [Amazon VPC quotas](https://docs.aws.amazon.com/vpc/latest/userguide/amazon-vpc-limits.html) in the Amazon VPC User Guide. /// - /// - Parameter AuthorizeSecurityGroupEgressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AuthorizeSecurityGroupEgressInput`) /// - /// - Returns: `AuthorizeSecurityGroupEgressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AuthorizeSecurityGroupEgressOutput`) public func authorizeSecurityGroupEgress(input: AuthorizeSecurityGroupEgressInput) async throws -> AuthorizeSecurityGroupEgressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3076,7 +3033,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeSecurityGroupEgressOutput.httpOutput(from:), AuthorizeSecurityGroupEgressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3110,9 +3066,9 @@ extension EC2Client { /// /// Adds the specified inbound (ingress) rules to a security group. An inbound rule permits instances to receive traffic from the specified IPv4 or IPv6 address range, the IP address ranges that are specified by a prefix list, or the instances that are associated with a destination security group. For more information, see [Security group rules](https://docs.aws.amazon.com/vpc/latest/userguide/security-group-rules.html). You must specify exactly one of the following sources: an IPv4 or IPv6 address range, a prefix list, or a security group. You must specify a protocol for each rule (for example, TCP). If the protocol is TCP or UDP, you must also specify a port or port range. If the protocol is ICMP or ICMPv6, you must also specify the ICMP/ICMPv6 type and code. Rule changes are propagated to instances associated with the security group as quickly as possible. However, a small delay might occur. For examples of rules that you can add to security groups for specific access scenarios, see [Security group rules for different use cases](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/security-group-rules-reference.html) in the Amazon EC2 User Guide. For more information about security group quotas, see [Amazon VPC quotas](https://docs.aws.amazon.com/vpc/latest/userguide/amazon-vpc-limits.html) in the Amazon VPC User Guide. /// - /// - Parameter AuthorizeSecurityGroupIngressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AuthorizeSecurityGroupIngressInput`) /// - /// - Returns: `AuthorizeSecurityGroupIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AuthorizeSecurityGroupIngressOutput`) public func authorizeSecurityGroupIngress(input: AuthorizeSecurityGroupIngressInput) async throws -> AuthorizeSecurityGroupIngressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3139,7 +3095,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeSecurityGroupIngressOutput.httpOutput(from:), AuthorizeSecurityGroupIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3173,9 +3128,9 @@ extension EC2Client { /// /// Bundles an Amazon instance store-backed Windows instance. During bundling, only the root device volume (C:\) is bundled. Data on other instance store volumes is not preserved. This action is not applicable for Linux/Unix instances or Windows instances that are backed by Amazon EBS. /// - /// - Parameter BundleInstanceInput : Contains the parameters for BundleInstance. + /// - Parameter input: Contains the parameters for BundleInstance. (Type: `BundleInstanceInput`) /// - /// - Returns: `BundleInstanceOutput` : Contains the output of BundleInstance. + /// - Returns: Contains the output of BundleInstance. (Type: `BundleInstanceOutput`) public func bundleInstance(input: BundleInstanceInput) async throws -> BundleInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3202,7 +3157,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BundleInstanceOutput.httpOutput(from:), BundleInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3236,9 +3190,9 @@ extension EC2Client { /// /// Cancels a bundling operation for an instance store-backed Windows instance. /// - /// - Parameter CancelBundleTaskInput : Contains the parameters for CancelBundleTask. + /// - Parameter input: Contains the parameters for CancelBundleTask. (Type: `CancelBundleTaskInput`) /// - /// - Returns: `CancelBundleTaskOutput` : Contains the output of CancelBundleTask. + /// - Returns: Contains the output of CancelBundleTask. (Type: `CancelBundleTaskOutput`) public func cancelBundleTask(input: CancelBundleTaskInput) async throws -> CancelBundleTaskOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3265,7 +3219,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelBundleTaskOutput.httpOutput(from:), CancelBundleTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3306,9 +3259,9 @@ extension EC2Client { /// /// You can't modify or cancel a Capacity Block. For more information, see [Capacity Blocks for ML](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-capacity-blocks.html). If a future-dated Capacity Reservation enters the delayed state, the commitment duration is waived, and you can cancel it as soon as it enters the active state. Instances running in the reserved capacity continue running until you stop them. Stopped instances that target the Capacity Reservation can no longer launch. Modify these instances to either target a different Capacity Reservation, launch On-Demand Instance capacity, or run in any open Capacity Reservation that has matching attributes and sufficient capacity. /// - /// - Parameter CancelCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelCapacityReservationInput`) /// - /// - Returns: `CancelCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelCapacityReservationOutput`) public func cancelCapacityReservation(input: CancelCapacityReservationInput) async throws -> CancelCapacityReservationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3335,7 +3288,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelCapacityReservationOutput.httpOutput(from:), CancelCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3375,9 +3327,9 @@ extension EC2Client { /// /// * The Fleet stops creating new Capacity Reservations. /// - /// - Parameter CancelCapacityReservationFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelCapacityReservationFleetsInput`) /// - /// - Returns: `CancelCapacityReservationFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelCapacityReservationFleetsOutput`) public func cancelCapacityReservationFleets(input: CancelCapacityReservationFleetsInput) async throws -> CancelCapacityReservationFleetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3404,7 +3356,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelCapacityReservationFleetsOutput.httpOutput(from:), CancelCapacityReservationFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3438,9 +3389,9 @@ extension EC2Client { /// /// Cancels an active conversion task. The task can be the import of an instance or volume. The action removes all artifacts of the conversion, including a partially uploaded volume or instance. If the conversion is complete or is in the process of transferring the final disk image, the command fails and returns an exception. /// - /// - Parameter CancelConversionTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelConversionTaskInput`) /// - /// - Returns: `CancelConversionTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelConversionTaskOutput`) public func cancelConversionTask(input: CancelConversionTaskInput) async throws -> CancelConversionTaskOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3467,7 +3418,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelConversionTaskOutput.httpOutput(from:), CancelConversionTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3501,9 +3451,9 @@ extension EC2Client { /// /// Cancels the generation of an account status report. You can only cancel a report while it has the running status. Reports with other statuses (complete, cancelled, or error) can't be canceled. For more information, see [Generating the account status report for declarative policies](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_policies_declarative_status-report.html) in the Amazon Web Services Organizations User Guide. /// - /// - Parameter CancelDeclarativePoliciesReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelDeclarativePoliciesReportInput`) /// - /// - Returns: `CancelDeclarativePoliciesReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelDeclarativePoliciesReportOutput`) public func cancelDeclarativePoliciesReport(input: CancelDeclarativePoliciesReportInput) async throws -> CancelDeclarativePoliciesReportOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3530,7 +3480,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelDeclarativePoliciesReportOutput.httpOutput(from:), CancelDeclarativePoliciesReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3564,9 +3513,9 @@ extension EC2Client { /// /// Cancels an active export task. The request removes all artifacts of the export, including any partially-created Amazon S3 objects. If the export task is complete or is in the process of transferring the final disk image, the command fails and returns an error. /// - /// - Parameter CancelExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelExportTaskInput`) /// - /// - Returns: `CancelExportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelExportTaskOutput`) public func cancelExportTask(input: CancelExportTaskInput) async throws -> CancelExportTaskOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3593,7 +3542,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelExportTaskOutput.httpOutput(from:), CancelExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3627,9 +3575,9 @@ extension EC2Client { /// /// Removes your Amazon Web Services account from the launch permissions for the specified AMI. For more information, see [Cancel having an AMI shared with your Amazon Web Services account](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/cancel-sharing-an-AMI.html) in the Amazon EC2 User Guide. /// - /// - Parameter CancelImageLaunchPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelImageLaunchPermissionInput`) /// - /// - Returns: `CancelImageLaunchPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelImageLaunchPermissionOutput`) public func cancelImageLaunchPermission(input: CancelImageLaunchPermissionInput) async throws -> CancelImageLaunchPermissionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3656,7 +3604,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelImageLaunchPermissionOutput.httpOutput(from:), CancelImageLaunchPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3690,9 +3637,9 @@ extension EC2Client { /// /// Cancels an in-process import virtual machine or import snapshot task. /// - /// - Parameter CancelImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelImportTaskInput`) /// - /// - Returns: `CancelImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelImportTaskOutput`) public func cancelImportTask(input: CancelImportTaskInput) async throws -> CancelImportTaskOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3719,7 +3666,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelImportTaskOutput.httpOutput(from:), CancelImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3753,9 +3699,9 @@ extension EC2Client { /// /// Cancels the specified Reserved Instance listing in the Reserved Instance Marketplace. For more information, see [Sell in the Reserved Instance Marketplace](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ri-market-general.html) in the Amazon EC2 User Guide. /// - /// - Parameter CancelReservedInstancesListingInput : Contains the parameters for CancelReservedInstancesListing. + /// - Parameter input: Contains the parameters for CancelReservedInstancesListing. (Type: `CancelReservedInstancesListingInput`) /// - /// - Returns: `CancelReservedInstancesListingOutput` : Contains the output of CancelReservedInstancesListing. + /// - Returns: Contains the output of CancelReservedInstancesListing. (Type: `CancelReservedInstancesListingOutput`) public func cancelReservedInstancesListing(input: CancelReservedInstancesListingInput) async throws -> CancelReservedInstancesListingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3782,7 +3728,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelReservedInstancesListingOutput.httpOutput(from:), CancelReservedInstancesListingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3818,9 +3763,9 @@ extension EC2Client { /// /// * You can delete up to 100 fleets in a single request. If you exceed the specified number, no fleets are deleted. /// - /// - Parameter CancelSpotFleetRequestsInput : Contains the parameters for CancelSpotFleetRequests. + /// - Parameter input: Contains the parameters for CancelSpotFleetRequests. (Type: `CancelSpotFleetRequestsInput`) /// - /// - Returns: `CancelSpotFleetRequestsOutput` : Contains the output of CancelSpotFleetRequests. + /// - Returns: Contains the output of CancelSpotFleetRequests. (Type: `CancelSpotFleetRequestsOutput`) public func cancelSpotFleetRequests(input: CancelSpotFleetRequestsInput) async throws -> CancelSpotFleetRequestsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3847,7 +3792,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSpotFleetRequestsOutput.httpOutput(from:), CancelSpotFleetRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3881,9 +3825,9 @@ extension EC2Client { /// /// Cancels one or more Spot Instance requests. Canceling a Spot Instance request does not terminate running Spot Instances associated with the request. /// - /// - Parameter CancelSpotInstanceRequestsInput : Contains the parameters for CancelSpotInstanceRequests. + /// - Parameter input: Contains the parameters for CancelSpotInstanceRequests. (Type: `CancelSpotInstanceRequestsInput`) /// - /// - Returns: `CancelSpotInstanceRequestsOutput` : Contains the output of CancelSpotInstanceRequests. + /// - Returns: Contains the output of CancelSpotInstanceRequests. (Type: `CancelSpotInstanceRequestsOutput`) public func cancelSpotInstanceRequests(input: CancelSpotInstanceRequestsInput) async throws -> CancelSpotInstanceRequestsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3910,7 +3854,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSpotInstanceRequestsOutput.httpOutput(from:), CancelSpotInstanceRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3944,9 +3887,9 @@ extension EC2Client { /// /// Determines whether a product code is associated with an instance. This action can only be used by the owner of the product code. It is useful when a product code owner must verify whether another user's instance is eligible for support. /// - /// - Parameter ConfirmProductInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConfirmProductInstanceInput`) /// - /// - Returns: `ConfirmProductInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfirmProductInstanceOutput`) public func confirmProductInstance(input: ConfirmProductInstanceInput) async throws -> ConfirmProductInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3973,7 +3916,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmProductInstanceOutput.httpOutput(from:), ConfirmProductInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4007,9 +3949,9 @@ extension EC2Client { /// /// Copies the specified Amazon FPGA Image (AFI) to the current Region. /// - /// - Parameter CopyFpgaImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyFpgaImageInput`) /// - /// - Returns: `CopyFpgaImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyFpgaImageOutput`) public func copyFpgaImage(input: CopyFpgaImageInput) async throws -> CopyFpgaImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4036,7 +3978,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyFpgaImageOutput.httpOutput(from:), CopyFpgaImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4118,9 +4059,9 @@ extension EC2Client { /// /// For more information, including the required permissions for copying an AMI, see [Copy an Amazon EC2 AMI](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/CopyingAMIs.html) in the Amazon EC2 User Guide. /// - /// - Parameter CopyImageInput : Contains the parameters for CopyImage. + /// - Parameter input: Contains the parameters for CopyImage. (Type: `CopyImageInput`) /// - /// - Returns: `CopyImageOutput` : Contains the output of CopyImage. + /// - Returns: Contains the output of CopyImage. (Type: `CopyImageOutput`) public func copyImage(input: CopyImageInput) async throws -> CopyImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4148,7 +4089,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyImageOutput.httpOutput(from:), CopyImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4191,9 +4131,9 @@ extension EC2Client { /// /// When copying snapshots to a Region, the encryption outcome for the snapshot copy depends on the Amazon EBS encryption by default setting for the destination Region, the encryption status of the source snapshot, and the encryption parameters you specify in the request. For more information, see [ Encryption and snapshot copying](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-copy-snapshot.html#creating-encrypted-snapshots). Snapshots copied to an Outpost must be encrypted. Unencrypted snapshots are not supported on Outposts. For more information, [ Amazon EBS local snapshots on Outposts](https://docs.aws.amazon.com/ebs/latest/userguide/snapshots-outposts.html#considerations). Snapshots copies have an arbitrary source volume ID. Do not use this volume ID for any purpose. For more information, see [Copy an Amazon EBS snapshot](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-copy-snapshot.html) in the Amazon EBS User Guide. /// - /// - Parameter CopySnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopySnapshotInput`) /// - /// - Returns: `CopySnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopySnapshotOutput`) public func copySnapshot(input: CopySnapshotInput) async throws -> CopySnapshotOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4220,7 +4160,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopySnapshotOutput.httpOutput(from:), CopySnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4258,9 +4197,9 @@ extension EC2Client { /// /// * The requested quantity exceeds your On-Demand Instance quota. In this case, increase your On-Demand Instance quota for the requested instance type and try again. For more information, see [ Amazon EC2 Service Quotas](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-resource-limits.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCapacityReservationInput`) /// - /// - Returns: `CreateCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCapacityReservationOutput`) public func createCapacityReservation(input: CreateCapacityReservationInput) async throws -> CreateCapacityReservationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4287,7 +4226,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCapacityReservationOutput.httpOutput(from:), CreateCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4321,9 +4259,9 @@ extension EC2Client { /// /// Create a new Capacity Reservation by splitting the capacity of the source Capacity Reservation. The new Capacity Reservation will have the same attributes as the source Capacity Reservation except for tags. The source Capacity Reservation must be active and owned by your Amazon Web Services account. /// - /// - Parameter CreateCapacityReservationBySplittingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCapacityReservationBySplittingInput`) /// - /// - Returns: `CreateCapacityReservationBySplittingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCapacityReservationBySplittingOutput`) public func createCapacityReservationBySplitting(input: CreateCapacityReservationBySplittingInput) async throws -> CreateCapacityReservationBySplittingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4351,7 +4289,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCapacityReservationBySplittingOutput.httpOutput(from:), CreateCapacityReservationBySplittingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4385,9 +4322,9 @@ extension EC2Client { /// /// Creates a Capacity Reservation Fleet. For more information, see [Create a Capacity Reservation Fleet](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/work-with-cr-fleets.html#create-crfleet) in the Amazon EC2 User Guide. /// - /// - Parameter CreateCapacityReservationFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCapacityReservationFleetInput`) /// - /// - Returns: `CreateCapacityReservationFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCapacityReservationFleetOutput`) public func createCapacityReservationFleet(input: CreateCapacityReservationFleetInput) async throws -> CreateCapacityReservationFleetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4415,7 +4352,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCapacityReservationFleetOutput.httpOutput(from:), CreateCapacityReservationFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4449,9 +4385,9 @@ extension EC2Client { /// /// Creates a carrier gateway. For more information about carrier gateways, see [Carrier gateways](https://docs.aws.amazon.com/wavelength/latest/developerguide/how-wavelengths-work.html#wavelength-carrier-gateway) in the Amazon Web Services Wavelength Developer Guide. /// - /// - Parameter CreateCarrierGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCarrierGatewayInput`) /// - /// - Returns: `CreateCarrierGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCarrierGatewayOutput`) public func createCarrierGateway(input: CreateCarrierGatewayInput) async throws -> CreateCarrierGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4479,7 +4415,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCarrierGatewayOutput.httpOutput(from:), CreateCarrierGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4513,9 +4448,9 @@ extension EC2Client { /// /// Creates a Client VPN endpoint. A Client VPN endpoint is the resource you create and configure to enable and manage client VPN sessions. It is the destination endpoint at which all client VPN sessions are terminated. /// - /// - Parameter CreateClientVpnEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClientVpnEndpointInput`) /// - /// - Returns: `CreateClientVpnEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClientVpnEndpointOutput`) public func createClientVpnEndpoint(input: CreateClientVpnEndpointInput) async throws -> CreateClientVpnEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4543,7 +4478,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClientVpnEndpointOutput.httpOutput(from:), CreateClientVpnEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4577,9 +4511,9 @@ extension EC2Client { /// /// Adds a route to a network to a Client VPN endpoint. Each Client VPN endpoint has a route table that describes the available destination network routes. Each route in the route table specifies the path for traffic to specific resources or networks. /// - /// - Parameter CreateClientVpnRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClientVpnRouteInput`) /// - /// - Returns: `CreateClientVpnRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClientVpnRouteOutput`) public func createClientVpnRoute(input: CreateClientVpnRouteInput) async throws -> CreateClientVpnRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4607,7 +4541,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClientVpnRouteOutput.httpOutput(from:), CreateClientVpnRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4641,9 +4574,9 @@ extension EC2Client { /// /// Creates a range of customer-owned IP addresses. /// - /// - Parameter CreateCoipCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCoipCidrInput`) /// - /// - Returns: `CreateCoipCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCoipCidrOutput`) public func createCoipCidr(input: CreateCoipCidrInput) async throws -> CreateCoipCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4670,7 +4603,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCoipCidrOutput.httpOutput(from:), CreateCoipCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4704,9 +4636,9 @@ extension EC2Client { /// /// Creates a pool of customer-owned IP (CoIP) addresses. /// - /// - Parameter CreateCoipPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCoipPoolInput`) /// - /// - Returns: `CreateCoipPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCoipPoolOutput`) public func createCoipPool(input: CreateCoipPoolInput) async throws -> CreateCoipPoolOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4733,7 +4665,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCoipPoolOutput.httpOutput(from:), CreateCoipPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4767,9 +4698,9 @@ extension EC2Client { /// /// Provides information to Amazon Web Services about your customer gateway device. The customer gateway device is the appliance at your end of the VPN connection. You must provide the IP address of the customer gateway device’s external interface. The IP address must be static and can be behind a device performing network address translation (NAT). For devices that use Border Gateway Protocol (BGP), you can also provide the device's BGP Autonomous System Number (ASN). You can use an existing ASN assigned to your network. If you don't have an ASN already, you can use a private ASN. For more information, see [Customer gateway options for your Site-to-Site VPN connection](https://docs.aws.amazon.com/vpn/latest/s2svpn/cgw-options.html) in the Amazon Web Services Site-to-Site VPN User Guide. To create more than one customer gateway with the same VPN type, IP address, and BGP ASN, specify a unique device name for each customer gateway. An identical request returns information about the existing customer gateway; it doesn't create a new customer gateway. /// - /// - Parameter CreateCustomerGatewayInput : Contains the parameters for CreateCustomerGateway. + /// - Parameter input: Contains the parameters for CreateCustomerGateway. (Type: `CreateCustomerGatewayInput`) /// - /// - Returns: `CreateCustomerGatewayOutput` : Contains the output of CreateCustomerGateway. + /// - Returns: Contains the output of CreateCustomerGateway. (Type: `CreateCustomerGatewayOutput`) public func createCustomerGateway(input: CreateCustomerGatewayInput) async throws -> CreateCustomerGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4796,7 +4727,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomerGatewayOutput.httpOutput(from:), CreateCustomerGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4830,9 +4760,9 @@ extension EC2Client { /// /// Creates a default subnet with a size /20 IPv4 CIDR block in the specified Availability Zone in your default VPC. You can have only one default subnet per Availability Zone. For more information, see [Create a default subnet](https://docs.aws.amazon.com/vpc/latest/userguide/work-with-default-vpc.html#create-default-subnet) in the Amazon VPC User Guide. /// - /// - Parameter CreateDefaultSubnetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDefaultSubnetInput`) /// - /// - Returns: `CreateDefaultSubnetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDefaultSubnetOutput`) public func createDefaultSubnet(input: CreateDefaultSubnetInput) async throws -> CreateDefaultSubnetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4859,7 +4789,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDefaultSubnetOutput.httpOutput(from:), CreateDefaultSubnetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4893,9 +4822,9 @@ extension EC2Client { /// /// Creates a default VPC with a size /16 IPv4 CIDR block and a default subnet in each Availability Zone. For more information about the components of a default VPC, see [Default VPCs](https://docs.aws.amazon.com/vpc/latest/userguide/default-vpc.html) in the Amazon VPC User Guide. You cannot specify the components of the default VPC yourself. If you deleted your previous default VPC, you can create a default VPC. You cannot have more than one default VPC per Region. /// - /// - Parameter CreateDefaultVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDefaultVpcInput`) /// - /// - Returns: `CreateDefaultVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDefaultVpcOutput`) public func createDefaultVpc(input: CreateDefaultVpcInput) async throws -> CreateDefaultVpcOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4922,7 +4851,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDefaultVpcOutput.httpOutput(from:), CreateDefaultVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4956,9 +4884,9 @@ extension EC2Client { /// /// Delegates ownership of the Amazon EBS root volume for an Apple silicon Mac instance to an administrative user. /// - /// - Parameter CreateDelegateMacVolumeOwnershipTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDelegateMacVolumeOwnershipTaskInput`) /// - /// - Returns: `CreateDelegateMacVolumeOwnershipTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDelegateMacVolumeOwnershipTaskOutput`) public func createDelegateMacVolumeOwnershipTask(input: CreateDelegateMacVolumeOwnershipTaskInput) async throws -> CreateDelegateMacVolumeOwnershipTaskOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4986,7 +4914,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDelegateMacVolumeOwnershipTaskOutput.httpOutput(from:), CreateDelegateMacVolumeOwnershipTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5032,9 +4959,9 @@ extension EC2Client { /// /// * ipv6-address-preferred-lease-time - A value (in seconds, minutes, hours, or years) for how frequently a running instance with an IPv6 assigned to it goes through DHCPv6 lease renewal. Acceptable values are between 140 and 2147483647 seconds (approximately 68 years). If no value is entered, the default lease time is 140 seconds. If you use long-term addressing for EC2 instances, you can increase the lease time and avoid frequent lease renewal requests. Lease renewal typically occurs when half of the lease time has elapsed. /// - /// - Parameter CreateDhcpOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDhcpOptionsInput`) /// - /// - Returns: `CreateDhcpOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDhcpOptionsOutput`) public func createDhcpOptions(input: CreateDhcpOptionsInput) async throws -> CreateDhcpOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5061,7 +4988,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDhcpOptionsOutput.httpOutput(from:), CreateDhcpOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5095,9 +5021,9 @@ extension EC2Client { /// /// [IPv6 only] Creates an egress-only internet gateway for your VPC. An egress-only internet gateway is used to enable outbound communication over IPv6 from instances in your VPC to the internet, and prevents hosts outside of your VPC from initiating an IPv6 connection with your instance. /// - /// - Parameter CreateEgressOnlyInternetGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEgressOnlyInternetGatewayInput`) /// - /// - Returns: `CreateEgressOnlyInternetGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEgressOnlyInternetGatewayOutput`) public func createEgressOnlyInternetGateway(input: CreateEgressOnlyInternetGatewayInput) async throws -> CreateEgressOnlyInternetGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5124,7 +5050,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEgressOnlyInternetGatewayOutput.httpOutput(from:), CreateEgressOnlyInternetGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5158,9 +5083,9 @@ extension EC2Client { /// /// Creates an EC2 Fleet that contains the configuration information for On-Demand Instances and Spot Instances. Instances are launched immediately if there is available capacity. A single EC2 Fleet can include multiple launch specifications that vary by instance type, AMI, Availability Zone, or subnet. For more information, see [EC2 Fleet](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-fleet.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFleetInput`) /// - /// - Returns: `CreateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFleetOutput`) public func createFleet(input: CreateFleetInput) async throws -> CreateFleetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5188,7 +5113,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFleetOutput.httpOutput(from:), CreateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5222,9 +5146,9 @@ extension EC2Client { /// /// Creates one or more flow logs to capture information about IP traffic for a specific network interface, subnet, or VPC. Flow log data for a monitored network interface is recorded as flow log records, which are log events consisting of fields that describe the traffic flow. For more information, see [Flow log records](https://docs.aws.amazon.com/vpc/latest/userguide/flow-log-records.html) in the Amazon VPC User Guide. When publishing to CloudWatch Logs, flow log records are published to a log group, and each network interface has a unique log stream in the log group. When publishing to Amazon S3, flow log records for all of the monitored network interfaces are published to a single log file object that is stored in the specified bucket. For more information, see [VPC Flow Logs](https://docs.aws.amazon.com/vpc/latest/userguide/flow-logs.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateFlowLogsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFlowLogsInput`) /// - /// - Returns: `CreateFlowLogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFlowLogsOutput`) public func createFlowLogs(input: CreateFlowLogsInput) async throws -> CreateFlowLogsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5251,7 +5175,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFlowLogsOutput.httpOutput(from:), CreateFlowLogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5285,9 +5208,9 @@ extension EC2Client { /// /// Creates an Amazon FPGA Image (AFI) from the specified design checkpoint (DCP). The create operation is asynchronous. To verify that the AFI was successfully created and is ready for use, check the output logs. An AFI contains the FPGA bitstream that is ready to download to an FPGA. You can securely deploy an AFI on multiple FPGA-accelerated instances. For more information, see the [Amazon Web Services FPGA Hardware Development Kit](https://github.com/aws/aws-fpga/). /// - /// - Parameter CreateFpgaImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFpgaImageInput`) /// - /// - Returns: `CreateFpgaImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFpgaImageOutput`) public func createFpgaImage(input: CreateFpgaImageInput) async throws -> CreateFpgaImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5314,7 +5237,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFpgaImageOutput.httpOutput(from:), CreateFpgaImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5355,9 +5277,9 @@ extension EC2Client { /// /// For more information, see [Create an Amazon EBS-backed AMI](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/creating-an-ami-ebs.html) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter CreateImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImageInput`) /// - /// - Returns: `CreateImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImageOutput`) public func createImage(input: CreateImageInput) async throws -> CreateImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5384,7 +5306,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImageOutput.httpOutput(from:), CreateImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5418,9 +5339,9 @@ extension EC2Client { /// /// Creates a report that shows how your image is used across other Amazon Web Services accounts. The report provides visibility into which accounts are using the specified image, and how many resources (EC2 instances or launch templates) are referencing it. For more information, see [View your AMI usage](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/your-ec2-ami-usage.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateImageUsageReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImageUsageReportInput`) /// - /// - Returns: `CreateImageUsageReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImageUsageReportOutput`) public func createImageUsageReport(input: CreateImageUsageReportInput) async throws -> CreateImageUsageReportOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5448,7 +5369,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImageUsageReportOutput.httpOutput(from:), CreateImageUsageReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5482,9 +5402,9 @@ extension EC2Client { /// /// Creates an EC2 Instance Connect Endpoint. An EC2 Instance Connect Endpoint allows you to connect to an instance, without requiring the instance to have a public IPv4 or public IPv6 address. For more information, see [Connect to your instances using EC2 Instance Connect Endpoint](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Connect-using-EC2-Instance-Connect-Endpoint.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateInstanceConnectEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstanceConnectEndpointInput`) /// - /// - Returns: `CreateInstanceConnectEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstanceConnectEndpointOutput`) public func createInstanceConnectEndpoint(input: CreateInstanceConnectEndpointInput) async throws -> CreateInstanceConnectEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5512,7 +5432,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceConnectEndpointOutput.httpOutput(from:), CreateInstanceConnectEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5553,9 +5472,9 @@ extension EC2Client { /// /// For more information, see [Define event windows for scheduled events](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/event-windows.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateInstanceEventWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstanceEventWindowInput`) /// - /// - Returns: `CreateInstanceEventWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstanceEventWindowOutput`) public func createInstanceEventWindow(input: CreateInstanceEventWindowInput) async throws -> CreateInstanceEventWindowOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5582,7 +5501,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceEventWindowOutput.httpOutput(from:), CreateInstanceEventWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5616,9 +5534,9 @@ extension EC2Client { /// /// Exports a running or stopped instance to an Amazon S3 bucket. For information about the prerequisites for your Amazon S3 bucket, supported operating systems, image formats, and known limitations for the types of instances you can export, see [Exporting an instance as a VM Using VM Import/Export](https://docs.aws.amazon.com/vm-import/latest/userguide/vmexport.html) in the VM Import/Export User Guide. /// - /// - Parameter CreateInstanceExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstanceExportTaskInput`) /// - /// - Returns: `CreateInstanceExportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstanceExportTaskOutput`) public func createInstanceExportTask(input: CreateInstanceExportTaskInput) async throws -> CreateInstanceExportTaskOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5645,7 +5563,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceExportTaskOutput.httpOutput(from:), CreateInstanceExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5679,9 +5596,9 @@ extension EC2Client { /// /// Creates an internet gateway for use with a VPC. After creating the internet gateway, you attach it to a VPC using [AttachInternetGateway]. For more information, see [Internet gateways](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Internet_Gateway.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateInternetGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInternetGatewayInput`) /// - /// - Returns: `CreateInternetGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInternetGatewayOutput`) public func createInternetGateway(input: CreateInternetGatewayInput) async throws -> CreateInternetGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5708,7 +5625,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInternetGatewayOutput.httpOutput(from:), CreateInternetGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5742,9 +5658,9 @@ extension EC2Client { /// /// Create an IPAM. Amazon VPC IP Address Manager (IPAM) is a VPC feature that you can use to automate your IP address management workflows including assigning, tracking, troubleshooting, and auditing IP addresses across Amazon Web Services Regions and accounts throughout your Amazon Web Services Organization. For more information, see [Create an IPAM](https://docs.aws.amazon.com/vpc/latest/ipam/create-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter CreateIpamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIpamInput`) /// - /// - Returns: `CreateIpamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIpamOutput`) public func createIpam(input: CreateIpamInput) async throws -> CreateIpamOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5772,7 +5688,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIpamOutput.httpOutput(from:), CreateIpamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5806,9 +5721,9 @@ extension EC2Client { /// /// Create a verification token. A verification token is an Amazon Web Services-generated random value that you can use to prove ownership of an external resource. For example, you can use a verification token to validate that you control a public IP address range when you bring an IP address range to Amazon Web Services (BYOIP). /// - /// - Parameter CreateIpamExternalResourceVerificationTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIpamExternalResourceVerificationTokenInput`) /// - /// - Returns: `CreateIpamExternalResourceVerificationTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIpamExternalResourceVerificationTokenOutput`) public func createIpamExternalResourceVerificationToken(input: CreateIpamExternalResourceVerificationTokenInput) async throws -> CreateIpamExternalResourceVerificationTokenOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5836,7 +5751,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIpamExternalResourceVerificationTokenOutput.httpOutput(from:), CreateIpamExternalResourceVerificationTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5870,9 +5784,9 @@ extension EC2Client { /// /// Create an IP address pool for Amazon VPC IP Address Manager (IPAM). In IPAM, a pool is a collection of contiguous IP addresses CIDRs. Pools enable you to organize your IP addresses according to your routing and security needs. For example, if you have separate routing and security needs for development and production applications, you can create a pool for each. For more information, see [Create a top-level pool](https://docs.aws.amazon.com/vpc/latest/ipam/create-top-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter CreateIpamPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIpamPoolInput`) /// - /// - Returns: `CreateIpamPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIpamPoolOutput`) public func createIpamPool(input: CreateIpamPoolInput) async throws -> CreateIpamPoolOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5900,7 +5814,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIpamPoolOutput.httpOutput(from:), CreateIpamPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5934,9 +5847,9 @@ extension EC2Client { /// /// Creates an IPAM resource discovery. A resource discovery is an IPAM component that enables IPAM to manage and monitor resources that belong to the owning account. /// - /// - Parameter CreateIpamResourceDiscoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIpamResourceDiscoveryInput`) /// - /// - Returns: `CreateIpamResourceDiscoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIpamResourceDiscoveryOutput`) public func createIpamResourceDiscovery(input: CreateIpamResourceDiscoveryInput) async throws -> CreateIpamResourceDiscoveryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5964,7 +5877,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIpamResourceDiscoveryOutput.httpOutput(from:), CreateIpamResourceDiscoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5998,9 +5910,9 @@ extension EC2Client { /// /// Create an IPAM scope. In IPAM, a scope is the highest-level container within IPAM. An IPAM contains two default scopes. Each scope represents the IP space for a single network. The private scope is intended for all private IP address space. The public scope is intended for all public IP address space. Scopes enable you to reuse IP addresses across multiple unconnected networks without causing IP address overlap or conflict. For more information, see [Add a scope](https://docs.aws.amazon.com/vpc/latest/ipam/add-scope-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter CreateIpamScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIpamScopeInput`) /// - /// - Returns: `CreateIpamScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIpamScopeOutput`) public func createIpamScope(input: CreateIpamScopeInput) async throws -> CreateIpamScopeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6028,7 +5940,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIpamScopeOutput.httpOutput(from:), CreateIpamScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6062,9 +5973,9 @@ extension EC2Client { /// /// Creates an ED25519 or 2048-bit RSA key pair with the specified name and in the specified format. Amazon EC2 stores the public key and displays the private key for you to save to a file. The private key is returned as an unencrypted PEM encoded PKCS#1 private key or an unencrypted PPK formatted private key for use with PuTTY. If a key with the specified name already exists, Amazon EC2 returns an error. The key pair returned to you is available only in the Amazon Web Services Region in which you create it. If you prefer, you can create your own key pair using a third-party tool and upload it to any Region using [ImportKeyPair]. You can have up to 5,000 key pairs per Amazon Web Services Region. For more information, see [Amazon EC2 key pairs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-key-pairs.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKeyPairInput`) /// - /// - Returns: `CreateKeyPairOutput` : Describes a key pair. + /// - Returns: Describes a key pair. (Type: `CreateKeyPairOutput`) public func createKeyPair(input: CreateKeyPairInput) async throws -> CreateKeyPairOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6091,7 +6002,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKeyPairOutput.httpOutput(from:), CreateKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6125,9 +6035,9 @@ extension EC2Client { /// /// Creates a launch template. A launch template contains the parameters to launch an instance. When you launch an instance using [RunInstances], you can specify a launch template instead of providing the launch parameters in the request. For more information, see [Store instance launch parameters in Amazon EC2 launch templates](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-launch-templates.html) in the Amazon EC2 User Guide. To clone an existing launch template as the basis for a new launch template, use the Amazon EC2 console. The API, SDKs, and CLI do not support cloning a template. For more information, see [Create a launch template from an existing launch template](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/create-launch-template.html#create-launch-template-from-existing-launch-template) in the Amazon EC2 User Guide. /// - /// - Parameter CreateLaunchTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLaunchTemplateInput`) /// - /// - Returns: `CreateLaunchTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLaunchTemplateOutput`) public func createLaunchTemplate(input: CreateLaunchTemplateInput) async throws -> CreateLaunchTemplateOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6155,7 +6065,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLaunchTemplateOutput.httpOutput(from:), CreateLaunchTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6189,9 +6098,9 @@ extension EC2Client { /// /// Creates a new version of a launch template. You must specify an existing launch template, either by name or ID. You can determine whether the new version inherits parameters from a source version, and add or overwrite parameters as needed. Launch template versions are numbered in the order in which they are created. You can't specify, change, or replace the numbering of launch template versions. Launch templates are immutable; after you create a launch template, you can't modify it. Instead, you can create a new version of the launch template that includes the changes that you require. For more information, see [Modify a launch template (manage launch template versions)](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/manage-launch-template-versions.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateLaunchTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLaunchTemplateVersionInput`) /// - /// - Returns: `CreateLaunchTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLaunchTemplateVersionOutput`) public func createLaunchTemplateVersion(input: CreateLaunchTemplateVersionInput) async throws -> CreateLaunchTemplateVersionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6219,7 +6128,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLaunchTemplateVersionOutput.httpOutput(from:), CreateLaunchTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6257,9 +6165,9 @@ extension EC2Client { /// /// * NetworkInterfaceId /// - /// - Parameter CreateLocalGatewayRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocalGatewayRouteInput`) /// - /// - Returns: `CreateLocalGatewayRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocalGatewayRouteOutput`) public func createLocalGatewayRoute(input: CreateLocalGatewayRouteInput) async throws -> CreateLocalGatewayRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6286,7 +6194,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocalGatewayRouteOutput.httpOutput(from:), CreateLocalGatewayRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6320,9 +6227,9 @@ extension EC2Client { /// /// Creates a local gateway route table. /// - /// - Parameter CreateLocalGatewayRouteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocalGatewayRouteTableInput`) /// - /// - Returns: `CreateLocalGatewayRouteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocalGatewayRouteTableOutput`) public func createLocalGatewayRouteTable(input: CreateLocalGatewayRouteTableInput) async throws -> CreateLocalGatewayRouteTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6349,7 +6256,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocalGatewayRouteTableOutput.httpOutput(from:), CreateLocalGatewayRouteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6383,9 +6289,9 @@ extension EC2Client { /// /// Creates a local gateway route table virtual interface group association. /// - /// - Parameter CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationInput`) /// - /// - Returns: `CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationOutput`) public func createLocalGatewayRouteTableVirtualInterfaceGroupAssociation(input: CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationInput) async throws -> CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6412,7 +6318,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationOutput.httpOutput(from:), CreateLocalGatewayRouteTableVirtualInterfaceGroupAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6446,9 +6351,9 @@ extension EC2Client { /// /// Associates the specified VPC with the specified local gateway route table. /// - /// - Parameter CreateLocalGatewayRouteTableVpcAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocalGatewayRouteTableVpcAssociationInput`) /// - /// - Returns: `CreateLocalGatewayRouteTableVpcAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocalGatewayRouteTableVpcAssociationOutput`) public func createLocalGatewayRouteTableVpcAssociation(input: CreateLocalGatewayRouteTableVpcAssociationInput) async throws -> CreateLocalGatewayRouteTableVpcAssociationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6475,7 +6380,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocalGatewayRouteTableVpcAssociationOutput.httpOutput(from:), CreateLocalGatewayRouteTableVpcAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6509,9 +6413,9 @@ extension EC2Client { /// /// Create a virtual interface for a local gateway. /// - /// - Parameter CreateLocalGatewayVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocalGatewayVirtualInterfaceInput`) /// - /// - Returns: `CreateLocalGatewayVirtualInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocalGatewayVirtualInterfaceOutput`) public func createLocalGatewayVirtualInterface(input: CreateLocalGatewayVirtualInterfaceInput) async throws -> CreateLocalGatewayVirtualInterfaceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6538,7 +6442,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocalGatewayVirtualInterfaceOutput.httpOutput(from:), CreateLocalGatewayVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6572,9 +6475,9 @@ extension EC2Client { /// /// Create a local gateway virtual interface group. /// - /// - Parameter CreateLocalGatewayVirtualInterfaceGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocalGatewayVirtualInterfaceGroupInput`) /// - /// - Returns: `CreateLocalGatewayVirtualInterfaceGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocalGatewayVirtualInterfaceGroupOutput`) public func createLocalGatewayVirtualInterfaceGroup(input: CreateLocalGatewayVirtualInterfaceGroupInput) async throws -> CreateLocalGatewayVirtualInterfaceGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6601,7 +6504,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocalGatewayVirtualInterfaceGroupOutput.httpOutput(from:), CreateLocalGatewayVirtualInterfaceGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6644,9 +6546,9 @@ extension EC2Client { /// /// * MacSystemIntegrityProtectionConfigurationRequest "NvramProtections=disabled" /// - /// - Parameter CreateMacSystemIntegrityProtectionModificationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMacSystemIntegrityProtectionModificationTaskInput`) /// - /// - Returns: `CreateMacSystemIntegrityProtectionModificationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMacSystemIntegrityProtectionModificationTaskOutput`) public func createMacSystemIntegrityProtectionModificationTask(input: CreateMacSystemIntegrityProtectionModificationTaskInput) async throws -> CreateMacSystemIntegrityProtectionModificationTaskOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6674,7 +6576,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMacSystemIntegrityProtectionModificationTaskOutput.httpOutput(from:), CreateMacSystemIntegrityProtectionModificationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6708,9 +6609,9 @@ extension EC2Client { /// /// Creates a managed prefix list. You can specify entries for the prefix list. Each entry consists of a CIDR block and an optional description. /// - /// - Parameter CreateManagedPrefixListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateManagedPrefixListInput`) /// - /// - Returns: `CreateManagedPrefixListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateManagedPrefixListOutput`) public func createManagedPrefixList(input: CreateManagedPrefixListInput) async throws -> CreateManagedPrefixListOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6738,7 +6639,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateManagedPrefixListOutput.httpOutput(from:), CreateManagedPrefixListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6772,9 +6672,9 @@ extension EC2Client { /// /// Creates a NAT gateway in the specified subnet. This action creates a network interface in the specified subnet with a private IP address from the IP address range of the subnet. You can create either a public NAT gateway or a private NAT gateway. With a public NAT gateway, internet-bound traffic from a private subnet can be routed to the NAT gateway, so that instances in a private subnet can connect to the internet. With a private NAT gateway, private communication is routed across VPCs and on-premises networks through a transit gateway or virtual private gateway. Common use cases include running large workloads behind a small pool of allowlisted IPv4 addresses, preserving private IPv4 addresses, and communicating between overlapping networks. For more information, see [NAT gateways](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-nat-gateway.html) in the Amazon VPC User Guide. When you create a public NAT gateway and assign it an EIP or secondary EIPs, the network border group of the EIPs must match the network border group of the Availability Zone (AZ) that the public NAT gateway is in. If it's not the same, the NAT gateway will fail to launch. You can see the network border group for the subnet's AZ by viewing the details of the subnet. Similarly, you can view the network border group of an EIP by viewing the details of the EIP address. For more information about network border groups and EIPs, see [Allocate an Elastic IP address](https://docs.aws.amazon.com/vpc/latest/userguide/WorkWithEIPs.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateNatGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNatGatewayInput`) /// - /// - Returns: `CreateNatGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNatGatewayOutput`) public func createNatGateway(input: CreateNatGatewayInput) async throws -> CreateNatGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6802,7 +6702,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNatGatewayOutput.httpOutput(from:), CreateNatGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6836,9 +6735,9 @@ extension EC2Client { /// /// Creates a network ACL in a VPC. Network ACLs provide an optional layer of security (in addition to security groups) for the instances in your VPC. For more information, see [Network ACLs](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-network-acls.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateNetworkAclInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNetworkAclInput`) /// - /// - Returns: `CreateNetworkAclOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNetworkAclOutput`) public func createNetworkAcl(input: CreateNetworkAclInput) async throws -> CreateNetworkAclOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6866,7 +6765,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkAclOutput.httpOutput(from:), CreateNetworkAclOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6900,9 +6798,9 @@ extension EC2Client { /// /// Creates an entry (a rule) in a network ACL with the specified rule number. Each network ACL has a set of numbered ingress rules and a separate set of numbered egress rules. When determining whether a packet should be allowed in or out of a subnet associated with the ACL, we process the entries in the ACL according to the rule numbers, in ascending order. Each network ACL has a set of ingress rules and a separate set of egress rules. We recommend that you leave room between the rule numbers (for example, 100, 110, 120, ...), and not number them one right after the other (for example, 101, 102, 103, ...). This makes it easier to add a rule between existing ones without having to renumber the rules. After you add an entry, you can't modify it; you must either replace it, or create an entry and delete the old one. For more information about network ACLs, see [Network ACLs](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-network-acls.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateNetworkAclEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNetworkAclEntryInput`) /// - /// - Returns: `CreateNetworkAclEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNetworkAclEntryOutput`) public func createNetworkAclEntry(input: CreateNetworkAclEntryInput) async throws -> CreateNetworkAclEntryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6929,7 +6827,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkAclEntryOutput.httpOutput(from:), CreateNetworkAclEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6963,9 +6860,9 @@ extension EC2Client { /// /// Creates a Network Access Scope. Amazon Web Services Network Access Analyzer enables cloud networking and cloud operations teams to verify that their networks on Amazon Web Services conform to their network security and governance objectives. For more information, see the [Amazon Web Services Network Access Analyzer Guide](https://docs.aws.amazon.com/vpc/latest/network-access-analyzer/). /// - /// - Parameter CreateNetworkInsightsAccessScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNetworkInsightsAccessScopeInput`) /// - /// - Returns: `CreateNetworkInsightsAccessScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNetworkInsightsAccessScopeOutput`) public func createNetworkInsightsAccessScope(input: CreateNetworkInsightsAccessScopeInput) async throws -> CreateNetworkInsightsAccessScopeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6993,7 +6890,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkInsightsAccessScopeOutput.httpOutput(from:), CreateNetworkInsightsAccessScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7027,9 +6923,9 @@ extension EC2Client { /// /// Creates a path to analyze for reachability. Reachability Analyzer enables you to analyze and debug network reachability between two resources in your virtual private cloud (VPC). For more information, see the [Reachability Analyzer Guide](https://docs.aws.amazon.com/vpc/latest/reachability/). /// - /// - Parameter CreateNetworkInsightsPathInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNetworkInsightsPathInput`) /// - /// - Returns: `CreateNetworkInsightsPathOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNetworkInsightsPathOutput`) public func createNetworkInsightsPath(input: CreateNetworkInsightsPathInput) async throws -> CreateNetworkInsightsPathOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7057,7 +6953,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkInsightsPathOutput.httpOutput(from:), CreateNetworkInsightsPathOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7091,9 +6986,9 @@ extension EC2Client { /// /// Creates a network interface in the specified subnet. The number of IP addresses you can assign to a network interface varies by instance type. For more information about network interfaces, see [Elastic network interfaces](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/using-eni.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateNetworkInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNetworkInterfaceInput`) /// - /// - Returns: `CreateNetworkInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNetworkInterfaceOutput`) public func createNetworkInterface(input: CreateNetworkInterfaceInput) async throws -> CreateNetworkInterfaceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7121,7 +7016,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkInterfaceOutput.httpOutput(from:), CreateNetworkInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7155,9 +7049,9 @@ extension EC2Client { /// /// Grants an Amazon Web Services-authorized account permission to attach the specified network interface to an instance in their account. You can grant permission to a single Amazon Web Services account only, and only one account at a time. /// - /// - Parameter CreateNetworkInterfacePermissionInput : Contains the parameters for CreateNetworkInterfacePermission. + /// - Parameter input: Contains the parameters for CreateNetworkInterfacePermission. (Type: `CreateNetworkInterfacePermissionInput`) /// - /// - Returns: `CreateNetworkInterfacePermissionOutput` : Contains the output of CreateNetworkInterfacePermission. + /// - Returns: Contains the output of CreateNetworkInterfacePermission. (Type: `CreateNetworkInterfacePermissionOutput`) public func createNetworkInterfacePermission(input: CreateNetworkInterfacePermissionInput) async throws -> CreateNetworkInterfacePermissionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7184,7 +7078,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkInterfacePermissionOutput.httpOutput(from:), CreateNetworkInterfacePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7218,9 +7111,9 @@ extension EC2Client { /// /// Creates a placement group in which to launch instances. The strategy of the placement group determines how the instances are organized within the group. A cluster placement group is a logical grouping of instances within a single Availability Zone that benefit from low network latency, high network throughput. A spread placement group places instances on distinct hardware. A partition placement group places groups of instances in different partitions, where instances in one partition do not share the same hardware with instances in another partition. For more information, see [Placement groups](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/placement-groups.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreatePlacementGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePlacementGroupInput`) /// - /// - Returns: `CreatePlacementGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePlacementGroupOutput`) public func createPlacementGroup(input: CreatePlacementGroupInput) async throws -> CreatePlacementGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7247,7 +7140,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePlacementGroupOutput.httpOutput(from:), CreatePlacementGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7281,9 +7173,9 @@ extension EC2Client { /// /// Creates a public IPv4 address pool. A public IPv4 pool is an EC2 IP address pool required for the public IPv4 CIDRs that you own and bring to Amazon Web Services to manage with IPAM. IPv6 addresses you bring to Amazon Web Services, however, use IPAM pools only. To monitor the status of pool creation, use [DescribePublicIpv4Pools](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribePublicIpv4Pools.html). /// - /// - Parameter CreatePublicIpv4PoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePublicIpv4PoolInput`) /// - /// - Returns: `CreatePublicIpv4PoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePublicIpv4PoolOutput`) public func createPublicIpv4Pool(input: CreatePublicIpv4PoolInput) async throws -> CreatePublicIpv4PoolOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7310,7 +7202,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePublicIpv4PoolOutput.httpOutput(from:), CreatePublicIpv4PoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7344,9 +7235,9 @@ extension EC2Client { /// /// Replaces the EBS-backed root volume for a running instance with a new volume that is restored to the original root volume's launch state, that is restored to a specific snapshot taken from the original root volume, or that is restored from an AMI that has the same key characteristics as that of the instance. For more information, see [Replace a root volume](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/replace-root.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateReplaceRootVolumeTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReplaceRootVolumeTaskInput`) /// - /// - Returns: `CreateReplaceRootVolumeTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReplaceRootVolumeTaskOutput`) public func createReplaceRootVolumeTask(input: CreateReplaceRootVolumeTaskInput) async throws -> CreateReplaceRootVolumeTaskOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7374,7 +7265,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplaceRootVolumeTaskOutput.httpOutput(from:), CreateReplaceRootVolumeTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7408,9 +7298,9 @@ extension EC2Client { /// /// Creates a listing for Amazon EC2 Standard Reserved Instances to be sold in the Reserved Instance Marketplace. You can submit one Standard Reserved Instance listing at a time. To get a list of your Standard Reserved Instances, you can use the [DescribeReservedInstances] operation. Only Standard Reserved Instances can be sold in the Reserved Instance Marketplace. Convertible Reserved Instances cannot be sold. The Reserved Instance Marketplace matches sellers who want to resell Standard Reserved Instance capacity that they no longer need with buyers who want to purchase additional capacity. Reserved Instances bought and sold through the Reserved Instance Marketplace work like any other Reserved Instances. To sell your Standard Reserved Instances, you must first register as a seller in the Reserved Instance Marketplace. After completing the registration process, you can create a Reserved Instance Marketplace listing of some or all of your Standard Reserved Instances, and specify the upfront price to receive for them. Your Standard Reserved Instance listings then become available for purchase. To view the details of your Standard Reserved Instance listing, you can use the [DescribeReservedInstancesListings] operation. For more information, see [Sell in the Reserved Instance Marketplace](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ri-market-general.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateReservedInstancesListingInput : Contains the parameters for CreateReservedInstancesListing. + /// - Parameter input: Contains the parameters for CreateReservedInstancesListing. (Type: `CreateReservedInstancesListingInput`) /// - /// - Returns: `CreateReservedInstancesListingOutput` : Contains the output of CreateReservedInstancesListing. + /// - Returns: Contains the output of CreateReservedInstancesListing. (Type: `CreateReservedInstancesListingOutput`) public func createReservedInstancesListing(input: CreateReservedInstancesListingInput) async throws -> CreateReservedInstancesListingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7437,7 +7327,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReservedInstancesListingOutput.httpOutput(from:), CreateReservedInstancesListingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7471,9 +7360,9 @@ extension EC2Client { /// /// Starts a task that restores an AMI from an Amazon S3 object that was previously created by using [CreateStoreImageTask](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_CreateStoreImageTask.html). To use this API, you must have the required permissions. For more information, see [Permissions for storing and restoring AMIs using S3](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/work-with-ami-store-restore.html#ami-s3-permissions) in the Amazon EC2 User Guide. For more information, see [Store and restore an AMI using S3](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ami-store-restore.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateRestoreImageTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRestoreImageTaskInput`) /// - /// - Returns: `CreateRestoreImageTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRestoreImageTaskOutput`) public func createRestoreImageTask(input: CreateRestoreImageTaskInput) async throws -> CreateRestoreImageTaskOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7500,7 +7389,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRestoreImageTaskOutput.httpOutput(from:), CreateRestoreImageTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7541,9 +7429,9 @@ extension EC2Client { /// /// Both routes apply to the traffic destined for 192.0.2.3. However, the second route in the list covers a smaller number of IP addresses and is therefore more specific, so we use that route to determine where to target the traffic. For more information about route tables, see [Route tables](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Route_Tables.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRouteInput`) /// - /// - Returns: `CreateRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRouteOutput`) public func createRoute(input: CreateRouteInput) async throws -> CreateRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7570,7 +7458,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRouteOutput.httpOutput(from:), CreateRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7613,9 +7500,9 @@ extension EC2Client { /// /// Route server does not support route tables associated with virtual private gateways. To propagate routes into a transit gateway route table, use [Transit Gateway Connect](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-connect.html). For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateRouteServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRouteServerInput`) /// - /// - Returns: `CreateRouteServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRouteServerOutput`) public func createRouteServer(input: CreateRouteServerInput) async throws -> CreateRouteServerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7643,7 +7530,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRouteServerOutput.httpOutput(from:), CreateRouteServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7677,9 +7563,9 @@ extension EC2Client { /// /// Creates a new endpoint for a route server in a specified subnet. A route server endpoint is an Amazon Web Services-managed component inside a subnet that facilitates [BGP (Border Gateway Protocol)](https://en.wikipedia.org/wiki/Border_Gateway_Protocol) connections between your route server and your BGP peers. For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateRouteServerEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRouteServerEndpointInput`) /// - /// - Returns: `CreateRouteServerEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRouteServerEndpointOutput`) public func createRouteServerEndpoint(input: CreateRouteServerEndpointInput) async throws -> CreateRouteServerEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7707,7 +7593,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRouteServerEndpointOutput.httpOutput(from:), CreateRouteServerEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7750,9 +7635,9 @@ extension EC2Client { /// /// For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateRouteServerPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRouteServerPeerInput`) /// - /// - Returns: `CreateRouteServerPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRouteServerPeerOutput`) public func createRouteServerPeer(input: CreateRouteServerPeerInput) async throws -> CreateRouteServerPeerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7779,7 +7664,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRouteServerPeerOutput.httpOutput(from:), CreateRouteServerPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7813,9 +7697,9 @@ extension EC2Client { /// /// Creates a route table for the specified VPC. After you create a route table, you can add routes and associate the table with a subnet. For more information, see [Route tables](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Route_Tables.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateRouteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRouteTableInput`) /// - /// - Returns: `CreateRouteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRouteTableOutput`) public func createRouteTable(input: CreateRouteTableInput) async throws -> CreateRouteTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7843,7 +7727,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRouteTableOutput.httpOutput(from:), CreateRouteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7877,9 +7760,9 @@ extension EC2Client { /// /// Creates a security group. A security group acts as a virtual firewall for your instance to control inbound and outbound traffic. For more information, see [Amazon EC2 security groups](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/using-network-security.html) in the Amazon EC2 User Guide and [Security groups for your VPC](https://docs.aws.amazon.com/AmazonVPC/latest/UserGuide/VPC_SecurityGroups.html) in the Amazon VPC User Guide. When you create a security group, you specify a friendly name of your choice. You can't have two security groups for the same VPC with the same name. You have a default security group for use in your VPC. If you don't specify a security group when you launch an instance, the instance is launched into the appropriate default security group. A default security group includes a default rule that grants instances unrestricted network access to each other. You can add or remove rules from your security groups using [AuthorizeSecurityGroupIngress], [AuthorizeSecurityGroupEgress], [RevokeSecurityGroupIngress], and [RevokeSecurityGroupEgress]. For more information about VPC security group limits, see [Amazon VPC Limits](https://docs.aws.amazon.com/vpc/latest/userguide/amazon-vpc-limits.html). /// - /// - Parameter CreateSecurityGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSecurityGroupInput`) /// - /// - Returns: `CreateSecurityGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSecurityGroupOutput`) public func createSecurityGroup(input: CreateSecurityGroupInput) async throws -> CreateSecurityGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7906,7 +7789,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSecurityGroupOutput.httpOutput(from:), CreateSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7949,9 +7831,9 @@ extension EC2Client { /// /// When a snapshot is created, any Amazon Web Services Marketplace product codes that are associated with the source volume are propagated to the snapshot. You can take a snapshot of an attached volume that is in use. However, snapshots only capture data that has been written to your Amazon EBS volume at the time the snapshot command is issued; this might exclude any data that has been cached by any applications or the operating system. If you can pause any file systems on the volume long enough to take a snapshot, your snapshot should be complete. However, if you cannot pause all file writes to the volume, you should unmount the volume from within the instance, issue the snapshot command, and then remount the volume to ensure a consistent and complete snapshot. You may remount and use your volume while the snapshot status is pending. When you create a snapshot for an EBS volume that serves as a root device, we recommend that you stop the instance before taking the snapshot. Snapshots that are taken from encrypted volumes are automatically encrypted. Volumes that are created from encrypted snapshots are also automatically encrypted. Your encrypted volumes and any associated snapshots always remain protected. For more information, see [Amazon EBS encryption](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-encryption.html) in the Amazon EBS User Guide. /// - /// - Parameter CreateSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSnapshotInput`) /// - /// - Returns: `CreateSnapshotOutput` : Describes a snapshot. + /// - Returns: Describes a snapshot. (Type: `CreateSnapshotOutput`) public func createSnapshot(input: CreateSnapshotInput) async throws -> CreateSnapshotOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7978,7 +7860,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotOutput.httpOutput(from:), CreateSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8018,9 +7899,9 @@ extension EC2Client { /// /// * If the source instance is on an Outpost, you can create the snapshots on the same Outpost or in its parent Amazon Web Services Region. /// - /// - Parameter CreateSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSnapshotsInput`) /// - /// - Returns: `CreateSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSnapshotsOutput`) public func createSnapshots(input: CreateSnapshotsInput) async throws -> CreateSnapshotsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8047,7 +7928,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotsOutput.httpOutput(from:), CreateSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8081,9 +7961,9 @@ extension EC2Client { /// /// Creates a data feed for Spot Instances, enabling you to view Spot Instance usage logs. You can create one data feed per Amazon Web Services account. For more information, see [Spot Instance data feed](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/spot-data-feeds.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateSpotDatafeedSubscriptionInput : Contains the parameters for CreateSpotDatafeedSubscription. + /// - Parameter input: Contains the parameters for CreateSpotDatafeedSubscription. (Type: `CreateSpotDatafeedSubscriptionInput`) /// - /// - Returns: `CreateSpotDatafeedSubscriptionOutput` : Contains the output of CreateSpotDatafeedSubscription. + /// - Returns: Contains the output of CreateSpotDatafeedSubscription. (Type: `CreateSpotDatafeedSubscriptionOutput`) public func createSpotDatafeedSubscription(input: CreateSpotDatafeedSubscriptionInput) async throws -> CreateSpotDatafeedSubscriptionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8110,7 +7990,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSpotDatafeedSubscriptionOutput.httpOutput(from:), CreateSpotDatafeedSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8144,9 +8023,9 @@ extension EC2Client { /// /// Stores an AMI as a single object in an Amazon S3 bucket. To use this API, you must have the required permissions. For more information, see [Permissions for storing and restoring AMIs using S3](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/work-with-ami-store-restore.html#ami-s3-permissions) in the Amazon EC2 User Guide. For more information, see [Store and restore an AMI using S3](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ami-store-restore.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateStoreImageTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStoreImageTaskInput`) /// - /// - Returns: `CreateStoreImageTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStoreImageTaskOutput`) public func createStoreImageTask(input: CreateStoreImageTaskInput) async throws -> CreateStoreImageTaskOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8173,7 +8052,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStoreImageTaskOutput.httpOutput(from:), CreateStoreImageTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8207,9 +8085,9 @@ extension EC2Client { /// /// Creates a subnet in the specified VPC. For an IPv4 only subnet, specify an IPv4 CIDR block. If the VPC has an IPv6 CIDR block, you can create an IPv6 only subnet or a dual stack subnet instead. For an IPv6 only subnet, specify an IPv6 CIDR block. For a dual stack subnet, specify both an IPv4 CIDR block and an IPv6 CIDR block. A subnet CIDR block must not overlap the CIDR block of an existing subnet in the VPC. After you create a subnet, you can't change its CIDR block. The allowed size for an IPv4 subnet is between a /28 netmask (16 IP addresses) and a /16 netmask (65,536 IP addresses). Amazon Web Services reserves both the first four and the last IPv4 address in each subnet's CIDR block. They're not available for your use. If you've associated an IPv6 CIDR block with your VPC, you can associate an IPv6 CIDR block with a subnet when you create it. If you add more than one subnet to a VPC, they're set up in a star topology with a logical router in the middle. When you stop an instance in a subnet, it retains its private IPv4 address. It's therefore possible to have a subnet with no running instances (they're all stopped), but no remaining IP addresses available. For more information, see [Subnets](https://docs.aws.amazon.com/vpc/latest/userguide/configure-subnets.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateSubnetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubnetInput`) /// - /// - Returns: `CreateSubnetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubnetOutput`) public func createSubnet(input: CreateSubnetInput) async throws -> CreateSubnetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8236,7 +8114,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubnetOutput.httpOutput(from:), CreateSubnetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8270,9 +8147,9 @@ extension EC2Client { /// /// Creates a subnet CIDR reservation. For more information, see [Subnet CIDR reservations](https://docs.aws.amazon.com/vpc/latest/userguide/subnet-cidr-reservation.html) in the Amazon VPC User Guide and [Manage prefixes for your network interfaces](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/work-with-prefixes.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateSubnetCidrReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubnetCidrReservationInput`) /// - /// - Returns: `CreateSubnetCidrReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubnetCidrReservationOutput`) public func createSubnetCidrReservation(input: CreateSubnetCidrReservationInput) async throws -> CreateSubnetCidrReservationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8299,7 +8176,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubnetCidrReservationOutput.httpOutput(from:), CreateSubnetCidrReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8333,9 +8209,9 @@ extension EC2Client { /// /// Adds or overwrites only the specified tags for the specified Amazon EC2 resource or resources. 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 optional value. Tag keys must be unique per resource. For more information about tags, see [Tag your Amazon EC2 resources](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Using_Tags.html) in the Amazon Elastic Compute Cloud User Guide. For more information about creating IAM policies that control users' access to resources based on tags, see [Supported resource-level permissions for Amazon EC2 API actions](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-supported-iam-actions-resources.html) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter CreateTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTagsInput`) /// - /// - Returns: `CreateTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTagsOutput`) public func createTags(input: CreateTagsInput) async throws -> CreateTagsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8362,7 +8238,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTagsOutput.httpOutput(from:), CreateTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8396,9 +8271,9 @@ extension EC2Client { /// /// Creates a Traffic Mirror filter. A Traffic Mirror filter is a set of rules that defines the traffic to mirror. By default, no traffic is mirrored. To mirror traffic, use [CreateTrafficMirrorFilterRule](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_CreateTrafficMirrorFilterRule.htm) to add Traffic Mirror rules to the filter. The rules you add define what traffic gets mirrored. You can also use [ModifyTrafficMirrorFilterNetworkServices](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_ModifyTrafficMirrorFilterNetworkServices.html) to mirror supported network services. /// - /// - Parameter CreateTrafficMirrorFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrafficMirrorFilterInput`) /// - /// - Returns: `CreateTrafficMirrorFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrafficMirrorFilterOutput`) public func createTrafficMirrorFilter(input: CreateTrafficMirrorFilterInput) async throws -> CreateTrafficMirrorFilterOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8426,7 +8301,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrafficMirrorFilterOutput.httpOutput(from:), CreateTrafficMirrorFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8460,9 +8334,9 @@ extension EC2Client { /// /// Creates a Traffic Mirror filter rule. A Traffic Mirror rule defines the Traffic Mirror source traffic to mirror. You need the Traffic Mirror filter ID when you create the rule. /// - /// - Parameter CreateTrafficMirrorFilterRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrafficMirrorFilterRuleInput`) /// - /// - Returns: `CreateTrafficMirrorFilterRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrafficMirrorFilterRuleOutput`) public func createTrafficMirrorFilterRule(input: CreateTrafficMirrorFilterRuleInput) async throws -> CreateTrafficMirrorFilterRuleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8490,7 +8364,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrafficMirrorFilterRuleOutput.httpOutput(from:), CreateTrafficMirrorFilterRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8524,9 +8397,9 @@ extension EC2Client { /// /// Creates a Traffic Mirror session. A Traffic Mirror session actively copies packets from a Traffic Mirror source to a Traffic Mirror target. Create a filter, and then assign it to the session to define a subset of the traffic to mirror, for example all TCP traffic. The Traffic Mirror source and the Traffic Mirror target (monitoring appliances) can be in the same VPC, or in a different VPC connected via VPC peering or a transit gateway. By default, no traffic is mirrored. Use [CreateTrafficMirrorFilter](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_CreateTrafficMirrorFilter.html) to create filter rules that specify the traffic to mirror. /// - /// - Parameter CreateTrafficMirrorSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrafficMirrorSessionInput`) /// - /// - Returns: `CreateTrafficMirrorSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrafficMirrorSessionOutput`) public func createTrafficMirrorSession(input: CreateTrafficMirrorSessionInput) async throws -> CreateTrafficMirrorSessionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8554,7 +8427,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrafficMirrorSessionOutput.httpOutput(from:), CreateTrafficMirrorSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8588,9 +8460,9 @@ extension EC2Client { /// /// Creates a target for your Traffic Mirror session. A Traffic Mirror target is the destination for mirrored traffic. The Traffic Mirror source and the Traffic Mirror target (monitoring appliances) can be in the same VPC, or in different VPCs connected via VPC peering or a transit gateway. A Traffic Mirror target can be a network interface, a Network Load Balancer, or a Gateway Load Balancer endpoint. To use the target in a Traffic Mirror session, use [CreateTrafficMirrorSession](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_CreateTrafficMirrorSession.htm). /// - /// - Parameter CreateTrafficMirrorTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrafficMirrorTargetInput`) /// - /// - Returns: `CreateTrafficMirrorTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrafficMirrorTargetOutput`) public func createTrafficMirrorTarget(input: CreateTrafficMirrorTargetInput) async throws -> CreateTrafficMirrorTargetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8618,7 +8490,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrafficMirrorTargetOutput.httpOutput(from:), CreateTrafficMirrorTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8652,9 +8523,9 @@ extension EC2Client { /// /// Creates a transit gateway. You can use a transit gateway to interconnect your virtual private clouds (VPC) and on-premises networks. After the transit gateway enters the available state, you can attach your VPCs and VPN connections to the transit gateway. To attach your VPCs, use [CreateTransitGatewayVpcAttachment]. To attach a VPN connection, use [CreateCustomerGateway] to create a customer gateway and specify the ID of the customer gateway and the ID of the transit gateway in a call to [CreateVpnConnection]. When you create a transit gateway, we create a default transit gateway route table and use it as the default association route table and the default propagation route table. You can use [CreateTransitGatewayRouteTable] to create additional transit gateway route tables. If you disable automatic route propagation, we do not create a default transit gateway route table. You can use [EnableTransitGatewayRouteTablePropagation] to propagate routes from a resource attachment to a transit gateway route table. If you disable automatic associations, you can use [AssociateTransitGatewayRouteTable] to associate a resource attachment with a transit gateway route table. /// - /// - Parameter CreateTransitGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayInput`) /// - /// - Returns: `CreateTransitGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayOutput`) public func createTransitGateway(input: CreateTransitGatewayInput) async throws -> CreateTransitGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8681,7 +8552,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayOutput.httpOutput(from:), CreateTransitGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8715,9 +8585,9 @@ extension EC2Client { /// /// Creates a Connect attachment from a specified transit gateway attachment. A Connect attachment is a GRE-based tunnel attachment that you can use to establish a connection between a transit gateway and an appliance. A Connect attachment uses an existing VPC or Amazon Web Services Direct Connect attachment as the underlying transport mechanism. /// - /// - Parameter CreateTransitGatewayConnectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayConnectInput`) /// - /// - Returns: `CreateTransitGatewayConnectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayConnectOutput`) public func createTransitGatewayConnect(input: CreateTransitGatewayConnectInput) async throws -> CreateTransitGatewayConnectOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8744,7 +8614,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayConnectOutput.httpOutput(from:), CreateTransitGatewayConnectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8778,9 +8647,9 @@ extension EC2Client { /// /// Creates a Connect peer for a specified transit gateway Connect attachment between a transit gateway and an appliance. The peer address and transit gateway address must be the same IP address family (IPv4 or IPv6). For more information, see [Connect peers](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-connect.html#tgw-connect-peer) in the Amazon Web Services Transit Gateways Guide. /// - /// - Parameter CreateTransitGatewayConnectPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayConnectPeerInput`) /// - /// - Returns: `CreateTransitGatewayConnectPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayConnectPeerOutput`) public func createTransitGatewayConnectPeer(input: CreateTransitGatewayConnectPeerInput) async throws -> CreateTransitGatewayConnectPeerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8807,7 +8676,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayConnectPeerOutput.httpOutput(from:), CreateTransitGatewayConnectPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8841,9 +8709,9 @@ extension EC2Client { /// /// Creates a multicast domain using the specified transit gateway. The transit gateway must be in the available state before you create a domain. Use [DescribeTransitGateways](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeTransitGateways.html) to see the state of transit gateway. /// - /// - Parameter CreateTransitGatewayMulticastDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayMulticastDomainInput`) /// - /// - Returns: `CreateTransitGatewayMulticastDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayMulticastDomainOutput`) public func createTransitGatewayMulticastDomain(input: CreateTransitGatewayMulticastDomainInput) async throws -> CreateTransitGatewayMulticastDomainOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8870,7 +8738,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayMulticastDomainOutput.httpOutput(from:), CreateTransitGatewayMulticastDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8904,9 +8771,9 @@ extension EC2Client { /// /// Requests a transit gateway peering attachment between the specified transit gateway (requester) and a peer transit gateway (accepter). The peer transit gateway can be in your account or a different Amazon Web Services account. After you create the peering attachment, the owner of the accepter transit gateway must accept the attachment request. /// - /// - Parameter CreateTransitGatewayPeeringAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayPeeringAttachmentInput`) /// - /// - Returns: `CreateTransitGatewayPeeringAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayPeeringAttachmentOutput`) public func createTransitGatewayPeeringAttachment(input: CreateTransitGatewayPeeringAttachmentInput) async throws -> CreateTransitGatewayPeeringAttachmentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8933,7 +8800,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayPeeringAttachmentOutput.httpOutput(from:), CreateTransitGatewayPeeringAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8967,9 +8833,9 @@ extension EC2Client { /// /// Creates a transit gateway policy table. /// - /// - Parameter CreateTransitGatewayPolicyTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayPolicyTableInput`) /// - /// - Returns: `CreateTransitGatewayPolicyTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayPolicyTableOutput`) public func createTransitGatewayPolicyTable(input: CreateTransitGatewayPolicyTableInput) async throws -> CreateTransitGatewayPolicyTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8996,7 +8862,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayPolicyTableOutput.httpOutput(from:), CreateTransitGatewayPolicyTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9030,9 +8895,9 @@ extension EC2Client { /// /// Creates a reference (route) to a prefix list in a specified transit gateway route table. /// - /// - Parameter CreateTransitGatewayPrefixListReferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayPrefixListReferenceInput`) /// - /// - Returns: `CreateTransitGatewayPrefixListReferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayPrefixListReferenceOutput`) public func createTransitGatewayPrefixListReference(input: CreateTransitGatewayPrefixListReferenceInput) async throws -> CreateTransitGatewayPrefixListReferenceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9059,7 +8924,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayPrefixListReferenceOutput.httpOutput(from:), CreateTransitGatewayPrefixListReferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9093,9 +8957,9 @@ extension EC2Client { /// /// Creates a static route for the specified transit gateway route table. /// - /// - Parameter CreateTransitGatewayRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayRouteInput`) /// - /// - Returns: `CreateTransitGatewayRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayRouteOutput`) public func createTransitGatewayRoute(input: CreateTransitGatewayRouteInput) async throws -> CreateTransitGatewayRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9122,7 +8986,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayRouteOutput.httpOutput(from:), CreateTransitGatewayRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9156,9 +9019,9 @@ extension EC2Client { /// /// Creates a route table for the specified transit gateway. /// - /// - Parameter CreateTransitGatewayRouteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayRouteTableInput`) /// - /// - Returns: `CreateTransitGatewayRouteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayRouteTableOutput`) public func createTransitGatewayRouteTable(input: CreateTransitGatewayRouteTableInput) async throws -> CreateTransitGatewayRouteTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9185,7 +9048,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayRouteTableOutput.httpOutput(from:), CreateTransitGatewayRouteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9219,9 +9081,9 @@ extension EC2Client { /// /// Advertises a new transit gateway route table. /// - /// - Parameter CreateTransitGatewayRouteTableAnnouncementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayRouteTableAnnouncementInput`) /// - /// - Returns: `CreateTransitGatewayRouteTableAnnouncementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayRouteTableAnnouncementOutput`) public func createTransitGatewayRouteTableAnnouncement(input: CreateTransitGatewayRouteTableAnnouncementInput) async throws -> CreateTransitGatewayRouteTableAnnouncementOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9248,7 +9110,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayRouteTableAnnouncementOutput.httpOutput(from:), CreateTransitGatewayRouteTableAnnouncementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9282,9 +9143,9 @@ extension EC2Client { /// /// Attaches the specified VPC to the specified transit gateway. If you attach a VPC with a CIDR range that overlaps the CIDR range of a VPC that is already attached, the new VPC CIDR range is not propagated to the default propagation route table. To send VPC traffic to an attached transit gateway, add a route to the VPC route table using [CreateRoute]. /// - /// - Parameter CreateTransitGatewayVpcAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayVpcAttachmentInput`) /// - /// - Returns: `CreateTransitGatewayVpcAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayVpcAttachmentOutput`) public func createTransitGatewayVpcAttachment(input: CreateTransitGatewayVpcAttachmentInput) async throws -> CreateTransitGatewayVpcAttachmentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9311,7 +9172,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayVpcAttachmentOutput.httpOutput(from:), CreateTransitGatewayVpcAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9345,9 +9205,9 @@ extension EC2Client { /// /// An Amazon Web Services Verified Access endpoint is where you define your application along with an optional endpoint-level access policy. /// - /// - Parameter CreateVerifiedAccessEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVerifiedAccessEndpointInput`) /// - /// - Returns: `CreateVerifiedAccessEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVerifiedAccessEndpointOutput`) public func createVerifiedAccessEndpoint(input: CreateVerifiedAccessEndpointInput) async throws -> CreateVerifiedAccessEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9375,7 +9235,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVerifiedAccessEndpointOutput.httpOutput(from:), CreateVerifiedAccessEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9409,9 +9268,9 @@ extension EC2Client { /// /// An Amazon Web Services Verified Access group is a collection of Amazon Web Services Verified Access endpoints who's associated applications have similar security requirements. Each instance within a Verified Access group shares an Verified Access policy. For example, you can group all Verified Access instances associated with "sales" applications together and use one common Verified Access policy. /// - /// - Parameter CreateVerifiedAccessGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVerifiedAccessGroupInput`) /// - /// - Returns: `CreateVerifiedAccessGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVerifiedAccessGroupOutput`) public func createVerifiedAccessGroup(input: CreateVerifiedAccessGroupInput) async throws -> CreateVerifiedAccessGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9439,7 +9298,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVerifiedAccessGroupOutput.httpOutput(from:), CreateVerifiedAccessGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9473,9 +9331,9 @@ extension EC2Client { /// /// An Amazon Web Services Verified Access instance is a regional entity that evaluates application requests and grants access only when your security requirements are met. /// - /// - Parameter CreateVerifiedAccessInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVerifiedAccessInstanceInput`) /// - /// - Returns: `CreateVerifiedAccessInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVerifiedAccessInstanceOutput`) public func createVerifiedAccessInstance(input: CreateVerifiedAccessInstanceInput) async throws -> CreateVerifiedAccessInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9503,7 +9361,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVerifiedAccessInstanceOutput.httpOutput(from:), CreateVerifiedAccessInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9537,9 +9394,9 @@ extension EC2Client { /// /// A trust provider is a third-party entity that creates, maintains, and manages identity information for users and devices. When an application request is made, the identity information sent by the trust provider is evaluated by Verified Access before allowing or denying the application request. /// - /// - Parameter CreateVerifiedAccessTrustProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVerifiedAccessTrustProviderInput`) /// - /// - Returns: `CreateVerifiedAccessTrustProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVerifiedAccessTrustProviderOutput`) public func createVerifiedAccessTrustProvider(input: CreateVerifiedAccessTrustProviderInput) async throws -> CreateVerifiedAccessTrustProviderOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9567,7 +9424,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVerifiedAccessTrustProviderOutput.httpOutput(from:), CreateVerifiedAccessTrustProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9601,9 +9457,9 @@ extension EC2Client { /// /// Creates an EBS volume that can be attached to an instance in the same Availability Zone. You can create a new empty volume or restore a volume from an EBS snapshot. Any Amazon Web Services Marketplace product codes from the snapshot are propagated to the volume. You can create encrypted volumes. Encrypted volumes must be attached to instances that support Amazon EBS encryption. Volumes that are created from encrypted snapshots are also automatically encrypted. For more information, see [Amazon EBS encryption](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-encryption.html) in the Amazon EBS User Guide. You can tag your volumes during creation. For more information, see [Tag your Amazon EC2 resources](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Using_Tags.html) in the Amazon EC2 User Guide. For more information, see [Create an Amazon EBS volume](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-creating-volume.html) in the Amazon EBS User Guide. /// - /// - Parameter CreateVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVolumeInput`) /// - /// - Returns: `CreateVolumeOutput` : Describes a volume. + /// - Returns: Describes a volume. (Type: `CreateVolumeOutput`) public func createVolume(input: CreateVolumeInput) async throws -> CreateVolumeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9631,7 +9487,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVolumeOutput.httpOutput(from:), CreateVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9665,9 +9520,9 @@ extension EC2Client { /// /// Creates a VPC with the specified CIDR blocks. For more information, see [IP addressing for your VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-ip-addressing.html) in the Amazon VPC User Guide. You can optionally request an IPv6 CIDR block for the VPC. You can request an Amazon-provided IPv6 CIDR block from Amazon's pool of IPv6 addresses or an IPv6 CIDR block from an IPv6 address pool that you provisioned through bring your own IP addresses ([BYOIP](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-byoip.html)). By default, each instance that you launch in the VPC has the default DHCP options, which include only a default DNS server that we provide (AmazonProvidedDNS). For more information, see [DHCP option sets](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_DHCP_Options.html) in the Amazon VPC User Guide. You can specify the instance tenancy value for the VPC when you create it. You can't change this value for the VPC after you create it. For more information, see [Dedicated Instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/dedicated-instance.html) in the Amazon EC2 User Guide. /// - /// - Parameter CreateVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcInput`) /// - /// - Returns: `CreateVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcOutput`) public func createVpc(input: CreateVpcInput) async throws -> CreateVpcOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9694,7 +9549,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcOutput.httpOutput(from:), CreateVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9728,9 +9582,9 @@ extension EC2Client { /// /// Create a VPC Block Public Access (BPA) exclusion. A VPC BPA exclusion is a mode that can be applied to a single VPC or subnet that exempts it from the account’s BPA mode and will allow bidirectional or egress-only access. You can create BPA exclusions for VPCs and subnets even when BPA is not enabled on the account to ensure that there is no traffic disruption to the exclusions when VPC BPA is turned on. To learn more about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateVpcBlockPublicAccessExclusionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcBlockPublicAccessExclusionInput`) /// - /// - Returns: `CreateVpcBlockPublicAccessExclusionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcBlockPublicAccessExclusionOutput`) public func createVpcBlockPublicAccessExclusion(input: CreateVpcBlockPublicAccessExclusionInput) async throws -> CreateVpcBlockPublicAccessExclusionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9757,7 +9611,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcBlockPublicAccessExclusionOutput.httpOutput(from:), CreateVpcBlockPublicAccessExclusionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9791,9 +9644,9 @@ extension EC2Client { /// /// Creates a VPC endpoint. A VPC endpoint provides a private connection between the specified VPC and the specified endpoint service. You can use an endpoint service provided by Amazon Web Services, an Amazon Web Services Marketplace Partner, or another Amazon Web Services account. For more information, see the [Amazon Web Services PrivateLink User Guide](https://docs.aws.amazon.com/vpc/latest/privatelink/). /// - /// - Parameter CreateVpcEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcEndpointInput`) /// - /// - Returns: `CreateVpcEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcEndpointOutput`) public func createVpcEndpoint(input: CreateVpcEndpointInput) async throws -> CreateVpcEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9820,7 +9673,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcEndpointOutput.httpOutput(from:), CreateVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9854,9 +9706,9 @@ extension EC2Client { /// /// Creates a connection notification for a specified VPC endpoint or VPC endpoint service. A connection notification notifies you of specific endpoint events. You must create an SNS topic to receive notifications. For more information, see [Creating an Amazon SNS topic](https://docs.aws.amazon.com/sns/latest/dg/CreateTopic.html) in the Amazon SNS Developer Guide. You can create a connection notification for interface endpoints only. /// - /// - Parameter CreateVpcEndpointConnectionNotificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcEndpointConnectionNotificationInput`) /// - /// - Returns: `CreateVpcEndpointConnectionNotificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcEndpointConnectionNotificationOutput`) public func createVpcEndpointConnectionNotification(input: CreateVpcEndpointConnectionNotificationInput) async throws -> CreateVpcEndpointConnectionNotificationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9883,7 +9735,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcEndpointConnectionNotificationOutput.httpOutput(from:), CreateVpcEndpointConnectionNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9924,9 +9775,9 @@ extension EC2Client { /// /// If you set the private DNS name, you must prove that you own the private DNS domain name. For more information, see the [Amazon Web Services PrivateLink Guide](https://docs.aws.amazon.com/vpc/latest/privatelink/). /// - /// - Parameter CreateVpcEndpointServiceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcEndpointServiceConfigurationInput`) /// - /// - Returns: `CreateVpcEndpointServiceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcEndpointServiceConfigurationOutput`) public func createVpcEndpointServiceConfiguration(input: CreateVpcEndpointServiceConfigurationInput) async throws -> CreateVpcEndpointServiceConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9953,7 +9804,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcEndpointServiceConfigurationOutput.httpOutput(from:), CreateVpcEndpointServiceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9987,9 +9837,9 @@ extension EC2Client { /// /// Requests a VPC peering connection between two VPCs: a requester VPC that you own and an accepter VPC with which to create the connection. The accepter VPC can belong to another Amazon Web Services account and can be in a different Region to the requester VPC. The requester VPC and accepter VPC cannot have overlapping CIDR blocks. Limitations and rules apply to a VPC peering connection. For more information, see the [VPC peering limitations](https://docs.aws.amazon.com/vpc/latest/peering/vpc-peering-basics.html#vpc-peering-limitations) in the VPC Peering Guide. The owner of the accepter VPC must accept the peering request to activate the peering connection. The VPC peering connection request expires after 7 days, after which it cannot be accepted or rejected. If you create a VPC peering connection request between VPCs with overlapping CIDR blocks, the VPC peering connection has a status of failed. /// - /// - Parameter CreateVpcPeeringConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcPeeringConnectionInput`) /// - /// - Returns: `CreateVpcPeeringConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcPeeringConnectionOutput`) public func createVpcPeeringConnection(input: CreateVpcPeeringConnectionInput) async throws -> CreateVpcPeeringConnectionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10016,7 +9866,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcPeeringConnectionOutput.httpOutput(from:), CreateVpcPeeringConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10050,9 +9899,9 @@ extension EC2Client { /// /// Creates a VPN connection between an existing virtual private gateway or transit gateway and a customer gateway. The supported connection type is ipsec.1. The response includes information that you need to give to your network administrator to configure your customer gateway. We strongly recommend that you use HTTPS when calling this operation because the response contains sensitive cryptographic information for configuring your customer gateway device. If you decide to shut down your VPN connection for any reason and later create a new VPN connection, you must reconfigure your customer gateway with the new information returned from this call. This is an idempotent operation. If you perform the operation more than once, Amazon EC2 doesn't return an error. For more information, see [Amazon Web Services Site-to-Site VPN](https://docs.aws.amazon.com/vpn/latest/s2svpn/VPC_VPN.html) in the Amazon Web Services Site-to-Site VPN User Guide. /// - /// - Parameter CreateVpnConnectionInput : Contains the parameters for CreateVpnConnection. + /// - Parameter input: Contains the parameters for CreateVpnConnection. (Type: `CreateVpnConnectionInput`) /// - /// - Returns: `CreateVpnConnectionOutput` : Contains the output of CreateVpnConnection. + /// - Returns: Contains the output of CreateVpnConnection. (Type: `CreateVpnConnectionOutput`) public func createVpnConnection(input: CreateVpnConnectionInput) async throws -> CreateVpnConnectionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10079,7 +9928,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpnConnectionOutput.httpOutput(from:), CreateVpnConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10113,9 +9961,9 @@ extension EC2Client { /// /// Creates a static route associated with a VPN connection between an existing virtual private gateway and a VPN customer gateway. The static route allows traffic to be routed from the virtual private gateway to the VPN customer gateway. For more information, see [Amazon Web Services Site-to-Site VPN](https://docs.aws.amazon.com/vpn/latest/s2svpn/VPC_VPN.html) in the Amazon Web Services Site-to-Site VPN User Guide. /// - /// - Parameter CreateVpnConnectionRouteInput : Contains the parameters for CreateVpnConnectionRoute. + /// - Parameter input: Contains the parameters for CreateVpnConnectionRoute. (Type: `CreateVpnConnectionRouteInput`) /// - /// - Returns: `CreateVpnConnectionRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpnConnectionRouteOutput`) public func createVpnConnectionRoute(input: CreateVpnConnectionRouteInput) async throws -> CreateVpnConnectionRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10142,7 +9990,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpnConnectionRouteOutput.httpOutput(from:), CreateVpnConnectionRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10176,9 +10023,9 @@ extension EC2Client { /// /// Creates a virtual private gateway. A virtual private gateway is the endpoint on the VPC side of your VPN connection. You can create a virtual private gateway before creating the VPC itself. For more information, see [Amazon Web Services Site-to-Site VPN](https://docs.aws.amazon.com/vpn/latest/s2svpn/VPC_VPN.html) in the Amazon Web Services Site-to-Site VPN User Guide. /// - /// - Parameter CreateVpnGatewayInput : Contains the parameters for CreateVpnGateway. + /// - Parameter input: Contains the parameters for CreateVpnGateway. (Type: `CreateVpnGatewayInput`) /// - /// - Returns: `CreateVpnGatewayOutput` : Contains the output of CreateVpnGateway. + /// - Returns: Contains the output of CreateVpnGateway. (Type: `CreateVpnGatewayOutput`) public func createVpnGateway(input: CreateVpnGatewayInput) async throws -> CreateVpnGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10205,7 +10052,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpnGatewayOutput.httpOutput(from:), CreateVpnGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10239,9 +10085,9 @@ extension EC2Client { /// /// Deletes a carrier gateway. If you do not delete the route that contains the carrier gateway as the Target, the route is a blackhole route. For information about how to delete a route, see [DeleteRoute](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DeleteRoute.html). /// - /// - Parameter DeleteCarrierGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCarrierGatewayInput`) /// - /// - Returns: `DeleteCarrierGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCarrierGatewayOutput`) public func deleteCarrierGateway(input: DeleteCarrierGatewayInput) async throws -> DeleteCarrierGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10268,7 +10114,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCarrierGatewayOutput.httpOutput(from:), DeleteCarrierGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10302,9 +10147,9 @@ extension EC2Client { /// /// Deletes the specified Client VPN endpoint. You must disassociate all target networks before you can delete a Client VPN endpoint. /// - /// - Parameter DeleteClientVpnEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClientVpnEndpointInput`) /// - /// - Returns: `DeleteClientVpnEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClientVpnEndpointOutput`) public func deleteClientVpnEndpoint(input: DeleteClientVpnEndpointInput) async throws -> DeleteClientVpnEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10331,7 +10176,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClientVpnEndpointOutput.httpOutput(from:), DeleteClientVpnEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10365,9 +10209,9 @@ extension EC2Client { /// /// Deletes a route from a Client VPN endpoint. You can only delete routes that you manually added using the CreateClientVpnRoute action. You cannot delete routes that were automatically added when associating a subnet. To remove routes that have been automatically added, disassociate the target subnet from the Client VPN endpoint. /// - /// - Parameter DeleteClientVpnRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClientVpnRouteInput`) /// - /// - Returns: `DeleteClientVpnRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClientVpnRouteOutput`) public func deleteClientVpnRoute(input: DeleteClientVpnRouteInput) async throws -> DeleteClientVpnRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10394,7 +10238,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClientVpnRouteOutput.httpOutput(from:), DeleteClientVpnRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10428,9 +10271,9 @@ extension EC2Client { /// /// Deletes a range of customer-owned IP addresses. /// - /// - Parameter DeleteCoipCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCoipCidrInput`) /// - /// - Returns: `DeleteCoipCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCoipCidrOutput`) public func deleteCoipCidr(input: DeleteCoipCidrInput) async throws -> DeleteCoipCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10457,7 +10300,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCoipCidrOutput.httpOutput(from:), DeleteCoipCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10491,9 +10333,9 @@ extension EC2Client { /// /// Deletes a pool of customer-owned IP (CoIP) addresses. /// - /// - Parameter DeleteCoipPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCoipPoolInput`) /// - /// - Returns: `DeleteCoipPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCoipPoolOutput`) public func deleteCoipPool(input: DeleteCoipPoolInput) async throws -> DeleteCoipPoolOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10520,7 +10362,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCoipPoolOutput.httpOutput(from:), DeleteCoipPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10554,9 +10395,9 @@ extension EC2Client { /// /// Deletes the specified customer gateway. You must delete the VPN connection before you can delete the customer gateway. /// - /// - Parameter DeleteCustomerGatewayInput : Contains the parameters for DeleteCustomerGateway. + /// - Parameter input: Contains the parameters for DeleteCustomerGateway. (Type: `DeleteCustomerGatewayInput`) /// - /// - Returns: `DeleteCustomerGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomerGatewayOutput`) public func deleteCustomerGateway(input: DeleteCustomerGatewayInput) async throws -> DeleteCustomerGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10583,7 +10424,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomerGatewayOutput.httpOutput(from:), DeleteCustomerGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10617,9 +10457,9 @@ extension EC2Client { /// /// Deletes the specified set of DHCP options. You must disassociate the set of DHCP options before you can delete it. You can disassociate the set of DHCP options by associating either a new set of options or the default set of options with the VPC. /// - /// - Parameter DeleteDhcpOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDhcpOptionsInput`) /// - /// - Returns: `DeleteDhcpOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDhcpOptionsOutput`) public func deleteDhcpOptions(input: DeleteDhcpOptionsInput) async throws -> DeleteDhcpOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10646,7 +10486,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDhcpOptionsOutput.httpOutput(from:), DeleteDhcpOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10680,9 +10519,9 @@ extension EC2Client { /// /// Deletes an egress-only internet gateway. /// - /// - Parameter DeleteEgressOnlyInternetGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEgressOnlyInternetGatewayInput`) /// - /// - Returns: `DeleteEgressOnlyInternetGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEgressOnlyInternetGatewayOutput`) public func deleteEgressOnlyInternetGateway(input: DeleteEgressOnlyInternetGatewayInput) async throws -> DeleteEgressOnlyInternetGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10709,7 +10548,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEgressOnlyInternetGatewayOutput.httpOutput(from:), DeleteEgressOnlyInternetGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10754,9 +10592,9 @@ extension EC2Client { /// /// For more information, see [Delete an EC2 Fleet request and the instances in the fleet](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/delete-fleet.html) in the Amazon EC2 User Guide. /// - /// - Parameter DeleteFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetsInput`) /// - /// - Returns: `DeleteFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetsOutput`) public func deleteFleets(input: DeleteFleetsInput) async throws -> DeleteFleetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10783,7 +10621,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetsOutput.httpOutput(from:), DeleteFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10817,9 +10654,9 @@ extension EC2Client { /// /// Deletes one or more flow logs. /// - /// - Parameter DeleteFlowLogsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFlowLogsInput`) /// - /// - Returns: `DeleteFlowLogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFlowLogsOutput`) public func deleteFlowLogs(input: DeleteFlowLogsInput) async throws -> DeleteFlowLogsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10846,7 +10683,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFlowLogsOutput.httpOutput(from:), DeleteFlowLogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10880,9 +10716,9 @@ extension EC2Client { /// /// Deletes the specified Amazon FPGA Image (AFI). /// - /// - Parameter DeleteFpgaImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFpgaImageInput`) /// - /// - Returns: `DeleteFpgaImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFpgaImageOutput`) public func deleteFpgaImage(input: DeleteFpgaImageInput) async throws -> DeleteFpgaImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10909,7 +10745,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFpgaImageOutput.httpOutput(from:), DeleteFpgaImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10943,9 +10778,9 @@ extension EC2Client { /// /// Deletes the specified image usage report. For more information, see [View your AMI usage](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/your-ec2-ami-usage.html) in the Amazon EC2 User Guide. /// - /// - Parameter DeleteImageUsageReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImageUsageReportInput`) /// - /// - Returns: `DeleteImageUsageReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImageUsageReportOutput`) public func deleteImageUsageReport(input: DeleteImageUsageReportInput) async throws -> DeleteImageUsageReportOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10972,7 +10807,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImageUsageReportOutput.httpOutput(from:), DeleteImageUsageReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11006,9 +10840,9 @@ extension EC2Client { /// /// Deletes the specified EC2 Instance Connect Endpoint. /// - /// - Parameter DeleteInstanceConnectEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInstanceConnectEndpointInput`) /// - /// - Returns: `DeleteInstanceConnectEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceConnectEndpointOutput`) public func deleteInstanceConnectEndpoint(input: DeleteInstanceConnectEndpointInput) async throws -> DeleteInstanceConnectEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11035,7 +10869,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceConnectEndpointOutput.httpOutput(from:), DeleteInstanceConnectEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11069,9 +10902,9 @@ extension EC2Client { /// /// Deletes the specified event window. For more information, see [Define event windows for scheduled events](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/event-windows.html) in the Amazon EC2 User Guide. /// - /// - Parameter DeleteInstanceEventWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInstanceEventWindowInput`) /// - /// - Returns: `DeleteInstanceEventWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceEventWindowOutput`) public func deleteInstanceEventWindow(input: DeleteInstanceEventWindowInput) async throws -> DeleteInstanceEventWindowOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11098,7 +10931,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceEventWindowOutput.httpOutput(from:), DeleteInstanceEventWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11132,9 +10964,9 @@ extension EC2Client { /// /// Deletes the specified internet gateway. You must detach the internet gateway from the VPC before you can delete it. /// - /// - Parameter DeleteInternetGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInternetGatewayInput`) /// - /// - Returns: `DeleteInternetGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInternetGatewayOutput`) public func deleteInternetGateway(input: DeleteInternetGatewayInput) async throws -> DeleteInternetGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11161,7 +10993,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInternetGatewayOutput.httpOutput(from:), DeleteInternetGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11195,9 +11026,9 @@ extension EC2Client { /// /// Delete an IPAM. Deleting an IPAM removes all monitored data associated with the IPAM including the historical data for CIDRs. For more information, see [Delete an IPAM](https://docs.aws.amazon.com/vpc/latest/ipam/delete-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter DeleteIpamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIpamInput`) /// - /// - Returns: `DeleteIpamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIpamOutput`) public func deleteIpam(input: DeleteIpamInput) async throws -> DeleteIpamOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11224,7 +11055,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIpamOutput.httpOutput(from:), DeleteIpamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11258,9 +11088,9 @@ extension EC2Client { /// /// Delete a verification token. A verification token is an Amazon Web Services-generated random value that you can use to prove ownership of an external resource. For example, you can use a verification token to validate that you control a public IP address range when you bring an IP address range to Amazon Web Services (BYOIP). /// - /// - Parameter DeleteIpamExternalResourceVerificationTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIpamExternalResourceVerificationTokenInput`) /// - /// - Returns: `DeleteIpamExternalResourceVerificationTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIpamExternalResourceVerificationTokenOutput`) public func deleteIpamExternalResourceVerificationToken(input: DeleteIpamExternalResourceVerificationTokenInput) async throws -> DeleteIpamExternalResourceVerificationTokenOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11287,7 +11117,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIpamExternalResourceVerificationTokenOutput.httpOutput(from:), DeleteIpamExternalResourceVerificationTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11321,9 +11150,9 @@ extension EC2Client { /// /// Delete an IPAM pool. You cannot delete an IPAM pool if there are allocations in it or CIDRs provisioned to it. To release allocations, see [ReleaseIpamPoolAllocation](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_ReleaseIpamPoolAllocation.html). To deprovision pool CIDRs, see [DeprovisionIpamPoolCidr](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DeprovisionIpamPoolCidr.html). For more information, see [Delete a pool](https://docs.aws.amazon.com/vpc/latest/ipam/delete-pool-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter DeleteIpamPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIpamPoolInput`) /// - /// - Returns: `DeleteIpamPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIpamPoolOutput`) public func deleteIpamPool(input: DeleteIpamPoolInput) async throws -> DeleteIpamPoolOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11350,7 +11179,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIpamPoolOutput.httpOutput(from:), DeleteIpamPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11384,9 +11212,9 @@ extension EC2Client { /// /// Deletes an IPAM resource discovery. A resource discovery is an IPAM component that enables IPAM to manage and monitor resources that belong to the owning account. /// - /// - Parameter DeleteIpamResourceDiscoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIpamResourceDiscoveryInput`) /// - /// - Returns: `DeleteIpamResourceDiscoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIpamResourceDiscoveryOutput`) public func deleteIpamResourceDiscovery(input: DeleteIpamResourceDiscoveryInput) async throws -> DeleteIpamResourceDiscoveryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11413,7 +11241,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIpamResourceDiscoveryOutput.httpOutput(from:), DeleteIpamResourceDiscoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11447,9 +11274,9 @@ extension EC2Client { /// /// Delete the scope for an IPAM. You cannot delete the default scopes. For more information, see [Delete a scope](https://docs.aws.amazon.com/vpc/latest/ipam/delete-scope-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter DeleteIpamScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIpamScopeInput`) /// - /// - Returns: `DeleteIpamScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIpamScopeOutput`) public func deleteIpamScope(input: DeleteIpamScopeInput) async throws -> DeleteIpamScopeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11476,7 +11303,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIpamScopeOutput.httpOutput(from:), DeleteIpamScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11510,9 +11336,9 @@ extension EC2Client { /// /// Deletes the specified key pair, by removing the public key from Amazon EC2. /// - /// - Parameter DeleteKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKeyPairInput`) /// - /// - Returns: `DeleteKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKeyPairOutput`) public func deleteKeyPair(input: DeleteKeyPairInput) async throws -> DeleteKeyPairOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11539,7 +11365,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKeyPairOutput.httpOutput(from:), DeleteKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11573,9 +11398,9 @@ extension EC2Client { /// /// Deletes a launch template. Deleting a launch template deletes all of its versions. /// - /// - Parameter DeleteLaunchTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLaunchTemplateInput`) /// - /// - Returns: `DeleteLaunchTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLaunchTemplateOutput`) public func deleteLaunchTemplate(input: DeleteLaunchTemplateInput) async throws -> DeleteLaunchTemplateOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11602,7 +11427,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLaunchTemplateOutput.httpOutput(from:), DeleteLaunchTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11636,9 +11460,9 @@ extension EC2Client { /// /// Deletes one or more versions of a launch template. You can't delete the default version of a launch template; you must first assign a different version as the default. If the default version is the only version for the launch template, you must delete the entire launch template using [DeleteLaunchTemplate]. You can delete up to 200 launch template versions in a single request. To delete more than 200 versions in a single request, use [DeleteLaunchTemplate], which deletes the launch template and all of its versions. For more information, see [Delete a launch template version](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/delete-launch-template.html#delete-launch-template-version) in the Amazon EC2 User Guide. /// - /// - Parameter DeleteLaunchTemplateVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLaunchTemplateVersionsInput`) /// - /// - Returns: `DeleteLaunchTemplateVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLaunchTemplateVersionsOutput`) public func deleteLaunchTemplateVersions(input: DeleteLaunchTemplateVersionsInput) async throws -> DeleteLaunchTemplateVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11665,7 +11489,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLaunchTemplateVersionsOutput.httpOutput(from:), DeleteLaunchTemplateVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11699,9 +11522,9 @@ extension EC2Client { /// /// Deletes the specified route from the specified local gateway route table. /// - /// - Parameter DeleteLocalGatewayRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLocalGatewayRouteInput`) /// - /// - Returns: `DeleteLocalGatewayRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLocalGatewayRouteOutput`) public func deleteLocalGatewayRoute(input: DeleteLocalGatewayRouteInput) async throws -> DeleteLocalGatewayRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11728,7 +11551,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLocalGatewayRouteOutput.httpOutput(from:), DeleteLocalGatewayRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11762,9 +11584,9 @@ extension EC2Client { /// /// Deletes a local gateway route table. /// - /// - Parameter DeleteLocalGatewayRouteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLocalGatewayRouteTableInput`) /// - /// - Returns: `DeleteLocalGatewayRouteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLocalGatewayRouteTableOutput`) public func deleteLocalGatewayRouteTable(input: DeleteLocalGatewayRouteTableInput) async throws -> DeleteLocalGatewayRouteTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11791,7 +11613,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLocalGatewayRouteTableOutput.httpOutput(from:), DeleteLocalGatewayRouteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11825,9 +11646,9 @@ extension EC2Client { /// /// Deletes a local gateway route table virtual interface group association. /// - /// - Parameter DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationInput`) /// - /// - Returns: `DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationOutput`) public func deleteLocalGatewayRouteTableVirtualInterfaceGroupAssociation(input: DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationInput) async throws -> DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11854,7 +11675,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationOutput.httpOutput(from:), DeleteLocalGatewayRouteTableVirtualInterfaceGroupAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11888,9 +11708,9 @@ extension EC2Client { /// /// Deletes the specified association between a VPC and local gateway route table. /// - /// - Parameter DeleteLocalGatewayRouteTableVpcAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLocalGatewayRouteTableVpcAssociationInput`) /// - /// - Returns: `DeleteLocalGatewayRouteTableVpcAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLocalGatewayRouteTableVpcAssociationOutput`) public func deleteLocalGatewayRouteTableVpcAssociation(input: DeleteLocalGatewayRouteTableVpcAssociationInput) async throws -> DeleteLocalGatewayRouteTableVpcAssociationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11917,7 +11737,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLocalGatewayRouteTableVpcAssociationOutput.httpOutput(from:), DeleteLocalGatewayRouteTableVpcAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11951,9 +11770,9 @@ extension EC2Client { /// /// Deletes the specified local gateway virtual interface. /// - /// - Parameter DeleteLocalGatewayVirtualInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLocalGatewayVirtualInterfaceInput`) /// - /// - Returns: `DeleteLocalGatewayVirtualInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLocalGatewayVirtualInterfaceOutput`) public func deleteLocalGatewayVirtualInterface(input: DeleteLocalGatewayVirtualInterfaceInput) async throws -> DeleteLocalGatewayVirtualInterfaceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11980,7 +11799,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLocalGatewayVirtualInterfaceOutput.httpOutput(from:), DeleteLocalGatewayVirtualInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12014,9 +11832,9 @@ extension EC2Client { /// /// Delete the specified local gateway interface group. /// - /// - Parameter DeleteLocalGatewayVirtualInterfaceGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLocalGatewayVirtualInterfaceGroupInput`) /// - /// - Returns: `DeleteLocalGatewayVirtualInterfaceGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLocalGatewayVirtualInterfaceGroupOutput`) public func deleteLocalGatewayVirtualInterfaceGroup(input: DeleteLocalGatewayVirtualInterfaceGroupInput) async throws -> DeleteLocalGatewayVirtualInterfaceGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12043,7 +11861,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLocalGatewayVirtualInterfaceGroupOutput.httpOutput(from:), DeleteLocalGatewayVirtualInterfaceGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12077,9 +11894,9 @@ extension EC2Client { /// /// Deletes the specified managed prefix list. You must first remove all references to the prefix list in your resources. /// - /// - Parameter DeleteManagedPrefixListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteManagedPrefixListInput`) /// - /// - Returns: `DeleteManagedPrefixListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteManagedPrefixListOutput`) public func deleteManagedPrefixList(input: DeleteManagedPrefixListInput) async throws -> DeleteManagedPrefixListOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12106,7 +11923,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteManagedPrefixListOutput.httpOutput(from:), DeleteManagedPrefixListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12140,9 +11956,9 @@ extension EC2Client { /// /// Deletes the specified NAT gateway. Deleting a public NAT gateway disassociates its Elastic IP address, but does not release the address from your account. Deleting a NAT gateway does not delete any NAT gateway routes in your route tables. /// - /// - Parameter DeleteNatGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNatGatewayInput`) /// - /// - Returns: `DeleteNatGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNatGatewayOutput`) public func deleteNatGateway(input: DeleteNatGatewayInput) async throws -> DeleteNatGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12169,7 +11985,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNatGatewayOutput.httpOutput(from:), DeleteNatGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12203,9 +12018,9 @@ extension EC2Client { /// /// Deletes the specified network ACL. You can't delete the ACL if it's associated with any subnets. You can't delete the default network ACL. /// - /// - Parameter DeleteNetworkAclInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNetworkAclInput`) /// - /// - Returns: `DeleteNetworkAclOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkAclOutput`) public func deleteNetworkAcl(input: DeleteNetworkAclInput) async throws -> DeleteNetworkAclOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12232,7 +12047,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkAclOutput.httpOutput(from:), DeleteNetworkAclOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12266,9 +12080,9 @@ extension EC2Client { /// /// Deletes the specified ingress or egress entry (rule) from the specified network ACL. /// - /// - Parameter DeleteNetworkAclEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNetworkAclEntryInput`) /// - /// - Returns: `DeleteNetworkAclEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkAclEntryOutput`) public func deleteNetworkAclEntry(input: DeleteNetworkAclEntryInput) async throws -> DeleteNetworkAclEntryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12295,7 +12109,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkAclEntryOutput.httpOutput(from:), DeleteNetworkAclEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12329,9 +12142,9 @@ extension EC2Client { /// /// Deletes the specified Network Access Scope. /// - /// - Parameter DeleteNetworkInsightsAccessScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNetworkInsightsAccessScopeInput`) /// - /// - Returns: `DeleteNetworkInsightsAccessScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkInsightsAccessScopeOutput`) public func deleteNetworkInsightsAccessScope(input: DeleteNetworkInsightsAccessScopeInput) async throws -> DeleteNetworkInsightsAccessScopeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12358,7 +12171,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkInsightsAccessScopeOutput.httpOutput(from:), DeleteNetworkInsightsAccessScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12392,9 +12204,9 @@ extension EC2Client { /// /// Deletes the specified Network Access Scope analysis. /// - /// - Parameter DeleteNetworkInsightsAccessScopeAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNetworkInsightsAccessScopeAnalysisInput`) /// - /// - Returns: `DeleteNetworkInsightsAccessScopeAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkInsightsAccessScopeAnalysisOutput`) public func deleteNetworkInsightsAccessScopeAnalysis(input: DeleteNetworkInsightsAccessScopeAnalysisInput) async throws -> DeleteNetworkInsightsAccessScopeAnalysisOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12421,7 +12233,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkInsightsAccessScopeAnalysisOutput.httpOutput(from:), DeleteNetworkInsightsAccessScopeAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12455,9 +12266,9 @@ extension EC2Client { /// /// Deletes the specified network insights analysis. /// - /// - Parameter DeleteNetworkInsightsAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNetworkInsightsAnalysisInput`) /// - /// - Returns: `DeleteNetworkInsightsAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkInsightsAnalysisOutput`) public func deleteNetworkInsightsAnalysis(input: DeleteNetworkInsightsAnalysisInput) async throws -> DeleteNetworkInsightsAnalysisOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12484,7 +12295,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkInsightsAnalysisOutput.httpOutput(from:), DeleteNetworkInsightsAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12518,9 +12328,9 @@ extension EC2Client { /// /// Deletes the specified path. /// - /// - Parameter DeleteNetworkInsightsPathInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNetworkInsightsPathInput`) /// - /// - Returns: `DeleteNetworkInsightsPathOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkInsightsPathOutput`) public func deleteNetworkInsightsPath(input: DeleteNetworkInsightsPathInput) async throws -> DeleteNetworkInsightsPathOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12547,7 +12357,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkInsightsPathOutput.httpOutput(from:), DeleteNetworkInsightsPathOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12581,9 +12390,9 @@ extension EC2Client { /// /// Deletes the specified network interface. You must detach the network interface before you can delete it. /// - /// - Parameter DeleteNetworkInterfaceInput : Contains the parameters for DeleteNetworkInterface. + /// - Parameter input: Contains the parameters for DeleteNetworkInterface. (Type: `DeleteNetworkInterfaceInput`) /// - /// - Returns: `DeleteNetworkInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkInterfaceOutput`) public func deleteNetworkInterface(input: DeleteNetworkInterfaceInput) async throws -> DeleteNetworkInterfaceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12610,7 +12419,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkInterfaceOutput.httpOutput(from:), DeleteNetworkInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12644,9 +12452,9 @@ extension EC2Client { /// /// Deletes a permission for a network interface. By default, you cannot delete the permission if the account for which you're removing the permission has attached the network interface to an instance. However, you can force delete the permission, regardless of any attachment. /// - /// - Parameter DeleteNetworkInterfacePermissionInput : Contains the parameters for DeleteNetworkInterfacePermission. + /// - Parameter input: Contains the parameters for DeleteNetworkInterfacePermission. (Type: `DeleteNetworkInterfacePermissionInput`) /// - /// - Returns: `DeleteNetworkInterfacePermissionOutput` : Contains the output for DeleteNetworkInterfacePermission. + /// - Returns: Contains the output for DeleteNetworkInterfacePermission. (Type: `DeleteNetworkInterfacePermissionOutput`) public func deleteNetworkInterfacePermission(input: DeleteNetworkInterfacePermissionInput) async throws -> DeleteNetworkInterfacePermissionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12673,7 +12481,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkInterfacePermissionOutput.httpOutput(from:), DeleteNetworkInterfacePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12707,9 +12514,9 @@ extension EC2Client { /// /// Deletes the specified placement group. You must terminate all instances in the placement group before you can delete the placement group. For more information, see [Placement groups](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/placement-groups.html) in the Amazon EC2 User Guide. /// - /// - Parameter DeletePlacementGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePlacementGroupInput`) /// - /// - Returns: `DeletePlacementGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePlacementGroupOutput`) public func deletePlacementGroup(input: DeletePlacementGroupInput) async throws -> DeletePlacementGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12736,7 +12543,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePlacementGroupOutput.httpOutput(from:), DeletePlacementGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12770,9 +12576,9 @@ extension EC2Client { /// /// Delete a public IPv4 pool. A public IPv4 pool is an EC2 IP address pool required for the public IPv4 CIDRs that you own and bring to Amazon Web Services to manage with IPAM. IPv6 addresses you bring to Amazon Web Services, however, use IPAM pools only. /// - /// - Parameter DeletePublicIpv4PoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePublicIpv4PoolInput`) /// - /// - Returns: `DeletePublicIpv4PoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePublicIpv4PoolOutput`) public func deletePublicIpv4Pool(input: DeletePublicIpv4PoolInput) async throws -> DeletePublicIpv4PoolOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12799,7 +12605,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePublicIpv4PoolOutput.httpOutput(from:), DeletePublicIpv4PoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12833,9 +12638,9 @@ extension EC2Client { /// /// Deletes the queued purchases for the specified Reserved Instances. /// - /// - Parameter DeleteQueuedReservedInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueuedReservedInstancesInput`) /// - /// - Returns: `DeleteQueuedReservedInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueuedReservedInstancesOutput`) public func deleteQueuedReservedInstances(input: DeleteQueuedReservedInstancesInput) async throws -> DeleteQueuedReservedInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12862,7 +12667,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueuedReservedInstancesOutput.httpOutput(from:), DeleteQueuedReservedInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12896,9 +12700,9 @@ extension EC2Client { /// /// Deletes the specified route from the specified route table. /// - /// - Parameter DeleteRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteInput`) /// - /// - Returns: `DeleteRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteOutput`) public func deleteRoute(input: DeleteRouteInput) async throws -> DeleteRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12925,7 +12729,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteOutput.httpOutput(from:), DeleteRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12968,9 +12771,9 @@ extension EC2Client { /// /// Route server does not support route tables associated with virtual private gateways. To propagate routes into a transit gateway route table, use [Transit Gateway Connect](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-connect.html). For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter DeleteRouteServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteServerInput`) /// - /// - Returns: `DeleteRouteServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteServerOutput`) public func deleteRouteServer(input: DeleteRouteServerInput) async throws -> DeleteRouteServerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12997,7 +12800,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteServerOutput.httpOutput(from:), DeleteRouteServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13031,9 +12833,9 @@ extension EC2Client { /// /// Deletes the specified route server endpoint. A route server endpoint is an Amazon Web Services-managed component inside a subnet that facilitates [BGP (Border Gateway Protocol)](https://en.wikipedia.org/wiki/Border_Gateway_Protocol) connections between your route server and your BGP peers. /// - /// - Parameter DeleteRouteServerEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteServerEndpointInput`) /// - /// - Returns: `DeleteRouteServerEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteServerEndpointOutput`) public func deleteRouteServerEndpoint(input: DeleteRouteServerEndpointInput) async throws -> DeleteRouteServerEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13060,7 +12862,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteServerEndpointOutput.httpOutput(from:), DeleteRouteServerEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13100,9 +12901,9 @@ extension EC2Client { /// /// * Can initiate BGP sessions /// - /// - Parameter DeleteRouteServerPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteServerPeerInput`) /// - /// - Returns: `DeleteRouteServerPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteServerPeerOutput`) public func deleteRouteServerPeer(input: DeleteRouteServerPeerInput) async throws -> DeleteRouteServerPeerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13129,7 +12930,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteServerPeerOutput.httpOutput(from:), DeleteRouteServerPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13163,9 +12963,9 @@ extension EC2Client { /// /// Deletes the specified route table. You must disassociate the route table from any subnets before you can delete it. You can't delete the main route table. /// - /// - Parameter DeleteRouteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteTableInput`) /// - /// - Returns: `DeleteRouteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteTableOutput`) public func deleteRouteTable(input: DeleteRouteTableInput) async throws -> DeleteRouteTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13192,7 +12992,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteTableOutput.httpOutput(from:), DeleteRouteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13226,9 +13025,9 @@ extension EC2Client { /// /// Deletes a security group. If you attempt to delete a security group that is associated with an instance or network interface, is referenced by another security group in the same VPC, or has a VPC association, the operation fails with DependencyViolation. /// - /// - Parameter DeleteSecurityGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSecurityGroupInput`) /// - /// - Returns: `DeleteSecurityGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSecurityGroupOutput`) public func deleteSecurityGroup(input: DeleteSecurityGroupInput) async throws -> DeleteSecurityGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13255,7 +13054,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSecurityGroupOutput.httpOutput(from:), DeleteSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13289,9 +13087,9 @@ extension EC2Client { /// /// Deletes the specified snapshot. When you make periodic snapshots of a volume, the snapshots are incremental, and only the blocks on the device that have changed since your last snapshot are saved in the new snapshot. When you delete a snapshot, only the data not needed for any other snapshot is removed. So regardless of which prior snapshots have been deleted, all active snapshots will have access to all the information needed to restore the volume. You cannot delete a snapshot of the root device of an EBS volume used by a registered AMI. You must first deregister the AMI before you can delete the snapshot. For more information, see [Delete an Amazon EBS snapshot](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-deleting-snapshot.html) in the Amazon EBS User Guide. /// - /// - Parameter DeleteSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSnapshotInput`) /// - /// - Returns: `DeleteSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSnapshotOutput`) public func deleteSnapshot(input: DeleteSnapshotInput) async throws -> DeleteSnapshotOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13318,7 +13116,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSnapshotOutput.httpOutput(from:), DeleteSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13352,9 +13149,9 @@ extension EC2Client { /// /// Deletes the data feed for Spot Instances. /// - /// - Parameter DeleteSpotDatafeedSubscriptionInput : Contains the parameters for DeleteSpotDatafeedSubscription. + /// - Parameter input: Contains the parameters for DeleteSpotDatafeedSubscription. (Type: `DeleteSpotDatafeedSubscriptionInput`) /// - /// - Returns: `DeleteSpotDatafeedSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSpotDatafeedSubscriptionOutput`) public func deleteSpotDatafeedSubscription(input: DeleteSpotDatafeedSubscriptionInput) async throws -> DeleteSpotDatafeedSubscriptionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13381,7 +13178,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSpotDatafeedSubscriptionOutput.httpOutput(from:), DeleteSpotDatafeedSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13415,9 +13211,9 @@ extension EC2Client { /// /// Deletes the specified subnet. You must terminate all running instances in the subnet before you can delete the subnet. /// - /// - Parameter DeleteSubnetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubnetInput`) /// - /// - Returns: `DeleteSubnetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubnetOutput`) public func deleteSubnet(input: DeleteSubnetInput) async throws -> DeleteSubnetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13444,7 +13240,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubnetOutput.httpOutput(from:), DeleteSubnetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13478,9 +13273,9 @@ extension EC2Client { /// /// Deletes a subnet CIDR reservation. /// - /// - Parameter DeleteSubnetCidrReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubnetCidrReservationInput`) /// - /// - Returns: `DeleteSubnetCidrReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubnetCidrReservationOutput`) public func deleteSubnetCidrReservation(input: DeleteSubnetCidrReservationInput) async throws -> DeleteSubnetCidrReservationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13507,7 +13302,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubnetCidrReservationOutput.httpOutput(from:), DeleteSubnetCidrReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13541,9 +13335,9 @@ extension EC2Client { /// /// Deletes the specified set of tags from the specified set of resources. To list the current tags, use [DescribeTags]. For more information about tags, see [Tag your Amazon EC2 resources](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Using_Tags.html) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter DeleteTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTagsInput`) /// - /// - Returns: `DeleteTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagsOutput`) public func deleteTags(input: DeleteTagsInput) async throws -> DeleteTagsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13570,7 +13364,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsOutput.httpOutput(from:), DeleteTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13604,9 +13397,9 @@ extension EC2Client { /// /// Deletes the specified Traffic Mirror filter. You cannot delete a Traffic Mirror filter that is in use by a Traffic Mirror session. /// - /// - Parameter DeleteTrafficMirrorFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrafficMirrorFilterInput`) /// - /// - Returns: `DeleteTrafficMirrorFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrafficMirrorFilterOutput`) public func deleteTrafficMirrorFilter(input: DeleteTrafficMirrorFilterInput) async throws -> DeleteTrafficMirrorFilterOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13633,7 +13426,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrafficMirrorFilterOutput.httpOutput(from:), DeleteTrafficMirrorFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13667,9 +13459,9 @@ extension EC2Client { /// /// Deletes the specified Traffic Mirror rule. /// - /// - Parameter DeleteTrafficMirrorFilterRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrafficMirrorFilterRuleInput`) /// - /// - Returns: `DeleteTrafficMirrorFilterRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrafficMirrorFilterRuleOutput`) public func deleteTrafficMirrorFilterRule(input: DeleteTrafficMirrorFilterRuleInput) async throws -> DeleteTrafficMirrorFilterRuleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13696,7 +13488,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrafficMirrorFilterRuleOutput.httpOutput(from:), DeleteTrafficMirrorFilterRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13730,9 +13521,9 @@ extension EC2Client { /// /// Deletes the specified Traffic Mirror session. /// - /// - Parameter DeleteTrafficMirrorSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrafficMirrorSessionInput`) /// - /// - Returns: `DeleteTrafficMirrorSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrafficMirrorSessionOutput`) public func deleteTrafficMirrorSession(input: DeleteTrafficMirrorSessionInput) async throws -> DeleteTrafficMirrorSessionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13759,7 +13550,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrafficMirrorSessionOutput.httpOutput(from:), DeleteTrafficMirrorSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13793,9 +13583,9 @@ extension EC2Client { /// /// Deletes the specified Traffic Mirror target. You cannot delete a Traffic Mirror target that is in use by a Traffic Mirror session. /// - /// - Parameter DeleteTrafficMirrorTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrafficMirrorTargetInput`) /// - /// - Returns: `DeleteTrafficMirrorTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrafficMirrorTargetOutput`) public func deleteTrafficMirrorTarget(input: DeleteTrafficMirrorTargetInput) async throws -> DeleteTrafficMirrorTargetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13822,7 +13612,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrafficMirrorTargetOutput.httpOutput(from:), DeleteTrafficMirrorTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13856,9 +13645,9 @@ extension EC2Client { /// /// Deletes the specified transit gateway. /// - /// - Parameter DeleteTransitGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayInput`) /// - /// - Returns: `DeleteTransitGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayOutput`) public func deleteTransitGateway(input: DeleteTransitGatewayInput) async throws -> DeleteTransitGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13885,7 +13674,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayOutput.httpOutput(from:), DeleteTransitGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13919,9 +13707,9 @@ extension EC2Client { /// /// Deletes the specified Connect attachment. You must first delete any Connect peers for the attachment. /// - /// - Parameter DeleteTransitGatewayConnectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayConnectInput`) /// - /// - Returns: `DeleteTransitGatewayConnectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayConnectOutput`) public func deleteTransitGatewayConnect(input: DeleteTransitGatewayConnectInput) async throws -> DeleteTransitGatewayConnectOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13948,7 +13736,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayConnectOutput.httpOutput(from:), DeleteTransitGatewayConnectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13982,9 +13769,9 @@ extension EC2Client { /// /// Deletes the specified Connect peer. /// - /// - Parameter DeleteTransitGatewayConnectPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayConnectPeerInput`) /// - /// - Returns: `DeleteTransitGatewayConnectPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayConnectPeerOutput`) public func deleteTransitGatewayConnectPeer(input: DeleteTransitGatewayConnectPeerInput) async throws -> DeleteTransitGatewayConnectPeerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14011,7 +13798,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayConnectPeerOutput.httpOutput(from:), DeleteTransitGatewayConnectPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14045,9 +13831,9 @@ extension EC2Client { /// /// Deletes the specified transit gateway multicast domain. /// - /// - Parameter DeleteTransitGatewayMulticastDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayMulticastDomainInput`) /// - /// - Returns: `DeleteTransitGatewayMulticastDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayMulticastDomainOutput`) public func deleteTransitGatewayMulticastDomain(input: DeleteTransitGatewayMulticastDomainInput) async throws -> DeleteTransitGatewayMulticastDomainOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14074,7 +13860,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayMulticastDomainOutput.httpOutput(from:), DeleteTransitGatewayMulticastDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14108,9 +13893,9 @@ extension EC2Client { /// /// Deletes a transit gateway peering attachment. /// - /// - Parameter DeleteTransitGatewayPeeringAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayPeeringAttachmentInput`) /// - /// - Returns: `DeleteTransitGatewayPeeringAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayPeeringAttachmentOutput`) public func deleteTransitGatewayPeeringAttachment(input: DeleteTransitGatewayPeeringAttachmentInput) async throws -> DeleteTransitGatewayPeeringAttachmentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14137,7 +13922,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayPeeringAttachmentOutput.httpOutput(from:), DeleteTransitGatewayPeeringAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14171,9 +13955,9 @@ extension EC2Client { /// /// Deletes the specified transit gateway policy table. /// - /// - Parameter DeleteTransitGatewayPolicyTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayPolicyTableInput`) /// - /// - Returns: `DeleteTransitGatewayPolicyTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayPolicyTableOutput`) public func deleteTransitGatewayPolicyTable(input: DeleteTransitGatewayPolicyTableInput) async throws -> DeleteTransitGatewayPolicyTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14200,7 +13984,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayPolicyTableOutput.httpOutput(from:), DeleteTransitGatewayPolicyTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14234,9 +14017,9 @@ extension EC2Client { /// /// Deletes a reference (route) to a prefix list in a specified transit gateway route table. /// - /// - Parameter DeleteTransitGatewayPrefixListReferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayPrefixListReferenceInput`) /// - /// - Returns: `DeleteTransitGatewayPrefixListReferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayPrefixListReferenceOutput`) public func deleteTransitGatewayPrefixListReference(input: DeleteTransitGatewayPrefixListReferenceInput) async throws -> DeleteTransitGatewayPrefixListReferenceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14263,7 +14046,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayPrefixListReferenceOutput.httpOutput(from:), DeleteTransitGatewayPrefixListReferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14297,9 +14079,9 @@ extension EC2Client { /// /// Deletes the specified route from the specified transit gateway route table. /// - /// - Parameter DeleteTransitGatewayRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayRouteInput`) /// - /// - Returns: `DeleteTransitGatewayRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayRouteOutput`) public func deleteTransitGatewayRoute(input: DeleteTransitGatewayRouteInput) async throws -> DeleteTransitGatewayRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14326,7 +14108,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayRouteOutput.httpOutput(from:), DeleteTransitGatewayRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14360,9 +14141,9 @@ extension EC2Client { /// /// Deletes the specified transit gateway route table. If there are any route tables associated with the transit gateway route table, you must first run [DisassociateRouteTable] before you can delete the transit gateway route table. This removes any route tables associated with the transit gateway route table. /// - /// - Parameter DeleteTransitGatewayRouteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayRouteTableInput`) /// - /// - Returns: `DeleteTransitGatewayRouteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayRouteTableOutput`) public func deleteTransitGatewayRouteTable(input: DeleteTransitGatewayRouteTableInput) async throws -> DeleteTransitGatewayRouteTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14389,7 +14170,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayRouteTableOutput.httpOutput(from:), DeleteTransitGatewayRouteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14423,9 +14203,9 @@ extension EC2Client { /// /// Advertises to the transit gateway that a transit gateway route table is deleted. /// - /// - Parameter DeleteTransitGatewayRouteTableAnnouncementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayRouteTableAnnouncementInput`) /// - /// - Returns: `DeleteTransitGatewayRouteTableAnnouncementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayRouteTableAnnouncementOutput`) public func deleteTransitGatewayRouteTableAnnouncement(input: DeleteTransitGatewayRouteTableAnnouncementInput) async throws -> DeleteTransitGatewayRouteTableAnnouncementOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14452,7 +14232,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayRouteTableAnnouncementOutput.httpOutput(from:), DeleteTransitGatewayRouteTableAnnouncementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14486,9 +14265,9 @@ extension EC2Client { /// /// Deletes the specified VPC attachment. /// - /// - Parameter DeleteTransitGatewayVpcAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTransitGatewayVpcAttachmentInput`) /// - /// - Returns: `DeleteTransitGatewayVpcAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTransitGatewayVpcAttachmentOutput`) public func deleteTransitGatewayVpcAttachment(input: DeleteTransitGatewayVpcAttachmentInput) async throws -> DeleteTransitGatewayVpcAttachmentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14515,7 +14294,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTransitGatewayVpcAttachmentOutput.httpOutput(from:), DeleteTransitGatewayVpcAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14549,9 +14327,9 @@ extension EC2Client { /// /// Delete an Amazon Web Services Verified Access endpoint. /// - /// - Parameter DeleteVerifiedAccessEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVerifiedAccessEndpointInput`) /// - /// - Returns: `DeleteVerifiedAccessEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVerifiedAccessEndpointOutput`) public func deleteVerifiedAccessEndpoint(input: DeleteVerifiedAccessEndpointInput) async throws -> DeleteVerifiedAccessEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14579,7 +14357,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVerifiedAccessEndpointOutput.httpOutput(from:), DeleteVerifiedAccessEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14613,9 +14390,9 @@ extension EC2Client { /// /// Delete an Amazon Web Services Verified Access group. /// - /// - Parameter DeleteVerifiedAccessGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVerifiedAccessGroupInput`) /// - /// - Returns: `DeleteVerifiedAccessGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVerifiedAccessGroupOutput`) public func deleteVerifiedAccessGroup(input: DeleteVerifiedAccessGroupInput) async throws -> DeleteVerifiedAccessGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14643,7 +14420,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVerifiedAccessGroupOutput.httpOutput(from:), DeleteVerifiedAccessGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14677,9 +14453,9 @@ extension EC2Client { /// /// Delete an Amazon Web Services Verified Access instance. /// - /// - Parameter DeleteVerifiedAccessInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVerifiedAccessInstanceInput`) /// - /// - Returns: `DeleteVerifiedAccessInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVerifiedAccessInstanceOutput`) public func deleteVerifiedAccessInstance(input: DeleteVerifiedAccessInstanceInput) async throws -> DeleteVerifiedAccessInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14707,7 +14483,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVerifiedAccessInstanceOutput.httpOutput(from:), DeleteVerifiedAccessInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14741,9 +14516,9 @@ extension EC2Client { /// /// Delete an Amazon Web Services Verified Access trust provider. /// - /// - Parameter DeleteVerifiedAccessTrustProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVerifiedAccessTrustProviderInput`) /// - /// - Returns: `DeleteVerifiedAccessTrustProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVerifiedAccessTrustProviderOutput`) public func deleteVerifiedAccessTrustProvider(input: DeleteVerifiedAccessTrustProviderInput) async throws -> DeleteVerifiedAccessTrustProviderOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14771,7 +14546,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVerifiedAccessTrustProviderOutput.httpOutput(from:), DeleteVerifiedAccessTrustProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14805,9 +14579,9 @@ extension EC2Client { /// /// Deletes the specified EBS volume. The volume must be in the available state (not attached to an instance). The volume can remain in the deleting state for several minutes. For more information, see [Delete an Amazon EBS volume](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-deleting-volume.html) in the Amazon EBS User Guide. /// - /// - Parameter DeleteVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVolumeInput`) /// - /// - Returns: `DeleteVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVolumeOutput`) public func deleteVolume(input: DeleteVolumeInput) async throws -> DeleteVolumeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14834,7 +14608,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVolumeOutput.httpOutput(from:), DeleteVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14868,9 +14641,9 @@ extension EC2Client { /// /// Deletes the specified VPC. You must detach or delete all gateways and resources that are associated with the VPC before you can delete it. For example, you must terminate all instances running in the VPC, delete all security groups associated with the VPC (except the default one), delete all route tables associated with the VPC (except the default one), and so on. When you delete the VPC, it deletes the default security group, network ACL, and route table for the VPC. If you created a flow log for the VPC that you are deleting, note that flow logs for deleted VPCs are eventually automatically removed. /// - /// - Parameter DeleteVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcInput`) /// - /// - Returns: `DeleteVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcOutput`) public func deleteVpc(input: DeleteVpcInput) async throws -> DeleteVpcOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14897,7 +14670,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcOutput.httpOutput(from:), DeleteVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14931,9 +14703,9 @@ extension EC2Client { /// /// Delete a VPC Block Public Access (BPA) exclusion. A VPC BPA exclusion is a mode that can be applied to a single VPC or subnet that exempts it from the account’s BPA mode and will allow bidirectional or egress-only access. You can create BPA exclusions for VPCs and subnets even when BPA is not enabled on the account to ensure that there is no traffic disruption to the exclusions when VPC BPA is turned on. To learn more about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. /// - /// - Parameter DeleteVpcBlockPublicAccessExclusionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcBlockPublicAccessExclusionInput`) /// - /// - Returns: `DeleteVpcBlockPublicAccessExclusionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcBlockPublicAccessExclusionOutput`) public func deleteVpcBlockPublicAccessExclusion(input: DeleteVpcBlockPublicAccessExclusionInput) async throws -> DeleteVpcBlockPublicAccessExclusionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14960,7 +14732,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcBlockPublicAccessExclusionOutput.httpOutput(from:), DeleteVpcBlockPublicAccessExclusionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14994,9 +14765,9 @@ extension EC2Client { /// /// Deletes the specified VPC endpoint connection notifications. /// - /// - Parameter DeleteVpcEndpointConnectionNotificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcEndpointConnectionNotificationsInput`) /// - /// - Returns: `DeleteVpcEndpointConnectionNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcEndpointConnectionNotificationsOutput`) public func deleteVpcEndpointConnectionNotifications(input: DeleteVpcEndpointConnectionNotificationsInput) async throws -> DeleteVpcEndpointConnectionNotificationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15023,7 +14794,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcEndpointConnectionNotificationsOutput.httpOutput(from:), DeleteVpcEndpointConnectionNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15057,9 +14827,9 @@ extension EC2Client { /// /// Deletes the specified VPC endpoint service configurations. Before you can delete an endpoint service configuration, you must reject any Available or PendingAcceptance interface endpoint connections that are attached to the service. /// - /// - Parameter DeleteVpcEndpointServiceConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcEndpointServiceConfigurationsInput`) /// - /// - Returns: `DeleteVpcEndpointServiceConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcEndpointServiceConfigurationsOutput`) public func deleteVpcEndpointServiceConfigurations(input: DeleteVpcEndpointServiceConfigurationsInput) async throws -> DeleteVpcEndpointServiceConfigurationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15086,7 +14856,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcEndpointServiceConfigurationsOutput.httpOutput(from:), DeleteVpcEndpointServiceConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15120,9 +14889,9 @@ extension EC2Client { /// /// Deletes the specified VPC endpoints. When you delete a gateway endpoint, we delete the endpoint routes in the route tables for the endpoint. When you delete a Gateway Load Balancer endpoint, we delete its endpoint network interfaces. You can only delete Gateway Load Balancer endpoints when the routes that are associated with the endpoint are deleted. When you delete an interface endpoint, we delete its endpoint network interfaces. /// - /// - Parameter DeleteVpcEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcEndpointsInput`) /// - /// - Returns: `DeleteVpcEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcEndpointsOutput`) public func deleteVpcEndpoints(input: DeleteVpcEndpointsInput) async throws -> DeleteVpcEndpointsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15149,7 +14918,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcEndpointsOutput.httpOutput(from:), DeleteVpcEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15183,9 +14951,9 @@ extension EC2Client { /// /// Deletes a VPC peering connection. Either the owner of the requester VPC or the owner of the accepter VPC can delete the VPC peering connection if it's in the active state. The owner of the requester VPC can delete a VPC peering connection in the pending-acceptance state. You cannot delete a VPC peering connection that's in the failed or rejected state. /// - /// - Parameter DeleteVpcPeeringConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcPeeringConnectionInput`) /// - /// - Returns: `DeleteVpcPeeringConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcPeeringConnectionOutput`) public func deleteVpcPeeringConnection(input: DeleteVpcPeeringConnectionInput) async throws -> DeleteVpcPeeringConnectionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15212,7 +14980,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcPeeringConnectionOutput.httpOutput(from:), DeleteVpcPeeringConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15246,9 +15013,9 @@ extension EC2Client { /// /// Deletes the specified VPN connection. If you're deleting the VPC and its associated components, we recommend that you detach the virtual private gateway from the VPC and delete the VPC before deleting the VPN connection. If you believe that the tunnel credentials for your VPN connection have been compromised, you can delete the VPN connection and create a new one that has new keys, without needing to delete the VPC or virtual private gateway. If you create a new VPN connection, you must reconfigure the customer gateway device using the new configuration information returned with the new VPN connection ID. For certificate-based authentication, delete all Certificate Manager (ACM) private certificates used for the Amazon Web Services-side tunnel endpoints for the VPN connection before deleting the VPN connection. /// - /// - Parameter DeleteVpnConnectionInput : Contains the parameters for DeleteVpnConnection. + /// - Parameter input: Contains the parameters for DeleteVpnConnection. (Type: `DeleteVpnConnectionInput`) /// - /// - Returns: `DeleteVpnConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpnConnectionOutput`) public func deleteVpnConnection(input: DeleteVpnConnectionInput) async throws -> DeleteVpnConnectionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15275,7 +15042,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpnConnectionOutput.httpOutput(from:), DeleteVpnConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15309,9 +15075,9 @@ extension EC2Client { /// /// Deletes the specified static route associated with a VPN connection between an existing virtual private gateway and a VPN customer gateway. The static route allows traffic to be routed from the virtual private gateway to the VPN customer gateway. /// - /// - Parameter DeleteVpnConnectionRouteInput : Contains the parameters for DeleteVpnConnectionRoute. + /// - Parameter input: Contains the parameters for DeleteVpnConnectionRoute. (Type: `DeleteVpnConnectionRouteInput`) /// - /// - Returns: `DeleteVpnConnectionRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpnConnectionRouteOutput`) public func deleteVpnConnectionRoute(input: DeleteVpnConnectionRouteInput) async throws -> DeleteVpnConnectionRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15338,7 +15104,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpnConnectionRouteOutput.httpOutput(from:), DeleteVpnConnectionRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15372,9 +15137,9 @@ extension EC2Client { /// /// Deletes the specified virtual private gateway. You must first detach the virtual private gateway from the VPC. Note that you don't need to delete the virtual private gateway if you plan to delete and recreate the VPN connection between your VPC and your network. /// - /// - Parameter DeleteVpnGatewayInput : Contains the parameters for DeleteVpnGateway. + /// - Parameter input: Contains the parameters for DeleteVpnGateway. (Type: `DeleteVpnGatewayInput`) /// - /// - Returns: `DeleteVpnGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpnGatewayOutput`) public func deleteVpnGateway(input: DeleteVpnGatewayInput) async throws -> DeleteVpnGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15401,7 +15166,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpnGatewayOutput.httpOutput(from:), DeleteVpnGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15435,9 +15199,9 @@ extension EC2Client { /// /// Releases the specified address range that you provisioned for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP) and deletes the corresponding address pool. Before you can release an address range, you must stop advertising it and you must not have any IP addresses allocated from its address range. /// - /// - Parameter DeprovisionByoipCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeprovisionByoipCidrInput`) /// - /// - Returns: `DeprovisionByoipCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeprovisionByoipCidrOutput`) public func deprovisionByoipCidr(input: DeprovisionByoipCidrInput) async throws -> DeprovisionByoipCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15464,7 +15228,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprovisionByoipCidrOutput.httpOutput(from:), DeprovisionByoipCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15498,9 +15261,9 @@ extension EC2Client { /// /// Deprovisions your Autonomous System Number (ASN) from your Amazon Web Services account. This action can only be called after any BYOIP CIDR associations are removed from your Amazon Web Services account with [DisassociateIpamByoasn](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DisassociateIpamByoasn.html). For more information, see [Tutorial: Bring your ASN to IPAM](https://docs.aws.amazon.com/vpc/latest/ipam/tutorials-byoasn.html) in the Amazon VPC IPAM guide. /// - /// - Parameter DeprovisionIpamByoasnInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeprovisionIpamByoasnInput`) /// - /// - Returns: `DeprovisionIpamByoasnOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeprovisionIpamByoasnOutput`) public func deprovisionIpamByoasn(input: DeprovisionIpamByoasnInput) async throws -> DeprovisionIpamByoasnOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15527,7 +15290,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprovisionIpamByoasnOutput.httpOutput(from:), DeprovisionIpamByoasnOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15561,9 +15323,9 @@ extension EC2Client { /// /// Deprovision a CIDR provisioned from an IPAM pool. If you deprovision a CIDR from a pool that has a source pool, the CIDR is recycled back into the source pool. For more information, see [Deprovision pool CIDRs](https://docs.aws.amazon.com/vpc/latest/ipam/depro-pool-cidr-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter DeprovisionIpamPoolCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeprovisionIpamPoolCidrInput`) /// - /// - Returns: `DeprovisionIpamPoolCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeprovisionIpamPoolCidrOutput`) public func deprovisionIpamPoolCidr(input: DeprovisionIpamPoolCidrInput) async throws -> DeprovisionIpamPoolCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15590,7 +15352,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprovisionIpamPoolCidrOutput.httpOutput(from:), DeprovisionIpamPoolCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15624,9 +15385,9 @@ extension EC2Client { /// /// Deprovision a CIDR from a public IPv4 pool. /// - /// - Parameter DeprovisionPublicIpv4PoolCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeprovisionPublicIpv4PoolCidrInput`) /// - /// - Returns: `DeprovisionPublicIpv4PoolCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeprovisionPublicIpv4PoolCidrOutput`) public func deprovisionPublicIpv4PoolCidr(input: DeprovisionPublicIpv4PoolCidrInput) async throws -> DeprovisionPublicIpv4PoolCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15653,7 +15414,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprovisionPublicIpv4PoolCidrOutput.httpOutput(from:), DeprovisionPublicIpv4PoolCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15696,9 +15456,9 @@ extension EC2Client { /// /// For more information, see [Deregister an Amazon EC2 AMI](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/deregister-ami.html) in the Amazon EC2 User Guide. /// - /// - Parameter DeregisterImageInput : Contains the parameters for DeregisterImage. + /// - Parameter input: Contains the parameters for DeregisterImage. (Type: `DeregisterImageInput`) /// - /// - Returns: `DeregisterImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterImageOutput`) public func deregisterImage(input: DeregisterImageInput) async throws -> DeregisterImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15725,7 +15485,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterImageOutput.httpOutput(from:), DeregisterImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15759,9 +15518,9 @@ extension EC2Client { /// /// Deregisters tag keys to prevent tags that have the specified tag keys from being included in scheduled event notifications for resources in the Region. /// - /// - Parameter DeregisterInstanceEventNotificationAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterInstanceEventNotificationAttributesInput`) /// - /// - Returns: `DeregisterInstanceEventNotificationAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterInstanceEventNotificationAttributesOutput`) public func deregisterInstanceEventNotificationAttributes(input: DeregisterInstanceEventNotificationAttributesInput) async throws -> DeregisterInstanceEventNotificationAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15788,7 +15547,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterInstanceEventNotificationAttributesOutput.httpOutput(from:), DeregisterInstanceEventNotificationAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15822,9 +15580,9 @@ extension EC2Client { /// /// Deregisters the specified members (network interfaces) from the transit gateway multicast group. /// - /// - Parameter DeregisterTransitGatewayMulticastGroupMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterTransitGatewayMulticastGroupMembersInput`) /// - /// - Returns: `DeregisterTransitGatewayMulticastGroupMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterTransitGatewayMulticastGroupMembersOutput`) public func deregisterTransitGatewayMulticastGroupMembers(input: DeregisterTransitGatewayMulticastGroupMembersInput) async throws -> DeregisterTransitGatewayMulticastGroupMembersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15851,7 +15609,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterTransitGatewayMulticastGroupMembersOutput.httpOutput(from:), DeregisterTransitGatewayMulticastGroupMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15885,9 +15642,9 @@ extension EC2Client { /// /// Deregisters the specified sources (network interfaces) from the transit gateway multicast group. /// - /// - Parameter DeregisterTransitGatewayMulticastGroupSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterTransitGatewayMulticastGroupSourcesInput`) /// - /// - Returns: `DeregisterTransitGatewayMulticastGroupSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterTransitGatewayMulticastGroupSourcesOutput`) public func deregisterTransitGatewayMulticastGroupSources(input: DeregisterTransitGatewayMulticastGroupSourcesInput) async throws -> DeregisterTransitGatewayMulticastGroupSourcesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15914,7 +15671,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterTransitGatewayMulticastGroupSourcesOutput.httpOutput(from:), DeregisterTransitGatewayMulticastGroupSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15963,9 +15719,9 @@ extension EC2Client { /// /// The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeAccountAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountAttributesInput`) /// - /// - Returns: `DescribeAccountAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountAttributesOutput`) public func describeAccountAttributes(input: DescribeAccountAttributesInput) async throws -> DescribeAccountAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15992,7 +15748,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountAttributesOutput.httpOutput(from:), DescribeAccountAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16026,9 +15781,9 @@ extension EC2Client { /// /// Describes an Elastic IP address transfer. For more information, see [Transfer Elastic IP addresses](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-eips.html#transfer-EIPs-intro) in the Amazon VPC User Guide. When you transfer an Elastic IP address, there is a two-step handshake between the source and transfer Amazon Web Services accounts. When the source account starts the transfer, the transfer account has seven days to accept the Elastic IP address transfer. During those seven days, the source account can view the pending transfer by using this action. After seven days, the transfer expires and ownership of the Elastic IP address returns to the source account. Accepted transfers are visible to the source account for 14 days after the transfers have been accepted. /// - /// - Parameter DescribeAddressTransfersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAddressTransfersInput`) /// - /// - Returns: `DescribeAddressTransfersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAddressTransfersOutput`) public func describeAddressTransfers(input: DescribeAddressTransfersInput) async throws -> DescribeAddressTransfersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16055,7 +15810,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAddressTransfersOutput.httpOutput(from:), DescribeAddressTransfersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16089,9 +15843,9 @@ extension EC2Client { /// /// Describes the specified Elastic IP addresses or all of your Elastic IP addresses. /// - /// - Parameter DescribeAddressesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAddressesInput`) /// - /// - Returns: `DescribeAddressesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAddressesOutput`) public func describeAddresses(input: DescribeAddressesInput) async throws -> DescribeAddressesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16118,7 +15872,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAddressesOutput.httpOutput(from:), DescribeAddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16152,9 +15905,9 @@ extension EC2Client { /// /// Describes the attributes of the specified Elastic IP addresses. For requirements, see [Using reverse DNS for email applications](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/elastic-ip-addresses-eip.html#Using_Elastic_Addressing_Reverse_DNS). /// - /// - Parameter DescribeAddressesAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAddressesAttributeInput`) /// - /// - Returns: `DescribeAddressesAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAddressesAttributeOutput`) public func describeAddressesAttribute(input: DescribeAddressesAttributeInput) async throws -> DescribeAddressesAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16181,7 +15934,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAddressesAttributeOutput.httpOutput(from:), DescribeAddressesAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16215,9 +15967,9 @@ extension EC2Client { /// /// Describes the longer ID format settings for all resource types in a specific Region. This request is useful for performing a quick audit to determine whether a specific Region is fully opted in for longer IDs (17-character IDs). This request only returns information about resource types that support longer IDs. The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway. /// - /// - Parameter DescribeAggregateIdFormatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAggregateIdFormatInput`) /// - /// - Returns: `DescribeAggregateIdFormatOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAggregateIdFormatOutput`) public func describeAggregateIdFormat(input: DescribeAggregateIdFormatInput) async throws -> DescribeAggregateIdFormatOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16244,7 +15996,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAggregateIdFormatOutput.httpOutput(from:), DescribeAggregateIdFormatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16278,9 +16029,9 @@ extension EC2Client { /// /// Describes the Availability Zones, Local Zones, and Wavelength Zones that are available to you. For more information about Availability Zones, Local Zones, and Wavelength Zones, see [Regions and zones](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/using-regions-availability-zones.html) in the Amazon EC2 User Guide. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeAvailabilityZonesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAvailabilityZonesInput`) /// - /// - Returns: `DescribeAvailabilityZonesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAvailabilityZonesOutput`) public func describeAvailabilityZones(input: DescribeAvailabilityZonesInput) async throws -> DescribeAvailabilityZonesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16307,7 +16058,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAvailabilityZonesOutput.httpOutput(from:), DescribeAvailabilityZonesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16341,9 +16091,9 @@ extension EC2Client { /// /// Describes the current Infrastructure Performance metric subscriptions. /// - /// - Parameter DescribeAwsNetworkPerformanceMetricSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAwsNetworkPerformanceMetricSubscriptionsInput`) /// - /// - Returns: `DescribeAwsNetworkPerformanceMetricSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAwsNetworkPerformanceMetricSubscriptionsOutput`) public func describeAwsNetworkPerformanceMetricSubscriptions(input: DescribeAwsNetworkPerformanceMetricSubscriptionsInput) async throws -> DescribeAwsNetworkPerformanceMetricSubscriptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16370,7 +16120,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAwsNetworkPerformanceMetricSubscriptionsOutput.httpOutput(from:), DescribeAwsNetworkPerformanceMetricSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16404,9 +16153,9 @@ extension EC2Client { /// /// Describes the specified bundle tasks or all of your bundle tasks. Completed bundle tasks are listed for only a limited time. If your bundle task is no longer in the list, you can still register an AMI from it. Just use RegisterImage with the Amazon S3 bucket name and image manifest name you provided to the bundle task. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeBundleTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBundleTasksInput`) /// - /// - Returns: `DescribeBundleTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBundleTasksOutput`) public func describeBundleTasks(input: DescribeBundleTasksInput) async throws -> DescribeBundleTasksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16433,7 +16182,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBundleTasksOutput.httpOutput(from:), DescribeBundleTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16467,9 +16215,9 @@ extension EC2Client { /// /// Describes the IP address ranges that were provisioned for use with Amazon Web Services resources through through bring your own IP addresses (BYOIP). /// - /// - Parameter DescribeByoipCidrsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeByoipCidrsInput`) /// - /// - Returns: `DescribeByoipCidrsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeByoipCidrsOutput`) public func describeByoipCidrs(input: DescribeByoipCidrsInput) async throws -> DescribeByoipCidrsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16496,7 +16244,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeByoipCidrsOutput.httpOutput(from:), DescribeByoipCidrsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16530,9 +16277,9 @@ extension EC2Client { /// /// Describes the events for the specified Capacity Block extension during the specified time. /// - /// - Parameter DescribeCapacityBlockExtensionHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCapacityBlockExtensionHistoryInput`) /// - /// - Returns: `DescribeCapacityBlockExtensionHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCapacityBlockExtensionHistoryOutput`) public func describeCapacityBlockExtensionHistory(input: DescribeCapacityBlockExtensionHistoryInput) async throws -> DescribeCapacityBlockExtensionHistoryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16559,7 +16306,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCapacityBlockExtensionHistoryOutput.httpOutput(from:), DescribeCapacityBlockExtensionHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16593,9 +16339,9 @@ extension EC2Client { /// /// Describes Capacity Block extension offerings available for purchase in the Amazon Web Services Region that you're currently using. /// - /// - Parameter DescribeCapacityBlockExtensionOfferingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCapacityBlockExtensionOfferingsInput`) /// - /// - Returns: `DescribeCapacityBlockExtensionOfferingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCapacityBlockExtensionOfferingsOutput`) public func describeCapacityBlockExtensionOfferings(input: DescribeCapacityBlockExtensionOfferingsInput) async throws -> DescribeCapacityBlockExtensionOfferingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16622,7 +16368,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCapacityBlockExtensionOfferingsOutput.httpOutput(from:), DescribeCapacityBlockExtensionOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16656,9 +16401,9 @@ extension EC2Client { /// /// Describes Capacity Block offerings available for purchase in the Amazon Web Services Region that you're currently using. With Capacity Blocks, you can purchase a specific GPU instance type or EC2 UltraServer for a period of time. To search for an available Capacity Block offering, you specify a reservation duration and instance count. /// - /// - Parameter DescribeCapacityBlockOfferingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCapacityBlockOfferingsInput`) /// - /// - Returns: `DescribeCapacityBlockOfferingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCapacityBlockOfferingsOutput`) public func describeCapacityBlockOfferings(input: DescribeCapacityBlockOfferingsInput) async throws -> DescribeCapacityBlockOfferingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16685,7 +16430,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCapacityBlockOfferingsOutput.httpOutput(from:), DescribeCapacityBlockOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16719,9 +16463,9 @@ extension EC2Client { /// /// Describes the availability of capacity for the specified Capacity blocks, or all of your Capacity Blocks. /// - /// - Parameter DescribeCapacityBlockStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCapacityBlockStatusInput`) /// - /// - Returns: `DescribeCapacityBlockStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCapacityBlockStatusOutput`) public func describeCapacityBlockStatus(input: DescribeCapacityBlockStatusInput) async throws -> DescribeCapacityBlockStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16748,7 +16492,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCapacityBlockStatusOutput.httpOutput(from:), DescribeCapacityBlockStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16782,9 +16525,9 @@ extension EC2Client { /// /// Describes details about Capacity Blocks in the Amazon Web Services Region that you're currently using. /// - /// - Parameter DescribeCapacityBlocksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCapacityBlocksInput`) /// - /// - Returns: `DescribeCapacityBlocksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCapacityBlocksOutput`) public func describeCapacityBlocks(input: DescribeCapacityBlocksInput) async throws -> DescribeCapacityBlocksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16811,7 +16554,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCapacityBlocksOutput.httpOutput(from:), DescribeCapacityBlocksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16845,9 +16587,9 @@ extension EC2Client { /// /// Describes a request to assign the billing of the unused capacity of a Capacity Reservation. For more information, see [ Billing assignment for shared Amazon EC2 Capacity Reservations](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/transfer-billing.html). /// - /// - Parameter DescribeCapacityReservationBillingRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCapacityReservationBillingRequestsInput`) /// - /// - Returns: `DescribeCapacityReservationBillingRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCapacityReservationBillingRequestsOutput`) public func describeCapacityReservationBillingRequests(input: DescribeCapacityReservationBillingRequestsInput) async throws -> DescribeCapacityReservationBillingRequestsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16874,7 +16616,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCapacityReservationBillingRequestsOutput.httpOutput(from:), DescribeCapacityReservationBillingRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16908,9 +16649,9 @@ extension EC2Client { /// /// Describes one or more Capacity Reservation Fleets. /// - /// - Parameter DescribeCapacityReservationFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCapacityReservationFleetsInput`) /// - /// - Returns: `DescribeCapacityReservationFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCapacityReservationFleetsOutput`) public func describeCapacityReservationFleets(input: DescribeCapacityReservationFleetsInput) async throws -> DescribeCapacityReservationFleetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16937,7 +16678,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCapacityReservationFleetsOutput.httpOutput(from:), DescribeCapacityReservationFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16971,9 +16711,9 @@ extension EC2Client { /// /// Describes one or more of your Capacity Reservations. The results describe only the Capacity Reservations in the Amazon Web Services Region that you're currently using. /// - /// - Parameter DescribeCapacityReservationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCapacityReservationsInput`) /// - /// - Returns: `DescribeCapacityReservationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCapacityReservationsOutput`) public func describeCapacityReservations(input: DescribeCapacityReservationsInput) async throws -> DescribeCapacityReservationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17000,7 +16740,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCapacityReservationsOutput.httpOutput(from:), DescribeCapacityReservationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17034,9 +16773,9 @@ extension EC2Client { /// /// Describes one or more of your carrier gateways. /// - /// - Parameter DescribeCarrierGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCarrierGatewaysInput`) /// - /// - Returns: `DescribeCarrierGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCarrierGatewaysOutput`) public func describeCarrierGateways(input: DescribeCarrierGatewaysInput) async throws -> DescribeCarrierGatewaysOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17063,7 +16802,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCarrierGatewaysOutput.httpOutput(from:), DescribeCarrierGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17097,9 +16835,9 @@ extension EC2Client { /// /// This action is deprecated. Describes your linked EC2-Classic instances. This request only returns information about EC2-Classic instances linked to a VPC through ClassicLink. You cannot use this request to return information about other instances. /// - /// - Parameter DescribeClassicLinkInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClassicLinkInstancesInput`) /// - /// - Returns: `DescribeClassicLinkInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClassicLinkInstancesOutput`) public func describeClassicLinkInstances(input: DescribeClassicLinkInstancesInput) async throws -> DescribeClassicLinkInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17126,7 +16864,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClassicLinkInstancesOutput.httpOutput(from:), DescribeClassicLinkInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17160,9 +16897,9 @@ extension EC2Client { /// /// Describes the authorization rules for a specified Client VPN endpoint. /// - /// - Parameter DescribeClientVpnAuthorizationRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClientVpnAuthorizationRulesInput`) /// - /// - Returns: `DescribeClientVpnAuthorizationRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClientVpnAuthorizationRulesOutput`) public func describeClientVpnAuthorizationRules(input: DescribeClientVpnAuthorizationRulesInput) async throws -> DescribeClientVpnAuthorizationRulesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17189,7 +16926,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClientVpnAuthorizationRulesOutput.httpOutput(from:), DescribeClientVpnAuthorizationRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17223,9 +16959,9 @@ extension EC2Client { /// /// Describes active client connections and connections that have been terminated within the last 60 minutes for the specified Client VPN endpoint. /// - /// - Parameter DescribeClientVpnConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClientVpnConnectionsInput`) /// - /// - Returns: `DescribeClientVpnConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClientVpnConnectionsOutput`) public func describeClientVpnConnections(input: DescribeClientVpnConnectionsInput) async throws -> DescribeClientVpnConnectionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17252,7 +16988,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClientVpnConnectionsOutput.httpOutput(from:), DescribeClientVpnConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17286,9 +17021,9 @@ extension EC2Client { /// /// Describes one or more Client VPN endpoints in the account. /// - /// - Parameter DescribeClientVpnEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClientVpnEndpointsInput`) /// - /// - Returns: `DescribeClientVpnEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClientVpnEndpointsOutput`) public func describeClientVpnEndpoints(input: DescribeClientVpnEndpointsInput) async throws -> DescribeClientVpnEndpointsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17315,7 +17050,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClientVpnEndpointsOutput.httpOutput(from:), DescribeClientVpnEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17349,9 +17083,9 @@ extension EC2Client { /// /// Describes the routes for the specified Client VPN endpoint. /// - /// - Parameter DescribeClientVpnRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClientVpnRoutesInput`) /// - /// - Returns: `DescribeClientVpnRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClientVpnRoutesOutput`) public func describeClientVpnRoutes(input: DescribeClientVpnRoutesInput) async throws -> DescribeClientVpnRoutesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17378,7 +17112,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClientVpnRoutesOutput.httpOutput(from:), DescribeClientVpnRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17412,9 +17145,9 @@ extension EC2Client { /// /// Describes the target networks associated with the specified Client VPN endpoint. /// - /// - Parameter DescribeClientVpnTargetNetworksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClientVpnTargetNetworksInput`) /// - /// - Returns: `DescribeClientVpnTargetNetworksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClientVpnTargetNetworksOutput`) public func describeClientVpnTargetNetworks(input: DescribeClientVpnTargetNetworksInput) async throws -> DescribeClientVpnTargetNetworksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17441,7 +17174,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClientVpnTargetNetworksOutput.httpOutput(from:), DescribeClientVpnTargetNetworksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17475,9 +17207,9 @@ extension EC2Client { /// /// Describes the specified customer-owned address pools or all of your customer-owned address pools. /// - /// - Parameter DescribeCoipPoolsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCoipPoolsInput`) /// - /// - Returns: `DescribeCoipPoolsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCoipPoolsOutput`) public func describeCoipPools(input: DescribeCoipPoolsInput) async throws -> DescribeCoipPoolsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17504,7 +17236,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCoipPoolsOutput.httpOutput(from:), DescribeCoipPoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17538,9 +17269,9 @@ extension EC2Client { /// /// Describes the specified conversion tasks or all your conversion tasks. For more information, see the [VM Import/Export User Guide](https://docs.aws.amazon.com/vm-import/latest/userguide/). For information about the import manifest referenced by this API action, see [VM Import Manifest](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/manifest.html). /// - /// - Parameter DescribeConversionTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConversionTasksInput`) /// - /// - Returns: `DescribeConversionTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConversionTasksOutput`) public func describeConversionTasks(input: DescribeConversionTasksInput) async throws -> DescribeConversionTasksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17567,7 +17298,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConversionTasksOutput.httpOutput(from:), DescribeConversionTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17601,9 +17331,9 @@ extension EC2Client { /// /// Describes one or more of your VPN customer gateways. For more information, see [Amazon Web Services Site-to-Site VPN](https://docs.aws.amazon.com/vpn/latest/s2svpn/VPC_VPN.html) in the Amazon Web Services Site-to-Site VPN User Guide. /// - /// - Parameter DescribeCustomerGatewaysInput : Contains the parameters for DescribeCustomerGateways. + /// - Parameter input: Contains the parameters for DescribeCustomerGateways. (Type: `DescribeCustomerGatewaysInput`) /// - /// - Returns: `DescribeCustomerGatewaysOutput` : Contains the output of DescribeCustomerGateways. + /// - Returns: Contains the output of DescribeCustomerGateways. (Type: `DescribeCustomerGatewaysOutput`) public func describeCustomerGateways(input: DescribeCustomerGatewaysInput) async throws -> DescribeCustomerGatewaysOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17630,7 +17360,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomerGatewaysOutput.httpOutput(from:), DescribeCustomerGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17664,9 +17393,9 @@ extension EC2Client { /// /// Describes the metadata of an account status report, including the status of the report. To view the full report, download it from the Amazon S3 bucket where it was saved. Reports are accessible only when they have the complete status. Reports with other statuses (running, cancelled, or error) are not available in the S3 bucket. For more information about downloading objects from an S3 bucket, see [Downloading objects](https://docs.aws.amazon.com/AmazonS3/latest/userguide/download-objects.html) in the Amazon Simple Storage Service User Guide. For more information, see [Generating the account status report for declarative policies](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_policies_declarative_status-report.html) in the Amazon Web Services Organizations User Guide. /// - /// - Parameter DescribeDeclarativePoliciesReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeclarativePoliciesReportsInput`) /// - /// - Returns: `DescribeDeclarativePoliciesReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeclarativePoliciesReportsOutput`) public func describeDeclarativePoliciesReports(input: DescribeDeclarativePoliciesReportsInput) async throws -> DescribeDeclarativePoliciesReportsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17693,7 +17422,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeclarativePoliciesReportsOutput.httpOutput(from:), DescribeDeclarativePoliciesReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17727,9 +17455,9 @@ extension EC2Client { /// /// Describes your DHCP option sets. The default is to describe all your DHCP option sets. Alternatively, you can specify specific DHCP option set IDs or filter the results to include only the DHCP option sets that match specific criteria. For more information, see [DHCP option sets](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_DHCP_Options.html) in the Amazon VPC User Guide. /// - /// - Parameter DescribeDhcpOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDhcpOptionsInput`) /// - /// - Returns: `DescribeDhcpOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDhcpOptionsOutput`) public func describeDhcpOptions(input: DescribeDhcpOptionsInput) async throws -> DescribeDhcpOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17756,7 +17484,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDhcpOptionsOutput.httpOutput(from:), DescribeDhcpOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17790,9 +17517,9 @@ extension EC2Client { /// /// Describes your egress-only internet gateways. The default is to describe all your egress-only internet gateways. Alternatively, you can specify specific egress-only internet gateway IDs or filter the results to include only the egress-only internet gateways that match specific criteria. /// - /// - Parameter DescribeEgressOnlyInternetGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEgressOnlyInternetGatewaysInput`) /// - /// - Returns: `DescribeEgressOnlyInternetGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEgressOnlyInternetGatewaysOutput`) public func describeEgressOnlyInternetGateways(input: DescribeEgressOnlyInternetGatewaysInput) async throws -> DescribeEgressOnlyInternetGatewaysOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17819,7 +17546,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEgressOnlyInternetGatewaysOutput.httpOutput(from:), DescribeEgressOnlyInternetGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17853,9 +17579,9 @@ extension EC2Client { /// /// Amazon Elastic Graphics reached end of life on January 8, 2024. Describes the Elastic Graphics accelerator associated with your instances. /// - /// - Parameter DescribeElasticGpusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeElasticGpusInput`) /// - /// - Returns: `DescribeElasticGpusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeElasticGpusOutput`) public func describeElasticGpus(input: DescribeElasticGpusInput) async throws -> DescribeElasticGpusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17882,7 +17608,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeElasticGpusOutput.httpOutput(from:), DescribeElasticGpusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17916,9 +17641,9 @@ extension EC2Client { /// /// Describes the specified export image tasks or all of your export image tasks. /// - /// - Parameter DescribeExportImageTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExportImageTasksInput`) /// - /// - Returns: `DescribeExportImageTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExportImageTasksOutput`) public func describeExportImageTasks(input: DescribeExportImageTasksInput) async throws -> DescribeExportImageTasksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17945,7 +17670,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExportImageTasksOutput.httpOutput(from:), DescribeExportImageTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17979,9 +17703,9 @@ extension EC2Client { /// /// Describes the specified export instance tasks or all of your export instance tasks. /// - /// - Parameter DescribeExportTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExportTasksInput`) /// - /// - Returns: `DescribeExportTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExportTasksOutput`) public func describeExportTasks(input: DescribeExportTasksInput) async throws -> DescribeExportTasksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18008,7 +17732,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExportTasksOutput.httpOutput(from:), DescribeExportTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18042,9 +17765,9 @@ extension EC2Client { /// /// Describe details for Windows AMIs that are configured for Windows fast launch. /// - /// - Parameter DescribeFastLaunchImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFastLaunchImagesInput`) /// - /// - Returns: `DescribeFastLaunchImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFastLaunchImagesOutput`) public func describeFastLaunchImages(input: DescribeFastLaunchImagesInput) async throws -> DescribeFastLaunchImagesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18071,7 +17794,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFastLaunchImagesOutput.httpOutput(from:), DescribeFastLaunchImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18105,9 +17827,9 @@ extension EC2Client { /// /// Describes the state of fast snapshot restores for your snapshots. /// - /// - Parameter DescribeFastSnapshotRestoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFastSnapshotRestoresInput`) /// - /// - Returns: `DescribeFastSnapshotRestoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFastSnapshotRestoresOutput`) public func describeFastSnapshotRestores(input: DescribeFastSnapshotRestoresInput) async throws -> DescribeFastSnapshotRestoresOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18134,7 +17856,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFastSnapshotRestoresOutput.httpOutput(from:), DescribeFastSnapshotRestoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18168,9 +17889,9 @@ extension EC2Client { /// /// Describes the events for the specified EC2 Fleet during the specified time. EC2 Fleet events are delayed by up to 30 seconds before they can be described. This ensures that you can query by the last evaluated time and not miss a recorded event. EC2 Fleet events are available for 48 hours. For more information, see [Monitor fleet events using Amazon EventBridge](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/fleet-monitor.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeFleetHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetHistoryInput`) /// - /// - Returns: `DescribeFleetHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetHistoryOutput`) public func describeFleetHistory(input: DescribeFleetHistoryInput) async throws -> DescribeFleetHistoryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18197,7 +17918,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetHistoryOutput.httpOutput(from:), DescribeFleetHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18231,9 +17951,9 @@ extension EC2Client { /// /// Describes the running instances for the specified EC2 Fleet. Currently, DescribeFleetInstances does not support fleets of type instant. Instead, use DescribeFleets, specifying the instant fleet ID in the request. For more information, see [Describe your EC2 Fleet](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/manage-ec2-fleet.html#monitor-ec2-fleet) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeFleetInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetInstancesInput`) /// - /// - Returns: `DescribeFleetInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetInstancesOutput`) public func describeFleetInstances(input: DescribeFleetInstancesInput) async throws -> DescribeFleetInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18260,7 +17980,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetInstancesOutput.httpOutput(from:), DescribeFleetInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18294,9 +18013,9 @@ extension EC2Client { /// /// Describes the specified EC2 Fleet or all of your EC2 Fleets. If a fleet is of type instant, you must specify the fleet ID in the request, otherwise the fleet does not appear in the response. For more information, see [Describe your EC2 Fleet](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/manage-ec2-fleet.html#monitor-ec2-fleet) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetsInput`) /// - /// - Returns: `DescribeFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetsOutput`) public func describeFleets(input: DescribeFleetsInput) async throws -> DescribeFleetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18323,7 +18042,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetsOutput.httpOutput(from:), DescribeFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18357,9 +18075,9 @@ extension EC2Client { /// /// Describes one or more flow logs. To view the published flow log records, you must view the log destination. For example, the CloudWatch Logs log group, the Amazon S3 bucket, or the Kinesis Data Firehose delivery stream. /// - /// - Parameter DescribeFlowLogsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFlowLogsInput`) /// - /// - Returns: `DescribeFlowLogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFlowLogsOutput`) public func describeFlowLogs(input: DescribeFlowLogsInput) async throws -> DescribeFlowLogsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18386,7 +18104,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFlowLogsOutput.httpOutput(from:), DescribeFlowLogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18420,9 +18137,9 @@ extension EC2Client { /// /// Describes the specified attribute of the specified Amazon FPGA Image (AFI). /// - /// - Parameter DescribeFpgaImageAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFpgaImageAttributeInput`) /// - /// - Returns: `DescribeFpgaImageAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFpgaImageAttributeOutput`) public func describeFpgaImageAttribute(input: DescribeFpgaImageAttributeInput) async throws -> DescribeFpgaImageAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18449,7 +18166,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFpgaImageAttributeOutput.httpOutput(from:), DescribeFpgaImageAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18483,9 +18199,9 @@ extension EC2Client { /// /// Describes the Amazon FPGA Images (AFIs) available to you. These include public AFIs, private AFIs that you own, and AFIs owned by other Amazon Web Services accounts for which you have load permissions. /// - /// - Parameter DescribeFpgaImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFpgaImagesInput`) /// - /// - Returns: `DescribeFpgaImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFpgaImagesOutput`) public func describeFpgaImages(input: DescribeFpgaImagesInput) async throws -> DescribeFpgaImagesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18512,7 +18228,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFpgaImagesOutput.httpOutput(from:), DescribeFpgaImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18546,9 +18261,9 @@ extension EC2Client { /// /// Describes the Dedicated Host reservations that are available to purchase. The results describe all of the Dedicated Host reservation offerings, including offerings that might not match the instance family and Region of your Dedicated Hosts. When purchasing an offering, ensure that the instance family and Region of the offering matches that of the Dedicated Hosts with which it is to be associated. For more information about supported instance types, see [Dedicated Hosts](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/dedicated-hosts-overview.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeHostReservationOfferingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHostReservationOfferingsInput`) /// - /// - Returns: `DescribeHostReservationOfferingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHostReservationOfferingsOutput`) public func describeHostReservationOfferings(input: DescribeHostReservationOfferingsInput) async throws -> DescribeHostReservationOfferingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18575,7 +18290,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHostReservationOfferingsOutput.httpOutput(from:), DescribeHostReservationOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18609,9 +18323,9 @@ extension EC2Client { /// /// Describes reservations that are associated with Dedicated Hosts in your account. /// - /// - Parameter DescribeHostReservationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHostReservationsInput`) /// - /// - Returns: `DescribeHostReservationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHostReservationsOutput`) public func describeHostReservations(input: DescribeHostReservationsInput) async throws -> DescribeHostReservationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18638,7 +18352,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHostReservationsOutput.httpOutput(from:), DescribeHostReservationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18672,9 +18385,9 @@ extension EC2Client { /// /// Describes the specified Dedicated Hosts or all your Dedicated Hosts. The results describe only the Dedicated Hosts in the Region you're currently using. All listed instances consume capacity on your Dedicated Host. Dedicated Hosts that have recently been released are listed with the state released. /// - /// - Parameter DescribeHostsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHostsInput`) /// - /// - Returns: `DescribeHostsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHostsOutput`) public func describeHosts(input: DescribeHostsInput) async throws -> DescribeHostsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18701,7 +18414,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHostsOutput.httpOutput(from:), DescribeHostsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18735,9 +18447,9 @@ extension EC2Client { /// /// Describes your IAM instance profile associations. /// - /// - Parameter DescribeIamInstanceProfileAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIamInstanceProfileAssociationsInput`) /// - /// - Returns: `DescribeIamInstanceProfileAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIamInstanceProfileAssociationsOutput`) public func describeIamInstanceProfileAssociations(input: DescribeIamInstanceProfileAssociationsInput) async throws -> DescribeIamInstanceProfileAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18764,7 +18476,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIamInstanceProfileAssociationsOutput.httpOutput(from:), DescribeIamInstanceProfileAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18798,9 +18509,9 @@ extension EC2Client { /// /// Describes the ID format settings for your resources on a per-Region basis, for example, to view which resource types are enabled for longer IDs. This request only returns information about resource types whose ID formats can be modified; it does not return information about other resource types. The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway. These settings apply to the IAM user who makes the request; they do not apply to the entire Amazon Web Services account. By default, an IAM user defaults to the same settings as the root user, unless they explicitly override the settings by running the [ModifyIdFormat] command. Resources created with longer IDs are visible to all IAM users, regardless of these settings and provided that they have permission to use the relevant Describe command for the resource type. /// - /// - Parameter DescribeIdFormatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIdFormatInput`) /// - /// - Returns: `DescribeIdFormatOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIdFormatOutput`) public func describeIdFormat(input: DescribeIdFormatInput) async throws -> DescribeIdFormatOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18827,7 +18538,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIdFormatOutput.httpOutput(from:), DescribeIdFormatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18861,9 +18571,9 @@ extension EC2Client { /// /// Describes the ID format settings for resources for the specified IAM user, IAM role, or root user. For example, you can view the resource types that are enabled for longer IDs. This request only returns information about resource types whose ID formats can be modified; it does not return information about other resource types. For more information, see [Resource IDs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/resource-ids.html) in the Amazon Elastic Compute Cloud User Guide. The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway. These settings apply to the principal specified in the request. They do not apply to the principal that makes the request. /// - /// - Parameter DescribeIdentityIdFormatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIdentityIdFormatInput`) /// - /// - Returns: `DescribeIdentityIdFormatOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIdentityIdFormatOutput`) public func describeIdentityIdFormat(input: DescribeIdentityIdFormatInput) async throws -> DescribeIdentityIdFormatOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18890,7 +18600,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIdentityIdFormatOutput.httpOutput(from:), DescribeIdentityIdFormatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18924,9 +18633,9 @@ extension EC2Client { /// /// Describes the specified attribute of the specified AMI. You can specify only one attribute at a time. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeImageAttributeInput : Contains the parameters for DescribeImageAttribute. + /// - Parameter input: Contains the parameters for DescribeImageAttribute. (Type: `DescribeImageAttributeInput`) /// - /// - Returns: `DescribeImageAttributeOutput` : Describes an image attribute. + /// - Returns: Describes an image attribute. (Type: `DescribeImageAttributeOutput`) public func describeImageAttribute(input: DescribeImageAttributeInput) async throws -> DescribeImageAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18953,7 +18662,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageAttributeOutput.httpOutput(from:), DescribeImageAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18987,9 +18695,9 @@ extension EC2Client { /// /// Describes your Amazon Web Services resources that are referencing the specified images. For more information, see [Identify your resources referencing specified AMIs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-ami-references.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeImageReferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageReferencesInput`) /// - /// - Returns: `DescribeImageReferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageReferencesOutput`) public func describeImageReferences(input: DescribeImageReferencesInput) async throws -> DescribeImageReferencesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19016,7 +18724,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageReferencesOutput.httpOutput(from:), DescribeImageReferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19050,9 +18757,9 @@ extension EC2Client { /// /// Describes the entries in image usage reports, showing how your images are used across other Amazon Web Services accounts. For more information, see [View your AMI usage](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/your-ec2-ami-usage.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeImageUsageReportEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageUsageReportEntriesInput`) /// - /// - Returns: `DescribeImageUsageReportEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageUsageReportEntriesOutput`) public func describeImageUsageReportEntries(input: DescribeImageUsageReportEntriesInput) async throws -> DescribeImageUsageReportEntriesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19079,7 +18786,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageUsageReportEntriesOutput.httpOutput(from:), DescribeImageUsageReportEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19113,9 +18819,9 @@ extension EC2Client { /// /// Describes the configuration and status of image usage reports, filtered by report IDs or image IDs. For more information, see [View your AMI usage](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/your-ec2-ami-usage.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeImageUsageReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageUsageReportsInput`) /// - /// - Returns: `DescribeImageUsageReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageUsageReportsOutput`) public func describeImageUsageReports(input: DescribeImageUsageReportsInput) async throws -> DescribeImageUsageReportsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19142,7 +18848,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageUsageReportsOutput.httpOutput(from:), DescribeImageUsageReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19176,9 +18881,9 @@ extension EC2Client { /// /// Describes the specified images (AMIs, AKIs, and ARIs) available to you or all of the images available to you. The images available to you include public images, private images that you own, and private images owned by other Amazon Web Services accounts for which you have explicit launch permissions. Recently deregistered images appear in the returned results for a short interval and then return empty results. After all instances that reference a deregistered AMI are terminated, specifying the ID of the image will eventually return an error indicating that the AMI ID cannot be found. When Allowed AMIs is set to enabled, only allowed images are returned in the results, with the imageAllowed field set to true for each image. In audit-mode, the imageAllowed field is set to true for images that meet the account's Allowed AMIs criteria, and false for images that don't meet the criteria. For more information, see [Allowed AMIs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-allowed-amis.html). The Amazon EC2 API follows an eventual consistency model. This means that the result of an API command you run that creates or modifies resources might not be immediately available to all subsequent commands you run. For guidance on how to manage eventual consistency, see [Eventual consistency in the Amazon EC2 API](https://docs.aws.amazon.com/ec2/latest/devguide/eventual-consistency.html) in the Amazon EC2 Developer Guide. We strongly recommend using only paginated requests. Unpaginated requests are susceptible to throttling and timeouts. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImagesInput`) /// - /// - Returns: `DescribeImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImagesOutput`) public func describeImages(input: DescribeImagesInput) async throws -> DescribeImagesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19205,7 +18910,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImagesOutput.httpOutput(from:), DescribeImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19239,9 +18943,9 @@ extension EC2Client { /// /// Displays details about an import virtual machine or import snapshot tasks that are already created. /// - /// - Parameter DescribeImportImageTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImportImageTasksInput`) /// - /// - Returns: `DescribeImportImageTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImportImageTasksOutput`) public func describeImportImageTasks(input: DescribeImportImageTasksInput) async throws -> DescribeImportImageTasksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19268,7 +18972,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImportImageTasksOutput.httpOutput(from:), DescribeImportImageTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19302,9 +19005,9 @@ extension EC2Client { /// /// Describes your import snapshot tasks. /// - /// - Parameter DescribeImportSnapshotTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImportSnapshotTasksInput`) /// - /// - Returns: `DescribeImportSnapshotTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImportSnapshotTasksOutput`) public func describeImportSnapshotTasks(input: DescribeImportSnapshotTasksInput) async throws -> DescribeImportSnapshotTasksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19331,7 +19034,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImportSnapshotTasksOutput.httpOutput(from:), DescribeImportSnapshotTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19365,9 +19067,9 @@ extension EC2Client { /// /// Describes the specified attribute of the specified instance. You can specify only one attribute at a time. /// - /// - Parameter DescribeInstanceAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceAttributeInput`) /// - /// - Returns: `DescribeInstanceAttributeOutput` : Describes an instance attribute. + /// - Returns: Describes an instance attribute. (Type: `DescribeInstanceAttributeOutput`) public func describeInstanceAttribute(input: DescribeInstanceAttributeInput) async throws -> DescribeInstanceAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19394,7 +19096,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceAttributeOutput.httpOutput(from:), DescribeInstanceAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19428,9 +19129,9 @@ extension EC2Client { /// /// Describes the specified EC2 Instance Connect Endpoints or all EC2 Instance Connect Endpoints. /// - /// - Parameter DescribeInstanceConnectEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceConnectEndpointsInput`) /// - /// - Returns: `DescribeInstanceConnectEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceConnectEndpointsOutput`) public func describeInstanceConnectEndpoints(input: DescribeInstanceConnectEndpointsInput) async throws -> DescribeInstanceConnectEndpointsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19457,7 +19158,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceConnectEndpointsOutput.httpOutput(from:), DescribeInstanceConnectEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19491,9 +19191,9 @@ extension EC2Client { /// /// Describes the credit option for CPU usage of the specified burstable performance instances. The credit options are standard and unlimited. If you do not specify an instance ID, Amazon EC2 returns burstable performance instances with the unlimited credit option, as well as instances that were previously configured as T2, T3, and T3a with the unlimited credit option. For example, if you resize a T2 instance, while it is configured as unlimited, to an M4 instance, Amazon EC2 returns the M4 instance. If you specify one or more instance IDs, Amazon EC2 returns the credit option (standard or unlimited) of those instances. If you specify an instance ID that is not valid, such as an instance that is not a burstable performance instance, an error is returned. Recently terminated instances might appear in the returned results. This interval is usually less than one hour. If an Availability Zone is experiencing a service disruption and you specify instance IDs in the affected zone, or do not specify any instance IDs at all, the call fails. If you specify only instance IDs in an unaffected zone, the call works normally. For more information, see [Burstable performance instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/burstable-performance-instances.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeInstanceCreditSpecificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceCreditSpecificationsInput`) /// - /// - Returns: `DescribeInstanceCreditSpecificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceCreditSpecificationsOutput`) public func describeInstanceCreditSpecifications(input: DescribeInstanceCreditSpecificationsInput) async throws -> DescribeInstanceCreditSpecificationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19520,7 +19220,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceCreditSpecificationsOutput.httpOutput(from:), DescribeInstanceCreditSpecificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19554,9 +19253,9 @@ extension EC2Client { /// /// Describes the tag keys that are registered to appear in scheduled event notifications for resources in the current Region. /// - /// - Parameter DescribeInstanceEventNotificationAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceEventNotificationAttributesInput`) /// - /// - Returns: `DescribeInstanceEventNotificationAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceEventNotificationAttributesOutput`) public func describeInstanceEventNotificationAttributes(input: DescribeInstanceEventNotificationAttributesInput) async throws -> DescribeInstanceEventNotificationAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19583,7 +19282,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceEventNotificationAttributesOutput.httpOutput(from:), DescribeInstanceEventNotificationAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19617,9 +19315,9 @@ extension EC2Client { /// /// Describes the specified event windows or all event windows. If you specify event window IDs, the output includes information for only the specified event windows. If you specify filters, the output includes information for only those event windows that meet the filter criteria. If you do not specify event windows IDs or filters, the output includes information for all event windows, which can affect performance. We recommend that you use pagination to ensure that the operation returns quickly and successfully. For more information, see [Define event windows for scheduled events](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/event-windows.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeInstanceEventWindowsInput : Describe instance event windows by InstanceEventWindow. + /// - Parameter input: Describe instance event windows by InstanceEventWindow. (Type: `DescribeInstanceEventWindowsInput`) /// - /// - Returns: `DescribeInstanceEventWindowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceEventWindowsOutput`) public func describeInstanceEventWindows(input: DescribeInstanceEventWindowsInput) async throws -> DescribeInstanceEventWindowsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19646,7 +19344,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceEventWindowsOutput.httpOutput(from:), DescribeInstanceEventWindowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19680,9 +19377,9 @@ extension EC2Client { /// /// Describes the AMI that was used to launch an instance, even if the AMI is deprecated, deregistered, made private (no longer public or shared with your account), or not allowed. If you specify instance IDs, the output includes information for only the specified instances. If you specify filters, the output includes information for only those instances that meet the filter criteria. If you do not specify instance IDs or filters, the output includes information for all instances, which can affect performance. If you specify an instance ID that is not valid, an instance that doesn't exist, or an instance that you do not own, an error (InvalidInstanceID.NotFound) is returned. Recently terminated instances might appear in the returned results. This interval is usually less than one hour. In the rare case where an Availability Zone is experiencing a service disruption and you specify instance IDs that are in the affected Availability Zone, or do not specify any instance IDs at all, the call fails. If you specify only instance IDs that are in an unaffected Availability Zone, the call works normally. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeInstanceImageMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceImageMetadataInput`) /// - /// - Returns: `DescribeInstanceImageMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceImageMetadataOutput`) public func describeInstanceImageMetadata(input: DescribeInstanceImageMetadataInput) async throws -> DescribeInstanceImageMetadataOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19709,7 +19406,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceImageMetadataOutput.httpOutput(from:), DescribeInstanceImageMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19752,9 +19448,9 @@ extension EC2Client { /// /// The Amazon EC2 API follows an eventual consistency model. This means that the result of an API command you run that creates or modifies resources might not be immediately available to all subsequent commands you run. For guidance on how to manage eventual consistency, see [Eventual consistency in the Amazon EC2 API](https://docs.aws.amazon.com/ec2/latest/devguide/eventual-consistency.html) in the Amazon EC2 Developer Guide. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeInstanceStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceStatusInput`) /// - /// - Returns: `DescribeInstanceStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceStatusOutput`) public func describeInstanceStatus(input: DescribeInstanceStatusInput) async throws -> DescribeInstanceStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19781,7 +19477,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceStatusOutput.httpOutput(from:), DescribeInstanceStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19815,9 +19510,9 @@ extension EC2Client { /// /// Describes a tree-based hierarchy that represents the physical host placement of your EC2 instances within an Availability Zone or Local Zone. You can use this information to determine the relative proximity of your EC2 instances within the Amazon Web Services network to support your tightly coupled workloads. Instance topology is supported for specific instance types only. For more information, see [ Prerequisites for Amazon EC2 instance topology](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-instance-topology-prerequisites.html) in the Amazon EC2 User Guide. The Amazon EC2 API follows an eventual consistency model due to the distributed nature of the system supporting it. As a result, when you call the DescribeInstanceTopology API command immediately after launching instances, the response might return a null value for capacityBlockId because the data might not have fully propagated across all subsystems. For more information, see [Eventual consistency in the Amazon EC2 API](https://docs.aws.amazon.com/ec2/latest/devguide/eventual-consistency.html) in the Amazon EC2 Developer Guide. For more information, see [Amazon EC2 instance topology](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-instance-topology.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeInstanceTopologyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceTopologyInput`) /// - /// - Returns: `DescribeInstanceTopologyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceTopologyOutput`) public func describeInstanceTopology(input: DescribeInstanceTopologyInput) async throws -> DescribeInstanceTopologyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19844,7 +19539,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceTopologyOutput.httpOutput(from:), DescribeInstanceTopologyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19878,9 +19572,9 @@ extension EC2Client { /// /// Lists the instance types that are offered for the specified location. If no location is specified, the default is to list the instance types that are offered in the current Region. /// - /// - Parameter DescribeInstanceTypeOfferingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceTypeOfferingsInput`) /// - /// - Returns: `DescribeInstanceTypeOfferingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceTypeOfferingsOutput`) public func describeInstanceTypeOfferings(input: DescribeInstanceTypeOfferingsInput) async throws -> DescribeInstanceTypeOfferingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19907,7 +19601,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceTypeOfferingsOutput.httpOutput(from:), DescribeInstanceTypeOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19941,9 +19634,9 @@ extension EC2Client { /// /// Describes the specified instance types. By default, all instance types for the current Region are described. Alternatively, you can filter the results. /// - /// - Parameter DescribeInstanceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceTypesInput`) /// - /// - Returns: `DescribeInstanceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceTypesOutput`) public func describeInstanceTypes(input: DescribeInstanceTypesInput) async throws -> DescribeInstanceTypesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19970,7 +19663,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceTypesOutput.httpOutput(from:), DescribeInstanceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20004,9 +19696,9 @@ extension EC2Client { /// /// Describes the specified instances or all instances. If you specify instance IDs, the output includes information for only the specified instances. If you specify filters, the output includes information for only those instances that meet the filter criteria. If you do not specify instance IDs or filters, the output includes information for all instances, which can affect performance. We recommend that you use pagination to ensure that the operation returns quickly and successfully. If you specify an instance ID that is not valid, an error is returned. If you specify an instance that you do not own, it is not included in the output. Recently terminated instances might appear in the returned results. This interval is usually less than one hour. If you describe instances in the rare case where an Availability Zone is experiencing a service disruption and you specify instance IDs that are in the affected zone, or do not specify any instance IDs at all, the call fails. If you describe instances and specify only instance IDs that are in an unaffected zone, the call works normally. The Amazon EC2 API follows an eventual consistency model. This means that the result of an API command you run that creates or modifies resources might not be immediately available to all subsequent commands you run. For guidance on how to manage eventual consistency, see [Eventual consistency in the Amazon EC2 API](https://docs.aws.amazon.com/ec2/latest/devguide/eventual-consistency.html) in the Amazon EC2 Developer Guide. We strongly recommend using only paginated requests. Unpaginated requests are susceptible to throttling and timeouts. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstancesInput`) /// - /// - Returns: `DescribeInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstancesOutput`) public func describeInstances(input: DescribeInstancesInput) async throws -> DescribeInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20033,7 +19725,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstancesOutput.httpOutput(from:), DescribeInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20067,9 +19758,9 @@ extension EC2Client { /// /// Describes your internet gateways. The default is to describe all your internet gateways. Alternatively, you can specify specific internet gateway IDs or filter the results to include only the internet gateways that match specific criteria. /// - /// - Parameter DescribeInternetGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInternetGatewaysInput`) /// - /// - Returns: `DescribeInternetGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInternetGatewaysOutput`) public func describeInternetGateways(input: DescribeInternetGatewaysInput) async throws -> DescribeInternetGatewaysOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20096,7 +19787,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInternetGatewaysOutput.httpOutput(from:), DescribeInternetGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20130,9 +19820,9 @@ extension EC2Client { /// /// Describes your Autonomous System Numbers (ASNs), their provisioning statuses, and the BYOIP CIDRs with which they are associated. For more information, see [Tutorial: Bring your ASN to IPAM](https://docs.aws.amazon.com/vpc/latest/ipam/tutorials-byoasn.html) in the Amazon VPC IPAM guide. /// - /// - Parameter DescribeIpamByoasnInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIpamByoasnInput`) /// - /// - Returns: `DescribeIpamByoasnOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIpamByoasnOutput`) public func describeIpamByoasn(input: DescribeIpamByoasnInput) async throws -> DescribeIpamByoasnOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20159,7 +19849,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIpamByoasnOutput.httpOutput(from:), DescribeIpamByoasnOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20193,9 +19882,9 @@ extension EC2Client { /// /// Describe verification tokens. A verification token is an Amazon Web Services-generated random value that you can use to prove ownership of an external resource. For example, you can use a verification token to validate that you control a public IP address range when you bring an IP address range to Amazon Web Services (BYOIP). /// - /// - Parameter DescribeIpamExternalResourceVerificationTokensInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIpamExternalResourceVerificationTokensInput`) /// - /// - Returns: `DescribeIpamExternalResourceVerificationTokensOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIpamExternalResourceVerificationTokensOutput`) public func describeIpamExternalResourceVerificationTokens(input: DescribeIpamExternalResourceVerificationTokensInput) async throws -> DescribeIpamExternalResourceVerificationTokensOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20222,7 +19911,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIpamExternalResourceVerificationTokensOutput.httpOutput(from:), DescribeIpamExternalResourceVerificationTokensOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20256,9 +19944,9 @@ extension EC2Client { /// /// Get information about your IPAM pools. /// - /// - Parameter DescribeIpamPoolsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIpamPoolsInput`) /// - /// - Returns: `DescribeIpamPoolsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIpamPoolsOutput`) public func describeIpamPools(input: DescribeIpamPoolsInput) async throws -> DescribeIpamPoolsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20285,7 +19973,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIpamPoolsOutput.httpOutput(from:), DescribeIpamPoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20319,9 +20006,9 @@ extension EC2Client { /// /// Describes IPAM resource discoveries. A resource discovery is an IPAM component that enables IPAM to manage and monitor resources that belong to the owning account. /// - /// - Parameter DescribeIpamResourceDiscoveriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIpamResourceDiscoveriesInput`) /// - /// - Returns: `DescribeIpamResourceDiscoveriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIpamResourceDiscoveriesOutput`) public func describeIpamResourceDiscoveries(input: DescribeIpamResourceDiscoveriesInput) async throws -> DescribeIpamResourceDiscoveriesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20348,7 +20035,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIpamResourceDiscoveriesOutput.httpOutput(from:), DescribeIpamResourceDiscoveriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20382,9 +20068,9 @@ extension EC2Client { /// /// Describes resource discovery association with an Amazon VPC IPAM. An associated resource discovery is a resource discovery that has been associated with an IPAM.. /// - /// - Parameter DescribeIpamResourceDiscoveryAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIpamResourceDiscoveryAssociationsInput`) /// - /// - Returns: `DescribeIpamResourceDiscoveryAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIpamResourceDiscoveryAssociationsOutput`) public func describeIpamResourceDiscoveryAssociations(input: DescribeIpamResourceDiscoveryAssociationsInput) async throws -> DescribeIpamResourceDiscoveryAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20411,7 +20097,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIpamResourceDiscoveryAssociationsOutput.httpOutput(from:), DescribeIpamResourceDiscoveryAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20445,9 +20130,9 @@ extension EC2Client { /// /// Get information about your IPAM scopes. /// - /// - Parameter DescribeIpamScopesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIpamScopesInput`) /// - /// - Returns: `DescribeIpamScopesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIpamScopesOutput`) public func describeIpamScopes(input: DescribeIpamScopesInput) async throws -> DescribeIpamScopesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20474,7 +20159,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIpamScopesOutput.httpOutput(from:), DescribeIpamScopesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20508,9 +20192,9 @@ extension EC2Client { /// /// Get information about your IPAM pools. For more information, see [What is IPAM?](https://docs.aws.amazon.com/vpc/latest/ipam/what-is-it-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter DescribeIpamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIpamsInput`) /// - /// - Returns: `DescribeIpamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIpamsOutput`) public func describeIpams(input: DescribeIpamsInput) async throws -> DescribeIpamsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20537,7 +20221,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIpamsOutput.httpOutput(from:), DescribeIpamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20571,9 +20254,9 @@ extension EC2Client { /// /// Describes your IPv6 address pools. /// - /// - Parameter DescribeIpv6PoolsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIpv6PoolsInput`) /// - /// - Returns: `DescribeIpv6PoolsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIpv6PoolsOutput`) public func describeIpv6Pools(input: DescribeIpv6PoolsInput) async throws -> DescribeIpv6PoolsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20600,7 +20283,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIpv6PoolsOutput.httpOutput(from:), DescribeIpv6PoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20634,9 +20316,9 @@ extension EC2Client { /// /// Describes the specified key pairs or all of your key pairs. For more information about key pairs, see [Amazon EC2 key pairs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-key-pairs.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeKeyPairsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeKeyPairsInput`) /// - /// - Returns: `DescribeKeyPairsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeKeyPairsOutput`) public func describeKeyPairs(input: DescribeKeyPairsInput) async throws -> DescribeKeyPairsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20663,7 +20345,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeKeyPairsOutput.httpOutput(from:), DescribeKeyPairsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20697,9 +20378,9 @@ extension EC2Client { /// /// Describes one or more versions of a specified launch template. You can describe all versions, individual versions, or a range of versions. You can also describe all the latest versions or all the default versions of all the launch templates in your account. /// - /// - Parameter DescribeLaunchTemplateVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLaunchTemplateVersionsInput`) /// - /// - Returns: `DescribeLaunchTemplateVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLaunchTemplateVersionsOutput`) public func describeLaunchTemplateVersions(input: DescribeLaunchTemplateVersionsInput) async throws -> DescribeLaunchTemplateVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20726,7 +20407,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLaunchTemplateVersionsOutput.httpOutput(from:), DescribeLaunchTemplateVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20760,9 +20440,9 @@ extension EC2Client { /// /// Describes one or more launch templates. /// - /// - Parameter DescribeLaunchTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLaunchTemplatesInput`) /// - /// - Returns: `DescribeLaunchTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLaunchTemplatesOutput`) public func describeLaunchTemplates(input: DescribeLaunchTemplatesInput) async throws -> DescribeLaunchTemplatesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20789,7 +20469,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLaunchTemplatesOutput.httpOutput(from:), DescribeLaunchTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20823,9 +20502,9 @@ extension EC2Client { /// /// Describes the associations between virtual interface groups and local gateway route tables. /// - /// - Parameter DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsInput`) /// - /// - Returns: `DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsOutput`) public func describeLocalGatewayRouteTableVirtualInterfaceGroupAssociations(input: DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsInput) async throws -> DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20852,7 +20531,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsOutput.httpOutput(from:), DescribeLocalGatewayRouteTableVirtualInterfaceGroupAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20886,9 +20564,9 @@ extension EC2Client { /// /// Describes the specified associations between VPCs and local gateway route tables. /// - /// - Parameter DescribeLocalGatewayRouteTableVpcAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocalGatewayRouteTableVpcAssociationsInput`) /// - /// - Returns: `DescribeLocalGatewayRouteTableVpcAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocalGatewayRouteTableVpcAssociationsOutput`) public func describeLocalGatewayRouteTableVpcAssociations(input: DescribeLocalGatewayRouteTableVpcAssociationsInput) async throws -> DescribeLocalGatewayRouteTableVpcAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20915,7 +20593,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocalGatewayRouteTableVpcAssociationsOutput.httpOutput(from:), DescribeLocalGatewayRouteTableVpcAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20949,9 +20626,9 @@ extension EC2Client { /// /// Describes one or more local gateway route tables. By default, all local gateway route tables are described. Alternatively, you can filter the results. /// - /// - Parameter DescribeLocalGatewayRouteTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocalGatewayRouteTablesInput`) /// - /// - Returns: `DescribeLocalGatewayRouteTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocalGatewayRouteTablesOutput`) public func describeLocalGatewayRouteTables(input: DescribeLocalGatewayRouteTablesInput) async throws -> DescribeLocalGatewayRouteTablesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20978,7 +20655,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocalGatewayRouteTablesOutput.httpOutput(from:), DescribeLocalGatewayRouteTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21012,9 +20688,9 @@ extension EC2Client { /// /// Describes the specified local gateway virtual interface groups. /// - /// - Parameter DescribeLocalGatewayVirtualInterfaceGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocalGatewayVirtualInterfaceGroupsInput`) /// - /// - Returns: `DescribeLocalGatewayVirtualInterfaceGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocalGatewayVirtualInterfaceGroupsOutput`) public func describeLocalGatewayVirtualInterfaceGroups(input: DescribeLocalGatewayVirtualInterfaceGroupsInput) async throws -> DescribeLocalGatewayVirtualInterfaceGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21041,7 +20717,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocalGatewayVirtualInterfaceGroupsOutput.httpOutput(from:), DescribeLocalGatewayVirtualInterfaceGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21075,9 +20750,9 @@ extension EC2Client { /// /// Describes the specified local gateway virtual interfaces. /// - /// - Parameter DescribeLocalGatewayVirtualInterfacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocalGatewayVirtualInterfacesInput`) /// - /// - Returns: `DescribeLocalGatewayVirtualInterfacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocalGatewayVirtualInterfacesOutput`) public func describeLocalGatewayVirtualInterfaces(input: DescribeLocalGatewayVirtualInterfacesInput) async throws -> DescribeLocalGatewayVirtualInterfacesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21104,7 +20779,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocalGatewayVirtualInterfacesOutput.httpOutput(from:), DescribeLocalGatewayVirtualInterfacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21138,9 +20812,9 @@ extension EC2Client { /// /// Describes one or more local gateways. By default, all local gateways are described. Alternatively, you can filter the results. /// - /// - Parameter DescribeLocalGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLocalGatewaysInput`) /// - /// - Returns: `DescribeLocalGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLocalGatewaysOutput`) public func describeLocalGateways(input: DescribeLocalGatewaysInput) async throws -> DescribeLocalGatewaysOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21167,7 +20841,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLocalGatewaysOutput.httpOutput(from:), DescribeLocalGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21201,9 +20874,9 @@ extension EC2Client { /// /// Describes the lock status for a snapshot. /// - /// - Parameter DescribeLockedSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLockedSnapshotsInput`) /// - /// - Returns: `DescribeLockedSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLockedSnapshotsOutput`) public func describeLockedSnapshots(input: DescribeLockedSnapshotsInput) async throws -> DescribeLockedSnapshotsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21230,7 +20903,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLockedSnapshotsOutput.httpOutput(from:), DescribeLockedSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21264,9 +20936,9 @@ extension EC2Client { /// /// Describes the specified EC2 Mac Dedicated Host or all of your EC2 Mac Dedicated Hosts. /// - /// - Parameter DescribeMacHostsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMacHostsInput`) /// - /// - Returns: `DescribeMacHostsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMacHostsOutput`) public func describeMacHosts(input: DescribeMacHostsInput) async throws -> DescribeMacHostsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21293,7 +20965,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMacHostsOutput.httpOutput(from:), DescribeMacHostsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21327,9 +20998,9 @@ extension EC2Client { /// /// Describes a System Integrity Protection (SIP) modification task or volume ownership delegation task for an Amazon EC2 Mac instance. For more information, see [Configure SIP for Amazon EC2 instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/mac-sip-settings.html#mac-sip-configure) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeMacModificationTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMacModificationTasksInput`) /// - /// - Returns: `DescribeMacModificationTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMacModificationTasksOutput`) public func describeMacModificationTasks(input: DescribeMacModificationTasksInput) async throws -> DescribeMacModificationTasksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21356,7 +21027,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMacModificationTasksOutput.httpOutput(from:), DescribeMacModificationTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21390,9 +21060,9 @@ extension EC2Client { /// /// Describes your managed prefix lists and any Amazon Web Services-managed prefix lists. /// - /// - Parameter DescribeManagedPrefixListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeManagedPrefixListsInput`) /// - /// - Returns: `DescribeManagedPrefixListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeManagedPrefixListsOutput`) public func describeManagedPrefixLists(input: DescribeManagedPrefixListsInput) async throws -> DescribeManagedPrefixListsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21419,7 +21089,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeManagedPrefixListsOutput.httpOutput(from:), DescribeManagedPrefixListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21453,9 +21122,9 @@ extension EC2Client { /// /// This action is deprecated. Describes your Elastic IP addresses that are being moved from or being restored to the EC2-Classic platform. This request does not return information about any other Elastic IP addresses in your account. /// - /// - Parameter DescribeMovingAddressesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMovingAddressesInput`) /// - /// - Returns: `DescribeMovingAddressesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMovingAddressesOutput`) public func describeMovingAddresses(input: DescribeMovingAddressesInput) async throws -> DescribeMovingAddressesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21482,7 +21151,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMovingAddressesOutput.httpOutput(from:), DescribeMovingAddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21516,9 +21184,9 @@ extension EC2Client { /// /// Describes your NAT gateways. The default is to describe all your NAT gateways. Alternatively, you can specify specific NAT gateway IDs or filter the results to include only the NAT gateways that match specific criteria. /// - /// - Parameter DescribeNatGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNatGatewaysInput`) /// - /// - Returns: `DescribeNatGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNatGatewaysOutput`) public func describeNatGateways(input: DescribeNatGatewaysInput) async throws -> DescribeNatGatewaysOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21545,7 +21213,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNatGatewaysOutput.httpOutput(from:), DescribeNatGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21579,9 +21246,9 @@ extension EC2Client { /// /// Describes your network ACLs. The default is to describe all your network ACLs. Alternatively, you can specify specific network ACL IDs or filter the results to include only the network ACLs that match specific criteria. For more information, see [Network ACLs](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-network-acls.html) in the Amazon VPC User Guide. /// - /// - Parameter DescribeNetworkAclsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNetworkAclsInput`) /// - /// - Returns: `DescribeNetworkAclsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNetworkAclsOutput`) public func describeNetworkAcls(input: DescribeNetworkAclsInput) async throws -> DescribeNetworkAclsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21608,7 +21275,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNetworkAclsOutput.httpOutput(from:), DescribeNetworkAclsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21642,9 +21308,9 @@ extension EC2Client { /// /// Describes the specified Network Access Scope analyses. /// - /// - Parameter DescribeNetworkInsightsAccessScopeAnalysesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNetworkInsightsAccessScopeAnalysesInput`) /// - /// - Returns: `DescribeNetworkInsightsAccessScopeAnalysesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNetworkInsightsAccessScopeAnalysesOutput`) public func describeNetworkInsightsAccessScopeAnalyses(input: DescribeNetworkInsightsAccessScopeAnalysesInput) async throws -> DescribeNetworkInsightsAccessScopeAnalysesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21671,7 +21337,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNetworkInsightsAccessScopeAnalysesOutput.httpOutput(from:), DescribeNetworkInsightsAccessScopeAnalysesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21705,9 +21370,9 @@ extension EC2Client { /// /// Describes the specified Network Access Scopes. /// - /// - Parameter DescribeNetworkInsightsAccessScopesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNetworkInsightsAccessScopesInput`) /// - /// - Returns: `DescribeNetworkInsightsAccessScopesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNetworkInsightsAccessScopesOutput`) public func describeNetworkInsightsAccessScopes(input: DescribeNetworkInsightsAccessScopesInput) async throws -> DescribeNetworkInsightsAccessScopesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21734,7 +21399,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNetworkInsightsAccessScopesOutput.httpOutput(from:), DescribeNetworkInsightsAccessScopesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21768,9 +21432,9 @@ extension EC2Client { /// /// Describes one or more of your network insights analyses. /// - /// - Parameter DescribeNetworkInsightsAnalysesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNetworkInsightsAnalysesInput`) /// - /// - Returns: `DescribeNetworkInsightsAnalysesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNetworkInsightsAnalysesOutput`) public func describeNetworkInsightsAnalyses(input: DescribeNetworkInsightsAnalysesInput) async throws -> DescribeNetworkInsightsAnalysesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21797,7 +21461,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNetworkInsightsAnalysesOutput.httpOutput(from:), DescribeNetworkInsightsAnalysesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21831,9 +21494,9 @@ extension EC2Client { /// /// Describes one or more of your paths. /// - /// - Parameter DescribeNetworkInsightsPathsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNetworkInsightsPathsInput`) /// - /// - Returns: `DescribeNetworkInsightsPathsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNetworkInsightsPathsOutput`) public func describeNetworkInsightsPaths(input: DescribeNetworkInsightsPathsInput) async throws -> DescribeNetworkInsightsPathsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21860,7 +21523,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNetworkInsightsPathsOutput.httpOutput(from:), DescribeNetworkInsightsPathsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21894,9 +21556,9 @@ extension EC2Client { /// /// Describes a network interface attribute. You can specify only one attribute at a time. /// - /// - Parameter DescribeNetworkInterfaceAttributeInput : Contains the parameters for DescribeNetworkInterfaceAttribute. + /// - Parameter input: Contains the parameters for DescribeNetworkInterfaceAttribute. (Type: `DescribeNetworkInterfaceAttributeInput`) /// - /// - Returns: `DescribeNetworkInterfaceAttributeOutput` : Contains the output of DescribeNetworkInterfaceAttribute. + /// - Returns: Contains the output of DescribeNetworkInterfaceAttribute. (Type: `DescribeNetworkInterfaceAttributeOutput`) public func describeNetworkInterfaceAttribute(input: DescribeNetworkInterfaceAttributeInput) async throws -> DescribeNetworkInterfaceAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21923,7 +21585,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNetworkInterfaceAttributeOutput.httpOutput(from:), DescribeNetworkInterfaceAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21957,9 +21618,9 @@ extension EC2Client { /// /// Describes the permissions for your network interfaces. /// - /// - Parameter DescribeNetworkInterfacePermissionsInput : Contains the parameters for DescribeNetworkInterfacePermissions. + /// - Parameter input: Contains the parameters for DescribeNetworkInterfacePermissions. (Type: `DescribeNetworkInterfacePermissionsInput`) /// - /// - Returns: `DescribeNetworkInterfacePermissionsOutput` : Contains the output for DescribeNetworkInterfacePermissions. + /// - Returns: Contains the output for DescribeNetworkInterfacePermissions. (Type: `DescribeNetworkInterfacePermissionsOutput`) public func describeNetworkInterfacePermissions(input: DescribeNetworkInterfacePermissionsInput) async throws -> DescribeNetworkInterfacePermissionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21986,7 +21647,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNetworkInterfacePermissionsOutput.httpOutput(from:), DescribeNetworkInterfacePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22020,9 +21680,9 @@ extension EC2Client { /// /// Describes the specified network interfaces or all your network interfaces. If you have a large number of network interfaces, the operation fails unless you use pagination or one of the following filters: group-id, mac-address, private-dns-name, private-ip-address, subnet-id, or vpc-id. We strongly recommend using only paginated requests. Unpaginated requests are susceptible to throttling and timeouts. /// - /// - Parameter DescribeNetworkInterfacesInput : Contains the parameters for DescribeNetworkInterfaces. + /// - Parameter input: Contains the parameters for DescribeNetworkInterfaces. (Type: `DescribeNetworkInterfacesInput`) /// - /// - Returns: `DescribeNetworkInterfacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNetworkInterfacesOutput`) public func describeNetworkInterfaces(input: DescribeNetworkInterfacesInput) async throws -> DescribeNetworkInterfacesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22049,7 +21709,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNetworkInterfacesOutput.httpOutput(from:), DescribeNetworkInterfacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22083,9 +21742,9 @@ extension EC2Client { /// /// Describes the Outposts link aggregation groups (LAGs). LAGs are only available for second-generation Outposts racks at this time. /// - /// - Parameter DescribeOutpostLagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOutpostLagsInput`) /// - /// - Returns: `DescribeOutpostLagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOutpostLagsOutput`) public func describeOutpostLags(input: DescribeOutpostLagsInput) async throws -> DescribeOutpostLagsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22112,7 +21771,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOutpostLagsOutput.httpOutput(from:), DescribeOutpostLagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22146,9 +21804,9 @@ extension EC2Client { /// /// Describes the specified placement groups or all of your placement groups. To describe a specific placement group that is shared with your account, you must specify the ID of the placement group using the GroupId parameter. Specifying the name of a shared placement group using the GroupNames parameter will result in an error. For more information, see [Placement groups](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/placement-groups.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribePlacementGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePlacementGroupsInput`) /// - /// - Returns: `DescribePlacementGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePlacementGroupsOutput`) public func describePlacementGroups(input: DescribePlacementGroupsInput) async throws -> DescribePlacementGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22175,7 +21833,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePlacementGroupsOutput.httpOutput(from:), DescribePlacementGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22209,9 +21866,9 @@ extension EC2Client { /// /// Describes available Amazon Web Services services in a prefix list format, which includes the prefix list name and prefix list ID of the service and the IP address range for the service. /// - /// - Parameter DescribePrefixListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePrefixListsInput`) /// - /// - Returns: `DescribePrefixListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePrefixListsOutput`) public func describePrefixLists(input: DescribePrefixListsInput) async throws -> DescribePrefixListsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22238,7 +21895,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePrefixListsOutput.httpOutput(from:), DescribePrefixListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22272,9 +21928,9 @@ extension EC2Client { /// /// Describes the ID format settings for the root user and all IAM roles and IAM users that have explicitly specified a longer ID (17-character ID) preference. By default, all IAM roles and IAM users default to the same ID settings as the root user, unless they explicitly override the settings. This request is useful for identifying those IAM users and IAM roles that have overridden the default ID settings. The following resource types support longer IDs: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | instance | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | reservation | route-table | route-table-association | security-group | snapshot | subnet | subnet-cidr-block-association | volume | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway. /// - /// - Parameter DescribePrincipalIdFormatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePrincipalIdFormatInput`) /// - /// - Returns: `DescribePrincipalIdFormatOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePrincipalIdFormatOutput`) public func describePrincipalIdFormat(input: DescribePrincipalIdFormatInput) async throws -> DescribePrincipalIdFormatOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22301,7 +21957,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePrincipalIdFormatOutput.httpOutput(from:), DescribePrincipalIdFormatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22335,9 +21990,9 @@ extension EC2Client { /// /// Describes the specified IPv4 address pools. /// - /// - Parameter DescribePublicIpv4PoolsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePublicIpv4PoolsInput`) /// - /// - Returns: `DescribePublicIpv4PoolsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePublicIpv4PoolsOutput`) public func describePublicIpv4Pools(input: DescribePublicIpv4PoolsInput) async throws -> DescribePublicIpv4PoolsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22364,7 +22019,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePublicIpv4PoolsOutput.httpOutput(from:), DescribePublicIpv4PoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22398,9 +22052,9 @@ extension EC2Client { /// /// Describes the Regions that are enabled for your account, or all Regions. For a list of the Regions supported by Amazon EC2, see [Amazon EC2 service endpoints](https://docs.aws.amazon.com/ec2/latest/devguide/ec2-endpoints.html). For information about enabling and disabling Regions for your account, see [Specify which Amazon Web Services Regions your account can use](https://docs.aws.amazon.com/accounts/latest/reference/manage-acct-regions.html) in the Amazon Web Services Account Management Reference Guide. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeRegionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegionsInput`) /// - /// - Returns: `DescribeRegionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegionsOutput`) public func describeRegions(input: DescribeRegionsInput) async throws -> DescribeRegionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22427,7 +22081,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegionsOutput.httpOutput(from:), DescribeRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22461,9 +22114,9 @@ extension EC2Client { /// /// Describes a root volume replacement task. For more information, see [Replace a root volume](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/replace-root.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeReplaceRootVolumeTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReplaceRootVolumeTasksInput`) /// - /// - Returns: `DescribeReplaceRootVolumeTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReplaceRootVolumeTasksOutput`) public func describeReplaceRootVolumeTasks(input: DescribeReplaceRootVolumeTasksInput) async throws -> DescribeReplaceRootVolumeTasksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22490,7 +22143,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplaceRootVolumeTasksOutput.httpOutput(from:), DescribeReplaceRootVolumeTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22524,9 +22176,9 @@ extension EC2Client { /// /// Describes one or more of the Reserved Instances that you purchased. For more information about Reserved Instances, see [Reserved Instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/concepts-on-demand-reserved-instances.html) in the Amazon EC2 User Guide. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeReservedInstancesInput : Contains the parameters for DescribeReservedInstances. + /// - Parameter input: Contains the parameters for DescribeReservedInstances. (Type: `DescribeReservedInstancesInput`) /// - /// - Returns: `DescribeReservedInstancesOutput` : Contains the output for DescribeReservedInstances. + /// - Returns: Contains the output for DescribeReservedInstances. (Type: `DescribeReservedInstancesOutput`) public func describeReservedInstances(input: DescribeReservedInstancesInput) async throws -> DescribeReservedInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22553,7 +22205,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedInstancesOutput.httpOutput(from:), DescribeReservedInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22587,9 +22238,9 @@ extension EC2Client { /// /// Describes your account's Reserved Instance listings in the Reserved Instance Marketplace. The Reserved Instance Marketplace matches sellers who want to resell Reserved Instance capacity that they no longer need with buyers who want to purchase additional capacity. Reserved Instances bought and sold through the Reserved Instance Marketplace work like any other Reserved Instances. As a seller, you choose to list some or all of your Reserved Instances, and you specify the upfront price to receive for them. Your Reserved Instances are then listed in the Reserved Instance Marketplace and are available for purchase. As a buyer, you specify the configuration of the Reserved Instance to purchase, and the Marketplace matches what you're searching for with what's available. The Marketplace first sells the lowest priced Reserved Instances to you, and continues to sell available Reserved Instance listings to you until your demand is met. You are charged based on the total price of all of the listings that you purchase. For more information, see [Sell in the Reserved Instance Marketplace](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ri-market-general.html) in the Amazon EC2 User Guide. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeReservedInstancesListingsInput : Contains the parameters for DescribeReservedInstancesListings. + /// - Parameter input: Contains the parameters for DescribeReservedInstancesListings. (Type: `DescribeReservedInstancesListingsInput`) /// - /// - Returns: `DescribeReservedInstancesListingsOutput` : Contains the output of DescribeReservedInstancesListings. + /// - Returns: Contains the output of DescribeReservedInstancesListings. (Type: `DescribeReservedInstancesListingsOutput`) public func describeReservedInstancesListings(input: DescribeReservedInstancesListingsInput) async throws -> DescribeReservedInstancesListingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22616,7 +22267,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedInstancesListingsOutput.httpOutput(from:), DescribeReservedInstancesListingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22650,9 +22300,9 @@ extension EC2Client { /// /// Describes the modifications made to your Reserved Instances. If no parameter is specified, information about all your Reserved Instances modification requests is returned. If a modification ID is specified, only information about the specific modification is returned. For more information, see [Modify Reserved Instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ri-modifying.html) in the Amazon EC2 User Guide. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeReservedInstancesModificationsInput : Contains the parameters for DescribeReservedInstancesModifications. + /// - Parameter input: Contains the parameters for DescribeReservedInstancesModifications. (Type: `DescribeReservedInstancesModificationsInput`) /// - /// - Returns: `DescribeReservedInstancesModificationsOutput` : Contains the output of DescribeReservedInstancesModifications. + /// - Returns: Contains the output of DescribeReservedInstancesModifications. (Type: `DescribeReservedInstancesModificationsOutput`) public func describeReservedInstancesModifications(input: DescribeReservedInstancesModificationsInput) async throws -> DescribeReservedInstancesModificationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22679,7 +22329,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedInstancesModificationsOutput.httpOutput(from:), DescribeReservedInstancesModificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22713,9 +22362,9 @@ extension EC2Client { /// /// Describes Reserved Instance offerings that are available for purchase. With Reserved Instances, you purchase the right to launch instances for a period of time. During that time period, you do not receive insufficient capacity errors, and you pay a lower usage rate than the rate charged for On-Demand instances for the actual time used. If you have listed your own Reserved Instances for sale in the Reserved Instance Marketplace, they will be excluded from these results. This is to ensure that you do not purchase your own Reserved Instances. For more information, see [Sell in the Reserved Instance Marketplace](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ri-market-general.html) in the Amazon EC2 User Guide. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeReservedInstancesOfferingsInput : Contains the parameters for DescribeReservedInstancesOfferings. + /// - Parameter input: Contains the parameters for DescribeReservedInstancesOfferings. (Type: `DescribeReservedInstancesOfferingsInput`) /// - /// - Returns: `DescribeReservedInstancesOfferingsOutput` : Contains the output of DescribeReservedInstancesOfferings. + /// - Returns: Contains the output of DescribeReservedInstancesOfferings. (Type: `DescribeReservedInstancesOfferingsOutput`) public func describeReservedInstancesOfferings(input: DescribeReservedInstancesOfferingsInput) async throws -> DescribeReservedInstancesOfferingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22742,7 +22391,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedInstancesOfferingsOutput.httpOutput(from:), DescribeReservedInstancesOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22776,9 +22424,9 @@ extension EC2Client { /// /// Describes one or more route server endpoints. A route server endpoint is an Amazon Web Services-managed component inside a subnet that facilitates [BGP (Border Gateway Protocol)](https://en.wikipedia.org/wiki/Border_Gateway_Protocol) connections between your route server and your BGP peers. For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter DescribeRouteServerEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRouteServerEndpointsInput`) /// - /// - Returns: `DescribeRouteServerEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRouteServerEndpointsOutput`) public func describeRouteServerEndpoints(input: DescribeRouteServerEndpointsInput) async throws -> DescribeRouteServerEndpointsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22805,7 +22453,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRouteServerEndpointsOutput.httpOutput(from:), DescribeRouteServerEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22848,9 +22495,9 @@ extension EC2Client { /// /// For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter DescribeRouteServerPeersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRouteServerPeersInput`) /// - /// - Returns: `DescribeRouteServerPeersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRouteServerPeersOutput`) public func describeRouteServerPeers(input: DescribeRouteServerPeersInput) async throws -> DescribeRouteServerPeersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22877,7 +22524,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRouteServerPeersOutput.httpOutput(from:), DescribeRouteServerPeersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22920,9 +22566,9 @@ extension EC2Client { /// /// Route server does not support route tables associated with virtual private gateways. To propagate routes into a transit gateway route table, use [Transit Gateway Connect](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-connect.html). For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter DescribeRouteServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRouteServersInput`) /// - /// - Returns: `DescribeRouteServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRouteServersOutput`) public func describeRouteServers(input: DescribeRouteServersInput) async throws -> DescribeRouteServersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22949,7 +22595,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRouteServersOutput.httpOutput(from:), DescribeRouteServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22983,9 +22628,9 @@ extension EC2Client { /// /// Describes your route tables. The default is to describe all your route tables. Alternatively, you can specify specific route table IDs or filter the results to include only the route tables that match specific criteria. Each subnet in your VPC must be associated with a route table. If a subnet is not explicitly associated with any route table, it is implicitly associated with the main route table. This command does not return the subnet ID for implicit associations. For more information, see [Route tables](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Route_Tables.html) in the Amazon VPC User Guide. /// - /// - Parameter DescribeRouteTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRouteTablesInput`) /// - /// - Returns: `DescribeRouteTablesOutput` : Contains the output of DescribeRouteTables. + /// - Returns: Contains the output of DescribeRouteTables. (Type: `DescribeRouteTablesOutput`) public func describeRouteTables(input: DescribeRouteTablesInput) async throws -> DescribeRouteTablesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23012,7 +22657,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRouteTablesOutput.httpOutput(from:), DescribeRouteTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23046,9 +22690,9 @@ extension EC2Client { /// /// Finds available schedules that meet the specified criteria. You can search for an available schedule no more than 3 months in advance. You must meet the minimum required duration of 1,200 hours per year. For example, the minimum daily schedule is 4 hours, the minimum weekly schedule is 24 hours, and the minimum monthly schedule is 100 hours. After you find a schedule that meets your needs, call [PurchaseScheduledInstances] to purchase Scheduled Instances with that schedule. /// - /// - Parameter DescribeScheduledInstanceAvailabilityInput : Contains the parameters for DescribeScheduledInstanceAvailability. + /// - Parameter input: Contains the parameters for DescribeScheduledInstanceAvailability. (Type: `DescribeScheduledInstanceAvailabilityInput`) /// - /// - Returns: `DescribeScheduledInstanceAvailabilityOutput` : Contains the output of DescribeScheduledInstanceAvailability. + /// - Returns: Contains the output of DescribeScheduledInstanceAvailability. (Type: `DescribeScheduledInstanceAvailabilityOutput`) public func describeScheduledInstanceAvailability(input: DescribeScheduledInstanceAvailabilityInput) async throws -> DescribeScheduledInstanceAvailabilityOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23075,7 +22719,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScheduledInstanceAvailabilityOutput.httpOutput(from:), DescribeScheduledInstanceAvailabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23109,9 +22752,9 @@ extension EC2Client { /// /// Describes the specified Scheduled Instances or all your Scheduled Instances. /// - /// - Parameter DescribeScheduledInstancesInput : Contains the parameters for DescribeScheduledInstances. + /// - Parameter input: Contains the parameters for DescribeScheduledInstances. (Type: `DescribeScheduledInstancesInput`) /// - /// - Returns: `DescribeScheduledInstancesOutput` : Contains the output of DescribeScheduledInstances. + /// - Returns: Contains the output of DescribeScheduledInstances. (Type: `DescribeScheduledInstancesOutput`) public func describeScheduledInstances(input: DescribeScheduledInstancesInput) async throws -> DescribeScheduledInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23138,7 +22781,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScheduledInstancesOutput.httpOutput(from:), DescribeScheduledInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23172,9 +22814,9 @@ extension EC2Client { /// /// Describes the VPCs on the other side of a VPC peering or Transit Gateway connection that are referencing the security groups you've specified in this request. /// - /// - Parameter DescribeSecurityGroupReferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecurityGroupReferencesInput`) /// - /// - Returns: `DescribeSecurityGroupReferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecurityGroupReferencesOutput`) public func describeSecurityGroupReferences(input: DescribeSecurityGroupReferencesInput) async throws -> DescribeSecurityGroupReferencesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23201,7 +22843,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecurityGroupReferencesOutput.httpOutput(from:), DescribeSecurityGroupReferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23235,9 +22876,9 @@ extension EC2Client { /// /// Describes one or more of your security group rules. /// - /// - Parameter DescribeSecurityGroupRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecurityGroupRulesInput`) /// - /// - Returns: `DescribeSecurityGroupRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecurityGroupRulesOutput`) public func describeSecurityGroupRules(input: DescribeSecurityGroupRulesInput) async throws -> DescribeSecurityGroupRulesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23264,7 +22905,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecurityGroupRulesOutput.httpOutput(from:), DescribeSecurityGroupRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23298,9 +22938,9 @@ extension EC2Client { /// /// Describes security group VPC associations made with [AssociateSecurityGroupVpc](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_AssociateSecurityGroupVpc.html). /// - /// - Parameter DescribeSecurityGroupVpcAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecurityGroupVpcAssociationsInput`) /// - /// - Returns: `DescribeSecurityGroupVpcAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecurityGroupVpcAssociationsOutput`) public func describeSecurityGroupVpcAssociations(input: DescribeSecurityGroupVpcAssociationsInput) async throws -> DescribeSecurityGroupVpcAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23327,7 +22967,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecurityGroupVpcAssociationsOutput.httpOutput(from:), DescribeSecurityGroupVpcAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23361,9 +23000,9 @@ extension EC2Client { /// /// Describes the specified security groups or all of your security groups. /// - /// - Parameter DescribeSecurityGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecurityGroupsInput`) /// - /// - Returns: `DescribeSecurityGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecurityGroupsOutput`) public func describeSecurityGroups(input: DescribeSecurityGroupsInput) async throws -> DescribeSecurityGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23390,7 +23029,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecurityGroupsOutput.httpOutput(from:), DescribeSecurityGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23424,9 +23062,9 @@ extension EC2Client { /// /// Describes the Outpost service link virtual interfaces. /// - /// - Parameter DescribeServiceLinkVirtualInterfacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceLinkVirtualInterfacesInput`) /// - /// - Returns: `DescribeServiceLinkVirtualInterfacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceLinkVirtualInterfacesOutput`) public func describeServiceLinkVirtualInterfaces(input: DescribeServiceLinkVirtualInterfacesInput) async throws -> DescribeServiceLinkVirtualInterfacesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23453,7 +23091,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceLinkVirtualInterfacesOutput.httpOutput(from:), DescribeServiceLinkVirtualInterfacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23487,9 +23124,9 @@ extension EC2Client { /// /// Describes the specified attribute of the specified snapshot. You can specify only one attribute at a time. For more information about EBS snapshots, see [Amazon EBS snapshots](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-snapshots.html) in the Amazon EBS User Guide. /// - /// - Parameter DescribeSnapshotAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSnapshotAttributeInput`) /// - /// - Returns: `DescribeSnapshotAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSnapshotAttributeOutput`) public func describeSnapshotAttribute(input: DescribeSnapshotAttributeInput) async throws -> DescribeSnapshotAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23516,7 +23153,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSnapshotAttributeOutput.httpOutput(from:), DescribeSnapshotAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23550,9 +23186,9 @@ extension EC2Client { /// /// Describes the storage tier status of one or more Amazon EBS snapshots. /// - /// - Parameter DescribeSnapshotTierStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSnapshotTierStatusInput`) /// - /// - Returns: `DescribeSnapshotTierStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSnapshotTierStatusOutput`) public func describeSnapshotTierStatus(input: DescribeSnapshotTierStatusInput) async throws -> DescribeSnapshotTierStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23579,7 +23215,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSnapshotTierStatusOutput.httpOutput(from:), DescribeSnapshotTierStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23622,9 +23257,9 @@ extension EC2Client { /// /// The list of snapshots returned can be filtered by specifying snapshot IDs, snapshot owners, or Amazon Web Services accounts with create volume permissions. If no options are specified, Amazon EC2 returns all snapshots for which you have create volume permissions. If you specify one or more snapshot IDs, only snapshots that have the specified IDs are returned. If you specify an invalid snapshot ID, an error is returned. If you specify a snapshot ID for which you do not have access, it is not included in the returned results. If you specify one or more snapshot owners using the OwnerIds option, only snapshots from the specified owners and for which you have access are returned. The results can include the Amazon Web Services account IDs of the specified owners, amazon for snapshots owned by Amazon, or self for snapshots that you own. If you specify a list of restorable users, only snapshots with create snapshot permissions for those users are returned. You can specify Amazon Web Services account IDs (if you own the snapshots), self for snapshots for which you own or have explicit permissions, or all for public snapshots. If you are describing a long list of snapshots, we recommend that you paginate the output to make the list more manageable. For more information, see [Pagination](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/Query-Requests.html#api-pagination). For more information about EBS snapshots, see [Amazon EBS snapshots](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-snapshots.html) in the Amazon EBS User Guide. We strongly recommend using only paginated requests. Unpaginated requests are susceptible to throttling and timeouts. /// - /// - Parameter DescribeSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSnapshotsInput`) /// - /// - Returns: `DescribeSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSnapshotsOutput`) public func describeSnapshots(input: DescribeSnapshotsInput) async throws -> DescribeSnapshotsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23651,7 +23286,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSnapshotsOutput.httpOutput(from:), DescribeSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23685,9 +23319,9 @@ extension EC2Client { /// /// Describes the data feed for Spot Instances. For more information, see [Spot Instance data feed](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/spot-data-feeds.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeSpotDatafeedSubscriptionInput : Contains the parameters for DescribeSpotDatafeedSubscription. + /// - Parameter input: Contains the parameters for DescribeSpotDatafeedSubscription. (Type: `DescribeSpotDatafeedSubscriptionInput`) /// - /// - Returns: `DescribeSpotDatafeedSubscriptionOutput` : Contains the output of DescribeSpotDatafeedSubscription. + /// - Returns: Contains the output of DescribeSpotDatafeedSubscription. (Type: `DescribeSpotDatafeedSubscriptionOutput`) public func describeSpotDatafeedSubscription(input: DescribeSpotDatafeedSubscriptionInput) async throws -> DescribeSpotDatafeedSubscriptionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23714,7 +23348,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSpotDatafeedSubscriptionOutput.httpOutput(from:), DescribeSpotDatafeedSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23748,9 +23381,9 @@ extension EC2Client { /// /// Describes the running instances for the specified Spot Fleet. /// - /// - Parameter DescribeSpotFleetInstancesInput : Contains the parameters for DescribeSpotFleetInstances. + /// - Parameter input: Contains the parameters for DescribeSpotFleetInstances. (Type: `DescribeSpotFleetInstancesInput`) /// - /// - Returns: `DescribeSpotFleetInstancesOutput` : Contains the output of DescribeSpotFleetInstances. + /// - Returns: Contains the output of DescribeSpotFleetInstances. (Type: `DescribeSpotFleetInstancesOutput`) public func describeSpotFleetInstances(input: DescribeSpotFleetInstancesInput) async throws -> DescribeSpotFleetInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23777,7 +23410,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSpotFleetInstancesOutput.httpOutput(from:), DescribeSpotFleetInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23811,9 +23443,9 @@ extension EC2Client { /// /// Describes the events for the specified Spot Fleet request during the specified time. Spot Fleet events are delayed by up to 30 seconds before they can be described. This ensures that you can query by the last evaluated time and not miss a recorded event. Spot Fleet events are available for 48 hours. For more information, see [Monitor fleet events using Amazon EventBridge](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/fleet-monitor.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeSpotFleetRequestHistoryInput : Contains the parameters for DescribeSpotFleetRequestHistory. + /// - Parameter input: Contains the parameters for DescribeSpotFleetRequestHistory. (Type: `DescribeSpotFleetRequestHistoryInput`) /// - /// - Returns: `DescribeSpotFleetRequestHistoryOutput` : Contains the output of DescribeSpotFleetRequestHistory. + /// - Returns: Contains the output of DescribeSpotFleetRequestHistory. (Type: `DescribeSpotFleetRequestHistoryOutput`) public func describeSpotFleetRequestHistory(input: DescribeSpotFleetRequestHistoryInput) async throws -> DescribeSpotFleetRequestHistoryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23840,7 +23472,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSpotFleetRequestHistoryOutput.httpOutput(from:), DescribeSpotFleetRequestHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23874,9 +23505,9 @@ extension EC2Client { /// /// Describes your Spot Fleet requests. Spot Fleet requests are deleted 48 hours after they are canceled and their instances are terminated. /// - /// - Parameter DescribeSpotFleetRequestsInput : Contains the parameters for DescribeSpotFleetRequests. + /// - Parameter input: Contains the parameters for DescribeSpotFleetRequests. (Type: `DescribeSpotFleetRequestsInput`) /// - /// - Returns: `DescribeSpotFleetRequestsOutput` : Contains the output of DescribeSpotFleetRequests. + /// - Returns: Contains the output of DescribeSpotFleetRequests. (Type: `DescribeSpotFleetRequestsOutput`) public func describeSpotFleetRequests(input: DescribeSpotFleetRequestsInput) async throws -> DescribeSpotFleetRequestsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23903,7 +23534,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSpotFleetRequestsOutput.httpOutput(from:), DescribeSpotFleetRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23937,9 +23567,9 @@ extension EC2Client { /// /// Describes the specified Spot Instance requests. You can use DescribeSpotInstanceRequests to find a running Spot Instance by examining the response. If the status of the Spot Instance is fulfilled, the instance ID appears in the response and contains the identifier of the instance. Alternatively, you can use [DescribeInstances](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeInstances) with a filter to look for instances where the instance lifecycle is spot. We recommend that you set MaxResults to a value between 5 and 1000 to limit the number of items returned. This paginates the output, which makes the list more manageable and returns the items faster. If the list of items exceeds your MaxResults value, then that number of items is returned along with a NextToken value that can be passed to a subsequent DescribeSpotInstanceRequests request to retrieve the remaining items. Spot Instance requests are deleted four hours after they are canceled and their instances are terminated. /// - /// - Parameter DescribeSpotInstanceRequestsInput : Contains the parameters for DescribeSpotInstanceRequests. + /// - Parameter input: Contains the parameters for DescribeSpotInstanceRequests. (Type: `DescribeSpotInstanceRequestsInput`) /// - /// - Returns: `DescribeSpotInstanceRequestsOutput` : Contains the output of DescribeSpotInstanceRequests. + /// - Returns: Contains the output of DescribeSpotInstanceRequests. (Type: `DescribeSpotInstanceRequestsOutput`) public func describeSpotInstanceRequests(input: DescribeSpotInstanceRequestsInput) async throws -> DescribeSpotInstanceRequestsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23966,7 +23596,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSpotInstanceRequestsOutput.httpOutput(from:), DescribeSpotInstanceRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24000,9 +23629,9 @@ extension EC2Client { /// /// Describes the Spot price history. For more information, see [Spot Instance pricing history](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/using-spot-instances-history.html) in the Amazon EC2 User Guide. When you specify a start and end time, the operation returns the prices of the instance types within that time range. It also returns the last price change before the start time, which is the effective price as of the start time. /// - /// - Parameter DescribeSpotPriceHistoryInput : Contains the parameters for DescribeSpotPriceHistory. + /// - Parameter input: Contains the parameters for DescribeSpotPriceHistory. (Type: `DescribeSpotPriceHistoryInput`) /// - /// - Returns: `DescribeSpotPriceHistoryOutput` : Contains the output of DescribeSpotPriceHistory. + /// - Returns: Contains the output of DescribeSpotPriceHistory. (Type: `DescribeSpotPriceHistoryOutput`) public func describeSpotPriceHistory(input: DescribeSpotPriceHistoryInput) async throws -> DescribeSpotPriceHistoryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24029,7 +23658,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSpotPriceHistoryOutput.httpOutput(from:), DescribeSpotPriceHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24063,9 +23691,9 @@ extension EC2Client { /// /// Describes the stale security group rules for security groups referenced across a VPC peering connection, transit gateway connection, or with a security group VPC association. Rules are stale when they reference a deleted security group. Rules can also be stale if they reference a security group in a peer VPC for which the VPC peering connection has been deleted, across a transit gateway where the transit gateway has been deleted (or [the transit gateway security group referencing feature](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-vpc-attachments.html#vpc-attachment-security) has been disabled), or if a security group VPC association has been disassociated. /// - /// - Parameter DescribeStaleSecurityGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStaleSecurityGroupsInput`) /// - /// - Returns: `DescribeStaleSecurityGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStaleSecurityGroupsOutput`) public func describeStaleSecurityGroups(input: DescribeStaleSecurityGroupsInput) async throws -> DescribeStaleSecurityGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24092,7 +23720,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStaleSecurityGroupsOutput.httpOutput(from:), DescribeStaleSecurityGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24126,9 +23753,9 @@ extension EC2Client { /// /// Describes the progress of the AMI store tasks. You can describe the store tasks for specified AMIs. If you don't specify the AMIs, you get a paginated list of store tasks from the last 31 days. For each AMI task, the response indicates if the task is InProgress, Completed, or Failed. For tasks InProgress, the response shows the estimated progress as a percentage. Tasks are listed in reverse chronological order. Currently, only tasks from the past 31 days can be viewed. To use this API, you must have the required permissions. For more information, see [Permissions for storing and restoring AMIs using S3](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/work-with-ami-store-restore.html#ami-s3-permissions) in the Amazon EC2 User Guide. For more information, see [Store and restore an AMI using S3](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ami-store-restore.html) in the Amazon EC2 User Guide. /// - /// - Parameter DescribeStoreImageTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStoreImageTasksInput`) /// - /// - Returns: `DescribeStoreImageTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStoreImageTasksOutput`) public func describeStoreImageTasks(input: DescribeStoreImageTasksInput) async throws -> DescribeStoreImageTasksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24155,7 +23782,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStoreImageTasksOutput.httpOutput(from:), DescribeStoreImageTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24189,9 +23815,9 @@ extension EC2Client { /// /// Describes your subnets. The default is to describe all your subnets. Alternatively, you can specify specific subnet IDs or filter the results to include only the subnets that match specific criteria. For more information, see [Subnets](https://docs.aws.amazon.com/vpc/latest/userguide/configure-subnets.html) in the Amazon VPC User Guide. /// - /// - Parameter DescribeSubnetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSubnetsInput`) /// - /// - Returns: `DescribeSubnetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSubnetsOutput`) public func describeSubnets(input: DescribeSubnetsInput) async throws -> DescribeSubnetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24218,7 +23844,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSubnetsOutput.httpOutput(from:), DescribeSubnetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24252,9 +23877,9 @@ extension EC2Client { /// /// Describes the specified tags for your EC2 resources. For more information about tags, see [Tag your Amazon EC2 resources](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Using_Tags.html) in the Amazon Elastic Compute Cloud User Guide. We strongly recommend using only paginated requests. Unpaginated requests are susceptible to throttling and timeouts. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTagsInput`) /// - /// - Returns: `DescribeTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTagsOutput`) public func describeTags(input: DescribeTagsInput) async throws -> DescribeTagsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24281,7 +23906,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagsOutput.httpOutput(from:), DescribeTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24315,9 +23939,9 @@ extension EC2Client { /// /// Describe traffic mirror filters that determine the traffic that is mirrored. /// - /// - Parameter DescribeTrafficMirrorFilterRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrafficMirrorFilterRulesInput`) /// - /// - Returns: `DescribeTrafficMirrorFilterRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrafficMirrorFilterRulesOutput`) public func describeTrafficMirrorFilterRules(input: DescribeTrafficMirrorFilterRulesInput) async throws -> DescribeTrafficMirrorFilterRulesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24344,7 +23968,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrafficMirrorFilterRulesOutput.httpOutput(from:), DescribeTrafficMirrorFilterRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24378,9 +24001,9 @@ extension EC2Client { /// /// Describes one or more Traffic Mirror filters. /// - /// - Parameter DescribeTrafficMirrorFiltersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrafficMirrorFiltersInput`) /// - /// - Returns: `DescribeTrafficMirrorFiltersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrafficMirrorFiltersOutput`) public func describeTrafficMirrorFilters(input: DescribeTrafficMirrorFiltersInput) async throws -> DescribeTrafficMirrorFiltersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24407,7 +24030,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrafficMirrorFiltersOutput.httpOutput(from:), DescribeTrafficMirrorFiltersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24441,9 +24063,9 @@ extension EC2Client { /// /// Describes one or more Traffic Mirror sessions. By default, all Traffic Mirror sessions are described. Alternatively, you can filter the results. /// - /// - Parameter DescribeTrafficMirrorSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrafficMirrorSessionsInput`) /// - /// - Returns: `DescribeTrafficMirrorSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrafficMirrorSessionsOutput`) public func describeTrafficMirrorSessions(input: DescribeTrafficMirrorSessionsInput) async throws -> DescribeTrafficMirrorSessionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24470,7 +24092,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrafficMirrorSessionsOutput.httpOutput(from:), DescribeTrafficMirrorSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24504,9 +24125,9 @@ extension EC2Client { /// /// Information about one or more Traffic Mirror targets. /// - /// - Parameter DescribeTrafficMirrorTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrafficMirrorTargetsInput`) /// - /// - Returns: `DescribeTrafficMirrorTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrafficMirrorTargetsOutput`) public func describeTrafficMirrorTargets(input: DescribeTrafficMirrorTargetsInput) async throws -> DescribeTrafficMirrorTargetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24533,7 +24154,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrafficMirrorTargetsOutput.httpOutput(from:), DescribeTrafficMirrorTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24567,9 +24187,9 @@ extension EC2Client { /// /// Describes one or more attachments between resources and transit gateways. By default, all attachments are described. Alternatively, you can filter the results by attachment ID, attachment state, resource ID, or resource owner. /// - /// - Parameter DescribeTransitGatewayAttachmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransitGatewayAttachmentsInput`) /// - /// - Returns: `DescribeTransitGatewayAttachmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransitGatewayAttachmentsOutput`) public func describeTransitGatewayAttachments(input: DescribeTransitGatewayAttachmentsInput) async throws -> DescribeTransitGatewayAttachmentsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24596,7 +24216,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransitGatewayAttachmentsOutput.httpOutput(from:), DescribeTransitGatewayAttachmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24630,9 +24249,9 @@ extension EC2Client { /// /// Describes one or more Connect peers. /// - /// - Parameter DescribeTransitGatewayConnectPeersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransitGatewayConnectPeersInput`) /// - /// - Returns: `DescribeTransitGatewayConnectPeersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransitGatewayConnectPeersOutput`) public func describeTransitGatewayConnectPeers(input: DescribeTransitGatewayConnectPeersInput) async throws -> DescribeTransitGatewayConnectPeersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24659,7 +24278,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransitGatewayConnectPeersOutput.httpOutput(from:), DescribeTransitGatewayConnectPeersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24693,9 +24311,9 @@ extension EC2Client { /// /// Describes one or more Connect attachments. /// - /// - Parameter DescribeTransitGatewayConnectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransitGatewayConnectsInput`) /// - /// - Returns: `DescribeTransitGatewayConnectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransitGatewayConnectsOutput`) public func describeTransitGatewayConnects(input: DescribeTransitGatewayConnectsInput) async throws -> DescribeTransitGatewayConnectsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24722,7 +24340,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransitGatewayConnectsOutput.httpOutput(from:), DescribeTransitGatewayConnectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24756,9 +24373,9 @@ extension EC2Client { /// /// Describes one or more transit gateway multicast domains. /// - /// - Parameter DescribeTransitGatewayMulticastDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransitGatewayMulticastDomainsInput`) /// - /// - Returns: `DescribeTransitGatewayMulticastDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransitGatewayMulticastDomainsOutput`) public func describeTransitGatewayMulticastDomains(input: DescribeTransitGatewayMulticastDomainsInput) async throws -> DescribeTransitGatewayMulticastDomainsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24785,7 +24402,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransitGatewayMulticastDomainsOutput.httpOutput(from:), DescribeTransitGatewayMulticastDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24819,9 +24435,9 @@ extension EC2Client { /// /// Describes your transit gateway peering attachments. /// - /// - Parameter DescribeTransitGatewayPeeringAttachmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransitGatewayPeeringAttachmentsInput`) /// - /// - Returns: `DescribeTransitGatewayPeeringAttachmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransitGatewayPeeringAttachmentsOutput`) public func describeTransitGatewayPeeringAttachments(input: DescribeTransitGatewayPeeringAttachmentsInput) async throws -> DescribeTransitGatewayPeeringAttachmentsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24848,7 +24464,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransitGatewayPeeringAttachmentsOutput.httpOutput(from:), DescribeTransitGatewayPeeringAttachmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24882,9 +24497,9 @@ extension EC2Client { /// /// Describes one or more transit gateway route policy tables. /// - /// - Parameter DescribeTransitGatewayPolicyTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransitGatewayPolicyTablesInput`) /// - /// - Returns: `DescribeTransitGatewayPolicyTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransitGatewayPolicyTablesOutput`) public func describeTransitGatewayPolicyTables(input: DescribeTransitGatewayPolicyTablesInput) async throws -> DescribeTransitGatewayPolicyTablesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24911,7 +24526,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransitGatewayPolicyTablesOutput.httpOutput(from:), DescribeTransitGatewayPolicyTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24945,9 +24559,9 @@ extension EC2Client { /// /// Describes one or more transit gateway route table advertisements. /// - /// - Parameter DescribeTransitGatewayRouteTableAnnouncementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransitGatewayRouteTableAnnouncementsInput`) /// - /// - Returns: `DescribeTransitGatewayRouteTableAnnouncementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransitGatewayRouteTableAnnouncementsOutput`) public func describeTransitGatewayRouteTableAnnouncements(input: DescribeTransitGatewayRouteTableAnnouncementsInput) async throws -> DescribeTransitGatewayRouteTableAnnouncementsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -24974,7 +24588,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransitGatewayRouteTableAnnouncementsOutput.httpOutput(from:), DescribeTransitGatewayRouteTableAnnouncementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25008,9 +24621,9 @@ extension EC2Client { /// /// Describes one or more transit gateway route tables. By default, all transit gateway route tables are described. Alternatively, you can filter the results. /// - /// - Parameter DescribeTransitGatewayRouteTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransitGatewayRouteTablesInput`) /// - /// - Returns: `DescribeTransitGatewayRouteTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransitGatewayRouteTablesOutput`) public func describeTransitGatewayRouteTables(input: DescribeTransitGatewayRouteTablesInput) async throws -> DescribeTransitGatewayRouteTablesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25037,7 +24650,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransitGatewayRouteTablesOutput.httpOutput(from:), DescribeTransitGatewayRouteTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25071,9 +24683,9 @@ extension EC2Client { /// /// Describes one or more VPC attachments. By default, all VPC attachments are described. Alternatively, you can filter the results. /// - /// - Parameter DescribeTransitGatewayVpcAttachmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransitGatewayVpcAttachmentsInput`) /// - /// - Returns: `DescribeTransitGatewayVpcAttachmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransitGatewayVpcAttachmentsOutput`) public func describeTransitGatewayVpcAttachments(input: DescribeTransitGatewayVpcAttachmentsInput) async throws -> DescribeTransitGatewayVpcAttachmentsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25100,7 +24712,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransitGatewayVpcAttachmentsOutput.httpOutput(from:), DescribeTransitGatewayVpcAttachmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25134,9 +24745,9 @@ extension EC2Client { /// /// Describes one or more transit gateways. By default, all transit gateways are described. Alternatively, you can filter the results. /// - /// - Parameter DescribeTransitGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransitGatewaysInput`) /// - /// - Returns: `DescribeTransitGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransitGatewaysOutput`) public func describeTransitGateways(input: DescribeTransitGatewaysInput) async throws -> DescribeTransitGatewaysOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25163,7 +24774,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransitGatewaysOutput.httpOutput(from:), DescribeTransitGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25197,9 +24807,9 @@ extension EC2Client { /// /// Describes one or more network interface trunk associations. /// - /// - Parameter DescribeTrunkInterfaceAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrunkInterfaceAssociationsInput`) /// - /// - Returns: `DescribeTrunkInterfaceAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrunkInterfaceAssociationsOutput`) public func describeTrunkInterfaceAssociations(input: DescribeTrunkInterfaceAssociationsInput) async throws -> DescribeTrunkInterfaceAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25226,7 +24836,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrunkInterfaceAssociationsOutput.httpOutput(from:), DescribeTrunkInterfaceAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25260,9 +24869,9 @@ extension EC2Client { /// /// Describes the specified Amazon Web Services Verified Access endpoints. /// - /// - Parameter DescribeVerifiedAccessEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVerifiedAccessEndpointsInput`) /// - /// - Returns: `DescribeVerifiedAccessEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVerifiedAccessEndpointsOutput`) public func describeVerifiedAccessEndpoints(input: DescribeVerifiedAccessEndpointsInput) async throws -> DescribeVerifiedAccessEndpointsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25289,7 +24898,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVerifiedAccessEndpointsOutput.httpOutput(from:), DescribeVerifiedAccessEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25323,9 +24931,9 @@ extension EC2Client { /// /// Describes the specified Verified Access groups. /// - /// - Parameter DescribeVerifiedAccessGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVerifiedAccessGroupsInput`) /// - /// - Returns: `DescribeVerifiedAccessGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVerifiedAccessGroupsOutput`) public func describeVerifiedAccessGroups(input: DescribeVerifiedAccessGroupsInput) async throws -> DescribeVerifiedAccessGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25352,7 +24960,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVerifiedAccessGroupsOutput.httpOutput(from:), DescribeVerifiedAccessGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25386,9 +24993,9 @@ extension EC2Client { /// /// Describes the specified Amazon Web Services Verified Access instances. /// - /// - Parameter DescribeVerifiedAccessInstanceLoggingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVerifiedAccessInstanceLoggingConfigurationsInput`) /// - /// - Returns: `DescribeVerifiedAccessInstanceLoggingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVerifiedAccessInstanceLoggingConfigurationsOutput`) public func describeVerifiedAccessInstanceLoggingConfigurations(input: DescribeVerifiedAccessInstanceLoggingConfigurationsInput) async throws -> DescribeVerifiedAccessInstanceLoggingConfigurationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25415,7 +25022,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVerifiedAccessInstanceLoggingConfigurationsOutput.httpOutput(from:), DescribeVerifiedAccessInstanceLoggingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25449,9 +25055,9 @@ extension EC2Client { /// /// Describes the specified Amazon Web Services Verified Access instances. /// - /// - Parameter DescribeVerifiedAccessInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVerifiedAccessInstancesInput`) /// - /// - Returns: `DescribeVerifiedAccessInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVerifiedAccessInstancesOutput`) public func describeVerifiedAccessInstances(input: DescribeVerifiedAccessInstancesInput) async throws -> DescribeVerifiedAccessInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25478,7 +25084,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVerifiedAccessInstancesOutput.httpOutput(from:), DescribeVerifiedAccessInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25512,9 +25117,9 @@ extension EC2Client { /// /// Describes the specified Amazon Web Services Verified Access trust providers. /// - /// - Parameter DescribeVerifiedAccessTrustProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVerifiedAccessTrustProvidersInput`) /// - /// - Returns: `DescribeVerifiedAccessTrustProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVerifiedAccessTrustProvidersOutput`) public func describeVerifiedAccessTrustProviders(input: DescribeVerifiedAccessTrustProvidersInput) async throws -> DescribeVerifiedAccessTrustProvidersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25541,7 +25146,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVerifiedAccessTrustProvidersOutput.httpOutput(from:), DescribeVerifiedAccessTrustProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25575,9 +25179,9 @@ extension EC2Client { /// /// Describes the specified attribute of the specified volume. You can specify only one attribute at a time. For more information about EBS volumes, see [Amazon EBS volumes](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-volumes.html) in the Amazon EBS User Guide. /// - /// - Parameter DescribeVolumeAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVolumeAttributeInput`) /// - /// - Returns: `DescribeVolumeAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVolumeAttributeOutput`) public func describeVolumeAttribute(input: DescribeVolumeAttributeInput) async throws -> DescribeVolumeAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25604,7 +25208,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVolumeAttributeOutput.httpOutput(from:), DescribeVolumeAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25638,9 +25241,9 @@ extension EC2Client { /// /// Describes the status of the specified volumes. Volume status provides the result of the checks performed on your volumes to determine events that can impair the performance of your volumes. The performance of a volume can be affected if an issue occurs on the volume's underlying host. If the volume's underlying host experiences a power outage or system issue, after the system is restored, there could be data inconsistencies on the volume. Volume events notify you if this occurs. Volume actions notify you if any action needs to be taken in response to the event. The DescribeVolumeStatus operation provides the following information about the specified volumes: Status: Reflects the current status of the volume. The possible values are ok, impaired , warning, or insufficient-data. If all checks pass, the overall status of the volume is ok. If the check fails, the overall status is impaired. If the status is insufficient-data, then the checks might still be taking place on your volume at the time. We recommend that you retry the request. For more information about volume status, see [Monitor the status of your volumes](https://docs.aws.amazon.com/ebs/latest/userguide/monitoring-volume-status.html) in the Amazon EBS User Guide. Events: Reflect the cause of a volume status and might require you to take action. For example, if your volume returns an impaired status, then the volume event might be potential-data-inconsistency. This means that your volume has been affected by an issue with the underlying host, has all I/O operations disabled, and might have inconsistent data. Actions: Reflect the actions you might have to take in response to an event. For example, if the status of the volume is impaired and the volume event shows potential-data-inconsistency, then the action shows enable-volume-io. This means that you may want to enable the I/O operations for the volume and then check the volume for data consistency. For more information, see [Work with an impaired EBS volume](https://docs.aws.amazon.com/ebs/latest/userguide/work_volumes_impaired.html). Volume status is based on the volume status checks, and does not reflect the volume state. Therefore, volume status does not indicate volumes in the error state (for example, when a volume is incapable of accepting I/O.) The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeVolumeStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVolumeStatusInput`) /// - /// - Returns: `DescribeVolumeStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVolumeStatusOutput`) public func describeVolumeStatus(input: DescribeVolumeStatusInput) async throws -> DescribeVolumeStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25667,7 +25270,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVolumeStatusOutput.httpOutput(from:), DescribeVolumeStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25701,9 +25303,9 @@ extension EC2Client { /// /// Describes the specified EBS volumes or all of your EBS volumes. If you are describing a long list of volumes, we recommend that you paginate the output to make the list more manageable. For more information, see [Pagination](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/Query-Requests.html#api-pagination). For more information about EBS volumes, see [Amazon EBS volumes](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-volumes.html) in the Amazon EBS User Guide. We strongly recommend using only paginated requests. Unpaginated requests are susceptible to throttling and timeouts. The order of the elements in the response, including those within nested structures, might vary. Applications should not assume the elements appear in a particular order. /// - /// - Parameter DescribeVolumesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVolumesInput`) /// - /// - Returns: `DescribeVolumesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVolumesOutput`) public func describeVolumes(input: DescribeVolumesInput) async throws -> DescribeVolumesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25730,7 +25332,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVolumesOutput.httpOutput(from:), DescribeVolumesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25764,9 +25365,9 @@ extension EC2Client { /// /// Describes the most recent volume modification request for the specified EBS volumes. For more information, see [ Monitor the progress of volume modifications](https://docs.aws.amazon.com/ebs/latest/userguide/monitoring-volume-modifications.html) in the Amazon EBS User Guide. /// - /// - Parameter DescribeVolumesModificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVolumesModificationsInput`) /// - /// - Returns: `DescribeVolumesModificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVolumesModificationsOutput`) public func describeVolumesModifications(input: DescribeVolumesModificationsInput) async throws -> DescribeVolumesModificationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25793,7 +25394,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVolumesModificationsOutput.httpOutput(from:), DescribeVolumesModificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25827,9 +25427,9 @@ extension EC2Client { /// /// Describes the specified attribute of the specified VPC. You can specify only one attribute at a time. /// - /// - Parameter DescribeVpcAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcAttributeInput`) /// - /// - Returns: `DescribeVpcAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcAttributeOutput`) public func describeVpcAttribute(input: DescribeVpcAttributeInput) async throws -> DescribeVpcAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25856,7 +25456,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcAttributeOutput.httpOutput(from:), DescribeVpcAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25890,9 +25489,9 @@ extension EC2Client { /// /// Describe VPC Block Public Access (BPA) exclusions. A VPC BPA exclusion is a mode that can be applied to a single VPC or subnet that exempts it from the account’s BPA mode and will allow bidirectional or egress-only access. You can create BPA exclusions for VPCs and subnets even when BPA is not enabled on the account to ensure that there is no traffic disruption to the exclusions when VPC BPA is turned on. To learn more about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. /// - /// - Parameter DescribeVpcBlockPublicAccessExclusionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcBlockPublicAccessExclusionsInput`) /// - /// - Returns: `DescribeVpcBlockPublicAccessExclusionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcBlockPublicAccessExclusionsOutput`) public func describeVpcBlockPublicAccessExclusions(input: DescribeVpcBlockPublicAccessExclusionsInput) async throws -> DescribeVpcBlockPublicAccessExclusionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25919,7 +25518,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcBlockPublicAccessExclusionsOutput.httpOutput(from:), DescribeVpcBlockPublicAccessExclusionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25953,9 +25551,9 @@ extension EC2Client { /// /// Describe VPC Block Public Access (BPA) options. VPC Block Public Access (BPA) enables you to block resources in VPCs and subnets that you own in a Region from reaching or being reached from the internet through internet gateways and egress-only internet gateways. To learn more about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. /// - /// - Parameter DescribeVpcBlockPublicAccessOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcBlockPublicAccessOptionsInput`) /// - /// - Returns: `DescribeVpcBlockPublicAccessOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcBlockPublicAccessOptionsOutput`) public func describeVpcBlockPublicAccessOptions(input: DescribeVpcBlockPublicAccessOptionsInput) async throws -> DescribeVpcBlockPublicAccessOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -25982,7 +25580,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcBlockPublicAccessOptionsOutput.httpOutput(from:), DescribeVpcBlockPublicAccessOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26016,9 +25613,9 @@ extension EC2Client { /// /// This action is deprecated. Describes the ClassicLink status of the specified VPCs. /// - /// - Parameter DescribeVpcClassicLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcClassicLinkInput`) /// - /// - Returns: `DescribeVpcClassicLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcClassicLinkOutput`) public func describeVpcClassicLink(input: DescribeVpcClassicLinkInput) async throws -> DescribeVpcClassicLinkOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26045,7 +25642,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcClassicLinkOutput.httpOutput(from:), DescribeVpcClassicLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26079,9 +25675,9 @@ extension EC2Client { /// /// This action is deprecated. Describes the ClassicLink DNS support status of one or more VPCs. If enabled, the DNS hostname of a linked EC2-Classic instance resolves to its private IP address when addressed from an instance in the VPC to which it's linked. Similarly, the DNS hostname of an instance in a VPC resolves to its private IP address when addressed from a linked EC2-Classic instance. /// - /// - Parameter DescribeVpcClassicLinkDnsSupportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcClassicLinkDnsSupportInput`) /// - /// - Returns: `DescribeVpcClassicLinkDnsSupportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcClassicLinkDnsSupportOutput`) public func describeVpcClassicLinkDnsSupport(input: DescribeVpcClassicLinkDnsSupportInput) async throws -> DescribeVpcClassicLinkDnsSupportOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26108,7 +25704,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcClassicLinkDnsSupportOutput.httpOutput(from:), DescribeVpcClassicLinkDnsSupportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26142,9 +25737,9 @@ extension EC2Client { /// /// Describes the VPC resources, VPC endpoint services, Amazon Lattice services, or service networks associated with the VPC endpoint. /// - /// - Parameter DescribeVpcEndpointAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcEndpointAssociationsInput`) /// - /// - Returns: `DescribeVpcEndpointAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcEndpointAssociationsOutput`) public func describeVpcEndpointAssociations(input: DescribeVpcEndpointAssociationsInput) async throws -> DescribeVpcEndpointAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26171,7 +25766,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcEndpointAssociationsOutput.httpOutput(from:), DescribeVpcEndpointAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26205,9 +25799,9 @@ extension EC2Client { /// /// Describes the connection notifications for VPC endpoints and VPC endpoint services. /// - /// - Parameter DescribeVpcEndpointConnectionNotificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcEndpointConnectionNotificationsInput`) /// - /// - Returns: `DescribeVpcEndpointConnectionNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcEndpointConnectionNotificationsOutput`) public func describeVpcEndpointConnectionNotifications(input: DescribeVpcEndpointConnectionNotificationsInput) async throws -> DescribeVpcEndpointConnectionNotificationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26234,7 +25828,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcEndpointConnectionNotificationsOutput.httpOutput(from:), DescribeVpcEndpointConnectionNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26268,9 +25861,9 @@ extension EC2Client { /// /// Describes the VPC endpoint connections to your VPC endpoint services, including any endpoints that are pending your acceptance. /// - /// - Parameter DescribeVpcEndpointConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcEndpointConnectionsInput`) /// - /// - Returns: `DescribeVpcEndpointConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcEndpointConnectionsOutput`) public func describeVpcEndpointConnections(input: DescribeVpcEndpointConnectionsInput) async throws -> DescribeVpcEndpointConnectionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26297,7 +25890,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcEndpointConnectionsOutput.httpOutput(from:), DescribeVpcEndpointConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26331,9 +25923,9 @@ extension EC2Client { /// /// Describes the VPC endpoint service configurations in your account (your services). /// - /// - Parameter DescribeVpcEndpointServiceConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcEndpointServiceConfigurationsInput`) /// - /// - Returns: `DescribeVpcEndpointServiceConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcEndpointServiceConfigurationsOutput`) public func describeVpcEndpointServiceConfigurations(input: DescribeVpcEndpointServiceConfigurationsInput) async throws -> DescribeVpcEndpointServiceConfigurationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26360,7 +25952,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcEndpointServiceConfigurationsOutput.httpOutput(from:), DescribeVpcEndpointServiceConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26394,9 +25985,9 @@ extension EC2Client { /// /// Describes the principals (service consumers) that are permitted to discover your VPC endpoint service. Principal ARNs with path components aren't supported. /// - /// - Parameter DescribeVpcEndpointServicePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcEndpointServicePermissionsInput`) /// - /// - Returns: `DescribeVpcEndpointServicePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcEndpointServicePermissionsOutput`) public func describeVpcEndpointServicePermissions(input: DescribeVpcEndpointServicePermissionsInput) async throws -> DescribeVpcEndpointServicePermissionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26423,7 +26014,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcEndpointServicePermissionsOutput.httpOutput(from:), DescribeVpcEndpointServicePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26457,9 +26047,9 @@ extension EC2Client { /// /// Describes available services to which you can create a VPC endpoint. When the service provider and the consumer have different accounts in multiple Availability Zones, and the consumer views the VPC endpoint service information, the response only includes the common Availability Zones. For example, when the service provider account uses us-east-1a and us-east-1c and the consumer uses us-east-1a and us-east-1b, the response includes the VPC endpoint services in the common Availability Zone, us-east-1a. /// - /// - Parameter DescribeVpcEndpointServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcEndpointServicesInput`) /// - /// - Returns: `DescribeVpcEndpointServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcEndpointServicesOutput`) public func describeVpcEndpointServices(input: DescribeVpcEndpointServicesInput) async throws -> DescribeVpcEndpointServicesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26486,7 +26076,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcEndpointServicesOutput.httpOutput(from:), DescribeVpcEndpointServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26520,9 +26109,9 @@ extension EC2Client { /// /// Describes your VPC endpoints. The default is to describe all your VPC endpoints. Alternatively, you can specify specific VPC endpoint IDs or filter the results to include only the VPC endpoints that match specific criteria. /// - /// - Parameter DescribeVpcEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcEndpointsInput`) /// - /// - Returns: `DescribeVpcEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcEndpointsOutput`) public func describeVpcEndpoints(input: DescribeVpcEndpointsInput) async throws -> DescribeVpcEndpointsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26549,7 +26138,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcEndpointsOutput.httpOutput(from:), DescribeVpcEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26583,9 +26171,9 @@ extension EC2Client { /// /// Describes your VPC peering connections. The default is to describe all your VPC peering connections. Alternatively, you can specify specific VPC peering connection IDs or filter the results to include only the VPC peering connections that match specific criteria. /// - /// - Parameter DescribeVpcPeeringConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcPeeringConnectionsInput`) /// - /// - Returns: `DescribeVpcPeeringConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcPeeringConnectionsOutput`) public func describeVpcPeeringConnections(input: DescribeVpcPeeringConnectionsInput) async throws -> DescribeVpcPeeringConnectionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26612,7 +26200,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcPeeringConnectionsOutput.httpOutput(from:), DescribeVpcPeeringConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26646,9 +26233,9 @@ extension EC2Client { /// /// Describes your VPCs. The default is to describe all your VPCs. Alternatively, you can specify specific VPC IDs or filter the results to include only the VPCs that match specific criteria. /// - /// - Parameter DescribeVpcsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcsInput`) /// - /// - Returns: `DescribeVpcsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcsOutput`) public func describeVpcs(input: DescribeVpcsInput) async throws -> DescribeVpcsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26675,7 +26262,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcsOutput.httpOutput(from:), DescribeVpcsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26709,9 +26295,9 @@ extension EC2Client { /// /// Describes one or more of your VPN connections. For more information, see [Amazon Web Services Site-to-Site VPN](https://docs.aws.amazon.com/vpn/latest/s2svpn/VPC_VPN.html) in the Amazon Web Services Site-to-Site VPN User Guide. /// - /// - Parameter DescribeVpnConnectionsInput : Contains the parameters for DescribeVpnConnections. + /// - Parameter input: Contains the parameters for DescribeVpnConnections. (Type: `DescribeVpnConnectionsInput`) /// - /// - Returns: `DescribeVpnConnectionsOutput` : Contains the output of DescribeVpnConnections. + /// - Returns: Contains the output of DescribeVpnConnections. (Type: `DescribeVpnConnectionsOutput`) public func describeVpnConnections(input: DescribeVpnConnectionsInput) async throws -> DescribeVpnConnectionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26738,7 +26324,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpnConnectionsOutput.httpOutput(from:), DescribeVpnConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26772,9 +26357,9 @@ extension EC2Client { /// /// Describes one or more of your virtual private gateways. For more information, see [Amazon Web Services Site-to-Site VPN](https://docs.aws.amazon.com/vpn/latest/s2svpn/VPC_VPN.html) in the Amazon Web Services Site-to-Site VPN User Guide. /// - /// - Parameter DescribeVpnGatewaysInput : Contains the parameters for DescribeVpnGateways. + /// - Parameter input: Contains the parameters for DescribeVpnGateways. (Type: `DescribeVpnGatewaysInput`) /// - /// - Returns: `DescribeVpnGatewaysOutput` : Contains the output of DescribeVpnGateways. + /// - Returns: Contains the output of DescribeVpnGateways. (Type: `DescribeVpnGatewaysOutput`) public func describeVpnGateways(input: DescribeVpnGatewaysInput) async throws -> DescribeVpnGatewaysOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26801,7 +26386,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpnGatewaysOutput.httpOutput(from:), DescribeVpnGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26835,9 +26419,9 @@ extension EC2Client { /// /// This action is deprecated. Unlinks (detaches) a linked EC2-Classic instance from a VPC. After the instance has been unlinked, the VPC security groups are no longer associated with it. An instance is automatically unlinked from a VPC when it's stopped. /// - /// - Parameter DetachClassicLinkVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachClassicLinkVpcInput`) /// - /// - Returns: `DetachClassicLinkVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachClassicLinkVpcOutput`) public func detachClassicLinkVpc(input: DetachClassicLinkVpcInput) async throws -> DetachClassicLinkVpcOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26864,7 +26448,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachClassicLinkVpcOutput.httpOutput(from:), DetachClassicLinkVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26898,9 +26481,9 @@ extension EC2Client { /// /// Detaches an internet gateway from a VPC, disabling connectivity between the internet and the VPC. The VPC must not contain any running instances with Elastic IP addresses or public IPv4 addresses. /// - /// - Parameter DetachInternetGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachInternetGatewayInput`) /// - /// - Returns: `DetachInternetGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachInternetGatewayOutput`) public func detachInternetGateway(input: DetachInternetGatewayInput) async throws -> DetachInternetGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26927,7 +26510,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachInternetGatewayOutput.httpOutput(from:), DetachInternetGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -26961,9 +26543,9 @@ extension EC2Client { /// /// Detaches a network interface from an instance. /// - /// - Parameter DetachNetworkInterfaceInput : Contains the parameters for DetachNetworkInterface. + /// - Parameter input: Contains the parameters for DetachNetworkInterface. (Type: `DetachNetworkInterfaceInput`) /// - /// - Returns: `DetachNetworkInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachNetworkInterfaceOutput`) public func detachNetworkInterface(input: DetachNetworkInterfaceInput) async throws -> DetachNetworkInterfaceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -26990,7 +26572,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachNetworkInterfaceOutput.httpOutput(from:), DetachNetworkInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27024,9 +26605,9 @@ extension EC2Client { /// /// Detaches the specified Amazon Web Services Verified Access trust provider from the specified Amazon Web Services Verified Access instance. /// - /// - Parameter DetachVerifiedAccessTrustProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachVerifiedAccessTrustProviderInput`) /// - /// - Returns: `DetachVerifiedAccessTrustProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachVerifiedAccessTrustProviderOutput`) public func detachVerifiedAccessTrustProvider(input: DetachVerifiedAccessTrustProviderInput) async throws -> DetachVerifiedAccessTrustProviderOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27054,7 +26635,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachVerifiedAccessTrustProviderOutput.httpOutput(from:), DetachVerifiedAccessTrustProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27088,9 +26668,9 @@ extension EC2Client { /// /// Detaches an EBS volume from an instance. Make sure to unmount any file systems on the device within your operating system before detaching the volume. Failure to do so can result in the volume becoming stuck in the busy state while detaching. If this happens, detachment can be delayed indefinitely until you unmount the volume, force detachment, reboot the instance, or all three. If an EBS volume is the root device of an instance, it can't be detached while the instance is running. To detach the root volume, stop the instance first. When a volume with an Amazon Web Services Marketplace product code is detached from an instance, the product code is no longer associated with the instance. You can't detach or force detach volumes that are attached to Amazon Web Services-managed resources. Attempting to do this results in the UnsupportedOperationException exception. For more information, see [Detach an Amazon EBS volume](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-detaching-volume.html) in the Amazon EBS User Guide. /// - /// - Parameter DetachVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachVolumeInput`) /// - /// - Returns: `DetachVolumeOutput` : Describes volume attachment details. + /// - Returns: Describes volume attachment details. (Type: `DetachVolumeOutput`) public func detachVolume(input: DetachVolumeInput) async throws -> DetachVolumeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27117,7 +26697,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachVolumeOutput.httpOutput(from:), DetachVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27151,9 +26730,9 @@ extension EC2Client { /// /// Detaches a virtual private gateway from a VPC. You do this if you're planning to turn off the VPC and not use it anymore. You can confirm a virtual private gateway has been completely detached from a VPC by describing the virtual private gateway (any attachments to the virtual private gateway are also described). You must wait for the attachment's state to switch to detached before you can delete the VPC or attach a different VPC to the virtual private gateway. /// - /// - Parameter DetachVpnGatewayInput : Contains the parameters for DetachVpnGateway. + /// - Parameter input: Contains the parameters for DetachVpnGateway. (Type: `DetachVpnGatewayInput`) /// - /// - Returns: `DetachVpnGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachVpnGatewayOutput`) public func detachVpnGateway(input: DetachVpnGatewayInput) async throws -> DetachVpnGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27180,7 +26759,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachVpnGatewayOutput.httpOutput(from:), DetachVpnGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27214,9 +26792,9 @@ extension EC2Client { /// /// Disables Elastic IP address transfer. For more information, see [Transfer Elastic IP addresses](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-eips.html#transfer-EIPs-intro) in the Amazon VPC User Guide. /// - /// - Parameter DisableAddressTransferInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableAddressTransferInput`) /// - /// - Returns: `DisableAddressTransferOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableAddressTransferOutput`) public func disableAddressTransfer(input: DisableAddressTransferInput) async throws -> DisableAddressTransferOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27243,7 +26821,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableAddressTransferOutput.httpOutput(from:), DisableAddressTransferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27277,9 +26854,9 @@ extension EC2Client { /// /// Disables Allowed AMIs for your account in the specified Amazon Web Services Region. When set to disabled, the image criteria in your Allowed AMIs settings do not apply, and no restrictions are placed on AMI discoverability or usage. Users in your account can launch instances using any public AMI or AMI shared with your account. The Allowed AMIs feature does not restrict the AMIs owned by your account. Regardless of the criteria you set, the AMIs created by your account will always be discoverable and usable by users in your account. For more information, see [Control the discovery and use of AMIs in Amazon EC2 with Allowed AMIs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-allowed-amis.html) in Amazon EC2 User Guide. /// - /// - Parameter DisableAllowedImagesSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableAllowedImagesSettingsInput`) /// - /// - Returns: `DisableAllowedImagesSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableAllowedImagesSettingsOutput`) public func disableAllowedImagesSettings(input: DisableAllowedImagesSettingsInput) async throws -> DisableAllowedImagesSettingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27306,7 +26883,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableAllowedImagesSettingsOutput.httpOutput(from:), DisableAllowedImagesSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27340,9 +26916,9 @@ extension EC2Client { /// /// Disables Infrastructure Performance metric subscriptions. /// - /// - Parameter DisableAwsNetworkPerformanceMetricSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableAwsNetworkPerformanceMetricSubscriptionInput`) /// - /// - Returns: `DisableAwsNetworkPerformanceMetricSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableAwsNetworkPerformanceMetricSubscriptionOutput`) public func disableAwsNetworkPerformanceMetricSubscription(input: DisableAwsNetworkPerformanceMetricSubscriptionInput) async throws -> DisableAwsNetworkPerformanceMetricSubscriptionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27369,7 +26945,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableAwsNetworkPerformanceMetricSubscriptionOutput.httpOutput(from:), DisableAwsNetworkPerformanceMetricSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27403,9 +26978,9 @@ extension EC2Client { /// /// Disables EBS encryption by default for your account in the current Region. After you disable encryption by default, you can still create encrypted volumes by enabling encryption when you create each volume. Disabling encryption by default does not change the encryption status of your existing volumes. For more information, see [Amazon EBS encryption](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-encryption.html) in the Amazon EBS User Guide. /// - /// - Parameter DisableEbsEncryptionByDefaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableEbsEncryptionByDefaultInput`) /// - /// - Returns: `DisableEbsEncryptionByDefaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableEbsEncryptionByDefaultOutput`) public func disableEbsEncryptionByDefault(input: DisableEbsEncryptionByDefaultInput) async throws -> DisableEbsEncryptionByDefaultOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27432,7 +27007,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableEbsEncryptionByDefaultOutput.httpOutput(from:), DisableEbsEncryptionByDefaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27466,9 +27040,9 @@ extension EC2Client { /// /// Discontinue Windows fast launch for a Windows AMI, and clean up existing pre-provisioned snapshots. After you disable Windows fast launch, the AMI uses the standard launch process for each new instance. Amazon EC2 must remove all pre-provisioned snapshots before you can enable Windows fast launch again. You can only change these settings for Windows AMIs that you own or that have been shared with you. /// - /// - Parameter DisableFastLaunchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableFastLaunchInput`) /// - /// - Returns: `DisableFastLaunchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableFastLaunchOutput`) public func disableFastLaunch(input: DisableFastLaunchInput) async throws -> DisableFastLaunchOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27495,7 +27069,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableFastLaunchOutput.httpOutput(from:), DisableFastLaunchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27529,9 +27102,9 @@ extension EC2Client { /// /// Disables fast snapshot restores for the specified snapshots in the specified Availability Zones. /// - /// - Parameter DisableFastSnapshotRestoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableFastSnapshotRestoresInput`) /// - /// - Returns: `DisableFastSnapshotRestoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableFastSnapshotRestoresOutput`) public func disableFastSnapshotRestores(input: DisableFastSnapshotRestoresInput) async throws -> DisableFastSnapshotRestoresOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27558,7 +27131,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableFastSnapshotRestoresOutput.httpOutput(from:), DisableFastSnapshotRestoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27592,9 +27164,9 @@ extension EC2Client { /// /// Sets the AMI state to disabled and removes all launch permissions from the AMI. A disabled AMI can't be used for instance launches. A disabled AMI can't be shared. If an AMI was public or previously shared, it is made private. If an AMI was shared with an Amazon Web Services account, organization, or Organizational Unit, they lose access to the disabled AMI. A disabled AMI does not appear in [DescribeImages](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeImages.html) API calls by default. Only the AMI owner can disable an AMI. You can re-enable a disabled AMI using [EnableImage](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_EnableImage.html). For more information, see [Disable an AMI](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/disable-an-ami.html) in the Amazon EC2 User Guide. /// - /// - Parameter DisableImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableImageInput`) /// - /// - Returns: `DisableImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableImageOutput`) public func disableImage(input: DisableImageInput) async throws -> DisableImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27621,7 +27193,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableImageOutput.httpOutput(from:), DisableImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27655,9 +27226,9 @@ extension EC2Client { /// /// Disables block public access for AMIs at the account level in the specified Amazon Web Services Region. This removes the block public access restriction from your account. With the restriction removed, you can publicly share your AMIs in the specified Amazon Web Services Region. For more information, see [Block public access to your AMIs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/block-public-access-to-amis.html) in the Amazon EC2 User Guide. /// - /// - Parameter DisableImageBlockPublicAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableImageBlockPublicAccessInput`) /// - /// - Returns: `DisableImageBlockPublicAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableImageBlockPublicAccessOutput`) public func disableImageBlockPublicAccess(input: DisableImageBlockPublicAccessInput) async throws -> DisableImageBlockPublicAccessOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27684,7 +27255,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableImageBlockPublicAccessOutput.httpOutput(from:), DisableImageBlockPublicAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27718,9 +27288,9 @@ extension EC2Client { /// /// Cancels the deprecation of the specified AMI. For more information, see [Deprecate an Amazon EC2 AMI](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ami-deprecate.html) in the Amazon EC2 User Guide. /// - /// - Parameter DisableImageDeprecationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableImageDeprecationInput`) /// - /// - Returns: `DisableImageDeprecationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableImageDeprecationOutput`) public func disableImageDeprecation(input: DisableImageDeprecationInput) async throws -> DisableImageDeprecationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27747,7 +27317,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableImageDeprecationOutput.httpOutput(from:), DisableImageDeprecationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27781,9 +27350,9 @@ extension EC2Client { /// /// Disables deregistration protection for an AMI. When deregistration protection is disabled, the AMI can be deregistered. If you chose to include a 24-hour cooldown period when you enabled deregistration protection for the AMI, then, when you disable deregistration protection, you won’t immediately be able to deregister the AMI. For more information, see [Protect an Amazon EC2 AMI from deregistration](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ami-deregistration-protection.html) in the Amazon EC2 User Guide. /// - /// - Parameter DisableImageDeregistrationProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableImageDeregistrationProtectionInput`) /// - /// - Returns: `DisableImageDeregistrationProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableImageDeregistrationProtectionOutput`) public func disableImageDeregistrationProtection(input: DisableImageDeregistrationProtectionInput) async throws -> DisableImageDeregistrationProtectionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27810,7 +27379,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableImageDeregistrationProtectionOutput.httpOutput(from:), DisableImageDeregistrationProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27844,9 +27412,9 @@ extension EC2Client { /// /// Disable the IPAM account. For more information, see [Enable integration with Organizations](https://docs.aws.amazon.com/vpc/latest/ipam/enable-integ-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter DisableIpamOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableIpamOrganizationAdminAccountInput`) /// - /// - Returns: `DisableIpamOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableIpamOrganizationAdminAccountOutput`) public func disableIpamOrganizationAdminAccount(input: DisableIpamOrganizationAdminAccountInput) async throws -> DisableIpamOrganizationAdminAccountOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27873,7 +27441,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableIpamOrganizationAdminAccountOutput.httpOutput(from:), DisableIpamOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27916,9 +27483,9 @@ extension EC2Client { /// /// Route server does not support route tables associated with virtual private gateways. To propagate routes into a transit gateway route table, use [Transit Gateway Connect](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-connect.html). For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter DisableRouteServerPropagationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableRouteServerPropagationInput`) /// - /// - Returns: `DisableRouteServerPropagationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableRouteServerPropagationOutput`) public func disableRouteServerPropagation(input: DisableRouteServerPropagationInput) async throws -> DisableRouteServerPropagationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -27945,7 +27512,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableRouteServerPropagationOutput.httpOutput(from:), DisableRouteServerPropagationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -27979,9 +27545,9 @@ extension EC2Client { /// /// Disables access to the EC2 serial console of all instances for your account. By default, access to the EC2 serial console is disabled for your account. For more information, see [Manage account access to the EC2 serial console](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/configure-access-to-serial-console.html#serial-console-account-access) in the Amazon EC2 User Guide. /// - /// - Parameter DisableSerialConsoleAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableSerialConsoleAccessInput`) /// - /// - Returns: `DisableSerialConsoleAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableSerialConsoleAccessOutput`) public func disableSerialConsoleAccess(input: DisableSerialConsoleAccessInput) async throws -> DisableSerialConsoleAccessOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28008,7 +27574,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableSerialConsoleAccessOutput.httpOutput(from:), DisableSerialConsoleAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28042,9 +27607,9 @@ extension EC2Client { /// /// Disables the block public access for snapshots setting at the account level for the specified Amazon Web Services Region. After you disable block public access for snapshots in a Region, users can publicly share snapshots in that Region. Enabling block public access for snapshots in block-all-sharing mode does not change the permissions for snapshots that are already publicly shared. Instead, it prevents these snapshots from be publicly visible and publicly accessible. Therefore, the attributes for these snapshots still indicate that they are publicly shared, even though they are not publicly available. If you disable block public access , these snapshots will become publicly available again. For more information, see [ Block public access for snapshots](https://docs.aws.amazon.com/ebs/latest/userguide/block-public-access-snapshots.html) in the Amazon EBS User Guide . /// - /// - Parameter DisableSnapshotBlockPublicAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableSnapshotBlockPublicAccessInput`) /// - /// - Returns: `DisableSnapshotBlockPublicAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableSnapshotBlockPublicAccessOutput`) public func disableSnapshotBlockPublicAccess(input: DisableSnapshotBlockPublicAccessInput) async throws -> DisableSnapshotBlockPublicAccessOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28071,7 +27636,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableSnapshotBlockPublicAccessOutput.httpOutput(from:), DisableSnapshotBlockPublicAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28105,9 +27669,9 @@ extension EC2Client { /// /// Disables the specified resource attachment from propagating routes to the specified propagation route table. /// - /// - Parameter DisableTransitGatewayRouteTablePropagationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableTransitGatewayRouteTablePropagationInput`) /// - /// - Returns: `DisableTransitGatewayRouteTablePropagationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableTransitGatewayRouteTablePropagationOutput`) public func disableTransitGatewayRouteTablePropagation(input: DisableTransitGatewayRouteTablePropagationInput) async throws -> DisableTransitGatewayRouteTablePropagationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28134,7 +27698,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableTransitGatewayRouteTablePropagationOutput.httpOutput(from:), DisableTransitGatewayRouteTablePropagationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28168,9 +27731,9 @@ extension EC2Client { /// /// Disables a virtual private gateway (VGW) from propagating routes to a specified route table of a VPC. /// - /// - Parameter DisableVgwRoutePropagationInput : Contains the parameters for DisableVgwRoutePropagation. + /// - Parameter input: Contains the parameters for DisableVgwRoutePropagation. (Type: `DisableVgwRoutePropagationInput`) /// - /// - Returns: `DisableVgwRoutePropagationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableVgwRoutePropagationOutput`) public func disableVgwRoutePropagation(input: DisableVgwRoutePropagationInput) async throws -> DisableVgwRoutePropagationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28197,7 +27760,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableVgwRoutePropagationOutput.httpOutput(from:), DisableVgwRoutePropagationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28231,9 +27793,9 @@ extension EC2Client { /// /// This action is deprecated. Disables ClassicLink for a VPC. You cannot disable ClassicLink for a VPC that has EC2-Classic instances linked to it. /// - /// - Parameter DisableVpcClassicLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableVpcClassicLinkInput`) /// - /// - Returns: `DisableVpcClassicLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableVpcClassicLinkOutput`) public func disableVpcClassicLink(input: DisableVpcClassicLinkInput) async throws -> DisableVpcClassicLinkOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28260,7 +27822,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableVpcClassicLinkOutput.httpOutput(from:), DisableVpcClassicLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28294,9 +27855,9 @@ extension EC2Client { /// /// This action is deprecated. Disables ClassicLink DNS support for a VPC. If disabled, DNS hostnames resolve to public IP addresses when addressed between a linked EC2-Classic instance and instances in the VPC to which it's linked. You must specify a VPC ID in the request. /// - /// - Parameter DisableVpcClassicLinkDnsSupportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableVpcClassicLinkDnsSupportInput`) /// - /// - Returns: `DisableVpcClassicLinkDnsSupportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableVpcClassicLinkDnsSupportOutput`) public func disableVpcClassicLinkDnsSupport(input: DisableVpcClassicLinkDnsSupportInput) async throws -> DisableVpcClassicLinkDnsSupportOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28323,7 +27884,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableVpcClassicLinkDnsSupportOutput.httpOutput(from:), DisableVpcClassicLinkDnsSupportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28363,9 +27923,9 @@ extension EC2Client { /// /// * Network interface only has one remaining public IPv4 address /// - /// - Parameter DisassociateAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAddressInput`) /// - /// - Returns: `DisassociateAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAddressOutput`) public func disassociateAddress(input: DisassociateAddressInput) async throws -> DisassociateAddressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28392,7 +27952,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAddressOutput.httpOutput(from:), DisassociateAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28426,9 +27985,9 @@ extension EC2Client { /// /// Cancels a pending request to assign billing of the unused capacity of a Capacity Reservation to a consumer account, or revokes a request that has already been accepted. For more information, see [Billing assignment for shared Amazon EC2 Capacity Reservations](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/assign-billing.html). /// - /// - Parameter DisassociateCapacityReservationBillingOwnerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateCapacityReservationBillingOwnerInput`) /// - /// - Returns: `DisassociateCapacityReservationBillingOwnerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateCapacityReservationBillingOwnerOutput`) public func disassociateCapacityReservationBillingOwner(input: DisassociateCapacityReservationBillingOwnerInput) async throws -> DisassociateCapacityReservationBillingOwnerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28455,7 +28014,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateCapacityReservationBillingOwnerOutput.httpOutput(from:), DisassociateCapacityReservationBillingOwnerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28497,9 +28055,9 @@ extension EC2Client { /// /// * The Client VPN endpoint's status changes to pending-associate /// - /// - Parameter DisassociateClientVpnTargetNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateClientVpnTargetNetworkInput`) /// - /// - Returns: `DisassociateClientVpnTargetNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateClientVpnTargetNetworkOutput`) public func disassociateClientVpnTargetNetwork(input: DisassociateClientVpnTargetNetworkInput) async throws -> DisassociateClientVpnTargetNetworkOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28526,7 +28084,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateClientVpnTargetNetworkOutput.httpOutput(from:), DisassociateClientVpnTargetNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28560,9 +28117,9 @@ extension EC2Client { /// /// Disassociates an IAM role from an Certificate Manager (ACM) certificate. Disassociating an IAM role from an ACM certificate removes the Amazon S3 object that contains the certificate, certificate chain, and encrypted private key from the Amazon S3 bucket. It also revokes the IAM role's permission to use the KMS key used to encrypt the private key. This effectively revokes the role's permission to use the certificate. /// - /// - Parameter DisassociateEnclaveCertificateIamRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateEnclaveCertificateIamRoleInput`) /// - /// - Returns: `DisassociateEnclaveCertificateIamRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateEnclaveCertificateIamRoleOutput`) public func disassociateEnclaveCertificateIamRole(input: DisassociateEnclaveCertificateIamRoleInput) async throws -> DisassociateEnclaveCertificateIamRoleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28589,7 +28146,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateEnclaveCertificateIamRoleOutput.httpOutput(from:), DisassociateEnclaveCertificateIamRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28623,9 +28179,9 @@ extension EC2Client { /// /// Disassociates an IAM instance profile from a running or stopped instance. Use [DescribeIamInstanceProfileAssociations] to get the association ID. /// - /// - Parameter DisassociateIamInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateIamInstanceProfileInput`) /// - /// - Returns: `DisassociateIamInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateIamInstanceProfileOutput`) public func disassociateIamInstanceProfile(input: DisassociateIamInstanceProfileInput) async throws -> DisassociateIamInstanceProfileOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28652,7 +28208,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateIamInstanceProfileOutput.httpOutput(from:), DisassociateIamInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28686,9 +28241,9 @@ extension EC2Client { /// /// Disassociates one or more targets from an event window. For more information, see [Define event windows for scheduled events](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/event-windows.html) in the Amazon EC2 User Guide. /// - /// - Parameter DisassociateInstanceEventWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateInstanceEventWindowInput`) /// - /// - Returns: `DisassociateInstanceEventWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateInstanceEventWindowOutput`) public func disassociateInstanceEventWindow(input: DisassociateInstanceEventWindowInput) async throws -> DisassociateInstanceEventWindowOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28715,7 +28270,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateInstanceEventWindowOutput.httpOutput(from:), DisassociateInstanceEventWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28749,9 +28303,9 @@ extension EC2Client { /// /// Remove the association between your Autonomous System Number (ASN) and your BYOIP CIDR. You may want to use this action to disassociate an ASN from a CIDR or if you want to swap ASNs. For more information, see [Tutorial: Bring your ASN to IPAM](https://docs.aws.amazon.com/vpc/latest/ipam/tutorials-byoasn.html) in the Amazon VPC IPAM guide. /// - /// - Parameter DisassociateIpamByoasnInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateIpamByoasnInput`) /// - /// - Returns: `DisassociateIpamByoasnOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateIpamByoasnOutput`) public func disassociateIpamByoasn(input: DisassociateIpamByoasnInput) async throws -> DisassociateIpamByoasnOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28778,7 +28332,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateIpamByoasnOutput.httpOutput(from:), DisassociateIpamByoasnOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28812,9 +28365,9 @@ extension EC2Client { /// /// Disassociates a resource discovery from an Amazon VPC IPAM. A resource discovery is an IPAM component that enables IPAM to manage and monitor resources that belong to the owning account. /// - /// - Parameter DisassociateIpamResourceDiscoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateIpamResourceDiscoveryInput`) /// - /// - Returns: `DisassociateIpamResourceDiscoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateIpamResourceDiscoveryOutput`) public func disassociateIpamResourceDiscovery(input: DisassociateIpamResourceDiscoveryInput) async throws -> DisassociateIpamResourceDiscoveryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28841,7 +28394,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateIpamResourceDiscoveryOutput.httpOutput(from:), DisassociateIpamResourceDiscoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28875,9 +28427,9 @@ extension EC2Client { /// /// Disassociates secondary Elastic IP addresses (EIPs) from a public NAT gateway. You cannot disassociate your primary EIP. For more information, see [Edit secondary IP address associations](https://docs.aws.amazon.com/vpc/latest/userguide/nat-gateway-working-with.html#nat-gateway-edit-secondary) in the Amazon VPC User Guide. While disassociating is in progress, you cannot associate/disassociate additional EIPs while the connections are being drained. You are, however, allowed to delete the NAT gateway. An EIP is released only at the end of MaxDrainDurationSeconds. It stays associated and supports the existing connections but does not support any new connections (new connections are distributed across the remaining associated EIPs). As the existing connections drain out, the EIPs (and the corresponding private IP addresses mapped to them) are released. /// - /// - Parameter DisassociateNatGatewayAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateNatGatewayAddressInput`) /// - /// - Returns: `DisassociateNatGatewayAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateNatGatewayAddressOutput`) public func disassociateNatGatewayAddress(input: DisassociateNatGatewayAddressInput) async throws -> DisassociateNatGatewayAddressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28904,7 +28456,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateNatGatewayAddressOutput.httpOutput(from:), DisassociateNatGatewayAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -28938,9 +28489,9 @@ extension EC2Client { /// /// Disassociates a route server from a VPC. A route server association is the connection established between a route server and a VPC. For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter DisassociateRouteServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateRouteServerInput`) /// - /// - Returns: `DisassociateRouteServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateRouteServerOutput`) public func disassociateRouteServer(input: DisassociateRouteServerInput) async throws -> DisassociateRouteServerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -28967,7 +28518,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateRouteServerOutput.httpOutput(from:), DisassociateRouteServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29001,9 +28551,9 @@ extension EC2Client { /// /// Disassociates a subnet or gateway from a route table. After you perform this action, the subnet no longer uses the routes in the route table. Instead, it uses the routes in the VPC's main route table. For more information about route tables, see [Route tables](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Route_Tables.html) in the Amazon VPC User Guide. /// - /// - Parameter DisassociateRouteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateRouteTableInput`) /// - /// - Returns: `DisassociateRouteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateRouteTableOutput`) public func disassociateRouteTable(input: DisassociateRouteTableInput) async throws -> DisassociateRouteTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29030,7 +28580,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateRouteTableOutput.httpOutput(from:), DisassociateRouteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29064,9 +28613,9 @@ extension EC2Client { /// /// Disassociates a security group from a VPC. You cannot disassociate the security group if any Elastic network interfaces in the associated VPC are still associated with the security group. Note that the disassociation is asynchronous and you can check the status of the request with [DescribeSecurityGroupVpcAssociations](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeSecurityGroupVpcAssociations.html). /// - /// - Parameter DisassociateSecurityGroupVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSecurityGroupVpcInput`) /// - /// - Returns: `DisassociateSecurityGroupVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSecurityGroupVpcOutput`) public func disassociateSecurityGroupVpc(input: DisassociateSecurityGroupVpcInput) async throws -> DisassociateSecurityGroupVpcOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29093,7 +28642,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSecurityGroupVpcOutput.httpOutput(from:), DisassociateSecurityGroupVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29127,9 +28675,9 @@ extension EC2Client { /// /// Disassociates a CIDR block from a subnet. Currently, you can disassociate an IPv6 CIDR block only. You must detach or delete all gateways and resources that are associated with the CIDR block before you can disassociate it. /// - /// - Parameter DisassociateSubnetCidrBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSubnetCidrBlockInput`) /// - /// - Returns: `DisassociateSubnetCidrBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSubnetCidrBlockOutput`) public func disassociateSubnetCidrBlock(input: DisassociateSubnetCidrBlockInput) async throws -> DisassociateSubnetCidrBlockOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29156,7 +28704,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSubnetCidrBlockOutput.httpOutput(from:), DisassociateSubnetCidrBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29190,9 +28737,9 @@ extension EC2Client { /// /// Disassociates the specified subnets from the transit gateway multicast domain. /// - /// - Parameter DisassociateTransitGatewayMulticastDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTransitGatewayMulticastDomainInput`) /// - /// - Returns: `DisassociateTransitGatewayMulticastDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTransitGatewayMulticastDomainOutput`) public func disassociateTransitGatewayMulticastDomain(input: DisassociateTransitGatewayMulticastDomainInput) async throws -> DisassociateTransitGatewayMulticastDomainOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29219,7 +28766,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTransitGatewayMulticastDomainOutput.httpOutput(from:), DisassociateTransitGatewayMulticastDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29253,9 +28799,9 @@ extension EC2Client { /// /// Removes the association between an an attachment and a policy table. /// - /// - Parameter DisassociateTransitGatewayPolicyTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTransitGatewayPolicyTableInput`) /// - /// - Returns: `DisassociateTransitGatewayPolicyTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTransitGatewayPolicyTableOutput`) public func disassociateTransitGatewayPolicyTable(input: DisassociateTransitGatewayPolicyTableInput) async throws -> DisassociateTransitGatewayPolicyTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29282,7 +28828,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTransitGatewayPolicyTableOutput.httpOutput(from:), DisassociateTransitGatewayPolicyTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29316,9 +28861,9 @@ extension EC2Client { /// /// Disassociates a resource attachment from a transit gateway route table. /// - /// - Parameter DisassociateTransitGatewayRouteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTransitGatewayRouteTableInput`) /// - /// - Returns: `DisassociateTransitGatewayRouteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTransitGatewayRouteTableOutput`) public func disassociateTransitGatewayRouteTable(input: DisassociateTransitGatewayRouteTableInput) async throws -> DisassociateTransitGatewayRouteTableOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29345,7 +28890,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTransitGatewayRouteTableOutput.httpOutput(from:), DisassociateTransitGatewayRouteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29379,9 +28923,9 @@ extension EC2Client { /// /// Removes an association between a branch network interface with a trunk network interface. /// - /// - Parameter DisassociateTrunkInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTrunkInterfaceInput`) /// - /// - Returns: `DisassociateTrunkInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTrunkInterfaceOutput`) public func disassociateTrunkInterface(input: DisassociateTrunkInterfaceInput) async throws -> DisassociateTrunkInterfaceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29409,7 +28953,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTrunkInterfaceOutput.httpOutput(from:), DisassociateTrunkInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29443,9 +28986,9 @@ extension EC2Client { /// /// Disassociates a CIDR block from a VPC. To disassociate the CIDR block, you must specify its association ID. You can get the association ID by using [DescribeVpcs]. You must detach or delete all gateways and resources that are associated with the CIDR block before you can disassociate it. You cannot disassociate the CIDR block with which you originally created the VPC (the primary CIDR block). /// - /// - Parameter DisassociateVpcCidrBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateVpcCidrBlockInput`) /// - /// - Returns: `DisassociateVpcCidrBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateVpcCidrBlockOutput`) public func disassociateVpcCidrBlock(input: DisassociateVpcCidrBlockInput) async throws -> DisassociateVpcCidrBlockOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29472,7 +29015,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateVpcCidrBlockOutput.httpOutput(from:), DisassociateVpcCidrBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29506,9 +29048,9 @@ extension EC2Client { /// /// Enables Elastic IP address transfer. For more information, see [Transfer Elastic IP addresses](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-eips.html#transfer-EIPs-intro) in the Amazon VPC User Guide. /// - /// - Parameter EnableAddressTransferInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableAddressTransferInput`) /// - /// - Returns: `EnableAddressTransferOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableAddressTransferOutput`) public func enableAddressTransfer(input: EnableAddressTransferInput) async throws -> EnableAddressTransferOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29535,7 +29077,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableAddressTransferOutput.httpOutput(from:), EnableAddressTransferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29576,9 +29117,9 @@ extension EC2Client { /// /// The Allowed AMIs feature does not restrict the AMIs owned by your account. Regardless of the criteria you set, the AMIs created by your account will always be discoverable and usable by users in your account. For more information, see [Control the discovery and use of AMIs in Amazon EC2 with Allowed AMIs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-allowed-amis.html) in Amazon EC2 User Guide. /// - /// - Parameter EnableAllowedImagesSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableAllowedImagesSettingsInput`) /// - /// - Returns: `EnableAllowedImagesSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableAllowedImagesSettingsOutput`) public func enableAllowedImagesSettings(input: EnableAllowedImagesSettingsInput) async throws -> EnableAllowedImagesSettingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29605,7 +29146,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableAllowedImagesSettingsOutput.httpOutput(from:), EnableAllowedImagesSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29639,9 +29179,9 @@ extension EC2Client { /// /// Enables Infrastructure Performance subscriptions. /// - /// - Parameter EnableAwsNetworkPerformanceMetricSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableAwsNetworkPerformanceMetricSubscriptionInput`) /// - /// - Returns: `EnableAwsNetworkPerformanceMetricSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableAwsNetworkPerformanceMetricSubscriptionOutput`) public func enableAwsNetworkPerformanceMetricSubscription(input: EnableAwsNetworkPerformanceMetricSubscriptionInput) async throws -> EnableAwsNetworkPerformanceMetricSubscriptionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29668,7 +29208,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableAwsNetworkPerformanceMetricSubscriptionOutput.httpOutput(from:), EnableAwsNetworkPerformanceMetricSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29702,9 +29241,9 @@ extension EC2Client { /// /// Enables EBS encryption by default for your account in the current Region. After you enable encryption by default, the EBS volumes that you create are always encrypted, either using the default KMS key or the KMS key that you specified when you created each volume. For more information, see [Amazon EBS encryption](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-encryption.html) in the Amazon EBS User Guide. Enabling encryption by default has no effect on the encryption status of your existing volumes. After you enable encryption by default, you can no longer launch instances using instance types that do not support encryption. For more information, see [Supported instance types](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-encryption-requirements.html#ebs-encryption_supported_instances). /// - /// - Parameter EnableEbsEncryptionByDefaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableEbsEncryptionByDefaultInput`) /// - /// - Returns: `EnableEbsEncryptionByDefaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableEbsEncryptionByDefaultOutput`) public func enableEbsEncryptionByDefault(input: EnableEbsEncryptionByDefaultInput) async throws -> EnableEbsEncryptionByDefaultOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29731,7 +29270,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableEbsEncryptionByDefaultOutput.httpOutput(from:), EnableEbsEncryptionByDefaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29765,9 +29303,9 @@ extension EC2Client { /// /// When you enable Windows fast launch for a Windows AMI, images are pre-provisioned, using snapshots to launch instances up to 65% faster. To create the optimized Windows image, Amazon EC2 launches an instance and runs through Sysprep steps, rebooting as required. Then it creates a set of reserved snapshots that are used for subsequent launches. The reserved snapshots are automatically replenished as they are used, depending on your settings for launch frequency. You can only change these settings for Windows AMIs that you own or that have been shared with you. /// - /// - Parameter EnableFastLaunchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableFastLaunchInput`) /// - /// - Returns: `EnableFastLaunchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableFastLaunchOutput`) public func enableFastLaunch(input: EnableFastLaunchInput) async throws -> EnableFastLaunchOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29794,7 +29332,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableFastLaunchOutput.httpOutput(from:), EnableFastLaunchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29828,9 +29365,9 @@ extension EC2Client { /// /// Enables fast snapshot restores for the specified snapshots in the specified Availability Zones. You get the full benefit of fast snapshot restores after they enter the enabled state. For more information, see [Amazon EBS fast snapshot restore](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-fast-snapshot-restore.html) in the Amazon EBS User Guide. /// - /// - Parameter EnableFastSnapshotRestoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableFastSnapshotRestoresInput`) /// - /// - Returns: `EnableFastSnapshotRestoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableFastSnapshotRestoresOutput`) public func enableFastSnapshotRestores(input: EnableFastSnapshotRestoresInput) async throws -> EnableFastSnapshotRestoresOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29857,7 +29394,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableFastSnapshotRestoresOutput.httpOutput(from:), EnableFastSnapshotRestoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29891,9 +29427,9 @@ extension EC2Client { /// /// Re-enables a disabled AMI. The re-enabled AMI is marked as available and can be used for instance launches, appears in describe operations, and can be shared. Amazon Web Services accounts, organizations, and Organizational Units that lost access to the AMI when it was disabled do not regain access automatically. Once the AMI is available, it can be shared with them again. Only the AMI owner can re-enable a disabled AMI. For more information, see [Disable an Amazon EC2 AMI](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/disable-an-ami.html) in the Amazon EC2 User Guide. /// - /// - Parameter EnableImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableImageInput`) /// - /// - Returns: `EnableImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableImageOutput`) public func enableImage(input: EnableImageInput) async throws -> EnableImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29920,7 +29456,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableImageOutput.httpOutput(from:), EnableImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -29954,9 +29489,9 @@ extension EC2Client { /// /// Enables block public access for AMIs at the account level in the specified Amazon Web Services Region. This prevents the public sharing of your AMIs. However, if you already have public AMIs, they will remain publicly available. The API can take up to 10 minutes to configure this setting. During this time, if you run [GetImageBlockPublicAccessState](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_GetImageBlockPublicAccessState.html), the response will be unblocked. When the API has completed the configuration, the response will be block-new-sharing. For more information, see [Block public access to your AMIs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/block-public-access-to-amis.html) in the Amazon EC2 User Guide. /// - /// - Parameter EnableImageBlockPublicAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableImageBlockPublicAccessInput`) /// - /// - Returns: `EnableImageBlockPublicAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableImageBlockPublicAccessOutput`) public func enableImageBlockPublicAccess(input: EnableImageBlockPublicAccessInput) async throws -> EnableImageBlockPublicAccessOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -29983,7 +29518,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableImageBlockPublicAccessOutput.httpOutput(from:), EnableImageBlockPublicAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30017,9 +29551,9 @@ extension EC2Client { /// /// Enables deprecation of the specified AMI at the specified date and time. For more information, see [Deprecate an AMI](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ami-deprecate.html) in the Amazon EC2 User Guide. /// - /// - Parameter EnableImageDeprecationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableImageDeprecationInput`) /// - /// - Returns: `EnableImageDeprecationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableImageDeprecationOutput`) public func enableImageDeprecation(input: EnableImageDeprecationInput) async throws -> EnableImageDeprecationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30046,7 +29580,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableImageDeprecationOutput.httpOutput(from:), EnableImageDeprecationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30080,9 +29613,9 @@ extension EC2Client { /// /// Enables deregistration protection for an AMI. When deregistration protection is enabled, the AMI can't be deregistered. To allow the AMI to be deregistered, you must first disable deregistration protection. For more information, see [Protect an Amazon EC2 AMI from deregistration](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ami-deregistration-protection.html) in the Amazon EC2 User Guide. /// - /// - Parameter EnableImageDeregistrationProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableImageDeregistrationProtectionInput`) /// - /// - Returns: `EnableImageDeregistrationProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableImageDeregistrationProtectionOutput`) public func enableImageDeregistrationProtection(input: EnableImageDeregistrationProtectionInput) async throws -> EnableImageDeregistrationProtectionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30109,7 +29642,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableImageDeregistrationProtectionOutput.httpOutput(from:), EnableImageDeregistrationProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30143,9 +29675,9 @@ extension EC2Client { /// /// Enable an Organizations member account as the IPAM admin account. You cannot select the Organizations management account as the IPAM admin account. For more information, see [Enable integration with Organizations](https://docs.aws.amazon.com/vpc/latest/ipam/enable-integ-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter EnableIpamOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableIpamOrganizationAdminAccountInput`) /// - /// - Returns: `EnableIpamOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableIpamOrganizationAdminAccountOutput`) public func enableIpamOrganizationAdminAccount(input: EnableIpamOrganizationAdminAccountInput) async throws -> EnableIpamOrganizationAdminAccountOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30172,7 +29704,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableIpamOrganizationAdminAccountOutput.httpOutput(from:), EnableIpamOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30206,9 +29737,9 @@ extension EC2Client { /// /// Establishes a trust relationship between Reachability Analyzer and Organizations. This operation must be performed by the management account for the organization. After you establish a trust relationship, a user in the management account or a delegated administrator account can run a cross-account analysis using resources from the member accounts. /// - /// - Parameter EnableReachabilityAnalyzerOrganizationSharingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableReachabilityAnalyzerOrganizationSharingInput`) /// - /// - Returns: `EnableReachabilityAnalyzerOrganizationSharingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableReachabilityAnalyzerOrganizationSharingOutput`) public func enableReachabilityAnalyzerOrganizationSharing(input: EnableReachabilityAnalyzerOrganizationSharingInput) async throws -> EnableReachabilityAnalyzerOrganizationSharingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30235,7 +29766,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableReachabilityAnalyzerOrganizationSharingOutput.httpOutput(from:), EnableReachabilityAnalyzerOrganizationSharingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30269,9 +29799,9 @@ extension EC2Client { /// /// Defines which route tables the route server can update with routes. When enabled, route server propagation installs the routes in the FIB on the route table you've specified. Route server supports IPv4 and IPv6 route propagation. For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter EnableRouteServerPropagationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableRouteServerPropagationInput`) /// - /// - Returns: `EnableRouteServerPropagationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableRouteServerPropagationOutput`) public func enableRouteServerPropagation(input: EnableRouteServerPropagationInput) async throws -> EnableRouteServerPropagationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30298,7 +29828,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableRouteServerPropagationOutput.httpOutput(from:), EnableRouteServerPropagationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30332,9 +29861,9 @@ extension EC2Client { /// /// Enables access to the EC2 serial console of all instances for your account. By default, access to the EC2 serial console is disabled for your account. For more information, see [Manage account access to the EC2 serial console](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/configure-access-to-serial-console.html#serial-console-account-access) in the Amazon EC2 User Guide. /// - /// - Parameter EnableSerialConsoleAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableSerialConsoleAccessInput`) /// - /// - Returns: `EnableSerialConsoleAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableSerialConsoleAccessOutput`) public func enableSerialConsoleAccess(input: EnableSerialConsoleAccessInput) async throws -> EnableSerialConsoleAccessOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30361,7 +29890,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableSerialConsoleAccessOutput.httpOutput(from:), EnableSerialConsoleAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30395,9 +29923,9 @@ extension EC2Client { /// /// Enables or modifies the block public access for snapshots setting at the account level for the specified Amazon Web Services Region. After you enable block public access for snapshots in a Region, users can no longer request public sharing for snapshots in that Region. Snapshots that are already publicly shared are either treated as private or they remain publicly shared, depending on the State that you specify. Enabling block public access for snapshots in block all sharing mode does not change the permissions for snapshots that are already publicly shared. Instead, it prevents these snapshots from be publicly visible and publicly accessible. Therefore, the attributes for these snapshots still indicate that they are publicly shared, even though they are not publicly available. If you later disable block public access or change the mode to block new sharing, these snapshots will become publicly available again. For more information, see [ Block public access for snapshots](https://docs.aws.amazon.com/ebs/latest/userguide/block-public-access-snapshots.html) in the Amazon EBS User Guide. /// - /// - Parameter EnableSnapshotBlockPublicAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableSnapshotBlockPublicAccessInput`) /// - /// - Returns: `EnableSnapshotBlockPublicAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableSnapshotBlockPublicAccessOutput`) public func enableSnapshotBlockPublicAccess(input: EnableSnapshotBlockPublicAccessInput) async throws -> EnableSnapshotBlockPublicAccessOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30424,7 +29952,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableSnapshotBlockPublicAccessOutput.httpOutput(from:), EnableSnapshotBlockPublicAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30458,9 +29985,9 @@ extension EC2Client { /// /// Enables the specified attachment to propagate routes to the specified propagation route table. /// - /// - Parameter EnableTransitGatewayRouteTablePropagationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableTransitGatewayRouteTablePropagationInput`) /// - /// - Returns: `EnableTransitGatewayRouteTablePropagationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableTransitGatewayRouteTablePropagationOutput`) public func enableTransitGatewayRouteTablePropagation(input: EnableTransitGatewayRouteTablePropagationInput) async throws -> EnableTransitGatewayRouteTablePropagationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30487,7 +30014,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableTransitGatewayRouteTablePropagationOutput.httpOutput(from:), EnableTransitGatewayRouteTablePropagationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30521,9 +30047,9 @@ extension EC2Client { /// /// Enables a virtual private gateway (VGW) to propagate routes to the specified route table of a VPC. /// - /// - Parameter EnableVgwRoutePropagationInput : Contains the parameters for EnableVgwRoutePropagation. + /// - Parameter input: Contains the parameters for EnableVgwRoutePropagation. (Type: `EnableVgwRoutePropagationInput`) /// - /// - Returns: `EnableVgwRoutePropagationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableVgwRoutePropagationOutput`) public func enableVgwRoutePropagation(input: EnableVgwRoutePropagationInput) async throws -> EnableVgwRoutePropagationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30550,7 +30076,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableVgwRoutePropagationOutput.httpOutput(from:), EnableVgwRoutePropagationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30584,9 +30109,9 @@ extension EC2Client { /// /// Enables I/O operations for a volume that had I/O operations disabled because the data on the volume was potentially inconsistent. /// - /// - Parameter EnableVolumeIOInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableVolumeIOInput`) /// - /// - Returns: `EnableVolumeIOOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableVolumeIOOutput`) public func enableVolumeIO(input: EnableVolumeIOInput) async throws -> EnableVolumeIOOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30613,7 +30138,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableVolumeIOOutput.httpOutput(from:), EnableVolumeIOOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30647,9 +30171,9 @@ extension EC2Client { /// /// This action is deprecated. Enables a VPC for ClassicLink. You can then link EC2-Classic instances to your ClassicLink-enabled VPC to allow communication over private IP addresses. You cannot enable your VPC for ClassicLink if any of your VPC route tables have existing routes for address ranges within the 10.0.0.0/8 IP address range, excluding local routes for VPCs in the 10.0.0.0/16 and 10.1.0.0/16 IP address ranges. /// - /// - Parameter EnableVpcClassicLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableVpcClassicLinkInput`) /// - /// - Returns: `EnableVpcClassicLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableVpcClassicLinkOutput`) public func enableVpcClassicLink(input: EnableVpcClassicLinkInput) async throws -> EnableVpcClassicLinkOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30676,7 +30200,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableVpcClassicLinkOutput.httpOutput(from:), EnableVpcClassicLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30710,9 +30233,9 @@ extension EC2Client { /// /// This action is deprecated. Enables a VPC to support DNS hostname resolution for ClassicLink. If enabled, the DNS hostname of a linked EC2-Classic instance resolves to its private IP address when addressed from an instance in the VPC to which it's linked. Similarly, the DNS hostname of an instance in a VPC resolves to its private IP address when addressed from a linked EC2-Classic instance. You must specify a VPC ID in the request. /// - /// - Parameter EnableVpcClassicLinkDnsSupportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableVpcClassicLinkDnsSupportInput`) /// - /// - Returns: `EnableVpcClassicLinkDnsSupportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableVpcClassicLinkDnsSupportOutput`) public func enableVpcClassicLinkDnsSupport(input: EnableVpcClassicLinkDnsSupportInput) async throws -> EnableVpcClassicLinkDnsSupportOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30739,7 +30262,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableVpcClassicLinkDnsSupportOutput.httpOutput(from:), EnableVpcClassicLinkDnsSupportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30773,9 +30295,9 @@ extension EC2Client { /// /// Downloads the client certificate revocation list for the specified Client VPN endpoint. /// - /// - Parameter ExportClientVpnClientCertificateRevocationListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportClientVpnClientCertificateRevocationListInput`) /// - /// - Returns: `ExportClientVpnClientCertificateRevocationListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportClientVpnClientCertificateRevocationListOutput`) public func exportClientVpnClientCertificateRevocationList(input: ExportClientVpnClientCertificateRevocationListInput) async throws -> ExportClientVpnClientCertificateRevocationListOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30802,7 +30324,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportClientVpnClientCertificateRevocationListOutput.httpOutput(from:), ExportClientVpnClientCertificateRevocationListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30836,9 +30357,9 @@ extension EC2Client { /// /// Downloads the contents of the Client VPN endpoint configuration file for the specified Client VPN endpoint. The Client VPN endpoint configuration file includes the Client VPN endpoint and certificate information clients need to establish a connection with the Client VPN endpoint. /// - /// - Parameter ExportClientVpnClientConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportClientVpnClientConfigurationInput`) /// - /// - Returns: `ExportClientVpnClientConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportClientVpnClientConfigurationOutput`) public func exportClientVpnClientConfiguration(input: ExportClientVpnClientConfigurationInput) async throws -> ExportClientVpnClientConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30865,7 +30386,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportClientVpnClientConfigurationOutput.httpOutput(from:), ExportClientVpnClientConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30899,9 +30419,9 @@ extension EC2Client { /// /// Exports an Amazon Machine Image (AMI) to a VM file. For more information, see [Exporting a VM directly from an Amazon Machine Image (AMI)](https://docs.aws.amazon.com/vm-import/latest/userguide/vmexport_image.html) in the VM Import/Export User Guide. /// - /// - Parameter ExportImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportImageInput`) /// - /// - Returns: `ExportImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportImageOutput`) public func exportImage(input: ExportImageInput) async throws -> ExportImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30929,7 +30449,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportImageOutput.httpOutput(from:), ExportImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -30963,9 +30482,9 @@ extension EC2Client { /// /// Exports routes from the specified transit gateway route table to the specified S3 bucket. By default, all routes are exported. Alternatively, you can filter by CIDR range. The routes are saved to the specified bucket in a JSON file. For more information, see [Export route tables to Amazon S3](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-route-tables.html#tgw-export-route-tables) in the Amazon Web Services Transit Gateways Guide. /// - /// - Parameter ExportTransitGatewayRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportTransitGatewayRoutesInput`) /// - /// - Returns: `ExportTransitGatewayRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportTransitGatewayRoutesOutput`) public func exportTransitGatewayRoutes(input: ExportTransitGatewayRoutesInput) async throws -> ExportTransitGatewayRoutesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -30992,7 +30511,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportTransitGatewayRoutesOutput.httpOutput(from:), ExportTransitGatewayRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31026,9 +30544,9 @@ extension EC2Client { /// /// Exports the client configuration for a Verified Access instance. /// - /// - Parameter ExportVerifiedAccessInstanceClientConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportVerifiedAccessInstanceClientConfigurationInput`) /// - /// - Returns: `ExportVerifiedAccessInstanceClientConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportVerifiedAccessInstanceClientConfigurationOutput`) public func exportVerifiedAccessInstanceClientConfiguration(input: ExportVerifiedAccessInstanceClientConfigurationInput) async throws -> ExportVerifiedAccessInstanceClientConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31055,7 +30573,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportVerifiedAccessInstanceClientConfigurationOutput.httpOutput(from:), ExportVerifiedAccessInstanceClientConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31089,9 +30606,9 @@ extension EC2Client { /// /// Returns the currently negotiated security parameters for an active VPN tunnel, including IKE version, DH groups, encryption algorithms, and integrity algorithms. /// - /// - Parameter GetActiveVpnTunnelStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetActiveVpnTunnelStatusInput`) /// - /// - Returns: `GetActiveVpnTunnelStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetActiveVpnTunnelStatusOutput`) public func getActiveVpnTunnelStatus(input: GetActiveVpnTunnelStatusInput) async throws -> GetActiveVpnTunnelStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31118,7 +30635,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetActiveVpnTunnelStatusOutput.httpOutput(from:), GetActiveVpnTunnelStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31152,9 +30668,9 @@ extension EC2Client { /// /// Gets the current state of the Allowed AMIs setting and the list of Allowed AMIs criteria at the account level in the specified Region. The Allowed AMIs feature does not restrict the AMIs owned by your account. Regardless of the criteria you set, the AMIs created by your account will always be discoverable and usable by users in your account. For more information, see [Control the discovery and use of AMIs in Amazon EC2 with Allowed AMIs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-allowed-amis.html) in Amazon EC2 User Guide. /// - /// - Parameter GetAllowedImagesSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAllowedImagesSettingsInput`) /// - /// - Returns: `GetAllowedImagesSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAllowedImagesSettingsOutput`) public func getAllowedImagesSettings(input: GetAllowedImagesSettingsInput) async throws -> GetAllowedImagesSettingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31181,7 +30697,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAllowedImagesSettingsOutput.httpOutput(from:), GetAllowedImagesSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31215,9 +30730,9 @@ extension EC2Client { /// /// Returns the IAM roles that are associated with the specified ACM (ACM) certificate. It also returns the name of the Amazon S3 bucket and the Amazon S3 object key where the certificate, certificate chain, and encrypted private key bundle are stored, and the ARN of the KMS key that's used to encrypt the private key. /// - /// - Parameter GetAssociatedEnclaveCertificateIamRolesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssociatedEnclaveCertificateIamRolesInput`) /// - /// - Returns: `GetAssociatedEnclaveCertificateIamRolesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssociatedEnclaveCertificateIamRolesOutput`) public func getAssociatedEnclaveCertificateIamRoles(input: GetAssociatedEnclaveCertificateIamRolesInput) async throws -> GetAssociatedEnclaveCertificateIamRolesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31244,7 +30759,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssociatedEnclaveCertificateIamRolesOutput.httpOutput(from:), GetAssociatedEnclaveCertificateIamRolesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31278,9 +30792,9 @@ extension EC2Client { /// /// Gets information about the IPv6 CIDR block associations for a specified IPv6 address pool. /// - /// - Parameter GetAssociatedIpv6PoolCidrsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssociatedIpv6PoolCidrsInput`) /// - /// - Returns: `GetAssociatedIpv6PoolCidrsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssociatedIpv6PoolCidrsOutput`) public func getAssociatedIpv6PoolCidrs(input: GetAssociatedIpv6PoolCidrsInput) async throws -> GetAssociatedIpv6PoolCidrsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31307,7 +30821,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssociatedIpv6PoolCidrsOutput.httpOutput(from:), GetAssociatedIpv6PoolCidrsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31341,9 +30854,9 @@ extension EC2Client { /// /// Gets network performance data. /// - /// - Parameter GetAwsNetworkPerformanceDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAwsNetworkPerformanceDataInput`) /// - /// - Returns: `GetAwsNetworkPerformanceDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAwsNetworkPerformanceDataOutput`) public func getAwsNetworkPerformanceData(input: GetAwsNetworkPerformanceDataInput) async throws -> GetAwsNetworkPerformanceDataOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31370,7 +30883,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAwsNetworkPerformanceDataOutput.httpOutput(from:), GetAwsNetworkPerformanceDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31404,9 +30916,9 @@ extension EC2Client { /// /// Gets usage information about a Capacity Reservation. If the Capacity Reservation is shared, it shows usage information for the Capacity Reservation owner and each Amazon Web Services account that is currently using the shared capacity. If the Capacity Reservation is not shared, it shows only the Capacity Reservation owner's usage. /// - /// - Parameter GetCapacityReservationUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCapacityReservationUsageInput`) /// - /// - Returns: `GetCapacityReservationUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCapacityReservationUsageOutput`) public func getCapacityReservationUsage(input: GetCapacityReservationUsageInput) async throws -> GetCapacityReservationUsageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31433,7 +30945,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCapacityReservationUsageOutput.httpOutput(from:), GetCapacityReservationUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31467,9 +30978,9 @@ extension EC2Client { /// /// Describes the allocations from the specified customer-owned address pool. /// - /// - Parameter GetCoipPoolUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCoipPoolUsageInput`) /// - /// - Returns: `GetCoipPoolUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCoipPoolUsageOutput`) public func getCoipPoolUsage(input: GetCoipPoolUsageInput) async throws -> GetCoipPoolUsageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31496,7 +31007,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCoipPoolUsageOutput.httpOutput(from:), GetCoipPoolUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31530,9 +31040,9 @@ extension EC2Client { /// /// Gets the console output for the specified instance. For Linux instances, the instance console output displays the exact console output that would normally be displayed on a physical monitor attached to a computer. For Windows instances, the instance console output includes the last three system event log errors. For more information, see [Instance console output](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/instance-console.html#instance-console-console-output) in the Amazon EC2 User Guide. /// - /// - Parameter GetConsoleOutputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConsoleOutputInput`) /// - /// - Returns: `GetConsoleOutputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConsoleOutputOutput`) public func getConsoleOutput(input: GetConsoleOutputInput) async throws -> GetConsoleOutputOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31559,7 +31069,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConsoleOutputOutput.httpOutput(from:), GetConsoleOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31593,9 +31102,9 @@ extension EC2Client { /// /// Retrieve a JPG-format screenshot of a running instance to help with troubleshooting. The returned content is Base64-encoded. For more information, see [Instance console output](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/troubleshoot-unreachable-instance.html#instance-console-console-output) in the Amazon EC2 User Guide. /// - /// - Parameter GetConsoleScreenshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConsoleScreenshotInput`) /// - /// - Returns: `GetConsoleScreenshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConsoleScreenshotOutput`) public func getConsoleScreenshot(input: GetConsoleScreenshotInput) async throws -> GetConsoleScreenshotOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31622,7 +31131,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConsoleScreenshotOutput.httpOutput(from:), GetConsoleScreenshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31656,9 +31164,9 @@ extension EC2Client { /// /// Retrieves a summary of the account status report. To view the full report, download it from the Amazon S3 bucket where it was saved. Reports are accessible only when they have the complete status. Reports with other statuses (running, cancelled, or error) are not available in the S3 bucket. For more information about downloading objects from an S3 bucket, see [Downloading objects](https://docs.aws.amazon.com/AmazonS3/latest/userguide/download-objects.html) in the Amazon Simple Storage Service User Guide. For more information, see [Generating the account status report for declarative policies](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_policies_declarative_status-report.html) in the Amazon Web Services Organizations User Guide. /// - /// - Parameter GetDeclarativePoliciesReportSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeclarativePoliciesReportSummaryInput`) /// - /// - Returns: `GetDeclarativePoliciesReportSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeclarativePoliciesReportSummaryOutput`) public func getDeclarativePoliciesReportSummary(input: GetDeclarativePoliciesReportSummaryInput) async throws -> GetDeclarativePoliciesReportSummaryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31685,7 +31193,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeclarativePoliciesReportSummaryOutput.httpOutput(from:), GetDeclarativePoliciesReportSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31719,9 +31226,9 @@ extension EC2Client { /// /// Describes the default credit option for CPU usage of a burstable performance instance family. For more information, see [Burstable performance instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/burstable-performance-instances.html) in the Amazon EC2 User Guide. /// - /// - Parameter GetDefaultCreditSpecificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDefaultCreditSpecificationInput`) /// - /// - Returns: `GetDefaultCreditSpecificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDefaultCreditSpecificationOutput`) public func getDefaultCreditSpecification(input: GetDefaultCreditSpecificationInput) async throws -> GetDefaultCreditSpecificationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31748,7 +31255,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDefaultCreditSpecificationOutput.httpOutput(from:), GetDefaultCreditSpecificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31782,9 +31288,9 @@ extension EC2Client { /// /// Describes the default KMS key for EBS encryption by default for your account in this Region. For more information, see [Amazon EBS encryption](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-encryption.html) in the Amazon EBS User Guide. /// - /// - Parameter GetEbsDefaultKmsKeyIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEbsDefaultKmsKeyIdInput`) /// - /// - Returns: `GetEbsDefaultKmsKeyIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEbsDefaultKmsKeyIdOutput`) public func getEbsDefaultKmsKeyId(input: GetEbsDefaultKmsKeyIdInput) async throws -> GetEbsDefaultKmsKeyIdOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31811,7 +31317,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEbsDefaultKmsKeyIdOutput.httpOutput(from:), GetEbsDefaultKmsKeyIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31845,9 +31350,9 @@ extension EC2Client { /// /// Describes whether EBS encryption by default is enabled for your account in the current Region. For more information, see [Amazon EBS encryption](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-encryption.html) in the Amazon EBS User Guide. /// - /// - Parameter GetEbsEncryptionByDefaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEbsEncryptionByDefaultInput`) /// - /// - Returns: `GetEbsEncryptionByDefaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEbsEncryptionByDefaultOutput`) public func getEbsEncryptionByDefault(input: GetEbsEncryptionByDefaultInput) async throws -> GetEbsEncryptionByDefaultOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31874,7 +31379,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEbsEncryptionByDefaultOutput.httpOutput(from:), GetEbsEncryptionByDefaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31919,9 +31423,9 @@ extension EC2Client { /// /// GetFlowLogsIntegrationTemplate does not support integration between Amazon Web Services Transit Gateway Flow Logs and Amazon Athena. /// - /// - Parameter GetFlowLogsIntegrationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFlowLogsIntegrationTemplateInput`) /// - /// - Returns: `GetFlowLogsIntegrationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFlowLogsIntegrationTemplateOutput`) public func getFlowLogsIntegrationTemplate(input: GetFlowLogsIntegrationTemplateInput) async throws -> GetFlowLogsIntegrationTemplateOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -31948,7 +31452,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFlowLogsIntegrationTemplateOutput.httpOutput(from:), GetFlowLogsIntegrationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -31982,9 +31485,9 @@ extension EC2Client { /// /// Lists the resource groups to which a Capacity Reservation has been added. /// - /// - Parameter GetGroupsForCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupsForCapacityReservationInput`) /// - /// - Returns: `GetGroupsForCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupsForCapacityReservationOutput`) public func getGroupsForCapacityReservation(input: GetGroupsForCapacityReservationInput) async throws -> GetGroupsForCapacityReservationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32011,7 +31514,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupsForCapacityReservationOutput.httpOutput(from:), GetGroupsForCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32045,9 +31547,9 @@ extension EC2Client { /// /// Preview a reservation purchase with configurations that match those of your Dedicated Host. You must have active Dedicated Hosts in your account before you purchase a reservation. This is a preview of the [PurchaseHostReservation] action and does not result in the offering being purchased. /// - /// - Parameter GetHostReservationPurchasePreviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHostReservationPurchasePreviewInput`) /// - /// - Returns: `GetHostReservationPurchasePreviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHostReservationPurchasePreviewOutput`) public func getHostReservationPurchasePreview(input: GetHostReservationPurchasePreviewInput) async throws -> GetHostReservationPurchasePreviewOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32074,7 +31576,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHostReservationPurchasePreviewOutput.httpOutput(from:), GetHostReservationPurchasePreviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32108,9 +31609,9 @@ extension EC2Client { /// /// Gets the current state of block public access for AMIs at the account level in the specified Amazon Web Services Region. For more information, see [Block public access to your AMIs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/block-public-access-to-amis.html) in the Amazon EC2 User Guide. /// - /// - Parameter GetImageBlockPublicAccessStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImageBlockPublicAccessStateInput`) /// - /// - Returns: `GetImageBlockPublicAccessStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImageBlockPublicAccessStateOutput`) public func getImageBlockPublicAccessState(input: GetImageBlockPublicAccessStateInput) async throws -> GetImageBlockPublicAccessStateOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32137,7 +31638,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImageBlockPublicAccessStateOutput.httpOutput(from:), GetImageBlockPublicAccessStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32171,9 +31671,9 @@ extension EC2Client { /// /// Gets the default instance metadata service (IMDS) settings that are set at the account level in the specified Amazon Web Services
 Region. For more information, see [Order of precedence for instance metadata options](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/configuring-instance-metadata-options.html#instance-metadata-options-order-of-precedence) in the Amazon EC2 User Guide. /// - /// - Parameter GetInstanceMetadataDefaultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceMetadataDefaultsInput`) /// - /// - Returns: `GetInstanceMetadataDefaultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceMetadataDefaultsOutput`) public func getInstanceMetadataDefaults(input: GetInstanceMetadataDefaultsInput) async throws -> GetInstanceMetadataDefaultsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32200,7 +31700,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceMetadataDefaultsOutput.httpOutput(from:), GetInstanceMetadataDefaultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32234,9 +31733,9 @@ extension EC2Client { /// /// Gets the public endorsement key associated with the Nitro Trusted Platform Module (NitroTPM) for the specified instance. /// - /// - Parameter GetInstanceTpmEkPubInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceTpmEkPubInput`) /// - /// - Returns: `GetInstanceTpmEkPubOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceTpmEkPubOutput`) public func getInstanceTpmEkPub(input: GetInstanceTpmEkPubInput) async throws -> GetInstanceTpmEkPubOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32263,7 +31762,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceTpmEkPubOutput.httpOutput(from:), GetInstanceTpmEkPubOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32297,9 +31795,9 @@ extension EC2Client { /// /// Returns a list of instance types with the specified instance attributes. You can use the response to preview the instance types without launching instances. Note that the response does not consider capacity. When you specify multiple parameters, you get instance types that satisfy all of the specified parameters. If you specify multiple values for a parameter, you get instance types that satisfy any of the specified values. For more information, see [Preview instance types with specified attributes](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-fleet-attribute-based-instance-type-selection.html#ec2fleet-get-instance-types-from-instance-requirements), [Specify attributes for instance type selection for EC2 Fleet or Spot Fleet](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-fleet-attribute-based-instance-type-selection.html), and [Spot placement score](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/spot-placement-score.html) in the Amazon EC2 User Guide, and [Creating mixed instance groups using attribute-based instance type selection](https://docs.aws.amazon.com/autoscaling/ec2/userguide/create-asg-instance-type-requirements.html) in the Amazon EC2 Auto Scaling User Guide. /// - /// - Parameter GetInstanceTypesFromInstanceRequirementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceTypesFromInstanceRequirementsInput`) /// - /// - Returns: `GetInstanceTypesFromInstanceRequirementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceTypesFromInstanceRequirementsOutput`) public func getInstanceTypesFromInstanceRequirements(input: GetInstanceTypesFromInstanceRequirementsInput) async throws -> GetInstanceTypesFromInstanceRequirementsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32326,7 +31824,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceTypesFromInstanceRequirementsOutput.httpOutput(from:), GetInstanceTypesFromInstanceRequirementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32360,9 +31857,9 @@ extension EC2Client { /// /// A binary representation of the UEFI variable store. Only non-volatile variables are stored. This is a base64 encoded and zlib compressed binary value that must be properly encoded. When you use [register-image](https://docs.aws.amazon.com/cli/latest/reference/ec2/register-image.html) to create an AMI, you can create an exact copy of your variable store by passing the UEFI data in the UefiData parameter. You can modify the UEFI data by using the [python-uefivars tool](https://github.com/awslabs/python-uefivars) on GitHub. You can use the tool to convert the UEFI data into a human-readable format (JSON), which you can inspect and modify, and then convert back into the binary format to use with register-image. For more information, see [UEFI Secure Boot](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/uefi-secure-boot.html) in the Amazon EC2 User Guide. /// - /// - Parameter GetInstanceUefiDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceUefiDataInput`) /// - /// - Returns: `GetInstanceUefiDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceUefiDataOutput`) public func getInstanceUefiData(input: GetInstanceUefiDataInput) async throws -> GetInstanceUefiDataOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32389,7 +31886,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceUefiDataOutput.httpOutput(from:), GetInstanceUefiDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32423,9 +31919,9 @@ extension EC2Client { /// /// Retrieve historical information about a CIDR within an IPAM scope. For more information, see [View the history of IP addresses](https://docs.aws.amazon.com/vpc/latest/ipam/view-history-cidr-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter GetIpamAddressHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIpamAddressHistoryInput`) /// - /// - Returns: `GetIpamAddressHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIpamAddressHistoryOutput`) public func getIpamAddressHistory(input: GetIpamAddressHistoryInput) async throws -> GetIpamAddressHistoryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32452,7 +31948,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIpamAddressHistoryOutput.httpOutput(from:), GetIpamAddressHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32486,9 +31981,9 @@ extension EC2Client { /// /// Gets IPAM discovered accounts. A discovered account is an Amazon Web Services account that is monitored under a resource discovery. If you have integrated IPAM with Amazon Web Services Organizations, all accounts in the organization are discovered accounts. Only the IPAM account can get all discovered accounts in the organization. /// - /// - Parameter GetIpamDiscoveredAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIpamDiscoveredAccountsInput`) /// - /// - Returns: `GetIpamDiscoveredAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIpamDiscoveredAccountsOutput`) public func getIpamDiscoveredAccounts(input: GetIpamDiscoveredAccountsInput) async throws -> GetIpamDiscoveredAccountsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32515,7 +32010,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIpamDiscoveredAccountsOutput.httpOutput(from:), GetIpamDiscoveredAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32549,9 +32043,9 @@ extension EC2Client { /// /// Gets the public IP addresses that have been discovered by IPAM. /// - /// - Parameter GetIpamDiscoveredPublicAddressesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIpamDiscoveredPublicAddressesInput`) /// - /// - Returns: `GetIpamDiscoveredPublicAddressesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIpamDiscoveredPublicAddressesOutput`) public func getIpamDiscoveredPublicAddresses(input: GetIpamDiscoveredPublicAddressesInput) async throws -> GetIpamDiscoveredPublicAddressesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32578,7 +32072,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIpamDiscoveredPublicAddressesOutput.httpOutput(from:), GetIpamDiscoveredPublicAddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32612,9 +32105,9 @@ extension EC2Client { /// /// Returns the resource CIDRs that are monitored as part of a resource discovery. A discovered resource is a resource CIDR monitored under a resource discovery. The following resources can be discovered: VPCs, Public IPv4 pools, VPC subnets, and Elastic IP addresses. /// - /// - Parameter GetIpamDiscoveredResourceCidrsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIpamDiscoveredResourceCidrsInput`) /// - /// - Returns: `GetIpamDiscoveredResourceCidrsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIpamDiscoveredResourceCidrsOutput`) public func getIpamDiscoveredResourceCidrs(input: GetIpamDiscoveredResourceCidrsInput) async throws -> GetIpamDiscoveredResourceCidrsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32641,7 +32134,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIpamDiscoveredResourceCidrsOutput.httpOutput(from:), GetIpamDiscoveredResourceCidrsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32675,9 +32167,9 @@ extension EC2Client { /// /// Get a list of all the CIDR allocations in an IPAM pool. The Region you use should be the IPAM pool locale. The locale is the Amazon Web Services Region where this IPAM pool is available for allocations. If you use this action after [AllocateIpamPoolCidr](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_AllocateIpamPoolCidr.html) or [ReleaseIpamPoolAllocation](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_ReleaseIpamPoolAllocation.html), note that all EC2 API actions follow an [eventual consistency](https://docs.aws.amazon.com/ec2/latest/devguide/eventual-consistency.html) model. /// - /// - Parameter GetIpamPoolAllocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIpamPoolAllocationsInput`) /// - /// - Returns: `GetIpamPoolAllocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIpamPoolAllocationsOutput`) public func getIpamPoolAllocations(input: GetIpamPoolAllocationsInput) async throws -> GetIpamPoolAllocationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32704,7 +32196,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIpamPoolAllocationsOutput.httpOutput(from:), GetIpamPoolAllocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32738,9 +32229,9 @@ extension EC2Client { /// /// Get the CIDRs provisioned to an IPAM pool. /// - /// - Parameter GetIpamPoolCidrsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIpamPoolCidrsInput`) /// - /// - Returns: `GetIpamPoolCidrsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIpamPoolCidrsOutput`) public func getIpamPoolCidrs(input: GetIpamPoolCidrsInput) async throws -> GetIpamPoolCidrsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32767,7 +32258,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIpamPoolCidrsOutput.httpOutput(from:), GetIpamPoolCidrsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32801,9 +32291,9 @@ extension EC2Client { /// /// Returns resource CIDRs managed by IPAM in a given scope. If an IPAM is associated with more than one resource discovery, the resource CIDRs across all of the resource discoveries is returned. A resource discovery is an IPAM component that enables IPAM to manage and monitor resources that belong to the owning account. /// - /// - Parameter GetIpamResourceCidrsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIpamResourceCidrsInput`) /// - /// - Returns: `GetIpamResourceCidrsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIpamResourceCidrsOutput`) public func getIpamResourceCidrs(input: GetIpamResourceCidrsInput) async throws -> GetIpamResourceCidrsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32830,7 +32320,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIpamResourceCidrsOutput.httpOutput(from:), GetIpamResourceCidrsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32864,9 +32353,9 @@ extension EC2Client { /// /// Retrieves the configuration data of the specified instance. You can use this data to create a launch template. This action calls on other describe actions to get instance information. Depending on your instance configuration, you may need to allow the following actions in your IAM policy: DescribeSpotInstanceRequests, DescribeInstanceCreditSpecifications, DescribeVolumes, and DescribeInstanceAttribute. Or, you can allow describe* depending on your instance requirements. /// - /// - Parameter GetLaunchTemplateDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLaunchTemplateDataInput`) /// - /// - Returns: `GetLaunchTemplateDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLaunchTemplateDataOutput`) public func getLaunchTemplateData(input: GetLaunchTemplateDataInput) async throws -> GetLaunchTemplateDataOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32893,7 +32382,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLaunchTemplateDataOutput.httpOutput(from:), GetLaunchTemplateDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32927,9 +32415,9 @@ extension EC2Client { /// /// Gets information about the resources that are associated with the specified managed prefix list. /// - /// - Parameter GetManagedPrefixListAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedPrefixListAssociationsInput`) /// - /// - Returns: `GetManagedPrefixListAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedPrefixListAssociationsOutput`) public func getManagedPrefixListAssociations(input: GetManagedPrefixListAssociationsInput) async throws -> GetManagedPrefixListAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -32956,7 +32444,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedPrefixListAssociationsOutput.httpOutput(from:), GetManagedPrefixListAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -32990,9 +32477,9 @@ extension EC2Client { /// /// Gets information about the entries for a specified managed prefix list. /// - /// - Parameter GetManagedPrefixListEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedPrefixListEntriesInput`) /// - /// - Returns: `GetManagedPrefixListEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedPrefixListEntriesOutput`) public func getManagedPrefixListEntries(input: GetManagedPrefixListEntriesInput) async throws -> GetManagedPrefixListEntriesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33019,7 +32506,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedPrefixListEntriesOutput.httpOutput(from:), GetManagedPrefixListEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33053,9 +32539,9 @@ extension EC2Client { /// /// Gets the findings for the specified Network Access Scope analysis. /// - /// - Parameter GetNetworkInsightsAccessScopeAnalysisFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkInsightsAccessScopeAnalysisFindingsInput`) /// - /// - Returns: `GetNetworkInsightsAccessScopeAnalysisFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkInsightsAccessScopeAnalysisFindingsOutput`) public func getNetworkInsightsAccessScopeAnalysisFindings(input: GetNetworkInsightsAccessScopeAnalysisFindingsInput) async throws -> GetNetworkInsightsAccessScopeAnalysisFindingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33082,7 +32568,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkInsightsAccessScopeAnalysisFindingsOutput.httpOutput(from:), GetNetworkInsightsAccessScopeAnalysisFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33116,9 +32601,9 @@ extension EC2Client { /// /// Gets the content for the specified Network Access Scope. /// - /// - Parameter GetNetworkInsightsAccessScopeContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkInsightsAccessScopeContentInput`) /// - /// - Returns: `GetNetworkInsightsAccessScopeContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkInsightsAccessScopeContentOutput`) public func getNetworkInsightsAccessScopeContent(input: GetNetworkInsightsAccessScopeContentInput) async throws -> GetNetworkInsightsAccessScopeContentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33145,7 +32630,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkInsightsAccessScopeContentOutput.httpOutput(from:), GetNetworkInsightsAccessScopeContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33179,9 +32663,9 @@ extension EC2Client { /// /// Retrieves the encrypted administrator password for a running Windows instance. The Windows password is generated at boot by the EC2Config service or EC2Launch scripts (Windows Server 2016 and later). This usually only happens the first time an instance is launched. For more information, see [EC2Config](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/UsingConfig_WinAMI.html) and [EC2Launch](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2launch.html) in the Amazon EC2 User Guide. For the EC2Config service, the password is not generated for rebundled AMIs unless Ec2SetPassword is enabled before bundling. The password is encrypted using the key pair that you specified when you launched the instance. You must provide the corresponding key pair file. When you launch an instance, password generation and encryption may take a few minutes. If you try to retrieve the password before it's available, the output returns an empty string. We recommend that you wait up to 15 minutes after launching an instance before trying to retrieve the generated password. /// - /// - Parameter GetPasswordDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPasswordDataInput`) /// - /// - Returns: `GetPasswordDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPasswordDataOutput`) public func getPasswordData(input: GetPasswordDataInput) async throws -> GetPasswordDataOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33208,7 +32692,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPasswordDataOutput.httpOutput(from:), GetPasswordDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33242,9 +32725,9 @@ extension EC2Client { /// /// Returns a quote and exchange information for exchanging one or more specified Convertible Reserved Instances for a new Convertible Reserved Instance. If the exchange cannot be performed, the reason is returned in the response. Use [AcceptReservedInstancesExchangeQuote] to perform the exchange. /// - /// - Parameter GetReservedInstancesExchangeQuoteInput : Contains the parameters for GetReservedInstanceExchangeQuote. + /// - Parameter input: Contains the parameters for GetReservedInstanceExchangeQuote. (Type: `GetReservedInstancesExchangeQuoteInput`) /// - /// - Returns: `GetReservedInstancesExchangeQuoteOutput` : Contains the output of GetReservedInstancesExchangeQuote. + /// - Returns: Contains the output of GetReservedInstancesExchangeQuote. (Type: `GetReservedInstancesExchangeQuoteOutput`) public func getReservedInstancesExchangeQuote(input: GetReservedInstancesExchangeQuoteInput) async throws -> GetReservedInstancesExchangeQuoteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33271,7 +32754,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReservedInstancesExchangeQuoteOutput.httpOutput(from:), GetReservedInstancesExchangeQuoteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33305,9 +32787,9 @@ extension EC2Client { /// /// Gets information about the associations for the specified route server. A route server association is the connection established between a route server and a VPC. For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter GetRouteServerAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRouteServerAssociationsInput`) /// - /// - Returns: `GetRouteServerAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRouteServerAssociationsOutput`) public func getRouteServerAssociations(input: GetRouteServerAssociationsInput) async throws -> GetRouteServerAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33334,7 +32816,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRouteServerAssociationsOutput.httpOutput(from:), GetRouteServerAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33377,9 +32858,9 @@ extension EC2Client { /// /// Route server does not support route tables associated with virtual private gateways. To propagate routes into a transit gateway route table, use [Transit Gateway Connect](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-connect.html). /// - /// - Parameter GetRouteServerPropagationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRouteServerPropagationsInput`) /// - /// - Returns: `GetRouteServerPropagationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRouteServerPropagationsOutput`) public func getRouteServerPropagations(input: GetRouteServerPropagationsInput) async throws -> GetRouteServerPropagationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33406,7 +32887,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRouteServerPropagationsOutput.httpOutput(from:), GetRouteServerPropagationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33449,9 +32929,9 @@ extension EC2Client { /// /// Route server does not support route tables associated with virtual private gateways. To propagate routes into a transit gateway route table, use [Transit Gateway Connect](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-connect.html). /// - /// - Parameter GetRouteServerRoutingDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRouteServerRoutingDatabaseInput`) /// - /// - Returns: `GetRouteServerRoutingDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRouteServerRoutingDatabaseOutput`) public func getRouteServerRoutingDatabase(input: GetRouteServerRoutingDatabaseInput) async throws -> GetRouteServerRoutingDatabaseOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33478,7 +32958,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRouteServerRoutingDatabaseOutput.httpOutput(from:), GetRouteServerRoutingDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33512,9 +32991,9 @@ extension EC2Client { /// /// Gets security groups that can be associated by the Amazon Web Services account making the request with network interfaces in the specified VPC. /// - /// - Parameter GetSecurityGroupsForVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSecurityGroupsForVpcInput`) /// - /// - Returns: `GetSecurityGroupsForVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSecurityGroupsForVpcOutput`) public func getSecurityGroupsForVpc(input: GetSecurityGroupsForVpcInput) async throws -> GetSecurityGroupsForVpcOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33541,7 +33020,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSecurityGroupsForVpcOutput.httpOutput(from:), GetSecurityGroupsForVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33575,9 +33053,9 @@ extension EC2Client { /// /// Retrieves the access status of your account to the EC2 serial console of all instances. By default, access to the EC2 serial console is disabled for your account. For more information, see [Manage account access to the EC2 serial console](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/configure-access-to-serial-console.html#serial-console-account-access) in the Amazon EC2 User Guide. /// - /// - Parameter GetSerialConsoleAccessStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSerialConsoleAccessStatusInput`) /// - /// - Returns: `GetSerialConsoleAccessStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSerialConsoleAccessStatusOutput`) public func getSerialConsoleAccessStatus(input: GetSerialConsoleAccessStatusInput) async throws -> GetSerialConsoleAccessStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33604,7 +33082,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSerialConsoleAccessStatusOutput.httpOutput(from:), GetSerialConsoleAccessStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33638,9 +33115,9 @@ extension EC2Client { /// /// Gets the current state of block public access for snapshots setting for the account and Region. For more information, see [ Block public access for snapshots](https://docs.aws.amazon.com/ebs/latest/userguide/block-public-access-snapshots.html) in the Amazon EBS User Guide. /// - /// - Parameter GetSnapshotBlockPublicAccessStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSnapshotBlockPublicAccessStateInput`) /// - /// - Returns: `GetSnapshotBlockPublicAccessStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSnapshotBlockPublicAccessStateOutput`) public func getSnapshotBlockPublicAccessState(input: GetSnapshotBlockPublicAccessStateInput) async throws -> GetSnapshotBlockPublicAccessStateOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33667,7 +33144,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSnapshotBlockPublicAccessStateOutput.httpOutput(from:), GetSnapshotBlockPublicAccessStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33701,9 +33177,9 @@ extension EC2Client { /// /// Calculates the Spot placement score for a Region or Availability Zone based on the specified target capacity and compute requirements. You can specify your compute requirements either by using InstanceRequirementsWithMetadata and letting Amazon EC2 choose the optimal instance types to fulfill your Spot request, or you can specify the instance types by using InstanceTypes. For more information, see [Spot placement score](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/spot-placement-score.html) in the Amazon EC2 User Guide. /// - /// - Parameter GetSpotPlacementScoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSpotPlacementScoresInput`) /// - /// - Returns: `GetSpotPlacementScoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSpotPlacementScoresOutput`) public func getSpotPlacementScores(input: GetSpotPlacementScoresInput) async throws -> GetSpotPlacementScoresOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33730,7 +33206,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSpotPlacementScoresOutput.httpOutput(from:), GetSpotPlacementScoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33764,9 +33239,9 @@ extension EC2Client { /// /// Gets information about the subnet CIDR reservations. /// - /// - Parameter GetSubnetCidrReservationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubnetCidrReservationsInput`) /// - /// - Returns: `GetSubnetCidrReservationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubnetCidrReservationsOutput`) public func getSubnetCidrReservations(input: GetSubnetCidrReservationsInput) async throws -> GetSubnetCidrReservationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33793,7 +33268,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubnetCidrReservationsOutput.httpOutput(from:), GetSubnetCidrReservationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33827,9 +33301,9 @@ extension EC2Client { /// /// Lists the route tables to which the specified resource attachment propagates routes. /// - /// - Parameter GetTransitGatewayAttachmentPropagationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayAttachmentPropagationsInput`) /// - /// - Returns: `GetTransitGatewayAttachmentPropagationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayAttachmentPropagationsOutput`) public func getTransitGatewayAttachmentPropagations(input: GetTransitGatewayAttachmentPropagationsInput) async throws -> GetTransitGatewayAttachmentPropagationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33856,7 +33330,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayAttachmentPropagationsOutput.httpOutput(from:), GetTransitGatewayAttachmentPropagationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33890,9 +33363,9 @@ extension EC2Client { /// /// Gets information about the associations for the transit gateway multicast domain. /// - /// - Parameter GetTransitGatewayMulticastDomainAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayMulticastDomainAssociationsInput`) /// - /// - Returns: `GetTransitGatewayMulticastDomainAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayMulticastDomainAssociationsOutput`) public func getTransitGatewayMulticastDomainAssociations(input: GetTransitGatewayMulticastDomainAssociationsInput) async throws -> GetTransitGatewayMulticastDomainAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33919,7 +33392,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayMulticastDomainAssociationsOutput.httpOutput(from:), GetTransitGatewayMulticastDomainAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -33953,9 +33425,9 @@ extension EC2Client { /// /// Gets a list of the transit gateway policy table associations. /// - /// - Parameter GetTransitGatewayPolicyTableAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayPolicyTableAssociationsInput`) /// - /// - Returns: `GetTransitGatewayPolicyTableAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayPolicyTableAssociationsOutput`) public func getTransitGatewayPolicyTableAssociations(input: GetTransitGatewayPolicyTableAssociationsInput) async throws -> GetTransitGatewayPolicyTableAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -33982,7 +33454,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayPolicyTableAssociationsOutput.httpOutput(from:), GetTransitGatewayPolicyTableAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34016,9 +33487,9 @@ extension EC2Client { /// /// Returns a list of transit gateway policy table entries. /// - /// - Parameter GetTransitGatewayPolicyTableEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayPolicyTableEntriesInput`) /// - /// - Returns: `GetTransitGatewayPolicyTableEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayPolicyTableEntriesOutput`) public func getTransitGatewayPolicyTableEntries(input: GetTransitGatewayPolicyTableEntriesInput) async throws -> GetTransitGatewayPolicyTableEntriesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34045,7 +33516,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayPolicyTableEntriesOutput.httpOutput(from:), GetTransitGatewayPolicyTableEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34079,9 +33549,9 @@ extension EC2Client { /// /// Gets information about the prefix list references in a specified transit gateway route table. /// - /// - Parameter GetTransitGatewayPrefixListReferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayPrefixListReferencesInput`) /// - /// - Returns: `GetTransitGatewayPrefixListReferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayPrefixListReferencesOutput`) public func getTransitGatewayPrefixListReferences(input: GetTransitGatewayPrefixListReferencesInput) async throws -> GetTransitGatewayPrefixListReferencesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34108,7 +33578,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayPrefixListReferencesOutput.httpOutput(from:), GetTransitGatewayPrefixListReferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34142,9 +33611,9 @@ extension EC2Client { /// /// Gets information about the associations for the specified transit gateway route table. /// - /// - Parameter GetTransitGatewayRouteTableAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayRouteTableAssociationsInput`) /// - /// - Returns: `GetTransitGatewayRouteTableAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayRouteTableAssociationsOutput`) public func getTransitGatewayRouteTableAssociations(input: GetTransitGatewayRouteTableAssociationsInput) async throws -> GetTransitGatewayRouteTableAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34171,7 +33640,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayRouteTableAssociationsOutput.httpOutput(from:), GetTransitGatewayRouteTableAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34205,9 +33673,9 @@ extension EC2Client { /// /// Gets information about the route table propagations for the specified transit gateway route table. /// - /// - Parameter GetTransitGatewayRouteTablePropagationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayRouteTablePropagationsInput`) /// - /// - Returns: `GetTransitGatewayRouteTablePropagationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayRouteTablePropagationsOutput`) public func getTransitGatewayRouteTablePropagations(input: GetTransitGatewayRouteTablePropagationsInput) async throws -> GetTransitGatewayRouteTablePropagationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34234,7 +33702,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayRouteTablePropagationsOutput.httpOutput(from:), GetTransitGatewayRouteTablePropagationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34268,9 +33735,9 @@ extension EC2Client { /// /// Get the Verified Access policy associated with the endpoint. /// - /// - Parameter GetVerifiedAccessEndpointPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVerifiedAccessEndpointPolicyInput`) /// - /// - Returns: `GetVerifiedAccessEndpointPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVerifiedAccessEndpointPolicyOutput`) public func getVerifiedAccessEndpointPolicy(input: GetVerifiedAccessEndpointPolicyInput) async throws -> GetVerifiedAccessEndpointPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34297,7 +33764,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVerifiedAccessEndpointPolicyOutput.httpOutput(from:), GetVerifiedAccessEndpointPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34331,9 +33797,9 @@ extension EC2Client { /// /// Gets the targets for the specified network CIDR endpoint for Verified Access. /// - /// - Parameter GetVerifiedAccessEndpointTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVerifiedAccessEndpointTargetsInput`) /// - /// - Returns: `GetVerifiedAccessEndpointTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVerifiedAccessEndpointTargetsOutput`) public func getVerifiedAccessEndpointTargets(input: GetVerifiedAccessEndpointTargetsInput) async throws -> GetVerifiedAccessEndpointTargetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34360,7 +33826,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVerifiedAccessEndpointTargetsOutput.httpOutput(from:), GetVerifiedAccessEndpointTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34394,9 +33859,9 @@ extension EC2Client { /// /// Shows the contents of the Verified Access policy associated with the group. /// - /// - Parameter GetVerifiedAccessGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVerifiedAccessGroupPolicyInput`) /// - /// - Returns: `GetVerifiedAccessGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVerifiedAccessGroupPolicyOutput`) public func getVerifiedAccessGroupPolicy(input: GetVerifiedAccessGroupPolicyInput) async throws -> GetVerifiedAccessGroupPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34423,7 +33888,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVerifiedAccessGroupPolicyOutput.httpOutput(from:), GetVerifiedAccessGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34457,9 +33921,9 @@ extension EC2Client { /// /// Download an Amazon Web Services-provided sample configuration file to be used with the customer gateway device specified for your Site-to-Site VPN connection. /// - /// - Parameter GetVpnConnectionDeviceSampleConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVpnConnectionDeviceSampleConfigurationInput`) /// - /// - Returns: `GetVpnConnectionDeviceSampleConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVpnConnectionDeviceSampleConfigurationOutput`) public func getVpnConnectionDeviceSampleConfiguration(input: GetVpnConnectionDeviceSampleConfigurationInput) async throws -> GetVpnConnectionDeviceSampleConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34486,7 +33950,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVpnConnectionDeviceSampleConfigurationOutput.httpOutput(from:), GetVpnConnectionDeviceSampleConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34520,9 +33983,9 @@ extension EC2Client { /// /// Obtain a list of customer gateway devices for which sample configuration files can be provided. The request has no additional parameters. You can also see the list of device types with sample configuration files available under [Your customer gateway device](https://docs.aws.amazon.com/vpn/latest/s2svpn/your-cgw.html) in the Amazon Web Services Site-to-Site VPN User Guide. /// - /// - Parameter GetVpnConnectionDeviceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVpnConnectionDeviceTypesInput`) /// - /// - Returns: `GetVpnConnectionDeviceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVpnConnectionDeviceTypesOutput`) public func getVpnConnectionDeviceTypes(input: GetVpnConnectionDeviceTypesInput) async throws -> GetVpnConnectionDeviceTypesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34549,7 +34012,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVpnConnectionDeviceTypesOutput.httpOutput(from:), GetVpnConnectionDeviceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34583,9 +34045,9 @@ extension EC2Client { /// /// Get details of available tunnel endpoint maintenance. /// - /// - Parameter GetVpnTunnelReplacementStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVpnTunnelReplacementStatusInput`) /// - /// - Returns: `GetVpnTunnelReplacementStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVpnTunnelReplacementStatusOutput`) public func getVpnTunnelReplacementStatus(input: GetVpnTunnelReplacementStatusInput) async throws -> GetVpnTunnelReplacementStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34612,7 +34074,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVpnTunnelReplacementStatusOutput.httpOutput(from:), GetVpnTunnelReplacementStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34646,9 +34107,9 @@ extension EC2Client { /// /// Uploads a client certificate revocation list to the specified Client VPN endpoint. Uploading a client certificate revocation list overwrites the existing client certificate revocation list. Uploading a client certificate revocation list resets existing client connections. /// - /// - Parameter ImportClientVpnClientCertificateRevocationListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportClientVpnClientCertificateRevocationListInput`) /// - /// - Returns: `ImportClientVpnClientCertificateRevocationListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportClientVpnClientCertificateRevocationListOutput`) public func importClientVpnClientCertificateRevocationList(input: ImportClientVpnClientCertificateRevocationListInput) async throws -> ImportClientVpnClientCertificateRevocationListOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34675,7 +34136,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportClientVpnClientCertificateRevocationListOutput.httpOutput(from:), ImportClientVpnClientCertificateRevocationListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34709,9 +34169,9 @@ extension EC2Client { /// /// To import your virtual machines (VMs) with a console-based experience, you can use the Import virtual machine images to Amazon Web Services template in the [Migration Hub Orchestrator console](https://console.aws.amazon.com/migrationhub/orchestrator). For more information, see the [ Migration Hub Orchestrator User Guide ](https://docs.aws.amazon.com/migrationhub-orchestrator/latest/userguide/import-vm-images.html). Import single or multi-volume disk images or EBS snapshots into an Amazon Machine Image (AMI). Amazon Web Services VM Import/Export strongly recommends specifying a value for either the --license-type or --usage-operation parameter when you create a new VM Import task. This ensures your operating system is licensed appropriately and your billing is optimized. For more information, see [Importing a VM as an image using VM Import/Export](https://docs.aws.amazon.com/vm-import/latest/userguide/vmimport-image-import.html) in the VM Import/Export User Guide. /// - /// - Parameter ImportImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportImageInput`) /// - /// - Returns: `ImportImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportImageOutput`) public func importImage(input: ImportImageInput) async throws -> ImportImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34738,7 +34198,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportImageOutput.httpOutput(from:), ImportImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34772,9 +34231,9 @@ extension EC2Client { /// /// We recommend that you use the [ImportImage](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_ImportImage.html) API instead. For more information, see [Importing a VM as an image using VM Import/Export](https://docs.aws.amazon.com/vm-import/latest/userguide/vmimport-image-import.html) in the VM Import/Export User Guide. Creates an import instance task using metadata from the specified disk image. This API action supports only single-volume VMs. To import multi-volume VMs, use [ImportImage] instead. For information about the import manifest referenced by this API action, see [VM Import Manifest](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/manifest.html). This API action is not supported by the Command Line Interface (CLI). /// - /// - Parameter ImportInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportInstanceInput`) /// - /// - Returns: `ImportInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportInstanceOutput`) public func importInstance(input: ImportInstanceInput) async throws -> ImportInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34801,7 +34260,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportInstanceOutput.httpOutput(from:), ImportInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34835,9 +34293,9 @@ extension EC2Client { /// /// Imports the public key from an RSA or ED25519 key pair that you created using a third-party tool. You give Amazon Web Services only the public key. The private key is never transferred between you and Amazon Web Services. For more information about the requirements for importing a key pair, see [Create a key pair and import the public key to Amazon EC2](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/create-key-pairs.html#how-to-generate-your-own-key-and-import-it-to-aws) in the Amazon EC2 User Guide. /// - /// - Parameter ImportKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportKeyPairInput`) /// - /// - Returns: `ImportKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportKeyPairOutput`) public func importKeyPair(input: ImportKeyPairInput) async throws -> ImportKeyPairOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34864,7 +34322,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportKeyPairOutput.httpOutput(from:), ImportKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34898,9 +34355,9 @@ extension EC2Client { /// /// Imports a disk into an EBS snapshot. For more information, see [Importing a disk as a snapshot using VM Import/Export](https://docs.aws.amazon.com/vm-import/latest/userguide/vmimport-import-snapshot.html) in the VM Import/Export User Guide. /// - /// - Parameter ImportSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportSnapshotInput`) /// - /// - Returns: `ImportSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportSnapshotOutput`) public func importSnapshot(input: ImportSnapshotInput) async throws -> ImportSnapshotOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34927,7 +34384,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportSnapshotOutput.httpOutput(from:), ImportSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -34961,9 +34417,9 @@ extension EC2Client { /// /// This API action supports only single-volume VMs. To import multi-volume VMs, use [ImportImage] instead. To import a disk to a snapshot, use [ImportSnapshot] instead. Creates an import volume task using metadata from the specified disk image. For information about the import manifest referenced by this API action, see [VM Import Manifest](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/manifest.html). This API action is not supported by the Command Line Interface (CLI). /// - /// - Parameter ImportVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportVolumeInput`) /// - /// - Returns: `ImportVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportVolumeOutput`) public func importVolume(input: ImportVolumeInput) async throws -> ImportVolumeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -34990,7 +34446,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportVolumeOutput.httpOutput(from:), ImportVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35024,9 +34479,9 @@ extension EC2Client { /// /// Lists one or more AMIs that are currently in the Recycle Bin. For more information, see [Recycle Bin](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/recycle-bin.html) in the Amazon EC2 User Guide. /// - /// - Parameter ListImagesInRecycleBinInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImagesInRecycleBinInput`) /// - /// - Returns: `ListImagesInRecycleBinOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImagesInRecycleBinOutput`) public func listImagesInRecycleBin(input: ListImagesInRecycleBinInput) async throws -> ListImagesInRecycleBinOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35053,7 +34508,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImagesInRecycleBinOutput.httpOutput(from:), ListImagesInRecycleBinOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35087,9 +34541,9 @@ extension EC2Client { /// /// Lists one or more snapshots that are currently in the Recycle Bin. /// - /// - Parameter ListSnapshotsInRecycleBinInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSnapshotsInRecycleBinInput`) /// - /// - Returns: `ListSnapshotsInRecycleBinOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSnapshotsInRecycleBinOutput`) public func listSnapshotsInRecycleBin(input: ListSnapshotsInRecycleBinInput) async throws -> ListSnapshotsInRecycleBinOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35116,7 +34570,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSnapshotsInRecycleBinOutput.httpOutput(from:), ListSnapshotsInRecycleBinOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35156,9 +34609,9 @@ extension EC2Client { /// /// * If the snapshot is locked in compliance mode and the cooling-off period has lapsed, you can only increase the lock duration or extend the lock expiration date. /// - /// - Parameter LockSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `LockSnapshotInput`) /// - /// - Returns: `LockSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `LockSnapshotOutput`) public func lockSnapshot(input: LockSnapshotInput) async throws -> LockSnapshotOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35185,7 +34638,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(LockSnapshotOutput.httpOutput(from:), LockSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35219,9 +34671,9 @@ extension EC2Client { /// /// Modifies an attribute of the specified Elastic IP address. For requirements, see [Using reverse DNS for email applications](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/elastic-ip-addresses-eip.html#Using_Elastic_Addressing_Reverse_DNS). /// - /// - Parameter ModifyAddressAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyAddressAttributeInput`) /// - /// - Returns: `ModifyAddressAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyAddressAttributeOutput`) public func modifyAddressAttribute(input: ModifyAddressAttributeInput) async throws -> ModifyAddressAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35248,7 +34700,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyAddressAttributeOutput.httpOutput(from:), ModifyAddressAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35282,9 +34733,9 @@ extension EC2Client { /// /// Changes the opt-in status of the specified zone group for your account. /// - /// - Parameter ModifyAvailabilityZoneGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyAvailabilityZoneGroupInput`) /// - /// - Returns: `ModifyAvailabilityZoneGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyAvailabilityZoneGroupOutput`) public func modifyAvailabilityZoneGroup(input: ModifyAvailabilityZoneGroupInput) async throws -> ModifyAvailabilityZoneGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35311,7 +34762,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyAvailabilityZoneGroupOutput.httpOutput(from:), ModifyAvailabilityZoneGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35355,9 +34805,9 @@ extension EC2Client { /// /// * expired, cancelled, unsupported, or failed state - You can't modify the Capacity Reservation in any way. /// - /// - Parameter ModifyCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyCapacityReservationInput`) /// - /// - Returns: `ModifyCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyCapacityReservationOutput`) public func modifyCapacityReservation(input: ModifyCapacityReservationInput) async throws -> ModifyCapacityReservationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35384,7 +34834,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCapacityReservationOutput.httpOutput(from:), ModifyCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35418,9 +34867,9 @@ extension EC2Client { /// /// Modifies a Capacity Reservation Fleet. When you modify the total target capacity of a Capacity Reservation Fleet, the Fleet automatically creates new Capacity Reservations, or modifies or cancels existing Capacity Reservations in the Fleet to meet the new total target capacity. When you modify the end date for the Fleet, the end dates for all of the individual Capacity Reservations in the Fleet are updated accordingly. /// - /// - Parameter ModifyCapacityReservationFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyCapacityReservationFleetInput`) /// - /// - Returns: `ModifyCapacityReservationFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyCapacityReservationFleetOutput`) public func modifyCapacityReservationFleet(input: ModifyCapacityReservationFleetInput) async throws -> ModifyCapacityReservationFleetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35447,7 +34896,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCapacityReservationFleetOutput.httpOutput(from:), ModifyCapacityReservationFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35481,9 +34929,9 @@ extension EC2Client { /// /// Modifies the specified Client VPN endpoint. Modifying the DNS server resets existing client connections. /// - /// - Parameter ModifyClientVpnEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyClientVpnEndpointInput`) /// - /// - Returns: `ModifyClientVpnEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClientVpnEndpointOutput`) public func modifyClientVpnEndpoint(input: ModifyClientVpnEndpointInput) async throws -> ModifyClientVpnEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35510,7 +34958,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClientVpnEndpointOutput.httpOutput(from:), ModifyClientVpnEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35544,9 +34991,9 @@ extension EC2Client { /// /// Modifies the default credit option for CPU usage of burstable performance instances. The default credit option is set at the account level per Amazon Web Services Region, and is specified per instance family. All new burstable performance instances in the account launch using the default credit option. ModifyDefaultCreditSpecification is an asynchronous operation, which works at an Amazon Web Services Region level and modifies the credit option for each Availability Zone. All zones in a Region are updated within five minutes. But if instances are launched during this operation, they might not get the new credit option until the zone is updated. To verify whether the update has occurred, you can call GetDefaultCreditSpecification and check DefaultCreditSpecification for updates. For more information, see [Burstable performance instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/burstable-performance-instances.html) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyDefaultCreditSpecificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDefaultCreditSpecificationInput`) /// - /// - Returns: `ModifyDefaultCreditSpecificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDefaultCreditSpecificationOutput`) public func modifyDefaultCreditSpecification(input: ModifyDefaultCreditSpecificationInput) async throws -> ModifyDefaultCreditSpecificationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35573,7 +35020,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDefaultCreditSpecificationOutput.httpOutput(from:), ModifyDefaultCreditSpecificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35607,9 +35053,9 @@ extension EC2Client { /// /// Changes the default KMS key for EBS encryption by default for your account in this Region. Amazon Web Services creates a unique Amazon Web Services managed KMS key in each Region for use with encryption by default. If you change the default KMS key to a symmetric customer managed KMS key, it is used instead of the Amazon Web Services managed KMS key. Amazon EBS does not support asymmetric KMS keys. If you delete or disable the customer managed KMS key that you specified for use with encryption by default, your instances will fail to launch. For more information, see [Amazon EBS encryption](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-encryption.html) in the Amazon EBS User Guide. /// - /// - Parameter ModifyEbsDefaultKmsKeyIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyEbsDefaultKmsKeyIdInput`) /// - /// - Returns: `ModifyEbsDefaultKmsKeyIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyEbsDefaultKmsKeyIdOutput`) public func modifyEbsDefaultKmsKeyId(input: ModifyEbsDefaultKmsKeyIdInput) async throws -> ModifyEbsDefaultKmsKeyIdOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35636,7 +35082,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyEbsDefaultKmsKeyIdOutput.httpOutput(from:), ModifyEbsDefaultKmsKeyIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35670,9 +35115,9 @@ extension EC2Client { /// /// Modifies the specified EC2 Fleet. You can only modify an EC2 Fleet request of type maintain. While the EC2 Fleet is being modified, it is in the modifying state. To scale up your EC2 Fleet, increase its target capacity. The EC2 Fleet launches the additional Spot Instances according to the allocation strategy for the EC2 Fleet request. If the allocation strategy is lowest-price, the EC2 Fleet launches instances using the Spot Instance pool with the lowest price. If the allocation strategy is diversified, the EC2 Fleet distributes the instances across the Spot Instance pools. If the allocation strategy is capacity-optimized, EC2 Fleet launches instances from Spot Instance pools with optimal capacity for the number of instances that are launching. To scale down your EC2 Fleet, decrease its target capacity. First, the EC2 Fleet cancels any open requests that exceed the new target capacity. You can request that the EC2 Fleet terminate Spot Instances until the size of the fleet no longer exceeds the new target capacity. If the allocation strategy is lowest-price, the EC2 Fleet terminates the instances with the highest price per unit. If the allocation strategy is capacity-optimized, the EC2 Fleet terminates the instances in the Spot Instance pools that have the least available Spot Instance capacity. If the allocation strategy is diversified, the EC2 Fleet terminates instances across the Spot Instance pools. Alternatively, you can request that the EC2 Fleet keep the fleet at its current size, but not replace any Spot Instances that are interrupted or that you terminate manually. If you are finished with your EC2 Fleet for now, but will use it again later, you can set the target capacity to 0. /// - /// - Parameter ModifyFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyFleetInput`) /// - /// - Returns: `ModifyFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyFleetOutput`) public func modifyFleet(input: ModifyFleetInput) async throws -> ModifyFleetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35699,7 +35144,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyFleetOutput.httpOutput(from:), ModifyFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35733,9 +35177,9 @@ extension EC2Client { /// /// Modifies the specified attribute of the specified Amazon FPGA Image (AFI). /// - /// - Parameter ModifyFpgaImageAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyFpgaImageAttributeInput`) /// - /// - Returns: `ModifyFpgaImageAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyFpgaImageAttributeOutput`) public func modifyFpgaImageAttribute(input: ModifyFpgaImageAttributeInput) async throws -> ModifyFpgaImageAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35762,7 +35206,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyFpgaImageAttributeOutput.httpOutput(from:), ModifyFpgaImageAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35796,9 +35239,9 @@ extension EC2Client { /// /// Modify the auto-placement setting of a Dedicated Host. When auto-placement is enabled, any instances that you launch with a tenancy of host but without a specific host ID are placed onto any available Dedicated Host in your account that has auto-placement enabled. When auto-placement is disabled, you need to provide a host ID to have the instance launch onto a specific host. If no host ID is provided, the instance is launched onto a suitable host with auto-placement enabled. You can also use this API action to modify a Dedicated Host to support either multiple instance types in an instance family, or to support a specific instance type only. /// - /// - Parameter ModifyHostsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyHostsInput`) /// - /// - Returns: `ModifyHostsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyHostsOutput`) public func modifyHosts(input: ModifyHostsInput) async throws -> ModifyHostsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35825,7 +35268,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyHostsOutput.httpOutput(from:), ModifyHostsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35859,9 +35301,9 @@ extension EC2Client { /// /// Modifies the ID format for the specified resource on a per-Region basis. You can specify that resources should receive longer IDs (17-character IDs) when they are created. This request can only be used to modify longer ID settings for resource types that are within the opt-in period. Resources currently in their opt-in period include: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | route-table | route-table-association | security-group | subnet | subnet-cidr-block-association | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway. This setting applies to the IAM user who makes the request; it does not apply to the entire Amazon Web Services account. By default, an IAM user defaults to the same settings as the root user. If you're using this action as the root user, then these settings apply to the entire account, unless an IAM user explicitly overrides these settings for themselves. For more information, see [Resource IDs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/resource-ids.html) in the Amazon Elastic Compute Cloud User Guide. Resources created with longer IDs are visible to all IAM roles and users, regardless of these settings and provided that they have permission to use the relevant Describe command for the resource type. /// - /// - Parameter ModifyIdFormatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIdFormatInput`) /// - /// - Returns: `ModifyIdFormatOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyIdFormatOutput`) public func modifyIdFormat(input: ModifyIdFormatInput) async throws -> ModifyIdFormatOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35888,7 +35330,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIdFormatOutput.httpOutput(from:), ModifyIdFormatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35922,9 +35363,9 @@ extension EC2Client { /// /// Modifies the ID format of a resource for a specified IAM user, IAM role, or the root user for an account; or all IAM users, IAM roles, and the root user for an account. You can specify that resources should receive longer IDs (17-character IDs) when they are created. This request can only be used to modify longer ID settings for resource types that are within the opt-in period. Resources currently in their opt-in period include: bundle | conversion-task | customer-gateway | dhcp-options | elastic-ip-allocation | elastic-ip-association | export-task | flow-log | image | import-task | internet-gateway | network-acl | network-acl-association | network-interface | network-interface-attachment | prefix-list | route-table | route-table-association | security-group | subnet | subnet-cidr-block-association | vpc | vpc-cidr-block-association | vpc-endpoint | vpc-peering-connection | vpn-connection | vpn-gateway. For more information, see [Resource IDs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/resource-ids.html) in the Amazon Elastic Compute Cloud User Guide. This setting applies to the principal specified in the request; it does not apply to the principal that makes the request. Resources created with longer IDs are visible to all IAM roles and users, regardless of these settings and provided that they have permission to use the relevant Describe command for the resource type. /// - /// - Parameter ModifyIdentityIdFormatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIdentityIdFormatInput`) /// - /// - Returns: `ModifyIdentityIdFormatOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyIdentityIdFormatOutput`) public func modifyIdentityIdFormat(input: ModifyIdentityIdFormatInput) async throws -> ModifyIdentityIdFormatOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -35951,7 +35392,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIdentityIdFormatOutput.httpOutput(from:), ModifyIdentityIdFormatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -35985,9 +35425,9 @@ extension EC2Client { /// /// Modifies the specified attribute of the specified AMI. You can specify only one attribute at a time. To specify the attribute, you can use the Attribute parameter, or one of the following parameters: Description, ImdsSupport, or LaunchPermission. Images with an Amazon Web Services Marketplace product code cannot be made public. To enable the SriovNetSupport enhanced networking attribute of an image, enable SriovNetSupport on an instance and create an AMI from the instance. /// - /// - Parameter ModifyImageAttributeInput : Contains the parameters for ModifyImageAttribute. + /// - Parameter input: Contains the parameters for ModifyImageAttribute. (Type: `ModifyImageAttributeInput`) /// - /// - Returns: `ModifyImageAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyImageAttributeOutput`) public func modifyImageAttribute(input: ModifyImageAttributeInput) async throws -> ModifyImageAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36014,7 +35454,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyImageAttributeOutput.httpOutput(from:), ModifyImageAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36048,9 +35487,9 @@ extension EC2Client { /// /// Modifies the specified attribute of the specified instance. You can specify only one attribute at a time. Note: Using this action to change the security groups associated with an elastic network interface (ENI) attached to an instance can result in an error if the instance has more than one ENI. To change the security groups associated with an ENI attached to an instance that has multiple ENIs, we recommend that you use the [ModifyNetworkInterfaceAttribute] action. To modify some attributes, the instance must be stopped. For more information, see [Modify a stopped instance](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Using_ChangingAttributesWhileInstanceStopped.html) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyInstanceAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceAttributeInput`) /// - /// - Returns: `ModifyInstanceAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceAttributeOutput`) public func modifyInstanceAttribute(input: ModifyInstanceAttributeInput) async throws -> ModifyInstanceAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36077,7 +35516,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceAttributeOutput.httpOutput(from:), ModifyInstanceAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36111,9 +35549,9 @@ extension EC2Client { /// /// Modifies the Capacity Reservation settings for a stopped instance. Use this action to configure an instance to target a specific Capacity Reservation, run in any open Capacity Reservation with matching attributes, run in On-Demand Instance capacity, or only run in a Capacity Reservation. /// - /// - Parameter ModifyInstanceCapacityReservationAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceCapacityReservationAttributesInput`) /// - /// - Returns: `ModifyInstanceCapacityReservationAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceCapacityReservationAttributesOutput`) public func modifyInstanceCapacityReservationAttributes(input: ModifyInstanceCapacityReservationAttributesInput) async throws -> ModifyInstanceCapacityReservationAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36140,7 +35578,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceCapacityReservationAttributesOutput.httpOutput(from:), ModifyInstanceCapacityReservationAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36174,9 +35611,9 @@ extension EC2Client { /// /// Modifies the specified EC2 Instance Connect Endpoint. For more information, see [Modify an EC2 Instance Connect Endpoint](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/modify-ec2-instance-connect-endpoint.html) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyInstanceConnectEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceConnectEndpointInput`) /// - /// - Returns: `ModifyInstanceConnectEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceConnectEndpointOutput`) public func modifyInstanceConnectEndpoint(input: ModifyInstanceConnectEndpointInput) async throws -> ModifyInstanceConnectEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36203,7 +35640,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceConnectEndpointOutput.httpOutput(from:), ModifyInstanceConnectEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36237,9 +35673,9 @@ extension EC2Client { /// /// By default, all vCPUs for the instance type are active when you launch an instance. When you configure the number of active vCPUs for the instance, it can help you save on licensing costs and optimize performance. The base cost of the instance remains unchanged. The number of active vCPUs equals the number of threads per CPU core multiplied by the number of cores. The instance must be in a Stopped state before you make changes. Some instance type options do not support this capability. For more information, see [Supported CPU options](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/cpu-options-supported-instances-values.html) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyInstanceCpuOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceCpuOptionsInput`) /// - /// - Returns: `ModifyInstanceCpuOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceCpuOptionsOutput`) public func modifyInstanceCpuOptions(input: ModifyInstanceCpuOptionsInput) async throws -> ModifyInstanceCpuOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36266,7 +35702,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceCpuOptionsOutput.httpOutput(from:), ModifyInstanceCpuOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36300,9 +35735,9 @@ extension EC2Client { /// /// Modifies the credit option for CPU usage on a running or stopped burstable performance instance. The credit options are standard and unlimited. For more information, see [Burstable performance instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/burstable-performance-instances.html) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyInstanceCreditSpecificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceCreditSpecificationInput`) /// - /// - Returns: `ModifyInstanceCreditSpecificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceCreditSpecificationOutput`) public func modifyInstanceCreditSpecification(input: ModifyInstanceCreditSpecificationInput) async throws -> ModifyInstanceCreditSpecificationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36329,7 +35764,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceCreditSpecificationOutput.httpOutput(from:), ModifyInstanceCreditSpecificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36363,9 +35797,9 @@ extension EC2Client { /// /// Modifies the start time for a scheduled Amazon EC2 instance event. /// - /// - Parameter ModifyInstanceEventStartTimeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceEventStartTimeInput`) /// - /// - Returns: `ModifyInstanceEventStartTimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceEventStartTimeOutput`) public func modifyInstanceEventStartTime(input: ModifyInstanceEventStartTimeInput) async throws -> ModifyInstanceEventStartTimeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36392,7 +35826,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceEventStartTimeOutput.httpOutput(from:), ModifyInstanceEventStartTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36426,9 +35859,9 @@ extension EC2Client { /// /// Modifies the specified event window. You can define either a set of time ranges or a cron expression when modifying the event window, but not both. To modify the targets associated with the event window, use the [AssociateInstanceEventWindow] and [DisassociateInstanceEventWindow] API. If Amazon Web Services has already scheduled an event, modifying an event window won't change the time of the scheduled event. For more information, see [Define event windows for scheduled events](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/event-windows.html) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyInstanceEventWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceEventWindowInput`) /// - /// - Returns: `ModifyInstanceEventWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceEventWindowOutput`) public func modifyInstanceEventWindow(input: ModifyInstanceEventWindowInput) async throws -> ModifyInstanceEventWindowOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36455,7 +35888,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceEventWindowOutput.httpOutput(from:), ModifyInstanceEventWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36489,9 +35921,9 @@ extension EC2Client { /// /// Modifies the recovery behavior of your instance to disable simplified automatic recovery or set the recovery behavior to default. The default configuration will not enable simplified automatic recovery for an unsupported instance type. For more information, see [Simplified automatic recovery](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-instance-recover.html#instance-configuration-recovery). Modifies the reboot migration behavior during a user-initiated reboot of an instance that has a pending system-reboot event. For more information, see [Enable or disable reboot migration](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/schedevents_actions_reboot.html#reboot-migration). /// - /// - Parameter ModifyInstanceMaintenanceOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceMaintenanceOptionsInput`) /// - /// - Returns: `ModifyInstanceMaintenanceOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceMaintenanceOptionsOutput`) public func modifyInstanceMaintenanceOptions(input: ModifyInstanceMaintenanceOptionsInput) async throws -> ModifyInstanceMaintenanceOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36518,7 +35950,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceMaintenanceOptionsOutput.httpOutput(from:), ModifyInstanceMaintenanceOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36552,9 +35983,9 @@ extension EC2Client { /// /// Modifies the default instance metadata service (IMDS) settings at the account level in the specified Amazon Web Services
 Region. To remove a parameter's account-level default setting, specify no-preference. If an account-level setting is cleared with no-preference, then the instance launch considers the other instance metadata settings. For more information, see [Order of precedence for instance metadata options](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/configuring-instance-metadata-options.html#instance-metadata-options-order-of-precedence) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyInstanceMetadataDefaultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceMetadataDefaultsInput`) /// - /// - Returns: `ModifyInstanceMetadataDefaultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceMetadataDefaultsOutput`) public func modifyInstanceMetadataDefaults(input: ModifyInstanceMetadataDefaultsInput) async throws -> ModifyInstanceMetadataDefaultsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36581,7 +36012,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceMetadataDefaultsOutput.httpOutput(from:), ModifyInstanceMetadataDefaultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36615,9 +36045,9 @@ extension EC2Client { /// /// Modify the instance metadata parameters on a running or stopped instance. When you modify the parameters on a stopped instance, they are applied when the instance is started. When you modify the parameters on a running instance, the API responds with a state of “pending”. After the parameter modifications are successfully applied to the instance, the state of the modifications changes from “pending” to “applied” in subsequent describe-instances API calls. For more information, see [Instance metadata and user data](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-instance-metadata.html) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyInstanceMetadataOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceMetadataOptionsInput`) /// - /// - Returns: `ModifyInstanceMetadataOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceMetadataOptionsOutput`) public func modifyInstanceMetadataOptions(input: ModifyInstanceMetadataOptionsInput) async throws -> ModifyInstanceMetadataOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36644,7 +36074,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceMetadataOptionsOutput.httpOutput(from:), ModifyInstanceMetadataOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36678,9 +36107,9 @@ extension EC2Client { /// /// Change the configuration of the network performance options for an existing instance. /// - /// - Parameter ModifyInstanceNetworkPerformanceOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceNetworkPerformanceOptionsInput`) /// - /// - Returns: `ModifyInstanceNetworkPerformanceOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceNetworkPerformanceOptionsOutput`) public func modifyInstanceNetworkPerformanceOptions(input: ModifyInstanceNetworkPerformanceOptionsInput) async throws -> ModifyInstanceNetworkPerformanceOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36707,7 +36136,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceNetworkPerformanceOptionsOutput.httpOutput(from:), ModifyInstanceNetworkPerformanceOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36752,9 +36180,9 @@ extension EC2Client { /// /// At least one attribute for affinity, host ID, tenancy, or placement group name must be specified in the request. Affinity and tenancy can be modified in the same request. To modify the host ID, tenancy, placement group, or partition for an instance, the instance must be in the stopped state. /// - /// - Parameter ModifyInstancePlacementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstancePlacementInput`) /// - /// - Returns: `ModifyInstancePlacementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstancePlacementOutput`) public func modifyInstancePlacement(input: ModifyInstancePlacementInput) async throws -> ModifyInstancePlacementOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36781,7 +36209,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstancePlacementOutput.httpOutput(from:), ModifyInstancePlacementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36815,9 +36242,9 @@ extension EC2Client { /// /// Modify the configurations of an IPAM. /// - /// - Parameter ModifyIpamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIpamInput`) /// - /// - Returns: `ModifyIpamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyIpamOutput`) public func modifyIpam(input: ModifyIpamInput) async throws -> ModifyIpamOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36844,7 +36271,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIpamOutput.httpOutput(from:), ModifyIpamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36878,9 +36304,9 @@ extension EC2Client { /// /// Modify the configurations of an IPAM pool. For more information, see [Modify a pool](https://docs.aws.amazon.com/vpc/latest/ipam/mod-pool-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter ModifyIpamPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIpamPoolInput`) /// - /// - Returns: `ModifyIpamPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyIpamPoolOutput`) public func modifyIpamPool(input: ModifyIpamPoolInput) async throws -> ModifyIpamPoolOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36907,7 +36333,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIpamPoolOutput.httpOutput(from:), ModifyIpamPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -36941,9 +36366,9 @@ extension EC2Client { /// /// Modify a resource CIDR. You can use this action to transfer resource CIDRs between scopes and ignore resource CIDRs that you do not want to manage. If set to false, the resource will not be tracked for overlap, it cannot be auto-imported into a pool, and it will be removed from any pool it has an allocation in. For more information, see [Move resource CIDRs between scopes](https://docs.aws.amazon.com/vpc/latest/ipam/move-resource-ipam.html) and [Change the monitoring state of resource CIDRs](https://docs.aws.amazon.com/vpc/latest/ipam/change-monitoring-state-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter ModifyIpamResourceCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIpamResourceCidrInput`) /// - /// - Returns: `ModifyIpamResourceCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyIpamResourceCidrOutput`) public func modifyIpamResourceCidr(input: ModifyIpamResourceCidrInput) async throws -> ModifyIpamResourceCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -36970,7 +36395,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIpamResourceCidrOutput.httpOutput(from:), ModifyIpamResourceCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37004,9 +36428,9 @@ extension EC2Client { /// /// Modifies a resource discovery. A resource discovery is an IPAM component that enables IPAM to manage and monitor resources that belong to the owning account. /// - /// - Parameter ModifyIpamResourceDiscoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIpamResourceDiscoveryInput`) /// - /// - Returns: `ModifyIpamResourceDiscoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyIpamResourceDiscoveryOutput`) public func modifyIpamResourceDiscovery(input: ModifyIpamResourceDiscoveryInput) async throws -> ModifyIpamResourceDiscoveryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37033,7 +36457,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIpamResourceDiscoveryOutput.httpOutput(from:), ModifyIpamResourceDiscoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37067,9 +36490,9 @@ extension EC2Client { /// /// Modify an IPAM scope. /// - /// - Parameter ModifyIpamScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIpamScopeInput`) /// - /// - Returns: `ModifyIpamScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyIpamScopeOutput`) public func modifyIpamScope(input: ModifyIpamScopeInput) async throws -> ModifyIpamScopeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37096,7 +36519,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIpamScopeOutput.httpOutput(from:), ModifyIpamScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37130,9 +36552,9 @@ extension EC2Client { /// /// Modifies a launch template. You can specify which version of the launch template to set as the default version. When launching an instance, the default version applies when a launch template version is not specified. /// - /// - Parameter ModifyLaunchTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyLaunchTemplateInput`) /// - /// - Returns: `ModifyLaunchTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyLaunchTemplateOutput`) public func modifyLaunchTemplate(input: ModifyLaunchTemplateInput) async throws -> ModifyLaunchTemplateOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37160,7 +36582,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyLaunchTemplateOutput.httpOutput(from:), ModifyLaunchTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37194,9 +36615,9 @@ extension EC2Client { /// /// Modifies the specified local gateway route. /// - /// - Parameter ModifyLocalGatewayRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyLocalGatewayRouteInput`) /// - /// - Returns: `ModifyLocalGatewayRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyLocalGatewayRouteOutput`) public func modifyLocalGatewayRoute(input: ModifyLocalGatewayRouteInput) async throws -> ModifyLocalGatewayRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37223,7 +36644,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyLocalGatewayRouteOutput.httpOutput(from:), ModifyLocalGatewayRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37257,9 +36677,9 @@ extension EC2Client { /// /// Modifies the specified managed prefix list. Adding or removing entries in a prefix list creates a new version of the prefix list. Changing the name of the prefix list does not affect the version. If you specify a current version number that does not match the true current version number, the request fails. /// - /// - Parameter ModifyManagedPrefixListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyManagedPrefixListInput`) /// - /// - Returns: `ModifyManagedPrefixListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyManagedPrefixListOutput`) public func modifyManagedPrefixList(input: ModifyManagedPrefixListInput) async throws -> ModifyManagedPrefixListOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37286,7 +36706,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyManagedPrefixListOutput.httpOutput(from:), ModifyManagedPrefixListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37320,9 +36739,9 @@ extension EC2Client { /// /// Modifies the specified network interface attribute. You can specify only one attribute at a time. You can use this action to attach and detach security groups from an existing EC2 instance. /// - /// - Parameter ModifyNetworkInterfaceAttributeInput : Contains the parameters for ModifyNetworkInterfaceAttribute. + /// - Parameter input: Contains the parameters for ModifyNetworkInterfaceAttribute. (Type: `ModifyNetworkInterfaceAttributeInput`) /// - /// - Returns: `ModifyNetworkInterfaceAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyNetworkInterfaceAttributeOutput`) public func modifyNetworkInterfaceAttribute(input: ModifyNetworkInterfaceAttributeInput) async throws -> ModifyNetworkInterfaceAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37349,7 +36768,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyNetworkInterfaceAttributeOutput.httpOutput(from:), ModifyNetworkInterfaceAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37383,9 +36801,9 @@ extension EC2Client { /// /// Modifies the options for instance hostnames for the specified instance. /// - /// - Parameter ModifyPrivateDnsNameOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyPrivateDnsNameOptionsInput`) /// - /// - Returns: `ModifyPrivateDnsNameOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyPrivateDnsNameOptionsOutput`) public func modifyPrivateDnsNameOptions(input: ModifyPrivateDnsNameOptionsInput) async throws -> ModifyPrivateDnsNameOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37412,7 +36830,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyPrivateDnsNameOptionsOutput.httpOutput(from:), ModifyPrivateDnsNameOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37446,9 +36863,9 @@ extension EC2Client { /// /// Modify public hostname options for a network interface. For more information, see [EC2 instance hostnames, DNS names, and domains](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-instance-naming.html) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyPublicIpDnsNameOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyPublicIpDnsNameOptionsInput`) /// - /// - Returns: `ModifyPublicIpDnsNameOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyPublicIpDnsNameOptionsOutput`) public func modifyPublicIpDnsNameOptions(input: ModifyPublicIpDnsNameOptionsInput) async throws -> ModifyPublicIpDnsNameOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37475,7 +36892,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyPublicIpDnsNameOptionsOutput.httpOutput(from:), ModifyPublicIpDnsNameOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37509,9 +36925,9 @@ extension EC2Client { /// /// Modifies the configuration of your Reserved Instances, such as the Availability Zone, instance count, or instance type. The Reserved Instances to be modified must be identical, except for Availability Zone, network platform, and instance type. For more information, see [Modify Reserved Instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ri-modifying.html) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyReservedInstancesInput : Contains the parameters for ModifyReservedInstances. + /// - Parameter input: Contains the parameters for ModifyReservedInstances. (Type: `ModifyReservedInstancesInput`) /// - /// - Returns: `ModifyReservedInstancesOutput` : Contains the output of ModifyReservedInstances. + /// - Returns: Contains the output of ModifyReservedInstances. (Type: `ModifyReservedInstancesOutput`) public func modifyReservedInstances(input: ModifyReservedInstancesInput) async throws -> ModifyReservedInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37538,7 +36954,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyReservedInstancesOutput.httpOutput(from:), ModifyReservedInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37581,9 +36996,9 @@ extension EC2Client { /// /// Route server does not support route tables associated with virtual private gateways. To propagate routes into a transit gateway route table, use [Transit Gateway Connect](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-connect.html). For more information see [Dynamic routing in your VPC with VPC Route Server](https://docs.aws.amazon.com/vpc/latest/userguide/dynamic-routing-route-server.html) in the Amazon VPC User Guide. /// - /// - Parameter ModifyRouteServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyRouteServerInput`) /// - /// - Returns: `ModifyRouteServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyRouteServerOutput`) public func modifyRouteServer(input: ModifyRouteServerInput) async throws -> ModifyRouteServerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37610,7 +37025,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyRouteServerOutput.httpOutput(from:), ModifyRouteServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37644,9 +37058,9 @@ extension EC2Client { /// /// Modifies the rules of a security group. /// - /// - Parameter ModifySecurityGroupRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifySecurityGroupRulesInput`) /// - /// - Returns: `ModifySecurityGroupRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifySecurityGroupRulesOutput`) public func modifySecurityGroupRules(input: ModifySecurityGroupRulesInput) async throws -> ModifySecurityGroupRulesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37673,7 +37087,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifySecurityGroupRulesOutput.httpOutput(from:), ModifySecurityGroupRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37707,9 +37120,9 @@ extension EC2Client { /// /// Adds or removes permission settings for the specified snapshot. You may add or remove specified Amazon Web Services account IDs from a snapshot's list of create volume permissions, but you cannot do both in a single operation. If you need to both add and remove account IDs for a snapshot, you must use multiple operations. You can make up to 500 modifications to a snapshot in a single operation. Encrypted snapshots and snapshots with Amazon Web Services Marketplace product codes cannot be made public. Snapshots encrypted with your default KMS key cannot be shared with other accounts. For more information about modifying snapshot permissions, see [Share a snapshot](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-modifying-snapshot-permissions.html) in the Amazon EBS User Guide. /// - /// - Parameter ModifySnapshotAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifySnapshotAttributeInput`) /// - /// - Returns: `ModifySnapshotAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifySnapshotAttributeOutput`) public func modifySnapshotAttribute(input: ModifySnapshotAttributeInput) async throws -> ModifySnapshotAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37736,7 +37149,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifySnapshotAttributeOutput.httpOutput(from:), ModifySnapshotAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37770,9 +37182,9 @@ extension EC2Client { /// /// Archives an Amazon EBS snapshot. When you archive a snapshot, it is converted to a full snapshot that includes all of the blocks of data that were written to the volume at the time the snapshot was created, and moved from the standard tier to the archive tier. For more information, see [Archive Amazon EBS snapshots](https://docs.aws.amazon.com/ebs/latest/userguide/snapshot-archive.html) in the Amazon EBS User Guide. /// - /// - Parameter ModifySnapshotTierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifySnapshotTierInput`) /// - /// - Returns: `ModifySnapshotTierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifySnapshotTierOutput`) public func modifySnapshotTier(input: ModifySnapshotTierInput) async throws -> ModifySnapshotTierOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37799,7 +37211,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifySnapshotTierOutput.httpOutput(from:), ModifySnapshotTierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37833,9 +37244,9 @@ extension EC2Client { /// /// Modifies the specified Spot Fleet request. You can only modify a Spot Fleet request of type maintain. While the Spot Fleet request is being modified, it is in the modifying state. To scale up your Spot Fleet, increase its target capacity. The Spot Fleet launches the additional Spot Instances according to the allocation strategy for the Spot Fleet request. If the allocation strategy is lowestPrice, the Spot Fleet launches instances using the Spot Instance pool with the lowest price. If the allocation strategy is diversified, the Spot Fleet distributes the instances across the Spot Instance pools. If the allocation strategy is capacityOptimized, Spot Fleet launches instances from Spot Instance pools with optimal capacity for the number of instances that are launching. To scale down your Spot Fleet, decrease its target capacity. First, the Spot Fleet cancels any open requests that exceed the new target capacity. You can request that the Spot Fleet terminate Spot Instances until the size of the fleet no longer exceeds the new target capacity. If the allocation strategy is lowestPrice, the Spot Fleet terminates the instances with the highest price per unit. If the allocation strategy is capacityOptimized, the Spot Fleet terminates the instances in the Spot Instance pools that have the least available Spot Instance capacity. If the allocation strategy is diversified, the Spot Fleet terminates instances across the Spot Instance pools. Alternatively, you can request that the Spot Fleet keep the fleet at its current size, but not replace any Spot Instances that are interrupted or that you terminate manually. If you are finished with your Spot Fleet for now, but will use it again later, you can set the target capacity to 0. /// - /// - Parameter ModifySpotFleetRequestInput : Contains the parameters for ModifySpotFleetRequest. + /// - Parameter input: Contains the parameters for ModifySpotFleetRequest. (Type: `ModifySpotFleetRequestInput`) /// - /// - Returns: `ModifySpotFleetRequestOutput` : Contains the output of ModifySpotFleetRequest. + /// - Returns: Contains the output of ModifySpotFleetRequest. (Type: `ModifySpotFleetRequestOutput`) public func modifySpotFleetRequest(input: ModifySpotFleetRequestInput) async throws -> ModifySpotFleetRequestOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37862,7 +37273,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifySpotFleetRequestOutput.httpOutput(from:), ModifySpotFleetRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37907,9 +37317,9 @@ extension EC2Client { /// /// * [Outpost racks](https://docs.aws.amazon.com/outposts/latest/userguide/how-racks-work.html) /// - /// - Parameter ModifySubnetAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifySubnetAttributeInput`) /// - /// - Returns: `ModifySubnetAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifySubnetAttributeOutput`) public func modifySubnetAttribute(input: ModifySubnetAttributeInput) async throws -> ModifySubnetAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37936,7 +37346,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifySubnetAttributeOutput.httpOutput(from:), ModifySubnetAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -37970,9 +37379,9 @@ extension EC2Client { /// /// Allows or restricts mirroring network services. By default, Amazon DNS network services are not eligible for Traffic Mirror. Use AddNetworkServices to add network services to a Traffic Mirror filter. When a network service is added to the Traffic Mirror filter, all traffic related to that network service will be mirrored. When you no longer want to mirror network services, use RemoveNetworkServices to remove the network services from the Traffic Mirror filter. /// - /// - Parameter ModifyTrafficMirrorFilterNetworkServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyTrafficMirrorFilterNetworkServicesInput`) /// - /// - Returns: `ModifyTrafficMirrorFilterNetworkServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyTrafficMirrorFilterNetworkServicesOutput`) public func modifyTrafficMirrorFilterNetworkServices(input: ModifyTrafficMirrorFilterNetworkServicesInput) async throws -> ModifyTrafficMirrorFilterNetworkServicesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -37999,7 +37408,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyTrafficMirrorFilterNetworkServicesOutput.httpOutput(from:), ModifyTrafficMirrorFilterNetworkServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38033,9 +37441,9 @@ extension EC2Client { /// /// Modifies the specified Traffic Mirror rule. DestinationCidrBlock and SourceCidrBlock must both be an IPv4 range or an IPv6 range. /// - /// - Parameter ModifyTrafficMirrorFilterRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyTrafficMirrorFilterRuleInput`) /// - /// - Returns: `ModifyTrafficMirrorFilterRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyTrafficMirrorFilterRuleOutput`) public func modifyTrafficMirrorFilterRule(input: ModifyTrafficMirrorFilterRuleInput) async throws -> ModifyTrafficMirrorFilterRuleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38062,7 +37470,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyTrafficMirrorFilterRuleOutput.httpOutput(from:), ModifyTrafficMirrorFilterRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38096,9 +37503,9 @@ extension EC2Client { /// /// Modifies a Traffic Mirror session. /// - /// - Parameter ModifyTrafficMirrorSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyTrafficMirrorSessionInput`) /// - /// - Returns: `ModifyTrafficMirrorSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyTrafficMirrorSessionOutput`) public func modifyTrafficMirrorSession(input: ModifyTrafficMirrorSessionInput) async throws -> ModifyTrafficMirrorSessionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38125,7 +37532,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyTrafficMirrorSessionOutput.httpOutput(from:), ModifyTrafficMirrorSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38159,9 +37565,9 @@ extension EC2Client { /// /// Modifies the specified transit gateway. When you modify a transit gateway, the modified options are applied to new transit gateway attachments only. Your existing transit gateway attachments are not modified. /// - /// - Parameter ModifyTransitGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyTransitGatewayInput`) /// - /// - Returns: `ModifyTransitGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyTransitGatewayOutput`) public func modifyTransitGateway(input: ModifyTransitGatewayInput) async throws -> ModifyTransitGatewayOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38188,7 +37594,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyTransitGatewayOutput.httpOutput(from:), ModifyTransitGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38222,9 +37627,9 @@ extension EC2Client { /// /// Modifies a reference (route) to a prefix list in a specified transit gateway route table. /// - /// - Parameter ModifyTransitGatewayPrefixListReferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyTransitGatewayPrefixListReferenceInput`) /// - /// - Returns: `ModifyTransitGatewayPrefixListReferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyTransitGatewayPrefixListReferenceOutput`) public func modifyTransitGatewayPrefixListReference(input: ModifyTransitGatewayPrefixListReferenceInput) async throws -> ModifyTransitGatewayPrefixListReferenceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38251,7 +37656,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyTransitGatewayPrefixListReferenceOutput.httpOutput(from:), ModifyTransitGatewayPrefixListReferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38285,9 +37689,9 @@ extension EC2Client { /// /// Modifies the specified VPC attachment. /// - /// - Parameter ModifyTransitGatewayVpcAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyTransitGatewayVpcAttachmentInput`) /// - /// - Returns: `ModifyTransitGatewayVpcAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyTransitGatewayVpcAttachmentOutput`) public func modifyTransitGatewayVpcAttachment(input: ModifyTransitGatewayVpcAttachmentInput) async throws -> ModifyTransitGatewayVpcAttachmentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38314,7 +37718,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyTransitGatewayVpcAttachmentOutput.httpOutput(from:), ModifyTransitGatewayVpcAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38348,9 +37751,9 @@ extension EC2Client { /// /// Modifies the configuration of the specified Amazon Web Services Verified Access endpoint. /// - /// - Parameter ModifyVerifiedAccessEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVerifiedAccessEndpointInput`) /// - /// - Returns: `ModifyVerifiedAccessEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVerifiedAccessEndpointOutput`) public func modifyVerifiedAccessEndpoint(input: ModifyVerifiedAccessEndpointInput) async throws -> ModifyVerifiedAccessEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38378,7 +37781,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVerifiedAccessEndpointOutput.httpOutput(from:), ModifyVerifiedAccessEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38412,9 +37814,9 @@ extension EC2Client { /// /// Modifies the specified Amazon Web Services Verified Access endpoint policy. /// - /// - Parameter ModifyVerifiedAccessEndpointPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVerifiedAccessEndpointPolicyInput`) /// - /// - Returns: `ModifyVerifiedAccessEndpointPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVerifiedAccessEndpointPolicyOutput`) public func modifyVerifiedAccessEndpointPolicy(input: ModifyVerifiedAccessEndpointPolicyInput) async throws -> ModifyVerifiedAccessEndpointPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38442,7 +37844,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVerifiedAccessEndpointPolicyOutput.httpOutput(from:), ModifyVerifiedAccessEndpointPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38476,9 +37877,9 @@ extension EC2Client { /// /// Modifies the specified Amazon Web Services Verified Access group configuration. /// - /// - Parameter ModifyVerifiedAccessGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVerifiedAccessGroupInput`) /// - /// - Returns: `ModifyVerifiedAccessGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVerifiedAccessGroupOutput`) public func modifyVerifiedAccessGroup(input: ModifyVerifiedAccessGroupInput) async throws -> ModifyVerifiedAccessGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38506,7 +37907,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVerifiedAccessGroupOutput.httpOutput(from:), ModifyVerifiedAccessGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38540,9 +37940,9 @@ extension EC2Client { /// /// Modifies the specified Amazon Web Services Verified Access group policy. /// - /// - Parameter ModifyVerifiedAccessGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVerifiedAccessGroupPolicyInput`) /// - /// - Returns: `ModifyVerifiedAccessGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVerifiedAccessGroupPolicyOutput`) public func modifyVerifiedAccessGroupPolicy(input: ModifyVerifiedAccessGroupPolicyInput) async throws -> ModifyVerifiedAccessGroupPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38570,7 +37970,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVerifiedAccessGroupPolicyOutput.httpOutput(from:), ModifyVerifiedAccessGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38604,9 +38003,9 @@ extension EC2Client { /// /// Modifies the configuration of the specified Amazon Web Services Verified Access instance. /// - /// - Parameter ModifyVerifiedAccessInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVerifiedAccessInstanceInput`) /// - /// - Returns: `ModifyVerifiedAccessInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVerifiedAccessInstanceOutput`) public func modifyVerifiedAccessInstance(input: ModifyVerifiedAccessInstanceInput) async throws -> ModifyVerifiedAccessInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38634,7 +38033,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVerifiedAccessInstanceOutput.httpOutput(from:), ModifyVerifiedAccessInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38668,9 +38066,9 @@ extension EC2Client { /// /// Modifies the logging configuration for the specified Amazon Web Services Verified Access instance. /// - /// - Parameter ModifyVerifiedAccessInstanceLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVerifiedAccessInstanceLoggingConfigurationInput`) /// - /// - Returns: `ModifyVerifiedAccessInstanceLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVerifiedAccessInstanceLoggingConfigurationOutput`) public func modifyVerifiedAccessInstanceLoggingConfiguration(input: ModifyVerifiedAccessInstanceLoggingConfigurationInput) async throws -> ModifyVerifiedAccessInstanceLoggingConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38698,7 +38096,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVerifiedAccessInstanceLoggingConfigurationOutput.httpOutput(from:), ModifyVerifiedAccessInstanceLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38732,9 +38129,9 @@ extension EC2Client { /// /// Modifies the configuration of the specified Amazon Web Services Verified Access trust provider. /// - /// - Parameter ModifyVerifiedAccessTrustProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVerifiedAccessTrustProviderInput`) /// - /// - Returns: `ModifyVerifiedAccessTrustProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVerifiedAccessTrustProviderOutput`) public func modifyVerifiedAccessTrustProvider(input: ModifyVerifiedAccessTrustProviderInput) async throws -> ModifyVerifiedAccessTrustProviderOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38762,7 +38159,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVerifiedAccessTrustProviderOutput.httpOutput(from:), ModifyVerifiedAccessTrustProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38796,9 +38192,9 @@ extension EC2Client { /// /// You can modify several parameters of an existing EBS volume, including volume size, volume type, and IOPS capacity. If your EBS volume is attached to a current-generation EC2 instance type, you might be able to apply these changes without stopping the instance or detaching the volume from it. For more information about modifying EBS volumes, see [Amazon EBS Elastic Volumes](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-modify-volume.html) in the Amazon EBS User Guide. When you complete a resize operation on your volume, you need to extend the volume's file-system size to take advantage of the new storage capacity. For more information, see [Extend the file system](https://docs.aws.amazon.com/ebs/latest/userguide/recognize-expanded-volume-linux.html). For more information, see [Monitor the progress of volume modifications](https://docs.aws.amazon.com/ebs/latest/userguide/monitoring-volume-modifications.html) in the Amazon EBS User Guide. With previous-generation instance types, resizing an EBS volume might require detaching and reattaching the volume or stopping and restarting the instance. After modifying a volume, you must wait at least six hours and ensure that the volume is in the in-use or available state before you can modify the same volume. This is sometimes referred to as a cooldown period. /// - /// - Parameter ModifyVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVolumeInput`) /// - /// - Returns: `ModifyVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVolumeOutput`) public func modifyVolume(input: ModifyVolumeInput) async throws -> ModifyVolumeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38825,7 +38221,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVolumeOutput.httpOutput(from:), ModifyVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38859,9 +38254,9 @@ extension EC2Client { /// /// Modifies a volume attribute. By default, all I/O operations for the volume are suspended when the data on the volume is determined to be potentially inconsistent, to prevent undetectable, latent data corruption. The I/O access to the volume can be resumed by first enabling I/O access and then checking the data consistency on your volume. You can change the default behavior to resume I/O operations. We recommend that you change this only for boot volumes or for volumes that are stateless or disposable. /// - /// - Parameter ModifyVolumeAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVolumeAttributeInput`) /// - /// - Returns: `ModifyVolumeAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVolumeAttributeOutput`) public func modifyVolumeAttribute(input: ModifyVolumeAttributeInput) async throws -> ModifyVolumeAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38888,7 +38283,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVolumeAttributeOutput.httpOutput(from:), ModifyVolumeAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38922,9 +38316,9 @@ extension EC2Client { /// /// Modifies the specified attribute of the specified VPC. /// - /// - Parameter ModifyVpcAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpcAttributeInput`) /// - /// - Returns: `ModifyVpcAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpcAttributeOutput`) public func modifyVpcAttribute(input: ModifyVpcAttributeInput) async throws -> ModifyVpcAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -38951,7 +38345,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpcAttributeOutput.httpOutput(from:), ModifyVpcAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -38985,9 +38378,9 @@ extension EC2Client { /// /// Modify VPC Block Public Access (BPA) exclusions. A VPC BPA exclusion is a mode that can be applied to a single VPC or subnet that exempts it from the account’s BPA mode and will allow bidirectional or egress-only access. You can create BPA exclusions for VPCs and subnets even when BPA is not enabled on the account to ensure that there is no traffic disruption to the exclusions when VPC BPA is turned on. /// - /// - Parameter ModifyVpcBlockPublicAccessExclusionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpcBlockPublicAccessExclusionInput`) /// - /// - Returns: `ModifyVpcBlockPublicAccessExclusionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpcBlockPublicAccessExclusionOutput`) public func modifyVpcBlockPublicAccessExclusion(input: ModifyVpcBlockPublicAccessExclusionInput) async throws -> ModifyVpcBlockPublicAccessExclusionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39014,7 +38407,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpcBlockPublicAccessExclusionOutput.httpOutput(from:), ModifyVpcBlockPublicAccessExclusionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39048,9 +38440,9 @@ extension EC2Client { /// /// Modify VPC Block Public Access (BPA) options. VPC Block Public Access (BPA) enables you to block resources in VPCs and subnets that you own in a Region from reaching or being reached from the internet through internet gateways and egress-only internet gateways. To learn more about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. /// - /// - Parameter ModifyVpcBlockPublicAccessOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpcBlockPublicAccessOptionsInput`) /// - /// - Returns: `ModifyVpcBlockPublicAccessOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpcBlockPublicAccessOptionsOutput`) public func modifyVpcBlockPublicAccessOptions(input: ModifyVpcBlockPublicAccessOptionsInput) async throws -> ModifyVpcBlockPublicAccessOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39077,7 +38469,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpcBlockPublicAccessOptionsOutput.httpOutput(from:), ModifyVpcBlockPublicAccessOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39111,9 +38502,9 @@ extension EC2Client { /// /// Modifies attributes of a specified VPC endpoint. The attributes that you can modify depend on the type of VPC endpoint (interface, gateway, or Gateway Load Balancer). For more information, see the [Amazon Web Services PrivateLink Guide](https://docs.aws.amazon.com/vpc/latest/privatelink/). /// - /// - Parameter ModifyVpcEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpcEndpointInput`) /// - /// - Returns: `ModifyVpcEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpcEndpointOutput`) public func modifyVpcEndpoint(input: ModifyVpcEndpointInput) async throws -> ModifyVpcEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39140,7 +38531,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpcEndpointOutput.httpOutput(from:), ModifyVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39174,9 +38564,9 @@ extension EC2Client { /// /// Modifies a connection notification for VPC endpoint or VPC endpoint service. You can change the SNS topic for the notification, or the events for which to be notified. /// - /// - Parameter ModifyVpcEndpointConnectionNotificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpcEndpointConnectionNotificationInput`) /// - /// - Returns: `ModifyVpcEndpointConnectionNotificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpcEndpointConnectionNotificationOutput`) public func modifyVpcEndpointConnectionNotification(input: ModifyVpcEndpointConnectionNotificationInput) async throws -> ModifyVpcEndpointConnectionNotificationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39203,7 +38593,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpcEndpointConnectionNotificationOutput.httpOutput(from:), ModifyVpcEndpointConnectionNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39237,9 +38626,9 @@ extension EC2Client { /// /// Modifies the attributes of the specified VPC endpoint service configuration. If you set or modify the private DNS name, you must prove that you own the private DNS domain name. /// - /// - Parameter ModifyVpcEndpointServiceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpcEndpointServiceConfigurationInput`) /// - /// - Returns: `ModifyVpcEndpointServiceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpcEndpointServiceConfigurationOutput`) public func modifyVpcEndpointServiceConfiguration(input: ModifyVpcEndpointServiceConfigurationInput) async throws -> ModifyVpcEndpointServiceConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39266,7 +38655,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpcEndpointServiceConfigurationOutput.httpOutput(from:), ModifyVpcEndpointServiceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39300,9 +38688,9 @@ extension EC2Client { /// /// Modifies the payer responsibility for your VPC endpoint service. /// - /// - Parameter ModifyVpcEndpointServicePayerResponsibilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpcEndpointServicePayerResponsibilityInput`) /// - /// - Returns: `ModifyVpcEndpointServicePayerResponsibilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpcEndpointServicePayerResponsibilityOutput`) public func modifyVpcEndpointServicePayerResponsibility(input: ModifyVpcEndpointServicePayerResponsibilityInput) async throws -> ModifyVpcEndpointServicePayerResponsibilityOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39329,7 +38717,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpcEndpointServicePayerResponsibilityOutput.httpOutput(from:), ModifyVpcEndpointServicePayerResponsibilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39363,9 +38750,9 @@ extension EC2Client { /// /// Modifies the permissions for your VPC endpoint service. You can add or remove permissions for service consumers (Amazon Web Services accounts, users, and IAM roles) to connect to your endpoint service. Principal ARNs with path components aren't supported. If you grant permissions to all principals, the service is public. Any users who know the name of a public service can send a request to attach an endpoint. If the service does not require manual approval, attachments are automatically approved. /// - /// - Parameter ModifyVpcEndpointServicePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpcEndpointServicePermissionsInput`) /// - /// - Returns: `ModifyVpcEndpointServicePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpcEndpointServicePermissionsOutput`) public func modifyVpcEndpointServicePermissions(input: ModifyVpcEndpointServicePermissionsInput) async throws -> ModifyVpcEndpointServicePermissionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39392,7 +38779,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpcEndpointServicePermissionsOutput.httpOutput(from:), ModifyVpcEndpointServicePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39426,9 +38812,9 @@ extension EC2Client { /// /// Modifies the VPC peering connection options on one side of a VPC peering connection. If the peered VPCs are in the same Amazon Web Services account, you can enable DNS resolution for queries from the local VPC. This ensures that queries from the local VPC resolve to private IP addresses in the peer VPC. This option is not available if the peered VPCs are in different Amazon Web Services accounts or different Regions. For peered VPCs in different Amazon Web Services accounts, each Amazon Web Services account owner must initiate a separate request to modify the peering connection options. For inter-region peering connections, you must use the Region for the requester VPC to modify the requester VPC peering options and the Region for the accepter VPC to modify the accepter VPC peering options. To verify which VPCs are the accepter and the requester for a VPC peering connection, use the [DescribeVpcPeeringConnections] command. /// - /// - Parameter ModifyVpcPeeringConnectionOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpcPeeringConnectionOptionsInput`) /// - /// - Returns: `ModifyVpcPeeringConnectionOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpcPeeringConnectionOptionsOutput`) public func modifyVpcPeeringConnectionOptions(input: ModifyVpcPeeringConnectionOptionsInput) async throws -> ModifyVpcPeeringConnectionOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39455,7 +38841,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpcPeeringConnectionOptionsOutput.httpOutput(from:), ModifyVpcPeeringConnectionOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39489,9 +38874,9 @@ extension EC2Client { /// /// Modifies the instance tenancy attribute of the specified VPC. You can change the instance tenancy attribute of a VPC to default only. You cannot change the instance tenancy attribute to dedicated. After you modify the tenancy of the VPC, any new instances that you launch into the VPC have a tenancy of default, unless you specify otherwise during launch. The tenancy of any existing instances in the VPC is not affected. For more information, see [Dedicated Instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/dedicated-instance.html) in the Amazon EC2 User Guide. /// - /// - Parameter ModifyVpcTenancyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpcTenancyInput`) /// - /// - Returns: `ModifyVpcTenancyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpcTenancyOutput`) public func modifyVpcTenancy(input: ModifyVpcTenancyInput) async throws -> ModifyVpcTenancyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39518,7 +38903,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpcTenancyOutput.httpOutput(from:), ModifyVpcTenancyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39563,9 +38947,9 @@ extension EC2Client { /// /// Before you perform the migration to the new gateway, you must configure the new gateway. Use [CreateVpnGateway] to create a virtual private gateway, or [CreateTransitGateway] to create a transit gateway. This step is required when you migrate from a virtual private gateway with static routes to a transit gateway. You must delete the static routes before you migrate to the new gateway. Keep a copy of the static route before you delete it. You will need to add back these routes to the transit gateway after the VPN connection migration is complete. After you migrate to the new gateway, you might need to modify your VPC route table. Use [CreateRoute] and [DeleteRoute] to make the changes described in [Update VPC route tables](https://docs.aws.amazon.com/vpn/latest/s2svpn/modify-vpn-target.html#step-update-routing) in the Amazon Web Services Site-to-Site VPN User Guide. When the new gateway is a transit gateway, modify the transit gateway route table to allow traffic between the VPC and the Amazon Web Services Site-to-Site VPN connection. Use [CreateTransitGatewayRoute] to add the routes. If you deleted VPN static routes, you must add the static routes to the transit gateway route table. After you perform this operation, the VPN endpoint's IP addresses on the Amazon Web Services side and the tunnel options remain intact. Your Amazon Web Services Site-to-Site VPN connection will be temporarily unavailable for a brief period while we provision the new endpoints. /// - /// - Parameter ModifyVpnConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpnConnectionInput`) /// - /// - Returns: `ModifyVpnConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpnConnectionOutput`) public func modifyVpnConnection(input: ModifyVpnConnectionInput) async throws -> ModifyVpnConnectionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39592,7 +38976,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpnConnectionOutput.httpOutput(from:), ModifyVpnConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39626,9 +39009,9 @@ extension EC2Client { /// /// Modifies the connection options for your Site-to-Site VPN connection. When you modify the VPN connection options, the VPN endpoint IP addresses on the Amazon Web Services side do not change, and the tunnel options do not change. Your VPN connection will be temporarily unavailable for a brief period while the VPN connection is updated. /// - /// - Parameter ModifyVpnConnectionOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpnConnectionOptionsInput`) /// - /// - Returns: `ModifyVpnConnectionOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpnConnectionOptionsOutput`) public func modifyVpnConnectionOptions(input: ModifyVpnConnectionOptionsInput) async throws -> ModifyVpnConnectionOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39655,7 +39038,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpnConnectionOptionsOutput.httpOutput(from:), ModifyVpnConnectionOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39689,9 +39071,9 @@ extension EC2Client { /// /// Modifies the VPN tunnel endpoint certificate. /// - /// - Parameter ModifyVpnTunnelCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpnTunnelCertificateInput`) /// - /// - Returns: `ModifyVpnTunnelCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpnTunnelCertificateOutput`) public func modifyVpnTunnelCertificate(input: ModifyVpnTunnelCertificateInput) async throws -> ModifyVpnTunnelCertificateOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39718,7 +39100,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpnTunnelCertificateOutput.httpOutput(from:), ModifyVpnTunnelCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39752,9 +39133,9 @@ extension EC2Client { /// /// Modifies the options for a VPN tunnel in an Amazon Web Services Site-to-Site VPN connection. You can modify multiple options for a tunnel in a single request, but you can only modify one tunnel at a time. For more information, see [Site-to-Site VPN tunnel options for your Site-to-Site VPN connection](https://docs.aws.amazon.com/vpn/latest/s2svpn/VPNTunnels.html) in the Amazon Web Services Site-to-Site VPN User Guide. /// - /// - Parameter ModifyVpnTunnelOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyVpnTunnelOptionsInput`) /// - /// - Returns: `ModifyVpnTunnelOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyVpnTunnelOptionsOutput`) public func modifyVpnTunnelOptions(input: ModifyVpnTunnelOptionsInput) async throws -> ModifyVpnTunnelOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39781,7 +39162,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyVpnTunnelOptionsOutput.httpOutput(from:), ModifyVpnTunnelOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39815,9 +39195,9 @@ extension EC2Client { /// /// Enables detailed monitoring for a running instance. Otherwise, basic monitoring is enabled. For more information, see [Monitor your instances using CloudWatch](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/using-cloudwatch.html) in the Amazon EC2 User Guide. To disable detailed monitoring, see [UnmonitorInstances](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_UnmonitorInstances.html). /// - /// - Parameter MonitorInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MonitorInstancesInput`) /// - /// - Returns: `MonitorInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MonitorInstancesOutput`) public func monitorInstances(input: MonitorInstancesInput) async throws -> MonitorInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39844,7 +39224,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MonitorInstancesOutput.httpOutput(from:), MonitorInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39878,9 +39257,9 @@ extension EC2Client { /// /// This action is deprecated. Moves an Elastic IP address from the EC2-Classic platform to the EC2-VPC platform. The Elastic IP address must be allocated to your account for more than 24 hours, and it must not be associated with an instance. After the Elastic IP address is moved, it is no longer available for use in the EC2-Classic platform. You cannot move an Elastic IP address that was originally allocated for use in the EC2-VPC platform to the EC2-Classic platform. /// - /// - Parameter MoveAddressToVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MoveAddressToVpcInput`) /// - /// - Returns: `MoveAddressToVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MoveAddressToVpcOutput`) public func moveAddressToVpc(input: MoveAddressToVpcInput) async throws -> MoveAddressToVpcOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39907,7 +39286,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MoveAddressToVpcOutput.httpOutput(from:), MoveAddressToVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -39941,9 +39319,9 @@ extension EC2Client { /// /// Move a BYOIPv4 CIDR to IPAM from a public IPv4 pool. If you already have a BYOIPv4 CIDR with Amazon Web Services, you can move the CIDR to IPAM from a public IPv4 pool. You cannot move an IPv6 CIDR to IPAM. If you are bringing a new IP address to Amazon Web Services for the first time, complete the steps in [Tutorial: BYOIP address CIDRs to IPAM](https://docs.aws.amazon.com/vpc/latest/ipam/tutorials-byoip-ipam.html). /// - /// - Parameter MoveByoipCidrToIpamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MoveByoipCidrToIpamInput`) /// - /// - Returns: `MoveByoipCidrToIpamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MoveByoipCidrToIpamOutput`) public func moveByoipCidrToIpam(input: MoveByoipCidrToIpamInput) async throws -> MoveByoipCidrToIpamOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -39970,7 +39348,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MoveByoipCidrToIpamOutput.httpOutput(from:), MoveByoipCidrToIpamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40016,9 +39393,9 @@ extension EC2Client { /// /// * Capacity Reservation end time - At specific time or Manually. /// - /// - Parameter MoveCapacityReservationInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MoveCapacityReservationInstancesInput`) /// - /// - Returns: `MoveCapacityReservationInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MoveCapacityReservationInstancesOutput`) public func moveCapacityReservationInstances(input: MoveCapacityReservationInstancesInput) async throws -> MoveCapacityReservationInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40046,7 +39423,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MoveCapacityReservationInstancesOutput.httpOutput(from:), MoveCapacityReservationInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40080,9 +39456,9 @@ extension EC2Client { /// /// Provisions an IPv4 or IPv6 address range for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP) and creates a corresponding address pool. After the address range is provisioned, it is ready to be advertised. Amazon Web Services verifies that you own the address range and are authorized to advertise it. You must ensure that the address range is registered to you and that you created an RPKI ROA to authorize Amazon ASNs 16509 and 14618 to advertise the address range. For more information, see [Bring your own IP addresses (BYOIP)](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-byoip.html) in the Amazon EC2 User Guide. Provisioning an address range is an asynchronous operation, so the call returns immediately, but the address range is not ready to use until its status changes from pending-provision to provisioned. For more information, see [Onboard your address range](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/byoip-onboard.html). /// - /// - Parameter ProvisionByoipCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ProvisionByoipCidrInput`) /// - /// - Returns: `ProvisionByoipCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ProvisionByoipCidrOutput`) public func provisionByoipCidr(input: ProvisionByoipCidrInput) async throws -> ProvisionByoipCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40109,7 +39485,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ProvisionByoipCidrOutput.httpOutput(from:), ProvisionByoipCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40143,9 +39518,9 @@ extension EC2Client { /// /// Provisions your Autonomous System Number (ASN) for use in your Amazon Web Services account. This action requires authorization context for Amazon to bring the ASN to an Amazon Web Services account. For more information, see [Tutorial: Bring your ASN to IPAM](https://docs.aws.amazon.com/vpc/latest/ipam/tutorials-byoasn.html) in the Amazon VPC IPAM guide. /// - /// - Parameter ProvisionIpamByoasnInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ProvisionIpamByoasnInput`) /// - /// - Returns: `ProvisionIpamByoasnOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ProvisionIpamByoasnOutput`) public func provisionIpamByoasn(input: ProvisionIpamByoasnInput) async throws -> ProvisionIpamByoasnOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40172,7 +39547,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ProvisionIpamByoasnOutput.httpOutput(from:), ProvisionIpamByoasnOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40206,9 +39580,9 @@ extension EC2Client { /// /// Provision a CIDR to an IPAM pool. You can use this action to provision new CIDRs to a top-level pool or to transfer a CIDR from a top-level pool to a pool within it. For more information, see [Provision CIDRs to pools](https://docs.aws.amazon.com/vpc/latest/ipam/prov-cidr-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter ProvisionIpamPoolCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ProvisionIpamPoolCidrInput`) /// - /// - Returns: `ProvisionIpamPoolCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ProvisionIpamPoolCidrOutput`) public func provisionIpamPoolCidr(input: ProvisionIpamPoolCidrInput) async throws -> ProvisionIpamPoolCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40236,7 +39610,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ProvisionIpamPoolCidrOutput.httpOutput(from:), ProvisionIpamPoolCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40270,9 +39643,9 @@ extension EC2Client { /// /// Provision a CIDR to a public IPv4 pool. For more information about IPAM, see [What is IPAM?](https://docs.aws.amazon.com/vpc/latest/ipam/what-is-it-ipam.html) in the Amazon VPC IPAM User Guide. /// - /// - Parameter ProvisionPublicIpv4PoolCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ProvisionPublicIpv4PoolCidrInput`) /// - /// - Returns: `ProvisionPublicIpv4PoolCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ProvisionPublicIpv4PoolCidrOutput`) public func provisionPublicIpv4PoolCidr(input: ProvisionPublicIpv4PoolCidrInput) async throws -> ProvisionPublicIpv4PoolCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40299,7 +39672,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ProvisionPublicIpv4PoolCidrOutput.httpOutput(from:), ProvisionPublicIpv4PoolCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40333,9 +39705,9 @@ extension EC2Client { /// /// Purchase the Capacity Block for use with your account. With Capacity Blocks you ensure GPU capacity is available for machine learning (ML) workloads. You must specify the ID of the Capacity Block offering you are purchasing. /// - /// - Parameter PurchaseCapacityBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PurchaseCapacityBlockInput`) /// - /// - Returns: `PurchaseCapacityBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PurchaseCapacityBlockOutput`) public func purchaseCapacityBlock(input: PurchaseCapacityBlockInput) async throws -> PurchaseCapacityBlockOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40362,7 +39734,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseCapacityBlockOutput.httpOutput(from:), PurchaseCapacityBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40396,9 +39767,9 @@ extension EC2Client { /// /// Purchase the Capacity Block extension for use with your account. You must specify the ID of the Capacity Block extension offering you are purchasing. /// - /// - Parameter PurchaseCapacityBlockExtensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PurchaseCapacityBlockExtensionInput`) /// - /// - Returns: `PurchaseCapacityBlockExtensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PurchaseCapacityBlockExtensionOutput`) public func purchaseCapacityBlockExtension(input: PurchaseCapacityBlockExtensionInput) async throws -> PurchaseCapacityBlockExtensionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40425,7 +39796,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseCapacityBlockExtensionOutput.httpOutput(from:), PurchaseCapacityBlockExtensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40459,9 +39829,9 @@ extension EC2Client { /// /// Purchase a reservation with configurations that match those of your Dedicated Host. You must have active Dedicated Hosts in your account before you purchase a reservation. This action results in the specified reservation being purchased and charged to your account. /// - /// - Parameter PurchaseHostReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PurchaseHostReservationInput`) /// - /// - Returns: `PurchaseHostReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PurchaseHostReservationOutput`) public func purchaseHostReservation(input: PurchaseHostReservationInput) async throws -> PurchaseHostReservationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40488,7 +39858,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseHostReservationOutput.httpOutput(from:), PurchaseHostReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40522,9 +39891,9 @@ extension EC2Client { /// /// Purchases a Reserved Instance for use with your account. With Reserved Instances, you pay a lower hourly rate compared to On-Demand instance pricing. Use [DescribeReservedInstancesOfferings] to get a list of Reserved Instance offerings that match your specifications. After you've purchased a Reserved Instance, you can check for your new Reserved Instance with [DescribeReservedInstances]. To queue a purchase for a future date and time, specify a purchase time. If you do not specify a purchase time, the default is the current time. For more information, see [Reserved Instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/concepts-on-demand-reserved-instances.html) and [Sell in the Reserved Instance Marketplace](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ri-market-general.html) in the Amazon EC2 User Guide. /// - /// - Parameter PurchaseReservedInstancesOfferingInput : Contains the parameters for PurchaseReservedInstancesOffering. + /// - Parameter input: Contains the parameters for PurchaseReservedInstancesOffering. (Type: `PurchaseReservedInstancesOfferingInput`) /// - /// - Returns: `PurchaseReservedInstancesOfferingOutput` : Contains the output of PurchaseReservedInstancesOffering. + /// - Returns: Contains the output of PurchaseReservedInstancesOffering. (Type: `PurchaseReservedInstancesOfferingOutput`) public func purchaseReservedInstancesOffering(input: PurchaseReservedInstancesOfferingInput) async throws -> PurchaseReservedInstancesOfferingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40551,7 +39920,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseReservedInstancesOfferingOutput.httpOutput(from:), PurchaseReservedInstancesOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40585,9 +39953,9 @@ extension EC2Client { /// /// You can no longer purchase Scheduled Instances. Purchases the Scheduled Instances with the specified schedule. Scheduled Instances enable you to purchase Amazon EC2 compute capacity by the hour for a one-year term. Before you can purchase a Scheduled Instance, you must call [DescribeScheduledInstanceAvailability] to check for available schedules and obtain a purchase token. After you purchase a Scheduled Instance, you must call [RunScheduledInstances] during each scheduled time period. After you purchase a Scheduled Instance, you can't cancel, modify, or resell your purchase. /// - /// - Parameter PurchaseScheduledInstancesInput : Contains the parameters for PurchaseScheduledInstances. + /// - Parameter input: Contains the parameters for PurchaseScheduledInstances. (Type: `PurchaseScheduledInstancesInput`) /// - /// - Returns: `PurchaseScheduledInstancesOutput` : Contains the output of PurchaseScheduledInstances. + /// - Returns: Contains the output of PurchaseScheduledInstances. (Type: `PurchaseScheduledInstancesOutput`) public func purchaseScheduledInstances(input: PurchaseScheduledInstancesInput) async throws -> PurchaseScheduledInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40615,7 +39983,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseScheduledInstancesOutput.httpOutput(from:), PurchaseScheduledInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40649,9 +40016,9 @@ extension EC2Client { /// /// Requests a reboot of the specified instances. This operation is asynchronous; it only queues a request to reboot the specified instances. The operation succeeds if the instances are valid and belong to you. Requests to reboot terminated instances are ignored. If an instance does not cleanly shut down within a few minutes, Amazon EC2 performs a hard reboot. For more information about troubleshooting, see [Troubleshoot an unreachable instance](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/instance-console.html) in the Amazon EC2 User Guide. /// - /// - Parameter RebootInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootInstancesInput`) /// - /// - Returns: `RebootInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootInstancesOutput`) public func rebootInstances(input: RebootInstancesInput) async throws -> RebootInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40678,7 +40045,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootInstancesOutput.httpOutput(from:), RebootInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40712,9 +40078,9 @@ extension EC2Client { /// /// Registers an AMI. When you're creating an instance-store backed AMI, registering the AMI is the final step in the creation process. For more information about creating AMIs, see [Create an AMI from a snapshot](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/creating-an-ami-ebs.html#creating-launching-ami-from-snapshot) and [Create an instance-store backed AMI](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/creating-an-ami-instance-store.html) in the Amazon EC2 User Guide. If needed, you can deregister an AMI at any time. Any modifications you make to an AMI backed by an instance store volume invalidates its registration. If you make changes to an image, deregister the previous image and register the new image. Register a snapshot of a root device volume You can use RegisterImage to create an Amazon EBS-backed Linux AMI from a snapshot of a root device volume. You specify the snapshot using a block device mapping. You can't set the encryption state of the volume using the block device mapping. If the snapshot is encrypted, or encryption by default is enabled, the root volume of an instance launched from the AMI is encrypted. For more information, see [Create an AMI from a snapshot](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/creating-an-ami-ebs.html#creating-launching-ami-from-snapshot) and [Use encryption with EBS-backed AMIs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/AMIEncryption.html) in the Amazon EC2 User Guide. Amazon Web Services Marketplace product codes If any snapshots have Amazon Web Services Marketplace product codes, they are copied to the new AMI. In most cases, AMIs for Windows, RedHat, SUSE, and SQL Server require correct licensing information to be present on the AMI. For more information, see [Understand AMI billing information](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ami-billing-info.html) in the Amazon EC2 User Guide. When creating an AMI from a snapshot, the RegisterImage operation derives the correct billing information from the snapshot's metadata, but this requires the appropriate metadata to be present. To verify if the correct billing information was applied, check the PlatformDetails field on the new AMI. If the field is empty or doesn't match the expected operating system code (for example, Windows, RedHat, SUSE, or SQL), the AMI creation was unsuccessful, and you should discard the AMI and instead create the AMI from an instance. For more information, see [Create an AMI from an instance ](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/creating-an-ami-ebs.html#how-to-create-ebs-ami) in the Amazon EC2 User Guide. If you purchase a Reserved Instance to apply to an On-Demand Instance that was launched from an AMI with a billing product code, make sure that the Reserved Instance has the matching billing product code. If you purchase a Reserved Instance without the matching billing product code, the Reserved Instance is not applied to the On-Demand Instance. For information about how to obtain the platform details and billing information of an AMI, see [Understand AMI billing information](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ami-billing-info.html) in the Amazon EC2 User Guide. /// - /// - Parameter RegisterImageInput : Contains the parameters for RegisterImage. + /// - Parameter input: Contains the parameters for RegisterImage. (Type: `RegisterImageInput`) /// - /// - Returns: `RegisterImageOutput` : Contains the output of RegisterImage. + /// - Returns: Contains the output of RegisterImage. (Type: `RegisterImageOutput`) public func registerImage(input: RegisterImageInput) async throws -> RegisterImageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40741,7 +40107,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterImageOutput.httpOutput(from:), RegisterImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40775,9 +40140,9 @@ extension EC2Client { /// /// Registers a set of tag keys to include in scheduled event notifications for your resources. To remove tags, use [DeregisterInstanceEventNotificationAttributes](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DeregisterInstanceEventNotificationAttributes.html). /// - /// - Parameter RegisterInstanceEventNotificationAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterInstanceEventNotificationAttributesInput`) /// - /// - Returns: `RegisterInstanceEventNotificationAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterInstanceEventNotificationAttributesOutput`) public func registerInstanceEventNotificationAttributes(input: RegisterInstanceEventNotificationAttributesInput) async throws -> RegisterInstanceEventNotificationAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40804,7 +40169,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterInstanceEventNotificationAttributesOutput.httpOutput(from:), RegisterInstanceEventNotificationAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40838,9 +40202,9 @@ extension EC2Client { /// /// Registers members (network interfaces) with the transit gateway multicast group. A member is a network interface associated with a supported EC2 instance that receives multicast traffic. For more information, see [Multicast on transit gateways](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-multicast-overview.html) in the Amazon Web Services Transit Gateways Guide. After you add the members, use [SearchTransitGatewayMulticastGroups](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_SearchTransitGatewayMulticastGroups.html) to verify that the members were added to the transit gateway multicast group. /// - /// - Parameter RegisterTransitGatewayMulticastGroupMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterTransitGatewayMulticastGroupMembersInput`) /// - /// - Returns: `RegisterTransitGatewayMulticastGroupMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterTransitGatewayMulticastGroupMembersOutput`) public func registerTransitGatewayMulticastGroupMembers(input: RegisterTransitGatewayMulticastGroupMembersInput) async throws -> RegisterTransitGatewayMulticastGroupMembersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40867,7 +40231,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterTransitGatewayMulticastGroupMembersOutput.httpOutput(from:), RegisterTransitGatewayMulticastGroupMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40901,9 +40264,9 @@ extension EC2Client { /// /// Registers sources (network interfaces) with the specified transit gateway multicast group. A multicast source is a network interface attached to a supported instance that sends multicast traffic. For more information about supported instances, see [Multicast on transit gateways](https://docs.aws.amazon.com/vpc/latest/tgw/tgw-multicast-overview.html) in the Amazon Web Services Transit Gateways Guide. After you add the source, use [SearchTransitGatewayMulticastGroups](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_SearchTransitGatewayMulticastGroups.html) to verify that the source was added to the multicast group. /// - /// - Parameter RegisterTransitGatewayMulticastGroupSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterTransitGatewayMulticastGroupSourcesInput`) /// - /// - Returns: `RegisterTransitGatewayMulticastGroupSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterTransitGatewayMulticastGroupSourcesOutput`) public func registerTransitGatewayMulticastGroupSources(input: RegisterTransitGatewayMulticastGroupSourcesInput) async throws -> RegisterTransitGatewayMulticastGroupSourcesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40930,7 +40293,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterTransitGatewayMulticastGroupSourcesOutput.httpOutput(from:), RegisterTransitGatewayMulticastGroupSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -40964,9 +40326,9 @@ extension EC2Client { /// /// Rejects a request to assign billing of the available capacity of a shared Capacity Reservation to your account. For more information, see [ Billing assignment for shared Amazon EC2 Capacity Reservations](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/assign-billing.html). /// - /// - Parameter RejectCapacityReservationBillingOwnershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectCapacityReservationBillingOwnershipInput`) /// - /// - Returns: `RejectCapacityReservationBillingOwnershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectCapacityReservationBillingOwnershipOutput`) public func rejectCapacityReservationBillingOwnership(input: RejectCapacityReservationBillingOwnershipInput) async throws -> RejectCapacityReservationBillingOwnershipOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -40993,7 +40355,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectCapacityReservationBillingOwnershipOutput.httpOutput(from:), RejectCapacityReservationBillingOwnershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41027,9 +40388,9 @@ extension EC2Client { /// /// Rejects a request to associate cross-account subnets with a transit gateway multicast domain. /// - /// - Parameter RejectTransitGatewayMulticastDomainAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectTransitGatewayMulticastDomainAssociationsInput`) /// - /// - Returns: `RejectTransitGatewayMulticastDomainAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectTransitGatewayMulticastDomainAssociationsOutput`) public func rejectTransitGatewayMulticastDomainAssociations(input: RejectTransitGatewayMulticastDomainAssociationsInput) async throws -> RejectTransitGatewayMulticastDomainAssociationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41056,7 +40417,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectTransitGatewayMulticastDomainAssociationsOutput.httpOutput(from:), RejectTransitGatewayMulticastDomainAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41090,9 +40450,9 @@ extension EC2Client { /// /// Rejects a transit gateway peering attachment request. /// - /// - Parameter RejectTransitGatewayPeeringAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectTransitGatewayPeeringAttachmentInput`) /// - /// - Returns: `RejectTransitGatewayPeeringAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectTransitGatewayPeeringAttachmentOutput`) public func rejectTransitGatewayPeeringAttachment(input: RejectTransitGatewayPeeringAttachmentInput) async throws -> RejectTransitGatewayPeeringAttachmentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41119,7 +40479,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectTransitGatewayPeeringAttachmentOutput.httpOutput(from:), RejectTransitGatewayPeeringAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41153,9 +40512,9 @@ extension EC2Client { /// /// Rejects a request to attach a VPC to a transit gateway. The VPC attachment must be in the pendingAcceptance state. Use [DescribeTransitGatewayVpcAttachments] to view your pending VPC attachment requests. Use [AcceptTransitGatewayVpcAttachment] to accept a VPC attachment request. /// - /// - Parameter RejectTransitGatewayVpcAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectTransitGatewayVpcAttachmentInput`) /// - /// - Returns: `RejectTransitGatewayVpcAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectTransitGatewayVpcAttachmentOutput`) public func rejectTransitGatewayVpcAttachment(input: RejectTransitGatewayVpcAttachmentInput) async throws -> RejectTransitGatewayVpcAttachmentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41182,7 +40541,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectTransitGatewayVpcAttachmentOutput.httpOutput(from:), RejectTransitGatewayVpcAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41216,9 +40574,9 @@ extension EC2Client { /// /// Rejects VPC endpoint connection requests to your VPC endpoint service. /// - /// - Parameter RejectVpcEndpointConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectVpcEndpointConnectionsInput`) /// - /// - Returns: `RejectVpcEndpointConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectVpcEndpointConnectionsOutput`) public func rejectVpcEndpointConnections(input: RejectVpcEndpointConnectionsInput) async throws -> RejectVpcEndpointConnectionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41245,7 +40603,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectVpcEndpointConnectionsOutput.httpOutput(from:), RejectVpcEndpointConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41279,9 +40636,9 @@ extension EC2Client { /// /// Rejects a VPC peering connection request. The VPC peering connection must be in the pending-acceptance state. Use the [DescribeVpcPeeringConnections] request to view your outstanding VPC peering connection requests. To delete an active VPC peering connection, or to delete a VPC peering connection request that you initiated, use [DeleteVpcPeeringConnection]. /// - /// - Parameter RejectVpcPeeringConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectVpcPeeringConnectionInput`) /// - /// - Returns: `RejectVpcPeeringConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectVpcPeeringConnectionOutput`) public func rejectVpcPeeringConnection(input: RejectVpcPeeringConnectionInput) async throws -> RejectVpcPeeringConnectionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41308,7 +40665,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectVpcPeeringConnectionOutput.httpOutput(from:), RejectVpcPeeringConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41342,9 +40698,9 @@ extension EC2Client { /// /// Releases the specified Elastic IP address. [Default VPC] Releasing an Elastic IP address automatically disassociates it from any instance that it's associated with. Alternatively, you can disassociate an Elastic IP address without releasing it. [Nondefault VPC] You must disassociate the Elastic IP address before you can release it. Otherwise, Amazon EC2 returns an error (InvalidIPAddress.InUse). After releasing an Elastic IP address, it is released to the IP address pool. Be sure to update your DNS records and any servers or devices that communicate with the address. If you attempt to release an Elastic IP address that you already released, you'll get an AuthFailure error if the address is already allocated to another Amazon Web Services account. After you release an Elastic IP address, you might be able to recover it. For more information, see [Release an Elastic IP address](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/using-instance-addressing-eips-releasing.html). /// - /// - Parameter ReleaseAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReleaseAddressInput`) /// - /// - Returns: `ReleaseAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReleaseAddressOutput`) public func releaseAddress(input: ReleaseAddressInput) async throws -> ReleaseAddressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41371,7 +40727,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReleaseAddressOutput.httpOutput(from:), ReleaseAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41405,9 +40760,9 @@ extension EC2Client { /// /// When you no longer want to use an On-Demand Dedicated Host it can be released. On-Demand billing is stopped and the host goes into released state. The host ID of Dedicated Hosts that have been released can no longer be specified in another request, for example, to modify the host. You must stop or terminate all instances on a host before it can be released. When Dedicated Hosts are released, it may take some time for them to stop counting toward your limit and you may receive capacity errors when trying to allocate new Dedicated Hosts. Wait a few minutes and then try again. Released hosts still appear in a [DescribeHosts] response. /// - /// - Parameter ReleaseHostsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReleaseHostsInput`) /// - /// - Returns: `ReleaseHostsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReleaseHostsOutput`) public func releaseHosts(input: ReleaseHostsInput) async throws -> ReleaseHostsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41434,7 +40789,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReleaseHostsOutput.httpOutput(from:), ReleaseHostsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41468,9 +40822,9 @@ extension EC2Client { /// /// Release an allocation within an IPAM pool. The Region you use should be the IPAM pool locale. The locale is the Amazon Web Services Region where this IPAM pool is available for allocations. You can only use this action to release manual allocations. To remove an allocation for a resource without deleting the resource, set its monitored state to false using [ModifyIpamResourceCidr](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_ModifyIpamResourceCidr.html). For more information, see [Release an allocation](https://docs.aws.amazon.com/vpc/latest/ipam/release-alloc-ipam.html) in the Amazon VPC IPAM User Guide. All EC2 API actions follow an [eventual consistency](https://docs.aws.amazon.com/ec2/latest/devguide/eventual-consistency.html) model. /// - /// - Parameter ReleaseIpamPoolAllocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReleaseIpamPoolAllocationInput`) /// - /// - Returns: `ReleaseIpamPoolAllocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReleaseIpamPoolAllocationOutput`) public func releaseIpamPoolAllocation(input: ReleaseIpamPoolAllocationInput) async throws -> ReleaseIpamPoolAllocationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41497,7 +40851,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReleaseIpamPoolAllocationOutput.httpOutput(from:), ReleaseIpamPoolAllocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41531,9 +40884,9 @@ extension EC2Client { /// /// Replaces an IAM instance profile for the specified running instance. You can use this action to change the IAM instance profile that's associated with an instance without having to disassociate the existing IAM instance profile first. Use [DescribeIamInstanceProfileAssociations] to get the association ID. /// - /// - Parameter ReplaceIamInstanceProfileAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplaceIamInstanceProfileAssociationInput`) /// - /// - Returns: `ReplaceIamInstanceProfileAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplaceIamInstanceProfileAssociationOutput`) public func replaceIamInstanceProfileAssociation(input: ReplaceIamInstanceProfileAssociationInput) async throws -> ReplaceIamInstanceProfileAssociationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41560,7 +40913,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplaceIamInstanceProfileAssociationOutput.httpOutput(from:), ReplaceIamInstanceProfileAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41594,9 +40946,9 @@ extension EC2Client { /// /// Sets or replaces the criteria for Allowed AMIs. The Allowed AMIs feature does not restrict the AMIs owned by your account. Regardless of the criteria you set, the AMIs created by your account will always be discoverable and usable by users in your account. For more information, see [Control the discovery and use of AMIs in Amazon EC2 with Allowed AMIs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-allowed-amis.html) in Amazon EC2 User Guide. /// - /// - Parameter ReplaceImageCriteriaInAllowedImagesSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplaceImageCriteriaInAllowedImagesSettingsInput`) /// - /// - Returns: `ReplaceImageCriteriaInAllowedImagesSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplaceImageCriteriaInAllowedImagesSettingsOutput`) public func replaceImageCriteriaInAllowedImagesSettings(input: ReplaceImageCriteriaInAllowedImagesSettingsInput) async throws -> ReplaceImageCriteriaInAllowedImagesSettingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41623,7 +40975,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplaceImageCriteriaInAllowedImagesSettingsOutput.httpOutput(from:), ReplaceImageCriteriaInAllowedImagesSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41657,9 +41008,9 @@ extension EC2Client { /// /// Changes which network ACL a subnet is associated with. By default when you create a subnet, it's automatically associated with the default network ACL. For more information, see [Network ACLs](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-network-acls.html) in the Amazon VPC User Guide. This is an idempotent operation. /// - /// - Parameter ReplaceNetworkAclAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplaceNetworkAclAssociationInput`) /// - /// - Returns: `ReplaceNetworkAclAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplaceNetworkAclAssociationOutput`) public func replaceNetworkAclAssociation(input: ReplaceNetworkAclAssociationInput) async throws -> ReplaceNetworkAclAssociationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41686,7 +41037,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplaceNetworkAclAssociationOutput.httpOutput(from:), ReplaceNetworkAclAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41720,9 +41070,9 @@ extension EC2Client { /// /// Replaces an entry (rule) in a network ACL. For more information, see [Network ACLs](https://docs.aws.amazon.com/vpc/latest/userguide/vpc-network-acls.html) in the Amazon VPC User Guide. /// - /// - Parameter ReplaceNetworkAclEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplaceNetworkAclEntryInput`) /// - /// - Returns: `ReplaceNetworkAclEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplaceNetworkAclEntryOutput`) public func replaceNetworkAclEntry(input: ReplaceNetworkAclEntryInput) async throws -> ReplaceNetworkAclEntryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41749,7 +41099,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplaceNetworkAclEntryOutput.httpOutput(from:), ReplaceNetworkAclEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41783,9 +41132,9 @@ extension EC2Client { /// /// Replaces an existing route within a route table in a VPC. You must specify either a destination CIDR block or a prefix list ID. You must also specify exactly one of the resources from the parameter list, or reset the local route to its default target. For more information, see [Route tables](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Route_Tables.html) in the Amazon VPC User Guide. /// - /// - Parameter ReplaceRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplaceRouteInput`) /// - /// - Returns: `ReplaceRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplaceRouteOutput`) public func replaceRoute(input: ReplaceRouteInput) async throws -> ReplaceRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41812,7 +41161,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplaceRouteOutput.httpOutput(from:), ReplaceRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41846,9 +41194,9 @@ extension EC2Client { /// /// Changes the route table associated with a given subnet, internet gateway, or virtual private gateway in a VPC. After the operation completes, the subnet or gateway uses the routes in the new route table. For more information about route tables, see [Route tables](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Route_Tables.html) in the Amazon VPC User Guide. You can also use this operation to change which table is the main route table in the VPC. Specify the main route table's association ID and the route table ID of the new main route table. /// - /// - Parameter ReplaceRouteTableAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplaceRouteTableAssociationInput`) /// - /// - Returns: `ReplaceRouteTableAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplaceRouteTableAssociationOutput`) public func replaceRouteTableAssociation(input: ReplaceRouteTableAssociationInput) async throws -> ReplaceRouteTableAssociationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41875,7 +41223,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplaceRouteTableAssociationOutput.httpOutput(from:), ReplaceRouteTableAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41909,9 +41256,9 @@ extension EC2Client { /// /// Replaces the specified route in the specified transit gateway route table. /// - /// - Parameter ReplaceTransitGatewayRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplaceTransitGatewayRouteInput`) /// - /// - Returns: `ReplaceTransitGatewayRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplaceTransitGatewayRouteOutput`) public func replaceTransitGatewayRoute(input: ReplaceTransitGatewayRouteInput) async throws -> ReplaceTransitGatewayRouteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -41938,7 +41285,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplaceTransitGatewayRouteOutput.httpOutput(from:), ReplaceTransitGatewayRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -41972,9 +41318,9 @@ extension EC2Client { /// /// Trigger replacement of specified VPN tunnel. /// - /// - Parameter ReplaceVpnTunnelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplaceVpnTunnelInput`) /// - /// - Returns: `ReplaceVpnTunnelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplaceVpnTunnelOutput`) public func replaceVpnTunnel(input: ReplaceVpnTunnelInput) async throws -> ReplaceVpnTunnelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42001,7 +41347,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplaceVpnTunnelOutput.httpOutput(from:), ReplaceVpnTunnelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42035,9 +41380,9 @@ extension EC2Client { /// /// Submits feedback about the status of an instance. The instance must be in the running state. If your experience with the instance differs from the instance status returned by [DescribeInstanceStatus], use [ReportInstanceStatus] to report your experience with the instance. Amazon EC2 collects this information to improve the accuracy of status checks. Use of this action does not change the value returned by [DescribeInstanceStatus]. /// - /// - Parameter ReportInstanceStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReportInstanceStatusInput`) /// - /// - Returns: `ReportInstanceStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReportInstanceStatusOutput`) public func reportInstanceStatus(input: ReportInstanceStatusInput) async throws -> ReportInstanceStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42064,7 +41409,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReportInstanceStatusOutput.httpOutput(from:), ReportInstanceStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42098,9 +41442,9 @@ extension EC2Client { /// /// Creates a Spot Fleet request. The Spot Fleet request specifies the total target capacity and the On-Demand target capacity. Amazon EC2 calculates the difference between the total capacity and On-Demand capacity, and launches the difference as Spot capacity. You can submit a single request that includes multiple launch specifications that vary by instance type, AMI, Availability Zone, or subnet. By default, the Spot Fleet requests Spot Instances in the Spot Instance pool where the price per unit is the lowest. Each launch specification can include its own instance weighting that reflects the value of the instance type to your application workload. Alternatively, you can specify that the Spot Fleet distribute the target capacity across the Spot pools included in its launch specifications. By ensuring that the Spot Instances in your Spot Fleet are in different Spot pools, you can improve the availability of your fleet. You can specify tags for the Spot Fleet request and instances launched by the fleet. You cannot tag other resource types in a Spot Fleet request because only the spot-fleet-request and instance resource types are supported. For more information, see [Spot Fleet requests](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/spot-fleet-requests.html) in the Amazon EC2 User Guide. We strongly discourage using the RequestSpotFleet API because it is a legacy API with no planned investment. For options for requesting Spot Instances, see [Which is the best Spot request method to use?](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/spot-best-practices.html#which-spot-request-method-to-use) in the Amazon EC2 User Guide. /// - /// - Parameter RequestSpotFleetInput : Contains the parameters for RequestSpotFleet. + /// - Parameter input: Contains the parameters for RequestSpotFleet. (Type: `RequestSpotFleetInput`) /// - /// - Returns: `RequestSpotFleetOutput` : Contains the output of RequestSpotFleet. + /// - Returns: Contains the output of RequestSpotFleet. (Type: `RequestSpotFleetOutput`) public func requestSpotFleet(input: RequestSpotFleetInput) async throws -> RequestSpotFleetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42127,7 +41471,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RequestSpotFleetOutput.httpOutput(from:), RequestSpotFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42161,9 +41504,9 @@ extension EC2Client { /// /// Creates a Spot Instance request. For more information, see [Work with Spot Instance](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/spot-requests.html) in the Amazon EC2 User Guide. We strongly discourage using the RequestSpotInstances API because it is a legacy API with no planned investment. For options for requesting Spot Instances, see [Which is the best Spot request method to use?](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/spot-best-practices.html#which-spot-request-method-to-use) in the Amazon EC2 User Guide. /// - /// - Parameter RequestSpotInstancesInput : Contains the parameters for RequestSpotInstances. + /// - Parameter input: Contains the parameters for RequestSpotInstances. (Type: `RequestSpotInstancesInput`) /// - /// - Returns: `RequestSpotInstancesOutput` : Contains the output of RequestSpotInstances. + /// - Returns: Contains the output of RequestSpotInstances. (Type: `RequestSpotInstancesOutput`) public func requestSpotInstances(input: RequestSpotInstancesInput) async throws -> RequestSpotInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42190,7 +41533,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RequestSpotInstancesOutput.httpOutput(from:), RequestSpotInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42224,9 +41566,9 @@ extension EC2Client { /// /// Resets the attribute of the specified IP address. For requirements, see [Using reverse DNS for email applications](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/elastic-ip-addresses-eip.html#Using_Elastic_Addressing_Reverse_DNS). /// - /// - Parameter ResetAddressAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetAddressAttributeInput`) /// - /// - Returns: `ResetAddressAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetAddressAttributeOutput`) public func resetAddressAttribute(input: ResetAddressAttributeInput) async throws -> ResetAddressAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42253,7 +41595,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetAddressAttributeOutput.httpOutput(from:), ResetAddressAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42287,9 +41628,9 @@ extension EC2Client { /// /// Resets the default KMS key for EBS encryption for your account in this Region to the Amazon Web Services managed KMS key for EBS. After resetting the default KMS key to the Amazon Web Services managed KMS key, you can continue to encrypt by a customer managed KMS key by specifying it when you create the volume. For more information, see [Amazon EBS encryption](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-encryption.html) in the Amazon EBS User Guide. /// - /// - Parameter ResetEbsDefaultKmsKeyIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetEbsDefaultKmsKeyIdInput`) /// - /// - Returns: `ResetEbsDefaultKmsKeyIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetEbsDefaultKmsKeyIdOutput`) public func resetEbsDefaultKmsKeyId(input: ResetEbsDefaultKmsKeyIdInput) async throws -> ResetEbsDefaultKmsKeyIdOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42316,7 +41657,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetEbsDefaultKmsKeyIdOutput.httpOutput(from:), ResetEbsDefaultKmsKeyIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42350,9 +41690,9 @@ extension EC2Client { /// /// Resets the specified attribute of the specified Amazon FPGA Image (AFI) to its default value. You can only reset the load permission attribute. /// - /// - Parameter ResetFpgaImageAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetFpgaImageAttributeInput`) /// - /// - Returns: `ResetFpgaImageAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetFpgaImageAttributeOutput`) public func resetFpgaImageAttribute(input: ResetFpgaImageAttributeInput) async throws -> ResetFpgaImageAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42379,7 +41719,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetFpgaImageAttributeOutput.httpOutput(from:), ResetFpgaImageAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42413,9 +41752,9 @@ extension EC2Client { /// /// Resets an attribute of an AMI to its default value. /// - /// - Parameter ResetImageAttributeInput : Contains the parameters for ResetImageAttribute. + /// - Parameter input: Contains the parameters for ResetImageAttribute. (Type: `ResetImageAttributeInput`) /// - /// - Returns: `ResetImageAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetImageAttributeOutput`) public func resetImageAttribute(input: ResetImageAttributeInput) async throws -> ResetImageAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42442,7 +41781,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetImageAttributeOutput.httpOutput(from:), ResetImageAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42476,9 +41814,9 @@ extension EC2Client { /// /// Resets an attribute of an instance to its default value. To reset the kernel or ramdisk, the instance must be in a stopped state. To reset the sourceDestCheck, the instance can be either running or stopped. The sourceDestCheck attribute controls whether source/destination checking is enabled. The default value is true, which means checking is enabled. This value must be false for a NAT instance to perform NAT. For more information, see [NAT instances](https://docs.aws.amazon.com/AmazonVPC/latest/UserGuide/VPC_NAT_Instance.html) in the Amazon VPC User Guide. /// - /// - Parameter ResetInstanceAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetInstanceAttributeInput`) /// - /// - Returns: `ResetInstanceAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetInstanceAttributeOutput`) public func resetInstanceAttribute(input: ResetInstanceAttributeInput) async throws -> ResetInstanceAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42505,7 +41843,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetInstanceAttributeOutput.httpOutput(from:), ResetInstanceAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42539,9 +41876,9 @@ extension EC2Client { /// /// Resets a network interface attribute. You can specify only one attribute at a time. /// - /// - Parameter ResetNetworkInterfaceAttributeInput : Contains the parameters for ResetNetworkInterfaceAttribute. + /// - Parameter input: Contains the parameters for ResetNetworkInterfaceAttribute. (Type: `ResetNetworkInterfaceAttributeInput`) /// - /// - Returns: `ResetNetworkInterfaceAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetNetworkInterfaceAttributeOutput`) public func resetNetworkInterfaceAttribute(input: ResetNetworkInterfaceAttributeInput) async throws -> ResetNetworkInterfaceAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42568,7 +41905,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetNetworkInterfaceAttributeOutput.httpOutput(from:), ResetNetworkInterfaceAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42602,9 +41938,9 @@ extension EC2Client { /// /// Resets permission settings for the specified snapshot. For more information about modifying snapshot permissions, see [Share a snapshot](https://docs.aws.amazon.com/ebs/latest/userguide/ebs-modifying-snapshot-permissions.html) in the Amazon EBS User Guide. /// - /// - Parameter ResetSnapshotAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetSnapshotAttributeInput`) /// - /// - Returns: `ResetSnapshotAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetSnapshotAttributeOutput`) public func resetSnapshotAttribute(input: ResetSnapshotAttributeInput) async throws -> ResetSnapshotAttributeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42631,7 +41967,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetSnapshotAttributeOutput.httpOutput(from:), ResetSnapshotAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42665,9 +42000,9 @@ extension EC2Client { /// /// This action is deprecated. Restores an Elastic IP address that was previously moved to the EC2-VPC platform back to the EC2-Classic platform. You cannot move an Elastic IP address that was originally allocated for use in EC2-VPC. The Elastic IP address must not be associated with an instance or network interface. /// - /// - Parameter RestoreAddressToClassicInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreAddressToClassicInput`) /// - /// - Returns: `RestoreAddressToClassicOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreAddressToClassicOutput`) public func restoreAddressToClassic(input: RestoreAddressToClassicInput) async throws -> RestoreAddressToClassicOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42694,7 +42029,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreAddressToClassicOutput.httpOutput(from:), RestoreAddressToClassicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42728,9 +42062,9 @@ extension EC2Client { /// /// Restores an AMI from the Recycle Bin. For more information, see [Recover deleted Amazon EBS snapshots and EBS-back AMIs with Recycle Bin](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/recycle-bin.html) in the Amazon EC2 User Guide. /// - /// - Parameter RestoreImageFromRecycleBinInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreImageFromRecycleBinInput`) /// - /// - Returns: `RestoreImageFromRecycleBinOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreImageFromRecycleBinOutput`) public func restoreImageFromRecycleBin(input: RestoreImageFromRecycleBinInput) async throws -> RestoreImageFromRecycleBinOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42757,7 +42091,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreImageFromRecycleBinOutput.httpOutput(from:), RestoreImageFromRecycleBinOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42791,9 +42124,9 @@ extension EC2Client { /// /// Restores the entries from a previous version of a managed prefix list to a new version of the prefix list. /// - /// - Parameter RestoreManagedPrefixListVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreManagedPrefixListVersionInput`) /// - /// - Returns: `RestoreManagedPrefixListVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreManagedPrefixListVersionOutput`) public func restoreManagedPrefixListVersion(input: RestoreManagedPrefixListVersionInput) async throws -> RestoreManagedPrefixListVersionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42820,7 +42153,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreManagedPrefixListVersionOutput.httpOutput(from:), RestoreManagedPrefixListVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42854,9 +42186,9 @@ extension EC2Client { /// /// Restores a snapshot from the Recycle Bin. For more information, see [Restore snapshots from the Recycle Bin](https://docs.aws.amazon.com/ebs/latest/userguide/recycle-bin-working-with-snaps.html#recycle-bin-restore-snaps) in the Amazon EBS User Guide. /// - /// - Parameter RestoreSnapshotFromRecycleBinInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreSnapshotFromRecycleBinInput`) /// - /// - Returns: `RestoreSnapshotFromRecycleBinOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreSnapshotFromRecycleBinOutput`) public func restoreSnapshotFromRecycleBin(input: RestoreSnapshotFromRecycleBinInput) async throws -> RestoreSnapshotFromRecycleBinOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42883,7 +42215,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreSnapshotFromRecycleBinOutput.httpOutput(from:), RestoreSnapshotFromRecycleBinOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42917,9 +42248,9 @@ extension EC2Client { /// /// Restores an archived Amazon EBS snapshot for use temporarily or permanently, or modifies the restore period or restore type for a snapshot that was previously temporarily restored. For more information see [ Restore an archived snapshot](https://docs.aws.amazon.com/ebs/latest/userguide/working-with-snapshot-archiving.html#restore-archived-snapshot) and [ modify the restore period or restore type for a temporarily restored snapshot](https://docs.aws.amazon.com/ebs/latest/userguide/working-with-snapshot-archiving.html#modify-temp-restore-period) in the Amazon EBS User Guide. /// - /// - Parameter RestoreSnapshotTierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreSnapshotTierInput`) /// - /// - Returns: `RestoreSnapshotTierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreSnapshotTierOutput`) public func restoreSnapshotTier(input: RestoreSnapshotTierInput) async throws -> RestoreSnapshotTierOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -42946,7 +42277,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreSnapshotTierOutput.httpOutput(from:), RestoreSnapshotTierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -42980,9 +42310,9 @@ extension EC2Client { /// /// Removes an ingress authorization rule from a Client VPN endpoint. /// - /// - Parameter RevokeClientVpnIngressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeClientVpnIngressInput`) /// - /// - Returns: `RevokeClientVpnIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeClientVpnIngressOutput`) public func revokeClientVpnIngress(input: RevokeClientVpnIngressInput) async throws -> RevokeClientVpnIngressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43009,7 +42339,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeClientVpnIngressOutput.httpOutput(from:), RevokeClientVpnIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43043,9 +42372,9 @@ extension EC2Client { /// /// Removes the specified outbound (egress) rules from the specified security group. You can specify rules using either rule IDs or security group rule properties. If you use rule properties, the values that you specify (for example, ports) must match the existing rule's values exactly. Each rule has a protocol, from and to ports, and destination (CIDR range, security group, or prefix list). For the TCP and UDP protocols, you must also specify the destination port or range of ports. For the ICMP protocol, you must also specify the ICMP type and code. If the security group rule has a description, you do not need to specify the description to revoke the rule. For a default VPC, if the values you specify do not match the existing rule's values, no error is returned, and the output describes the security group rules that were not revoked. Amazon Web Services recommends that you describe the security group to verify that the rules were removed. Rule changes are propagated to instances within the security group as quickly as possible. However, a small delay might occur. /// - /// - Parameter RevokeSecurityGroupEgressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeSecurityGroupEgressInput`) /// - /// - Returns: `RevokeSecurityGroupEgressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeSecurityGroupEgressOutput`) public func revokeSecurityGroupEgress(input: RevokeSecurityGroupEgressInput) async throws -> RevokeSecurityGroupEgressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43072,7 +42401,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeSecurityGroupEgressOutput.httpOutput(from:), RevokeSecurityGroupEgressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43106,9 +42434,9 @@ extension EC2Client { /// /// Removes the specified inbound (ingress) rules from a security group. You can specify rules using either rule IDs or security group rule properties. If you use rule properties, the values that you specify (for example, ports) must match the existing rule's values exactly. Each rule has a protocol, from and to ports, and source (CIDR range, security group, or prefix list). For the TCP and UDP protocols, you must also specify the destination port or range of ports. For the ICMP protocol, you must also specify the ICMP type and code. If the security group rule has a description, you do not need to specify the description to revoke the rule. For a default VPC, if the values you specify do not match the existing rule's values, no error is returned, and the output describes the security group rules that were not revoked. For a non-default VPC, if the values you specify do not match the existing rule's values, an InvalidPermission.NotFound client error is returned, and no rules are revoked. Amazon Web Services recommends that you describe the security group to verify that the rules were removed. Rule changes are propagated to instances within the security group as quickly as possible. However, a small delay might occur. /// - /// - Parameter RevokeSecurityGroupIngressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeSecurityGroupIngressInput`) /// - /// - Returns: `RevokeSecurityGroupIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeSecurityGroupIngressOutput`) public func revokeSecurityGroupIngress(input: RevokeSecurityGroupIngressInput) async throws -> RevokeSecurityGroupIngressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43135,7 +42463,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeSecurityGroupIngressOutput.httpOutput(from:), RevokeSecurityGroupIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43182,9 +42509,9 @@ extension EC2Client { /// /// You can create a [launch template](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-launch-templates.html), which is a resource that contains the parameters to launch an instance. When you launch an instance using [RunInstances], you can specify the launch template instead of specifying the launch parameters. To ensure faster instance launches, break up large requests into smaller batches. For example, create five separate launch requests for 100 instances each instead of one launch request for 500 instances. RunInstances is subject to both request rate limiting and resource rate limiting. For more information, see [Request throttling](https://docs.aws.amazon.com/ec2/latest/devguide/ec2-api-throttling.html). An instance is ready for you to use when it's in the running state. You can check the state of your instance using [DescribeInstances]. You can tag instances and EBS volumes during launch, after launch, or both. For more information, see [CreateTags] and [Tagging your Amazon EC2 resources](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Using_Tags.html). Linux instances have access to the public key of the key pair at boot. You can use this key to provide secure access to the instance. Amazon EC2 public images use this feature to provide secure access without passwords. For more information, see [Key pairs](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-key-pairs.html). For troubleshooting, see [What to do if an instance immediately terminates](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Using_InstanceStraightToTerminated.html), and [Troubleshooting connecting to your instance](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/TroubleshootingInstancesConnecting.html). /// - /// - Parameter RunInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RunInstancesInput`) /// - /// - Returns: `RunInstancesOutput` : Describes a launch request for one or more instances, and includes owner, requester, and security group information that applies to all instances in the launch request. + /// - Returns: Describes a launch request for one or more instances, and includes owner, requester, and security group information that applies to all instances in the launch request. (Type: `RunInstancesOutput`) public func runInstances(input: RunInstancesInput) async throws -> RunInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43212,7 +42539,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RunInstancesOutput.httpOutput(from:), RunInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43246,9 +42572,9 @@ extension EC2Client { /// /// Launches the specified Scheduled Instances. Before you can launch a Scheduled Instance, you must purchase it and obtain an identifier using [PurchaseScheduledInstances]. You must launch a Scheduled Instance during its scheduled time period. You can't stop or reboot a Scheduled Instance, but you can terminate it as needed. If you terminate a Scheduled Instance before the current scheduled time period ends, you can launch it again after a few minutes. /// - /// - Parameter RunScheduledInstancesInput : Contains the parameters for RunScheduledInstances. + /// - Parameter input: Contains the parameters for RunScheduledInstances. (Type: `RunScheduledInstancesInput`) /// - /// - Returns: `RunScheduledInstancesOutput` : Contains the output of RunScheduledInstances. + /// - Returns: Contains the output of RunScheduledInstances. (Type: `RunScheduledInstancesOutput`) public func runScheduledInstances(input: RunScheduledInstancesInput) async throws -> RunScheduledInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43276,7 +42602,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RunScheduledInstancesOutput.httpOutput(from:), RunScheduledInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43310,9 +42635,9 @@ extension EC2Client { /// /// Searches for routes in the specified local gateway route table. /// - /// - Parameter SearchLocalGatewayRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchLocalGatewayRoutesInput`) /// - /// - Returns: `SearchLocalGatewayRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchLocalGatewayRoutesOutput`) public func searchLocalGatewayRoutes(input: SearchLocalGatewayRoutesInput) async throws -> SearchLocalGatewayRoutesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43339,7 +42664,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchLocalGatewayRoutesOutput.httpOutput(from:), SearchLocalGatewayRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43373,9 +42697,9 @@ extension EC2Client { /// /// Searches one or more transit gateway multicast groups and returns the group membership information. /// - /// - Parameter SearchTransitGatewayMulticastGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchTransitGatewayMulticastGroupsInput`) /// - /// - Returns: `SearchTransitGatewayMulticastGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchTransitGatewayMulticastGroupsOutput`) public func searchTransitGatewayMulticastGroups(input: SearchTransitGatewayMulticastGroupsInput) async throws -> SearchTransitGatewayMulticastGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43402,7 +42726,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchTransitGatewayMulticastGroupsOutput.httpOutput(from:), SearchTransitGatewayMulticastGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43436,9 +42759,9 @@ extension EC2Client { /// /// Searches for routes in the specified transit gateway route table. /// - /// - Parameter SearchTransitGatewayRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchTransitGatewayRoutesInput`) /// - /// - Returns: `SearchTransitGatewayRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchTransitGatewayRoutesOutput`) public func searchTransitGatewayRoutes(input: SearchTransitGatewayRoutesInput) async throws -> SearchTransitGatewayRoutesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43465,7 +42788,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchTransitGatewayRoutesOutput.httpOutput(from:), SearchTransitGatewayRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43499,9 +42821,9 @@ extension EC2Client { /// /// Sends a diagnostic interrupt to the specified Amazon EC2 instance to trigger a kernel panic (on Linux instances), or a blue screen/stop error (on Windows instances). For instances based on Intel and AMD processors, the interrupt is received as a non-maskable interrupt (NMI). In general, the operating system crashes and reboots when a kernel panic or stop error is triggered. The operating system can also be configured to perform diagnostic tasks, such as generating a memory dump file, loading a secondary kernel, or obtaining a call trace. Before sending a diagnostic interrupt to your instance, ensure that its operating system is configured to perform the required diagnostic tasks. For more information about configuring your operating system to generate a crash dump when a kernel panic or stop error occurs, see [Send a diagnostic interrupt (for advanced users)](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/diagnostic-interrupt.html) in the Amazon EC2 User Guide. /// - /// - Parameter SendDiagnosticInterruptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendDiagnosticInterruptInput`) /// - /// - Returns: `SendDiagnosticInterruptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendDiagnosticInterruptOutput`) public func sendDiagnosticInterrupt(input: SendDiagnosticInterruptInput) async throws -> SendDiagnosticInterruptOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43528,7 +42850,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendDiagnosticInterruptOutput.httpOutput(from:), SendDiagnosticInterruptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43573,9 +42894,9 @@ extension EC2Client { /// /// For more information, including the required IAM permissions to run this API, see [Generating the account status report for declarative policies](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_policies_declarative_status-report.html) in the Amazon Web Services Organizations User Guide. /// - /// - Parameter StartDeclarativePoliciesReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDeclarativePoliciesReportInput`) /// - /// - Returns: `StartDeclarativePoliciesReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDeclarativePoliciesReportOutput`) public func startDeclarativePoliciesReport(input: StartDeclarativePoliciesReportInput) async throws -> StartDeclarativePoliciesReportOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43602,7 +42923,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDeclarativePoliciesReportOutput.httpOutput(from:), StartDeclarativePoliciesReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43636,9 +42956,9 @@ extension EC2Client { /// /// Starts an Amazon EBS-backed instance that you've previously stopped. Instances that use Amazon EBS volumes as their root devices can be quickly stopped and started. When an instance is stopped, the compute resources are released and you are not billed for instance usage. However, your root partition Amazon EBS volume remains and continues to persist your data, and you are charged for Amazon EBS volume usage. You can restart your instance at any time. Every time you start your instance, Amazon EC2 charges a one-minute minimum for instance usage, and thereafter charges per second for instance usage. Before stopping an instance, make sure it is in a state from which it can be restarted. Stopping an instance does not preserve data stored in RAM. Performing this operation on an instance that uses an instance store as its root device returns an error. If you attempt to start a T3 instance with host tenancy and the unlimited CPU credit option, the request fails. The unlimited CPU credit option is not supported on Dedicated Hosts. Before you start the instance, either change its CPU credit option to standard, or change its tenancy to default or dedicated. For more information, see [Stop and start Amazon EC2 instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Stop_Start.html) in the Amazon EC2 User Guide. /// - /// - Parameter StartInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartInstancesInput`) /// - /// - Returns: `StartInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartInstancesOutput`) public func startInstances(input: StartInstancesInput) async throws -> StartInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43665,7 +42985,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInstancesOutput.httpOutput(from:), StartInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43699,9 +43018,9 @@ extension EC2Client { /// /// Starts analyzing the specified Network Access Scope. /// - /// - Parameter StartNetworkInsightsAccessScopeAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartNetworkInsightsAccessScopeAnalysisInput`) /// - /// - Returns: `StartNetworkInsightsAccessScopeAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartNetworkInsightsAccessScopeAnalysisOutput`) public func startNetworkInsightsAccessScopeAnalysis(input: StartNetworkInsightsAccessScopeAnalysisInput) async throws -> StartNetworkInsightsAccessScopeAnalysisOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43729,7 +43048,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartNetworkInsightsAccessScopeAnalysisOutput.httpOutput(from:), StartNetworkInsightsAccessScopeAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43763,9 +43081,9 @@ extension EC2Client { /// /// Starts analyzing the specified path. If the path is reachable, the operation returns the shortest feasible path. /// - /// - Parameter StartNetworkInsightsAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartNetworkInsightsAnalysisInput`) /// - /// - Returns: `StartNetworkInsightsAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartNetworkInsightsAnalysisOutput`) public func startNetworkInsightsAnalysis(input: StartNetworkInsightsAnalysisInput) async throws -> StartNetworkInsightsAnalysisOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43793,7 +43111,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartNetworkInsightsAnalysisOutput.httpOutput(from:), StartNetworkInsightsAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43827,9 +43144,9 @@ extension EC2Client { /// /// Initiates the verification process to prove that the service provider owns the private DNS name domain for the endpoint service. The service provider must successfully perform the verification before the consumer can use the name to access the service. Before the service provider runs this command, they must add a record to the DNS server. /// - /// - Parameter StartVpcEndpointServicePrivateDnsVerificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartVpcEndpointServicePrivateDnsVerificationInput`) /// - /// - Returns: `StartVpcEndpointServicePrivateDnsVerificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartVpcEndpointServicePrivateDnsVerificationOutput`) public func startVpcEndpointServicePrivateDnsVerification(input: StartVpcEndpointServicePrivateDnsVerificationInput) async throws -> StartVpcEndpointServicePrivateDnsVerificationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43856,7 +43173,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartVpcEndpointServicePrivateDnsVerificationOutput.httpOutput(from:), StartVpcEndpointServicePrivateDnsVerificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43890,9 +43206,9 @@ extension EC2Client { /// /// Stops an Amazon EBS-backed instance. You can restart your instance at any time using the [StartInstances](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_StartInstances.html) API. For more information, see [Stop and start Amazon EC2 instances](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Stop_Start.html) in the Amazon EC2 User Guide. When you stop or hibernate an instance, we shut it down. By default, this includes a graceful operating system (OS) shutdown. To bypass the graceful shutdown, use the skipOsShutdown parameter; however, this might risk data integrity. You can use the StopInstances operation together with the Hibernate parameter to hibernate an instance if the instance is [enabled for hibernation](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/enabling-hibernation.html) and meets the [hibernation prerequisites](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/hibernating-prerequisites.html). Stopping an instance doesn't preserve data stored in RAM, while hibernation does. If hibernation fails, a normal shutdown occurs. For more information, see [Hibernate your Amazon EC2 instance](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Hibernate.html) in the Amazon EC2 User Guide. If your instance appears stuck in the stopping state, there might be an issue with the underlying host computer. You can use the StopInstances operation together with the Force parameter to force stop your instance. For more information, see [Troubleshoot Amazon EC2 instance stop issues](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/TroubleshootingInstancesStopping.html) in the Amazon EC2 User Guide. Stopping and hibernating an instance differs from rebooting or terminating it. For example, a stopped or hibernated instance retains its root volume and any data volumes, unlike terminated instances where these volumes are automatically deleted. For more information about the differences between stopping, hibernating, rebooting, and terminating instances, see [Amazon EC2 instance state changes](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-instance-lifecycle.html) in the Amazon EC2 User Guide. We don't charge for instance usage or data transfer fees when an instance is stopped. However, the root volume and any data volumes remain and continue to persist your data, and you're charged for volume usage. Every time you start your instance, Amazon EC2 charges a one-minute minimum for instance usage, followed by per-second billing. You can't stop or hibernate instance store-backed instances. /// - /// - Parameter StopInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopInstancesInput`) /// - /// - Returns: `StopInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopInstancesOutput`) public func stopInstances(input: StopInstancesInput) async throws -> StopInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43919,7 +43235,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopInstancesOutput.httpOutput(from:), StopInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -43953,9 +43268,9 @@ extension EC2Client { /// /// Terminates active Client VPN endpoint connections. This action can be used to terminate a specific client connection, or up to five connections established by a specific user. /// - /// - Parameter TerminateClientVpnConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateClientVpnConnectionsInput`) /// - /// - Returns: `TerminateClientVpnConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateClientVpnConnectionsOutput`) public func terminateClientVpnConnections(input: TerminateClientVpnConnectionsInput) async throws -> TerminateClientVpnConnectionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -43982,7 +43297,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateClientVpnConnectionsOutput.httpOutput(from:), TerminateClientVpnConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -44041,9 +43355,9 @@ extension EC2Client { /// /// Terminated instances remain visible after termination (for approximately one hour). By default, Amazon EC2 deletes all EBS volumes that were attached when the instance launched. Volumes attached after instance launch continue running. By default, the TerminateInstances operation includes a graceful operating system (OS) shutdown. To bypass the graceful shutdown, use the skipOsShutdown parameter; however, this might risk data integrity. You can stop, start, and terminate EBS-backed instances. You can only terminate instance store-backed instances. What happens to an instance differs if you stop or terminate it. For example, when you stop an instance, the root device and any other devices attached to the instance persist. When you terminate an instance, any attached EBS volumes with the DeleteOnTermination block device mapping parameter set to true are automatically deleted. For more information about the differences between stopping and terminating instances, see [Amazon EC2 instance state changes](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-instance-lifecycle.html) in the Amazon EC2 User Guide. When you terminate an instance, we attempt to terminate it forcibly after a short while. If your instance appears stuck in the shutting-down state after a period of time, there might be an issue with the underlying host computer. For more information about terminating and troubleshooting terminating your instances, see [Terminate Amazon EC2 instances](https://docs.aws.amazon.com/) and [Troubleshooting terminating your instance](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/TroubleshootingInstancesShuttingDown.html) in the Amazon EC2 User Guide. /// - /// - Parameter TerminateInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateInstancesInput`) /// - /// - Returns: `TerminateInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateInstancesOutput`) public func terminateInstances(input: TerminateInstancesInput) async throws -> TerminateInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -44070,7 +43384,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateInstancesOutput.httpOutput(from:), TerminateInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -44104,9 +43417,9 @@ extension EC2Client { /// /// Unassigns the specified IPv6 addresses or Prefix Delegation prefixes from a network interface. /// - /// - Parameter UnassignIpv6AddressesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnassignIpv6AddressesInput`) /// - /// - Returns: `UnassignIpv6AddressesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnassignIpv6AddressesOutput`) public func unassignIpv6Addresses(input: UnassignIpv6AddressesInput) async throws -> UnassignIpv6AddressesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -44133,7 +43446,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnassignIpv6AddressesOutput.httpOutput(from:), UnassignIpv6AddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -44167,9 +43479,9 @@ extension EC2Client { /// /// Unassigns the specified secondary private IP addresses or IPv4 Prefix Delegation prefixes from a network interface. /// - /// - Parameter UnassignPrivateIpAddressesInput : Contains the parameters for UnassignPrivateIpAddresses. + /// - Parameter input: Contains the parameters for UnassignPrivateIpAddresses. (Type: `UnassignPrivateIpAddressesInput`) /// - /// - Returns: `UnassignPrivateIpAddressesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnassignPrivateIpAddressesOutput`) public func unassignPrivateIpAddresses(input: UnassignPrivateIpAddressesInput) async throws -> UnassignPrivateIpAddressesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -44196,7 +43508,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnassignPrivateIpAddressesOutput.httpOutput(from:), UnassignPrivateIpAddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -44230,9 +43541,9 @@ extension EC2Client { /// /// Unassigns secondary private IPv4 addresses from a private NAT gateway. You cannot unassign your primary private IP. For more information, see [Edit secondary IP address associations](https://docs.aws.amazon.com/vpc/latest/userguide/nat-gateway-working-with.html#nat-gateway-edit-secondary) in the Amazon VPC User Guide. While unassigning is in progress, you cannot assign/unassign additional IP addresses while the connections are being drained. You are, however, allowed to delete the NAT gateway. A private IP address will only be released at the end of MaxDrainDurationSeconds. The private IP addresses stay associated and support the existing connections, but do not support any new connections (new connections are distributed across the remaining assigned private IP address). After the existing connections drain out, the private IP addresses are released. /// - /// - Parameter UnassignPrivateNatGatewayAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnassignPrivateNatGatewayAddressInput`) /// - /// - Returns: `UnassignPrivateNatGatewayAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnassignPrivateNatGatewayAddressOutput`) public func unassignPrivateNatGatewayAddress(input: UnassignPrivateNatGatewayAddressInput) async throws -> UnassignPrivateNatGatewayAddressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -44259,7 +43570,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnassignPrivateNatGatewayAddressOutput.httpOutput(from:), UnassignPrivateNatGatewayAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -44293,9 +43603,9 @@ extension EC2Client { /// /// Unlocks a snapshot that is locked in governance mode or that is locked in compliance mode but still in the cooling-off period. You can't unlock a snapshot that is locked in compliance mode after the cooling-off period has expired. /// - /// - Parameter UnlockSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnlockSnapshotInput`) /// - /// - Returns: `UnlockSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnlockSnapshotOutput`) public func unlockSnapshot(input: UnlockSnapshotInput) async throws -> UnlockSnapshotOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -44322,7 +43632,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnlockSnapshotOutput.httpOutput(from:), UnlockSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -44356,9 +43665,9 @@ extension EC2Client { /// /// Disables detailed monitoring for a running instance. For more information, see [Monitoring your instances and volumes](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/using-cloudwatch.html) in the Amazon EC2 User Guide. /// - /// - Parameter UnmonitorInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnmonitorInstancesInput`) /// - /// - Returns: `UnmonitorInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnmonitorInstancesOutput`) public func unmonitorInstances(input: UnmonitorInstancesInput) async throws -> UnmonitorInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -44385,7 +43694,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnmonitorInstancesOutput.httpOutput(from:), UnmonitorInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -44419,9 +43727,9 @@ extension EC2Client { /// /// Updates the description of an egress (outbound) security group rule. You can replace an existing description, or add a description to a rule that did not have one previously. You can remove a description for a security group rule by omitting the description parameter in the request. /// - /// - Parameter UpdateSecurityGroupRuleDescriptionsEgressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecurityGroupRuleDescriptionsEgressInput`) /// - /// - Returns: `UpdateSecurityGroupRuleDescriptionsEgressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecurityGroupRuleDescriptionsEgressOutput`) public func updateSecurityGroupRuleDescriptionsEgress(input: UpdateSecurityGroupRuleDescriptionsEgressInput) async throws -> UpdateSecurityGroupRuleDescriptionsEgressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -44448,7 +43756,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecurityGroupRuleDescriptionsEgressOutput.httpOutput(from:), UpdateSecurityGroupRuleDescriptionsEgressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -44482,9 +43789,9 @@ extension EC2Client { /// /// Updates the description of an ingress (inbound) security group rule. You can replace an existing description, or add a description to a rule that did not have one previously. You can remove a description for a security group rule by omitting the description parameter in the request. /// - /// - Parameter UpdateSecurityGroupRuleDescriptionsIngressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecurityGroupRuleDescriptionsIngressInput`) /// - /// - Returns: `UpdateSecurityGroupRuleDescriptionsIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecurityGroupRuleDescriptionsIngressOutput`) public func updateSecurityGroupRuleDescriptionsIngress(input: UpdateSecurityGroupRuleDescriptionsIngressInput) async throws -> UpdateSecurityGroupRuleDescriptionsIngressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -44511,7 +43818,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecurityGroupRuleDescriptionsIngressOutput.httpOutput(from:), UpdateSecurityGroupRuleDescriptionsIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -44545,9 +43851,9 @@ extension EC2Client { /// /// Stops advertising an address range that is provisioned as an address pool. You can perform this operation at most once every 10 seconds, even if you specify different address ranges each time. It can take a few minutes before traffic to the specified addresses stops routing to Amazon Web Services because of BGP propagation delays. /// - /// - Parameter WithdrawByoipCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `WithdrawByoipCidrInput`) /// - /// - Returns: `WithdrawByoipCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `WithdrawByoipCidrOutput`) public func withdrawByoipCidr(input: WithdrawByoipCidrInput) async throws -> WithdrawByoipCidrOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -44574,7 +43880,6 @@ extension EC2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(WithdrawByoipCidrOutput.httpOutput(from:), WithdrawByoipCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEC2InstanceConnect/Sources/AWSEC2InstanceConnect/EC2InstanceConnectClient.swift b/Sources/Services/AWSEC2InstanceConnect/Sources/AWSEC2InstanceConnect/EC2InstanceConnectClient.swift index ea5827f7d06..fdbd6700f6d 100644 --- a/Sources/Services/AWSEC2InstanceConnect/Sources/AWSEC2InstanceConnect/EC2InstanceConnectClient.swift +++ b/Sources/Services/AWSEC2InstanceConnect/Sources/AWSEC2InstanceConnect/EC2InstanceConnectClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EC2InstanceConnectClient: ClientRuntime.Client { public static let clientName = "EC2InstanceConnectClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EC2InstanceConnectClient.EC2InstanceConnectClientConfiguration let serviceName = "EC2 Instance Connect" @@ -373,9 +372,9 @@ extension EC2InstanceConnectClient { /// /// Pushes an SSH public key to the specified EC2 instance for use by the specified user. The key remains for 60 seconds. For more information, see [Connect to your Linux instance using EC2 Instance Connect](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Connect-using-EC2-Instance-Connect.html) in the Amazon EC2 User Guide. /// - /// - Parameter SendSSHPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendSSHPublicKeyInput`) /// - /// - Returns: `SendSSHPublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendSSHPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension EC2InstanceConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendSSHPublicKeyOutput.httpOutput(from:), SendSSHPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension EC2InstanceConnectClient { /// /// Pushes an SSH public key to the specified EC2 instance. The key remains for 60 seconds, which gives you 60 seconds to establish a serial console connection to the instance using SSH. For more information, see [EC2 Serial Console](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-serial-console.html) in the Amazon EC2 User Guide. /// - /// - Parameter SendSerialConsoleSSHPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendSerialConsoleSSHPublicKeyInput`) /// - /// - Returns: `SendSerialConsoleSSHPublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendSerialConsoleSSHPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension EC2InstanceConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendSerialConsoleSSHPublicKeyOutput.httpOutput(from:), SendSerialConsoleSSHPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSECR/Sources/AWSECR/ECRClient.swift b/Sources/Services/AWSECR/Sources/AWSECR/ECRClient.swift index c919582f89e..48d19bef79e 100644 --- a/Sources/Services/AWSECR/Sources/AWSECR/ECRClient.swift +++ b/Sources/Services/AWSECR/Sources/AWSECR/ECRClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ECRClient: ClientRuntime.Client { public static let clientName = "ECRClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ECRClient.ECRClientConfiguration let serviceName = "ECR" @@ -374,9 +373,9 @@ extension ECRClient { /// /// Checks the availability of one or more image layers in a repository. When an image is pushed to a repository, each image layer is checked to verify if it has been uploaded before. If it has been uploaded, then the image layer is skipped. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter BatchCheckLayerAvailabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCheckLayerAvailabilityInput`) /// - /// - Returns: `BatchCheckLayerAvailabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCheckLayerAvailabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCheckLayerAvailabilityOutput.httpOutput(from:), BatchCheckLayerAvailabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension ECRClient { /// /// Deletes a list of specified images within a repository. Images are specified with either an imageTag or imageDigest. You can remove a tag from an image by specifying the image's tag in your request. When you remove the last tag from an image, the image is deleted from your repository. You can completely delete an image (and all of its tags) by specifying the image's digest in your request. /// - /// - Parameter BatchDeleteImageInput : Deletes specified images within a specified repository. Images are specified with either the imageTag or imageDigest. + /// - Parameter input: Deletes specified images within a specified repository. Images are specified with either the imageTag or imageDigest. (Type: `BatchDeleteImageInput`) /// - /// - Returns: `BatchDeleteImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteImageOutput.httpOutput(from:), BatchDeleteImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension ECRClient { /// /// Gets detailed information for an image. Images are specified with either an imageTag or imageDigest. When an image is pulled, the BatchGetImage API is called once to retrieve the image manifest. /// - /// - Parameter BatchGetImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetImageInput`) /// - /// - Returns: `BatchGetImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetImageOutput.httpOutput(from:), BatchGetImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -589,9 +585,9 @@ extension ECRClient { /// /// Gets the scanning configuration for one or more repositories. /// - /// - Parameter BatchGetRepositoryScanningConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetRepositoryScanningConfigurationInput`) /// - /// - Returns: `BatchGetRepositoryScanningConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetRepositoryScanningConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetRepositoryScanningConfigurationOutput.httpOutput(from:), BatchGetRepositoryScanningConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension ECRClient { /// /// Informs Amazon ECR that the image layer upload has completed for a specified registry, repository name, and upload ID. You can optionally provide a sha256 digest of the image layer for data validation purposes. When an image is pushed, the CompleteLayerUpload API is called once per each new image layer to verify that the upload has completed. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter CompleteLayerUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CompleteLayerUploadInput`) /// - /// - Returns: `CompleteLayerUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompleteLayerUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteLayerUploadOutput.httpOutput(from:), CompleteLayerUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -738,9 +732,9 @@ extension ECRClient { /// /// Creates a pull through cache rule. A pull through cache rule provides a way to cache images from an upstream registry source in your Amazon ECR private registry. For more information, see [Using pull through cache rules](https://docs.aws.amazon.com/AmazonECR/latest/userguide/pull-through-cache.html) in the Amazon Elastic Container Registry User Guide. /// - /// - Parameter CreatePullThroughCacheRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePullThroughCacheRuleInput`) /// - /// - Returns: `CreatePullThroughCacheRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePullThroughCacheRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -780,7 +774,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePullThroughCacheRuleOutput.httpOutput(from:), CreatePullThroughCacheRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -815,9 +808,9 @@ extension ECRClient { /// /// Creates a repository. For more information, see [Amazon ECR repositories](https://docs.aws.amazon.com/AmazonECR/latest/userguide/Repositories.html) in the Amazon Elastic Container Registry User Guide. /// - /// - Parameter CreateRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRepositoryInput`) /// - /// - Returns: `CreateRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -855,7 +848,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRepositoryOutput.httpOutput(from:), CreateRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -890,9 +882,9 @@ extension ECRClient { /// /// Creates a repository creation template. This template is used to define the settings for repositories created by Amazon ECR on your behalf. For example, repositories created through pull through cache actions. For more information, see [Private repository creation templates](https://docs.aws.amazon.com/AmazonECR/latest/userguide/repository-creation-templates.html) in the Amazon Elastic Container Registry User Guide. /// - /// - Parameter CreateRepositoryCreationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRepositoryCreationTemplateInput`) /// - /// - Returns: `CreateRepositoryCreationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRepositoryCreationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -928,7 +920,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRepositoryCreationTemplateOutput.httpOutput(from:), CreateRepositoryCreationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -963,9 +954,9 @@ extension ECRClient { /// /// Deletes the lifecycle policy associated with the specified repository. /// - /// - Parameter DeleteLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLifecyclePolicyInput`) /// - /// - Returns: `DeleteLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1001,7 +992,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLifecyclePolicyOutput.httpOutput(from:), DeleteLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1036,9 +1026,9 @@ extension ECRClient { /// /// Deletes a pull through cache rule. /// - /// - Parameter DeletePullThroughCacheRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePullThroughCacheRuleInput`) /// - /// - Returns: `DeletePullThroughCacheRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePullThroughCacheRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1073,7 +1063,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePullThroughCacheRuleOutput.httpOutput(from:), DeletePullThroughCacheRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1108,9 +1097,9 @@ extension ECRClient { /// /// Deletes the registry permissions policy. /// - /// - Parameter DeleteRegistryPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegistryPolicyInput`) /// - /// - Returns: `DeleteRegistryPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegistryPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1145,7 +1134,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegistryPolicyOutput.httpOutput(from:), DeleteRegistryPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1180,9 +1168,9 @@ extension ECRClient { /// /// Deletes a repository. If the repository isn't empty, you must either delete the contents of the repository or use the force option to delete the repository and have Amazon ECR delete all of its contents on your behalf. /// - /// - Parameter DeleteRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRepositoryInput`) /// - /// - Returns: `DeleteRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1218,7 +1206,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryOutput.httpOutput(from:), DeleteRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1253,9 +1240,9 @@ extension ECRClient { /// /// Deletes a repository creation template. /// - /// - Parameter DeleteRepositoryCreationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRepositoryCreationTemplateInput`) /// - /// - Returns: `DeleteRepositoryCreationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRepositoryCreationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1290,7 +1277,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryCreationTemplateOutput.httpOutput(from:), DeleteRepositoryCreationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1325,9 +1311,9 @@ extension ECRClient { /// /// Deletes the repository policy associated with the specified repository. /// - /// - Parameter DeleteRepositoryPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRepositoryPolicyInput`) /// - /// - Returns: `DeleteRepositoryPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRepositoryPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1362,7 +1348,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryPolicyOutput.httpOutput(from:), DeleteRepositoryPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1397,9 +1382,9 @@ extension ECRClient { /// /// Returns the replication status for a specified image. /// - /// - Parameter DescribeImageReplicationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageReplicationStatusInput`) /// - /// - Returns: `DescribeImageReplicationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageReplicationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1435,7 +1420,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageReplicationStatusOutput.httpOutput(from:), DescribeImageReplicationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1470,9 +1454,9 @@ extension ECRClient { /// /// Returns the scan findings for the specified image. /// - /// - Parameter DescribeImageScanFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageScanFindingsInput`) /// - /// - Returns: `DescribeImageScanFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageScanFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1509,7 +1493,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageScanFindingsOutput.httpOutput(from:), DescribeImageScanFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1544,9 +1527,9 @@ extension ECRClient { /// /// Returns metadata about the images in a repository. Starting with Docker version 1.9, the Docker client compresses image layers before pushing them to a V2 Docker registry. The output of the docker images command shows the uncompressed image size. Therefore, Docker might return a larger image than the image shown in the Amazon Web Services Management Console. The new version of Amazon ECR Basic Scanning doesn't use the [ImageDetail$imageScanFindingsSummary] and [ImageDetail$imageScanStatus] attributes from the API response to return scan results. Use the [DescribeImageScanFindings] API instead. For more information about Amazon Web Services native basic scanning, see [ Scan images for software vulnerabilities in Amazon ECR](https://docs.aws.amazon.com/AmazonECR/latest/userguide/image-scanning.html). /// - /// - Parameter DescribeImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImagesInput`) /// - /// - Returns: `DescribeImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1581,7 +1564,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImagesOutput.httpOutput(from:), DescribeImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1616,9 +1598,9 @@ extension ECRClient { /// /// Returns the pull through cache rules for a registry. /// - /// - Parameter DescribePullThroughCacheRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePullThroughCacheRulesInput`) /// - /// - Returns: `DescribePullThroughCacheRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePullThroughCacheRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1653,7 +1635,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePullThroughCacheRulesOutput.httpOutput(from:), DescribePullThroughCacheRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1688,9 +1669,9 @@ extension ECRClient { /// /// Describes the settings for a registry. The replication configuration for a repository can be created or updated with the [PutReplicationConfiguration] API action. /// - /// - Parameter DescribeRegistryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegistryInput`) /// - /// - Returns: `DescribeRegistryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegistryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1724,7 +1705,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegistryOutput.httpOutput(from:), DescribeRegistryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1759,9 +1739,9 @@ extension ECRClient { /// /// Describes image repositories in a registry. /// - /// - Parameter DescribeRepositoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRepositoriesInput`) /// - /// - Returns: `DescribeRepositoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRepositoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1795,7 +1775,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRepositoriesOutput.httpOutput(from:), DescribeRepositoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1830,9 +1809,9 @@ extension ECRClient { /// /// Returns details about the repository creation templates in a registry. The prefixes request parameter can be used to return the details for a specific repository creation template. /// - /// - Parameter DescribeRepositoryCreationTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRepositoryCreationTemplatesInput`) /// - /// - Returns: `DescribeRepositoryCreationTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRepositoryCreationTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1866,7 +1845,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRepositoryCreationTemplatesOutput.httpOutput(from:), DescribeRepositoryCreationTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1901,9 +1879,9 @@ extension ECRClient { /// /// Retrieves the account setting value for the specified setting name. /// - /// - Parameter GetAccountSettingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountSettingInput`) /// - /// - Returns: `GetAccountSettingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountSettingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1937,7 +1915,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSettingOutput.httpOutput(from:), GetAccountSettingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1972,9 +1949,9 @@ extension ECRClient { /// /// Retrieves an authorization token. An authorization token represents your IAM authentication credentials and can be used to access any Amazon ECR registry that your IAM principal has access to. The authorization token is valid for 12 hours. The authorizationToken returned is a base64 encoded string that can be decoded and used in a docker login command to authenticate to a registry. The CLI offers an get-login-password command that simplifies the login process. For more information, see [Registry authentication](https://docs.aws.amazon.com/AmazonECR/latest/userguide/Registries.html#registry_auth) in the Amazon Elastic Container Registry User Guide. /// - /// - Parameter GetAuthorizationTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAuthorizationTokenInput`) /// - /// - Returns: `GetAuthorizationTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAuthorizationTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2007,7 +1984,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAuthorizationTokenOutput.httpOutput(from:), GetAuthorizationTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2042,9 +2018,9 @@ extension ECRClient { /// /// Retrieves the pre-signed Amazon S3 download URL corresponding to an image layer. You can only get URLs for image layers that are referenced in an image. When an image is pulled, the GetDownloadUrlForLayer API is called once per image layer that is not already cached. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter GetDownloadUrlForLayerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDownloadUrlForLayerInput`) /// - /// - Returns: `GetDownloadUrlForLayerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDownloadUrlForLayerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2081,7 +2057,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDownloadUrlForLayerOutput.httpOutput(from:), GetDownloadUrlForLayerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2116,9 +2091,9 @@ extension ECRClient { /// /// Retrieves the lifecycle policy for the specified repository. /// - /// - Parameter GetLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLifecyclePolicyInput`) /// - /// - Returns: `GetLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2154,7 +2129,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLifecyclePolicyOutput.httpOutput(from:), GetLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2189,9 +2163,9 @@ extension ECRClient { /// /// Retrieves the results of the lifecycle policy preview request for the specified repository. /// - /// - Parameter GetLifecyclePolicyPreviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLifecyclePolicyPreviewInput`) /// - /// - Returns: `GetLifecyclePolicyPreviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLifecyclePolicyPreviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2227,7 +2201,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLifecyclePolicyPreviewOutput.httpOutput(from:), GetLifecyclePolicyPreviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2262,9 +2235,9 @@ extension ECRClient { /// /// Retrieves the permissions policy for a registry. /// - /// - Parameter GetRegistryPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegistryPolicyInput`) /// - /// - Returns: `GetRegistryPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegistryPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2299,7 +2272,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegistryPolicyOutput.httpOutput(from:), GetRegistryPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2334,9 +2306,9 @@ extension ECRClient { /// /// Retrieves the scanning configuration for a registry. /// - /// - Parameter GetRegistryScanningConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegistryScanningConfigurationInput`) /// - /// - Returns: `GetRegistryScanningConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegistryScanningConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2370,7 +2342,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegistryScanningConfigurationOutput.httpOutput(from:), GetRegistryScanningConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2405,9 +2376,9 @@ extension ECRClient { /// /// Retrieves the repository policy for the specified repository. /// - /// - Parameter GetRepositoryPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositoryPolicyInput`) /// - /// - Returns: `GetRepositoryPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositoryPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2442,7 +2413,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositoryPolicyOutput.httpOutput(from:), GetRepositoryPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2477,9 +2447,9 @@ extension ECRClient { /// /// Notifies Amazon ECR that you intend to upload an image layer. When an image is pushed, the InitiateLayerUpload API is called once per image layer that has not already been uploaded. Whether or not an image layer has been uploaded is determined by the BatchCheckLayerAvailability API action. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter InitiateLayerUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InitiateLayerUploadInput`) /// - /// - Returns: `InitiateLayerUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InitiateLayerUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2514,7 +2484,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitiateLayerUploadOutput.httpOutput(from:), InitiateLayerUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2549,9 +2518,9 @@ extension ECRClient { /// /// Lists all the image IDs for the specified repository. You can filter images based on whether or not they are tagged by using the tagStatus filter and specifying either TAGGED, UNTAGGED or ANY. For example, you can filter your results to return only UNTAGGED images and then pipe that result to a [BatchDeleteImage] operation to delete them. Or, you can filter your results to return only TAGGED images to list all of the tags in your repository. /// - /// - Parameter ListImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImagesInput`) /// - /// - Returns: `ListImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2585,7 +2554,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImagesOutput.httpOutput(from:), ListImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2620,9 +2588,9 @@ extension ECRClient { /// /// List the tags for an Amazon ECR resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2656,7 +2624,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2691,9 +2658,9 @@ extension ECRClient { /// /// Allows you to change the basic scan type version or registry policy scope. /// - /// - Parameter PutAccountSettingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccountSettingInput`) /// - /// - Returns: `PutAccountSettingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccountSettingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2728,7 +2695,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountSettingOutput.httpOutput(from:), PutAccountSettingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2763,9 +2729,9 @@ extension ECRClient { /// /// Creates or updates the image manifest and tags associated with an image. When an image is pushed and all new image layers have been uploaded, the PutImage API is called once to create or update the image manifest and the tags associated with the image. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter PutImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutImageInput`) /// - /// - Returns: `PutImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2806,7 +2772,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutImageOutput.httpOutput(from:), PutImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2841,9 +2806,9 @@ extension ECRClient { /// /// The PutImageScanningConfiguration API is being deprecated, in favor of specifying the image scanning configuration at the registry level. For more information, see [PutRegistryScanningConfiguration]. Updates the image scanning configuration for the specified repository. /// - /// - Parameter PutImageScanningConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutImageScanningConfigurationInput`) /// - /// - Returns: `PutImageScanningConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutImageScanningConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2878,7 +2843,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutImageScanningConfigurationOutput.httpOutput(from:), PutImageScanningConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2913,9 +2877,9 @@ extension ECRClient { /// /// Updates the image tag mutability settings for the specified repository. For more information, see [Image tag mutability](https://docs.aws.amazon.com/AmazonECR/latest/userguide/image-tag-mutability.html) in the Amazon Elastic Container Registry User Guide. /// - /// - Parameter PutImageTagMutabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutImageTagMutabilityInput`) /// - /// - Returns: `PutImageTagMutabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutImageTagMutabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2949,7 +2913,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutImageTagMutabilityOutput.httpOutput(from:), PutImageTagMutabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2984,9 +2947,9 @@ extension ECRClient { /// /// Creates or updates the lifecycle policy for the specified repository. For more information, see [Lifecycle policy template](https://docs.aws.amazon.com/AmazonECR/latest/userguide/LifecyclePolicies.html). /// - /// - Parameter PutLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLifecyclePolicyInput`) /// - /// - Returns: `PutLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3021,7 +2984,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLifecyclePolicyOutput.httpOutput(from:), PutLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3056,9 +3018,9 @@ extension ECRClient { /// /// Creates or updates the permissions policy for your registry. A registry policy is used to specify permissions for another Amazon Web Services account and is used when configuring cross-account replication. For more information, see [Registry permissions](https://docs.aws.amazon.com/AmazonECR/latest/userguide/registry-permissions.html) in the Amazon Elastic Container Registry User Guide. /// - /// - Parameter PutRegistryPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRegistryPolicyInput`) /// - /// - Returns: `PutRegistryPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRegistryPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3092,7 +3054,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRegistryPolicyOutput.httpOutput(from:), PutRegistryPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3127,9 +3088,9 @@ extension ECRClient { /// /// Creates or updates the scanning configuration for your private registry. /// - /// - Parameter PutRegistryScanningConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRegistryScanningConfigurationInput`) /// - /// - Returns: `PutRegistryScanningConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRegistryScanningConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3163,7 +3124,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRegistryScanningConfigurationOutput.httpOutput(from:), PutRegistryScanningConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3198,9 +3158,9 @@ extension ECRClient { /// /// Creates or updates the replication configuration for a registry. The existing replication configuration for a repository can be retrieved with the [DescribeRegistry] API action. The first time the PutReplicationConfiguration API is called, a service-linked IAM role is created in your account for the replication process. For more information, see [Using service-linked roles for Amazon ECR](https://docs.aws.amazon.com/AmazonECR/latest/userguide/using-service-linked-roles.html) in the Amazon Elastic Container Registry User Guide. For more information on the custom role for replication, see [Creating an IAM role for replication](https://docs.aws.amazon.com/AmazonECR/latest/userguide/replication-creation-templates.html#roles-creatingrole-user-console). When configuring cross-account replication, the destination account must grant the source account permission to replicate. This permission is controlled using a registry permissions policy. For more information, see [PutRegistryPolicy]. /// - /// - Parameter PutReplicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutReplicationConfigurationInput`) /// - /// - Returns: `PutReplicationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutReplicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3234,7 +3194,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutReplicationConfigurationOutput.httpOutput(from:), PutReplicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3269,9 +3228,9 @@ extension ECRClient { /// /// Applies a repository policy to the specified repository to control access permissions. For more information, see [Amazon ECR Repository policies](https://docs.aws.amazon.com/AmazonECR/latest/userguide/repository-policies.html) in the Amazon Elastic Container Registry User Guide. /// - /// - Parameter SetRepositoryPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetRepositoryPolicyInput`) /// - /// - Returns: `SetRepositoryPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetRepositoryPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3305,7 +3264,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetRepositoryPolicyOutput.httpOutput(from:), SetRepositoryPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3340,9 +3298,9 @@ extension ECRClient { /// /// Starts a basic image vulnerability scan. A basic image scan can only be started once per 24 hours on an individual image. This limit includes if an image was scanned on initial push. You can start up to 100,000 basic scans per 24 hours. This limit includes both scans on initial push and scans initiated by the StartImageScan API. For more information, see [Basic scanning](https://docs.aws.amazon.com/AmazonECR/latest/userguide/image-scanning-basic.html) in the Amazon Elastic Container Registry User Guide. /// - /// - Parameter StartImageScanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImageScanInput`) /// - /// - Returns: `StartImageScanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImageScanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3380,7 +3338,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImageScanOutput.httpOutput(from:), StartImageScanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3415,9 +3372,9 @@ extension ECRClient { /// /// Starts a preview of a lifecycle policy for the specified repository. This allows you to see the results before associating the lifecycle policy with the repository. /// - /// - Parameter StartLifecyclePolicyPreviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartLifecyclePolicyPreviewInput`) /// - /// - Returns: `StartLifecyclePolicyPreviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartLifecyclePolicyPreviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3454,7 +3411,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartLifecyclePolicyPreviewOutput.httpOutput(from:), StartLifecyclePolicyPreviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3489,9 +3445,9 @@ extension ECRClient { /// /// Adds specified tags to a resource with the specified ARN. Existing tags on a resource are not changed if they are not specified in the request parameters. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3527,7 +3483,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3562,9 +3517,9 @@ extension ECRClient { /// /// Deletes specified tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3600,7 +3555,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3635,9 +3589,9 @@ extension ECRClient { /// /// Updates an existing pull through cache rule. /// - /// - Parameter UpdatePullThroughCacheRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePullThroughCacheRuleInput`) /// - /// - Returns: `UpdatePullThroughCacheRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePullThroughCacheRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3675,7 +3629,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePullThroughCacheRuleOutput.httpOutput(from:), UpdatePullThroughCacheRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3710,9 +3663,9 @@ extension ECRClient { /// /// Updates an existing repository creation template. /// - /// - Parameter UpdateRepositoryCreationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRepositoryCreationTemplateInput`) /// - /// - Returns: `UpdateRepositoryCreationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRepositoryCreationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3747,7 +3700,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRepositoryCreationTemplateOutput.httpOutput(from:), UpdateRepositoryCreationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3782,9 +3734,9 @@ extension ECRClient { /// /// Uploads an image layer part to Amazon ECR. When an image is pushed, each new image layer is uploaded in parts. The maximum size of each image layer part can be 20971520 bytes (or about 20MB). The UploadLayerPart API is called once per each new image layer part. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter UploadLayerPartInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UploadLayerPartInput`) /// - /// - Returns: `UploadLayerPartOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UploadLayerPartOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3822,7 +3774,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadLayerPartOutput.httpOutput(from:), UploadLayerPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3857,9 +3808,9 @@ extension ECRClient { /// /// Validates an existing pull through cache rule for an upstream registry that requires authentication. This will retrieve the contents of the Amazon Web Services Secrets Manager secret, verify the syntax, and then validate that authentication to the upstream registry is successful. /// - /// - Parameter ValidatePullThroughCacheRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidatePullThroughCacheRuleInput`) /// - /// - Returns: `ValidatePullThroughCacheRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidatePullThroughCacheRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3894,7 +3845,6 @@ extension ECRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidatePullThroughCacheRuleOutput.httpOutput(from:), ValidatePullThroughCacheRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSECRPUBLIC/Sources/AWSECRPUBLIC/ECRPUBLICClient.swift b/Sources/Services/AWSECRPUBLIC/Sources/AWSECRPUBLIC/ECRPUBLICClient.swift index 391f1596e86..13b4a870aa9 100644 --- a/Sources/Services/AWSECRPUBLIC/Sources/AWSECRPUBLIC/ECRPUBLICClient.swift +++ b/Sources/Services/AWSECRPUBLIC/Sources/AWSECRPUBLIC/ECRPUBLICClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ECRPUBLICClient: ClientRuntime.Client { public static let clientName = "ECRPUBLICClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ECRPUBLICClient.ECRPUBLICClientConfiguration let serviceName = "ECR PUBLIC" @@ -374,9 +373,9 @@ extension ECRPUBLICClient { /// /// Checks the availability of one or more image layers that are within a repository in a public registry. When an image is pushed to a repository, each image layer is checked to verify if it has been uploaded before. If it has been uploaded, then the image layer is skipped. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter BatchCheckLayerAvailabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCheckLayerAvailabilityInput`) /// - /// - Returns: `BatchCheckLayerAvailabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCheckLayerAvailabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCheckLayerAvailabilityOutput.httpOutput(from:), BatchCheckLayerAvailabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension ECRPUBLICClient { /// /// Deletes a list of specified images that are within a repository in a public registry. Images are specified with either an imageTag or imageDigest. You can remove a tag from an image by specifying the image's tag in your request. When you remove the last tag from an image, the image is deleted from your repository. You can completely delete an image (and all of its tags) by specifying the digest of the image in your request. /// - /// - Parameter BatchDeleteImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteImageInput`) /// - /// - Returns: `BatchDeleteImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteImageOutput.httpOutput(from:), BatchDeleteImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension ECRPUBLICClient { /// /// Informs Amazon ECR that the image layer upload is complete for a specified public registry, repository name, and upload ID. You can optionally provide a sha256 digest of the image layer for data validation purposes. When an image is pushed, the CompleteLayerUpload API is called once for each new image layer to verify that the upload is complete. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter CompleteLayerUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CompleteLayerUploadInput`) /// - /// - Returns: `CompleteLayerUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompleteLayerUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteLayerUploadOutput.httpOutput(from:), CompleteLayerUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension ECRPUBLICClient { /// /// Creates a repository in a public registry. For more information, see [Amazon ECR repositories](https://docs.aws.amazon.com/AmazonECR/latest/userguide/Repositories.html) in the Amazon Elastic Container Registry User Guide. /// - /// - Parameter CreateRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRepositoryInput`) /// - /// - Returns: `CreateRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRepositoryOutput.httpOutput(from:), CreateRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension ECRPUBLICClient { /// /// Deletes a repository in a public registry. If the repository contains images, you must either manually delete all images in the repository or use the force option. This option deletes all images on your behalf before deleting the repository. /// - /// - Parameter DeleteRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRepositoryInput`) /// - /// - Returns: `DeleteRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -710,7 +705,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryOutput.httpOutput(from:), DeleteRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -745,9 +739,9 @@ extension ECRPUBLICClient { /// /// Deletes the repository policy that's associated with the specified repository. /// - /// - Parameter DeleteRepositoryPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRepositoryPolicyInput`) /// - /// - Returns: `DeleteRepositoryPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRepositoryPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -783,7 +777,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryPolicyOutput.httpOutput(from:), DeleteRepositoryPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -818,9 +811,9 @@ extension ECRPUBLICClient { /// /// Returns the image tag details for a repository in a public registry. /// - /// - Parameter DescribeImageTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageTagsInput`) /// - /// - Returns: `DescribeImageTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -855,7 +848,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageTagsOutput.httpOutput(from:), DescribeImageTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -890,9 +882,9 @@ extension ECRPUBLICClient { /// /// Returns metadata that's related to the images in a repository in a public registry. Beginning with Docker version 1.9, the Docker client compresses image layers before pushing them to a V2 Docker registry. The output of the docker images command shows the uncompressed image size. Therefore, it might return a larger image size than the image sizes that are returned by [DescribeImages]. /// - /// - Parameter DescribeImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImagesInput`) /// - /// - Returns: `DescribeImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -928,7 +920,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImagesOutput.httpOutput(from:), DescribeImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -963,9 +954,9 @@ extension ECRPUBLICClient { /// /// Returns details for a public registry. /// - /// - Parameter DescribeRegistriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegistriesInput`) /// - /// - Returns: `DescribeRegistriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegistriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -999,7 +990,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegistriesOutput.httpOutput(from:), DescribeRegistriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1034,9 +1024,9 @@ extension ECRPUBLICClient { /// /// Describes repositories that are in a public registry. /// - /// - Parameter DescribeRepositoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRepositoriesInput`) /// - /// - Returns: `DescribeRepositoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRepositoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1071,7 +1061,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRepositoriesOutput.httpOutput(from:), DescribeRepositoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1106,9 +1095,9 @@ extension ECRPUBLICClient { /// /// Retrieves an authorization token. An authorization token represents your IAM authentication credentials. You can use it to access any Amazon ECR registry that your IAM principal has access to. The authorization token is valid for 12 hours. This API requires the ecr-public:GetAuthorizationToken and sts:GetServiceBearerToken permissions. /// - /// - Parameter GetAuthorizationTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAuthorizationTokenInput`) /// - /// - Returns: `GetAuthorizationTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAuthorizationTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1142,7 +1131,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAuthorizationTokenOutput.httpOutput(from:), GetAuthorizationTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1177,9 +1165,9 @@ extension ECRPUBLICClient { /// /// Retrieves catalog metadata for a public registry. /// - /// - Parameter GetRegistryCatalogDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegistryCatalogDataInput`) /// - /// - Returns: `GetRegistryCatalogDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegistryCatalogDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1212,7 +1200,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegistryCatalogDataOutput.httpOutput(from:), GetRegistryCatalogDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1247,9 +1234,9 @@ extension ECRPUBLICClient { /// /// Retrieve catalog metadata for a repository in a public registry. This metadata is displayed publicly in the Amazon ECR Public Gallery. /// - /// - Parameter GetRepositoryCatalogDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositoryCatalogDataInput`) /// - /// - Returns: `GetRepositoryCatalogDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositoryCatalogDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1285,7 +1272,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositoryCatalogDataOutput.httpOutput(from:), GetRepositoryCatalogDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1320,9 +1306,9 @@ extension ECRPUBLICClient { /// /// Retrieves the repository policy for the specified repository. /// - /// - Parameter GetRepositoryPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositoryPolicyInput`) /// - /// - Returns: `GetRepositoryPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositoryPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1358,7 +1344,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositoryPolicyOutput.httpOutput(from:), GetRepositoryPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1393,9 +1378,9 @@ extension ECRPUBLICClient { /// /// Notifies Amazon ECR that you intend to upload an image layer. When an image is pushed, the InitiateLayerUpload API is called once for each image layer that hasn't already been uploaded. Whether an image layer uploads is determined by the BatchCheckLayerAvailability API action. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter InitiateLayerUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InitiateLayerUploadInput`) /// - /// - Returns: `InitiateLayerUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InitiateLayerUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1431,7 +1416,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitiateLayerUploadOutput.httpOutput(from:), InitiateLayerUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1466,9 +1450,9 @@ extension ECRPUBLICClient { /// /// List the tags for an Amazon ECR Public resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1503,7 +1487,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1538,9 +1521,9 @@ extension ECRPUBLICClient { /// /// Creates or updates the image manifest and tags that are associated with an image. When an image is pushed and all new image layers have been uploaded, the PutImage API is called once to create or update the image manifest and the tags that are associated with the image. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter PutImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutImageInput`) /// - /// - Returns: `PutImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1582,7 +1565,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutImageOutput.httpOutput(from:), PutImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1617,9 +1599,9 @@ extension ECRPUBLICClient { /// /// Create or update the catalog data for a public registry. /// - /// - Parameter PutRegistryCatalogDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRegistryCatalogDataInput`) /// - /// - Returns: `PutRegistryCatalogDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRegistryCatalogDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1653,7 +1635,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRegistryCatalogDataOutput.httpOutput(from:), PutRegistryCatalogDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1688,9 +1669,9 @@ extension ECRPUBLICClient { /// /// Creates or updates the catalog data for a repository in a public registry. /// - /// - Parameter PutRepositoryCatalogDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRepositoryCatalogDataInput`) /// - /// - Returns: `PutRepositoryCatalogDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRepositoryCatalogDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1725,7 +1706,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRepositoryCatalogDataOutput.httpOutput(from:), PutRepositoryCatalogDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1760,9 +1740,9 @@ extension ECRPUBLICClient { /// /// Applies a repository policy to the specified public repository to control access permissions. For more information, see [Amazon ECR Repository Policies](https://docs.aws.amazon.com/AmazonECR/latest/userguide/repository-policies.html) in the Amazon Elastic Container Registry User Guide. /// - /// - Parameter SetRepositoryPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetRepositoryPolicyInput`) /// - /// - Returns: `SetRepositoryPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetRepositoryPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1797,7 +1777,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetRepositoryPolicyOutput.httpOutput(from:), SetRepositoryPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1832,9 +1811,9 @@ extension ECRPUBLICClient { /// /// Associates the specified tags to a resource with the specified resourceArn. If existing tags on a resource aren't specified in the request parameters, they aren't changed. When a resource is deleted, the tags associated with that resource are also deleted. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1871,7 +1850,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1906,9 +1884,9 @@ extension ECRPUBLICClient { /// /// Deletes specified tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1945,7 +1923,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1980,9 +1957,9 @@ extension ECRPUBLICClient { /// /// Uploads an image layer part to Amazon ECR. When an image is pushed, each new image layer is uploaded in parts. The maximum size of each image layer part can be 20971520 bytes (about 20MB). The UploadLayerPart API is called once for each new image layer part. This operation is used by the Amazon ECR proxy and is not generally used by customers for pulling and pushing images. In most cases, you should use the docker CLI to pull, tag, and push images. /// - /// - Parameter UploadLayerPartInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UploadLayerPartInput`) /// - /// - Returns: `UploadLayerPartOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UploadLayerPartOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2021,7 +1998,6 @@ extension ECRPUBLICClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadLayerPartOutput.httpOutput(from:), UploadLayerPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSECS/Sources/AWSECS/ECSClient.swift b/Sources/Services/AWSECS/Sources/AWSECS/ECSClient.swift index a5fc243d346..98160775b40 100644 --- a/Sources/Services/AWSECS/Sources/AWSECS/ECSClient.swift +++ b/Sources/Services/AWSECS/Sources/AWSECS/ECSClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ECSClient: ClientRuntime.Client { public static let clientName = "ECSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ECSClient.ECSClientConfiguration let serviceName = "ECS" @@ -375,9 +374,9 @@ extension ECSClient { /// /// Creates a capacity provider. Capacity providers are associated with a cluster and are used in capacity provider strategies to facilitate cluster auto scaling. You can create capacity providers for Amazon ECS Managed Instances and EC2 instances. Fargate has the predefined FARGATE and FARGATE_SPOT capacity providers. /// - /// - Parameter CreateCapacityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCapacityProviderInput`) /// - /// - Returns: `CreateCapacityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCapacityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCapacityProviderOutput.httpOutput(from:), CreateCapacityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension ECSClient { /// /// Creates a new Amazon ECS cluster. By default, your account receives a default cluster when you launch your first container instance. However, you can create your own cluster with a unique name. When you call the [CreateCluster](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_CreateCluster.html) API operation, Amazon ECS attempts to create the Amazon ECS service-linked role for your account. This is so that it can manage required resources in other Amazon Web Services services on your behalf. However, if the user that makes the call doesn't have permissions to create the service-linked role, it isn't created. For more information, see [Using service-linked roles for Amazon ECS](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/using-service-linked-roles.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -575,9 +572,9 @@ extension ECSClient { /// /// When creating a service that uses the EXTERNAL deployment controller, you can specify only parameters that aren't controlled at the task set level. The only required parameter is the service name. You control your services using the [CreateTaskSet](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_CreateTaskSet.html). For more information, see [Amazon ECS deployment types](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/deployment-types.html) in the Amazon Elastic Container Service Developer Guide. When the service scheduler launches new tasks, it determines task placement. For information about task placement and task placement strategies, see [Amazon ECS task placement](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/task-placement.html) in the Amazon Elastic Container Service Developer Guide /// - /// - Parameter CreateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceInput`) /// - /// - Returns: `CreateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -617,7 +614,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceOutput.httpOutput(from:), CreateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -652,9 +648,9 @@ extension ECSClient { /// /// Create a task set in the specified cluster and service. This is used when a service uses the EXTERNAL deployment controller type. For more information, see [Amazon ECS deployment types](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/deployment-types.html) in the Amazon Elastic Container Service Developer Guide. On March 21, 2024, a change was made to resolve the task definition revision before authorization. When a task definition revision is not specified, authorization will occur using the latest revision of a task definition. For information about the maximum number of task sets and other quotas, see [Amazon ECS service quotas](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/service-quotas.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter CreateTaskSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTaskSetInput`) /// - /// - Returns: `CreateTaskSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTaskSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +692,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTaskSetOutput.httpOutput(from:), CreateTaskSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +726,9 @@ extension ECSClient { /// /// Disables an account setting for a specified user, role, or the root user for an account. /// - /// - Parameter DeleteAccountSettingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountSettingInput`) /// - /// - Returns: `DeleteAccountSettingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountSettingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +762,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountSettingOutput.httpOutput(from:), DeleteAccountSettingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -802,9 +796,9 @@ extension ECSClient { /// /// Deletes one or more custom attributes from an Amazon ECS resource. /// - /// - Parameter DeleteAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAttributesInput`) /// - /// - Returns: `DeleteAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -838,7 +832,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAttributesOutput.httpOutput(from:), DeleteAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +866,9 @@ extension ECSClient { /// /// Deletes the specified capacity provider. The FARGATE and FARGATE_SPOT capacity providers are reserved and can't be deleted. You can disassociate them from a cluster using either [PutClusterCapacityProviders](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_PutClusterCapacityProviders.html) or by deleting the cluster. Prior to a capacity provider being deleted, the capacity provider must be removed from the capacity provider strategy from all services. The [UpdateService](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_UpdateService.html) API can be used to remove a capacity provider from a service's capacity provider strategy. When updating a service, the forceNewDeployment option can be used to ensure that any tasks using the Amazon EC2 instance capacity provided by the capacity provider are transitioned to use the capacity from the remaining capacity providers. Only capacity providers that aren't associated with a cluster can be deleted. To remove a capacity provider from a cluster, you can either use [PutClusterCapacityProviders](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_PutClusterCapacityProviders.html) or delete the cluster. /// - /// - Parameter DeleteCapacityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCapacityProviderInput`) /// - /// - Returns: `DeleteCapacityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCapacityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -911,7 +904,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCapacityProviderOutput.httpOutput(from:), DeleteCapacityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +938,9 @@ extension ECSClient { /// /// Deletes the specified cluster. The cluster transitions to the INACTIVE state. Clusters with an INACTIVE status might remain discoverable in your account for a period of time. However, this behavior is subject to change in the future. We don't recommend that you rely on INACTIVE clusters persisting. You must deregister all container instances from this cluster before you may delete it. You can list the container instances in a cluster with [ListContainerInstances](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_ListContainerInstances.html) and deregister them with [DeregisterContainerInstance](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_DeregisterContainerInstance.html). /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -988,7 +980,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1023,9 +1014,9 @@ extension ECSClient { /// /// Deletes a specified service within a cluster. You can delete a service if you have no running tasks in it and the desired task count is zero. If the service is actively maintaining tasks, you can't delete it, and you must update the service to a desired task count of zero. For more information, see [UpdateService](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_UpdateService.html). When you delete a service, if there are still running tasks that require cleanup, the service status moves from ACTIVE to DRAINING, and the service is no longer visible in the console or in the [ListServices](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_ListServices.html) API operation. After all tasks have transitioned to either STOPPING or STOPPED status, the service status moves from DRAINING to INACTIVE. Services in the DRAINING or INACTIVE status can still be viewed with the [DescribeServices](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_DescribeServices.html) API operation. However, in the future, INACTIVE services may be cleaned up and purged from Amazon ECS record keeping, and [DescribeServices](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_DescribeServices.html) calls on those services return a ServiceNotFoundException error. If you attempt to create a new service with the same name as an existing service in either ACTIVE or DRAINING status, you receive an error. /// - /// - Parameter DeleteServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceInput`) /// - /// - Returns: `DeleteServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1061,7 +1052,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceOutput.httpOutput(from:), DeleteServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1096,9 +1086,9 @@ extension ECSClient { /// /// Deletes one or more task definitions. You must deregister a task definition revision before you delete it. For more information, see [DeregisterTaskDefinition](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_DeregisterTaskDefinition.html). When you delete a task definition revision, it is immediately transitions from the INACTIVE to DELETE_IN_PROGRESS. Existing tasks and services that reference a DELETE_IN_PROGRESS task definition revision continue to run without disruption. Existing services that reference a DELETE_IN_PROGRESS task definition revision can still scale up or down by modifying the service's desired count. You can't use a DELETE_IN_PROGRESS task definition revision to run new tasks or create new services. You also can't update an existing service to reference a DELETE_IN_PROGRESS task definition revision. A task definition revision will stay in DELETE_IN_PROGRESS status until all the associated tasks and services have been terminated. When you delete all INACTIVE task definition revisions, the task definition name is not displayed in the console and not returned in the API. If a task definition revisions are in the DELETE_IN_PROGRESS state, the task definition name is displayed in the console and returned in the API. The task definition name is retained by Amazon ECS and the revision is incremented the next time you create a task definition with that name. /// - /// - Parameter DeleteTaskDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTaskDefinitionsInput`) /// - /// - Returns: `DeleteTaskDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTaskDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1133,7 +1123,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTaskDefinitionsOutput.httpOutput(from:), DeleteTaskDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1168,9 +1157,9 @@ extension ECSClient { /// /// Deletes a specified task set within a service. This is used when a service uses the EXTERNAL deployment controller type. For more information, see [Amazon ECS deployment types](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/deployment-types.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter DeleteTaskSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTaskSetInput`) /// - /// - Returns: `DeleteTaskSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTaskSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1210,7 +1199,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTaskSetOutput.httpOutput(from:), DeleteTaskSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1245,9 +1233,9 @@ extension ECSClient { /// /// Deregisters an Amazon ECS container instance from the specified cluster. This instance is no longer available to run tasks. If you intend to use the container instance for some other purpose after deregistration, we recommend that you stop all of the tasks running on the container instance before deregistration. That prevents any orphaned tasks from consuming resources. Deregistering a container instance removes the instance from a cluster, but it doesn't terminate the EC2 instance. If you are finished using the instance, be sure to terminate it in the Amazon EC2 console to stop billing. If you terminate a running container instance, Amazon ECS automatically deregisters the instance from your cluster (stopped container instances or instances with disconnected agents aren't automatically deregistered when terminated). /// - /// - Parameter DeregisterContainerInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterContainerInstanceInput`) /// - /// - Returns: `DeregisterContainerInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterContainerInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1282,7 +1270,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterContainerInstanceOutput.httpOutput(from:), DeregisterContainerInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1317,9 +1304,9 @@ extension ECSClient { /// /// Deregisters the specified task definition by family and revision. Upon deregistration, the task definition is marked as INACTIVE. Existing tasks and services that reference an INACTIVE task definition continue to run without disruption. Existing services that reference an INACTIVE task definition can still scale up or down by modifying the service's desired count. If you want to delete a task definition revision, you must first deregister the task definition revision. You can't use an INACTIVE task definition to run new tasks or create new services, and you can't update an existing service to reference an INACTIVE task definition. However, there may be up to a 10-minute window following deregistration where these restrictions have not yet taken effect. At this time, INACTIVE task definitions remain discoverable in your account indefinitely. However, this behavior is subject to change in the future. We don't recommend that you rely on INACTIVE task definitions persisting beyond the lifecycle of any associated tasks and services. You must deregister a task definition revision before you delete it. For more information, see [DeleteTaskDefinitions](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_DeleteTaskDefinitions.html). /// - /// - Parameter DeregisterTaskDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterTaskDefinitionInput`) /// - /// - Returns: `DeregisterTaskDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterTaskDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1353,7 +1340,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterTaskDefinitionOutput.httpOutput(from:), DeregisterTaskDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1388,9 +1374,9 @@ extension ECSClient { /// /// Describes one or more of your capacity providers. /// - /// - Parameter DescribeCapacityProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCapacityProvidersInput`) /// - /// - Returns: `DescribeCapacityProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCapacityProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1426,7 +1412,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCapacityProvidersOutput.httpOutput(from:), DescribeCapacityProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1461,9 +1446,9 @@ extension ECSClient { /// /// Describes one or more of your clusters. For CLI examples, see [describe-clusters.rst](https://github.com/aws/aws-cli/blob/develop/awscli/examples/ecs/describe-clusters.rst) on GitHub. /// - /// - Parameter DescribeClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClustersInput`) /// - /// - Returns: `DescribeClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1497,7 +1482,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClustersOutput.httpOutput(from:), DescribeClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1532,9 +1516,9 @@ extension ECSClient { /// /// Describes one or more container instances. Returns metadata about each container instance requested. /// - /// - Parameter DescribeContainerInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContainerInstancesInput`) /// - /// - Returns: `DescribeContainerInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContainerInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1569,7 +1553,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContainerInstancesOutput.httpOutput(from:), DescribeContainerInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1604,9 +1587,9 @@ extension ECSClient { /// /// Describes one or more of your service deployments. A service deployment happens when you release a software update for the service. For more information, see [View service history using Amazon ECS service deployments](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/service-deployment.html). /// - /// - Parameter DescribeServiceDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceDeploymentsInput`) /// - /// - Returns: `DescribeServiceDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1644,7 +1627,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceDeploymentsOutput.httpOutput(from:), DescribeServiceDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1679,9 +1661,9 @@ extension ECSClient { /// /// Describes one or more service revisions. A service revision is a version of the service that includes the values for the Amazon ECS resources (for example, task definition) and the environment resources (for example, load balancers, subnets, and security groups). For more information, see [Amazon ECS service revisions](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/service-revision.html). You can't describe a service revision that was created before October 25, 2024. /// - /// - Parameter DescribeServiceRevisionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceRevisionsInput`) /// - /// - Returns: `DescribeServiceRevisionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1719,7 +1701,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceRevisionsOutput.httpOutput(from:), DescribeServiceRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1754,9 +1735,9 @@ extension ECSClient { /// /// Describes the specified services running in your cluster. /// - /// - Parameter DescribeServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServicesInput`) /// - /// - Returns: `DescribeServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1791,7 +1772,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServicesOutput.httpOutput(from:), DescribeServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1826,9 +1806,9 @@ extension ECSClient { /// /// Describes a task definition. You can specify a family and revision to find information about a specific task definition, or you can simply specify the family to find the latest ACTIVE revision in that family. You can only describe INACTIVE task definitions while an active task or service references them. /// - /// - Parameter DescribeTaskDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTaskDefinitionInput`) /// - /// - Returns: `DescribeTaskDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTaskDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1862,7 +1842,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTaskDefinitionOutput.httpOutput(from:), DescribeTaskDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1897,9 +1876,9 @@ extension ECSClient { /// /// Describes the task sets in the specified cluster and service. This is used when a service uses the EXTERNAL deployment controller type. For more information, see [Amazon ECS Deployment Types](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/deployment-types.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter DescribeTaskSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTaskSetsInput`) /// - /// - Returns: `DescribeTaskSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTaskSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1938,7 +1917,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTaskSetsOutput.httpOutput(from:), DescribeTaskSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1973,9 +1951,9 @@ extension ECSClient { /// /// Describes a specified task or tasks. Currently, stopped tasks appear in the returned results for at least one hour. If you have tasks with tags, and then delete the cluster, the tagged tasks are returned in the response. If you create a new cluster with the same name as the deleted cluster, the tagged tasks are not included in the response. /// - /// - Parameter DescribeTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTasksInput`) /// - /// - Returns: `DescribeTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2010,7 +1988,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTasksOutput.httpOutput(from:), DescribeTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2045,9 +2022,9 @@ extension ECSClient { /// /// This action is only used by the Amazon ECS agent, and it is not intended for use outside of the agent. Returns an endpoint for the Amazon ECS agent to poll for updates. /// - /// - Parameter DiscoverPollEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DiscoverPollEndpointInput`) /// - /// - Returns: `DiscoverPollEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DiscoverPollEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2080,7 +2057,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DiscoverPollEndpointOutput.httpOutput(from:), DiscoverPollEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2115,9 +2091,9 @@ extension ECSClient { /// /// Runs a command remotely on a container within a task. If you use a condition key in your IAM policy to refine the conditions for the policy statement, for example limit the actions to a specific cluster, you receive an AccessDeniedException when there is a mismatch between the condition key value and the corresponding parameter value. For information about required permissions and considerations, see [Using Amazon ECS Exec for debugging](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/ecs-exec.html) in the Amazon ECS Developer Guide. /// - /// - Parameter ExecuteCommandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteCommandInput`) /// - /// - Returns: `ExecuteCommandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteCommandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2163,7 +2139,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteCommandOutput.httpOutput(from:), ExecuteCommandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2198,9 +2173,9 @@ extension ECSClient { /// /// Retrieves the protection status of tasks in an Amazon ECS service. /// - /// - Parameter GetTaskProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTaskProtectionInput`) /// - /// - Returns: `GetTaskProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTaskProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2238,7 +2213,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTaskProtectionOutput.httpOutput(from:), GetTaskProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2273,9 +2247,9 @@ extension ECSClient { /// /// Lists the account settings for a specified principal. /// - /// - Parameter ListAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountSettingsInput`) /// - /// - Returns: `ListAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2309,7 +2283,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountSettingsOutput.httpOutput(from:), ListAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2344,9 +2317,9 @@ extension ECSClient { /// /// Lists the attributes for Amazon ECS resources within a specified target type and cluster. When you specify a target type and cluster, ListAttributes returns a list of attribute objects, one for each attribute on each resource. You can filter the list of results to a single attribute name to only return results that have that name. You can also filter the results by attribute name and value. You can do this, for example, to see which container instances in a cluster are running a Linux AMI (ecs.os-type=linux). /// - /// - Parameter ListAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttributesInput`) /// - /// - Returns: `ListAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2379,7 +2352,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttributesOutput.httpOutput(from:), ListAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2414,9 +2386,9 @@ extension ECSClient { /// /// Returns a list of existing clusters. /// - /// - Parameter ListClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2450,7 +2422,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2485,9 +2456,9 @@ extension ECSClient { /// /// Returns a list of container instances in a specified cluster. You can filter the results of a ListContainerInstances operation with cluster query language statements inside the filter parameter. For more information, see [Cluster Query Language](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/cluster-query-language.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter ListContainerInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContainerInstancesInput`) /// - /// - Returns: `ListContainerInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContainerInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2522,7 +2493,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContainerInstancesOutput.httpOutput(from:), ListContainerInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2557,9 +2527,9 @@ extension ECSClient { /// /// This operation lists all the service deployments that meet the specified filter criteria. A service deployment happens when you release a software update for the service. You route traffic from the running service revisions to the new service revison and control the number of running tasks. This API returns the values that you use for the request parameters in [DescribeServiceRevisions](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_DescribeServiceRevisions.html). /// - /// - Parameter ListServiceDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceDeploymentsInput`) /// - /// - Returns: `ListServiceDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2596,7 +2566,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceDeploymentsOutput.httpOutput(from:), ListServiceDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2631,9 +2600,9 @@ extension ECSClient { /// /// Returns a list of services. You can filter the results by cluster, launch type, and scheduling strategy. /// - /// - Parameter ListServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicesInput`) /// - /// - Returns: `ListServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2668,7 +2637,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicesOutput.httpOutput(from:), ListServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2703,9 +2671,9 @@ extension ECSClient { /// /// This operation lists all of the services that are associated with a Cloud Map namespace. This list might include services in different clusters. In contrast, ListServices can only list services in one cluster at a time. If you need to filter the list of services in a single cluster by various parameters, use ListServices. For more information, see [Service Connect](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/service-connect.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter ListServicesByNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicesByNamespaceInput`) /// - /// - Returns: `ListServicesByNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicesByNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2740,7 +2708,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicesByNamespaceOutput.httpOutput(from:), ListServicesByNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2775,9 +2742,9 @@ extension ECSClient { /// /// List the tags for an Amazon ECS resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2812,7 +2779,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2847,9 +2813,9 @@ extension ECSClient { /// /// Returns a list of task definition families that are registered to your account. This list includes task definition families that no longer have any ACTIVE task definition revisions. You can filter out task definition families that don't contain any ACTIVE task definition revisions by setting the status parameter to ACTIVE. You can also filter the results with the familyPrefix parameter. /// - /// - Parameter ListTaskDefinitionFamiliesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTaskDefinitionFamiliesInput`) /// - /// - Returns: `ListTaskDefinitionFamiliesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTaskDefinitionFamiliesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2883,7 +2849,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTaskDefinitionFamiliesOutput.httpOutput(from:), ListTaskDefinitionFamiliesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2918,9 +2883,9 @@ extension ECSClient { /// /// Returns a list of task definitions that are registered to your account. You can filter the results by family name with the familyPrefix parameter or by status with the status parameter. /// - /// - Parameter ListTaskDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTaskDefinitionsInput`) /// - /// - Returns: `ListTaskDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTaskDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2954,7 +2919,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTaskDefinitionsOutput.httpOutput(from:), ListTaskDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2989,9 +2953,9 @@ extension ECSClient { /// /// Returns a list of tasks. You can filter the results by cluster, task definition family, container instance, launch type, what IAM principal started the task, or by the desired status of the task. Recently stopped tasks might appear in the returned results. /// - /// - Parameter ListTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTasksInput`) /// - /// - Returns: `ListTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3027,7 +2991,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTasksOutput.httpOutput(from:), ListTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3062,9 +3025,9 @@ extension ECSClient { /// /// Modifies an account setting. Account settings are set on a per-Region basis. If you change the root user account setting, the default settings are reset for users and roles that do not have specified individual account settings. For more information, see [Account Settings](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/ecs-account-settings.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter PutAccountSettingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccountSettingInput`) /// - /// - Returns: `PutAccountSettingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccountSettingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3098,7 +3061,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountSettingOutput.httpOutput(from:), PutAccountSettingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3133,9 +3095,9 @@ extension ECSClient { /// /// Modifies an account setting for all users on an account for whom no individual account setting has been specified. Account settings are set on a per-Region basis. /// - /// - Parameter PutAccountSettingDefaultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccountSettingDefaultInput`) /// - /// - Returns: `PutAccountSettingDefaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccountSettingDefaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3169,7 +3131,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountSettingDefaultOutput.httpOutput(from:), PutAccountSettingDefaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3204,9 +3165,9 @@ extension ECSClient { /// /// Create or update an attribute on an Amazon ECS resource. If the attribute doesn't exist, it's created. If the attribute exists, its value is replaced with the specified value. To delete an attribute, use [DeleteAttributes](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_DeleteAttributes.html). For more information, see [Attributes](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/task-placement-constraints.html#attributes) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter PutAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAttributesInput`) /// - /// - Returns: `PutAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3241,7 +3202,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAttributesOutput.httpOutput(from:), PutAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3276,9 +3236,9 @@ extension ECSClient { /// /// Modifies the available capacity providers and the default capacity provider strategy for a cluster. You must specify both the available capacity providers and a default capacity provider strategy for the cluster. If the specified cluster has existing capacity providers associated with it, you must specify all existing capacity providers in addition to any new ones you want to add. Any existing capacity providers that are associated with a cluster that are omitted from a [PutClusterCapacityProviders](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_PutClusterCapacityProviders.html) API call will be disassociated with the cluster. You can only disassociate an existing capacity provider from a cluster if it's not being used by any existing tasks. When creating a service or running a task on a cluster, if no capacity provider or launch type is specified, then the cluster's default capacity provider strategy is used. We recommend that you define a default capacity provider strategy for your cluster. However, you must specify an empty array ([]) to bypass defining a default strategy. Amazon ECS Managed Instances doesn't support this, because when you create a capacity provider with Amazon ECS Managed Instances, it becomes available only within the specified cluster. /// - /// - Parameter PutClusterCapacityProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutClusterCapacityProvidersInput`) /// - /// - Returns: `PutClusterCapacityProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutClusterCapacityProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3315,7 +3275,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutClusterCapacityProvidersOutput.httpOutput(from:), PutClusterCapacityProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3350,9 +3309,9 @@ extension ECSClient { /// /// This action is only used by the Amazon ECS agent, and it is not intended for use outside of the agent. Registers an EC2 instance into the specified cluster. This instance becomes available to place containers on. /// - /// - Parameter RegisterContainerInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterContainerInstanceInput`) /// - /// - Returns: `RegisterContainerInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterContainerInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3386,7 +3345,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterContainerInstanceOutput.httpOutput(from:), RegisterContainerInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3421,9 +3379,9 @@ extension ECSClient { /// /// Registers a new task definition from the supplied family and containerDefinitions. Optionally, you can add data volumes to your containers with the volumes parameter. For more information about task definition parameters and defaults, see [Amazon ECS Task Definitions](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/task_defintions.html) in the Amazon Elastic Container Service Developer Guide. You can specify a role for your task with the taskRoleArn parameter. When you specify a role for a task, its containers can then use the latest versions of the CLI or SDKs to make API requests to the Amazon Web Services services that are specified in the policy that's associated with the role. For more information, see [IAM Roles for Tasks](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/task-iam-roles.html) in the Amazon Elastic Container Service Developer Guide. You can specify a Docker networking mode for the containers in your task definition with the networkMode parameter. If you specify the awsvpc network mode, the task is allocated an elastic network interface, and you must specify a [NetworkConfiguration](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_NetworkConfiguration.html) when you create a service or run a task with the task definition. For more information, see [Task Networking](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/task-networking.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter RegisterTaskDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterTaskDefinitionInput`) /// - /// - Returns: `RegisterTaskDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterTaskDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3457,7 +3415,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterTaskDefinitionOutput.httpOutput(from:), RegisterTaskDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3506,9 +3463,9 @@ extension ECSClient { /// /// If you get a ClientExceptionerror, the RunTask could not be processed because you use managed scaling and there is a capacity error because the quota of tasks in the PROVISIONING per cluster has been reached. For information about the service quotas, see [Amazon ECS service quotas](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/service-quotas.html). /// - /// - Parameter RunTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RunTaskInput`) /// - /// - Returns: `RunTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RunTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3550,7 +3507,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RunTaskOutput.httpOutput(from:), RunTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3585,9 +3541,9 @@ extension ECSClient { /// /// Starts a new task from the specified task definition on the specified container instance or instances. On March 21, 2024, a change was made to resolve the task definition revision before authorization. When a task definition revision is not specified, authorization will occur using the latest revision of a task definition. Amazon Elastic Inference (EI) is no longer available to customers. Alternatively, you can useRunTask to place tasks for you. For more information, see [Scheduling Tasks](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/scheduling_tasks.html) in the Amazon Elastic Container Service Developer Guide. You can attach Amazon EBS volumes to Amazon ECS tasks by configuring the volume when creating or updating a service. For more information, see [Amazon EBS volumes](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/ebs-volumes.html#ebs-volume-types) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter StartTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTaskInput`) /// - /// - Returns: `StartTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3623,7 +3579,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTaskOutput.httpOutput(from:), StartTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3663,9 +3618,9 @@ extension ECSClient { /// /// For more information, see [Stopping Amazon ECS service deployments](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/stop-service-deployment.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter StopServiceDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopServiceDeploymentInput`) /// - /// - Returns: `StopServiceDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopServiceDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3703,7 +3658,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopServiceDeploymentOutput.httpOutput(from:), StopServiceDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3738,9 +3692,9 @@ extension ECSClient { /// /// Stops a running task. Any tags associated with the task will be deleted. When you call StopTask on a task, the equivalent of docker stop is issued to the containers running in the task. This results in a SIGTERM value and a default 30-second timeout, after which the SIGKILL value is sent and the containers are forcibly stopped. If the container handles the SIGTERM value gracefully and exits within 30 seconds from receiving it, no SIGKILL value is sent. For Windows containers, POSIX signals do not work and runtime stops the container by sending a CTRL_SHUTDOWN_EVENT. For more information, see [Unable to react to graceful shutdown of (Windows) container #25982](https://github.com/moby/moby/issues/25982) on GitHub. The default 30-second timeout can be configured on the Amazon ECS container agent with the ECS_CONTAINER_STOP_TIMEOUT variable. For more information, see [Amazon ECS Container Agent Configuration](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/ecs-agent-config.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter StopTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopTaskInput`) /// - /// - Returns: `StopTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3775,7 +3729,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopTaskOutput.httpOutput(from:), StopTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3810,9 +3763,9 @@ extension ECSClient { /// /// This action is only used by the Amazon ECS agent, and it is not intended for use outside of the agent. Sent to acknowledge that an attachment changed states. /// - /// - Parameter SubmitAttachmentStateChangesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubmitAttachmentStateChangesInput`) /// - /// - Returns: `SubmitAttachmentStateChangesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubmitAttachmentStateChangesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3847,7 +3800,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitAttachmentStateChangesOutput.httpOutput(from:), SubmitAttachmentStateChangesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3882,9 +3834,9 @@ extension ECSClient { /// /// This action is only used by the Amazon ECS agent, and it is not intended for use outside of the agent. Sent to acknowledge that a container changed states. /// - /// - Parameter SubmitContainerStateChangeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubmitContainerStateChangeInput`) /// - /// - Returns: `SubmitContainerStateChangeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubmitContainerStateChangeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3918,7 +3870,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitContainerStateChangeOutput.httpOutput(from:), SubmitContainerStateChangeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3953,9 +3904,9 @@ extension ECSClient { /// /// This action is only used by the Amazon ECS agent, and it is not intended for use outside of the agent. Sent to acknowledge that a task changed states. /// - /// - Parameter SubmitTaskStateChangeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubmitTaskStateChangeInput`) /// - /// - Returns: `SubmitTaskStateChangeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubmitTaskStateChangeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3990,7 +3941,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitTaskStateChangeOutput.httpOutput(from:), SubmitTaskStateChangeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4025,9 +3975,9 @@ extension ECSClient { /// /// Associates the specified tags to a resource with the specified resourceArn. If existing tags on a resource aren't specified in the request parameters, they aren't changed. When a resource is deleted, the tags that are associated with that resource are deleted as well. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4063,7 +4013,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4098,9 +4047,9 @@ extension ECSClient { /// /// Deletes specified tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4136,7 +4085,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4171,9 +4119,9 @@ extension ECSClient { /// /// Modifies the parameters for a capacity provider. These changes only apply to new Amazon ECS Managed Instances, or EC2 instances, not existing ones. /// - /// - Parameter UpdateCapacityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCapacityProviderInput`) /// - /// - Returns: `UpdateCapacityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCapacityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4209,7 +4157,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCapacityProviderOutput.httpOutput(from:), UpdateCapacityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4244,9 +4191,9 @@ extension ECSClient { /// /// Updates the cluster. /// - /// - Parameter UpdateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterInput`) /// - /// - Returns: `UpdateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4282,7 +4229,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterOutput.httpOutput(from:), UpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4317,9 +4263,9 @@ extension ECSClient { /// /// Modifies the settings to use for a cluster. /// - /// - Parameter UpdateClusterSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterSettingsInput`) /// - /// - Returns: `UpdateClusterSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4354,7 +4300,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterSettingsOutput.httpOutput(from:), UpdateClusterSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4389,9 +4334,9 @@ extension ECSClient { /// /// Updates the Amazon ECS container agent on a specified container instance. Updating the Amazon ECS container agent doesn't interrupt running tasks or services on the container instance. The process for updating the agent differs depending on whether your container instance was launched with the Amazon ECS-optimized AMI or another operating system. The UpdateContainerAgent API isn't supported for container instances using the Amazon ECS-optimized Amazon Linux 2 (arm64) AMI. To update the container agent, you can update the ecs-init package. This updates the agent. For more information, see [Updating the Amazon ECS container agent](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/agent-update-ecs-ami.html) in the Amazon Elastic Container Service Developer Guide. Agent updates with the UpdateContainerAgent API operation do not apply to Windows container instances. We recommend that you launch new container instances to update the agent version in your Windows clusters. The UpdateContainerAgent API requires an Amazon ECS-optimized AMI or Amazon Linux AMI with the ecs-init service installed and running. For help updating the Amazon ECS container agent on other operating systems, see [Manually updating the Amazon ECS container agent](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/ecs-agent-update.html#manually_update_agent) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter UpdateContainerAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContainerAgentInput`) /// - /// - Returns: `UpdateContainerAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContainerAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4429,7 +4374,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContainerAgentOutput.httpOutput(from:), UpdateContainerAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4471,9 +4415,9 @@ extension ECSClient { /// /// Any PENDING or RUNNING tasks that do not belong to a service aren't affected. You must wait for them to finish or stop them manually. A container instance has completed draining when it has no more RUNNING tasks. You can verify this using [ListTasks](https://docs.aws.amazon.com/AmazonECS/latest/APIReference/API_ListTasks.html). When a container instance has been drained, you can set a container instance to ACTIVE status and once it has reached that status the Amazon ECS scheduler can begin scheduling tasks on the instance again. /// - /// - Parameter UpdateContainerInstancesStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContainerInstancesStateInput`) /// - /// - Returns: `UpdateContainerInstancesStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContainerInstancesStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4508,7 +4452,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContainerInstancesStateOutput.httpOutput(from:), UpdateContainerInstancesStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4568,9 +4511,9 @@ extension ECSClient { /// /// * Stop the task on a container instance in an optimal Availability Zone (based on the previous steps), favoring container instances with the largest number of running tasks for this service. /// - /// - Parameter UpdateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceInput`) /// - /// - Returns: `UpdateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4612,7 +4555,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceOutput.httpOutput(from:), UpdateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4647,9 +4589,9 @@ extension ECSClient { /// /// Modifies which task set in a service is the primary task set. Any parameters that are updated on the primary task set in a service will transition to the service. This is used when a service uses the EXTERNAL deployment controller type. For more information, see [Amazon ECS Deployment Types](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/deployment-types.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter UpdateServicePrimaryTaskSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServicePrimaryTaskSetInput`) /// - /// - Returns: `UpdateServicePrimaryTaskSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServicePrimaryTaskSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4689,7 +4631,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServicePrimaryTaskSetOutput.httpOutput(from:), UpdateServicePrimaryTaskSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4724,9 +4665,9 @@ extension ECSClient { /// /// Updates the protection status of a task. You can set protectionEnabled to true to protect your task from termination during scale-in events from [Service Autoscaling](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/service-auto-scaling.html) or [deployments](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/deployment-types.html). Task-protection, by default, expires after 2 hours at which point Amazon ECS clears the protectionEnabled property making the task eligible for termination by a subsequent scale-in event. You can specify a custom expiration period for task protection from 1 minute to up to 2,880 minutes (48 hours). To specify the custom expiration period, set the expiresInMinutes property. The expiresInMinutes property is always reset when you invoke this operation for a task that already has protectionEnabled set to true. You can keep extending the protection expiration period of a task by invoking this operation repeatedly. To learn more about Amazon ECS task protection, see [Task scale-in protection](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/task-scale-in-protection.html) in the Amazon Elastic Container Service Developer Guide . This operation is only supported for tasks belonging to an Amazon ECS service. Invoking this operation for a standalone task will result in an TASK_NOT_VALID failure. For more information, see [API failure reasons](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/api_failures_messages.html). If you prefer to set task protection from within the container, we recommend using the [Task scale-in protection endpoint](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/task-scale-in-protection-endpoint.html). /// - /// - Parameter UpdateTaskProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTaskProtectionInput`) /// - /// - Returns: `UpdateTaskProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTaskProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4764,7 +4705,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTaskProtectionOutput.httpOutput(from:), UpdateTaskProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4799,9 +4739,9 @@ extension ECSClient { /// /// Modifies a task set. This is used when a service uses the EXTERNAL deployment controller type. For more information, see [Amazon ECS Deployment Types](https://docs.aws.amazon.com/AmazonECS/latest/developerguide/deployment-types.html) in the Amazon Elastic Container Service Developer Guide. /// - /// - Parameter UpdateTaskSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTaskSetInput`) /// - /// - Returns: `UpdateTaskSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTaskSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4841,7 +4781,6 @@ extension ECSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTaskSetOutput.httpOutput(from:), UpdateTaskSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEFS/Sources/AWSEFS/EFSClient.swift b/Sources/Services/AWSEFS/Sources/AWSEFS/EFSClient.swift index d829eaca079..7a469ecd2cc 100644 --- a/Sources/Services/AWSEFS/Sources/AWSEFS/EFSClient.swift +++ b/Sources/Services/AWSEFS/Sources/AWSEFS/EFSClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EFSClient: ClientRuntime.Client { public static let clientName = "EFSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EFSClient.EFSClientConfiguration let serviceName = "EFS" @@ -375,9 +374,9 @@ extension EFSClient { /// /// Creates an EFS access point. An access point is an application-specific view into an EFS file system that applies an operating system user and group, and a file system path, to any file system request made through the access point. The operating system user and group override any identity information provided by the NFS client. The file system path is exposed as the access point's root directory. Applications using the access point can only access data in the application's own directory and any subdirectories. A file system can have a maximum of 10,000 access points unless you request an increase. To learn more, see [Mounting a file system using EFS access points](https://docs.aws.amazon.com/efs/latest/ug/efs-access-points.html). If multiple requests to create access points on the same file system are sent in quick succession, and the file system is near the limit of access points, you may experience a throttling response for these requests. This is to ensure that the file system does not exceed the stated access point limit. This operation requires permissions for the elasticfilesystem:CreateAccessPoint action. Access points can be tagged on creation. If tags are specified in the creation action, IAM performs additional authorization on the elasticfilesystem:TagResource action to verify if users have permissions to create tags. Therefore, you must grant explicit permissions to use the elasticfilesystem:TagResource action. For more information, see [Granting permissions to tag resources during creation](https://docs.aws.amazon.com/efs/latest/ug/using-tags-efs.html#supported-iam-actions-tagging.html). /// - /// - Parameter CreateAccessPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessPointInput`) /// - /// - Returns: `CreateAccessPointOutput` : Provides a description of an EFS file system access point. + /// - Returns: Provides a description of an EFS file system access point. (Type: `CreateAccessPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessPointOutput.httpOutput(from:), CreateAccessPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -457,9 +455,9 @@ extension EFSClient { /// /// Otherwise, this operation returns a FileSystemAlreadyExists error with the ID of the existing file system. For basic use cases, you can use a randomly generated UUID for the creation token. The idempotent operation allows you to retry a CreateFileSystem call without risk of creating an extra file system. This can happen when an initial call fails in a way that leaves it uncertain whether or not a file system was actually created. An example might be that a transport level timeout occurred or your connection was reset. As long as you use the same creation token, if the initial call had succeeded in creating a file system, the client can learn of its existence from the FileSystemAlreadyExists error. For more information, see [Creating a file system](https://docs.aws.amazon.com/efs/latest/ug/creating-using-create-fs.html#creating-using-create-fs-part1) in the Amazon EFS User Guide. The CreateFileSystem call returns while the file system's lifecycle state is still creating. You can check the file system creation status by calling the [DescribeFileSystems] operation, which among other things returns the file system state. This operation accepts an optional PerformanceMode parameter that you choose for your file system. We recommend generalPurposePerformanceMode for all file systems. The maxIO mode is a previous generation performance type that is designed for highly parallelized workloads that can tolerate higher latencies than the generalPurpose mode. MaxIO mode is not supported for One Zone file systems or file systems that use Elastic throughput. The PerformanceMode can't be changed after the file system has been created. For more information, see [Amazon EFS performance modes](https://docs.aws.amazon.com/efs/latest/ug/performance.html#performancemodes.html). You can set the throughput mode for the file system using the ThroughputMode parameter. After the file system is fully created, Amazon EFS sets its lifecycle state to available, at which point you can create one or more mount targets for the file system in your VPC. For more information, see [CreateMountTarget]. You mount your Amazon EFS file system on an EC2 instances in your VPC by using the mount target. For more information, see [Amazon EFS: How it Works](https://docs.aws.amazon.com/efs/latest/ug/how-it-works.html). This operation requires permissions for the elasticfilesystem:CreateFileSystem action. File systems can be tagged on creation. If tags are specified in the creation action, IAM performs additional authorization on the elasticfilesystem:TagResource action to verify if users have permissions to create tags. Therefore, you must grant explicit permissions to use the elasticfilesystem:TagResource action. For more information, see [Granting permissions to tag resources during creation](https://docs.aws.amazon.com/efs/latest/ug/using-tags-efs.html#supported-iam-actions-tagging.html). /// - /// - Parameter CreateFileSystemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFileSystemInput`) /// - /// - Returns: `CreateFileSystemOutput` : A description of the file system. + /// - Returns: A description of the file system. (Type: `CreateFileSystemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -500,7 +498,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFileSystemOutput.httpOutput(from:), CreateFileSystemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -584,9 +581,9 @@ extension EFSClient { /// /// * ec2:CreateNetworkInterface /// - /// - Parameter CreateMountTargetInput : + /// - Parameter input: (Type: `CreateMountTargetInput`) /// - /// - Returns: `CreateMountTargetOutput` : Provides a description of a mount target. + /// - Returns: Provides a description of a mount target. (Type: `CreateMountTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -632,7 +629,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMountTargetOutput.httpOutput(from:), CreateMountTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -671,9 +667,9 @@ extension EFSClient { /// /// This operation requires permissions for the elasticfilesystem:CreateReplicationConfiguration action. Additionally, other permissions are required depending on how you are replicating file systems. For more information, see [Required permissions for replication](https://docs.aws.amazon.com/efs/latest/ug/efs-replication.html#efs-replication-permissions) in the Amazon EFS User Guide. /// - /// - Parameter CreateReplicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReplicationConfigurationInput`) /// - /// - Returns: `CreateReplicationConfigurationOutput` : Describes the replication configuration for a specific file system. + /// - Returns: Describes the replication configuration for a specific file system. (Type: `CreateReplicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -717,7 +713,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplicationConfigurationOutput.httpOutput(from:), CreateReplicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -750,9 +745,9 @@ extension EFSClient { /// DEPRECATED - CreateTags is deprecated and not maintained. To create tags for EFS resources, use the API action. Creates or overwrites tags associated with a file system. Each tag is a key-value pair. If a tag key specified in the request already exists on the file system, this operation overwrites its value with the value provided in the request. If you add the Name tag to your file system, Amazon EFS returns it in the response to the [DescribeFileSystems] operation. This operation requires permission for the elasticfilesystem:CreateTags action. @available(*, deprecated, message: "Use TagResource.") /// - /// - Parameter CreateTagsInput : + /// - Parameter input: (Type: `CreateTagsInput`) /// - /// - Returns: `CreateTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +783,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTagsOutput.httpOutput(from:), CreateTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -820,9 +814,9 @@ extension EFSClient { /// /// Deletes the specified access point. After deletion is complete, new clients can no longer connect to the access points. Clients connected to the access point at the time of deletion will continue to function until they terminate their connection. This operation requires permissions for the elasticfilesystem:DeleteAccessPoint action. /// - /// - Parameter DeleteAccessPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessPointInput`) /// - /// - Returns: `DeleteAccessPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -855,7 +849,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessPointOutput.httpOutput(from:), DeleteAccessPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -887,9 +880,9 @@ extension EFSClient { /// /// Deletes a file system, permanently severing access to its contents. Upon return, the file system no longer exists and you can't access any contents of the deleted file system. You need to manually delete mount targets attached to a file system before you can delete an EFS file system. This step is performed for you when you use the Amazon Web Services console to delete a file system. You cannot delete a file system that is part of an EFS replication configuration. You need to delete the replication configuration first. You can't delete a file system that is in use. That is, if the file system has any mount targets, you must first delete them. For more information, see [DescribeMountTargets] and [DeleteMountTarget]. The DeleteFileSystem call returns while the file system state is still deleting. You can check the file system deletion status by calling the [DescribeFileSystems] operation, which returns a list of file systems in your account. If you pass file system ID or creation token for the deleted file system, the [DescribeFileSystems] returns a 404 FileSystemNotFound error. This operation requires permissions for the elasticfilesystem:DeleteFileSystem action. /// - /// - Parameter DeleteFileSystemInput : + /// - Parameter input: (Type: `DeleteFileSystemInput`) /// - /// - Returns: `DeleteFileSystemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFileSystemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -923,7 +916,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFileSystemOutput.httpOutput(from:), DeleteFileSystemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -955,9 +947,9 @@ extension EFSClient { /// /// Deletes the FileSystemPolicy for the specified file system. The default FileSystemPolicy goes into effect once the existing policy is deleted. For more information about the default file system policy, see [Using Resource-based Policies with EFS](https://docs.aws.amazon.com/efs/latest/ug/res-based-policies-efs.html). This operation requires permissions for the elasticfilesystem:DeleteFileSystemPolicy action. /// - /// - Parameter DeleteFileSystemPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFileSystemPolicyInput`) /// - /// - Returns: `DeleteFileSystemPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFileSystemPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -991,7 +983,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFileSystemPolicyOutput.httpOutput(from:), DeleteFileSystemPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1030,9 +1021,9 @@ extension EFSClient { /// /// * ec2:DeleteNetworkInterface /// - /// - Parameter DeleteMountTargetInput : + /// - Parameter input: (Type: `DeleteMountTargetInput`) /// - /// - Returns: `DeleteMountTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMountTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1066,7 +1057,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMountTargetOutput.httpOutput(from:), DeleteMountTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1098,9 +1088,9 @@ extension EFSClient { /// /// Deletes a replication configuration. Deleting a replication configuration ends the replication process. After a replication configuration is deleted, the destination file system becomes Writeable and its replication overwrite protection is re-enabled. For more information, see [Delete a replication configuration](https://docs.aws.amazon.com/efs/latest/ug/delete-replications.html). This operation requires permissions for the elasticfilesystem:DeleteReplicationConfiguration action. /// - /// - Parameter DeleteReplicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReplicationConfigurationInput`) /// - /// - Returns: `DeleteReplicationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReplicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1135,7 +1125,6 @@ extension EFSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteReplicationConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicationConfigurationOutput.httpOutput(from:), DeleteReplicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1168,9 +1157,9 @@ extension EFSClient { /// DEPRECATED - DeleteTags is deprecated and not maintained. To remove tags from EFS resources, use the API action. Deletes the specified tags from a file system. If the DeleteTags request includes a tag key that doesn't exist, Amazon EFS ignores it and doesn't cause an error. For more information about tags and related restrictions, see [Tag restrictions](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/cost-alloc-tags.html) in the Billing and Cost Management User Guide. This operation requires permissions for the elasticfilesystem:DeleteTags action. @available(*, deprecated, message: "Use UntagResource.") /// - /// - Parameter DeleteTagsInput : + /// - Parameter input: (Type: `DeleteTagsInput`) /// - /// - Returns: `DeleteTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1206,7 +1195,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsOutput.httpOutput(from:), DeleteTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1238,9 +1226,9 @@ extension EFSClient { /// /// Returns the description of a specific Amazon EFS access point if the AccessPointId is provided. If you provide an EFS FileSystemId, it returns descriptions of all access points for that file system. You can provide either an AccessPointId or a FileSystemId in the request, but not both. This operation requires permissions for the elasticfilesystem:DescribeAccessPoints action. /// - /// - Parameter DescribeAccessPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccessPointsInput`) /// - /// - Returns: `DescribeAccessPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccessPointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1275,7 +1263,6 @@ extension EFSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAccessPointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccessPointsOutput.httpOutput(from:), DescribeAccessPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1307,9 +1294,9 @@ extension EFSClient { /// /// Returns the account preferences settings for the Amazon Web Services account associated with the user making the request, in the current Amazon Web Services Region. /// - /// - Parameter DescribeAccountPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountPreferencesInput`) /// - /// - Returns: `DescribeAccountPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1343,7 +1330,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountPreferencesOutput.httpOutput(from:), DescribeAccountPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1375,9 +1361,9 @@ extension EFSClient { /// /// Returns the backup policy for the specified EFS file system. /// - /// - Parameter DescribeBackupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBackupPolicyInput`) /// - /// - Returns: `DescribeBackupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBackupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1412,7 +1398,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBackupPolicyOutput.httpOutput(from:), DescribeBackupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1444,9 +1429,9 @@ extension EFSClient { /// /// Returns the FileSystemPolicy for the specified EFS file system. This operation requires permissions for the elasticfilesystem:DescribeFileSystemPolicy action. /// - /// - Parameter DescribeFileSystemPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFileSystemPolicyInput`) /// - /// - Returns: `DescribeFileSystemPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFileSystemPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1480,7 +1465,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFileSystemPolicyOutput.httpOutput(from:), DescribeFileSystemPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1512,9 +1496,9 @@ extension EFSClient { /// /// Returns the description of a specific Amazon EFS file system if either the file system CreationToken or the FileSystemId is provided. Otherwise, it returns descriptions of all file systems owned by the caller's Amazon Web Services account in the Amazon Web Services Region of the endpoint that you're calling. When retrieving all file system descriptions, you can optionally specify the MaxItems parameter to limit the number of descriptions in a response. This number is automatically set to 100. If more file system descriptions remain, Amazon EFS returns a NextMarker, an opaque token, in the response. In this case, you should send a subsequent request with the Marker request parameter set to the value of NextMarker. To retrieve a list of your file system descriptions, this operation is used in an iterative process, where DescribeFileSystems is called first without the Marker and then the operation continues to call it with the Marker parameter set to the value of the NextMarker from the previous response until the response has no NextMarker. The order of file systems returned in the response of one DescribeFileSystems call and the order of file systems returned across the responses of a multi-call iteration is unspecified. This operation requires permissions for the elasticfilesystem:DescribeFileSystems action. /// - /// - Parameter DescribeFileSystemsInput : + /// - Parameter input: (Type: `DescribeFileSystemsInput`) /// - /// - Returns: `DescribeFileSystemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFileSystemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1548,7 +1532,6 @@ extension EFSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeFileSystemsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFileSystemsOutput.httpOutput(from:), DescribeFileSystemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1580,9 +1563,9 @@ extension EFSClient { /// /// Returns the current LifecycleConfiguration object for the specified EFS file system. Lifecycle management uses the LifecycleConfiguration object to identify when to move files between storage classes. For a file system without a LifecycleConfiguration object, the call returns an empty array in the response. This operation requires permissions for the elasticfilesystem:DescribeLifecycleConfiguration operation. /// - /// - Parameter DescribeLifecycleConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLifecycleConfigurationInput`) /// - /// - Returns: `DescribeLifecycleConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLifecycleConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1615,7 +1598,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLifecycleConfigurationOutput.httpOutput(from:), DescribeLifecycleConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1651,9 +1633,9 @@ extension EFSClient { /// /// * ec2:DescribeNetworkInterfaceAttribute action on the mount target's network interface. /// - /// - Parameter DescribeMountTargetSecurityGroupsInput : + /// - Parameter input: (Type: `DescribeMountTargetSecurityGroupsInput`) /// - /// - Returns: `DescribeMountTargetSecurityGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMountTargetSecurityGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1687,7 +1669,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMountTargetSecurityGroupsOutput.httpOutput(from:), DescribeMountTargetSecurityGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1719,9 +1700,9 @@ extension EFSClient { /// /// Returns the descriptions of all the current mount targets, or a specific mount target, for a file system. When requesting all of the current mount targets, the order of mount targets returned in the response is unspecified. This operation requires permissions for the elasticfilesystem:DescribeMountTargets action, on either the file system ID that you specify in FileSystemId, or on the file system of the mount target that you specify in MountTargetId. /// - /// - Parameter DescribeMountTargetsInput : + /// - Parameter input: (Type: `DescribeMountTargetsInput`) /// - /// - Returns: `DescribeMountTargetsOutput` : + /// - Returns: (Type: `DescribeMountTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1757,7 +1738,6 @@ extension EFSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeMountTargetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMountTargetsOutput.httpOutput(from:), DescribeMountTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1789,9 +1769,9 @@ extension EFSClient { /// /// Retrieves the replication configuration for a specific file system. If a file system is not specified, all of the replication configurations for the Amazon Web Services account in an Amazon Web Services Region are retrieved. /// - /// - Parameter DescribeReplicationConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReplicationConfigurationsInput`) /// - /// - Returns: `DescribeReplicationConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReplicationConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1827,7 +1807,6 @@ extension EFSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeReplicationConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationConfigurationsOutput.httpOutput(from:), DescribeReplicationConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1860,9 +1839,9 @@ extension EFSClient { /// DEPRECATED - The DescribeTags action is deprecated and not maintained. To view tags associated with EFS resources, use the ListTagsForResource API action. Returns the tags associated with a file system. The order of tags returned in the response of one DescribeTags call and the order of tags returned across the responses of a multiple-call iteration (when using pagination) is unspecified. This operation requires permissions for the elasticfilesystem:DescribeTags action. @available(*, deprecated, message: "Use ListTagsForResource.") /// - /// - Parameter DescribeTagsInput : + /// - Parameter input: (Type: `DescribeTagsInput`) /// - /// - Returns: `DescribeTagsOutput` : + /// - Returns: (Type: `DescribeTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1896,7 +1875,6 @@ extension EFSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeTagsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagsOutput.httpOutput(from:), DescribeTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1928,9 +1906,9 @@ extension EFSClient { /// /// Lists all tags for a top-level EFS resource. You must provide the ID of the resource that you want to retrieve the tags for. This operation requires permissions for the elasticfilesystem:DescribeAccessPoints action. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1965,7 +1943,6 @@ extension EFSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2001,9 +1978,9 @@ extension EFSClient { /// /// * ec2:ModifyNetworkInterfaceAttribute action on the mount target's network interface. /// - /// - Parameter ModifyMountTargetSecurityGroupsInput : + /// - Parameter input: (Type: `ModifyMountTargetSecurityGroupsInput`) /// - /// - Returns: `ModifyMountTargetSecurityGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyMountTargetSecurityGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2042,7 +2019,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyMountTargetSecurityGroupsOutput.httpOutput(from:), ModifyMountTargetSecurityGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2074,9 +2050,9 @@ extension EFSClient { /// /// Use this operation to set the account preference in the current Amazon Web Services Region to use long 17 character (63 bit) or short 8 character (32 bit) resource IDs for new EFS file system and mount target resources. All existing resource IDs are not affected by any changes you make. You can set the ID preference during the opt-in period as EFS transitions to long resource IDs. For more information, see [Managing Amazon EFS resource IDs](https://docs.aws.amazon.com/efs/latest/ug/manage-efs-resource-ids.html). Starting in October, 2021, you will receive an error if you try to set the account preference to use the short 8 character format resource ID. Contact Amazon Web Services support if you receive an error and must use short IDs for file system and mount target resources. /// - /// - Parameter PutAccountPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccountPreferencesInput`) /// - /// - Returns: `PutAccountPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccountPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2111,7 +2087,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountPreferencesOutput.httpOutput(from:), PutAccountPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2143,9 +2118,9 @@ extension EFSClient { /// /// Updates the file system's backup policy. Use this action to start or stop automatic backups of the file system. /// - /// - Parameter PutBackupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBackupPolicyInput`) /// - /// - Returns: `PutBackupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBackupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2183,7 +2158,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBackupPolicyOutput.httpOutput(from:), PutBackupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2215,9 +2189,9 @@ extension EFSClient { /// /// Applies an Amazon EFS FileSystemPolicy to an Amazon EFS file system. A file system policy is an IAM resource-based policy and can contain multiple policy statements. A file system always has exactly one file system policy, which can be the default policy or an explicit policy set or updated using this API operation. EFS file system policies have a 20,000 character limit. When an explicit policy is set, it overrides the default policy. For more information about the default file system policy, see [ Default EFS file system policy](https://docs.aws.amazon.com/efs/latest/ug/iam-access-control-nfs-efs.html#default-filesystempolicy). EFS file system policies have a 20,000 character limit. This operation requires permissions for the elasticfilesystem:PutFileSystemPolicy action. /// - /// - Parameter PutFileSystemPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFileSystemPolicyInput`) /// - /// - Returns: `PutFileSystemPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFileSystemPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2255,7 +2229,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFileSystemPolicyOutput.httpOutput(from:), PutFileSystemPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2306,9 +2279,9 @@ extension EFSClient { /// /// This operation requires permissions for the elasticfilesystem:PutLifecycleConfiguration operation. To apply a LifecycleConfiguration object to an encrypted file system, you need the same Key Management Service permissions as when you created the encrypted file system. /// - /// - Parameter PutLifecycleConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLifecycleConfigurationInput`) /// - /// - Returns: `PutLifecycleConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLifecycleConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2345,7 +2318,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLifecycleConfigurationOutput.httpOutput(from:), PutLifecycleConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2377,9 +2349,9 @@ extension EFSClient { /// /// Creates a tag for an EFS resource. You can create tags for EFS file systems and access points using this API operation. This operation requires permissions for the elasticfilesystem:TagResource action. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2416,7 +2388,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2448,9 +2419,9 @@ extension EFSClient { /// /// Removes tags from an EFS resource. You can remove tags from EFS file systems and access points using this API operation. This operation requires permissions for the elasticfilesystem:UntagResource action. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2485,7 +2456,6 @@ extension EFSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2517,9 +2487,9 @@ extension EFSClient { /// /// Updates the throughput mode or the amount of provisioned throughput of an existing file system. /// - /// - Parameter UpdateFileSystemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFileSystemInput`) /// - /// - Returns: `UpdateFileSystemOutput` : A description of the file system. + /// - Returns: A description of the file system. (Type: `UpdateFileSystemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2559,7 +2529,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFileSystemOutput.httpOutput(from:), UpdateFileSystemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2591,9 +2560,9 @@ extension EFSClient { /// /// Updates protection on the file system. This operation requires permissions for the elasticfilesystem:UpdateFileSystemProtection action. /// - /// - Parameter UpdateFileSystemProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFileSystemProtectionInput`) /// - /// - Returns: `UpdateFileSystemProtectionOutput` : Describes the protection on a file system. + /// - Returns: Describes the protection on a file system. (Type: `UpdateFileSystemProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2634,7 +2603,6 @@ extension EFSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFileSystemProtectionOutput.httpOutput(from:), UpdateFileSystemProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEKS/Sources/AWSEKS/EKSClient.swift b/Sources/Services/AWSEKS/Sources/AWSEKS/EKSClient.swift index 0b8f06ab1fe..9896078c11c 100644 --- a/Sources/Services/AWSEKS/Sources/AWSEKS/EKSClient.swift +++ b/Sources/Services/AWSEKS/Sources/AWSEKS/EKSClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EKSClient: ClientRuntime.Client { public static let clientName = "EKSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EKSClient.EKSClientConfiguration let serviceName = "EKS" @@ -375,9 +374,9 @@ extension EKSClient { /// /// Associates an access policy and its scope to an access entry. For more information about associating access policies, see [Associating and disassociating access policies to and from access entries](https://docs.aws.amazon.com/eks/latest/userguide/access-policies.html) in the Amazon EKS User Guide. /// - /// - Parameter AssociateAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAccessPolicyInput`) /// - /// - Returns: `AssociateAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAccessPolicyOutput.httpOutput(from:), AssociateAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension EKSClient { /// /// Associates an encryption configuration to an existing cluster. Use this API to enable encryption on existing clusters that don't already have encryption enabled. This allows you to implement a defense-in-depth security strategy without migrating applications to new Amazon EKS clusters. /// - /// - Parameter AssociateEncryptionConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateEncryptionConfigInput`) /// - /// - Returns: `AssociateEncryptionConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateEncryptionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateEncryptionConfigOutput.httpOutput(from:), AssociateEncryptionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension EKSClient { /// /// Associates an identity provider configuration to a cluster. If you want to authenticate identities using an identity provider, you can create an identity provider configuration and associate it to your cluster. After configuring authentication to your cluster you can create Kubernetes Role and ClusterRole objects, assign permissions to them, and then bind them to the identities using Kubernetes RoleBinding and ClusterRoleBinding objects. For more information see [Using RBAC Authorization](https://kubernetes.io/docs/reference/access-authn-authz/rbac/) in the Kubernetes documentation. /// - /// - Parameter AssociateIdentityProviderConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateIdentityProviderConfigInput`) /// - /// - Returns: `AssociateIdentityProviderConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateIdentityProviderConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +561,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateIdentityProviderConfigOutput.httpOutput(from:), AssociateIdentityProviderConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension EKSClient { /// /// Creates an access entry. An access entry allows an IAM principal to access your cluster. Access entries can replace the need to maintain entries in the aws-authConfigMap for authentication. You have the following options for authorizing an IAM principal to access Kubernetes objects on your cluster: Kubernetes role-based access control (RBAC), Amazon EKS, or both. Kubernetes RBAC authorization requires you to create and manage Kubernetes Role, ClusterRole, RoleBinding, and ClusterRoleBinding objects, in addition to managing access entries. If you use Amazon EKS authorization exclusively, you don't need to create and manage Kubernetes Role, ClusterRole, RoleBinding, and ClusterRoleBinding objects. For more information about access entries, see [Access entries](https://docs.aws.amazon.com/eks/latest/userguide/access-entries.html) in the Amazon EKS User Guide. /// - /// - Parameter CreateAccessEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessEntryInput`) /// - /// - Returns: `CreateAccessEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessEntryOutput.httpOutput(from:), CreateAccessEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension EKSClient { /// /// Creates an Amazon EKS add-on. Amazon EKS add-ons help to automate the provisioning and lifecycle management of common operational software for Amazon EKS clusters. For more information, see [Amazon EKS add-ons](https://docs.aws.amazon.com/eks/latest/userguide/eks-add-ons.html) in the Amazon EKS User Guide. /// - /// - Parameter CreateAddonInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAddonInput`) /// - /// - Returns: `CreateAddonOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAddonOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -712,7 +707,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAddonOutput.httpOutput(from:), CreateAddonOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -744,9 +738,9 @@ extension EKSClient { /// /// Creates an Amazon EKS control plane. The Amazon EKS control plane consists of control plane instances that run the Kubernetes software, such as etcd and the API server. The control plane runs in an account managed by Amazon Web Services, and the Kubernetes API is exposed by the Amazon EKS API server endpoint. Each Amazon EKS cluster control plane is single tenant and unique. It runs on its own set of Amazon EC2 instances. The cluster control plane is provisioned across multiple Availability Zones and fronted by an Elastic Load Balancing Network Load Balancer. Amazon EKS also provisions elastic network interfaces in your VPC subnets to provide connectivity from the control plane instances to the nodes (for example, to support kubectl exec, logs, and proxy data flows). Amazon EKS nodes run in your Amazon Web Services account and connect to your cluster's control plane over the Kubernetes API server endpoint and a certificate file that is created for your cluster. You can use the endpointPublicAccess and endpointPrivateAccess parameters to enable or disable public and private access to your cluster's Kubernetes API server endpoint. By default, public access is enabled, and private access is disabled. The endpoint domain name and IP address family depends on the value of the ipFamily for the cluster. For more information, see [Amazon EKS Cluster Endpoint Access Control](https://docs.aws.amazon.com/eks/latest/userguide/cluster-endpoint.html) in the Amazon EKS User Guide . You can use the logging parameter to enable or disable exporting the Kubernetes control plane logs for your cluster to CloudWatch Logs. By default, cluster control plane logs aren't exported to CloudWatch Logs. For more information, see [Amazon EKS Cluster Control Plane Logs](https://docs.aws.amazon.com/eks/latest/userguide/control-plane-logs.html) in the Amazon EKS User Guide . CloudWatch Logs ingestion, archive storage, and data scanning rates apply to exported control plane logs. For more information, see [CloudWatch Pricing](http://aws.amazon.com/cloudwatch/pricing/). In most cases, it takes several minutes to create a cluster. After you create an Amazon EKS cluster, you must configure your Kubernetes tooling to communicate with the API server and launch nodes into your cluster. For more information, see [Allowing users to access your cluster](https://docs.aws.amazon.com/eks/latest/userguide/cluster-auth.html) and [Launching Amazon EKS nodes](https://docs.aws.amazon.com/eks/latest/userguide/launch-workers.html) in the Amazon EKS User Guide. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -787,7 +781,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -819,9 +812,9 @@ extension EKSClient { /// /// Creates an EKS Anywhere subscription. When a subscription is created, it is a contract agreement for the length of the term specified in the request. Licenses that are used to validate support are provisioned in Amazon Web Services License Manager and the caller account is granted access to EKS Anywhere Curated Packages. /// - /// - Parameter CreateEksAnywhereSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEksAnywhereSubscriptionInput`) /// - /// - Returns: `CreateEksAnywhereSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEksAnywhereSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -860,7 +853,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEksAnywhereSubscriptionOutput.httpOutput(from:), CreateEksAnywhereSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -892,9 +884,9 @@ extension EKSClient { /// /// Creates an Fargate profile for your Amazon EKS cluster. You must have at least one Fargate profile in a cluster to be able to run pods on Fargate. The Fargate profile allows an administrator to declare which pods run on Fargate and specify which pods run on which Fargate profile. This declaration is done through the profile's selectors. Each profile can have up to five selectors that contain a namespace and labels. A namespace is required for every selector. The label field consists of multiple optional key-value pairs. Pods that match the selectors are scheduled on Fargate. If a to-be-scheduled pod matches any of the selectors in the Fargate profile, then that pod is run on Fargate. When you create a Fargate profile, you must specify a pod execution role to use with the pods that are scheduled with the profile. This role is added to the cluster's Kubernetes [Role Based Access Control](https://kubernetes.io/docs/reference/access-authn-authz/rbac/) (RBAC) for authorization so that the kubelet that is running on the Fargate infrastructure can register with your Amazon EKS cluster so that it can appear in your cluster as a node. The pod execution role also provides IAM permissions to the Fargate infrastructure to allow read access to Amazon ECR image repositories. For more information, see [Pod Execution Role](https://docs.aws.amazon.com/eks/latest/userguide/pod-execution-role.html) in the Amazon EKS User Guide. Fargate profiles are immutable. However, you can create a new updated profile to replace an existing profile and then delete the original after the updated profile has finished creating. If any Fargate profiles in a cluster are in the DELETING status, you must wait for that Fargate profile to finish deleting before you can create any other profiles in that cluster. For more information, see [Fargate profile](https://docs.aws.amazon.com/eks/latest/userguide/fargate-profile.html) in the Amazon EKS User Guide. /// - /// - Parameter CreateFargateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFargateProfileInput`) /// - /// - Returns: `CreateFargateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFargateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -934,7 +926,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFargateProfileOutput.httpOutput(from:), CreateFargateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -966,9 +957,9 @@ extension EKSClient { /// /// Creates a managed node group for an Amazon EKS cluster. You can only create a node group for your cluster that is equal to the current Kubernetes version for the cluster. All node groups are created with the latest AMI release version for the respective minor Kubernetes version of the cluster, unless you deploy a custom AMI using a launch template. For later updates, you will only be able to update a node group using a launch template only if it was originally deployed with a launch template. Additionally, the launch template ID or name must match what was used when the node group was created. You can update the launch template version with necessary changes. For more information about using launch templates, see [Customizing managed nodes with launch templates](https://docs.aws.amazon.com/eks/latest/userguide/launch-templates.html). An Amazon EKS managed node group is an Amazon EC2 Auto Scaling group and associated Amazon EC2 instances that are managed by Amazon Web Services for an Amazon EKS cluster. For more information, see [Managed node groups](https://docs.aws.amazon.com/eks/latest/userguide/managed-node-groups.html) in the Amazon EKS User Guide. Windows AMI types are only supported for commercial Amazon Web Services Regions that support Windows on Amazon EKS. /// - /// - Parameter CreateNodegroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNodegroupInput`) /// - /// - Returns: `CreateNodegroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNodegroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1009,7 +1000,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNodegroupOutput.httpOutput(from:), CreateNodegroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1041,9 +1031,9 @@ extension EKSClient { /// /// Creates an EKS Pod Identity association between a service account in an Amazon EKS cluster and an IAM role with EKS Pod Identity. Use EKS Pod Identity to give temporary IAM credentials to Pods and the credentials are rotated automatically. Amazon EKS Pod Identity associations provide the ability to manage credentials for your applications, similar to the way that Amazon EC2 instance profiles provide credentials to Amazon EC2 instances. If a Pod uses a service account that has an association, Amazon EKS sets environment variables in the containers of the Pod. The environment variables configure the Amazon Web Services SDKs, including the Command Line Interface, to use the EKS Pod Identity credentials. EKS Pod Identity is a simpler method than IAM roles for service accounts, as this method doesn't use OIDC identity providers. Additionally, you can configure a role for EKS Pod Identity once, and reuse it across clusters. Similar to Amazon Web Services IAM behavior, EKS Pod Identity associations are eventually consistent, and may take several seconds to be effective after the initial API call returns successfully. You must design your applications to account for these potential delays. We recommend that you don’t include association create/updates in the critical, high-availability code paths of your application. Instead, make changes in a separate initialization or setup routine that you run less frequently. You can set a target IAM role in the same or a different account for advanced scenarios. With a target role, EKS Pod Identity automatically performs two role assumptions in sequence: first assuming the role in the association that is in this account, then using those credentials to assume the target IAM role. This process provides your Pod with temporary credentials that have the permissions defined in the target role, allowing secure access to resources in another Amazon Web Services account. /// - /// - Parameter CreatePodIdentityAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePodIdentityAssociationInput`) /// - /// - Returns: `CreatePodIdentityAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePodIdentityAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1083,7 +1073,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePodIdentityAssociationOutput.httpOutput(from:), CreatePodIdentityAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1115,9 +1104,9 @@ extension EKSClient { /// /// Deletes an access entry. Deleting an access entry of a type other than Standard can cause your cluster to function improperly. If you delete an access entry in error, you can recreate it. /// - /// - Parameter DeleteAccessEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessEntryInput`) /// - /// - Returns: `DeleteAccessEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1150,7 +1139,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessEntryOutput.httpOutput(from:), DeleteAccessEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1182,9 +1170,9 @@ extension EKSClient { /// /// Deletes an Amazon EKS add-on. When you remove an add-on, it's deleted from the cluster. You can always manually start an add-on on the cluster using the Kubernetes API. /// - /// - Parameter DeleteAddonInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAddonInput`) /// - /// - Returns: `DeleteAddonOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAddonOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1220,7 +1208,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAddonInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAddonOutput.httpOutput(from:), DeleteAddonOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1252,9 +1239,9 @@ extension EKSClient { /// /// Deletes an Amazon EKS cluster control plane. If you have active services in your cluster that are associated with a load balancer, you must delete those services before deleting the cluster so that the load balancers are deleted properly. Otherwise, you can have orphaned resources in your VPC that prevent you from being able to delete the VPC. For more information, see [Deleting a cluster](https://docs.aws.amazon.com/eks/latest/userguide/delete-cluster.html) in the Amazon EKS User Guide. If you have managed node groups or Fargate profiles attached to the cluster, you must delete them first. For more information, see DeleteNodgroup and DeleteFargateProfile. /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1290,7 +1277,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1322,9 +1308,9 @@ extension EKSClient { /// /// Deletes an expired or inactive subscription. Deleting inactive subscriptions removes them from the Amazon Web Services Management Console view and from list/describe API responses. Subscriptions can only be cancelled within 7 days of creation and are cancelled by creating a ticket in the Amazon Web Services Support Center. /// - /// - Parameter DeleteEksAnywhereSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEksAnywhereSubscriptionInput`) /// - /// - Returns: `DeleteEksAnywhereSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEksAnywhereSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1358,7 +1344,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEksAnywhereSubscriptionOutput.httpOutput(from:), DeleteEksAnywhereSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1390,9 +1375,9 @@ extension EKSClient { /// /// Deletes an Fargate profile. When you delete a Fargate profile, any Pod running on Fargate that was created with the profile is deleted. If the Pod matches another Fargate profile, then it is scheduled on Fargate with that profile. If it no longer matches any Fargate profiles, then it's not scheduled on Fargate and may remain in a pending state. Only one Fargate profile in a cluster can be in the DELETING status at a time. You must wait for a Fargate profile to finish deleting before you can delete any other profiles in that cluster. /// - /// - Parameter DeleteFargateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFargateProfileInput`) /// - /// - Returns: `DeleteFargateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFargateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1426,7 +1411,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFargateProfileOutput.httpOutput(from:), DeleteFargateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1458,9 +1442,9 @@ extension EKSClient { /// /// Deletes a managed node group. /// - /// - Parameter DeleteNodegroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNodegroupInput`) /// - /// - Returns: `DeleteNodegroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNodegroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1496,7 +1480,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNodegroupOutput.httpOutput(from:), DeleteNodegroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1528,9 +1511,9 @@ extension EKSClient { /// /// Deletes a EKS Pod Identity association. The temporary Amazon Web Services credentials from the previous IAM role session might still be valid until the session expiry. If you need to immediately revoke the temporary session credentials, then go to the role in the IAM console. /// - /// - Parameter DeletePodIdentityAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePodIdentityAssociationInput`) /// - /// - Returns: `DeletePodIdentityAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePodIdentityAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1564,7 +1547,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePodIdentityAssociationOutput.httpOutput(from:), DeletePodIdentityAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1596,9 +1578,9 @@ extension EKSClient { /// /// Deregisters a connected cluster to remove it from the Amazon EKS control plane. A connected cluster is a Kubernetes cluster that you've connected to your control plane using the [Amazon EKS Connector](https://docs.aws.amazon.com/eks/latest/userguide/eks-connector.html). /// - /// - Parameter DeregisterClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterClusterInput`) /// - /// - Returns: `DeregisterClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1634,7 +1616,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterClusterOutput.httpOutput(from:), DeregisterClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1666,9 +1647,9 @@ extension EKSClient { /// /// Describes an access entry. /// - /// - Parameter DescribeAccessEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccessEntryInput`) /// - /// - Returns: `DescribeAccessEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccessEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1701,7 +1682,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccessEntryOutput.httpOutput(from:), DescribeAccessEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1733,9 +1713,9 @@ extension EKSClient { /// /// Describes an Amazon EKS add-on. /// - /// - Parameter DescribeAddonInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAddonInput`) /// - /// - Returns: `DescribeAddonOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAddonOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1770,7 +1750,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAddonOutput.httpOutput(from:), DescribeAddonOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1802,9 +1781,9 @@ extension EKSClient { /// /// Returns configuration options. /// - /// - Parameter DescribeAddonConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAddonConfigurationInput`) /// - /// - Returns: `DescribeAddonConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAddonConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1838,7 +1817,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAddonConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAddonConfigurationOutput.httpOutput(from:), DescribeAddonConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1870,9 +1848,9 @@ extension EKSClient { /// /// Describes the versions for an add-on. Information such as the Kubernetes versions that you can use the add-on with, the owner, publisher, and the type of the add-on are returned. /// - /// - Parameter DescribeAddonVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAddonVersionsInput`) /// - /// - Returns: `DescribeAddonVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAddonVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1906,7 +1884,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAddonVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAddonVersionsOutput.httpOutput(from:), DescribeAddonVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1938,9 +1915,9 @@ extension EKSClient { /// /// Describes an Amazon EKS cluster. The API server endpoint and certificate authority data returned by this operation are required for kubelet and kubectl to communicate with your Kubernetes API server. For more information, see [Creating or updating a ]kubeconfig file for an Amazon EKS cluster(https://docs.aws.amazon.com/eks/latest/userguide/create-kubeconfig.html). The API server endpoint and certificate authority data aren't available until the cluster reaches the ACTIVE state. /// - /// - Parameter DescribeClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterInput`) /// - /// - Returns: `DescribeClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1974,7 +1951,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterOutput.httpOutput(from:), DescribeClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2006,9 +1982,9 @@ extension EKSClient { /// /// Lists available Kubernetes versions for Amazon EKS clusters. /// - /// - Parameter DescribeClusterVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterVersionsInput`) /// - /// - Returns: `DescribeClusterVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2042,7 +2018,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeClusterVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterVersionsOutput.httpOutput(from:), DescribeClusterVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2074,9 +2049,9 @@ extension EKSClient { /// /// Returns descriptive information about a subscription. /// - /// - Parameter DescribeEksAnywhereSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEksAnywhereSubscriptionInput`) /// - /// - Returns: `DescribeEksAnywhereSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEksAnywhereSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2110,7 +2085,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEksAnywhereSubscriptionOutput.httpOutput(from:), DescribeEksAnywhereSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2142,9 +2116,9 @@ extension EKSClient { /// /// Describes an Fargate profile. /// - /// - Parameter DescribeFargateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFargateProfileInput`) /// - /// - Returns: `DescribeFargateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFargateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2178,7 +2152,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFargateProfileOutput.httpOutput(from:), DescribeFargateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2210,9 +2183,9 @@ extension EKSClient { /// /// Describes an identity provider configuration. /// - /// - Parameter DescribeIdentityProviderConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIdentityProviderConfigInput`) /// - /// - Returns: `DescribeIdentityProviderConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIdentityProviderConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2250,7 +2223,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIdentityProviderConfigOutput.httpOutput(from:), DescribeIdentityProviderConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2282,9 +2254,9 @@ extension EKSClient { /// /// Returns details about an insight that you specify using its ID. /// - /// - Parameter DescribeInsightInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInsightInput`) /// - /// - Returns: `DescribeInsightOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInsightOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2318,7 +2290,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInsightOutput.httpOutput(from:), DescribeInsightOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2350,9 +2321,9 @@ extension EKSClient { /// /// Returns the status of the latest on-demand cluster insights refresh operation. /// - /// - Parameter DescribeInsightsRefreshInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInsightsRefreshInput`) /// - /// - Returns: `DescribeInsightsRefreshOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInsightsRefreshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2386,7 +2357,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInsightsRefreshOutput.httpOutput(from:), DescribeInsightsRefreshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2418,9 +2388,9 @@ extension EKSClient { /// /// Describes a managed node group. /// - /// - Parameter DescribeNodegroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNodegroupInput`) /// - /// - Returns: `DescribeNodegroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNodegroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2455,7 +2425,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNodegroupOutput.httpOutput(from:), DescribeNodegroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2487,9 +2456,9 @@ extension EKSClient { /// /// Returns descriptive information about an EKS Pod Identity association. This action requires the ID of the association. You can get the ID from the response to the CreatePodIdentityAssocation for newly created associations. Or, you can list the IDs for associations with ListPodIdentityAssociations and filter the list by namespace or service account. /// - /// - Parameter DescribePodIdentityAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePodIdentityAssociationInput`) /// - /// - Returns: `DescribePodIdentityAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePodIdentityAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2523,7 +2492,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePodIdentityAssociationOutput.httpOutput(from:), DescribePodIdentityAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2555,9 +2523,9 @@ extension EKSClient { /// /// Describes an update to an Amazon EKS resource. When the status of the update is Successful, the update is complete. If an update fails, the status is Failed, and an error detail explains the reason for the failure. /// - /// - Parameter DescribeUpdateInput : Describes an update request. + /// - Parameter input: Describes an update request. (Type: `DescribeUpdateInput`) /// - /// - Returns: `DescribeUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2592,7 +2560,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeUpdateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUpdateOutput.httpOutput(from:), DescribeUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2624,9 +2591,9 @@ extension EKSClient { /// /// Disassociates an access policy from an access entry. /// - /// - Parameter DisassociateAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAccessPolicyInput`) /// - /// - Returns: `DisassociateAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2659,7 +2626,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAccessPolicyOutput.httpOutput(from:), DisassociateAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2691,9 +2657,9 @@ extension EKSClient { /// /// Disassociates an identity provider configuration from a cluster. If you disassociate an identity provider from your cluster, users included in the provider can no longer access the cluster. However, you can still access the cluster with IAM principals. /// - /// - Parameter DisassociateIdentityProviderConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateIdentityProviderConfigInput`) /// - /// - Returns: `DisassociateIdentityProviderConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateIdentityProviderConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2734,7 +2700,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateIdentityProviderConfigOutput.httpOutput(from:), DisassociateIdentityProviderConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2766,9 +2731,9 @@ extension EKSClient { /// /// Lists the access entries for your cluster. /// - /// - Parameter ListAccessEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessEntriesInput`) /// - /// - Returns: `ListAccessEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessEntriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2803,7 +2768,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessEntriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessEntriesOutput.httpOutput(from:), ListAccessEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2835,9 +2799,9 @@ extension EKSClient { /// /// Lists the available access policies. /// - /// - Parameter ListAccessPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessPoliciesInput`) /// - /// - Returns: `ListAccessPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2869,7 +2833,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessPoliciesOutput.httpOutput(from:), ListAccessPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2901,9 +2864,9 @@ extension EKSClient { /// /// Lists the installed add-ons. /// - /// - Parameter ListAddonsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAddonsInput`) /// - /// - Returns: `ListAddonsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAddonsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2939,7 +2902,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAddonsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAddonsOutput.httpOutput(from:), ListAddonsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2971,9 +2933,9 @@ extension EKSClient { /// /// Lists the access policies associated with an access entry. /// - /// - Parameter ListAssociatedAccessPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedAccessPoliciesInput`) /// - /// - Returns: `ListAssociatedAccessPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedAccessPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3007,7 +2969,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssociatedAccessPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedAccessPoliciesOutput.httpOutput(from:), ListAssociatedAccessPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3039,9 +3000,9 @@ extension EKSClient { /// /// Lists the Amazon EKS clusters in your Amazon Web Services account in the specified Amazon Web Services Region. /// - /// - Parameter ListClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3076,7 +3037,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClustersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3108,9 +3068,9 @@ extension EKSClient { /// /// Displays the full description of the subscription. /// - /// - Parameter ListEksAnywhereSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEksAnywhereSubscriptionsInput`) /// - /// - Returns: `ListEksAnywhereSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEksAnywhereSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3145,7 +3105,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEksAnywhereSubscriptionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEksAnywhereSubscriptionsOutput.httpOutput(from:), ListEksAnywhereSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3177,9 +3136,9 @@ extension EKSClient { /// /// Lists the Fargate profiles associated with the specified cluster in your Amazon Web Services account in the specified Amazon Web Services Region. /// - /// - Parameter ListFargateProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFargateProfilesInput`) /// - /// - Returns: `ListFargateProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFargateProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3214,7 +3173,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFargateProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFargateProfilesOutput.httpOutput(from:), ListFargateProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3246,9 +3204,9 @@ extension EKSClient { /// /// Lists the identity provider configurations for your cluster. /// - /// - Parameter ListIdentityProviderConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdentityProviderConfigsInput`) /// - /// - Returns: `ListIdentityProviderConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdentityProviderConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3284,7 +3242,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdentityProviderConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentityProviderConfigsOutput.httpOutput(from:), ListIdentityProviderConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3320,9 +3277,9 @@ extension EKSClient { /// /// * MISCONFIGURATION: Amazon EKS identifies misconfiguration in your EKS Hybrid Nodes setup that could impair functionality of your cluster or workloads. These are called configuration insights. /// - /// - Parameter ListInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInsightsInput`) /// - /// - Returns: `ListInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3359,7 +3316,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInsightsOutput.httpOutput(from:), ListInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3391,9 +3347,9 @@ extension EKSClient { /// /// Lists the managed node groups associated with the specified cluster in your Amazon Web Services account in the specified Amazon Web Services Region. Self-managed node groups aren't listed. /// - /// - Parameter ListNodegroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNodegroupsInput`) /// - /// - Returns: `ListNodegroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNodegroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3429,7 +3385,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNodegroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNodegroupsOutput.httpOutput(from:), ListNodegroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3461,9 +3416,9 @@ extension EKSClient { /// /// List the EKS Pod Identity associations in a cluster. You can filter the list by the namespace that the association is in or the service account that the association uses. /// - /// - Parameter ListPodIdentityAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPodIdentityAssociationsInput`) /// - /// - Returns: `ListPodIdentityAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPodIdentityAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3498,7 +3453,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPodIdentityAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPodIdentityAssociationsOutput.httpOutput(from:), ListPodIdentityAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3530,9 +3484,9 @@ extension EKSClient { /// /// List the tags for an Amazon EKS resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3564,7 +3518,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3596,9 +3549,9 @@ extension EKSClient { /// /// Lists the updates associated with an Amazon EKS resource in your Amazon Web Services account, in the specified Amazon Web Services Region. /// - /// - Parameter ListUpdatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUpdatesInput`) /// - /// - Returns: `ListUpdatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUpdatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3633,7 +3586,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUpdatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUpdatesOutput.httpOutput(from:), ListUpdatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3665,9 +3617,9 @@ extension EKSClient { /// /// Connects a Kubernetes cluster to the Amazon EKS control plane. Any Kubernetes cluster can be connected to the Amazon EKS control plane to view current information about the cluster and its nodes. Cluster connection requires two steps. First, send a [RegisterClusterRequest](https://docs.aws.amazon.com/eks/latest/APIReference/API_RegisterClusterRequest.html) to add it to the Amazon EKS control plane. Second, a [Manifest](https://amazon-eks.s3.us-west-2.amazonaws.com/eks-connector/manifests/eks-connector/latest/eks-connector.yaml) containing the activationID and activationCode must be applied to the Kubernetes cluster through it's native provider to provide visibility. After the manifest is updated and applied, the connected cluster is visible to the Amazon EKS control plane. If the manifest isn't applied within three days, the connected cluster will no longer be visible and must be deregistered using DeregisterCluster. /// - /// - Parameter RegisterClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterClusterInput`) /// - /// - Returns: `RegisterClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3709,7 +3661,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterClusterOutput.httpOutput(from:), RegisterClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3741,9 +3692,9 @@ extension EKSClient { /// /// Initiates an on-demand refresh operation for cluster insights, getting the latest analysis outside of the standard refresh schedule. /// - /// - Parameter StartInsightsRefreshInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartInsightsRefreshInput`) /// - /// - Returns: `StartInsightsRefreshOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartInsightsRefreshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3777,7 +3728,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInsightsRefreshOutput.httpOutput(from:), StartInsightsRefreshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3809,9 +3759,9 @@ extension EKSClient { /// /// Associates the specified tags to an Amazon EKS resource with the specified resourceArn. If existing tags on a resource are not specified in the request parameters, they aren't changed. When a resource is deleted, the tags associated with that resource are also deleted. Tags that you create for Amazon EKS resources don't propagate to any other resources associated with the cluster. For example, if you tag a cluster with this operation, that tag doesn't automatically propagate to the subnets and nodes associated with the cluster. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3846,7 +3796,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3878,9 +3827,9 @@ extension EKSClient { /// /// Deletes specified tags from an Amazon EKS resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3913,7 +3862,6 @@ extension EKSClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3945,9 +3893,9 @@ extension EKSClient { /// /// Updates an access entry. /// - /// - Parameter UpdateAccessEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccessEntryInput`) /// - /// - Returns: `UpdateAccessEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccessEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3985,7 +3933,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccessEntryOutput.httpOutput(from:), UpdateAccessEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4017,9 +3964,9 @@ extension EKSClient { /// /// Updates an Amazon EKS add-on. /// - /// - Parameter UpdateAddonInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAddonInput`) /// - /// - Returns: `UpdateAddonOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAddonOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4059,7 +4006,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAddonOutput.httpOutput(from:), UpdateAddonOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4104,9 +4050,9 @@ extension EKSClient { /// /// Cluster updates are asynchronous, and they should finish within a few minutes. During an update, the cluster status moves to UPDATING (this status transition is eventually consistent). When the update is complete (either Failed or Successful), the cluster status moves to Active. /// - /// - Parameter UpdateClusterConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterConfigInput`) /// - /// - Returns: `UpdateClusterConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4147,7 +4093,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterConfigOutput.httpOutput(from:), UpdateClusterConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4179,9 +4124,9 @@ extension EKSClient { /// /// Updates an Amazon EKS cluster to the specified Kubernetes version. Your cluster continues to function during the update. The response output includes an update ID that you can use to track the status of your cluster update with the [DescribeUpdate](https://docs.aws.amazon.com/eks/latest/APIReference/API_DescribeUpdate.html) API operation. Cluster updates are asynchronous, and they should finish within a few minutes. During an update, the cluster status moves to UPDATING (this status transition is eventually consistent). When the update is complete (either Failed or Successful), the cluster status moves to Active. If your cluster has managed node groups attached to it, all of your node groups' Kubernetes versions must match the cluster's Kubernetes version in order to update the cluster to a new Kubernetes version. /// - /// - Parameter UpdateClusterVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterVersionInput`) /// - /// - Returns: `UpdateClusterVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4223,7 +4168,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterVersionOutput.httpOutput(from:), UpdateClusterVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4255,9 +4199,9 @@ extension EKSClient { /// /// Update an EKS Anywhere Subscription. Only auto renewal and tags can be updated after subscription creation. /// - /// - Parameter UpdateEksAnywhereSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEksAnywhereSubscriptionInput`) /// - /// - Returns: `UpdateEksAnywhereSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEksAnywhereSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4296,7 +4240,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEksAnywhereSubscriptionOutput.httpOutput(from:), UpdateEksAnywhereSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4328,9 +4271,9 @@ extension EKSClient { /// /// Updates an Amazon EKS managed node group configuration. Your node group continues to function during the update. The response output includes an update ID that you can use to track the status of your node group update with the [DescribeUpdate](https://docs.aws.amazon.com/eks/latest/APIReference/API_DescribeUpdate.html) API operation. You can update the Kubernetes labels and taints for a node group and the scaling and version update configuration. /// - /// - Parameter UpdateNodegroupConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNodegroupConfigInput`) /// - /// - Returns: `UpdateNodegroupConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNodegroupConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4370,7 +4313,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNodegroupConfigOutput.httpOutput(from:), UpdateNodegroupConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4402,9 +4344,9 @@ extension EKSClient { /// /// Updates the Kubernetes version or AMI version of an Amazon EKS managed node group. You can update a node group using a launch template only if the node group was originally deployed with a launch template. Additionally, the launch template ID or name must match what was used when the node group was created. You can update the launch template version with necessary changes. If you need to update a custom AMI in a node group that was deployed with a launch template, then update your custom AMI, specify the new ID in a new version of the launch template, and then update the node group to the new version of the launch template. If you update without a launch template, then you can update to the latest available AMI version of a node group's current Kubernetes version by not specifying a Kubernetes version in the request. You can update to the latest AMI version of your cluster's current Kubernetes version by specifying your cluster's Kubernetes version in the request. For information about Linux versions, see [Amazon EKS optimized Amazon Linux AMI versions](https://docs.aws.amazon.com/eks/latest/userguide/eks-linux-ami-versions.html) in the Amazon EKS User Guide. For information about Windows versions, see [Amazon EKS optimized Windows AMI versions](https://docs.aws.amazon.com/eks/latest/userguide/eks-ami-versions-windows.html) in the Amazon EKS User Guide. You cannot roll back a node group to an earlier Kubernetes version or AMI version. When a node in a managed node group is terminated due to a scaling action or update, every Pod on that node is drained first. Amazon EKS attempts to drain the nodes gracefully and will fail if it is unable to do so. You can force the update if Amazon EKS is unable to drain the nodes as a result of a Pod disruption budget issue. /// - /// - Parameter UpdateNodegroupVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNodegroupVersionInput`) /// - /// - Returns: `UpdateNodegroupVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNodegroupVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4444,7 +4386,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNodegroupVersionOutput.httpOutput(from:), UpdateNodegroupVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4476,9 +4417,9 @@ extension EKSClient { /// /// Updates a EKS Pod Identity association. In an update, you can change the IAM role, the target IAM role, or disableSessionTags. You must change at least one of these in an update. An association can't be moved between clusters, namespaces, or service accounts. If you need to edit the namespace or service account, you need to delete the association and then create a new association with your desired settings. Similar to Amazon Web Services IAM behavior, EKS Pod Identity associations are eventually consistent, and may take several seconds to be effective after the initial API call returns successfully. You must design your applications to account for these potential delays. We recommend that you don’t include association create/updates in the critical, high-availability code paths of your application. Instead, make changes in a separate initialization or setup routine that you run less frequently. You can set a target IAM role in the same or a different account for advanced scenarios. With a target role, EKS Pod Identity automatically performs two role assumptions in sequence: first assuming the role in the association that is in this account, then using those credentials to assume the target IAM role. This process provides your Pod with temporary credentials that have the permissions defined in the target role, allowing secure access to resources in another Amazon Web Services account. /// - /// - Parameter UpdatePodIdentityAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePodIdentityAssociationInput`) /// - /// - Returns: `UpdatePodIdentityAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePodIdentityAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4516,7 +4457,6 @@ extension EKSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePodIdentityAssociationOutput.httpOutput(from:), UpdatePodIdentityAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEKSAuth/Sources/AWSEKSAuth/EKSAuthClient.swift b/Sources/Services/AWSEKSAuth/Sources/AWSEKSAuth/EKSAuthClient.swift index 080cf94ba07..7298cf641c3 100644 --- a/Sources/Services/AWSEKSAuth/Sources/AWSEKSAuth/EKSAuthClient.swift +++ b/Sources/Services/AWSEKSAuth/Sources/AWSEKSAuth/EKSAuthClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EKSAuthClient: ClientRuntime.Client { public static let clientName = "EKSAuthClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EKSAuthClient.EKSAuthClientConfiguration let serviceName = "EKS Auth" @@ -372,9 +371,9 @@ extension EKSAuthClient { /// /// The Amazon EKS Auth API and the AssumeRoleForPodIdentity action are only used by the EKS Pod Identity Agent. We recommend that applications use the Amazon Web Services SDKs to connect to Amazon Web Services services; if credentials from an EKS Pod Identity association are available in the pod, the latest versions of the SDKs use them automatically. /// - /// - Parameter AssumeRoleForPodIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeRoleForPodIdentityInput`) /// - /// - Returns: `AssumeRoleForPodIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssumeRoleForPodIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension EKSAuthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRoleForPodIdentityOutput.httpOutput(from:), AssumeRoleForPodIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEMR/Sources/AWSEMR/EMRClient.swift b/Sources/Services/AWSEMR/Sources/AWSEMR/EMRClient.swift index 42864792241..ab38515fe49 100644 --- a/Sources/Services/AWSEMR/Sources/AWSEMR/EMRClient.swift +++ b/Sources/Services/AWSEMR/Sources/AWSEMR/EMRClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EMRClient: ClientRuntime.Client { public static let clientName = "EMRClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EMRClient.EMRClientConfiguration let serviceName = "EMR" @@ -374,9 +373,9 @@ extension EMRClient { /// /// Adds an instance fleet to a running cluster. The instance fleet configuration is available only in Amazon EMR releases 4.8.0 and later, excluding 5.0.x. /// - /// - Parameter AddInstanceFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddInstanceFleetInput`) /// - /// - Returns: `AddInstanceFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddInstanceFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddInstanceFleetOutput.httpOutput(from:), AddInstanceFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension EMRClient { /// /// Adds one or more instance groups to a running cluster. /// - /// - Parameter AddInstanceGroupsInput : Input to an AddInstanceGroups call. + /// - Parameter input: Input to an AddInstanceGroups call. (Type: `AddInstanceGroupsInput`) /// - /// - Returns: `AddInstanceGroupsOutput` : Output from an AddInstanceGroups call. + /// - Returns: Output from an AddInstanceGroups call. (Type: `AddInstanceGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddInstanceGroupsOutput.httpOutput(from:), AddInstanceGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -513,9 +510,9 @@ extension EMRClient { /// /// AddJobFlowSteps adds new steps to a running cluster. A maximum of 256 steps are allowed in each job flow. If your cluster is long-running (such as a Hive data warehouse) or complex, you may require more than 256 steps to process your data. You can bypass the 256-step limitation in various ways, including using SSH to connect to the master node and submitting queries directly to the software running on the master node, such as Hive and Hadoop. A step specifies the location of a JAR file stored either on the master node of the cluster or in Amazon S3. Each step is performed by the main function of the main class of the JAR file. The main class can be specified either in the manifest of the JAR or by using the MainFunction parameter of the step. Amazon EMR executes each step in the order listed. For a step to be considered complete, the main function must exit with a zero exit code and all Hadoop jobs started while the step was running must have completed and run successfully. You can only add steps to a cluster that is in one of the following states: STARTING, BOOTSTRAPPING, RUNNING, or WAITING. The string values passed into HadoopJarStep object cannot exceed a total of 10240 characters. /// - /// - Parameter AddJobFlowStepsInput : The input argument to the [AddJobFlowSteps] operation. + /// - Parameter input: The input argument to the [AddJobFlowSteps] operation. (Type: `AddJobFlowStepsInput`) /// - /// - Returns: `AddJobFlowStepsOutput` : The output for the [AddJobFlowSteps] operation. + /// - Returns: The output for the [AddJobFlowSteps] operation. (Type: `AddJobFlowStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -547,7 +544,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddJobFlowStepsOutput.httpOutput(from:), AddJobFlowStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -582,9 +578,9 @@ extension EMRClient { /// /// Adds tags to an Amazon EMR resource, such as a cluster or an Amazon EMR Studio. Tags make it easier to associate resources in various ways, such as grouping clusters to track your Amazon EMR resource allocation costs. For more information, see [Tag Clusters](https://docs.aws.amazon.com/emr/latest/ManagementGuide/emr-plan-tags.html). /// - /// - Parameter AddTagsInput : This input identifies an Amazon EMR resource and a list of tags to attach. + /// - Parameter input: This input identifies an Amazon EMR resource and a list of tags to attach. (Type: `AddTagsInput`) /// - /// - Returns: `AddTagsOutput` : This output indicates the result of adding tags to a resource. + /// - Returns: This output indicates the result of adding tags to a resource. (Type: `AddTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -617,7 +613,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsOutput.httpOutput(from:), AddTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -652,9 +647,9 @@ extension EMRClient { /// /// Cancels a pending step or steps in a running cluster. Available only in Amazon EMR versions 4.8.0 and later, excluding version 5.0.0. A maximum of 256 steps are allowed in each CancelSteps request. CancelSteps is idempotent but asynchronous; it does not guarantee that a step will be canceled, even if the request is successfully submitted. When you use Amazon EMR releases 5.28.0 and later, you can cancel steps that are in a PENDING or RUNNING state. In earlier versions of Amazon EMR, you can only cancel steps that are in a PENDING state. /// - /// - Parameter CancelStepsInput : The input argument to the [CancelSteps] operation. + /// - Parameter input: The input argument to the [CancelSteps] operation. (Type: `CancelStepsInput`) /// - /// - Returns: `CancelStepsOutput` : The output for the [CancelSteps] operation. + /// - Returns: The output for the [CancelSteps] operation. (Type: `CancelStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -687,7 +682,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelStepsOutput.httpOutput(from:), CancelStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension EMRClient { /// /// Creates a persistent application user interface. /// - /// - Parameter CreatePersistentAppUIInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePersistentAppUIInput`) /// - /// - Returns: `CreatePersistentAppUIOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePersistentAppUIOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -757,7 +751,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePersistentAppUIOutput.httpOutput(from:), CreatePersistentAppUIOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -792,9 +785,9 @@ extension EMRClient { /// /// Creates a security configuration, which is stored in the service and can be specified when a cluster is created. /// - /// - Parameter CreateSecurityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSecurityConfigurationInput`) /// - /// - Returns: `CreateSecurityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSecurityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -827,7 +820,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSecurityConfigurationOutput.httpOutput(from:), CreateSecurityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -862,9 +854,9 @@ extension EMRClient { /// /// Creates a new Amazon EMR Studio. /// - /// - Parameter CreateStudioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStudioInput`) /// - /// - Returns: `CreateStudioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStudioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -897,7 +889,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStudioOutput.httpOutput(from:), CreateStudioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +923,9 @@ extension EMRClient { /// /// Maps a user or group to the Amazon EMR Studio specified by StudioId, and applies a session policy to refine Studio permissions for that user or group. Use CreateStudioSessionMapping to assign users to a Studio when you use IAM Identity Center authentication. For instructions on how to assign users to a Studio when you use IAM authentication, see [Assign a user or group to your EMR Studio](https://docs.aws.amazon.com/emr/latest/ManagementGuide/emr-studio-manage-users.html#emr-studio-assign-users-groups). /// - /// - Parameter CreateStudioSessionMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStudioSessionMappingInput`) /// - /// - Returns: `CreateStudioSessionMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStudioSessionMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -967,7 +958,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStudioSessionMappingOutput.httpOutput(from:), CreateStudioSessionMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1002,9 +992,9 @@ extension EMRClient { /// /// Deletes a security configuration. /// - /// - Parameter DeleteSecurityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSecurityConfigurationInput`) /// - /// - Returns: `DeleteSecurityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSecurityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1037,7 +1027,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSecurityConfigurationOutput.httpOutput(from:), DeleteSecurityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1072,9 +1061,9 @@ extension EMRClient { /// /// Removes an Amazon EMR Studio from the Studio metadata store. /// - /// - Parameter DeleteStudioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStudioInput`) /// - /// - Returns: `DeleteStudioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStudioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1107,7 +1096,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStudioOutput.httpOutput(from:), DeleteStudioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1142,9 +1130,9 @@ extension EMRClient { /// /// Removes a user or group from an Amazon EMR Studio. /// - /// - Parameter DeleteStudioSessionMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStudioSessionMappingInput`) /// - /// - Returns: `DeleteStudioSessionMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStudioSessionMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1177,7 +1165,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStudioSessionMappingOutput.httpOutput(from:), DeleteStudioSessionMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1212,9 +1199,9 @@ extension EMRClient { /// /// Provides cluster-level details including status, hardware and software configuration, VPC settings, and so on. /// - /// - Parameter DescribeClusterInput : This input determines which cluster to describe. + /// - Parameter input: This input determines which cluster to describe. (Type: `DescribeClusterInput`) /// - /// - Returns: `DescribeClusterOutput` : This output contains the description of the cluster. + /// - Returns: This output contains the description of the cluster. (Type: `DescribeClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1247,7 +1234,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterOutput.httpOutput(from:), DescribeClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1290,9 +1276,9 @@ extension EMRClient { /// Amazon EMR can return a maximum of 512 job flow descriptions. @available(*, deprecated) /// - /// - Parameter DescribeJobFlowsInput : The input for the [DescribeJobFlows] operation. + /// - Parameter input: The input for the [DescribeJobFlows] operation. (Type: `DescribeJobFlowsInput`) /// - /// - Returns: `DescribeJobFlowsOutput` : The output for the [DescribeJobFlows] operation. + /// - Returns: The output for the [DescribeJobFlows] operation. (Type: `DescribeJobFlowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1324,7 +1310,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobFlowsOutput.httpOutput(from:), DescribeJobFlowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1359,9 +1344,9 @@ extension EMRClient { /// /// Provides details of a notebook execution. /// - /// - Parameter DescribeNotebookExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNotebookExecutionInput`) /// - /// - Returns: `DescribeNotebookExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNotebookExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1394,7 +1379,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNotebookExecutionOutput.httpOutput(from:), DescribeNotebookExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1429,9 +1413,9 @@ extension EMRClient { /// /// Describes a persistent application user interface. /// - /// - Parameter DescribePersistentAppUIInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePersistentAppUIInput`) /// - /// - Returns: `DescribePersistentAppUIOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePersistentAppUIOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1464,7 +1448,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePersistentAppUIOutput.httpOutput(from:), DescribePersistentAppUIOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1499,9 +1482,9 @@ extension EMRClient { /// /// Provides Amazon EMR release label details, such as the releases available the Region where the API request is run, and the available applications for a specific Amazon EMR release label. Can also list Amazon EMR releases that support a specified version of Spark. /// - /// - Parameter DescribeReleaseLabelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReleaseLabelInput`) /// - /// - Returns: `DescribeReleaseLabelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReleaseLabelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1534,7 +1517,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReleaseLabelOutput.httpOutput(from:), DescribeReleaseLabelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1569,9 +1551,9 @@ extension EMRClient { /// /// Provides the details of a security configuration by returning the configuration JSON. /// - /// - Parameter DescribeSecurityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecurityConfigurationInput`) /// - /// - Returns: `DescribeSecurityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecurityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1604,7 +1586,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecurityConfigurationOutput.httpOutput(from:), DescribeSecurityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1639,9 +1620,9 @@ extension EMRClient { /// /// Provides more detail about the cluster step. /// - /// - Parameter DescribeStepInput : This input determines which step to describe. + /// - Parameter input: This input determines which step to describe. (Type: `DescribeStepInput`) /// - /// - Returns: `DescribeStepOutput` : This output contains the description of the cluster step. + /// - Returns: This output contains the description of the cluster step. (Type: `DescribeStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1674,7 +1655,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStepOutput.httpOutput(from:), DescribeStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1709,9 +1689,9 @@ extension EMRClient { /// /// Returns details for the specified Amazon EMR Studio including ID, Name, VPC, Studio access URL, and so on. /// - /// - Parameter DescribeStudioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStudioInput`) /// - /// - Returns: `DescribeStudioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStudioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1744,7 +1724,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStudioOutput.httpOutput(from:), DescribeStudioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1779,9 +1758,9 @@ extension EMRClient { /// /// Returns the auto-termination policy for an Amazon EMR cluster. /// - /// - Parameter GetAutoTerminationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutoTerminationPolicyInput`) /// - /// - Returns: `GetAutoTerminationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutoTerminationPolicyOutput`) public func getAutoTerminationPolicy(input: GetAutoTerminationPolicyInput) async throws -> GetAutoTerminationPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1808,7 +1787,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutoTerminationPolicyOutput.httpOutput(from:), GetAutoTerminationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1843,9 +1821,9 @@ extension EMRClient { /// /// Returns the Amazon EMR block public access configuration for your Amazon Web Services account in the current Region. For more information see [Configure Block Public Access for Amazon EMR](https://docs.aws.amazon.com/emr/latest/ManagementGuide/configure-block-public-access.html) in the Amazon EMR Management Guide. /// - /// - Parameter GetBlockPublicAccessConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBlockPublicAccessConfigurationInput`) /// - /// - Returns: `GetBlockPublicAccessConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBlockPublicAccessConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1878,7 +1856,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBlockPublicAccessConfigurationOutput.httpOutput(from:), GetBlockPublicAccessConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1913,9 +1890,9 @@ extension EMRClient { /// /// Provides temporary, HTTP basic credentials that are associated with a given runtime IAM role and used by a cluster with fine-grained access control activated. You can use these credentials to connect to cluster endpoints that support username and password authentication. /// - /// - Parameter GetClusterSessionCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClusterSessionCredentialsInput`) /// - /// - Returns: `GetClusterSessionCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClusterSessionCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1948,7 +1925,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClusterSessionCredentialsOutput.httpOutput(from:), GetClusterSessionCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1983,9 +1959,9 @@ extension EMRClient { /// /// Fetches the attached managed scaling policy for an Amazon EMR cluster. /// - /// - Parameter GetManagedScalingPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedScalingPolicyInput`) /// - /// - Returns: `GetManagedScalingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedScalingPolicyOutput`) public func getManagedScalingPolicy(input: GetManagedScalingPolicyInput) async throws -> GetManagedScalingPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2012,7 +1988,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedScalingPolicyOutput.httpOutput(from:), GetManagedScalingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2047,9 +2022,9 @@ extension EMRClient { /// /// The presigned URL properties for the cluster's application user interface. /// - /// - Parameter GetOnClusterAppUIPresignedURLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOnClusterAppUIPresignedURLInput`) /// - /// - Returns: `GetOnClusterAppUIPresignedURLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOnClusterAppUIPresignedURLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2082,7 +2057,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOnClusterAppUIPresignedURLOutput.httpOutput(from:), GetOnClusterAppUIPresignedURLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2117,9 +2091,9 @@ extension EMRClient { /// /// The presigned URL properties for the cluster's application user interface. /// - /// - Parameter GetPersistentAppUIPresignedURLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPersistentAppUIPresignedURLInput`) /// - /// - Returns: `GetPersistentAppUIPresignedURLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPersistentAppUIPresignedURLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2152,7 +2126,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPersistentAppUIPresignedURLOutput.httpOutput(from:), GetPersistentAppUIPresignedURLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2187,9 +2160,9 @@ extension EMRClient { /// /// Fetches mapping details for the specified Amazon EMR Studio and identity (user or group). /// - /// - Parameter GetStudioSessionMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStudioSessionMappingInput`) /// - /// - Returns: `GetStudioSessionMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStudioSessionMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2222,7 +2195,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStudioSessionMappingOutput.httpOutput(from:), GetStudioSessionMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2257,9 +2229,9 @@ extension EMRClient { /// /// Provides information about the bootstrap actions associated with a cluster. /// - /// - Parameter ListBootstrapActionsInput : This input determines which bootstrap actions to retrieve. + /// - Parameter input: This input determines which bootstrap actions to retrieve. (Type: `ListBootstrapActionsInput`) /// - /// - Returns: `ListBootstrapActionsOutput` : This output contains the bootstrap actions detail. + /// - Returns: This output contains the bootstrap actions detail. (Type: `ListBootstrapActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2292,7 +2264,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBootstrapActionsOutput.httpOutput(from:), ListBootstrapActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2327,9 +2298,9 @@ extension EMRClient { /// /// Provides the status of all clusters visible to this Amazon Web Services account. Allows you to filter the list of clusters based on certain criteria; for example, filtering by cluster creation date and time or by status. This call returns a maximum of 50 clusters in unsorted order per call, but returns a marker to track the paging of the cluster list across multiple ListClusters calls. /// - /// - Parameter ListClustersInput : This input determines how the ListClusters action filters the list of clusters that it returns. + /// - Parameter input: This input determines how the ListClusters action filters the list of clusters that it returns. (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : This contains a ClusterSummaryList with the cluster details; for example, the cluster IDs, names, and status. + /// - Returns: This contains a ClusterSummaryList with the cluster details; for example, the cluster IDs, names, and status. (Type: `ListClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2362,7 +2333,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2397,9 +2367,9 @@ extension EMRClient { /// /// Lists all available details about the instance fleets in a cluster. The instance fleet configuration is available only in Amazon EMR releases 4.8.0 and later, excluding 5.0.x versions. /// - /// - Parameter ListInstanceFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstanceFleetsInput`) /// - /// - Returns: `ListInstanceFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstanceFleetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2432,7 +2402,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstanceFleetsOutput.httpOutput(from:), ListInstanceFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2467,9 +2436,9 @@ extension EMRClient { /// /// Provides all available details about the instance groups in a cluster. /// - /// - Parameter ListInstanceGroupsInput : This input determines which instance groups to retrieve. + /// - Parameter input: This input determines which instance groups to retrieve. (Type: `ListInstanceGroupsInput`) /// - /// - Returns: `ListInstanceGroupsOutput` : This input determines which instance groups to retrieve. + /// - Returns: This input determines which instance groups to retrieve. (Type: `ListInstanceGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2502,7 +2471,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstanceGroupsOutput.httpOutput(from:), ListInstanceGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2537,9 +2505,9 @@ extension EMRClient { /// /// Provides information for all active Amazon EC2 instances and Amazon EC2 instances terminated in the last 30 days, up to a maximum of 2,000. Amazon EC2 instances in any of the following states are considered active: AWAITING_FULFILLMENT, PROVISIONING, BOOTSTRAPPING, RUNNING. /// - /// - Parameter ListInstancesInput : This input determines which instances to list. + /// - Parameter input: This input determines which instances to list. (Type: `ListInstancesInput`) /// - /// - Returns: `ListInstancesOutput` : This output contains the list of instances. + /// - Returns: This output contains the list of instances. (Type: `ListInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2540,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstancesOutput.httpOutput(from:), ListInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2607,9 +2574,9 @@ extension EMRClient { /// /// Provides summaries of all notebook executions. You can filter the list based on multiple criteria such as status, time range, and editor id. Returns a maximum of 50 notebook executions and a marker to track the paging of a longer notebook execution list across multiple ListNotebookExecutions calls. /// - /// - Parameter ListNotebookExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotebookExecutionsInput`) /// - /// - Returns: `ListNotebookExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotebookExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2642,7 +2609,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotebookExecutionsOutput.httpOutput(from:), ListNotebookExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2677,9 +2643,9 @@ extension EMRClient { /// /// Retrieves release labels of Amazon EMR services in the Region where the API is called. /// - /// - Parameter ListReleaseLabelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReleaseLabelsInput`) /// - /// - Returns: `ListReleaseLabelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReleaseLabelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2712,7 +2678,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReleaseLabelsOutput.httpOutput(from:), ListReleaseLabelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2747,9 +2712,9 @@ extension EMRClient { /// /// Lists all the security configurations visible to this account, providing their creation dates and times, and their names. This call returns a maximum of 50 clusters per call, but returns a marker to track the paging of the cluster list across multiple ListSecurityConfigurations calls. /// - /// - Parameter ListSecurityConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityConfigurationsInput`) /// - /// - Returns: `ListSecurityConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2782,7 +2747,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityConfigurationsOutput.httpOutput(from:), ListSecurityConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2817,9 +2781,9 @@ extension EMRClient { /// /// Provides a list of steps for the cluster in reverse order unless you specify stepIds with the request or filter by StepStates. You can specify a maximum of 10 stepIDs. The CLI automatically paginates results to return a list greater than 50 steps. To return more than 50 steps using the CLI, specify a Marker, which is a pagination token that indicates the next set of steps to retrieve. /// - /// - Parameter ListStepsInput : This input determines which steps to list. + /// - Parameter input: This input determines which steps to list. (Type: `ListStepsInput`) /// - /// - Returns: `ListStepsOutput` : This output contains the list of steps returned in reverse order. This means that the last step is the first element in the list. + /// - Returns: This output contains the list of steps returned in reverse order. This means that the last step is the first element in the list. (Type: `ListStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2852,7 +2816,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStepsOutput.httpOutput(from:), ListStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2887,9 +2850,9 @@ extension EMRClient { /// /// Returns a list of all user or group session mappings for the Amazon EMR Studio specified by StudioId. /// - /// - Parameter ListStudioSessionMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStudioSessionMappingsInput`) /// - /// - Returns: `ListStudioSessionMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStudioSessionMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2922,7 +2885,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStudioSessionMappingsOutput.httpOutput(from:), ListStudioSessionMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2957,9 +2919,9 @@ extension EMRClient { /// /// Returns a list of all Amazon EMR Studios associated with the Amazon Web Services account. The list includes details such as ID, Studio Access URL, and creation time for each Studio. /// - /// - Parameter ListStudiosInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStudiosInput`) /// - /// - Returns: `ListStudiosOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStudiosOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2992,7 +2954,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStudiosOutput.httpOutput(from:), ListStudiosOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3027,9 +2988,9 @@ extension EMRClient { /// /// A list of the instance types that Amazon EMR supports. You can filter the list by Amazon Web Services Region and Amazon EMR release. /// - /// - Parameter ListSupportedInstanceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSupportedInstanceTypesInput`) /// - /// - Returns: `ListSupportedInstanceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSupportedInstanceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3062,7 +3023,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSupportedInstanceTypesOutput.httpOutput(from:), ListSupportedInstanceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3097,9 +3057,9 @@ extension EMRClient { /// /// Modifies the number of steps that can be executed concurrently for the cluster specified using ClusterID. /// - /// - Parameter ModifyClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyClusterInput`) /// - /// - Returns: `ModifyClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3132,7 +3092,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClusterOutput.httpOutput(from:), ModifyClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3167,9 +3126,9 @@ extension EMRClient { /// /// Modifies the target On-Demand and target Spot capacities for the instance fleet with the specified InstanceFleetID within the cluster specified using ClusterID. The call either succeeds or fails atomically. The instance fleet configuration is available only in Amazon EMR releases 4.8.0 and later, excluding 5.0.x versions. /// - /// - Parameter ModifyInstanceFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyInstanceFleetInput`) /// - /// - Returns: `ModifyInstanceFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3202,7 +3161,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceFleetOutput.httpOutput(from:), ModifyInstanceFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3237,9 +3195,9 @@ extension EMRClient { /// /// ModifyInstanceGroups modifies the number of nodes and configuration settings of an instance group. The input parameters include the new target instance count for the group and the instance group ID. The call will either succeed or fail atomically. /// - /// - Parameter ModifyInstanceGroupsInput : Change the size of some instance groups. + /// - Parameter input: Change the size of some instance groups. (Type: `ModifyInstanceGroupsInput`) /// - /// - Returns: `ModifyInstanceGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyInstanceGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3271,7 +3229,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyInstanceGroupsOutput.httpOutput(from:), ModifyInstanceGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3306,9 +3263,9 @@ extension EMRClient { /// /// Creates or updates an automatic scaling policy for a core instance group or task instance group in an Amazon EMR cluster. The automatic scaling policy defines how an instance group dynamically adds and terminates Amazon EC2 instances in response to the value of a CloudWatch metric. /// - /// - Parameter PutAutoScalingPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAutoScalingPolicyInput`) /// - /// - Returns: `PutAutoScalingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAutoScalingPolicyOutput`) public func putAutoScalingPolicy(input: PutAutoScalingPolicyInput) async throws -> PutAutoScalingPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3335,7 +3292,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAutoScalingPolicyOutput.httpOutput(from:), PutAutoScalingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3370,9 +3326,9 @@ extension EMRClient { /// /// Auto-termination is supported in Amazon EMR releases 5.30.0 and 6.1.0 and later. For more information, see [Using an auto-termination policy](https://docs.aws.amazon.com/emr/latest/ManagementGuide/emr-auto-termination-policy.html). Creates or updates an auto-termination policy for an Amazon EMR cluster. An auto-termination policy defines the amount of idle time in seconds after which a cluster automatically terminates. For alternative cluster termination options, see [Control cluster termination](https://docs.aws.amazon.com/emr/latest/ManagementGuide/emr-plan-termination.html). /// - /// - Parameter PutAutoTerminationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAutoTerminationPolicyInput`) /// - /// - Returns: `PutAutoTerminationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAutoTerminationPolicyOutput`) public func putAutoTerminationPolicy(input: PutAutoTerminationPolicyInput) async throws -> PutAutoTerminationPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3399,7 +3355,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAutoTerminationPolicyOutput.httpOutput(from:), PutAutoTerminationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3434,9 +3389,9 @@ extension EMRClient { /// /// Creates or updates an Amazon EMR block public access configuration for your Amazon Web Services account in the current Region. For more information see [Configure Block Public Access for Amazon EMR](https://docs.aws.amazon.com/emr/latest/ManagementGuide/configure-block-public-access.html) in the Amazon EMR Management Guide. /// - /// - Parameter PutBlockPublicAccessConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBlockPublicAccessConfigurationInput`) /// - /// - Returns: `PutBlockPublicAccessConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBlockPublicAccessConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3469,7 +3424,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBlockPublicAccessConfigurationOutput.httpOutput(from:), PutBlockPublicAccessConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3504,9 +3458,9 @@ extension EMRClient { /// /// Creates or updates a managed scaling policy for an Amazon EMR cluster. The managed scaling policy defines the limits for resources, such as Amazon EC2 instances that can be added or terminated from a cluster. The policy only applies to the core and task nodes. The master node cannot be scaled after initial configuration. /// - /// - Parameter PutManagedScalingPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutManagedScalingPolicyInput`) /// - /// - Returns: `PutManagedScalingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutManagedScalingPolicyOutput`) public func putManagedScalingPolicy(input: PutManagedScalingPolicyInput) async throws -> PutManagedScalingPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3533,7 +3487,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutManagedScalingPolicyOutput.httpOutput(from:), PutManagedScalingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3568,9 +3521,9 @@ extension EMRClient { /// /// Removes an automatic scaling policy from a specified instance group within an Amazon EMR cluster. /// - /// - Parameter RemoveAutoScalingPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveAutoScalingPolicyInput`) /// - /// - Returns: `RemoveAutoScalingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveAutoScalingPolicyOutput`) public func removeAutoScalingPolicy(input: RemoveAutoScalingPolicyInput) async throws -> RemoveAutoScalingPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3597,7 +3550,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveAutoScalingPolicyOutput.httpOutput(from:), RemoveAutoScalingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3632,9 +3584,9 @@ extension EMRClient { /// /// Removes an auto-termination policy from an Amazon EMR cluster. /// - /// - Parameter RemoveAutoTerminationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveAutoTerminationPolicyInput`) /// - /// - Returns: `RemoveAutoTerminationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveAutoTerminationPolicyOutput`) public func removeAutoTerminationPolicy(input: RemoveAutoTerminationPolicyInput) async throws -> RemoveAutoTerminationPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3661,7 +3613,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveAutoTerminationPolicyOutput.httpOutput(from:), RemoveAutoTerminationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3696,9 +3647,9 @@ extension EMRClient { /// /// Removes a managed scaling policy from a specified Amazon EMR cluster. /// - /// - Parameter RemoveManagedScalingPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveManagedScalingPolicyInput`) /// - /// - Returns: `RemoveManagedScalingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveManagedScalingPolicyOutput`) public func removeManagedScalingPolicy(input: RemoveManagedScalingPolicyInput) async throws -> RemoveManagedScalingPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3725,7 +3676,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveManagedScalingPolicyOutput.httpOutput(from:), RemoveManagedScalingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3760,9 +3710,9 @@ extension EMRClient { /// /// Removes tags from an Amazon EMR resource, such as a cluster or Amazon EMR Studio. Tags make it easier to associate resources in various ways, such as grouping clusters to track your Amazon EMR resource allocation costs. For more information, see [Tag Clusters](https://docs.aws.amazon.com/emr/latest/ManagementGuide/emr-plan-tags.html). The following example removes the stack tag with value Prod from a cluster: /// - /// - Parameter RemoveTagsInput : This input identifies an Amazon EMR resource and a list of tags to remove. + /// - Parameter input: This input identifies an Amazon EMR resource and a list of tags to remove. (Type: `RemoveTagsInput`) /// - /// - Returns: `RemoveTagsOutput` : This output indicates the result of removing tags from the resource. + /// - Returns: This output indicates the result of removing tags from the resource. (Type: `RemoveTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3795,7 +3745,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsOutput.httpOutput(from:), RemoveTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3830,9 +3779,9 @@ extension EMRClient { /// /// RunJobFlow creates and starts running a new cluster (job flow). The cluster runs the steps specified. After the steps complete, the cluster stops and the HDFS partition is lost. To prevent loss of data, configure the last step of the job flow to store results in Amazon S3. If the [JobFlowInstancesConfig]KeepJobFlowAliveWhenNoSteps parameter is set to TRUE, the cluster transitions to the WAITING state rather than shutting down after the steps have completed. For additional protection, you can set the [JobFlowInstancesConfig]TerminationProtected parameter to TRUE to lock the cluster and prevent it from being terminated by API call, user intervention, or in the event of a job flow error. A maximum of 256 steps are allowed in each job flow. If your cluster is long-running (such as a Hive data warehouse) or complex, you may require more than 256 steps to process your data. You can bypass the 256-step limitation in various ways, including using the SSH shell to connect to the master node and submitting queries directly to the software running on the master node, such as Hive and Hadoop. For long-running clusters, we recommend that you periodically store your results. The instance fleets configuration is available only in Amazon EMR releases 4.8.0 and later, excluding 5.0.x versions. The RunJobFlow request can contain InstanceFleets parameters or InstanceGroups parameters, but not both. /// - /// - Parameter RunJobFlowInput : Input to the [RunJobFlow] operation. + /// - Parameter input: Input to the [RunJobFlow] operation. (Type: `RunJobFlowInput`) /// - /// - Returns: `RunJobFlowOutput` : The result of the [RunJobFlow] operation. + /// - Returns: The result of the [RunJobFlow] operation. (Type: `RunJobFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3864,7 +3813,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RunJobFlowOutput.httpOutput(from:), RunJobFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3899,9 +3847,9 @@ extension EMRClient { /// /// You can use the SetKeepJobFlowAliveWhenNoSteps to configure a cluster (job flow) to terminate after the step execution, i.e., all your steps are executed. If you want a transient cluster that shuts down after the last of the current executing steps are completed, you can configure SetKeepJobFlowAliveWhenNoSteps to false. If you want a long running cluster, configure SetKeepJobFlowAliveWhenNoSteps to true. For more information, see [Managing Cluster Termination](https://docs.aws.amazon.com/emr/latest/ManagementGuide/UsingEMR_TerminationProtection.html) in the Amazon EMR Management Guide. /// - /// - Parameter SetKeepJobFlowAliveWhenNoStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetKeepJobFlowAliveWhenNoStepsInput`) /// - /// - Returns: `SetKeepJobFlowAliveWhenNoStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetKeepJobFlowAliveWhenNoStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3933,7 +3881,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetKeepJobFlowAliveWhenNoStepsOutput.httpOutput(from:), SetKeepJobFlowAliveWhenNoStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3968,9 +3915,9 @@ extension EMRClient { /// /// SetTerminationProtection locks a cluster (job flow) so the Amazon EC2 instances in the cluster cannot be terminated by user intervention, an API call, or in the event of a job-flow error. The cluster still terminates upon successful completion of the job flow. Calling SetTerminationProtection on a cluster is similar to calling the Amazon EC2 DisableAPITermination API on all Amazon EC2 instances in a cluster. SetTerminationProtection is used to prevent accidental termination of a cluster and to ensure that in the event of an error, the instances persist so that you can recover any data stored in their ephemeral instance storage. To terminate a cluster that has been locked by setting SetTerminationProtection to true, you must first unlock the job flow by a subsequent call to SetTerminationProtection in which you set the value to false. For more information, see [Managing Cluster Termination](https://docs.aws.amazon.com/emr/latest/ManagementGuide/UsingEMR_TerminationProtection.html) in the Amazon EMR Management Guide. /// - /// - Parameter SetTerminationProtectionInput : The input argument to the [TerminationProtection] operation. + /// - Parameter input: The input argument to the [TerminationProtection] operation. (Type: `SetTerminationProtectionInput`) /// - /// - Returns: `SetTerminationProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetTerminationProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4002,7 +3949,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetTerminationProtectionOutput.httpOutput(from:), SetTerminationProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4037,9 +3983,9 @@ extension EMRClient { /// /// Specify whether to enable unhealthy node replacement, which lets Amazon EMR gracefully replace core nodes on a cluster if any nodes become unhealthy. For example, a node becomes unhealthy if disk usage is above 90%. If unhealthy node replacement is on and TerminationProtected are off, Amazon EMR immediately terminates the unhealthy core nodes. To use unhealthy node replacement and retain unhealthy core nodes, use to turn on termination protection. In such cases, Amazon EMR adds the unhealthy nodes to a denylist, reducing job interruptions and failures. If unhealthy node replacement is on, Amazon EMR notifies YARN and other applications on the cluster to stop scheduling tasks with these nodes, moves the data, and then terminates the nodes. For more information, see [graceful node replacement](https://docs.aws.amazon.com/emr/latest/ManagementGuide/emr-plan-node-replacement.html) in the Amazon EMR Management Guide. /// - /// - Parameter SetUnhealthyNodeReplacementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetUnhealthyNodeReplacementInput`) /// - /// - Returns: `SetUnhealthyNodeReplacementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetUnhealthyNodeReplacementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4071,7 +4017,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetUnhealthyNodeReplacementOutput.httpOutput(from:), SetUnhealthyNodeReplacementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4106,9 +4051,9 @@ extension EMRClient { /// /// The SetVisibleToAllUsers parameter is no longer supported. Your cluster may be visible to all users in your account. To restrict cluster access using an IAM policy, see [Identity and Access Management for Amazon EMR](https://docs.aws.amazon.com/emr/latest/ManagementGuide/emr-plan-access-IAM.html). Sets the [Cluster$VisibleToAllUsers] value for an Amazon EMR cluster. When true, IAM principals in the Amazon Web Services account can perform Amazon EMR cluster actions that their IAM policies allow. When false, only the IAM principal that created the cluster and the Amazon Web Services account root user can perform Amazon EMR actions on the cluster, regardless of IAM permissions policies attached to other IAM principals. This action works on running clusters. When you create a cluster, use the [RunJobFlowInput$VisibleToAllUsers] parameter. For more information, see [Understanding the Amazon EMR Cluster VisibleToAllUsers Setting](https://docs.aws.amazon.com/emr/latest/ManagementGuide/security_IAM_emr-with-IAM.html#security_set_visible_to_all_users) in the Amazon EMR Management Guide. /// - /// - Parameter SetVisibleToAllUsersInput : The input to the SetVisibleToAllUsers action. + /// - Parameter input: The input to the SetVisibleToAllUsers action. (Type: `SetVisibleToAllUsersInput`) /// - /// - Returns: `SetVisibleToAllUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetVisibleToAllUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4140,7 +4085,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetVisibleToAllUsersOutput.httpOutput(from:), SetVisibleToAllUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4175,9 +4119,9 @@ extension EMRClient { /// /// Starts a notebook execution. /// - /// - Parameter StartNotebookExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartNotebookExecutionInput`) /// - /// - Returns: `StartNotebookExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartNotebookExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4210,7 +4154,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartNotebookExecutionOutput.httpOutput(from:), StartNotebookExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4245,9 +4188,9 @@ extension EMRClient { /// /// Stops a notebook execution. /// - /// - Parameter StopNotebookExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopNotebookExecutionInput`) /// - /// - Returns: `StopNotebookExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopNotebookExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4280,7 +4223,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopNotebookExecutionOutput.httpOutput(from:), StopNotebookExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4315,9 +4257,9 @@ extension EMRClient { /// /// TerminateJobFlows shuts a list of clusters (job flows) down. When a job flow is shut down, any step not yet completed is canceled and the Amazon EC2 instances on which the cluster is running are stopped. Any log files not already saved are uploaded to Amazon S3 if a LogUri was specified when the cluster was created. The maximum number of clusters allowed is 10. The call to TerminateJobFlows is asynchronous. Depending on the configuration of the cluster, it may take up to 1-5 minutes for the cluster to completely terminate and release allocated resources, such as Amazon EC2 instances. /// - /// - Parameter TerminateJobFlowsInput : Input to the [TerminateJobFlows] operation. + /// - Parameter input: Input to the [TerminateJobFlows] operation. (Type: `TerminateJobFlowsInput`) /// - /// - Returns: `TerminateJobFlowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateJobFlowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4349,7 +4291,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateJobFlowsOutput.httpOutput(from:), TerminateJobFlowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4384,9 +4325,9 @@ extension EMRClient { /// /// Updates an Amazon EMR Studio configuration, including attributes such as name, description, and subnets. /// - /// - Parameter UpdateStudioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStudioInput`) /// - /// - Returns: `UpdateStudioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStudioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4419,7 +4360,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStudioOutput.httpOutput(from:), UpdateStudioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4454,9 +4394,9 @@ extension EMRClient { /// /// Updates the session policy attached to the user or group for the specified Amazon EMR Studio. /// - /// - Parameter UpdateStudioSessionMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStudioSessionMappingInput`) /// - /// - Returns: `UpdateStudioSessionMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStudioSessionMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4489,7 +4429,6 @@ extension EMRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStudioSessionMappingOutput.httpOutput(from:), UpdateStudioSessionMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEMRServerless/Sources/AWSEMRServerless/EMRServerlessClient.swift b/Sources/Services/AWSEMRServerless/Sources/AWSEMRServerless/EMRServerlessClient.swift index 89d31aa51a6..2a6f32ddabc 100644 --- a/Sources/Services/AWSEMRServerless/Sources/AWSEMRServerless/EMRServerlessClient.swift +++ b/Sources/Services/AWSEMRServerless/Sources/AWSEMRServerless/EMRServerlessClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EMRServerlessClient: ClientRuntime.Client { public static let clientName = "EMRServerlessClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EMRServerlessClient.EMRServerlessClientConfiguration let serviceName = "EMR Serverless" @@ -375,9 +374,9 @@ extension EMRServerlessClient { /// /// Cancels a job run. /// - /// - Parameter CancelJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelJobRunInput`) /// - /// - Returns: `CancelJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension EMRServerlessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CancelJobRunInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJobRunOutput.httpOutput(from:), CancelJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension EMRServerlessClient { /// /// Creates an application. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension EMRServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension EMRServerlessClient { /// /// Deletes an application. An application has to be in a stopped or created state in order to be deleted. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -550,7 +547,6 @@ extension EMRServerlessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -582,9 +578,9 @@ extension EMRServerlessClient { /// /// Displays detailed information about a specified application. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -617,7 +613,6 @@ extension EMRServerlessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -649,9 +644,9 @@ extension EMRServerlessClient { /// /// Creates and returns a URL that you can use to access the application UIs for a job run. For jobs in a running state, the application UI is a live user interface such as the Spark or Tez web UI. For completed jobs, the application UI is a persistent application user interface such as the Spark History Server or persistent Tez UI. The URL is valid for one hour after you generate it. To access the application UI after that hour elapses, you must invoke the API again to generate a new URL. /// - /// - Parameter GetDashboardForJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDashboardForJobRunInput`) /// - /// - Returns: `GetDashboardForJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDashboardForJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -685,7 +680,6 @@ extension EMRServerlessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDashboardForJobRunInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDashboardForJobRunOutput.httpOutput(from:), GetDashboardForJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -717,9 +711,9 @@ extension EMRServerlessClient { /// /// Displays detailed information about a job run. /// - /// - Parameter GetJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobRunInput`) /// - /// - Returns: `GetJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -753,7 +747,6 @@ extension EMRServerlessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetJobRunInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobRunOutput.httpOutput(from:), GetJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -785,9 +778,9 @@ extension EMRServerlessClient { /// /// Lists applications based on a set of parameters. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -820,7 +813,6 @@ extension EMRServerlessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -852,9 +844,9 @@ extension EMRServerlessClient { /// /// Lists all attempt of a job run. /// - /// - Parameter ListJobRunAttemptsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobRunAttemptsInput`) /// - /// - Returns: `ListJobRunAttemptsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobRunAttemptsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -888,7 +880,6 @@ extension EMRServerlessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobRunAttemptsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobRunAttemptsOutput.httpOutput(from:), ListJobRunAttemptsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -920,9 +911,9 @@ extension EMRServerlessClient { /// /// Lists job runs based on a set of parameters. /// - /// - Parameter ListJobRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobRunsInput`) /// - /// - Returns: `ListJobRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -955,7 +946,6 @@ extension EMRServerlessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobRunsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobRunsOutput.httpOutput(from:), ListJobRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -987,9 +977,9 @@ extension EMRServerlessClient { /// /// Lists the tags assigned to the resources. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1022,7 +1012,6 @@ extension EMRServerlessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1043,9 @@ extension EMRServerlessClient { /// /// Starts a specified application and initializes initial capacity if configured. /// - /// - Parameter StartApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartApplicationInput`) /// - /// - Returns: `StartApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1090,7 +1079,6 @@ extension EMRServerlessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartApplicationOutput.httpOutput(from:), StartApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1122,9 +1110,9 @@ extension EMRServerlessClient { /// /// Starts a job run. /// - /// - Parameter StartJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartJobRunInput`) /// - /// - Returns: `StartJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1162,7 +1150,6 @@ extension EMRServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartJobRunOutput.httpOutput(from:), StartJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1194,9 +1181,9 @@ extension EMRServerlessClient { /// /// Stops a specified application and releases initial capacity if configured. All scheduled and running jobs must be completed or cancelled before stopping an application. /// - /// - Parameter StopApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopApplicationInput`) /// - /// - Returns: `StopApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1229,7 +1216,6 @@ extension EMRServerlessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopApplicationOutput.httpOutput(from:), StopApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1261,9 +1247,9 @@ extension EMRServerlessClient { /// /// Assigns tags to resources. A tag is a label that you assign to an Amazon Web Services resource. Each tag consists of a key and an optional value, both of which you define. Tags enable you to categorize your Amazon Web Services resources by attributes such as purpose, owner, or environment. When you have many resources of the same type, you can quickly identify a specific resource based on the tags you've assigned to it. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1299,7 +1285,6 @@ extension EMRServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1331,9 +1316,9 @@ extension EMRServerlessClient { /// /// Removes tags from resources. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1367,7 +1352,6 @@ extension EMRServerlessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1399,9 +1383,9 @@ extension EMRServerlessClient { /// /// Updates a specified application. An application has to be in a stopped or created state in order to be updated. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1438,7 +1422,6 @@ extension EMRServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEMRcontainers/Sources/AWSEMRcontainers/EMRcontainersClient.swift b/Sources/Services/AWSEMRcontainers/Sources/AWSEMRcontainers/EMRcontainersClient.swift index f407fa4e86c..0d9284db2c5 100644 --- a/Sources/Services/AWSEMRcontainers/Sources/AWSEMRcontainers/EMRcontainersClient.swift +++ b/Sources/Services/AWSEMRcontainers/Sources/AWSEMRcontainers/EMRcontainersClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EMRcontainersClient: ClientRuntime.Client { public static let clientName = "EMRcontainersClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EMRcontainersClient.EMRcontainersClientConfiguration let serviceName = "EMR containers" @@ -375,9 +374,9 @@ extension EMRcontainersClient { /// /// Cancels a job run. A job run is a unit of work, such as a Spark jar, PySpark script, or SparkSQL query, that you submit to Amazon EMR on EKS. /// - /// - Parameter CancelJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelJobRunInput`) /// - /// - Returns: `CancelJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJobRunOutput.httpOutput(from:), CancelJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -441,9 +439,9 @@ extension EMRcontainersClient { /// /// Creates a job template. Job template stores values of StartJobRun API request in a template and can be used to start a job run. Job template allows two use cases: avoid repeating recurring StartJobRun API request values, enforcing certain values in StartJobRun API request. /// - /// - Parameter CreateJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobTemplateInput`) /// - /// - Returns: `CreateJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobTemplateOutput.httpOutput(from:), CreateJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension EMRcontainersClient { /// /// Creates a managed endpoint. A managed endpoint is a gateway that connects Amazon EMR Studio to Amazon EMR on EKS so that Amazon EMR Studio can communicate with your virtual cluster. /// - /// - Parameter CreateManagedEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateManagedEndpointInput`) /// - /// - Returns: `CreateManagedEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateManagedEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -551,7 +548,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateManagedEndpointOutput.httpOutput(from:), CreateManagedEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -583,9 +579,9 @@ extension EMRcontainersClient { /// /// Creates a security configuration. Security configurations in Amazon EMR on EKS are templates for different security setups. You can use security configurations to configure the Lake Formation integration setup. You can also create a security configuration to re-use a security setup each time you create a virtual cluster. /// - /// - Parameter CreateSecurityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSecurityConfigurationInput`) /// - /// - Returns: `CreateSecurityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSecurityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -621,7 +617,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSecurityConfigurationOutput.httpOutput(from:), CreateSecurityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -653,9 +648,9 @@ extension EMRcontainersClient { /// /// Creates a virtual cluster. Virtual cluster is a managed entity on Amazon EMR on EKS. You can create, describe, list and delete virtual clusters. They do not consume any additional resource in your system. A single virtual cluster maps to a single Kubernetes namespace. Given this relationship, you can model virtual clusters the same way you model Kubernetes namespaces to meet your requirements. /// - /// - Parameter CreateVirtualClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVirtualClusterInput`) /// - /// - Returns: `CreateVirtualClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVirtualClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -693,7 +688,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVirtualClusterOutput.httpOutput(from:), CreateVirtualClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -725,9 +719,9 @@ extension EMRcontainersClient { /// /// Deletes a job template. Job template stores values of StartJobRun API request in a template and can be used to start a job run. Job template allows two use cases: avoid repeating recurring StartJobRun API request values, enforcing certain values in StartJobRun API request. /// - /// - Parameter DeleteJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJobTemplateInput`) /// - /// - Returns: `DeleteJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -759,7 +753,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobTemplateOutput.httpOutput(from:), DeleteJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -791,9 +784,9 @@ extension EMRcontainersClient { /// /// Deletes a managed endpoint. A managed endpoint is a gateway that connects Amazon EMR Studio to Amazon EMR on EKS so that Amazon EMR Studio can communicate with your virtual cluster. /// - /// - Parameter DeleteManagedEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteManagedEndpointInput`) /// - /// - Returns: `DeleteManagedEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteManagedEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -825,7 +818,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteManagedEndpointOutput.httpOutput(from:), DeleteManagedEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -857,9 +849,9 @@ extension EMRcontainersClient { /// /// Deletes a virtual cluster. Virtual cluster is a managed entity on Amazon EMR on EKS. You can create, describe, list and delete virtual clusters. They do not consume any additional resource in your system. A single virtual cluster maps to a single Kubernetes namespace. Given this relationship, you can model virtual clusters the same way you model Kubernetes namespaces to meet your requirements. /// - /// - Parameter DeleteVirtualClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVirtualClusterInput`) /// - /// - Returns: `DeleteVirtualClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVirtualClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -891,7 +883,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVirtualClusterOutput.httpOutput(from:), DeleteVirtualClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -923,9 +914,9 @@ extension EMRcontainersClient { /// /// Displays detailed information about a job run. A job run is a unit of work, such as a Spark jar, PySpark script, or SparkSQL query, that you submit to Amazon EMR on EKS. /// - /// - Parameter DescribeJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobRunInput`) /// - /// - Returns: `DescribeJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -958,7 +949,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobRunOutput.httpOutput(from:), DescribeJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -990,9 +980,9 @@ extension EMRcontainersClient { /// /// Displays detailed information about a specified job template. Job template stores values of StartJobRun API request in a template and can be used to start a job run. Job template allows two use cases: avoid repeating recurring StartJobRun API request values, enforcing certain values in StartJobRun API request. /// - /// - Parameter DescribeJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobTemplateInput`) /// - /// - Returns: `DescribeJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1025,7 +1015,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobTemplateOutput.httpOutput(from:), DescribeJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1057,9 +1046,9 @@ extension EMRcontainersClient { /// /// Displays detailed information about a managed endpoint. A managed endpoint is a gateway that connects Amazon EMR Studio to Amazon EMR on EKS so that Amazon EMR Studio can communicate with your virtual cluster. /// - /// - Parameter DescribeManagedEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeManagedEndpointInput`) /// - /// - Returns: `DescribeManagedEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeManagedEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1092,7 +1081,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeManagedEndpointOutput.httpOutput(from:), DescribeManagedEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1124,9 +1112,9 @@ extension EMRcontainersClient { /// /// Displays detailed information about a specified security configuration. Security configurations in Amazon EMR on EKS are templates for different security setups. You can use security configurations to configure the Lake Formation integration setup. You can also create a security configuration to re-use a security setup each time you create a virtual cluster. /// - /// - Parameter DescribeSecurityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecurityConfigurationInput`) /// - /// - Returns: `DescribeSecurityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecurityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1159,7 +1147,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecurityConfigurationOutput.httpOutput(from:), DescribeSecurityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1191,9 +1178,9 @@ extension EMRcontainersClient { /// /// Displays detailed information about a specified virtual cluster. Virtual cluster is a managed entity on Amazon EMR on EKS. You can create, describe, list and delete virtual clusters. They do not consume any additional resource in your system. A single virtual cluster maps to a single Kubernetes namespace. Given this relationship, you can model virtual clusters the same way you model Kubernetes namespaces to meet your requirements. /// - /// - Parameter DescribeVirtualClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVirtualClusterInput`) /// - /// - Returns: `DescribeVirtualClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVirtualClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1226,7 +1213,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVirtualClusterOutput.httpOutput(from:), DescribeVirtualClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1258,9 +1244,9 @@ extension EMRcontainersClient { /// /// Generate a session token to connect to a managed endpoint. /// - /// - Parameter GetManagedEndpointSessionCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedEndpointSessionCredentialsInput`) /// - /// - Returns: `GetManagedEndpointSessionCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedEndpointSessionCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1298,7 +1284,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedEndpointSessionCredentialsOutput.httpOutput(from:), GetManagedEndpointSessionCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1330,9 +1315,9 @@ extension EMRcontainersClient { /// /// Lists job runs based on a set of parameters. A job run is a unit of work, such as a Spark jar, PySpark script, or SparkSQL query, that you submit to Amazon EMR on EKS. /// - /// - Parameter ListJobRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobRunsInput`) /// - /// - Returns: `ListJobRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1365,7 +1350,6 @@ extension EMRcontainersClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobRunsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobRunsOutput.httpOutput(from:), ListJobRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1397,9 +1381,9 @@ extension EMRcontainersClient { /// /// Lists job templates based on a set of parameters. Job template stores values of StartJobRun API request in a template and can be used to start a job run. Job template allows two use cases: avoid repeating recurring StartJobRun API request values, enforcing certain values in StartJobRun API request. /// - /// - Parameter ListJobTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobTemplatesInput`) /// - /// - Returns: `ListJobTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1432,7 +1416,6 @@ extension EMRcontainersClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobTemplatesOutput.httpOutput(from:), ListJobTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1464,9 +1447,9 @@ extension EMRcontainersClient { /// /// Lists managed endpoints based on a set of parameters. A managed endpoint is a gateway that connects Amazon EMR Studio to Amazon EMR on EKS so that Amazon EMR Studio can communicate with your virtual cluster. /// - /// - Parameter ListManagedEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedEndpointsInput`) /// - /// - Returns: `ListManagedEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1499,7 +1482,6 @@ extension EMRcontainersClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListManagedEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedEndpointsOutput.httpOutput(from:), ListManagedEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1531,9 +1513,9 @@ extension EMRcontainersClient { /// /// Lists security configurations based on a set of parameters. Security configurations in Amazon EMR on EKS are templates for different security setups. You can use security configurations to configure the Lake Formation integration setup. You can also create a security configuration to re-use a security setup each time you create a virtual cluster. /// - /// - Parameter ListSecurityConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityConfigurationsInput`) /// - /// - Returns: `ListSecurityConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1566,7 +1548,6 @@ extension EMRcontainersClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSecurityConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityConfigurationsOutput.httpOutput(from:), ListSecurityConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1598,9 +1579,9 @@ extension EMRcontainersClient { /// /// Lists the tags assigned to the resources. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1633,7 +1614,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1665,9 +1645,9 @@ extension EMRcontainersClient { /// /// Lists information about the specified virtual cluster. Virtual cluster is a managed entity on Amazon EMR on EKS. You can create, describe, list and delete virtual clusters. They do not consume any additional resource in your system. A single virtual cluster maps to a single Kubernetes namespace. Given this relationship, you can model virtual clusters the same way you model Kubernetes namespaces to meet your requirements. /// - /// - Parameter ListVirtualClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVirtualClustersInput`) /// - /// - Returns: `ListVirtualClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVirtualClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1700,7 +1680,6 @@ extension EMRcontainersClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVirtualClustersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVirtualClustersOutput.httpOutput(from:), ListVirtualClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1732,9 +1711,9 @@ extension EMRcontainersClient { /// /// Starts a job run. A job run is a unit of work, such as a Spark jar, PySpark script, or SparkSQL query, that you submit to Amazon EMR on EKS. /// - /// - Parameter StartJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartJobRunInput`) /// - /// - Returns: `StartJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1771,7 +1750,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartJobRunOutput.httpOutput(from:), StartJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1803,9 +1781,9 @@ extension EMRcontainersClient { /// /// Assigns tags to resources. A tag is a label that you assign to an Amazon Web Services resource. Each tag consists of a key and an optional value, both of which you define. Tags enable you to categorize your Amazon Web Services resources by attributes such as purpose, owner, or environment. When you have many resources of the same type, you can quickly identify a specific resource based on the tags you've assigned to it. For example, you can define a set of tags for your Amazon EMR on EKS clusters to help you track each cluster's owner and stack level. We recommend that you devise a consistent set of tag keys for each resource type. You can then search and filter the resources based on the tags that you add. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1841,7 +1819,6 @@ extension EMRcontainersClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1873,9 +1850,9 @@ extension EMRcontainersClient { /// /// Removes tags from resources. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1909,7 +1886,6 @@ extension EMRcontainersClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSElastiCache/Sources/AWSElastiCache/ElastiCacheClient.swift b/Sources/Services/AWSElastiCache/Sources/AWSElastiCache/ElastiCacheClient.swift index da29f1d3572..e3abcc66c63 100644 --- a/Sources/Services/AWSElastiCache/Sources/AWSElastiCache/ElastiCacheClient.swift +++ b/Sources/Services/AWSElastiCache/Sources/AWSElastiCache/ElastiCacheClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ElastiCacheClient: ClientRuntime.Client { public static let clientName = "ElastiCacheClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ElastiCacheClient.ElastiCacheClientConfiguration let serviceName = "ElastiCache" @@ -373,9 +372,9 @@ extension ElastiCacheClient { /// /// A tag is a key-value pair where the key and value are case-sensitive. You can use tags to categorize and track all your ElastiCache resources, with the exception of global replication group. When you add or remove tags on replication groups, those actions will be replicated to all nodes in the replication group. For more information, see [Resource-level permissions](http://docs.aws.amazon.com/AmazonElastiCache/latest/dg/IAM.ResourceLevelPermissions.html). For example, you can use cost-allocation tags to your ElastiCache resources, Amazon generates a cost allocation report as a comma-separated value (CSV) file with your usage and costs aggregated by your tags. You can apply tags that represent business categories (such as cost centers, application names, or owners) to organize your costs across multiple services. For more information, see [Using Cost Allocation Tags in Amazon ElastiCache](https://docs.aws.amazon.com/AmazonElastiCache/latest/dg/Tagging.html) in the ElastiCache User Guide. /// - /// - Parameter AddTagsToResourceInput : Represents the input of an AddTagsToResource operation. + /// - Parameter input: Represents the input of an AddTagsToResource operation. (Type: `AddTagsToResourceInput`) /// - /// - Returns: `AddTagsToResourceOutput` : Represents the output from the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations. + /// - Returns: Represents the output from the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations. (Type: `AddTagsToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -422,7 +421,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToResourceOutput.httpOutput(from:), AddTagsToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -456,9 +454,9 @@ extension ElastiCacheClient { /// /// Allows network ingress to a cache security group. Applications using ElastiCache must be running on Amazon EC2, and Amazon EC2 security groups are used as the authorization mechanism. You cannot authorize ingress from an Amazon EC2 security group in one region to an ElastiCache cluster in another region. /// - /// - Parameter AuthorizeCacheSecurityGroupIngressInput : Represents the input of an AuthorizeCacheSecurityGroupIngress operation. + /// - Parameter input: Represents the input of an AuthorizeCacheSecurityGroupIngress operation. (Type: `AuthorizeCacheSecurityGroupIngressInput`) /// - /// - Returns: `AuthorizeCacheSecurityGroupIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AuthorizeCacheSecurityGroupIngressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -494,7 +492,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeCacheSecurityGroupIngressOutput.httpOutput(from:), AuthorizeCacheSecurityGroupIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -528,9 +525,9 @@ extension ElastiCacheClient { /// /// Apply the service update. For more information on service updates and applying them, see [Applying Service Updates](https://docs.aws.amazon.com/AmazonElastiCache/latest/dg/applying-updates.html). /// - /// - Parameter BatchApplyUpdateActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchApplyUpdateActionInput`) /// - /// - Returns: `BatchApplyUpdateActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchApplyUpdateActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchApplyUpdateActionOutput.httpOutput(from:), BatchApplyUpdateActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension ElastiCacheClient { /// /// Stop the service update. For more information on service updates and stopping them, see [Stopping Service Updates](https://docs.aws.amazon.com/AmazonElastiCache/latest/dg/stopping-self-service-updates.html). /// - /// - Parameter BatchStopUpdateActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchStopUpdateActionInput`) /// - /// - Returns: `BatchStopUpdateActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchStopUpdateActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -632,7 +628,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchStopUpdateActionOutput.httpOutput(from:), BatchStopUpdateActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension ElastiCacheClient { /// /// Complete the migration of data. /// - /// - Parameter CompleteMigrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CompleteMigrationInput`) /// - /// - Returns: `CompleteMigrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompleteMigrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -702,7 +697,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteMigrationOutput.httpOutput(from:), CompleteMigrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension ElastiCacheClient { /// /// Creates a copy of an existing serverless cache’s snapshot. Available for Valkey, Redis OSS and Serverless Memcached only. /// - /// - Parameter CopyServerlessCacheSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyServerlessCacheSnapshotInput`) /// - /// - Returns: `CopyServerlessCacheSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyServerlessCacheSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyServerlessCacheSnapshotOutput.httpOutput(from:), CopyServerlessCacheSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -827,9 +820,9 @@ extension ElastiCacheClient { /// /// * Error Message: ElastiCache has not been granted READ_ACP permissions %s on the S3 Bucket. Solution: Add View Permissions on the bucket. For more information, see [Step 2: Grant ElastiCache Access to Your Amazon S3 Bucket](https://docs.aws.amazon.com/AmazonElastiCache/latest/dg/backups-exporting.html#backups-exporting-grant-access) in the ElastiCache User Guide. /// - /// - Parameter CopySnapshotInput : Represents the input of a CopySnapshotMessage operation. + /// - Parameter input: Represents the input of a CopySnapshotMessage operation. (Type: `CopySnapshotInput`) /// - /// - Returns: `CopySnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopySnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -867,7 +860,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopySnapshotOutput.httpOutput(from:), CopySnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +893,9 @@ extension ElastiCacheClient { /// /// Creates a cluster. All nodes in the cluster run the same protocol-compliant cache engine software, either Memcached, Valkey or Redis OSS. This operation is not supported for Valkey or Redis OSS (cluster mode enabled) clusters. /// - /// - Parameter CreateCacheClusterInput : Represents the input of a CreateCacheCluster operation. + /// - Parameter input: Represents the input of a CreateCacheCluster operation. (Type: `CreateCacheClusterInput`) /// - /// - Returns: `CreateCacheClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCacheClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -948,7 +940,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCacheClusterOutput.httpOutput(from:), CreateCacheClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -986,9 +977,9 @@ extension ElastiCacheClient { /// /// * [Parameters and Parameter Groups](https://docs.aws.amazon.com/AmazonElastiCache/latest/dg/ParameterGroups.html) in the ElastiCache User Guide. /// - /// - Parameter CreateCacheParameterGroupInput : Represents the input of a CreateCacheParameterGroup operation. + /// - Parameter input: Represents the input of a CreateCacheParameterGroup operation. (Type: `CreateCacheParameterGroupInput`) /// - /// - Returns: `CreateCacheParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCacheParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1025,7 +1016,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCacheParameterGroupOutput.httpOutput(from:), CreateCacheParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1059,9 +1049,9 @@ extension ElastiCacheClient { /// /// Creates a new cache security group. Use a cache security group to control access to one or more clusters. Cache security groups are only used when you are creating a cluster outside of an Amazon Virtual Private Cloud (Amazon VPC). If you are creating a cluster inside of a VPC, use a cache subnet group instead. For more information, see [CreateCacheSubnetGroup](https://docs.aws.amazon.com/AmazonElastiCache/latest/APIReference/API_CreateCacheSubnetGroup.html). /// - /// - Parameter CreateCacheSecurityGroupInput : Represents the input of a CreateCacheSecurityGroup operation. + /// - Parameter input: Represents the input of a CreateCacheSecurityGroup operation. (Type: `CreateCacheSecurityGroupInput`) /// - /// - Returns: `CreateCacheSecurityGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCacheSecurityGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1097,7 +1087,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCacheSecurityGroupOutput.httpOutput(from:), CreateCacheSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1131,9 +1120,9 @@ extension ElastiCacheClient { /// /// Creates a new cache subnet group. Use this parameter only when you are creating a cluster in an Amazon Virtual Private Cloud (Amazon VPC). /// - /// - Parameter CreateCacheSubnetGroupInput : Represents the input of a CreateCacheSubnetGroup operation. + /// - Parameter input: Represents the input of a CreateCacheSubnetGroup operation. (Type: `CreateCacheSubnetGroupInput`) /// - /// - Returns: `CreateCacheSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCacheSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1170,7 +1159,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCacheSubnetGroupOutput.httpOutput(from:), CreateCacheSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1208,9 +1196,9 @@ extension ElastiCacheClient { /// /// * The PrimaryReplicationGroupId represents the name of the primary cluster that accepts writes and will replicate updates to the secondary cluster. /// - /// - Parameter CreateGlobalReplicationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGlobalReplicationGroupInput`) /// - /// - Returns: `CreateGlobalReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGlobalReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1246,7 +1234,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGlobalReplicationGroupOutput.httpOutput(from:), CreateGlobalReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1280,9 +1267,9 @@ extension ElastiCacheClient { /// /// Creates a Valkey or Redis OSS (cluster mode disabled) or a Valkey or Redis OSS (cluster mode enabled) replication group. This API can be used to create a standalone regional replication group or a secondary replication group associated with a Global datastore. A Valkey or Redis OSS (cluster mode disabled) replication group is a collection of nodes, where one of the nodes is a read/write primary and the others are read-only replicas. Writes to the primary are asynchronously propagated to the replicas. A Valkey or Redis OSS cluster-mode enabled cluster is comprised of from 1 to 90 shards (API/CLI: node groups). Each shard has a primary node and up to 5 read-only replica nodes. The configuration can range from 90 shards and 0 replicas to 15 shards and 5 replicas, which is the maximum number or replicas allowed. The node or shard limit can be increased to a maximum of 500 per cluster if the Valkey or Redis OSS engine version is 5.0.6 or higher. For example, you can choose to configure a 500 node cluster that ranges between 83 shards (one primary and 5 replicas per shard) and 500 shards (single primary and no replicas). Make sure there are enough available IP addresses to accommodate the increase. Common pitfalls include the subnets in the subnet group have too small a CIDR range or the subnets are shared and heavily used by other clusters. For more information, see [Creating a Subnet Group](https://docs.aws.amazon.com/AmazonElastiCache/latest/dg/SubnetGroups.Creating.html). For versions below 5.0.6, the limit is 250 per cluster. To request a limit increase, see [Amazon Service Limits](https://docs.aws.amazon.com/general/latest/gr/aws_service_limits.html) and choose the limit type Nodes per cluster per instance type. When a Valkey or Redis OSS (cluster mode disabled) replication group has been successfully created, you can add one or more read replicas to it, up to a total of 5 read replicas. If you need to increase or decrease the number of node groups (console: shards), you can use scaling. For more information, see [Scaling self-designed clusters](https://docs.aws.amazon.com/AmazonElastiCache/latest/dg/Scaling.html) in the ElastiCache User Guide. This operation is valid for Valkey and Redis OSS only. /// - /// - Parameter CreateReplicationGroupInput : Represents the input of a CreateReplicationGroup operation. + /// - Parameter input: Represents the input of a CreateReplicationGroup operation. (Type: `CreateReplicationGroupInput`) /// - /// - Returns: `CreateReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1332,7 +1319,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplicationGroupOutput.httpOutput(from:), CreateReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1366,9 +1352,9 @@ extension ElastiCacheClient { /// /// Creates a serverless cache. /// - /// - Parameter CreateServerlessCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServerlessCacheInput`) /// - /// - Returns: `CreateServerlessCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServerlessCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1410,7 +1396,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServerlessCacheOutput.httpOutput(from:), CreateServerlessCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1444,9 +1429,9 @@ extension ElastiCacheClient { /// /// This API creates a copy of an entire ServerlessCache at a specific moment in time. Available for Valkey, Redis OSS and Serverless Memcached only. /// - /// - Parameter CreateServerlessCacheSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServerlessCacheSnapshotInput`) /// - /// - Returns: `CreateServerlessCacheSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServerlessCacheSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1485,7 +1470,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServerlessCacheSnapshotOutput.httpOutput(from:), CreateServerlessCacheSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1519,9 +1503,9 @@ extension ElastiCacheClient { /// /// Creates a copy of an entire cluster or replication group at a specific moment in time. This operation is valid for Valkey or Redis OSS only. /// - /// - Parameter CreateSnapshotInput : Represents the input of a CreateSnapshot operation. + /// - Parameter input: Represents the input of a CreateSnapshot operation. (Type: `CreateSnapshotInput`) /// - /// - Returns: `CreateSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1569,7 +1553,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotOutput.httpOutput(from:), CreateSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1603,9 +1586,9 @@ extension ElastiCacheClient { /// /// For Valkey engine version 7.2 onwards and Redis OSS 6.0 to 7.1: Creates a user. For more information, see [Using Role Based Access Control (RBAC)](http://docs.aws.amazon.com/AmazonElastiCache/latest/dg/Clusters.RBAC.html). /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1643,7 +1626,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1677,9 +1659,9 @@ extension ElastiCacheClient { /// /// For Valkey engine version 7.2 onwards and Redis OSS 6.0 to 7.1: Creates a user group. For more information, see [Using Role Based Access Control (RBAC)](http://docs.aws.amazon.com/AmazonElastiCache/latest/dg/Clusters.RBAC.html) /// - /// - Parameter CreateUserGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserGroupInput`) /// - /// - Returns: `CreateUserGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1718,7 +1700,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserGroupOutput.httpOutput(from:), CreateUserGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1752,9 +1733,9 @@ extension ElastiCacheClient { /// /// Decreases the number of node groups in a Global datastore /// - /// - Parameter DecreaseNodeGroupsInGlobalReplicationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DecreaseNodeGroupsInGlobalReplicationGroupInput`) /// - /// - Returns: `DecreaseNodeGroupsInGlobalReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DecreaseNodeGroupsInGlobalReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1789,7 +1770,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DecreaseNodeGroupsInGlobalReplicationGroupOutput.httpOutput(from:), DecreaseNodeGroupsInGlobalReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1823,9 +1803,9 @@ extension ElastiCacheClient { /// /// Dynamically decreases the number of replicas in a Valkey or Redis OSS (cluster mode disabled) replication group or the number of replica nodes in one or more node groups (shards) of a Valkey or Redis OSS (cluster mode enabled) replication group. This operation is performed with no cluster down time. /// - /// - Parameter DecreaseReplicaCountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DecreaseReplicaCountInput`) /// - /// - Returns: `DecreaseReplicaCountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DecreaseReplicaCountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1868,7 +1848,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DecreaseReplicaCountOutput.httpOutput(from:), DecreaseReplicaCountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1916,9 +1895,9 @@ extension ElastiCacheClient { /// /// * A cluster that is not in the available state /// - /// - Parameter DeleteCacheClusterInput : Represents the input of a DeleteCacheCluster operation. + /// - Parameter input: Represents the input of a DeleteCacheCluster operation. (Type: `DeleteCacheClusterInput`) /// - /// - Returns: `DeleteCacheClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCacheClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1963,7 +1942,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCacheClusterOutput.httpOutput(from:), DeleteCacheClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1997,9 +1975,9 @@ extension ElastiCacheClient { /// /// Deletes the specified cache parameter group. You cannot delete a cache parameter group if it is associated with any cache clusters. You cannot delete the default cache parameter groups in your account. /// - /// - Parameter DeleteCacheParameterGroupInput : Represents the input of a DeleteCacheParameterGroup operation. + /// - Parameter input: Represents the input of a DeleteCacheParameterGroup operation. (Type: `DeleteCacheParameterGroupInput`) /// - /// - Returns: `DeleteCacheParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCacheParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2034,7 +2012,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCacheParameterGroupOutput.httpOutput(from:), DeleteCacheParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2068,9 +2045,9 @@ extension ElastiCacheClient { /// /// Deletes a cache security group. You cannot delete a cache security group if it is associated with any clusters. /// - /// - Parameter DeleteCacheSecurityGroupInput : Represents the input of a DeleteCacheSecurityGroup operation. + /// - Parameter input: Represents the input of a DeleteCacheSecurityGroup operation. (Type: `DeleteCacheSecurityGroupInput`) /// - /// - Returns: `DeleteCacheSecurityGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCacheSecurityGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2105,7 +2082,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCacheSecurityGroupOutput.httpOutput(from:), DeleteCacheSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2139,9 +2115,9 @@ extension ElastiCacheClient { /// /// Deletes a cache subnet group. You cannot delete a default cache subnet group or one that is associated with any clusters. /// - /// - Parameter DeleteCacheSubnetGroupInput : Represents the input of a DeleteCacheSubnetGroup operation. + /// - Parameter input: Represents the input of a DeleteCacheSubnetGroup operation. (Type: `DeleteCacheSubnetGroupInput`) /// - /// - Returns: `DeleteCacheSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCacheSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2174,7 +2150,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCacheSubnetGroupOutput.httpOutput(from:), DeleteCacheSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2215,9 +2190,9 @@ extension ElastiCacheClient { /// /// Since the Global Datastore has only a primary cluster, you can delete the Global Datastore while retaining the primary by setting RetainPrimaryReplicationGroup=true. The primary cluster is never deleted when deleting a Global Datastore. It can only be deleted when it no longer is associated with any Global Datastore. When you receive a successful response from this operation, Amazon ElastiCache immediately begins deleting the selected resources; you cannot cancel or revert this operation. /// - /// - Parameter DeleteGlobalReplicationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGlobalReplicationGroupInput`) /// - /// - Returns: `DeleteGlobalReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGlobalReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2251,7 +2226,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGlobalReplicationGroupOutput.httpOutput(from:), DeleteGlobalReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2289,9 +2263,9 @@ extension ElastiCacheClient { /// /// * This operation is valid for Redis OSS only. /// - /// - Parameter DeleteReplicationGroupInput : Represents the input of a DeleteReplicationGroup operation. + /// - Parameter input: Represents the input of a DeleteReplicationGroup operation. (Type: `DeleteReplicationGroupInput`) /// - /// - Returns: `DeleteReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2336,7 +2310,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicationGroupOutput.httpOutput(from:), DeleteReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2370,9 +2343,9 @@ extension ElastiCacheClient { /// /// Deletes a specified existing serverless cache. CreateServerlessCacheSnapshot permission is required to create a final snapshot. Without this permission, the API call will fail with an Access Denied exception. /// - /// - Parameter DeleteServerlessCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServerlessCacheInput`) /// - /// - Returns: `DeleteServerlessCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServerlessCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2410,7 +2383,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServerlessCacheOutput.httpOutput(from:), DeleteServerlessCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2444,9 +2416,9 @@ extension ElastiCacheClient { /// /// Deletes an existing serverless cache snapshot. Available for Valkey, Redis OSS and Serverless Memcached only. /// - /// - Parameter DeleteServerlessCacheSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServerlessCacheSnapshotInput`) /// - /// - Returns: `DeleteServerlessCacheSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServerlessCacheSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2481,7 +2453,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServerlessCacheSnapshotOutput.httpOutput(from:), DeleteServerlessCacheSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2515,9 +2486,9 @@ extension ElastiCacheClient { /// /// Deletes an existing snapshot. When you receive a successful response from this operation, ElastiCache immediately begins deleting the snapshot; you cannot cancel or revert this operation. This operation is valid for Valkey or Redis OSS only. /// - /// - Parameter DeleteSnapshotInput : Represents the input of a DeleteSnapshot operation. + /// - Parameter input: Represents the input of a DeleteSnapshot operation. (Type: `DeleteSnapshotInput`) /// - /// - Returns: `DeleteSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2552,7 +2523,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSnapshotOutput.httpOutput(from:), DeleteSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2586,9 +2556,9 @@ extension ElastiCacheClient { /// /// For Valkey engine version 7.2 onwards and Redis OSS 6.0 onwards: Deletes a user. The user will be removed from all user groups and in turn removed from all replication groups. For more information, see [Using Role Based Access Control (RBAC)](http://docs.aws.amazon.com/AmazonElastiCache/latest/dg/Clusters.RBAC.html). /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2624,7 +2594,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2658,9 +2627,9 @@ extension ElastiCacheClient { /// /// For Valkey engine version 7.2 onwards and Redis OSS 6.0 onwards: Deletes a user group. The user group must first be disassociated from the replication group before it can be deleted. For more information, see [Using Role Based Access Control (RBAC)](http://docs.aws.amazon.com/AmazonElastiCache/latest/dg/Clusters.RBAC.html). /// - /// - Parameter DeleteUserGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserGroupInput`) /// - /// - Returns: `DeleteUserGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2695,7 +2664,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserGroupOutput.httpOutput(from:), DeleteUserGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2729,9 +2697,9 @@ extension ElastiCacheClient { /// /// Returns information about all provisioned clusters if no cluster identifier is specified, or about a specific cache cluster if a cluster identifier is supplied. By default, abbreviated information about the clusters is returned. You can use the optional ShowCacheNodeInfo flag to retrieve detailed information about the cache nodes associated with the clusters. These details include the DNS address and port for the cache node endpoint. If the cluster is in the creating state, only cluster-level information is displayed until all of the nodes are successfully provisioned. If the cluster is in the deleting state, only cluster-level information is displayed. If cache nodes are currently being added to the cluster, node endpoint information and creation time for the additional nodes are not displayed until they are completely provisioned. When the cluster state is available, the cluster is ready for use. If cache nodes are currently being removed from the cluster, no endpoint information for the removed nodes is displayed. /// - /// - Parameter DescribeCacheClustersInput : Represents the input of a DescribeCacheClusters operation. + /// - Parameter input: Represents the input of a DescribeCacheClusters operation. (Type: `DescribeCacheClustersInput`) /// - /// - Returns: `DescribeCacheClustersOutput` : Represents the output of a DescribeCacheClusters operation. + /// - Returns: Represents the output of a DescribeCacheClusters operation. (Type: `DescribeCacheClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2765,7 +2733,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCacheClustersOutput.httpOutput(from:), DescribeCacheClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2799,9 +2766,9 @@ extension ElastiCacheClient { /// /// Returns a list of the available cache engines and their versions. /// - /// - Parameter DescribeCacheEngineVersionsInput : Represents the input of a DescribeCacheEngineVersions operation. + /// - Parameter input: Represents the input of a DescribeCacheEngineVersions operation. (Type: `DescribeCacheEngineVersionsInput`) /// - /// - Returns: `DescribeCacheEngineVersionsOutput` : Represents the output of a [DescribeCacheEngineVersions] operation. + /// - Returns: Represents the output of a [DescribeCacheEngineVersions] operation. (Type: `DescribeCacheEngineVersionsOutput`) public func describeCacheEngineVersions(input: DescribeCacheEngineVersionsInput) async throws -> DescribeCacheEngineVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2828,7 +2795,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCacheEngineVersionsOutput.httpOutput(from:), DescribeCacheEngineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2862,9 +2828,9 @@ extension ElastiCacheClient { /// /// Returns a list of cache parameter group descriptions. If a cache parameter group name is specified, the list contains only the descriptions for that group. /// - /// - Parameter DescribeCacheParameterGroupsInput : Represents the input of a DescribeCacheParameterGroups operation. + /// - Parameter input: Represents the input of a DescribeCacheParameterGroups operation. (Type: `DescribeCacheParameterGroupsInput`) /// - /// - Returns: `DescribeCacheParameterGroupsOutput` : Represents the output of a DescribeCacheParameterGroups operation. + /// - Returns: Represents the output of a DescribeCacheParameterGroups operation. (Type: `DescribeCacheParameterGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2898,7 +2864,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCacheParameterGroupsOutput.httpOutput(from:), DescribeCacheParameterGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2932,9 +2897,9 @@ extension ElastiCacheClient { /// /// Returns the detailed parameter list for a particular cache parameter group. /// - /// - Parameter DescribeCacheParametersInput : Represents the input of a DescribeCacheParameters operation. + /// - Parameter input: Represents the input of a DescribeCacheParameters operation. (Type: `DescribeCacheParametersInput`) /// - /// - Returns: `DescribeCacheParametersOutput` : Represents the output of a DescribeCacheParameters operation. + /// - Returns: Represents the output of a DescribeCacheParameters operation. (Type: `DescribeCacheParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2968,7 +2933,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCacheParametersOutput.httpOutput(from:), DescribeCacheParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3002,9 +2966,9 @@ extension ElastiCacheClient { /// /// Returns a list of cache security group descriptions. If a cache security group name is specified, the list contains only the description of that group. This applicable only when you have ElastiCache in Classic setup /// - /// - Parameter DescribeCacheSecurityGroupsInput : Represents the input of a DescribeCacheSecurityGroups operation. + /// - Parameter input: Represents the input of a DescribeCacheSecurityGroups operation. (Type: `DescribeCacheSecurityGroupsInput`) /// - /// - Returns: `DescribeCacheSecurityGroupsOutput` : Represents the output of a DescribeCacheSecurityGroups operation. + /// - Returns: Represents the output of a DescribeCacheSecurityGroups operation. (Type: `DescribeCacheSecurityGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3038,7 +3002,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCacheSecurityGroupsOutput.httpOutput(from:), DescribeCacheSecurityGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3072,9 +3035,9 @@ extension ElastiCacheClient { /// /// Returns a list of cache subnet group descriptions. If a subnet group name is specified, the list contains only the description of that group. This is applicable only when you have ElastiCache in VPC setup. All ElastiCache clusters now launch in VPC by default. /// - /// - Parameter DescribeCacheSubnetGroupsInput : Represents the input of a DescribeCacheSubnetGroups operation. + /// - Parameter input: Represents the input of a DescribeCacheSubnetGroups operation. (Type: `DescribeCacheSubnetGroupsInput`) /// - /// - Returns: `DescribeCacheSubnetGroupsOutput` : Represents the output of a DescribeCacheSubnetGroups operation. + /// - Returns: Represents the output of a DescribeCacheSubnetGroups operation. (Type: `DescribeCacheSubnetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3106,7 +3069,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCacheSubnetGroupsOutput.httpOutput(from:), DescribeCacheSubnetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3140,9 +3102,9 @@ extension ElastiCacheClient { /// /// Returns the default engine and system parameter information for the specified cache engine. /// - /// - Parameter DescribeEngineDefaultParametersInput : Represents the input of a DescribeEngineDefaultParameters operation. + /// - Parameter input: Represents the input of a DescribeEngineDefaultParameters operation. (Type: `DescribeEngineDefaultParametersInput`) /// - /// - Returns: `DescribeEngineDefaultParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEngineDefaultParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3175,7 +3137,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEngineDefaultParametersOutput.httpOutput(from:), DescribeEngineDefaultParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3209,9 +3170,9 @@ extension ElastiCacheClient { /// /// Returns events related to clusters, cache security groups, and cache parameter groups. You can obtain events specific to a particular cluster, cache security group, or cache parameter group by providing the name as a parameter. By default, only the events occurring within the last hour are returned; however, you can retrieve up to 14 days' worth of events if necessary. /// - /// - Parameter DescribeEventsInput : Represents the input of a DescribeEvents operation. + /// - Parameter input: Represents the input of a DescribeEvents operation. (Type: `DescribeEventsInput`) /// - /// - Returns: `DescribeEventsOutput` : Represents the output of a DescribeEvents operation. + /// - Returns: Represents the output of a DescribeEvents operation. (Type: `DescribeEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3244,7 +3205,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsOutput.httpOutput(from:), DescribeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3278,9 +3238,9 @@ extension ElastiCacheClient { /// /// Returns information about a particular global replication group. If no identifier is specified, returns information about all Global datastores. /// - /// - Parameter DescribeGlobalReplicationGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGlobalReplicationGroupsInput`) /// - /// - Returns: `DescribeGlobalReplicationGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGlobalReplicationGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3314,7 +3274,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGlobalReplicationGroupsOutput.httpOutput(from:), DescribeGlobalReplicationGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3348,9 +3307,9 @@ extension ElastiCacheClient { /// /// Returns information about a particular replication group. If no identifier is specified, DescribeReplicationGroups returns information about all replication groups. This operation is valid for Valkey or Redis OSS only. /// - /// - Parameter DescribeReplicationGroupsInput : Represents the input of a DescribeReplicationGroups operation. + /// - Parameter input: Represents the input of a DescribeReplicationGroups operation. (Type: `DescribeReplicationGroupsInput`) /// - /// - Returns: `DescribeReplicationGroupsOutput` : Represents the output of a DescribeReplicationGroups operation. + /// - Returns: Represents the output of a DescribeReplicationGroups operation. (Type: `DescribeReplicationGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3384,7 +3343,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationGroupsOutput.httpOutput(from:), DescribeReplicationGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3418,9 +3376,9 @@ extension ElastiCacheClient { /// /// Returns information about reserved cache nodes for this account, or about a specified reserved cache node. /// - /// - Parameter DescribeReservedCacheNodesInput : Represents the input of a DescribeReservedCacheNodes operation. + /// - Parameter input: Represents the input of a DescribeReservedCacheNodes operation. (Type: `DescribeReservedCacheNodesInput`) /// - /// - Returns: `DescribeReservedCacheNodesOutput` : Represents the output of a DescribeReservedCacheNodes operation. + /// - Returns: Represents the output of a DescribeReservedCacheNodes operation. (Type: `DescribeReservedCacheNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3454,7 +3412,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedCacheNodesOutput.httpOutput(from:), DescribeReservedCacheNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3488,9 +3445,9 @@ extension ElastiCacheClient { /// /// Lists available reserved cache node offerings. /// - /// - Parameter DescribeReservedCacheNodesOfferingsInput : Represents the input of a DescribeReservedCacheNodesOfferings operation. + /// - Parameter input: Represents the input of a DescribeReservedCacheNodesOfferings operation. (Type: `DescribeReservedCacheNodesOfferingsInput`) /// - /// - Returns: `DescribeReservedCacheNodesOfferingsOutput` : Represents the output of a DescribeReservedCacheNodesOfferings operation. + /// - Returns: Represents the output of a DescribeReservedCacheNodesOfferings operation. (Type: `DescribeReservedCacheNodesOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3524,7 +3481,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedCacheNodesOfferingsOutput.httpOutput(from:), DescribeReservedCacheNodesOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3558,9 +3514,9 @@ extension ElastiCacheClient { /// /// Returns information about serverless cache snapshots. By default, this API lists all of the customer’s serverless cache snapshots. It can also describe a single serverless cache snapshot, or the snapshots associated with a particular serverless cache. Available for Valkey, Redis OSS and Serverless Memcached only. /// - /// - Parameter DescribeServerlessCacheSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServerlessCacheSnapshotsInput`) /// - /// - Returns: `DescribeServerlessCacheSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServerlessCacheSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3595,7 +3551,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServerlessCacheSnapshotsOutput.httpOutput(from:), DescribeServerlessCacheSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3629,9 +3584,9 @@ extension ElastiCacheClient { /// /// Returns information about a specific serverless cache. If no identifier is specified, then the API returns information on all the serverless caches belonging to this Amazon Web Services account. /// - /// - Parameter DescribeServerlessCachesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServerlessCachesInput`) /// - /// - Returns: `DescribeServerlessCachesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServerlessCachesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3665,7 +3620,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServerlessCachesOutput.httpOutput(from:), DescribeServerlessCachesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3699,9 +3653,9 @@ extension ElastiCacheClient { /// /// Returns details of the service updates /// - /// - Parameter DescribeServiceUpdatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceUpdatesInput`) /// - /// - Returns: `DescribeServiceUpdatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceUpdatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3735,7 +3689,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceUpdatesOutput.httpOutput(from:), DescribeServiceUpdatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3769,9 +3722,9 @@ extension ElastiCacheClient { /// /// Returns information about cluster or replication group snapshots. By default, DescribeSnapshots lists all of your snapshots; it can optionally describe a single snapshot, or just the snapshots associated with a particular cache cluster. This operation is valid for Valkey or Redis OSS only. /// - /// - Parameter DescribeSnapshotsInput : Represents the input of a DescribeSnapshotsMessage operation. + /// - Parameter input: Represents the input of a DescribeSnapshotsMessage operation. (Type: `DescribeSnapshotsInput`) /// - /// - Returns: `DescribeSnapshotsOutput` : Represents the output of a DescribeSnapshots operation. + /// - Returns: Represents the output of a DescribeSnapshots operation. (Type: `DescribeSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3806,7 +3759,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSnapshotsOutput.httpOutput(from:), DescribeSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3840,9 +3792,9 @@ extension ElastiCacheClient { /// /// Returns details of the update actions /// - /// - Parameter DescribeUpdateActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUpdateActionsInput`) /// - /// - Returns: `DescribeUpdateActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUpdateActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3875,7 +3827,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUpdateActionsOutput.httpOutput(from:), DescribeUpdateActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3909,9 +3860,9 @@ extension ElastiCacheClient { /// /// Returns a list of user groups. /// - /// - Parameter DescribeUserGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserGroupsInput`) /// - /// - Returns: `DescribeUserGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3945,7 +3896,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserGroupsOutput.httpOutput(from:), DescribeUserGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3979,9 +3929,9 @@ extension ElastiCacheClient { /// /// Returns a list of users. /// - /// - Parameter DescribeUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUsersInput`) /// - /// - Returns: `DescribeUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4015,7 +3965,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUsersOutput.httpOutput(from:), DescribeUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4049,9 +3998,9 @@ extension ElastiCacheClient { /// /// Remove a secondary cluster from the Global datastore using the Global datastore name. The secondary cluster will no longer receive updates from the primary cluster, but will remain as a standalone cluster in that Amazon region. /// - /// - Parameter DisassociateGlobalReplicationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateGlobalReplicationGroupInput`) /// - /// - Returns: `DisassociateGlobalReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateGlobalReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4086,7 +4035,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateGlobalReplicationGroupOutput.httpOutput(from:), DisassociateGlobalReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4120,9 +4068,9 @@ extension ElastiCacheClient { /// /// Provides the functionality to export the serverless cache snapshot data to Amazon S3. Available for Valkey and Redis OSS only. /// - /// - Parameter ExportServerlessCacheSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportServerlessCacheSnapshotInput`) /// - /// - Returns: `ExportServerlessCacheSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportServerlessCacheSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4157,7 +4105,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportServerlessCacheSnapshotOutput.httpOutput(from:), ExportServerlessCacheSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4191,9 +4138,9 @@ extension ElastiCacheClient { /// /// Used to failover the primary region to a secondary region. The secondary region will become primary, and all other clusters will become secondary. /// - /// - Parameter FailoverGlobalReplicationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `FailoverGlobalReplicationGroupInput`) /// - /// - Returns: `FailoverGlobalReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FailoverGlobalReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4228,7 +4175,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FailoverGlobalReplicationGroupOutput.httpOutput(from:), FailoverGlobalReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4262,9 +4208,9 @@ extension ElastiCacheClient { /// /// Increase the number of node groups in the Global datastore /// - /// - Parameter IncreaseNodeGroupsInGlobalReplicationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `IncreaseNodeGroupsInGlobalReplicationGroupInput`) /// - /// - Returns: `IncreaseNodeGroupsInGlobalReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IncreaseNodeGroupsInGlobalReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4298,7 +4244,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IncreaseNodeGroupsInGlobalReplicationGroupOutput.httpOutput(from:), IncreaseNodeGroupsInGlobalReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4332,9 +4277,9 @@ extension ElastiCacheClient { /// /// Dynamically increases the number of replicas in a Valkey or Redis OSS (cluster mode disabled) replication group or the number of replica nodes in one or more node groups (shards) of a Valkey or Redis OSS (cluster mode enabled) replication group. This operation is performed with no cluster down time. /// - /// - Parameter IncreaseReplicaCountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `IncreaseReplicaCountInput`) /// - /// - Returns: `IncreaseReplicaCountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IncreaseReplicaCountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4377,7 +4322,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IncreaseReplicaCountOutput.httpOutput(from:), IncreaseReplicaCountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4411,9 +4355,9 @@ extension ElastiCacheClient { /// /// Lists all available node types that you can scale with your cluster's replication group's current node type. When you use the ModifyCacheCluster or ModifyReplicationGroup operations to scale your cluster or replication group, the value of the CacheNodeType parameter must be one of the node types returned by this operation. /// - /// - Parameter ListAllowedNodeTypeModificationsInput : The input parameters for the ListAllowedNodeTypeModifications operation. + /// - Parameter input: The input parameters for the ListAllowedNodeTypeModifications operation. (Type: `ListAllowedNodeTypeModificationsInput`) /// - /// - Returns: `ListAllowedNodeTypeModificationsOutput` : Represents the allowed node types you can use to modify your cluster or replication group. + /// - Returns: Represents the allowed node types you can use to modify your cluster or replication group. (Type: `ListAllowedNodeTypeModificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4448,7 +4392,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAllowedNodeTypeModificationsOutput.httpOutput(from:), ListAllowedNodeTypeModificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4482,9 +4425,9 @@ extension ElastiCacheClient { /// /// Lists all tags currently on a named resource. A tag is a key-value pair where the key and value are case-sensitive. You can use tags to categorize and track all your ElastiCache resources, with the exception of global replication group. When you add or remove tags on replication groups, those actions will be replicated to all nodes in the replication group. For more information, see [Resource-level permissions](http://docs.aws.amazon.com/AmazonElastiCache/latest/dg/IAM.ResourceLevelPermissions.html). If the cluster is not in the available state, ListTagsForResource returns an error. /// - /// - Parameter ListTagsForResourceInput : The input parameters for the ListTagsForResource operation. + /// - Parameter input: The input parameters for the ListTagsForResource operation. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : Represents the output from the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations. + /// - Returns: Represents the output from the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4530,7 +4473,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4564,9 +4506,9 @@ extension ElastiCacheClient { /// /// Modifies the settings for a cluster. You can use this operation to change one or more cluster configuration parameters by specifying the parameters and the new values. /// - /// - Parameter ModifyCacheClusterInput : Represents the input of a ModifyCacheCluster operation. + /// - Parameter input: Represents the input of a ModifyCacheCluster operation. (Type: `ModifyCacheClusterInput`) /// - /// - Returns: `ModifyCacheClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyCacheClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4608,7 +4550,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCacheClusterOutput.httpOutput(from:), ModifyCacheClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4642,14 +4583,17 @@ extension ElastiCacheClient { /// /// Modifies the parameters of a cache parameter group. You can modify up to 20 parameters in a single request by submitting a list parameter name and value pairs. /// - /// - Parameter ModifyCacheParameterGroupInput : Represents the input of a ModifyCacheParameterGroup operation. + /// - Parameter input: Represents the input of a ModifyCacheParameterGroup operation. (Type: `ModifyCacheParameterGroupInput`) /// - /// - Returns: `ModifyCacheParameterGroupOutput` : Represents the output of one of the following operations: + /// - Returns: Represents the output of one of the following operations: /// /// * ModifyCacheParameterGroup /// /// * ResetCacheParameterGroup /// + /// + /// (Type: `ModifyCacheParameterGroupOutput`) + /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ @@ -4684,7 +4628,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCacheParameterGroupOutput.httpOutput(from:), ModifyCacheParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4718,9 +4661,9 @@ extension ElastiCacheClient { /// /// Modifies an existing cache subnet group. /// - /// - Parameter ModifyCacheSubnetGroupInput : Represents the input of a ModifyCacheSubnetGroup operation. + /// - Parameter input: Represents the input of a ModifyCacheSubnetGroup operation. (Type: `ModifyCacheSubnetGroupInput`) /// - /// - Returns: `ModifyCacheSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyCacheSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4756,7 +4699,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCacheSubnetGroupOutput.httpOutput(from:), ModifyCacheSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4790,9 +4732,9 @@ extension ElastiCacheClient { /// /// Modifies the settings for a Global datastore. /// - /// - Parameter ModifyGlobalReplicationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyGlobalReplicationGroupInput`) /// - /// - Returns: `ModifyGlobalReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyGlobalReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4826,7 +4768,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyGlobalReplicationGroupOutput.httpOutput(from:), ModifyGlobalReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4867,9 +4808,9 @@ extension ElastiCacheClient { /// /// This operation is valid for Valkey or Redis OSS only. /// - /// - Parameter ModifyReplicationGroupInput : Represents the input of a ModifyReplicationGroups operation. + /// - Parameter input: Represents the input of a ModifyReplicationGroups operation. (Type: `ModifyReplicationGroupInput`) /// - /// - Returns: `ModifyReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4916,7 +4857,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyReplicationGroupOutput.httpOutput(from:), ModifyReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4950,9 +4890,9 @@ extension ElastiCacheClient { /// /// Modifies a replication group's shards (node groups) by allowing you to add shards, remove shards, or rebalance the keyspaces among existing shards. /// - /// - Parameter ModifyReplicationGroupShardConfigurationInput : Represents the input for a ModifyReplicationGroupShardConfiguration operation. + /// - Parameter input: Represents the input for a ModifyReplicationGroupShardConfiguration operation. (Type: `ModifyReplicationGroupShardConfigurationInput`) /// - /// - Returns: `ModifyReplicationGroupShardConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyReplicationGroupShardConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4993,7 +4933,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyReplicationGroupShardConfigurationOutput.httpOutput(from:), ModifyReplicationGroupShardConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5027,9 +4966,9 @@ extension ElastiCacheClient { /// /// This API modifies the attributes of a serverless cache. /// - /// - Parameter ModifyServerlessCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyServerlessCacheInput`) /// - /// - Returns: `ModifyServerlessCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyServerlessCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5068,7 +5007,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyServerlessCacheOutput.httpOutput(from:), ModifyServerlessCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5102,9 +5040,9 @@ extension ElastiCacheClient { /// /// Changes user password(s) and/or access string. /// - /// - Parameter ModifyUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyUserInput`) /// - /// - Returns: `ModifyUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5140,7 +5078,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyUserOutput.httpOutput(from:), ModifyUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5174,9 +5111,9 @@ extension ElastiCacheClient { /// /// Changes the list of users that belong to the user group. /// - /// - Parameter ModifyUserGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyUserGroupInput`) /// - /// - Returns: `ModifyUserGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyUserGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5215,7 +5152,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyUserGroupOutput.httpOutput(from:), ModifyUserGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5249,9 +5185,9 @@ extension ElastiCacheClient { /// /// Allows you to purchase a reserved cache node offering. Reserved nodes are not eligible for cancellation and are non-refundable. For more information, see [Managing Costs with Reserved Nodes](https://docs.aws.amazon.com/AmazonElastiCache/latest/dg/reserved-nodes.html). /// - /// - Parameter PurchaseReservedCacheNodesOfferingInput : Represents the input of a PurchaseReservedCacheNodesOffering operation. + /// - Parameter input: Represents the input of a PurchaseReservedCacheNodesOffering operation. (Type: `PurchaseReservedCacheNodesOfferingInput`) /// - /// - Returns: `PurchaseReservedCacheNodesOfferingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PurchaseReservedCacheNodesOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5288,7 +5224,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseReservedCacheNodesOfferingOutput.httpOutput(from:), PurchaseReservedCacheNodesOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5322,9 +5257,9 @@ extension ElastiCacheClient { /// /// Redistribute slots to ensure uniform distribution across existing shards in the cluster. /// - /// - Parameter RebalanceSlotsInGlobalReplicationGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebalanceSlotsInGlobalReplicationGroupInput`) /// - /// - Returns: `RebalanceSlotsInGlobalReplicationGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebalanceSlotsInGlobalReplicationGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5358,7 +5293,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebalanceSlotsInGlobalReplicationGroupOutput.httpOutput(from:), RebalanceSlotsInGlobalReplicationGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5392,9 +5326,9 @@ extension ElastiCacheClient { /// /// Reboots some, or all, of the cache nodes within a provisioned cluster. This operation applies any modified cache parameter groups to the cluster. The reboot operation takes place as soon as possible, and results in a momentary outage to the cluster. During the reboot, the cluster status is set to REBOOTING. The reboot causes the contents of the cache (for each cache node being rebooted) to be lost. When the reboot is complete, a cluster event is created. Rebooting a cluster is currently supported on Memcached, Valkey and Redis OSS (cluster mode disabled) clusters. Rebooting is not supported on Valkey or Redis OSS (cluster mode enabled) clusters. If you make changes to parameters that require a Valkey or Redis OSS (cluster mode enabled) cluster reboot for the changes to be applied, see [Rebooting a Cluster](http://docs.aws.amazon.com/AmazonElastiCache/latest/dg/nodes.rebooting.html) for an alternate process. /// - /// - Parameter RebootCacheClusterInput : Represents the input of a RebootCacheCluster operation. + /// - Parameter input: Represents the input of a RebootCacheCluster operation. (Type: `RebootCacheClusterInput`) /// - /// - Returns: `RebootCacheClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootCacheClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5427,7 +5361,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootCacheClusterOutput.httpOutput(from:), RebootCacheClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5461,9 +5394,9 @@ extension ElastiCacheClient { /// /// Removes the tags identified by the TagKeys list from the named resource. A tag is a key-value pair where the key and value are case-sensitive. You can use tags to categorize and track all your ElastiCache resources, with the exception of global replication group. When you add or remove tags on replication groups, those actions will be replicated to all nodes in the replication group. For more information, see [Resource-level permissions](http://docs.aws.amazon.com/AmazonElastiCache/latest/dg/IAM.ResourceLevelPermissions.html). /// - /// - Parameter RemoveTagsFromResourceInput : Represents the input of a RemoveTagsFromResource operation. + /// - Parameter input: Represents the input of a RemoveTagsFromResource operation. (Type: `RemoveTagsFromResourceInput`) /// - /// - Returns: `RemoveTagsFromResourceOutput` : Represents the output from the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations. + /// - Returns: Represents the output from the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations. (Type: `RemoveTagsFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5510,7 +5443,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromResourceOutput.httpOutput(from:), RemoveTagsFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5544,14 +5476,17 @@ extension ElastiCacheClient { /// /// Modifies the parameters of a cache parameter group to the engine or system default value. You can reset specific parameters by submitting a list of parameter names. To reset the entire cache parameter group, specify the ResetAllParameters and CacheParameterGroupName parameters. /// - /// - Parameter ResetCacheParameterGroupInput : Represents the input of a ResetCacheParameterGroup operation. + /// - Parameter input: Represents the input of a ResetCacheParameterGroup operation. (Type: `ResetCacheParameterGroupInput`) /// - /// - Returns: `ResetCacheParameterGroupOutput` : Represents the output of one of the following operations: + /// - Returns: Represents the output of one of the following operations: /// /// * ModifyCacheParameterGroup /// /// * ResetCacheParameterGroup /// + /// + /// (Type: `ResetCacheParameterGroupOutput`) + /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ @@ -5586,7 +5521,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetCacheParameterGroupOutput.httpOutput(from:), ResetCacheParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5620,9 +5554,9 @@ extension ElastiCacheClient { /// /// Revokes ingress from a cache security group. Use this operation to disallow access from an Amazon EC2 security group that had been previously authorized. /// - /// - Parameter RevokeCacheSecurityGroupIngressInput : Represents the input of a RevokeCacheSecurityGroupIngress operation. + /// - Parameter input: Represents the input of a RevokeCacheSecurityGroupIngress operation. (Type: `RevokeCacheSecurityGroupIngressInput`) /// - /// - Returns: `RevokeCacheSecurityGroupIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeCacheSecurityGroupIngressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5658,7 +5592,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeCacheSecurityGroupIngressOutput.httpOutput(from:), RevokeCacheSecurityGroupIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5692,9 +5625,9 @@ extension ElastiCacheClient { /// /// Start the migration of data. /// - /// - Parameter StartMigrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMigrationInput`) /// - /// - Returns: `StartMigrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMigrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5729,7 +5662,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMigrationOutput.httpOutput(from:), StartMigrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5794,9 +5726,9 @@ extension ElastiCacheClient { /// /// Also see, [Testing Multi-AZ ](https://docs.aws.amazon.com/AmazonElastiCache/latest/dg/AutoFailover.html#auto-failover-test) in the ElastiCache User Guide. /// - /// - Parameter TestFailoverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestFailoverInput`) /// - /// - Returns: `TestFailoverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestFailoverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5836,7 +5768,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestFailoverOutput.httpOutput(from:), TestFailoverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5870,9 +5801,9 @@ extension ElastiCacheClient { /// /// Async API to test connection between source and target replication group. /// - /// - Parameter TestMigrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestMigrationInput`) /// - /// - Returns: `TestMigrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestMigrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5907,7 +5838,6 @@ extension ElastiCacheClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestMigrationOutput.httpOutput(from:), TestMigrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSElasticBeanstalk/Sources/AWSElasticBeanstalk/ElasticBeanstalkClient.swift b/Sources/Services/AWSElasticBeanstalk/Sources/AWSElasticBeanstalk/ElasticBeanstalkClient.swift index 328047e3b81..03730ba639a 100644 --- a/Sources/Services/AWSElasticBeanstalk/Sources/AWSElasticBeanstalk/ElasticBeanstalkClient.swift +++ b/Sources/Services/AWSElasticBeanstalk/Sources/AWSElasticBeanstalk/ElasticBeanstalkClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ElasticBeanstalkClient: ClientRuntime.Client { public static let clientName = "ElasticBeanstalkClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ElasticBeanstalkClient.ElasticBeanstalkClientConfiguration let serviceName = "Elastic Beanstalk" @@ -373,9 +372,9 @@ extension ElasticBeanstalkClient { /// /// Cancels in-progress environment configuration update or application version deployment. /// - /// - Parameter AbortEnvironmentUpdateInput : + /// - Parameter input: (Type: `AbortEnvironmentUpdateInput`) /// - /// - Returns: `AbortEnvironmentUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AbortEnvironmentUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -407,7 +406,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AbortEnvironmentUpdateOutput.httpOutput(from:), AbortEnvironmentUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -441,9 +439,9 @@ extension ElasticBeanstalkClient { /// /// Applies a scheduled managed action immediately. A managed action can be applied only if its status is Scheduled. Get the status and action ID of a managed action with [DescribeEnvironmentManagedActions]. /// - /// - Parameter ApplyEnvironmentManagedActionInput : Request to execute a scheduled managed action immediately. + /// - Parameter input: Request to execute a scheduled managed action immediately. (Type: `ApplyEnvironmentManagedActionInput`) /// - /// - Returns: `ApplyEnvironmentManagedActionOutput` : The result message containing information about the managed action. + /// - Returns: The result message containing information about the managed action. (Type: `ApplyEnvironmentManagedActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -476,7 +474,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplyEnvironmentManagedActionOutput.httpOutput(from:), ApplyEnvironmentManagedActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -510,9 +507,9 @@ extension ElasticBeanstalkClient { /// /// Add or change the operations role used by an environment. After this call is made, Elastic Beanstalk uses the associated operations role for permissions to downstream services during subsequent calls acting on this environment. For more information, see [Operations roles](https://docs.aws.amazon.com/elasticbeanstalk/latest/dg/iam-operationsrole.html) in the AWS Elastic Beanstalk Developer Guide. /// - /// - Parameter AssociateEnvironmentOperationsRoleInput : Request to add or change the operations role used by an environment. + /// - Parameter input: Request to add or change the operations role used by an environment. (Type: `AssociateEnvironmentOperationsRoleInput`) /// - /// - Returns: `AssociateEnvironmentOperationsRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateEnvironmentOperationsRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -544,7 +541,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateEnvironmentOperationsRoleOutput.httpOutput(from:), AssociateEnvironmentOperationsRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -578,9 +574,9 @@ extension ElasticBeanstalkClient { /// /// Checks if the specified CNAME is available. /// - /// - Parameter CheckDNSAvailabilityInput : Results message indicating whether a CNAME is available. + /// - Parameter input: Results message indicating whether a CNAME is available. (Type: `CheckDNSAvailabilityInput`) /// - /// - Returns: `CheckDNSAvailabilityOutput` : Indicates if the specified CNAME is available. + /// - Returns: Indicates if the specified CNAME is available. (Type: `CheckDNSAvailabilityOutput`) public func checkDNSAvailability(input: CheckDNSAvailabilityInput) async throws -> CheckDNSAvailabilityOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -607,7 +603,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckDNSAvailabilityOutput.httpOutput(from:), CheckDNSAvailabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -641,9 +636,9 @@ extension ElasticBeanstalkClient { /// /// Create or update a group of environments that each run a separate component of a single application. Takes a list of version labels that specify application source bundles for each of the environments to create or update. The name of each environment and other required information must be included in the source bundles in an environment manifest named env.yaml. See [Compose Environments](https://docs.aws.amazon.com/elasticbeanstalk/latest/dg/environment-mgmt-compose.html) for details. /// - /// - Parameter ComposeEnvironmentsInput : Request to create or update a group of environments. + /// - Parameter input: Request to create or update a group of environments. (Type: `ComposeEnvironmentsInput`) /// - /// - Returns: `ComposeEnvironmentsOutput` : Result message containing a list of environment descriptions. + /// - Returns: Result message containing a list of environment descriptions. (Type: `ComposeEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -676,7 +671,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ComposeEnvironmentsOutput.httpOutput(from:), ComposeEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -710,9 +704,9 @@ extension ElasticBeanstalkClient { /// /// Creates an application that has one configuration template named default and no application versions. /// - /// - Parameter CreateApplicationInput : Request to create an application. + /// - Parameter input: Request to create an application. (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : Result message containing a single description of an application. + /// - Returns: Result message containing a single description of an application. (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -744,7 +738,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -778,9 +771,9 @@ extension ElasticBeanstalkClient { /// /// Creates an application version for the specified application. You can create an application version from a source bundle in Amazon S3, a commit in AWS CodeCommit, or the output of an AWS CodeBuild build as follows: Specify a commit in an AWS CodeCommit repository with SourceBuildInformation. Specify a build in an AWS CodeBuild with SourceBuildInformation and BuildConfiguration. Specify a source bundle in S3 with SourceBundle Omit both SourceBuildInformation and SourceBundle to use the default sample application. After you create an application version with a specified Amazon S3 bucket and key location, you can't change that Amazon S3 location. If you change the Amazon S3 location, you receive an exception when you attempt to launch an environment from the application version. /// - /// - Parameter CreateApplicationVersionInput : + /// - Parameter input: (Type: `CreateApplicationVersionInput`) /// - /// - Returns: `CreateApplicationVersionOutput` : Result message wrapping a single description of an application version. + /// - Returns: Result message wrapping a single description of an application version. (Type: `CreateApplicationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -822,7 +815,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationVersionOutput.httpOutput(from:), CreateApplicationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -862,9 +854,9 @@ extension ElasticBeanstalkClient { /// /// * [ListAvailableSolutionStacks] /// - /// - Parameter CreateConfigurationTemplateInput : Request to create a configuration template. + /// - Parameter input: Request to create a configuration template. (Type: `CreateConfigurationTemplateInput`) /// - /// - Returns: `CreateConfigurationTemplateOutput` : Describes the settings for a configuration set. + /// - Returns: Describes the settings for a configuration set. (Type: `CreateConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -898,7 +890,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationTemplateOutput.httpOutput(from:), CreateConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +923,9 @@ extension ElasticBeanstalkClient { /// /// Launches an AWS Elastic Beanstalk environment for the specified application using the specified configuration. /// - /// - Parameter CreateEnvironmentInput : + /// - Parameter input: (Type: `CreateEnvironmentInput`) /// - /// - Returns: `CreateEnvironmentOutput` : Describes the properties of an environment. + /// - Returns: Describes the properties of an environment. (Type: `CreateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -967,7 +958,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentOutput.httpOutput(from:), CreateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1001,9 +991,9 @@ extension ElasticBeanstalkClient { /// /// Create a new version of your custom platform. /// - /// - Parameter CreatePlatformVersionInput : Request to create a new platform version. + /// - Parameter input: Request to create a new platform version. (Type: `CreatePlatformVersionInput`) /// - /// - Returns: `CreatePlatformVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePlatformVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1037,7 +1027,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePlatformVersionOutput.httpOutput(from:), CreatePlatformVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1071,9 +1060,9 @@ extension ElasticBeanstalkClient { /// /// Creates a bucket in Amazon S3 to store application versions, logs, and other files used by Elastic Beanstalk environments. The Elastic Beanstalk console and EB CLI call this API the first time you create an environment in a region. If the storage location already exists, CreateStorageLocation still returns the bucket name but does not create a new bucket. /// - /// - Parameter CreateStorageLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStorageLocationInput`) /// - /// - Returns: `CreateStorageLocationOutput` : Results of a [CreateStorageLocationResult] call. + /// - Returns: Results of a [CreateStorageLocationResult] call. (Type: `CreateStorageLocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1107,7 +1096,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStorageLocationOutput.httpOutput(from:), CreateStorageLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1141,9 +1129,9 @@ extension ElasticBeanstalkClient { /// /// Deletes the specified application along with all associated versions and configurations. The application versions will not be deleted from your Amazon S3 bucket. You cannot delete an application that has a running environment. /// - /// - Parameter DeleteApplicationInput : Request to delete an application. + /// - Parameter input: Request to delete an application. (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1175,7 +1163,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1209,9 +1196,9 @@ extension ElasticBeanstalkClient { /// /// Deletes the specified version from the specified application. You cannot delete an application version that is associated with a running environment. /// - /// - Parameter DeleteApplicationVersionInput : Request to delete an application version. + /// - Parameter input: Request to delete an application version. (Type: `DeleteApplicationVersionInput`) /// - /// - Returns: `DeleteApplicationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1252,7 +1239,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationVersionOutput.httpOutput(from:), DeleteApplicationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1286,9 +1272,9 @@ extension ElasticBeanstalkClient { /// /// Deletes the specified configuration template. When you launch an environment using a configuration template, the environment gets a copy of the template. You can delete or modify the environment's copy of the template without affecting the running environment. /// - /// - Parameter DeleteConfigurationTemplateInput : Request to delete a configuration template. + /// - Parameter input: Request to delete a configuration template. (Type: `DeleteConfigurationTemplateInput`) /// - /// - Returns: `DeleteConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1320,7 +1306,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationTemplateOutput.httpOutput(from:), DeleteConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1354,9 +1339,9 @@ extension ElasticBeanstalkClient { /// /// Deletes the draft configuration associated with the running environment. Updating a running environment with any configuration changes creates a draft configuration set. You can get the draft configuration using [DescribeConfigurationSettings] while the update is in progress or if the update fails. The DeploymentStatus for the draft configuration indicates whether the deployment is in process or has failed. The draft configuration remains in existence until it is deleted with this action. /// - /// - Parameter DeleteEnvironmentConfigurationInput : Request to delete a draft environment configuration. + /// - Parameter input: Request to delete a draft environment configuration. (Type: `DeleteEnvironmentConfigurationInput`) /// - /// - Returns: `DeleteEnvironmentConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentConfigurationOutput`) public func deleteEnvironmentConfiguration(input: DeleteEnvironmentConfigurationInput) async throws -> DeleteEnvironmentConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1383,7 +1368,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentConfigurationOutput.httpOutput(from:), DeleteEnvironmentConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1417,9 +1401,9 @@ extension ElasticBeanstalkClient { /// /// Deletes the specified version of a custom platform. /// - /// - Parameter DeletePlatformVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePlatformVersionInput`) /// - /// - Returns: `DeletePlatformVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePlatformVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1454,7 +1438,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePlatformVersionOutput.httpOutput(from:), DeletePlatformVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1488,9 +1471,9 @@ extension ElasticBeanstalkClient { /// /// Returns attributes related to AWS Elastic Beanstalk that are associated with the calling AWS account. The result currently has one set of attributes—resource quotas. /// - /// - Parameter DescribeAccountAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountAttributesInput`) /// - /// - Returns: `DescribeAccountAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1522,7 +1505,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountAttributesOutput.httpOutput(from:), DescribeAccountAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1556,9 +1538,9 @@ extension ElasticBeanstalkClient { /// /// Retrieve a list of application versions. /// - /// - Parameter DescribeApplicationVersionsInput : Request to describe application versions. + /// - Parameter input: Request to describe application versions. (Type: `DescribeApplicationVersionsInput`) /// - /// - Returns: `DescribeApplicationVersionsOutput` : Result message wrapping a list of application version descriptions. + /// - Returns: Result message wrapping a list of application version descriptions. (Type: `DescribeApplicationVersionsOutput`) public func describeApplicationVersions(input: DescribeApplicationVersionsInput) async throws -> DescribeApplicationVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1585,7 +1567,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationVersionsOutput.httpOutput(from:), DescribeApplicationVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1619,9 +1600,9 @@ extension ElasticBeanstalkClient { /// /// Returns the descriptions of existing applications. /// - /// - Parameter DescribeApplicationsInput : Request to describe one or more applications. + /// - Parameter input: Request to describe one or more applications. (Type: `DescribeApplicationsInput`) /// - /// - Returns: `DescribeApplicationsOutput` : Result message containing a list of application descriptions. + /// - Returns: Result message containing a list of application descriptions. (Type: `DescribeApplicationsOutput`) public func describeApplications(input: DescribeApplicationsInput) async throws -> DescribeApplicationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1648,7 +1629,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationsOutput.httpOutput(from:), DescribeApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1682,9 +1662,9 @@ extension ElasticBeanstalkClient { /// /// Describes the configuration options that are used in a particular configuration template or environment, or that a specified solution stack defines. The description includes the values the options, their default values, and an indication of the required action on a running environment if an option value is changed. /// - /// - Parameter DescribeConfigurationOptionsInput : Result message containing a list of application version descriptions. + /// - Parameter input: Result message containing a list of application version descriptions. (Type: `DescribeConfigurationOptionsInput`) /// - /// - Returns: `DescribeConfigurationOptionsOutput` : Describes the settings for a specified configuration set. + /// - Returns: Describes the settings for a specified configuration set. (Type: `DescribeConfigurationOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1716,7 +1696,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationOptionsOutput.httpOutput(from:), DescribeConfigurationOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1752,9 +1731,9 @@ extension ElasticBeanstalkClient { /// /// * [DeleteEnvironmentConfiguration] /// - /// - Parameter DescribeConfigurationSettingsInput : Result message containing all of the configuration settings for a specified solution stack or configuration template. + /// - Parameter input: Result message containing all of the configuration settings for a specified solution stack or configuration template. (Type: `DescribeConfigurationSettingsInput`) /// - /// - Returns: `DescribeConfigurationSettingsOutput` : The results from a request to change the configuration settings of an environment. + /// - Returns: The results from a request to change the configuration settings of an environment. (Type: `DescribeConfigurationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1786,7 +1765,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationSettingsOutput.httpOutput(from:), DescribeConfigurationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1820,9 +1798,9 @@ extension ElasticBeanstalkClient { /// /// Returns information about the overall health of the specified environment. The DescribeEnvironmentHealth operation is only available with AWS Elastic Beanstalk Enhanced Health. /// - /// - Parameter DescribeEnvironmentHealthInput : See the example below to learn how to create a request body. + /// - Parameter input: See the example below to learn how to create a request body. (Type: `DescribeEnvironmentHealthInput`) /// - /// - Returns: `DescribeEnvironmentHealthOutput` : Health details for an AWS Elastic Beanstalk environment. + /// - Returns: Health details for an AWS Elastic Beanstalk environment. (Type: `DescribeEnvironmentHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1855,7 +1833,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEnvironmentHealthOutput.httpOutput(from:), DescribeEnvironmentHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1889,9 +1866,9 @@ extension ElasticBeanstalkClient { /// /// Lists an environment's completed and failed managed actions. /// - /// - Parameter DescribeEnvironmentManagedActionHistoryInput : Request to list completed and failed managed actions. + /// - Parameter input: Request to list completed and failed managed actions. (Type: `DescribeEnvironmentManagedActionHistoryInput`) /// - /// - Returns: `DescribeEnvironmentManagedActionHistoryOutput` : A result message containing a list of completed and failed managed actions. + /// - Returns: A result message containing a list of completed and failed managed actions. (Type: `DescribeEnvironmentManagedActionHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1923,7 +1900,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEnvironmentManagedActionHistoryOutput.httpOutput(from:), DescribeEnvironmentManagedActionHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1957,9 +1933,9 @@ extension ElasticBeanstalkClient { /// /// Lists an environment's upcoming and in-progress managed actions. /// - /// - Parameter DescribeEnvironmentManagedActionsInput : Request to list an environment's upcoming and in-progress managed actions. + /// - Parameter input: Request to list an environment's upcoming and in-progress managed actions. (Type: `DescribeEnvironmentManagedActionsInput`) /// - /// - Returns: `DescribeEnvironmentManagedActionsOutput` : The result message containing a list of managed actions. + /// - Returns: The result message containing a list of managed actions. (Type: `DescribeEnvironmentManagedActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1991,7 +1967,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEnvironmentManagedActionsOutput.httpOutput(from:), DescribeEnvironmentManagedActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2025,9 +2000,9 @@ extension ElasticBeanstalkClient { /// /// Returns AWS resources for this environment. /// - /// - Parameter DescribeEnvironmentResourcesInput : Request to describe the resources in an environment. + /// - Parameter input: Request to describe the resources in an environment. (Type: `DescribeEnvironmentResourcesInput`) /// - /// - Returns: `DescribeEnvironmentResourcesOutput` : Result message containing a list of environment resource descriptions. + /// - Returns: Result message containing a list of environment resource descriptions. (Type: `DescribeEnvironmentResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2059,7 +2034,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEnvironmentResourcesOutput.httpOutput(from:), DescribeEnvironmentResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2093,9 +2067,9 @@ extension ElasticBeanstalkClient { /// /// Returns descriptions for existing environments. /// - /// - Parameter DescribeEnvironmentsInput : Request to describe one or more environments. + /// - Parameter input: Request to describe one or more environments. (Type: `DescribeEnvironmentsInput`) /// - /// - Returns: `DescribeEnvironmentsOutput` : Result message containing a list of environment descriptions. + /// - Returns: Result message containing a list of environment descriptions. (Type: `DescribeEnvironmentsOutput`) public func describeEnvironments(input: DescribeEnvironmentsInput) async throws -> DescribeEnvironmentsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2122,7 +2096,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEnvironmentsOutput.httpOutput(from:), DescribeEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2156,9 +2129,9 @@ extension ElasticBeanstalkClient { /// /// Returns list of event descriptions matching criteria up to the last 6 weeks. This action returns the most recent 1,000 events from the specified NextToken. /// - /// - Parameter DescribeEventsInput : Request to retrieve a list of events for an environment. + /// - Parameter input: Request to retrieve a list of events for an environment. (Type: `DescribeEventsInput`) /// - /// - Returns: `DescribeEventsOutput` : Result message wrapping a list of event descriptions. + /// - Returns: Result message wrapping a list of event descriptions. (Type: `DescribeEventsOutput`) public func describeEvents(input: DescribeEventsInput) async throws -> DescribeEventsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2185,7 +2158,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsOutput.httpOutput(from:), DescribeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2219,9 +2191,9 @@ extension ElasticBeanstalkClient { /// /// Retrieves detailed information about the health of instances in your AWS Elastic Beanstalk. This operation requires [enhanced health reporting](https://docs.aws.amazon.com/elasticbeanstalk/latest/dg/health-enhanced.html). /// - /// - Parameter DescribeInstancesHealthInput : Parameters for a call to DescribeInstancesHealth. + /// - Parameter input: Parameters for a call to DescribeInstancesHealth. (Type: `DescribeInstancesHealthInput`) /// - /// - Returns: `DescribeInstancesHealthOutput` : Detailed health information about the Amazon EC2 instances in an AWS Elastic Beanstalk environment. + /// - Returns: Detailed health information about the Amazon EC2 instances in an AWS Elastic Beanstalk environment. (Type: `DescribeInstancesHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2254,7 +2226,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstancesHealthOutput.httpOutput(from:), DescribeInstancesHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2288,9 +2259,9 @@ extension ElasticBeanstalkClient { /// /// Describes a platform version. Provides full details. Compare to [ListPlatformVersions], which provides summary information about a list of platform versions. For definitions of platform version and other platform-related terms, see [AWS Elastic Beanstalk Platforms Glossary](https://docs.aws.amazon.com/elasticbeanstalk/latest/dg/platforms-glossary.html). /// - /// - Parameter DescribePlatformVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePlatformVersionInput`) /// - /// - Returns: `DescribePlatformVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePlatformVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2323,7 +2294,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePlatformVersionOutput.httpOutput(from:), DescribePlatformVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2357,9 +2327,9 @@ extension ElasticBeanstalkClient { /// /// Disassociate the operations role from an environment. After this call is made, Elastic Beanstalk uses the caller's permissions for permissions to downstream services during subsequent calls acting on this environment. For more information, see [Operations roles](https://docs.aws.amazon.com/elasticbeanstalk/latest/dg/iam-operationsrole.html) in the AWS Elastic Beanstalk Developer Guide. /// - /// - Parameter DisassociateEnvironmentOperationsRoleInput : Request to disassociate the operations role from an environment. + /// - Parameter input: Request to disassociate the operations role from an environment. (Type: `DisassociateEnvironmentOperationsRoleInput`) /// - /// - Returns: `DisassociateEnvironmentOperationsRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateEnvironmentOperationsRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2391,7 +2361,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateEnvironmentOperationsRoleOutput.httpOutput(from:), DisassociateEnvironmentOperationsRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2425,9 +2394,9 @@ extension ElasticBeanstalkClient { /// /// Returns a list of the available solution stack names, with the public version first and then in reverse chronological order. /// - /// - Parameter ListAvailableSolutionStacksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAvailableSolutionStacksInput`) /// - /// - Returns: `ListAvailableSolutionStacksOutput` : A list of available AWS Elastic Beanstalk solution stacks. + /// - Returns: A list of available AWS Elastic Beanstalk solution stacks. (Type: `ListAvailableSolutionStacksOutput`) public func listAvailableSolutionStacks(input: ListAvailableSolutionStacksInput) async throws -> ListAvailableSolutionStacksOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2454,7 +2423,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAvailableSolutionStacksOutput.httpOutput(from:), ListAvailableSolutionStacksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2488,9 +2456,9 @@ extension ElasticBeanstalkClient { /// /// Lists the platform branches available for your account in an AWS Region. Provides summary information about each platform branch. For definitions of platform branch and other platform-related terms, see [AWS Elastic Beanstalk Platforms Glossary](https://docs.aws.amazon.com/elasticbeanstalk/latest/dg/platforms-glossary.html). /// - /// - Parameter ListPlatformBranchesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPlatformBranchesInput`) /// - /// - Returns: `ListPlatformBranchesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPlatformBranchesOutput`) public func listPlatformBranches(input: ListPlatformBranchesInput) async throws -> ListPlatformBranchesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2517,7 +2485,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlatformBranchesOutput.httpOutput(from:), ListPlatformBranchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2551,9 +2518,9 @@ extension ElasticBeanstalkClient { /// /// Lists the platform versions available for your account in an AWS Region. Provides summary information about each platform version. Compare to [DescribePlatformVersion], which provides full details about a single platform version. For definitions of platform version and other platform-related terms, see [AWS Elastic Beanstalk Platforms Glossary](https://docs.aws.amazon.com/elasticbeanstalk/latest/dg/platforms-glossary.html). /// - /// - Parameter ListPlatformVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPlatformVersionsInput`) /// - /// - Returns: `ListPlatformVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPlatformVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2586,7 +2553,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlatformVersionsOutput.httpOutput(from:), ListPlatformVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2620,9 +2586,9 @@ extension ElasticBeanstalkClient { /// /// Return the tags applied to an AWS Elastic Beanstalk resource. The response contains a list of tag key-value pairs. Elastic Beanstalk supports tagging of all of its resources. For details about resource tagging, see [Tagging Application Resources](https://docs.aws.amazon.com/elasticbeanstalk/latest/dg/applications-tagging-resources.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2656,7 +2622,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2690,9 +2655,9 @@ extension ElasticBeanstalkClient { /// /// Deletes and recreates all of the AWS resources (for example: the Auto Scaling group, load balancer, etc.) for a specified environment and forces a restart. /// - /// - Parameter RebuildEnvironmentInput : + /// - Parameter input: (Type: `RebuildEnvironmentInput`) /// - /// - Returns: `RebuildEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebuildEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2724,7 +2689,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebuildEnvironmentOutput.httpOutput(from:), RebuildEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2760,9 +2724,9 @@ extension ElasticBeanstalkClient { /// /// * [RetrieveEnvironmentInfo] /// - /// - Parameter RequestEnvironmentInfoInput : Request to retrieve logs from an environment and store them in your Elastic Beanstalk storage bucket. + /// - Parameter input: Request to retrieve logs from an environment and store them in your Elastic Beanstalk storage bucket. (Type: `RequestEnvironmentInfoInput`) /// - /// - Returns: `RequestEnvironmentInfoOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RequestEnvironmentInfoOutput`) public func requestEnvironmentInfo(input: RequestEnvironmentInfoInput) async throws -> RequestEnvironmentInfoOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2789,7 +2753,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RequestEnvironmentInfoOutput.httpOutput(from:), RequestEnvironmentInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2823,9 +2786,9 @@ extension ElasticBeanstalkClient { /// /// Causes the environment to restart the application container server running on each Amazon EC2 instance. /// - /// - Parameter RestartAppServerInput : + /// - Parameter input: (Type: `RestartAppServerInput`) /// - /// - Returns: `RestartAppServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestartAppServerOutput`) public func restartAppServer(input: RestartAppServerInput) async throws -> RestartAppServerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2852,7 +2815,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestartAppServerOutput.httpOutput(from:), RestartAppServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2888,9 +2850,9 @@ extension ElasticBeanstalkClient { /// /// * [RequestEnvironmentInfo] /// - /// - Parameter RetrieveEnvironmentInfoInput : Request to download logs retrieved with [RequestEnvironmentInfo]. + /// - Parameter input: Request to download logs retrieved with [RequestEnvironmentInfo]. (Type: `RetrieveEnvironmentInfoInput`) /// - /// - Returns: `RetrieveEnvironmentInfoOutput` : Result message containing a description of the requested environment info. + /// - Returns: Result message containing a description of the requested environment info. (Type: `RetrieveEnvironmentInfoOutput`) public func retrieveEnvironmentInfo(input: RetrieveEnvironmentInfoInput) async throws -> RetrieveEnvironmentInfoOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2917,7 +2879,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetrieveEnvironmentInfoOutput.httpOutput(from:), RetrieveEnvironmentInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2951,9 +2912,9 @@ extension ElasticBeanstalkClient { /// /// Swaps the CNAMEs of two environments. /// - /// - Parameter SwapEnvironmentCNAMEsInput : Swaps the CNAMEs of two environments. + /// - Parameter input: Swaps the CNAMEs of two environments. (Type: `SwapEnvironmentCNAMEsInput`) /// - /// - Returns: `SwapEnvironmentCNAMEsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SwapEnvironmentCNAMEsOutput`) public func swapEnvironmentCNAMEs(input: SwapEnvironmentCNAMEsInput) async throws -> SwapEnvironmentCNAMEsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2980,7 +2941,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SwapEnvironmentCNAMEsOutput.httpOutput(from:), SwapEnvironmentCNAMEsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3014,9 +2974,9 @@ extension ElasticBeanstalkClient { /// /// Terminates the specified environment. /// - /// - Parameter TerminateEnvironmentInput : Request to terminate an environment. + /// - Parameter input: Request to terminate an environment. (Type: `TerminateEnvironmentInput`) /// - /// - Returns: `TerminateEnvironmentOutput` : Describes the properties of an environment. + /// - Returns: Describes the properties of an environment. (Type: `TerminateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3048,7 +3008,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateEnvironmentOutput.httpOutput(from:), TerminateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3082,9 +3041,9 @@ extension ElasticBeanstalkClient { /// /// Updates the specified application to have the specified properties. If a property (for example, description) is not provided, the value remains unchanged. To clear these properties, specify an empty string. /// - /// - Parameter UpdateApplicationInput : Request to update an application. + /// - Parameter input: Request to update an application. (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : Result message containing a single description of an application. + /// - Returns: Result message containing a single description of an application. (Type: `UpdateApplicationOutput`) public func updateApplication(input: UpdateApplicationInput) async throws -> UpdateApplicationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3111,7 +3070,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3145,9 +3103,9 @@ extension ElasticBeanstalkClient { /// /// Modifies lifecycle settings for an application. /// - /// - Parameter UpdateApplicationResourceLifecycleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationResourceLifecycleInput`) /// - /// - Returns: `UpdateApplicationResourceLifecycleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationResourceLifecycleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3179,7 +3137,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationResourceLifecycleOutput.httpOutput(from:), UpdateApplicationResourceLifecycleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3213,9 +3170,9 @@ extension ElasticBeanstalkClient { /// /// Updates the specified application version to have the specified properties. If a property (for example, description) is not provided, the value remains unchanged. To clear properties, specify an empty string. /// - /// - Parameter UpdateApplicationVersionInput : + /// - Parameter input: (Type: `UpdateApplicationVersionInput`) /// - /// - Returns: `UpdateApplicationVersionOutput` : Result message wrapping a single description of an application version. + /// - Returns: Result message wrapping a single description of an application version. (Type: `UpdateApplicationVersionOutput`) public func updateApplicationVersion(input: UpdateApplicationVersionInput) async throws -> UpdateApplicationVersionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3242,7 +3199,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationVersionOutput.httpOutput(from:), UpdateApplicationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3278,9 +3234,9 @@ extension ElasticBeanstalkClient { /// /// * [DescribeConfigurationOptions] /// - /// - Parameter UpdateConfigurationTemplateInput : The result message containing the options for the specified solution stack. + /// - Parameter input: The result message containing the options for the specified solution stack. (Type: `UpdateConfigurationTemplateInput`) /// - /// - Returns: `UpdateConfigurationTemplateOutput` : Describes the settings for a configuration set. + /// - Returns: Describes the settings for a configuration set. (Type: `UpdateConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3313,7 +3269,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationTemplateOutput.httpOutput(from:), UpdateConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3347,9 +3302,9 @@ extension ElasticBeanstalkClient { /// /// Updates the environment description, deploys a new application version, updates the configuration settings to an entirely new configuration template, or updates select configuration option values in the running environment. Attempting to update both the release and configuration is not allowed and AWS Elastic Beanstalk returns an InvalidParameterCombination error. When updating the configuration settings to a new template or individual settings, a draft configuration is created and [DescribeConfigurationSettings] for this environment returns two setting descriptions with different DeploymentStatus values. /// - /// - Parameter UpdateEnvironmentInput : Request to update an environment. + /// - Parameter input: Request to update an environment. (Type: `UpdateEnvironmentInput`) /// - /// - Returns: `UpdateEnvironmentOutput` : Describes the properties of an environment. + /// - Returns: Describes the properties of an environment. (Type: `UpdateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3382,7 +3337,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentOutput.httpOutput(from:), UpdateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3416,9 +3370,9 @@ extension ElasticBeanstalkClient { /// /// Update the list of tags applied to an AWS Elastic Beanstalk resource. Two lists can be passed: TagsToAdd for tags to add or update, and TagsToRemove. Elastic Beanstalk supports tagging of all of its resources. For details about resource tagging, see [Tagging Application Resources](https://docs.aws.amazon.com/elasticbeanstalk/latest/dg/applications-tagging-resources.html). If you create a custom IAM user policy to control permission to this operation, specify one of the following two virtual actions (or both) instead of the API operation name: elasticbeanstalk:AddTags Controls permission to call UpdateTagsForResource and pass a list of tags to add in the TagsToAdd parameter. elasticbeanstalk:RemoveTags Controls permission to call UpdateTagsForResource and pass a list of tag keys to remove in the TagsToRemove parameter. For details about creating a custom user policy, see [Creating a Custom User Policy](https://docs.aws.amazon.com/elasticbeanstalk/latest/dg/AWSHowTo.iam.managed-policies.html#AWSHowTo.iam.policies). /// - /// - Parameter UpdateTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTagsForResourceInput`) /// - /// - Returns: `UpdateTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3454,7 +3408,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTagsForResourceOutput.httpOutput(from:), UpdateTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3488,9 +3441,9 @@ extension ElasticBeanstalkClient { /// /// Takes a set of configuration settings and either a configuration template or environment, and determines whether those values are valid. This action returns a list of messages indicating any errors or warnings associated with the selection of option values. /// - /// - Parameter ValidateConfigurationSettingsInput : A list of validation messages for a specified configuration template. + /// - Parameter input: A list of validation messages for a specified configuration template. (Type: `ValidateConfigurationSettingsInput`) /// - /// - Returns: `ValidateConfigurationSettingsOutput` : Provides a list of validation messages. + /// - Returns: Provides a list of validation messages. (Type: `ValidateConfigurationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3523,7 +3476,6 @@ extension ElasticBeanstalkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateConfigurationSettingsOutput.httpOutput(from:), ValidateConfigurationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSElasticLoadBalancing/Sources/AWSElasticLoadBalancing/ElasticLoadBalancingClient.swift b/Sources/Services/AWSElasticLoadBalancing/Sources/AWSElasticLoadBalancing/ElasticLoadBalancingClient.swift index f21542cb452..34d69dd1c9a 100644 --- a/Sources/Services/AWSElasticLoadBalancing/Sources/AWSElasticLoadBalancing/ElasticLoadBalancingClient.swift +++ b/Sources/Services/AWSElasticLoadBalancing/Sources/AWSElasticLoadBalancing/ElasticLoadBalancingClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ElasticLoadBalancingClient: ClientRuntime.Client { public static let clientName = "ElasticLoadBalancingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ElasticLoadBalancingClient.ElasticLoadBalancingClientConfiguration let serviceName = "Elastic Load Balancing" @@ -372,9 +371,9 @@ extension ElasticLoadBalancingClient { /// /// Adds the specified tags to the specified load balancer. Each load balancer can have a maximum of 10 tags. Each tag consists of a key and an optional value. If a tag with the same key is already associated with the load balancer, AddTags updates its value. For more information, see [Tag Your Classic Load Balancer](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/add-remove-tags.html) in the Classic Load Balancers Guide. /// - /// - Parameter AddTagsInput : Contains the parameters for AddTags. + /// - Parameter input: Contains the parameters for AddTags. (Type: `AddTagsInput`) /// - /// - Returns: `AddTagsOutput` : Contains the output of AddTags. + /// - Returns: Contains the output of AddTags. (Type: `AddTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -408,7 +407,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsOutput.httpOutput(from:), AddTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension ElasticLoadBalancingClient { /// /// Associates one or more security groups with your load balancer in a virtual private cloud (VPC). The specified security groups override the previously associated security groups. For more information, see [Security Groups for Load Balancers in a VPC](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-security-groups.html#elb-vpc-security-groups) in the Classic Load Balancers Guide. /// - /// - Parameter ApplySecurityGroupsToLoadBalancerInput : Contains the parameters for ApplySecurityGroupsToLoadBalancer. + /// - Parameter input: Contains the parameters for ApplySecurityGroupsToLoadBalancer. (Type: `ApplySecurityGroupsToLoadBalancerInput`) /// - /// - Returns: `ApplySecurityGroupsToLoadBalancerOutput` : Contains the output of ApplySecurityGroupsToLoadBalancer. + /// - Returns: Contains the output of ApplySecurityGroupsToLoadBalancer. (Type: `ApplySecurityGroupsToLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplySecurityGroupsToLoadBalancerOutput.httpOutput(from:), ApplySecurityGroupsToLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension ElasticLoadBalancingClient { /// /// Adds one or more subnets to the set of configured subnets for the specified load balancer. The load balancer evenly distributes requests across all registered subnets. For more information, see [Add or Remove Subnets for Your Load Balancer in a VPC](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-manage-subnets.html) in the Classic Load Balancers Guide. /// - /// - Parameter AttachLoadBalancerToSubnetsInput : Contains the parameters for AttachLoaBalancerToSubnets. + /// - Parameter input: Contains the parameters for AttachLoaBalancerToSubnets. (Type: `AttachLoadBalancerToSubnetsInput`) /// - /// - Returns: `AttachLoadBalancerToSubnetsOutput` : Contains the output of AttachLoadBalancerToSubnets. + /// - Returns: Contains the output of AttachLoadBalancerToSubnets. (Type: `AttachLoadBalancerToSubnetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -549,7 +546,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachLoadBalancerToSubnetsOutput.httpOutput(from:), AttachLoadBalancerToSubnetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -583,9 +579,9 @@ extension ElasticLoadBalancingClient { /// /// Specifies the health check settings to use when evaluating the health state of your EC2 instances. For more information, see [Configure Health Checks for Your Load Balancer](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-healthchecks.html) in the Classic Load Balancers Guide. /// - /// - Parameter ConfigureHealthCheckInput : Contains the parameters for ConfigureHealthCheck. + /// - Parameter input: Contains the parameters for ConfigureHealthCheck. (Type: `ConfigureHealthCheckInput`) /// - /// - Returns: `ConfigureHealthCheckOutput` : Contains the output of ConfigureHealthCheck. + /// - Returns: Contains the output of ConfigureHealthCheck. (Type: `ConfigureHealthCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -617,7 +613,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfigureHealthCheckOutput.httpOutput(from:), ConfigureHealthCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -651,9 +646,9 @@ extension ElasticLoadBalancingClient { /// /// Generates a stickiness policy with sticky session lifetimes that follow that of an application-generated cookie. This policy can be associated only with HTTP/HTTPS listeners. This policy is similar to the policy created by [CreateLBCookieStickinessPolicy], except that the lifetime of the special Elastic Load Balancing cookie, AWSELB, follows the lifetime of the application-generated cookie specified in the policy configuration. The load balancer only inserts a new stickiness cookie when the application response includes a new application cookie. If the application cookie is explicitly removed or expires, the session stops being sticky until a new application cookie is issued. For more information, see [Application-Controlled Session Stickiness](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-sticky-sessions.html#enable-sticky-sessions-application) in the Classic Load Balancers Guide. /// - /// - Parameter CreateAppCookieStickinessPolicyInput : Contains the parameters for CreateAppCookieStickinessPolicy. + /// - Parameter input: Contains the parameters for CreateAppCookieStickinessPolicy. (Type: `CreateAppCookieStickinessPolicyInput`) /// - /// - Returns: `CreateAppCookieStickinessPolicyOutput` : Contains the output for CreateAppCookieStickinessPolicy. + /// - Returns: Contains the output for CreateAppCookieStickinessPolicy. (Type: `CreateAppCookieStickinessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -688,7 +683,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppCookieStickinessPolicyOutput.httpOutput(from:), CreateAppCookieStickinessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension ElasticLoadBalancingClient { /// /// Generates a stickiness policy with sticky session lifetimes controlled by the lifetime of the browser (user-agent) or a specified expiration period. This policy can be associated only with HTTP/HTTPS listeners. When a load balancer implements this policy, the load balancer uses a special cookie to track the instance for each request. When the load balancer receives a request, it first checks to see if this cookie is present in the request. If so, the load balancer sends the request to the application server specified in the cookie. If not, the load balancer sends the request to a server that is chosen based on the existing load-balancing algorithm. A cookie is inserted into the response for binding subsequent requests from the same user to that server. The validity of the cookie is based on the cookie expiration time, which is specified in the policy configuration. For more information, see [Duration-Based Session Stickiness](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-sticky-sessions.html#enable-sticky-sessions-duration) in the Classic Load Balancers Guide. /// - /// - Parameter CreateLBCookieStickinessPolicyInput : Contains the parameters for CreateLBCookieStickinessPolicy. + /// - Parameter input: Contains the parameters for CreateLBCookieStickinessPolicy. (Type: `CreateLBCookieStickinessPolicyInput`) /// - /// - Returns: `CreateLBCookieStickinessPolicyOutput` : Contains the output for CreateLBCookieStickinessPolicy. + /// - Returns: Contains the output for CreateLBCookieStickinessPolicy. (Type: `CreateLBCookieStickinessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -759,7 +753,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLBCookieStickinessPolicyOutput.httpOutput(from:), CreateLBCookieStickinessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -793,9 +786,9 @@ extension ElasticLoadBalancingClient { /// /// Creates a Classic Load Balancer. You can add listeners, security groups, subnets, and tags when you create your load balancer, or you can add them later using [CreateLoadBalancerListeners], [ApplySecurityGroupsToLoadBalancer], [AttachLoadBalancerToSubnets], and [AddTags]. To describe your current load balancers, see [DescribeLoadBalancers]. When you are finished with a load balancer, you can delete it using [DeleteLoadBalancer]. You can create up to 20 load balancers per region per account. You can request an increase for the number of load balancers for your account. For more information, see [Limits for Your Classic Load Balancer](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-limits.html) in the Classic Load Balancers Guide. /// - /// - Parameter CreateLoadBalancerInput : Contains the parameters for CreateLoadBalancer. + /// - Parameter input: Contains the parameters for CreateLoadBalancer. (Type: `CreateLoadBalancerInput`) /// - /// - Returns: `CreateLoadBalancerOutput` : Contains the output for CreateLoadBalancer. + /// - Returns: Contains the output for CreateLoadBalancer. (Type: `CreateLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -838,7 +831,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoadBalancerOutput.httpOutput(from:), CreateLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -872,9 +864,9 @@ extension ElasticLoadBalancingClient { /// /// Creates one or more listeners for the specified load balancer. If a listener with the specified port does not already exist, it is created; otherwise, the properties of the new listener must match the properties of the existing listener. For more information, see [Listeners for Your Classic Load Balancer](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-listener-config.html) in the Classic Load Balancers Guide. /// - /// - Parameter CreateLoadBalancerListenersInput : Contains the parameters for CreateLoadBalancerListeners. + /// - Parameter input: Contains the parameters for CreateLoadBalancerListeners. (Type: `CreateLoadBalancerListenersInput`) /// - /// - Returns: `CreateLoadBalancerListenersOutput` : Contains the parameters for CreateLoadBalancerListener. + /// - Returns: Contains the parameters for CreateLoadBalancerListener. (Type: `CreateLoadBalancerListenersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -910,7 +902,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoadBalancerListenersOutput.httpOutput(from:), CreateLoadBalancerListenersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -944,9 +935,9 @@ extension ElasticLoadBalancingClient { /// /// Creates a policy with the specified attributes for the specified load balancer. Policies are settings that are saved for your load balancer and that can be applied to the listener or the application server, depending on the policy type. /// - /// - Parameter CreateLoadBalancerPolicyInput : Contains the parameters for CreateLoadBalancerPolicy. + /// - Parameter input: Contains the parameters for CreateLoadBalancerPolicy. (Type: `CreateLoadBalancerPolicyInput`) /// - /// - Returns: `CreateLoadBalancerPolicyOutput` : Contains the output of CreateLoadBalancerPolicy. + /// - Returns: Contains the output of CreateLoadBalancerPolicy. (Type: `CreateLoadBalancerPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -982,7 +973,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoadBalancerPolicyOutput.httpOutput(from:), CreateLoadBalancerPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1016,9 +1006,9 @@ extension ElasticLoadBalancingClient { /// /// Deletes the specified load balancer. If you are attempting to recreate a load balancer, you must reconfigure all settings. The DNS name associated with a deleted load balancer are no longer usable. The name and associated DNS record of the deleted load balancer no longer exist and traffic sent to any of its IP addresses is no longer delivered to your instances. If the load balancer does not exist or has already been deleted, the call to DeleteLoadBalancer still succeeds. /// - /// - Parameter DeleteLoadBalancerInput : Contains the parameters for DeleteLoadBalancer. + /// - Parameter input: Contains the parameters for DeleteLoadBalancer. (Type: `DeleteLoadBalancerInput`) /// - /// - Returns: `DeleteLoadBalancerOutput` : Contains the output of DeleteLoadBalancer. + /// - Returns: Contains the output of DeleteLoadBalancer. (Type: `DeleteLoadBalancerOutput`) public func deleteLoadBalancer(input: DeleteLoadBalancerInput) async throws -> DeleteLoadBalancerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1045,7 +1035,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoadBalancerOutput.httpOutput(from:), DeleteLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1079,9 +1068,9 @@ extension ElasticLoadBalancingClient { /// /// Deletes the specified listeners from the specified load balancer. /// - /// - Parameter DeleteLoadBalancerListenersInput : Contains the parameters for DeleteLoadBalancerListeners. + /// - Parameter input: Contains the parameters for DeleteLoadBalancerListeners. (Type: `DeleteLoadBalancerListenersInput`) /// - /// - Returns: `DeleteLoadBalancerListenersOutput` : Contains the output of DeleteLoadBalancerListeners. + /// - Returns: Contains the output of DeleteLoadBalancerListeners. (Type: `DeleteLoadBalancerListenersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1113,7 +1102,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoadBalancerListenersOutput.httpOutput(from:), DeleteLoadBalancerListenersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1147,9 +1135,9 @@ extension ElasticLoadBalancingClient { /// /// Deletes the specified policy from the specified load balancer. This policy must not be enabled for any listeners. /// - /// - Parameter DeleteLoadBalancerPolicyInput : Contains the parameters for DeleteLoadBalancerPolicy. + /// - Parameter input: Contains the parameters for DeleteLoadBalancerPolicy. (Type: `DeleteLoadBalancerPolicyInput`) /// - /// - Returns: `DeleteLoadBalancerPolicyOutput` : Contains the output of DeleteLoadBalancerPolicy. + /// - Returns: Contains the output of DeleteLoadBalancerPolicy. (Type: `DeleteLoadBalancerPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1182,7 +1170,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoadBalancerPolicyOutput.httpOutput(from:), DeleteLoadBalancerPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1216,9 +1203,9 @@ extension ElasticLoadBalancingClient { /// /// Deregisters the specified instances from the specified load balancer. After the instance is deregistered, it no longer receives traffic from the load balancer. You can use [DescribeLoadBalancers] to verify that the instance is deregistered from the load balancer. For more information, see [Register or De-Register EC2 Instances](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-deregister-register-instances.html) in the Classic Load Balancers Guide. /// - /// - Parameter DeregisterInstancesFromLoadBalancerInput : Contains the parameters for DeregisterInstancesFromLoadBalancer. + /// - Parameter input: Contains the parameters for DeregisterInstancesFromLoadBalancer. (Type: `DeregisterInstancesFromLoadBalancerInput`) /// - /// - Returns: `DeregisterInstancesFromLoadBalancerOutput` : Contains the output of DeregisterInstancesFromLoadBalancer. + /// - Returns: Contains the output of DeregisterInstancesFromLoadBalancer. (Type: `DeregisterInstancesFromLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1251,7 +1238,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterInstancesFromLoadBalancerOutput.httpOutput(from:), DeregisterInstancesFromLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1285,9 +1271,9 @@ extension ElasticLoadBalancingClient { /// /// Describes the current Elastic Load Balancing resource limits for your AWS account. For more information, see [Limits for Your Classic Load Balancer](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-limits.html) in the Classic Load Balancers Guide. /// - /// - Parameter DescribeAccountLimitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountLimitsInput`) /// - /// - Returns: `DescribeAccountLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountLimitsOutput`) public func describeAccountLimits(input: DescribeAccountLimitsInput) async throws -> DescribeAccountLimitsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1314,7 +1300,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountLimitsOutput.httpOutput(from:), DescribeAccountLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1348,9 +1333,9 @@ extension ElasticLoadBalancingClient { /// /// Describes the state of the specified instances with respect to the specified load balancer. If no instances are specified, the call describes the state of all instances that are currently registered with the load balancer. If instances are specified, their state is returned even if they are no longer registered with the load balancer. The state of terminated instances is not returned. /// - /// - Parameter DescribeInstanceHealthInput : Contains the parameters for DescribeInstanceHealth. + /// - Parameter input: Contains the parameters for DescribeInstanceHealth. (Type: `DescribeInstanceHealthInput`) /// - /// - Returns: `DescribeInstanceHealthOutput` : Contains the output for DescribeInstanceHealth. + /// - Returns: Contains the output for DescribeInstanceHealth. (Type: `DescribeInstanceHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1383,7 +1368,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceHealthOutput.httpOutput(from:), DescribeInstanceHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1417,9 +1401,9 @@ extension ElasticLoadBalancingClient { /// /// Describes the attributes for the specified load balancer. /// - /// - Parameter DescribeLoadBalancerAttributesInput : Contains the parameters for DescribeLoadBalancerAttributes. + /// - Parameter input: Contains the parameters for DescribeLoadBalancerAttributes. (Type: `DescribeLoadBalancerAttributesInput`) /// - /// - Returns: `DescribeLoadBalancerAttributesOutput` : Contains the output of DescribeLoadBalancerAttributes. + /// - Returns: Contains the output of DescribeLoadBalancerAttributes. (Type: `DescribeLoadBalancerAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1452,7 +1436,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoadBalancerAttributesOutput.httpOutput(from:), DescribeLoadBalancerAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1486,9 +1469,9 @@ extension ElasticLoadBalancingClient { /// /// Describes the specified policies. If you specify a load balancer name, the action returns the descriptions of all policies created for the load balancer. If you specify a policy name associated with your load balancer, the action returns the description of that policy. If you don't specify a load balancer name, the action returns descriptions of the specified sample policies, or descriptions of all sample policies. The names of the sample policies have the ELBSample- prefix. /// - /// - Parameter DescribeLoadBalancerPoliciesInput : Contains the parameters for DescribeLoadBalancerPolicies. + /// - Parameter input: Contains the parameters for DescribeLoadBalancerPolicies. (Type: `DescribeLoadBalancerPoliciesInput`) /// - /// - Returns: `DescribeLoadBalancerPoliciesOutput` : Contains the output of DescribeLoadBalancerPolicies. + /// - Returns: Contains the output of DescribeLoadBalancerPolicies. (Type: `DescribeLoadBalancerPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1521,7 +1504,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoadBalancerPoliciesOutput.httpOutput(from:), DescribeLoadBalancerPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1555,9 +1537,9 @@ extension ElasticLoadBalancingClient { /// /// Describes the specified load balancer policy types or all load balancer policy types. The description of each type indicates how it can be used. For example, some policies can be used only with layer 7 listeners, some policies can be used only with layer 4 listeners, and some policies can be used only with your EC2 instances. You can use [CreateLoadBalancerPolicy] to create a policy configuration for any of these policy types. Then, depending on the policy type, use either [SetLoadBalancerPoliciesOfListener] or [SetLoadBalancerPoliciesForBackendServer] to set the policy. /// - /// - Parameter DescribeLoadBalancerPolicyTypesInput : Contains the parameters for DescribeLoadBalancerPolicyTypes. + /// - Parameter input: Contains the parameters for DescribeLoadBalancerPolicyTypes. (Type: `DescribeLoadBalancerPolicyTypesInput`) /// - /// - Returns: `DescribeLoadBalancerPolicyTypesOutput` : Contains the output of DescribeLoadBalancerPolicyTypes. + /// - Returns: Contains the output of DescribeLoadBalancerPolicyTypes. (Type: `DescribeLoadBalancerPolicyTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1589,7 +1571,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoadBalancerPolicyTypesOutput.httpOutput(from:), DescribeLoadBalancerPolicyTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1623,9 +1604,9 @@ extension ElasticLoadBalancingClient { /// /// Describes the specified the load balancers. If no load balancers are specified, the call describes all of your load balancers. /// - /// - Parameter DescribeLoadBalancersInput : Contains the parameters for DescribeLoadBalancers. + /// - Parameter input: Contains the parameters for DescribeLoadBalancers. (Type: `DescribeLoadBalancersInput`) /// - /// - Returns: `DescribeLoadBalancersOutput` : Contains the parameters for DescribeLoadBalancers. + /// - Returns: Contains the parameters for DescribeLoadBalancers. (Type: `DescribeLoadBalancersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1658,7 +1639,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoadBalancersOutput.httpOutput(from:), DescribeLoadBalancersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1692,9 +1672,9 @@ extension ElasticLoadBalancingClient { /// /// Describes the tags associated with the specified load balancers. /// - /// - Parameter DescribeTagsInput : Contains the parameters for DescribeTags. + /// - Parameter input: Contains the parameters for DescribeTags. (Type: `DescribeTagsInput`) /// - /// - Returns: `DescribeTagsOutput` : Contains the output for DescribeTags. + /// - Returns: Contains the output for DescribeTags. (Type: `DescribeTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1726,7 +1706,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagsOutput.httpOutput(from:), DescribeTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1760,9 +1739,9 @@ extension ElasticLoadBalancingClient { /// /// Removes the specified subnets from the set of configured subnets for the load balancer. After a subnet is removed, all EC2 instances registered with the load balancer in the removed subnet go into the OutOfService state. Then, the load balancer balances the traffic among the remaining routable subnets. /// - /// - Parameter DetachLoadBalancerFromSubnetsInput : Contains the parameters for DetachLoadBalancerFromSubnets. + /// - Parameter input: Contains the parameters for DetachLoadBalancerFromSubnets. (Type: `DetachLoadBalancerFromSubnetsInput`) /// - /// - Returns: `DetachLoadBalancerFromSubnetsOutput` : Contains the output of DetachLoadBalancerFromSubnets. + /// - Returns: Contains the output of DetachLoadBalancerFromSubnets. (Type: `DetachLoadBalancerFromSubnetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1795,7 +1774,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachLoadBalancerFromSubnetsOutput.httpOutput(from:), DetachLoadBalancerFromSubnetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1829,9 +1807,9 @@ extension ElasticLoadBalancingClient { /// /// Removes the specified Availability Zones from the set of Availability Zones for the specified load balancer in EC2-Classic or a default VPC. For load balancers in a non-default VPC, use [DetachLoadBalancerFromSubnets]. There must be at least one Availability Zone registered with a load balancer at all times. After an Availability Zone is removed, all instances registered with the load balancer that are in the removed Availability Zone go into the OutOfService state. Then, the load balancer attempts to equally balance the traffic among its remaining Availability Zones. For more information, see [Add or Remove Availability Zones](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/enable-disable-az.html) in the Classic Load Balancers Guide. /// - /// - Parameter DisableAvailabilityZonesForLoadBalancerInput : Contains the parameters for DisableAvailabilityZonesForLoadBalancer. + /// - Parameter input: Contains the parameters for DisableAvailabilityZonesForLoadBalancer. (Type: `DisableAvailabilityZonesForLoadBalancerInput`) /// - /// - Returns: `DisableAvailabilityZonesForLoadBalancerOutput` : Contains the output for DisableAvailabilityZonesForLoadBalancer. + /// - Returns: Contains the output for DisableAvailabilityZonesForLoadBalancer. (Type: `DisableAvailabilityZonesForLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1864,7 +1842,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableAvailabilityZonesForLoadBalancerOutput.httpOutput(from:), DisableAvailabilityZonesForLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1898,9 +1875,9 @@ extension ElasticLoadBalancingClient { /// /// Adds the specified Availability Zones to the set of Availability Zones for the specified load balancer in EC2-Classic or a default VPC. For load balancers in a non-default VPC, use [AttachLoadBalancerToSubnets]. The load balancer evenly distributes requests across all its registered Availability Zones that contain instances. For more information, see [Add or Remove Availability Zones](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/enable-disable-az.html) in the Classic Load Balancers Guide. /// - /// - Parameter EnableAvailabilityZonesForLoadBalancerInput : Contains the parameters for EnableAvailabilityZonesForLoadBalancer. + /// - Parameter input: Contains the parameters for EnableAvailabilityZonesForLoadBalancer. (Type: `EnableAvailabilityZonesForLoadBalancerInput`) /// - /// - Returns: `EnableAvailabilityZonesForLoadBalancerOutput` : Contains the output of EnableAvailabilityZonesForLoadBalancer. + /// - Returns: Contains the output of EnableAvailabilityZonesForLoadBalancer. (Type: `EnableAvailabilityZonesForLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1932,7 +1909,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableAvailabilityZonesForLoadBalancerOutput.httpOutput(from:), EnableAvailabilityZonesForLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1974,9 +1950,9 @@ extension ElasticLoadBalancingClient { /// /// * [Idle Connection Timeout](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/config-idle-timeout.html) /// - /// - Parameter ModifyLoadBalancerAttributesInput : Contains the parameters for ModifyLoadBalancerAttributes. + /// - Parameter input: Contains the parameters for ModifyLoadBalancerAttributes. (Type: `ModifyLoadBalancerAttributesInput`) /// - /// - Returns: `ModifyLoadBalancerAttributesOutput` : Contains the output of ModifyLoadBalancerAttributes. + /// - Returns: Contains the output of ModifyLoadBalancerAttributes. (Type: `ModifyLoadBalancerAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2010,7 +1986,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyLoadBalancerAttributesOutput.httpOutput(from:), ModifyLoadBalancerAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2044,9 +2019,9 @@ extension ElasticLoadBalancingClient { /// /// Adds the specified instances to the specified load balancer. The instance must be a running instance in the same network as the load balancer (EC2-Classic or the same VPC). If you have EC2-Classic instances and a load balancer in a VPC with ClassicLink enabled, you can link the EC2-Classic instances to that VPC and then register the linked EC2-Classic instances with the load balancer in the VPC. Note that RegisterInstanceWithLoadBalancer completes when the request has been registered. Instance registration takes a little time to complete. To check the state of the registered instances, use [DescribeLoadBalancers] or [DescribeInstanceHealth]. After the instance is registered, it starts receiving traffic and requests from the load balancer. Any instance that is not in one of the Availability Zones registered for the load balancer is moved to the OutOfService state. If an Availability Zone is added to the load balancer later, any instances registered with the load balancer move to the InService state. To deregister instances from a load balancer, use [DeregisterInstancesFromLoadBalancer]. For more information, see [Register or De-Register EC2 Instances](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-deregister-register-instances.html) in the Classic Load Balancers Guide. /// - /// - Parameter RegisterInstancesWithLoadBalancerInput : Contains the parameters for RegisterInstancesWithLoadBalancer. + /// - Parameter input: Contains the parameters for RegisterInstancesWithLoadBalancer. (Type: `RegisterInstancesWithLoadBalancerInput`) /// - /// - Returns: `RegisterInstancesWithLoadBalancerOutput` : Contains the output of RegisterInstancesWithLoadBalancer. + /// - Returns: Contains the output of RegisterInstancesWithLoadBalancer. (Type: `RegisterInstancesWithLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2079,7 +2054,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterInstancesWithLoadBalancerOutput.httpOutput(from:), RegisterInstancesWithLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2113,9 +2087,9 @@ extension ElasticLoadBalancingClient { /// /// Removes one or more tags from the specified load balancer. /// - /// - Parameter RemoveTagsInput : Contains the parameters for RemoveTags. + /// - Parameter input: Contains the parameters for RemoveTags. (Type: `RemoveTagsInput`) /// - /// - Returns: `RemoveTagsOutput` : Contains the output of RemoveTags. + /// - Returns: Contains the output of RemoveTags. (Type: `RemoveTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2147,7 +2121,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsOutput.httpOutput(from:), RemoveTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2181,9 +2154,9 @@ extension ElasticLoadBalancingClient { /// /// Sets the certificate that terminates the specified listener's SSL connections. The specified certificate replaces any prior certificate that was used on the same load balancer and port. For more information about updating your SSL certificate, see [Replace the SSL Certificate for Your Load Balancer](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-update-ssl-cert.html) in the Classic Load Balancers Guide. /// - /// - Parameter SetLoadBalancerListenerSSLCertificateInput : Contains the parameters for SetLoadBalancerListenerSSLCertificate. + /// - Parameter input: Contains the parameters for SetLoadBalancerListenerSSLCertificate. (Type: `SetLoadBalancerListenerSSLCertificateInput`) /// - /// - Returns: `SetLoadBalancerListenerSSLCertificateOutput` : Contains the output of SetLoadBalancerListenerSSLCertificate. + /// - Returns: Contains the output of SetLoadBalancerListenerSSLCertificate. (Type: `SetLoadBalancerListenerSSLCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2219,7 +2192,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetLoadBalancerListenerSSLCertificateOutput.httpOutput(from:), SetLoadBalancerListenerSSLCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2253,9 +2225,9 @@ extension ElasticLoadBalancingClient { /// /// Replaces the set of policies associated with the specified port on which the EC2 instance is listening with a new set of policies. At this time, only the back-end server authentication policy type can be applied to the instance ports; this policy type is composed of multiple public key policies. Each time you use SetLoadBalancerPoliciesForBackendServer to enable the policies, use the PolicyNames parameter to list the policies that you want to enable. You can use [DescribeLoadBalancers] or [DescribeLoadBalancerPolicies] to verify that the policy is associated with the EC2 instance. For more information about enabling back-end instance authentication, see [Configure Back-end Instance Authentication](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-create-https-ssl-load-balancer.html#configure_backendauth_clt) in the Classic Load Balancers Guide. For more information about Proxy Protocol, see [Configure Proxy Protocol Support](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/enable-proxy-protocol.html) in the Classic Load Balancers Guide. /// - /// - Parameter SetLoadBalancerPoliciesForBackendServerInput : Contains the parameters for SetLoadBalancerPoliciesForBackendServer. + /// - Parameter input: Contains the parameters for SetLoadBalancerPoliciesForBackendServer. (Type: `SetLoadBalancerPoliciesForBackendServerInput`) /// - /// - Returns: `SetLoadBalancerPoliciesForBackendServerOutput` : Contains the output of SetLoadBalancerPoliciesForBackendServer. + /// - Returns: Contains the output of SetLoadBalancerPoliciesForBackendServer. (Type: `SetLoadBalancerPoliciesForBackendServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2289,7 +2261,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetLoadBalancerPoliciesForBackendServerOutput.httpOutput(from:), SetLoadBalancerPoliciesForBackendServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2323,9 +2294,9 @@ extension ElasticLoadBalancingClient { /// /// Replaces the current set of policies for the specified load balancer port with the specified set of policies. To enable back-end server authentication, use [SetLoadBalancerPoliciesForBackendServer]. For more information about setting policies, see [Update the SSL Negotiation Configuration](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/ssl-config-update.html), [Duration-Based Session Stickiness](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-sticky-sessions.html#enable-sticky-sessions-duration), and [Application-Controlled Session Stickiness](https://docs.aws.amazon.com/elasticloadbalancing/latest/classic/elb-sticky-sessions.html#enable-sticky-sessions-application) in the Classic Load Balancers Guide. /// - /// - Parameter SetLoadBalancerPoliciesOfListenerInput : Contains the parameters for SetLoadBalancePoliciesOfListener. + /// - Parameter input: Contains the parameters for SetLoadBalancePoliciesOfListener. (Type: `SetLoadBalancerPoliciesOfListenerInput`) /// - /// - Returns: `SetLoadBalancerPoliciesOfListenerOutput` : Contains the output of SetLoadBalancePoliciesOfListener. + /// - Returns: Contains the output of SetLoadBalancePoliciesOfListener. (Type: `SetLoadBalancerPoliciesOfListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2360,7 +2331,6 @@ extension ElasticLoadBalancingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetLoadBalancerPoliciesOfListenerOutput.httpOutput(from:), SetLoadBalancerPoliciesOfListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSElasticLoadBalancingv2/Sources/AWSElasticLoadBalancingv2/ElasticLoadBalancingv2Client.swift b/Sources/Services/AWSElasticLoadBalancingv2/Sources/AWSElasticLoadBalancingv2/ElasticLoadBalancingv2Client.swift index 2f5ee8fc7e8..3b60fc66a1a 100644 --- a/Sources/Services/AWSElasticLoadBalancingv2/Sources/AWSElasticLoadBalancingv2/ElasticLoadBalancingv2Client.swift +++ b/Sources/Services/AWSElasticLoadBalancingv2/Sources/AWSElasticLoadBalancingv2/ElasticLoadBalancingv2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ElasticLoadBalancingv2Client: ClientRuntime.Client { public static let clientName = "ElasticLoadBalancingv2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ElasticLoadBalancingv2Client.ElasticLoadBalancingv2ClientConfiguration let serviceName = "Elastic Load Balancing v2" @@ -373,9 +372,9 @@ extension ElasticLoadBalancingv2Client { /// /// Adds the specified SSL server certificate to the certificate list for the specified HTTPS or TLS listener. If the certificate in already in the certificate list, the call is successful but the certificate is not added again. For more information, see [SSL certificates](https://docs.aws.amazon.com/elasticloadbalancing/latest/application/https-listener-certificates.html) in the Application Load Balancers Guide or [Server certificates](https://docs.aws.amazon.com/elasticloadbalancing/latest/network/tls-listener-certificates.html) in the Network Load Balancers Guide. /// - /// - Parameter AddListenerCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddListenerCertificatesInput`) /// - /// - Returns: `AddListenerCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddListenerCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddListenerCertificatesOutput.httpOutput(from:), AddListenerCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension ElasticLoadBalancingv2Client { /// /// Adds the specified tags to the specified Elastic Load Balancing resource. You can tag your Application Load Balancers, Network Load Balancers, Gateway Load Balancers, target groups, trust stores, listeners, and rules. Each tag consists of a key and an optional value. If a resource already has a tag with the same key, AddTags updates its value. /// - /// - Parameter AddTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddTagsInput`) /// - /// - Returns: `AddTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsOutput.httpOutput(from:), AddTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension ElasticLoadBalancingv2Client { /// /// Adds the specified revocation file to the specified trust store. /// - /// - Parameter AddTrustStoreRevocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddTrustStoreRevocationsInput`) /// - /// - Returns: `AddTrustStoreRevocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTrustStoreRevocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTrustStoreRevocationsOutput.httpOutput(from:), AddTrustStoreRevocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension ElasticLoadBalancingv2Client { /// /// This operation is idempotent, which means that it completes at most one time. If you attempt to create multiple listeners with the same settings, each call succeeds. /// - /// - Parameter CreateListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateListenerInput`) /// - /// - Returns: `CreateListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -650,7 +646,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateListenerOutput.httpOutput(from:), CreateListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -693,9 +688,9 @@ extension ElasticLoadBalancingv2Client { /// /// This operation is idempotent, which means that it completes at most one time. If you attempt to create multiple load balancers with the same settings, each call succeeds. /// - /// - Parameter CreateLoadBalancerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLoadBalancerInput`) /// - /// - Returns: `CreateLoadBalancerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -739,7 +734,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoadBalancerOutput.httpOutput(from:), CreateLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -773,9 +767,9 @@ extension ElasticLoadBalancingv2Client { /// /// Creates a rule for the specified listener. The listener must be associated with an Application Load Balancer. Each rule consists of a priority, one or more actions, and one or more conditions. Rules are evaluated in priority order, from the lowest value to the highest value. When the conditions for a rule are met, its actions are performed. If the conditions for no rules are met, the actions for the default rule are performed. For more information, see [Listener rules](https://docs.aws.amazon.com/elasticloadbalancing/latest/application/load-balancer-listeners.html#listener-rules) in the Application Load Balancers Guide. /// - /// - Parameter CreateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleInput`) /// - /// - Returns: `CreateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -821,7 +815,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleOutput.httpOutput(from:), CreateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -864,9 +857,9 @@ extension ElasticLoadBalancingv2Client { /// /// This operation is idempotent, which means that it completes at most one time. If you attempt to create multiple target groups with the same settings, each call succeeds. /// - /// - Parameter CreateTargetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTargetGroupInput`) /// - /// - Returns: `CreateTargetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTargetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -901,7 +894,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTargetGroupOutput.httpOutput(from:), CreateTargetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -935,9 +927,9 @@ extension ElasticLoadBalancingv2Client { /// /// Creates a trust store. For more information, see [Mutual TLS for Application Load Balancers](https://docs.aws.amazon.com/elasticloadbalancing/latest/application/mutual-authentication.html). /// - /// - Parameter CreateTrustStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrustStoreInput`) /// - /// - Returns: `CreateTrustStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrustStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -974,7 +966,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrustStoreOutput.httpOutput(from:), CreateTrustStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1008,9 +999,9 @@ extension ElasticLoadBalancingv2Client { /// /// Deletes the specified listener. Alternatively, your listener is deleted when you delete the load balancer to which it is attached. /// - /// - Parameter DeleteListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteListenerInput`) /// - /// - Returns: `DeleteListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1043,7 +1034,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteListenerOutput.httpOutput(from:), DeleteListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1077,9 +1067,9 @@ extension ElasticLoadBalancingv2Client { /// /// Deletes the specified Application Load Balancer, Network Load Balancer, or Gateway Load Balancer. Deleting a load balancer also deletes its listeners. You can't delete a load balancer if deletion protection is enabled. If the load balancer does not exist or has already been deleted, the call succeeds. Deleting a load balancer does not affect its registered targets. For example, your EC2 instances continue to run and are still registered to their target groups. If you no longer need these EC2 instances, you can stop or terminate them. /// - /// - Parameter DeleteLoadBalancerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLoadBalancerInput`) /// - /// - Returns: `DeleteLoadBalancerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1113,7 +1103,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoadBalancerOutput.httpOutput(from:), DeleteLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1147,9 +1136,9 @@ extension ElasticLoadBalancingv2Client { /// /// Deletes the specified rule. You can't delete the default rule. /// - /// - Parameter DeleteRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleInput`) /// - /// - Returns: `DeleteRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1182,7 +1171,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleOutput.httpOutput(from:), DeleteRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1216,9 +1204,9 @@ extension ElasticLoadBalancingv2Client { /// /// Deletes a shared trust store association. /// - /// - Parameter DeleteSharedTrustStoreAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSharedTrustStoreAssociationInput`) /// - /// - Returns: `DeleteSharedTrustStoreAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSharedTrustStoreAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1252,7 +1240,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSharedTrustStoreAssociationOutput.httpOutput(from:), DeleteSharedTrustStoreAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1286,9 +1273,9 @@ extension ElasticLoadBalancingv2Client { /// /// Deletes the specified target group. You can delete a target group if it is not referenced by any actions. Deleting a target group also deletes any associated health checks. Deleting a target group does not affect its registered targets. For example, any EC2 instances continue to run until you stop or terminate them. /// - /// - Parameter DeleteTargetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTargetGroupInput`) /// - /// - Returns: `DeleteTargetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTargetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1320,7 +1307,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTargetGroupOutput.httpOutput(from:), DeleteTargetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1354,9 +1340,9 @@ extension ElasticLoadBalancingv2Client { /// /// Deletes a trust store. /// - /// - Parameter DeleteTrustStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrustStoreInput`) /// - /// - Returns: `DeleteTrustStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrustStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1389,7 +1375,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrustStoreOutput.httpOutput(from:), DeleteTrustStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1432,9 +1417,9 @@ extension ElasticLoadBalancingv2Client { /// /// Note: If the specified target does not exist, the action returns successfully. /// - /// - Parameter DeregisterTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterTargetsInput`) /// - /// - Returns: `DeregisterTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1467,7 +1452,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterTargetsOutput.httpOutput(from:), DeregisterTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1507,9 +1491,9 @@ extension ElasticLoadBalancingv2Client { /// /// * [Quotas for your Gateway Load Balancers](https://docs.aws.amazon.com/elasticloadbalancing/latest/gateway/quotas-limits.html) /// - /// - Parameter DescribeAccountLimitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountLimitsInput`) /// - /// - Returns: `DescribeAccountLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountLimitsOutput`) public func describeAccountLimits(input: DescribeAccountLimitsInput) async throws -> DescribeAccountLimitsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1536,7 +1520,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountLimitsOutput.httpOutput(from:), DescribeAccountLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1570,9 +1553,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the capacity reservation status for the specified load balancer. /// - /// - Parameter DescribeCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCapacityReservationInput`) /// - /// - Returns: `DescribeCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCapacityReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1604,7 +1587,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCapacityReservationOutput.httpOutput(from:), DescribeCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1638,9 +1620,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the attributes for the specified listener. /// - /// - Parameter DescribeListenerAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeListenerAttributesInput`) /// - /// - Returns: `DescribeListenerAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeListenerAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1672,7 +1654,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeListenerAttributesOutput.httpOutput(from:), DescribeListenerAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1706,9 +1687,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the default certificate and the certificate list for the specified HTTPS or TLS listener. If the default certificate is also in the certificate list, it appears twice in the results (once with IsDefault set to true and once with IsDefault set to false). For more information, see [SSL certificates](https://docs.aws.amazon.com/elasticloadbalancing/latest/application/https-listener-certificates.html) in the Application Load Balancers Guide or [Server certificates](https://docs.aws.amazon.com/elasticloadbalancing/latest/network/tls-listener-certificates.html) in the Network Load Balancers Guide. /// - /// - Parameter DescribeListenerCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeListenerCertificatesInput`) /// - /// - Returns: `DescribeListenerCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeListenerCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1740,7 +1721,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeListenerCertificatesOutput.httpOutput(from:), DescribeListenerCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1774,9 +1754,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the specified listeners or the listeners for the specified Application Load Balancer, Network Load Balancer, or Gateway Load Balancer. You must specify either a load balancer or one or more listeners. /// - /// - Parameter DescribeListenersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeListenersInput`) /// - /// - Returns: `DescribeListenersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeListenersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1810,7 +1790,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeListenersOutput.httpOutput(from:), DescribeListenersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1850,9 +1829,9 @@ extension ElasticLoadBalancingv2Client { /// /// * [Load balancer attributes](https://docs.aws.amazon.com/elasticloadbalancing/latest/gateway/gateway-load-balancers.html#load-balancer-attributes) in the Gateway Load Balancers Guide /// - /// - Parameter DescribeLoadBalancerAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLoadBalancerAttributesInput`) /// - /// - Returns: `DescribeLoadBalancerAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLoadBalancerAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1884,7 +1863,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoadBalancerAttributesOutput.httpOutput(from:), DescribeLoadBalancerAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1918,9 +1896,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the specified load balancers or all of your load balancers. /// - /// - Parameter DescribeLoadBalancersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLoadBalancersInput`) /// - /// - Returns: `DescribeLoadBalancersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLoadBalancersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1952,7 +1930,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoadBalancersOutput.httpOutput(from:), DescribeLoadBalancersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1986,9 +1963,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the specified rules or the rules for the specified listener. You must specify either a listener or one or more rules. /// - /// - Parameter DescribeRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRulesInput`) /// - /// - Returns: `DescribeRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2022,7 +1999,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRulesOutput.httpOutput(from:), DescribeRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2056,9 +2032,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the specified policies or all policies used for SSL negotiation. For more information, see [Security policies](https://docs.aws.amazon.com/elasticloadbalancing/latest/application/describe-ssl-policies.html) in the Application Load Balancers Guide and [Security policies](https://docs.aws.amazon.com/elasticloadbalancing/latest/network/describe-ssl-policies.html) in the Network Load Balancers Guide. /// - /// - Parameter DescribeSSLPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSSLPoliciesInput`) /// - /// - Returns: `DescribeSSLPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSSLPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2090,7 +2066,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSSLPoliciesOutput.httpOutput(from:), DescribeSSLPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2124,9 +2099,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the tags for the specified Elastic Load Balancing resources. You can describe the tags for one or more Application Load Balancers, Network Load Balancers, Gateway Load Balancers, target groups, listeners, or rules. /// - /// - Parameter DescribeTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTagsInput`) /// - /// - Returns: `DescribeTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2162,7 +2137,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagsOutput.httpOutput(from:), DescribeTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2202,9 +2176,9 @@ extension ElasticLoadBalancingv2Client { /// /// * [Target group attributes](https://docs.aws.amazon.com/elasticloadbalancing/latest/gateway/target-groups.html#target-group-attributes) in the Gateway Load Balancers Guide /// - /// - Parameter DescribeTargetGroupAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTargetGroupAttributesInput`) /// - /// - Returns: `DescribeTargetGroupAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTargetGroupAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2236,7 +2210,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTargetGroupAttributesOutput.httpOutput(from:), DescribeTargetGroupAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2270,9 +2243,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the specified target groups or all of your target groups. By default, all target groups are described. Alternatively, you can specify one of the following to filter the results: the ARN of the load balancer, the names of one or more target groups, or the ARNs of one or more target groups. /// - /// - Parameter DescribeTargetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTargetGroupsInput`) /// - /// - Returns: `DescribeTargetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTargetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2305,7 +2278,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTargetGroupsOutput.httpOutput(from:), DescribeTargetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2339,9 +2311,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the health of the specified targets or all of your targets. /// - /// - Parameter DescribeTargetHealthInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTargetHealthInput`) /// - /// - Returns: `DescribeTargetHealthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTargetHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2375,7 +2347,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTargetHealthOutput.httpOutput(from:), DescribeTargetHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2409,9 +2380,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes all resources associated with the specified trust store. /// - /// - Parameter DescribeTrustStoreAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrustStoreAssociationsInput`) /// - /// - Returns: `DescribeTrustStoreAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrustStoreAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2443,7 +2414,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrustStoreAssociationsOutput.httpOutput(from:), DescribeTrustStoreAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2477,9 +2447,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes the revocation files in use by the specified trust store or revocation files. /// - /// - Parameter DescribeTrustStoreRevocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrustStoreRevocationsInput`) /// - /// - Returns: `DescribeTrustStoreRevocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrustStoreRevocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2512,7 +2482,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrustStoreRevocationsOutput.httpOutput(from:), DescribeTrustStoreRevocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2546,9 +2515,9 @@ extension ElasticLoadBalancingv2Client { /// /// Describes all trust stores for the specified account. /// - /// - Parameter DescribeTrustStoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrustStoresInput`) /// - /// - Returns: `DescribeTrustStoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrustStoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2580,7 +2549,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrustStoresOutput.httpOutput(from:), DescribeTrustStoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2614,9 +2582,9 @@ extension ElasticLoadBalancingv2Client { /// /// Retrieves the resource policy for a specified resource. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2648,7 +2616,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2682,9 +2649,9 @@ extension ElasticLoadBalancingv2Client { /// /// Retrieves the ca certificate bundle. This action returns a pre-signed S3 URI which is active for ten minutes. /// - /// - Parameter GetTrustStoreCaCertificatesBundleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrustStoreCaCertificatesBundleInput`) /// - /// - Returns: `GetTrustStoreCaCertificatesBundleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrustStoreCaCertificatesBundleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2716,7 +2683,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrustStoreCaCertificatesBundleOutput.httpOutput(from:), GetTrustStoreCaCertificatesBundleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2750,9 +2716,9 @@ extension ElasticLoadBalancingv2Client { /// /// Retrieves the specified revocation file. This action returns a pre-signed S3 URI which is active for ten minutes. /// - /// - Parameter GetTrustStoreRevocationContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrustStoreRevocationContentInput`) /// - /// - Returns: `GetTrustStoreRevocationContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrustStoreRevocationContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2785,7 +2751,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrustStoreRevocationContentOutput.httpOutput(from:), GetTrustStoreRevocationContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2819,9 +2784,9 @@ extension ElasticLoadBalancingv2Client { /// /// Modifies the capacity reservation of the specified load balancer. When modifying capacity reservation, you must include at least one MinimumLoadBalancerCapacity or ResetCapacityReservation. /// - /// - Parameter ModifyCapacityReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyCapacityReservationInput`) /// - /// - Returns: `ModifyCapacityReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyCapacityReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2860,7 +2825,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCapacityReservationOutput.httpOutput(from:), ModifyCapacityReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2894,9 +2858,9 @@ extension ElasticLoadBalancingv2Client { /// /// [Application Load Balancers] Modify the IP pool associated to a load balancer. /// - /// - Parameter ModifyIpPoolsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIpPoolsInput`) /// - /// - Returns: `ModifyIpPoolsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyIpPoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2928,7 +2892,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIpPoolsOutput.httpOutput(from:), ModifyIpPoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2962,9 +2925,9 @@ extension ElasticLoadBalancingv2Client { /// /// Replaces the specified properties of the specified listener. Any properties that you do not specify remain unchanged. Changing the protocol from HTTPS to HTTP, or from TLS to TCP, removes the security policy and default certificate properties. If you change the protocol from HTTP to HTTPS, or from TCP to TLS, you must add the security policy and default certificate properties. To add an item to a list, remove an item from a list, or update an item in a list, you must provide the entire list. For example, to add an action, specify a list with the current actions plus the new action. /// - /// - Parameter ModifyListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyListenerInput`) /// - /// - Returns: `ModifyListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3014,7 +2977,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyListenerOutput.httpOutput(from:), ModifyListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3048,9 +3010,9 @@ extension ElasticLoadBalancingv2Client { /// /// Modifies the specified attributes of the specified listener. /// - /// - Parameter ModifyListenerAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyListenerAttributesInput`) /// - /// - Returns: `ModifyListenerAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyListenerAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3083,7 +3045,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyListenerAttributesOutput.httpOutput(from:), ModifyListenerAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3117,9 +3078,9 @@ extension ElasticLoadBalancingv2Client { /// /// Modifies the specified attributes of the specified Application Load Balancer, Network Load Balancer, or Gateway Load Balancer. If any of the specified attributes can't be modified as requested, the call fails. Any existing attributes that you do not modify retain their current values. /// - /// - Parameter ModifyLoadBalancerAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyLoadBalancerAttributesInput`) /// - /// - Returns: `ModifyLoadBalancerAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyLoadBalancerAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3152,7 +3113,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyLoadBalancerAttributesOutput.httpOutput(from:), ModifyLoadBalancerAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3186,9 +3146,9 @@ extension ElasticLoadBalancingv2Client { /// /// Replaces the specified properties of the specified rule. Any properties that you do not specify are unchanged. To add an item to a list, remove an item from a list, or update an item in a list, you must provide the entire list. For example, to add an action, specify a list with the current actions plus the new action. /// - /// - Parameter ModifyRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyRuleInput`) /// - /// - Returns: `ModifyRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3230,7 +3190,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyRuleOutput.httpOutput(from:), ModifyRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3264,9 +3223,9 @@ extension ElasticLoadBalancingv2Client { /// /// Modifies the health checks used when evaluating the health state of the targets in the specified target group. /// - /// - Parameter ModifyTargetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyTargetGroupInput`) /// - /// - Returns: `ModifyTargetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyTargetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3299,7 +3258,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyTargetGroupOutput.httpOutput(from:), ModifyTargetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3333,9 +3291,9 @@ extension ElasticLoadBalancingv2Client { /// /// Modifies the specified attributes of the specified target group. /// - /// - Parameter ModifyTargetGroupAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyTargetGroupAttributesInput`) /// - /// - Returns: `ModifyTargetGroupAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyTargetGroupAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3368,7 +3326,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyTargetGroupAttributesOutput.httpOutput(from:), ModifyTargetGroupAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3402,9 +3359,9 @@ extension ElasticLoadBalancingv2Client { /// /// Update the ca certificate bundle for the specified trust store. /// - /// - Parameter ModifyTrustStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyTrustStoreInput`) /// - /// - Returns: `ModifyTrustStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyTrustStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3438,7 +3395,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyTrustStoreOutput.httpOutput(from:), ModifyTrustStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3478,9 +3434,9 @@ extension ElasticLoadBalancingv2Client { /// /// * [Register targets for your Gateway Load Balancer](https://docs.aws.amazon.com/elasticloadbalancing/latest/gateway/target-group-register-targets.html) /// - /// - Parameter RegisterTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterTargetsInput`) /// - /// - Returns: `RegisterTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3515,7 +3471,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterTargetsOutput.httpOutput(from:), RegisterTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3549,9 +3504,9 @@ extension ElasticLoadBalancingv2Client { /// /// Removes the specified certificate from the certificate list for the specified HTTPS or TLS listener. /// - /// - Parameter RemoveListenerCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveListenerCertificatesInput`) /// - /// - Returns: `RemoveListenerCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveListenerCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3584,7 +3539,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveListenerCertificatesOutput.httpOutput(from:), RemoveListenerCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3618,9 +3572,9 @@ extension ElasticLoadBalancingv2Client { /// /// Removes the specified tags from the specified Elastic Load Balancing resources. You can remove the tags for one or more Application Load Balancers, Network Load Balancers, Gateway Load Balancers, target groups, listeners, or rules. /// - /// - Parameter RemoveTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveTagsInput`) /// - /// - Returns: `RemoveTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3657,7 +3611,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsOutput.httpOutput(from:), RemoveTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3691,9 +3644,9 @@ extension ElasticLoadBalancingv2Client { /// /// Removes the specified revocation file from the specified trust store. /// - /// - Parameter RemoveTrustStoreRevocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveTrustStoreRevocationsInput`) /// - /// - Returns: `RemoveTrustStoreRevocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTrustStoreRevocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3726,7 +3679,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTrustStoreRevocationsOutput.httpOutput(from:), RemoveTrustStoreRevocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3760,9 +3712,9 @@ extension ElasticLoadBalancingv2Client { /// /// Sets the type of IP addresses used by the subnets of the specified load balancer. /// - /// - Parameter SetIpAddressTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetIpAddressTypeInput`) /// - /// - Returns: `SetIpAddressTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetIpAddressTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3796,7 +3748,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetIpAddressTypeOutput.httpOutput(from:), SetIpAddressTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3830,9 +3781,9 @@ extension ElasticLoadBalancingv2Client { /// /// Sets the priorities of the specified rules. You can reorder the rules as long as there are no priority conflicts in the new order. Any existing rules that you do not specify retain their current priority. /// - /// - Parameter SetRulePrioritiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetRulePrioritiesInput`) /// - /// - Returns: `SetRulePrioritiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetRulePrioritiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3866,7 +3817,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetRulePrioritiesOutput.httpOutput(from:), SetRulePrioritiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3900,9 +3850,9 @@ extension ElasticLoadBalancingv2Client { /// /// Associates the specified security groups with the specified Application Load Balancer or Network Load Balancer. The specified security groups override the previously associated security groups. You can't perform this operation on a Network Load Balancer unless you specified a security group for the load balancer when you created it. You can't associate a security group with a Gateway Load Balancer. /// - /// - Parameter SetSecurityGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetSecurityGroupsInput`) /// - /// - Returns: `SetSecurityGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetSecurityGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3936,7 +3886,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetSecurityGroupsOutput.httpOutput(from:), SetSecurityGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3970,9 +3919,9 @@ extension ElasticLoadBalancingv2Client { /// /// Enables the Availability Zones for the specified public subnets for the specified Application Load Balancer, Network Load Balancer or Gateway Load Balancer. The specified subnets replace the previously enabled subnets. When you specify subnets for a Network Load Balancer, or Gateway Load Balancer you must include all subnets that were enabled previously, with their existing configurations, plus any additional subnets. /// - /// - Parameter SetSubnetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetSubnetsInput`) /// - /// - Returns: `SetSubnetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetSubnetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4010,7 +3959,6 @@ extension ElasticLoadBalancingv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetSubnetsOutput.httpOutput(from:), SetSubnetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSElasticTranscoder/Sources/AWSElasticTranscoder/ElasticTranscoderClient.swift b/Sources/Services/AWSElasticTranscoder/Sources/AWSElasticTranscoder/ElasticTranscoderClient.swift index c8d3473a50c..fcd4d7d4eef 100644 --- a/Sources/Services/AWSElasticTranscoder/Sources/AWSElasticTranscoder/ElasticTranscoderClient.swift +++ b/Sources/Services/AWSElasticTranscoder/Sources/AWSElasticTranscoder/ElasticTranscoderClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ElasticTranscoderClient: ClientRuntime.Client { public static let clientName = "ElasticTranscoderClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ElasticTranscoderClient.ElasticTranscoderClientConfiguration let serviceName = "Elastic Transcoder" @@ -373,9 +372,9 @@ extension ElasticTranscoderClient { /// /// The CancelJob operation cancels an unfinished job. You can only cancel a job that has a status of Submitted. To prevent a pipeline from starting to process a job while you're getting the job identifier, use [UpdatePipelineStatus] to temporarily pause the pipeline. /// - /// - Parameter CancelJobInput : The CancelJobRequest structure. + /// - Parameter input: The CancelJobRequest structure. (Type: `CancelJobInput`) /// - /// - Returns: `CancelJobOutput` : The response body contains a JSON object. If the job is successfully canceled, the value of Success is true. + /// - Returns: The response body contains a JSON object. If the job is successfully canceled, the value of Success is true. (Type: `CancelJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJobOutput.httpOutput(from:), CancelJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension ElasticTranscoderClient { /// /// When you create a job, Elastic Transcoder returns JSON data that includes the values that you specified plus information about the job that is created. If you have specified more than one output for your jobs (for example, one output for the Kindle Fire and another output for the Apple iPhone 4s), you currently must use the Elastic Transcoder API to list the jobs (as opposed to the AWS Console). /// - /// - Parameter CreateJobInput : The CreateJobRequest structure. + /// - Parameter input: The CreateJobRequest structure. (Type: `CreateJobInput`) /// - /// - Returns: `CreateJobOutput` : The CreateJobResponse structure. + /// - Returns: The CreateJobResponse structure. (Type: `CreateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobOutput.httpOutput(from:), CreateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension ElasticTranscoderClient { /// /// The CreatePipeline operation creates a pipeline with settings that you specify. /// - /// - Parameter CreatePipelineInput : The CreatePipelineRequest structure. + /// - Parameter input: The CreatePipelineRequest structure. (Type: `CreatePipelineInput`) /// - /// - Returns: `CreatePipelineOutput` : When you create a pipeline, Elastic Transcoder returns the values that you specified in the request. + /// - Returns: When you create a pipeline, Elastic Transcoder returns the values that you specified in the request. (Type: `CreatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePipelineOutput.httpOutput(from:), CreatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -589,9 +585,9 @@ extension ElasticTranscoderClient { /// /// The CreatePreset operation creates a preset with settings that you specify. Elastic Transcoder checks the CreatePreset settings to ensure that they meet Elastic Transcoder requirements and to determine whether they comply with H.264 standards. If your settings are not valid for Elastic Transcoder, Elastic Transcoder returns an HTTP 400 response (ValidationException) and does not create the preset. If the settings are valid for Elastic Transcoder but aren't strictly compliant with the H.264 standard, Elastic Transcoder creates the preset and returns a warning message in the response. This helps you determine whether your settings comply with the H.264 standard while giving you greater flexibility with respect to the video that Elastic Transcoder produces. Elastic Transcoder uses the H.264 video-compression format. For more information, see the International Telecommunication Union publication Recommendation ITU-T H.264: Advanced video coding for generic audiovisual services. /// - /// - Parameter CreatePresetInput : The CreatePresetRequest structure. + /// - Parameter input: The CreatePresetRequest structure. (Type: `CreatePresetInput`) /// - /// - Returns: `CreatePresetOutput` : The CreatePresetResponse structure. + /// - Returns: The CreatePresetResponse structure. (Type: `CreatePresetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePresetOutput.httpOutput(from:), CreatePresetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension ElasticTranscoderClient { /// /// The DeletePipeline operation removes a pipeline. You can only delete a pipeline that has never been used or that is not currently in use (doesn't contain any active jobs). If the pipeline is currently in use, DeletePipeline returns an error. /// - /// - Parameter DeletePipelineInput : The DeletePipelineRequest structure. + /// - Parameter input: The DeletePipelineRequest structure. (Type: `DeletePipelineInput`) /// - /// - Returns: `DeletePipelineOutput` : The DeletePipelineResponse structure. + /// - Returns: The DeletePipelineResponse structure. (Type: `DeletePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -699,7 +694,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePipelineOutput.httpOutput(from:), DeletePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +725,9 @@ extension ElasticTranscoderClient { /// /// The DeletePreset operation removes a preset that you've added in an AWS region. You can't delete the default presets that are included with Elastic Transcoder. /// - /// - Parameter DeletePresetInput : The DeletePresetRequest structure. + /// - Parameter input: The DeletePresetRequest structure. (Type: `DeletePresetInput`) /// - /// - Returns: `DeletePresetOutput` : The DeletePresetResponse structure. + /// - Returns: The DeletePresetResponse structure. (Type: `DeletePresetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -768,7 +762,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePresetOutput.httpOutput(from:), DeletePresetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -800,9 +793,9 @@ extension ElasticTranscoderClient { /// /// The ListJobsByPipeline operation gets a list of the jobs currently in a pipeline. Elastic Transcoder returns all of the jobs currently in the specified pipeline. The response body contains one element for each job that satisfies the search criteria. /// - /// - Parameter ListJobsByPipelineInput : The ListJobsByPipelineRequest structure. + /// - Parameter input: The ListJobsByPipelineRequest structure. (Type: `ListJobsByPipelineInput`) /// - /// - Returns: `ListJobsByPipelineOutput` : The ListJobsByPipelineResponse structure. + /// - Returns: The ListJobsByPipelineResponse structure. (Type: `ListJobsByPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -838,7 +831,6 @@ extension ElasticTranscoderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobsByPipelineInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsByPipelineOutput.httpOutput(from:), ListJobsByPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -870,9 +862,9 @@ extension ElasticTranscoderClient { /// /// The ListJobsByStatus operation gets a list of jobs that have a specified status. The response body contains one element for each job that satisfies the search criteria. /// - /// - Parameter ListJobsByStatusInput : The ListJobsByStatusRequest structure. + /// - Parameter input: The ListJobsByStatusRequest structure. (Type: `ListJobsByStatusInput`) /// - /// - Returns: `ListJobsByStatusOutput` : The ListJobsByStatusResponse structure. + /// - Returns: The ListJobsByStatusResponse structure. (Type: `ListJobsByStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -908,7 +900,6 @@ extension ElasticTranscoderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobsByStatusInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsByStatusOutput.httpOutput(from:), ListJobsByStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -940,9 +931,9 @@ extension ElasticTranscoderClient { /// /// The ListPipelines operation gets a list of the pipelines associated with the current AWS account. /// - /// - Parameter ListPipelinesInput : The ListPipelineRequest structure. + /// - Parameter input: The ListPipelineRequest structure. (Type: `ListPipelinesInput`) /// - /// - Returns: `ListPipelinesOutput` : A list of the pipelines associated with the current AWS account. + /// - Returns: A list of the pipelines associated with the current AWS account. (Type: `ListPipelinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -977,7 +968,6 @@ extension ElasticTranscoderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPipelinesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelinesOutput.httpOutput(from:), ListPipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1009,9 +999,9 @@ extension ElasticTranscoderClient { /// /// The ListPresets operation gets a list of the default presets included with Elastic Transcoder and the presets that you've added in an AWS region. /// - /// - Parameter ListPresetsInput : The ListPresetsRequest structure. + /// - Parameter input: The ListPresetsRequest structure. (Type: `ListPresetsInput`) /// - /// - Returns: `ListPresetsOutput` : The ListPresetsResponse structure. + /// - Returns: The ListPresetsResponse structure. (Type: `ListPresetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1046,7 +1036,6 @@ extension ElasticTranscoderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPresetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPresetsOutput.httpOutput(from:), ListPresetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1078,9 +1067,9 @@ extension ElasticTranscoderClient { /// /// The ReadJob operation returns detailed information about a job. /// - /// - Parameter ReadJobInput : The ReadJobRequest structure. + /// - Parameter input: The ReadJobRequest structure. (Type: `ReadJobInput`) /// - /// - Returns: `ReadJobOutput` : The ReadJobResponse structure. + /// - Returns: The ReadJobResponse structure. (Type: `ReadJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1115,7 +1104,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReadJobOutput.httpOutput(from:), ReadJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1147,9 +1135,9 @@ extension ElasticTranscoderClient { /// /// The ReadPipeline operation gets detailed information about a pipeline. /// - /// - Parameter ReadPipelineInput : The ReadPipelineRequest structure. + /// - Parameter input: The ReadPipelineRequest structure. (Type: `ReadPipelineInput`) /// - /// - Returns: `ReadPipelineOutput` : The ReadPipelineResponse structure. + /// - Returns: The ReadPipelineResponse structure. (Type: `ReadPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1184,7 +1172,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReadPipelineOutput.httpOutput(from:), ReadPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1216,9 +1203,9 @@ extension ElasticTranscoderClient { /// /// The ReadPreset operation gets detailed information about a preset. /// - /// - Parameter ReadPresetInput : The ReadPresetRequest structure. + /// - Parameter input: The ReadPresetRequest structure. (Type: `ReadPresetInput`) /// - /// - Returns: `ReadPresetOutput` : The ReadPresetResponse structure. + /// - Returns: The ReadPresetResponse structure. (Type: `ReadPresetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1253,7 +1240,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReadPresetOutput.httpOutput(from:), ReadPresetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1286,9 +1272,9 @@ extension ElasticTranscoderClient { /// The TestRole operation tests the IAM role used to create the pipeline. The TestRole action lets you determine whether the IAM role you are using has sufficient permissions to let Elastic Transcoder perform tasks associated with the transcoding process. The action attempts to assume the specified IAM role, checks read access to the input and output buckets, and tries to send a test notification to Amazon SNS topics that you specify. @available(*, deprecated) /// - /// - Parameter TestRoleInput : The TestRoleRequest structure. + /// - Parameter input: The TestRoleRequest structure. (Type: `TestRoleInput`) /// - /// - Returns: `TestRoleOutput` : The TestRoleResponse structure. + /// - Returns: The TestRoleResponse structure. (Type: `TestRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1326,7 +1312,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestRoleOutput.httpOutput(from:), TestRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1358,9 +1343,9 @@ extension ElasticTranscoderClient { /// /// Use the UpdatePipeline operation to update settings for a pipeline. When you change pipeline settings, your changes take effect immediately. Jobs that you have already submitted and that Elastic Transcoder has not started to process are affected in addition to jobs that you submit after you change settings. /// - /// - Parameter UpdatePipelineInput : The UpdatePipelineRequest structure. + /// - Parameter input: The UpdatePipelineRequest structure. (Type: `UpdatePipelineInput`) /// - /// - Returns: `UpdatePipelineOutput` : When you update a pipeline, Elastic Transcoder returns the values that you specified in the request. + /// - Returns: When you update a pipeline, Elastic Transcoder returns the values that you specified in the request. (Type: `UpdatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1399,7 +1384,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePipelineOutput.httpOutput(from:), UpdatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1431,9 +1415,9 @@ extension ElasticTranscoderClient { /// /// With the UpdatePipelineNotifications operation, you can update Amazon Simple Notification Service (Amazon SNS) notifications for a pipeline. When you update notifications for a pipeline, Elastic Transcoder returns the values that you specified in the request. /// - /// - Parameter UpdatePipelineNotificationsInput : The UpdatePipelineNotificationsRequest structure. + /// - Parameter input: The UpdatePipelineNotificationsRequest structure. (Type: `UpdatePipelineNotificationsInput`) /// - /// - Returns: `UpdatePipelineNotificationsOutput` : The UpdatePipelineNotificationsResponse structure. + /// - Returns: The UpdatePipelineNotificationsResponse structure. (Type: `UpdatePipelineNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1472,7 +1456,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePipelineNotificationsOutput.httpOutput(from:), UpdatePipelineNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1504,9 +1487,9 @@ extension ElasticTranscoderClient { /// /// The UpdatePipelineStatus operation pauses or reactivates a pipeline, so that the pipeline stops or restarts the processing of jobs. Changing the pipeline status is useful if you want to cancel one or more jobs. You can't cancel jobs after Elastic Transcoder has started processing them; if you pause the pipeline to which you submitted the jobs, you have more time to get the job IDs for the jobs that you want to cancel, and to send a [CancelJob] request. /// - /// - Parameter UpdatePipelineStatusInput : The UpdatePipelineStatusRequest structure. + /// - Parameter input: The UpdatePipelineStatusRequest structure. (Type: `UpdatePipelineStatusInput`) /// - /// - Returns: `UpdatePipelineStatusOutput` : When you update status for a pipeline, Elastic Transcoder returns the values that you specified in the request. + /// - Returns: When you update status for a pipeline, Elastic Transcoder returns the values that you specified in the request. (Type: `UpdatePipelineStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1545,7 +1528,6 @@ extension ElasticTranscoderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePipelineStatusOutput.httpOutput(from:), UpdatePipelineStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSElasticsearchService/Sources/AWSElasticsearchService/ElasticsearchClient.swift b/Sources/Services/AWSElasticsearchService/Sources/AWSElasticsearchService/ElasticsearchClient.swift index 63b622a85fa..92b49770c1e 100644 --- a/Sources/Services/AWSElasticsearchService/Sources/AWSElasticsearchService/ElasticsearchClient.swift +++ b/Sources/Services/AWSElasticsearchService/Sources/AWSElasticsearchService/ElasticsearchClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ElasticsearchClient: ClientRuntime.Client { public static let clientName = "ElasticsearchClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ElasticsearchClient.ElasticsearchClientConfiguration let serviceName = "Elasticsearch" @@ -373,9 +372,9 @@ extension ElasticsearchClient { /// /// Allows the destination domain owner to accept an inbound cross-cluster search connection request. /// - /// - Parameter AcceptInboundCrossClusterSearchConnectionInput : Container for the parameters to the [AcceptInboundCrossClusterSearchConnection] operation. + /// - Parameter input: Container for the parameters to the [AcceptInboundCrossClusterSearchConnection] operation. (Type: `AcceptInboundCrossClusterSearchConnectionInput`) /// - /// - Returns: `AcceptInboundCrossClusterSearchConnectionOutput` : The result of a [AcceptInboundCrossClusterSearchConnection] operation. Contains details of accepted inbound connection. + /// - Returns: The result of a [AcceptInboundCrossClusterSearchConnection] operation. Contains details of accepted inbound connection. (Type: `AcceptInboundCrossClusterSearchConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -408,7 +407,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptInboundCrossClusterSearchConnectionOutput.httpOutput(from:), AcceptInboundCrossClusterSearchConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -440,9 +438,9 @@ extension ElasticsearchClient { /// /// Attaches tags to an existing Elasticsearch domain. Tags are a set of case-sensitive key value pairs. An Elasticsearch domain may have up to 10 tags. See [ Tagging Amazon Elasticsearch Service Domains for more information.](http://docs.aws.amazon.com/elasticsearch-service/latest/developerguide/es-managedomains.html#es-managedomains-awsresorcetagging) /// - /// - Parameter AddTagsInput : Container for the parameters to the [AddTags] operation. Specify the tags that you want to attach to the Elasticsearch domain. + /// - Parameter input: Container for the parameters to the [AddTags] operation. Specify the tags that you want to attach to the Elasticsearch domain. (Type: `AddTagsInput`) /// - /// - Returns: `AddTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -479,7 +477,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsOutput.httpOutput(from:), AddTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -511,9 +508,9 @@ extension ElasticsearchClient { /// /// Associates a package with an Amazon ES domain. /// - /// - Parameter AssociatePackageInput : Container for request parameters to [AssociatePackage] operation. + /// - Parameter input: Container for request parameters to [AssociatePackage] operation. (Type: `AssociatePackageInput`) /// - /// - Returns: `AssociatePackageOutput` : Container for response returned by [AssociatePackage] operation. + /// - Returns: Container for response returned by [AssociatePackage] operation. (Type: `AssociatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -549,7 +546,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePackageOutput.httpOutput(from:), AssociatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -581,9 +577,9 @@ extension ElasticsearchClient { /// /// Provides access to an Amazon OpenSearch Service domain through the use of an interface VPC endpoint. /// - /// - Parameter AuthorizeVpcEndpointAccessInput : Container for request parameters to the [AuthorizeVpcEndpointAccess] operation. Specifies the account to be permitted to manage VPC endpoints against the domain. + /// - Parameter input: Container for request parameters to the [AuthorizeVpcEndpointAccess] operation. Specifies the account to be permitted to manage VPC endpoints against the domain. (Type: `AuthorizeVpcEndpointAccessInput`) /// - /// - Returns: `AuthorizeVpcEndpointAccessOutput` : Container for response parameters to the [AuthorizeVpcEndpointAccess] operation. Contains the account ID and the type of the account being authorized to access the VPC endpoint. + /// - Returns: Container for response parameters to the [AuthorizeVpcEndpointAccess] operation. Contains the account ID and the type of the account being authorized to access the VPC endpoint. (Type: `AuthorizeVpcEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -622,7 +618,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeVpcEndpointAccessOutput.httpOutput(from:), AuthorizeVpcEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -654,9 +649,9 @@ extension ElasticsearchClient { /// /// Cancels a pending configuration change on an Amazon OpenSearch Service domain. /// - /// - Parameter CancelDomainConfigChangeInput : Container for parameters of the CancelDomainConfigChange operation. + /// - Parameter input: Container for parameters of the CancelDomainConfigChange operation. (Type: `CancelDomainConfigChangeInput`) /// - /// - Returns: `CancelDomainConfigChangeOutput` : Contains the details of the cancelled domain config change. + /// - Returns: Contains the details of the cancelled domain config change. (Type: `CancelDomainConfigChangeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -694,7 +689,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelDomainConfigChangeOutput.httpOutput(from:), CancelDomainConfigChangeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -726,9 +720,9 @@ extension ElasticsearchClient { /// /// Cancels a scheduled service software update for an Amazon ES domain. You can only perform this operation before the AutomatedUpdateDate and when the UpdateStatus is in the PENDING_UPDATE state. /// - /// - Parameter CancelElasticsearchServiceSoftwareUpdateInput : Container for the parameters to the [CancelElasticsearchServiceSoftwareUpdate] operation. Specifies the name of the Elasticsearch domain that you wish to cancel a service software update on. + /// - Parameter input: Container for the parameters to the [CancelElasticsearchServiceSoftwareUpdate] operation. Specifies the name of the Elasticsearch domain that you wish to cancel a service software update on. (Type: `CancelElasticsearchServiceSoftwareUpdateInput`) /// - /// - Returns: `CancelElasticsearchServiceSoftwareUpdateOutput` : The result of a CancelElasticsearchServiceSoftwareUpdate operation. Contains the status of the update. + /// - Returns: The result of a CancelElasticsearchServiceSoftwareUpdate operation. Contains the status of the update. (Type: `CancelElasticsearchServiceSoftwareUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -765,7 +759,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelElasticsearchServiceSoftwareUpdateOutput.httpOutput(from:), CancelElasticsearchServiceSoftwareUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -797,9 +790,9 @@ extension ElasticsearchClient { /// /// Creates a new Elasticsearch domain. For more information, see [Creating Elasticsearch Domains](http://docs.aws.amazon.com/elasticsearch-service/latest/developerguide/es-createupdatedomains.html#es-createdomains) in the Amazon Elasticsearch Service Developer Guide. /// - /// - Parameter CreateElasticsearchDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateElasticsearchDomainInput`) /// - /// - Returns: `CreateElasticsearchDomainOutput` : The result of a CreateElasticsearchDomain operation. Contains the status of the newly created Elasticsearch domain. + /// - Returns: The result of a CreateElasticsearchDomain operation. Contains the status of the newly created Elasticsearch domain. (Type: `CreateElasticsearchDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -839,7 +832,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateElasticsearchDomainOutput.httpOutput(from:), CreateElasticsearchDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -871,9 +863,9 @@ extension ElasticsearchClient { /// /// Creates a new cross-cluster search connection from a source domain to a destination domain. /// - /// - Parameter CreateOutboundCrossClusterSearchConnectionInput : Container for the parameters to the [CreateOutboundCrossClusterSearchConnection] operation. + /// - Parameter input: Container for the parameters to the [CreateOutboundCrossClusterSearchConnection] operation. (Type: `CreateOutboundCrossClusterSearchConnectionInput`) /// - /// - Returns: `CreateOutboundCrossClusterSearchConnectionOutput` : The result of a [CreateOutboundCrossClusterSearchConnection] request. Contains the details of the newly created cross-cluster search connection. + /// - Returns: The result of a [CreateOutboundCrossClusterSearchConnection] request. Contains the details of the newly created cross-cluster search connection. (Type: `CreateOutboundCrossClusterSearchConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -910,7 +902,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOutboundCrossClusterSearchConnectionOutput.httpOutput(from:), CreateOutboundCrossClusterSearchConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -942,9 +933,9 @@ extension ElasticsearchClient { /// /// Create a package for use with Amazon ES domains. /// - /// - Parameter CreatePackageInput : Container for request parameters to [CreatePackage] operation. + /// - Parameter input: Container for request parameters to [CreatePackage] operation. (Type: `CreatePackageInput`) /// - /// - Returns: `CreatePackageOutput` : Container for response returned by [CreatePackage] operation. + /// - Returns: Container for response returned by [CreatePackage] operation. (Type: `CreatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -984,7 +975,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePackageOutput.httpOutput(from:), CreatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1016,9 +1006,9 @@ extension ElasticsearchClient { /// /// Creates an Amazon OpenSearch Service-managed VPC endpoint. /// - /// - Parameter CreateVpcEndpointInput : Container for the parameters to the [CreateVpcEndpointRequest] operation. + /// - Parameter input: Container for the parameters to the [CreateVpcEndpointRequest] operation. (Type: `CreateVpcEndpointInput`) /// - /// - Returns: `CreateVpcEndpointOutput` : Container for response parameters to the [CreateVpcEndpoint] operation. Contains the configuration and status of the VPC Endpoint being created. + /// - Returns: Container for response parameters to the [CreateVpcEndpoint] operation. Contains the configuration and status of the VPC Endpoint being created. (Type: `CreateVpcEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1057,7 +1047,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcEndpointOutput.httpOutput(from:), CreateVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1089,9 +1078,9 @@ extension ElasticsearchClient { /// /// Permanently deletes the specified Elasticsearch domain and all of its data. Once a domain is deleted, it cannot be recovered. /// - /// - Parameter DeleteElasticsearchDomainInput : Container for the parameters to the [DeleteElasticsearchDomain] operation. Specifies the name of the Elasticsearch domain that you want to delete. + /// - Parameter input: Container for the parameters to the [DeleteElasticsearchDomain] operation. Specifies the name of the Elasticsearch domain that you want to delete. (Type: `DeleteElasticsearchDomainInput`) /// - /// - Returns: `DeleteElasticsearchDomainOutput` : The result of a DeleteElasticsearchDomain request. Contains the status of the pending deletion, or no status if the domain and all of its resources have been deleted. + /// - Returns: The result of a DeleteElasticsearchDomain request. Contains the status of the pending deletion, or no status if the domain and all of its resources have been deleted. (Type: `DeleteElasticsearchDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1125,7 +1114,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteElasticsearchDomainOutput.httpOutput(from:), DeleteElasticsearchDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1157,9 +1145,9 @@ extension ElasticsearchClient { /// /// Deletes the service-linked role that Elasticsearch Service uses to manage and maintain VPC domains. Role deletion will fail if any existing VPC domains use the role. You must delete any such Elasticsearch domains before deleting the role. See [Deleting Elasticsearch Service Role](http://docs.aws.amazon.com/elasticsearch-service/latest/developerguide/es-vpc.html#es-enabling-slr) in VPC Endpoints for Amazon Elasticsearch Service Domains. /// - /// - Parameter DeleteElasticsearchServiceRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteElasticsearchServiceRoleInput`) /// - /// - Returns: `DeleteElasticsearchServiceRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteElasticsearchServiceRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1192,7 +1180,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteElasticsearchServiceRoleOutput.httpOutput(from:), DeleteElasticsearchServiceRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1224,9 +1211,9 @@ extension ElasticsearchClient { /// /// Allows the destination domain owner to delete an existing inbound cross-cluster search connection. /// - /// - Parameter DeleteInboundCrossClusterSearchConnectionInput : Container for the parameters to the [DeleteInboundCrossClusterSearchConnection] operation. + /// - Parameter input: Container for the parameters to the [DeleteInboundCrossClusterSearchConnection] operation. (Type: `DeleteInboundCrossClusterSearchConnectionInput`) /// - /// - Returns: `DeleteInboundCrossClusterSearchConnectionOutput` : The result of a [DeleteInboundCrossClusterSearchConnection] operation. Contains details of deleted inbound connection. + /// - Returns: The result of a [DeleteInboundCrossClusterSearchConnection] operation. Contains details of deleted inbound connection. (Type: `DeleteInboundCrossClusterSearchConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1258,7 +1245,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInboundCrossClusterSearchConnectionOutput.httpOutput(from:), DeleteInboundCrossClusterSearchConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1290,9 +1276,9 @@ extension ElasticsearchClient { /// /// Allows the source domain owner to delete an existing outbound cross-cluster search connection. /// - /// - Parameter DeleteOutboundCrossClusterSearchConnectionInput : Container for the parameters to the [DeleteOutboundCrossClusterSearchConnection] operation. + /// - Parameter input: Container for the parameters to the [DeleteOutboundCrossClusterSearchConnection] operation. (Type: `DeleteOutboundCrossClusterSearchConnectionInput`) /// - /// - Returns: `DeleteOutboundCrossClusterSearchConnectionOutput` : The result of a [DeleteOutboundCrossClusterSearchConnection] operation. Contains details of deleted outbound connection. + /// - Returns: The result of a [DeleteOutboundCrossClusterSearchConnection] operation. Contains details of deleted outbound connection. (Type: `DeleteOutboundCrossClusterSearchConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1324,7 +1310,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOutboundCrossClusterSearchConnectionOutput.httpOutput(from:), DeleteOutboundCrossClusterSearchConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1356,9 +1341,9 @@ extension ElasticsearchClient { /// /// Delete the package. /// - /// - Parameter DeletePackageInput : Container for request parameters to [DeletePackage] operation. + /// - Parameter input: Container for request parameters to [DeletePackage] operation. (Type: `DeletePackageInput`) /// - /// - Returns: `DeletePackageOutput` : Container for response parameters to [DeletePackage] operation. + /// - Returns: Container for response parameters to [DeletePackage] operation. (Type: `DeletePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1394,7 +1379,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePackageOutput.httpOutput(from:), DeletePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1426,9 +1410,9 @@ extension ElasticsearchClient { /// /// Deletes an Amazon OpenSearch Service-managed interface VPC endpoint. /// - /// - Parameter DeleteVpcEndpointInput : Deletes an Amazon OpenSearch Service-managed interface VPC endpoint. + /// - Parameter input: Deletes an Amazon OpenSearch Service-managed interface VPC endpoint. (Type: `DeleteVpcEndpointInput`) /// - /// - Returns: `DeleteVpcEndpointOutput` : Container for response parameters to the [DeleteVpcEndpoint] operation. Contains the summarized detail of the VPC Endpoint being deleted. + /// - Returns: Container for response parameters to the [DeleteVpcEndpoint] operation. Contains the summarized detail of the VPC Endpoint being deleted. (Type: `DeleteVpcEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1462,7 +1446,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcEndpointOutput.httpOutput(from:), DeleteVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1494,9 +1477,9 @@ extension ElasticsearchClient { /// /// Provides scheduled Auto-Tune action details for the Elasticsearch domain, such as Auto-Tune action type, description, severity, and scheduled date. /// - /// - Parameter DescribeDomainAutoTunesInput : Container for the parameters to the DescribeDomainAutoTunes operation. + /// - Parameter input: Container for the parameters to the DescribeDomainAutoTunes operation. (Type: `DescribeDomainAutoTunesInput`) /// - /// - Returns: `DescribeDomainAutoTunesOutput` : The result of DescribeDomainAutoTunes request. See the [Developer Guide](https://docs.aws.amazon.com/elasticsearch-service/latest/developerguide/auto-tune.html) for more information. + /// - Returns: The result of DescribeDomainAutoTunes request. See the [Developer Guide](https://docs.aws.amazon.com/elasticsearch-service/latest/developerguide/auto-tune.html) for more information. (Type: `DescribeDomainAutoTunesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1533,7 +1516,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainAutoTunesOutput.httpOutput(from:), DescribeDomainAutoTunesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1565,9 +1547,9 @@ extension ElasticsearchClient { /// /// Returns information about the current blue/green deployment happening on a domain, including a change ID, status, and progress stages. /// - /// - Parameter DescribeDomainChangeProgressInput : Container for the parameters to the DescribeDomainChangeProgress operation. Specifies the domain name and optional change specific identity for which you want progress information. + /// - Parameter input: Container for the parameters to the DescribeDomainChangeProgress operation. Specifies the domain name and optional change specific identity for which you want progress information. (Type: `DescribeDomainChangeProgressInput`) /// - /// - Returns: `DescribeDomainChangeProgressOutput` : The result of a DescribeDomainChangeProgress request. Contains the progress information of the requested domain change. + /// - Returns: The result of a DescribeDomainChangeProgress request. Contains the progress information of the requested domain change. (Type: `DescribeDomainChangeProgressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1602,7 +1584,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDomainChangeProgressInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainChangeProgressOutput.httpOutput(from:), DescribeDomainChangeProgressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1634,9 +1615,9 @@ extension ElasticsearchClient { /// /// Returns domain configuration information about the specified Elasticsearch domain, including the domain ID, domain endpoint, and domain ARN. /// - /// - Parameter DescribeElasticsearchDomainInput : Container for the parameters to the [DescribeElasticsearchDomain] operation. + /// - Parameter input: Container for the parameters to the [DescribeElasticsearchDomain] operation. (Type: `DescribeElasticsearchDomainInput`) /// - /// - Returns: `DescribeElasticsearchDomainOutput` : The result of a DescribeElasticsearchDomain request. Contains the status of the domain specified in the request. + /// - Returns: The result of a DescribeElasticsearchDomain request. Contains the status of the domain specified in the request. (Type: `DescribeElasticsearchDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1670,7 +1651,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeElasticsearchDomainOutput.httpOutput(from:), DescribeElasticsearchDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1702,9 +1682,9 @@ extension ElasticsearchClient { /// /// Provides cluster configuration information about the specified Elasticsearch domain, such as the state, creation date, update version, and update date for cluster options. /// - /// - Parameter DescribeElasticsearchDomainConfigInput : Container for the parameters to the DescribeElasticsearchDomainConfig operation. Specifies the domain name for which you want configuration information. + /// - Parameter input: Container for the parameters to the DescribeElasticsearchDomainConfig operation. Specifies the domain name for which you want configuration information. (Type: `DescribeElasticsearchDomainConfigInput`) /// - /// - Returns: `DescribeElasticsearchDomainConfigOutput` : The result of a DescribeElasticsearchDomainConfig request. Contains the configuration information of the requested domain. + /// - Returns: The result of a DescribeElasticsearchDomainConfig request. Contains the configuration information of the requested domain. (Type: `DescribeElasticsearchDomainConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1738,7 +1718,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeElasticsearchDomainConfigOutput.httpOutput(from:), DescribeElasticsearchDomainConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1770,9 +1749,9 @@ extension ElasticsearchClient { /// /// Returns domain configuration information about the specified Elasticsearch domains, including the domain ID, domain endpoint, and domain ARN. /// - /// - Parameter DescribeElasticsearchDomainsInput : Container for the parameters to the [DescribeElasticsearchDomains] operation. By default, the API returns the status of all Elasticsearch domains. + /// - Parameter input: Container for the parameters to the [DescribeElasticsearchDomains] operation. By default, the API returns the status of all Elasticsearch domains. (Type: `DescribeElasticsearchDomainsInput`) /// - /// - Returns: `DescribeElasticsearchDomainsOutput` : The result of a DescribeElasticsearchDomains request. Contains the status of the specified domains or all domains owned by the account. + /// - Returns: The result of a DescribeElasticsearchDomains request. Contains the status of the specified domains or all domains owned by the account. (Type: `DescribeElasticsearchDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1808,7 +1787,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeElasticsearchDomainsOutput.httpOutput(from:), DescribeElasticsearchDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1840,9 +1818,9 @@ extension ElasticsearchClient { /// /// Describe Elasticsearch Limits for a given InstanceType and ElasticsearchVersion. When modifying existing Domain, specify the [DomainName] to know what Limits are supported for modifying. /// - /// - Parameter DescribeElasticsearchInstanceTypeLimitsInput : Container for the parameters to [DescribeElasticsearchInstanceTypeLimits] operation. + /// - Parameter input: Container for the parameters to [DescribeElasticsearchInstanceTypeLimits] operation. (Type: `DescribeElasticsearchInstanceTypeLimitsInput`) /// - /// - Returns: `DescribeElasticsearchInstanceTypeLimitsOutput` : Container for the parameters received from [DescribeElasticsearchInstanceTypeLimits] operation. + /// - Returns: Container for the parameters received from [DescribeElasticsearchInstanceTypeLimits] operation. (Type: `DescribeElasticsearchInstanceTypeLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1879,7 +1857,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeElasticsearchInstanceTypeLimitsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeElasticsearchInstanceTypeLimitsOutput.httpOutput(from:), DescribeElasticsearchInstanceTypeLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1911,9 +1888,9 @@ extension ElasticsearchClient { /// /// Lists all the inbound cross-cluster search connections for a destination domain. /// - /// - Parameter DescribeInboundCrossClusterSearchConnectionsInput : Container for the parameters to the [DescribeInboundCrossClusterSearchConnections] operation. + /// - Parameter input: Container for the parameters to the [DescribeInboundCrossClusterSearchConnections] operation. (Type: `DescribeInboundCrossClusterSearchConnectionsInput`) /// - /// - Returns: `DescribeInboundCrossClusterSearchConnectionsOutput` : The result of a [DescribeInboundCrossClusterSearchConnections] request. Contains the list of connections matching the filter criteria. + /// - Returns: The result of a [DescribeInboundCrossClusterSearchConnections] request. Contains the list of connections matching the filter criteria. (Type: `DescribeInboundCrossClusterSearchConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1948,7 +1925,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInboundCrossClusterSearchConnectionsOutput.httpOutput(from:), DescribeInboundCrossClusterSearchConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1980,9 +1956,9 @@ extension ElasticsearchClient { /// /// Lists all the outbound cross-cluster search connections for a source domain. /// - /// - Parameter DescribeOutboundCrossClusterSearchConnectionsInput : Container for the parameters to the [DescribeOutboundCrossClusterSearchConnections] operation. + /// - Parameter input: Container for the parameters to the [DescribeOutboundCrossClusterSearchConnections] operation. (Type: `DescribeOutboundCrossClusterSearchConnectionsInput`) /// - /// - Returns: `DescribeOutboundCrossClusterSearchConnectionsOutput` : The result of a [DescribeOutboundCrossClusterSearchConnections] request. Contains the list of connections matching the filter criteria. + /// - Returns: The result of a [DescribeOutboundCrossClusterSearchConnections] request. Contains the list of connections matching the filter criteria. (Type: `DescribeOutboundCrossClusterSearchConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2017,7 +1993,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOutboundCrossClusterSearchConnectionsOutput.httpOutput(from:), DescribeOutboundCrossClusterSearchConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2049,9 +2024,9 @@ extension ElasticsearchClient { /// /// Describes all packages available to Amazon ES. Includes options for filtering, limiting the number of results, and pagination. /// - /// - Parameter DescribePackagesInput : Container for request parameters to [DescribePackage] operation. + /// - Parameter input: Container for request parameters to [DescribePackage] operation. (Type: `DescribePackagesInput`) /// - /// - Returns: `DescribePackagesOutput` : Container for response returned by [DescribePackages] operation. + /// - Returns: Container for response returned by [DescribePackages] operation. (Type: `DescribePackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2089,7 +2064,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePackagesOutput.httpOutput(from:), DescribePackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2121,9 +2095,9 @@ extension ElasticsearchClient { /// /// Lists available reserved Elasticsearch instance offerings. /// - /// - Parameter DescribeReservedElasticsearchInstanceOfferingsInput : Container for parameters to DescribeReservedElasticsearchInstanceOfferings + /// - Parameter input: Container for parameters to DescribeReservedElasticsearchInstanceOfferings (Type: `DescribeReservedElasticsearchInstanceOfferingsInput`) /// - /// - Returns: `DescribeReservedElasticsearchInstanceOfferingsOutput` : Container for results from DescribeReservedElasticsearchInstanceOfferings + /// - Returns: Container for results from DescribeReservedElasticsearchInstanceOfferings (Type: `DescribeReservedElasticsearchInstanceOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2158,7 +2132,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeReservedElasticsearchInstanceOfferingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedElasticsearchInstanceOfferingsOutput.httpOutput(from:), DescribeReservedElasticsearchInstanceOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2190,9 +2163,9 @@ extension ElasticsearchClient { /// /// Returns information about reserved Elasticsearch instances for this account. /// - /// - Parameter DescribeReservedElasticsearchInstancesInput : Container for parameters to DescribeReservedElasticsearchInstances + /// - Parameter input: Container for parameters to DescribeReservedElasticsearchInstances (Type: `DescribeReservedElasticsearchInstancesInput`) /// - /// - Returns: `DescribeReservedElasticsearchInstancesOutput` : Container for results from DescribeReservedElasticsearchInstances + /// - Returns: Container for results from DescribeReservedElasticsearchInstances (Type: `DescribeReservedElasticsearchInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2227,7 +2200,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeReservedElasticsearchInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedElasticsearchInstancesOutput.httpOutput(from:), DescribeReservedElasticsearchInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2259,9 +2231,9 @@ extension ElasticsearchClient { /// /// Describes one or more Amazon OpenSearch Service-managed VPC endpoints. /// - /// - Parameter DescribeVpcEndpointsInput : Container for request parameters to the [DescribeVpcEndpoints] operation. Specifies the list of VPC endpoints to be described. + /// - Parameter input: Container for request parameters to the [DescribeVpcEndpoints] operation. Specifies the list of VPC endpoints to be described. (Type: `DescribeVpcEndpointsInput`) /// - /// - Returns: `DescribeVpcEndpointsOutput` : Container for response parameters to the [DescribeVpcEndpoints] operation. Returns a list containing configuration details and status of the VPC Endpoints as well as a list containing error responses of the endpoints that could not be described + /// - Returns: Container for response parameters to the [DescribeVpcEndpoints] operation. Returns a list containing configuration details and status of the VPC Endpoints as well as a list containing error responses of the endpoints that could not be described (Type: `DescribeVpcEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2298,7 +2270,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcEndpointsOutput.httpOutput(from:), DescribeVpcEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2330,9 +2301,9 @@ extension ElasticsearchClient { /// /// Dissociates a package from the Amazon ES domain. /// - /// - Parameter DissociatePackageInput : Container for request parameters to [DissociatePackage] operation. + /// - Parameter input: Container for request parameters to [DissociatePackage] operation. (Type: `DissociatePackageInput`) /// - /// - Returns: `DissociatePackageOutput` : Container for response returned by [DissociatePackage] operation. + /// - Returns: Container for response returned by [DissociatePackage] operation. (Type: `DissociatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2368,7 +2339,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DissociatePackageOutput.httpOutput(from:), DissociatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2400,9 +2370,9 @@ extension ElasticsearchClient { /// /// Returns a list of upgrade compatible Elastisearch versions. You can optionally pass a [DomainName] to get all upgrade compatible Elasticsearch versions for that specific domain. /// - /// - Parameter GetCompatibleElasticsearchVersionsInput : Container for request parameters to [GetCompatibleElasticsearchVersions] operation. + /// - Parameter input: Container for request parameters to [GetCompatibleElasticsearchVersions] operation. (Type: `GetCompatibleElasticsearchVersionsInput`) /// - /// - Returns: `GetCompatibleElasticsearchVersionsOutput` : Container for response returned by [GetCompatibleElasticsearchVersions] operation. + /// - Returns: Container for response returned by [GetCompatibleElasticsearchVersions] operation. (Type: `GetCompatibleElasticsearchVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2438,7 +2408,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCompatibleElasticsearchVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCompatibleElasticsearchVersionsOutput.httpOutput(from:), GetCompatibleElasticsearchVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2470,9 +2439,9 @@ extension ElasticsearchClient { /// /// Returns a list of versions of the package, along with their creation time and commit message. /// - /// - Parameter GetPackageVersionHistoryInput : Container for request parameters to [GetPackageVersionHistory] operation. + /// - Parameter input: Container for request parameters to [GetPackageVersionHistory] operation. (Type: `GetPackageVersionHistoryInput`) /// - /// - Returns: `GetPackageVersionHistoryOutput` : Container for response returned by [GetPackageVersionHistory] operation. + /// - Returns: Container for response returned by [GetPackageVersionHistory] operation. (Type: `GetPackageVersionHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2508,7 +2477,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPackageVersionHistoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPackageVersionHistoryOutput.httpOutput(from:), GetPackageVersionHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2540,9 +2508,9 @@ extension ElasticsearchClient { /// /// Retrieves the complete history of the last 10 upgrades that were performed on the domain. /// - /// - Parameter GetUpgradeHistoryInput : Container for request parameters to [GetUpgradeHistory] operation. + /// - Parameter input: Container for request parameters to [GetUpgradeHistory] operation. (Type: `GetUpgradeHistoryInput`) /// - /// - Returns: `GetUpgradeHistoryOutput` : Container for response returned by [GetUpgradeHistory] operation. + /// - Returns: Container for response returned by [GetUpgradeHistory] operation. (Type: `GetUpgradeHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2578,7 +2546,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetUpgradeHistoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUpgradeHistoryOutput.httpOutput(from:), GetUpgradeHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2610,9 +2577,9 @@ extension ElasticsearchClient { /// /// Retrieves the latest status of the last upgrade or upgrade eligibility check that was performed on the domain. /// - /// - Parameter GetUpgradeStatusInput : Container for request parameters to [GetUpgradeStatus] operation. + /// - Parameter input: Container for request parameters to [GetUpgradeStatus] operation. (Type: `GetUpgradeStatusInput`) /// - /// - Returns: `GetUpgradeStatusOutput` : Container for response returned by [GetUpgradeStatus] operation. + /// - Returns: Container for response returned by [GetUpgradeStatus] operation. (Type: `GetUpgradeStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2647,7 +2614,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUpgradeStatusOutput.httpOutput(from:), GetUpgradeStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2679,9 +2645,9 @@ extension ElasticsearchClient { /// /// Returns the name of all Elasticsearch domains owned by the current user's account. /// - /// - Parameter ListDomainNamesInput : Container for the parameters to the [ListDomainNames] operation. + /// - Parameter input: Container for the parameters to the [ListDomainNames] operation. (Type: `ListDomainNamesInput`) /// - /// - Returns: `ListDomainNamesOutput` : The result of a ListDomainNames operation. Contains the names of all domains owned by this account and their respective engine types. + /// - Returns: The result of a ListDomainNames operation. Contains the names of all domains owned by this account and their respective engine types. (Type: `ListDomainNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2714,7 +2680,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainNamesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainNamesOutput.httpOutput(from:), ListDomainNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2746,9 +2711,9 @@ extension ElasticsearchClient { /// /// Lists all Amazon ES domains associated with the package. /// - /// - Parameter ListDomainsForPackageInput : Container for request parameters to [ListDomainsForPackage] operation. + /// - Parameter input: Container for request parameters to [ListDomainsForPackage] operation. (Type: `ListDomainsForPackageInput`) /// - /// - Returns: `ListDomainsForPackageOutput` : Container for response parameters to [ListDomainsForPackage] operation. + /// - Returns: Container for response parameters to [ListDomainsForPackage] operation. (Type: `ListDomainsForPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2784,7 +2749,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainsForPackageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsForPackageOutput.httpOutput(from:), ListDomainsForPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2816,9 +2780,9 @@ extension ElasticsearchClient { /// /// List all Elasticsearch instance types that are supported for given ElasticsearchVersion /// - /// - Parameter ListElasticsearchInstanceTypesInput : Container for the parameters to the [ListElasticsearchInstanceTypes] operation. + /// - Parameter input: Container for the parameters to the [ListElasticsearchInstanceTypes] operation. (Type: `ListElasticsearchInstanceTypesInput`) /// - /// - Returns: `ListElasticsearchInstanceTypesOutput` : Container for the parameters returned by [ListElasticsearchInstanceTypes] operation. + /// - Returns: Container for the parameters returned by [ListElasticsearchInstanceTypes] operation. (Type: `ListElasticsearchInstanceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2853,7 +2817,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListElasticsearchInstanceTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListElasticsearchInstanceTypesOutput.httpOutput(from:), ListElasticsearchInstanceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2885,9 +2848,9 @@ extension ElasticsearchClient { /// /// List all supported Elasticsearch versions /// - /// - Parameter ListElasticsearchVersionsInput : Container for the parameters to the [ListElasticsearchVersions] operation. Use [MaxResults] to control the maximum number of results to retrieve in a single call. Use [NextToken] in response to retrieve more results. If the received response does not contain a NextToken, then there are no more results to retrieve. + /// - Parameter input: Container for the parameters to the [ListElasticsearchVersions] operation. Use [MaxResults] to control the maximum number of results to retrieve in a single call. Use [NextToken] in response to retrieve more results. If the received response does not contain a NextToken, then there are no more results to retrieve. (Type: `ListElasticsearchVersionsInput`) /// - /// - Returns: `ListElasticsearchVersionsOutput` : Container for the parameters for response received from [ListElasticsearchVersions] operation. + /// - Returns: Container for the parameters for response received from [ListElasticsearchVersions] operation. (Type: `ListElasticsearchVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2922,7 +2885,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListElasticsearchVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListElasticsearchVersionsOutput.httpOutput(from:), ListElasticsearchVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2954,9 +2916,9 @@ extension ElasticsearchClient { /// /// Lists all packages associated with the Amazon ES domain. /// - /// - Parameter ListPackagesForDomainInput : Container for request parameters to [ListPackagesForDomain] operation. + /// - Parameter input: Container for request parameters to [ListPackagesForDomain] operation. (Type: `ListPackagesForDomainInput`) /// - /// - Returns: `ListPackagesForDomainOutput` : Container for response parameters to [ListPackagesForDomain] operation. + /// - Returns: Container for response parameters to [ListPackagesForDomain] operation. (Type: `ListPackagesForDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2992,7 +2954,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackagesForDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackagesForDomainOutput.httpOutput(from:), ListPackagesForDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3024,9 +2985,9 @@ extension ElasticsearchClient { /// /// Returns all tags for the given Elasticsearch domain. /// - /// - Parameter ListTagsInput : Container for the parameters to the [ListTags] operation. Specify the ARN for the Elasticsearch domain to which the tags are attached that you want to view are attached. + /// - Parameter input: Container for the parameters to the [ListTags] operation. Specify the ARN for the Elasticsearch domain to which the tags are attached that you want to view are attached. (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : The result of a ListTags operation. Contains tags for all requested Elasticsearch domains. + /// - Returns: The result of a ListTags operation. Contains tags for all requested Elasticsearch domains. (Type: `ListTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3061,7 +3022,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3093,9 +3053,9 @@ extension ElasticsearchClient { /// /// Retrieves information about each principal that is allowed to access a given Amazon OpenSearch Service domain through the use of an interface VPC endpoint. /// - /// - Parameter ListVpcEndpointAccessInput : Retrieves information about each principal that is allowed to access a given Amazon OpenSearch Service domain through the use of an interface VPC endpoint + /// - Parameter input: Retrieves information about each principal that is allowed to access a given Amazon OpenSearch Service domain through the use of an interface VPC endpoint (Type: `ListVpcEndpointAccessInput`) /// - /// - Returns: `ListVpcEndpointAccessOutput` : Container for response parameters to the [ListVpcEndpointAccess] operation. Returns a list of accounts id and account type authorized to manage VPC endpoints. + /// - Returns: Container for response parameters to the [ListVpcEndpointAccess] operation. Returns a list of accounts id and account type authorized to manage VPC endpoints. (Type: `ListVpcEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3130,7 +3090,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVpcEndpointAccessInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcEndpointAccessOutput.httpOutput(from:), ListVpcEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3162,9 +3121,9 @@ extension ElasticsearchClient { /// /// Retrieves all Amazon OpenSearch Service-managed VPC endpoints in the current account and Region. /// - /// - Parameter ListVpcEndpointsInput : Container for request parameters to the [ListVpcEndpoints] operation. + /// - Parameter input: Container for request parameters to the [ListVpcEndpoints] operation. (Type: `ListVpcEndpointsInput`) /// - /// - Returns: `ListVpcEndpointsOutput` : Container for response parameters to the [ListVpcEndpoints] operation. Returns a list containing summarized details of the VPC endpoints. + /// - Returns: Container for response parameters to the [ListVpcEndpoints] operation. Returns a list containing summarized details of the VPC endpoints. (Type: `ListVpcEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3198,7 +3157,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVpcEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcEndpointsOutput.httpOutput(from:), ListVpcEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3230,9 +3188,9 @@ extension ElasticsearchClient { /// /// Retrieves all Amazon OpenSearch Service-managed VPC endpoints associated with a particular domain. /// - /// - Parameter ListVpcEndpointsForDomainInput : Container for request parameters to the [ListVpcEndpointsForDomain] operation. Specifies the domain whose VPC endpoints will be listed. + /// - Parameter input: Container for request parameters to the [ListVpcEndpointsForDomain] operation. Specifies the domain whose VPC endpoints will be listed. (Type: `ListVpcEndpointsForDomainInput`) /// - /// - Returns: `ListVpcEndpointsForDomainOutput` : Container for response parameters to the [ListVpcEndpointsForDomain] operation. Returns a list containing summarized details of the VPC endpoints. + /// - Returns: Container for response parameters to the [ListVpcEndpointsForDomain] operation. Returns a list containing summarized details of the VPC endpoints. (Type: `ListVpcEndpointsForDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3267,7 +3225,6 @@ extension ElasticsearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVpcEndpointsForDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcEndpointsForDomainOutput.httpOutput(from:), ListVpcEndpointsForDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3299,9 +3256,9 @@ extension ElasticsearchClient { /// /// Allows you to purchase reserved Elasticsearch instances. /// - /// - Parameter PurchaseReservedElasticsearchInstanceOfferingInput : Container for parameters to PurchaseReservedElasticsearchInstanceOffering + /// - Parameter input: Container for parameters to PurchaseReservedElasticsearchInstanceOffering (Type: `PurchaseReservedElasticsearchInstanceOfferingInput`) /// - /// - Returns: `PurchaseReservedElasticsearchInstanceOfferingOutput` : Represents the output of a PurchaseReservedElasticsearchInstanceOffering operation. + /// - Returns: Represents the output of a PurchaseReservedElasticsearchInstanceOffering operation. (Type: `PurchaseReservedElasticsearchInstanceOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3340,7 +3297,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseReservedElasticsearchInstanceOfferingOutput.httpOutput(from:), PurchaseReservedElasticsearchInstanceOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3372,9 +3328,9 @@ extension ElasticsearchClient { /// /// Allows the destination domain owner to reject an inbound cross-cluster search connection request. /// - /// - Parameter RejectInboundCrossClusterSearchConnectionInput : Container for the parameters to the [RejectInboundCrossClusterSearchConnection] operation. + /// - Parameter input: Container for the parameters to the [RejectInboundCrossClusterSearchConnection] operation. (Type: `RejectInboundCrossClusterSearchConnectionInput`) /// - /// - Returns: `RejectInboundCrossClusterSearchConnectionOutput` : The result of a [RejectInboundCrossClusterSearchConnection] operation. Contains details of rejected inbound connection. + /// - Returns: The result of a [RejectInboundCrossClusterSearchConnection] operation. Contains details of rejected inbound connection. (Type: `RejectInboundCrossClusterSearchConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3406,7 +3362,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectInboundCrossClusterSearchConnectionOutput.httpOutput(from:), RejectInboundCrossClusterSearchConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3438,9 +3393,9 @@ extension ElasticsearchClient { /// /// Removes the specified set of tags from the specified Elasticsearch domain. /// - /// - Parameter RemoveTagsInput : Container for the parameters to the [RemoveTags] operation. Specify the ARN for the Elasticsearch domain from which you want to remove the specified TagKey. + /// - Parameter input: Container for the parameters to the [RemoveTags] operation. Specify the ARN for the Elasticsearch domain from which you want to remove the specified TagKey. (Type: `RemoveTagsInput`) /// - /// - Returns: `RemoveTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3476,7 +3431,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsOutput.httpOutput(from:), RemoveTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3508,9 +3462,9 @@ extension ElasticsearchClient { /// /// Revokes access to an Amazon OpenSearch Service domain that was provided through an interface VPC endpoint. /// - /// - Parameter RevokeVpcEndpointAccessInput : Revokes access to an Amazon OpenSearch Service domain that was provided through an interface VPC endpoint. + /// - Parameter input: Revokes access to an Amazon OpenSearch Service domain that was provided through an interface VPC endpoint. (Type: `RevokeVpcEndpointAccessInput`) /// - /// - Returns: `RevokeVpcEndpointAccessOutput` : Container for response parameters to the [RevokeVpcEndpointAccess] operation. The response body for this operation is empty. + /// - Returns: Container for response parameters to the [RevokeVpcEndpointAccess] operation. The response body for this operation is empty. (Type: `RevokeVpcEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3548,7 +3502,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeVpcEndpointAccessOutput.httpOutput(from:), RevokeVpcEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3580,9 +3533,9 @@ extension ElasticsearchClient { /// /// Schedules a service software update for an Amazon ES domain. /// - /// - Parameter StartElasticsearchServiceSoftwareUpdateInput : Container for the parameters to the [StartElasticsearchServiceSoftwareUpdate] operation. Specifies the name of the Elasticsearch domain that you wish to schedule a service software update on. + /// - Parameter input: Container for the parameters to the [StartElasticsearchServiceSoftwareUpdate] operation. Specifies the name of the Elasticsearch domain that you wish to schedule a service software update on. (Type: `StartElasticsearchServiceSoftwareUpdateInput`) /// - /// - Returns: `StartElasticsearchServiceSoftwareUpdateOutput` : The result of a StartElasticsearchServiceSoftwareUpdate operation. Contains the status of the update. + /// - Returns: The result of a StartElasticsearchServiceSoftwareUpdate operation. Contains the status of the update. (Type: `StartElasticsearchServiceSoftwareUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3619,7 +3572,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartElasticsearchServiceSoftwareUpdateOutput.httpOutput(from:), StartElasticsearchServiceSoftwareUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3651,9 +3603,9 @@ extension ElasticsearchClient { /// /// Modifies the cluster configuration of the specified Elasticsearch domain, setting as setting the instance type and the number of instances. /// - /// - Parameter UpdateElasticsearchDomainConfigInput : Container for the parameters to the [UpdateElasticsearchDomain] operation. Specifies the type and number of instances in the domain cluster. + /// - Parameter input: Container for the parameters to the [UpdateElasticsearchDomain] operation. Specifies the type and number of instances in the domain cluster. (Type: `UpdateElasticsearchDomainConfigInput`) /// - /// - Returns: `UpdateElasticsearchDomainConfigOutput` : The result of an UpdateElasticsearchDomain request. Contains the status of the Elasticsearch domain being updated. + /// - Returns: The result of an UpdateElasticsearchDomain request. Contains the status of the Elasticsearch domain being updated. (Type: `UpdateElasticsearchDomainConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3692,7 +3644,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateElasticsearchDomainConfigOutput.httpOutput(from:), UpdateElasticsearchDomainConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3724,9 +3675,9 @@ extension ElasticsearchClient { /// /// Updates a package for use with Amazon ES domains. /// - /// - Parameter UpdatePackageInput : Container for request parameters to [UpdatePackage] operation. + /// - Parameter input: Container for request parameters to [UpdatePackage] operation. (Type: `UpdatePackageInput`) /// - /// - Returns: `UpdatePackageOutput` : Container for response returned by [UpdatePackage] operation. + /// - Returns: Container for response returned by [UpdatePackage] operation. (Type: `UpdatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3765,7 +3716,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePackageOutput.httpOutput(from:), UpdatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3797,9 +3747,9 @@ extension ElasticsearchClient { /// /// Modifies an Amazon OpenSearch Service-managed interface VPC endpoint. /// - /// - Parameter UpdateVpcEndpointInput : Modifies an Amazon OpenSearch Service-managed interface VPC endpoint. + /// - Parameter input: Modifies an Amazon OpenSearch Service-managed interface VPC endpoint. (Type: `UpdateVpcEndpointInput`) /// - /// - Returns: `UpdateVpcEndpointOutput` : Contains the configuration and status of the VPC endpoint being updated. + /// - Returns: Contains the configuration and status of the VPC endpoint being updated. (Type: `UpdateVpcEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3838,7 +3788,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVpcEndpointOutput.httpOutput(from:), UpdateVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3870,9 +3819,9 @@ extension ElasticsearchClient { /// /// Allows you to either upgrade your domain or perform an Upgrade eligibility check to a compatible Elasticsearch version. /// - /// - Parameter UpgradeElasticsearchDomainInput : Container for request parameters to [UpgradeElasticsearchDomain] operation. + /// - Parameter input: Container for request parameters to [UpgradeElasticsearchDomain] operation. (Type: `UpgradeElasticsearchDomainInput`) /// - /// - Returns: `UpgradeElasticsearchDomainOutput` : Container for response returned by [UpgradeElasticsearchDomain] operation. + /// - Returns: Container for response returned by [UpgradeElasticsearchDomain] operation. (Type: `UpgradeElasticsearchDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3911,7 +3860,6 @@ extension ElasticsearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpgradeElasticsearchDomainOutput.httpOutput(from:), UpgradeElasticsearchDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEntityResolution/Sources/AWSEntityResolution/EntityResolutionClient.swift b/Sources/Services/AWSEntityResolution/Sources/AWSEntityResolution/EntityResolutionClient.swift index 3e80292e9a5..a58b45c0a08 100644 --- a/Sources/Services/AWSEntityResolution/Sources/AWSEntityResolution/EntityResolutionClient.swift +++ b/Sources/Services/AWSEntityResolution/Sources/AWSEntityResolution/EntityResolutionClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EntityResolutionClient: ClientRuntime.Client { public static let clientName = "EntityResolutionClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EntityResolutionClient.EntityResolutionClientConfiguration let serviceName = "EntityResolution" @@ -376,9 +375,9 @@ extension EntityResolutionClient { /// /// Adds a policy statement object. To retrieve a list of existing policy statements, use the GetPolicy API. /// - /// - Parameter AddPolicyStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddPolicyStatementInput`) /// - /// - Returns: `AddPolicyStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddPolicyStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddPolicyStatementOutput.httpOutput(from:), AddPolicyStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension EntityResolutionClient { /// /// Deletes multiple unique IDs in a matching workflow. /// - /// - Parameter BatchDeleteUniqueIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteUniqueIdInput`) /// - /// - Returns: `BatchDeleteUniqueIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteUniqueIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension EntityResolutionClient { builder.serialize(ClientRuntime.HeaderMiddleware(BatchDeleteUniqueIdInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteUniqueIdOutput.httpOutput(from:), BatchDeleteUniqueIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension EntityResolutionClient { /// /// Creates an IdMappingWorkflow object which stores the configuration of the data processing job to be run. Each IdMappingWorkflow must have a unique workflow name. To modify an existing workflow, use the UpdateIdMappingWorkflow API. Incremental processing is not supported for ID mapping workflows. /// - /// - Parameter CreateIdMappingWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIdMappingWorkflowInput`) /// - /// - Returns: `CreateIdMappingWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIdMappingWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIdMappingWorkflowOutput.httpOutput(from:), CreateIdMappingWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension EntityResolutionClient { /// /// Creates an ID namespace object which will help customers provide metadata explaining their dataset and how to use it. Each ID namespace must have a unique name. To modify an existing ID namespace, use the UpdateIdNamespace API. /// - /// - Parameter CreateIdNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIdNamespaceInput`) /// - /// - Returns: `CreateIdNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIdNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIdNamespaceOutput.httpOutput(from:), CreateIdNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension EntityResolutionClient { /// /// Creates a matching workflow that defines the configuration for a data processing job. The workflow name must be unique. To modify an existing workflow, use UpdateMatchingWorkflow. For workflows where resolutionType is ML_MATCHING or PROVIDER, incremental processing is not supported. /// - /// - Parameter CreateMatchingWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMatchingWorkflowInput`) /// - /// - Returns: `CreateMatchingWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMatchingWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMatchingWorkflowOutput.httpOutput(from:), CreateMatchingWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension EntityResolutionClient { /// /// Creates a schema mapping, which defines the schema of the input customer records table. The SchemaMapping also provides Entity Resolution with some metadata about the table, such as the attribute types of the columns and which columns to match on. /// - /// - Parameter CreateSchemaMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSchemaMappingInput`) /// - /// - Returns: `CreateSchemaMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSchemaMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSchemaMappingOutput.httpOutput(from:), CreateSchemaMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension EntityResolutionClient { /// /// Deletes the IdMappingWorkflow with a given name. This operation will succeed even if a workflow with the given name does not exist. /// - /// - Parameter DeleteIdMappingWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdMappingWorkflowInput`) /// - /// - Returns: `DeleteIdMappingWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdMappingWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +839,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdMappingWorkflowOutput.httpOutput(from:), DeleteIdMappingWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension EntityResolutionClient { /// /// Deletes the IdNamespace with a given name. /// - /// - Parameter DeleteIdNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdNamespaceInput`) /// - /// - Returns: `DeleteIdNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdNamespaceOutput.httpOutput(from:), DeleteIdNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +937,9 @@ extension EntityResolutionClient { /// /// Deletes the MatchingWorkflow with a given name. This operation will succeed even if a workflow with the given name does not exist. /// - /// - Parameter DeleteMatchingWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMatchingWorkflowInput`) /// - /// - Returns: `DeleteMatchingWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMatchingWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -983,7 +974,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMatchingWorkflowOutput.httpOutput(from:), DeleteMatchingWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1015,9 +1005,9 @@ extension EntityResolutionClient { /// /// Deletes the policy statement. /// - /// - Parameter DeletePolicyStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyStatementInput`) /// - /// - Returns: `DeletePolicyStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1053,7 +1043,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyStatementOutput.httpOutput(from:), DeletePolicyStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1085,9 +1074,9 @@ extension EntityResolutionClient { /// /// Deletes the SchemaMapping with a given name. This operation will succeed even if a schema with the given name does not exist. This operation will fail if there is a MatchingWorkflow object that references the SchemaMapping in the workflow's InputSourceConfig. /// - /// - Parameter DeleteSchemaMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSchemaMappingInput`) /// - /// - Returns: `DeleteSchemaMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSchemaMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1122,7 +1111,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSchemaMappingOutput.httpOutput(from:), DeleteSchemaMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1154,9 +1142,9 @@ extension EntityResolutionClient { /// /// Generates or retrieves Match IDs for records using a rule-based matching workflow. When you call this operation, it processes your records against the workflow's matching rules to identify potential matches. For existing records, it retrieves their Match IDs and associated rules. For records without matches, it generates new Match IDs. The operation saves results to Amazon S3. The processing type (processingType) you choose affects both the accuracy and response time of the operation. Additional charges apply for each API call, whether made through the Entity Resolution console or directly via the API. The rule-based matching workflow must exist and be active before calling this operation. /// - /// - Parameter GenerateMatchIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateMatchIdInput`) /// - /// - Returns: `GenerateMatchIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateMatchIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1194,7 +1182,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateMatchIdOutput.httpOutput(from:), GenerateMatchIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1226,9 +1213,9 @@ extension EntityResolutionClient { /// /// Returns the status, metrics, and errors (if there are any) that are associated with a job. /// - /// - Parameter GetIdMappingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdMappingJobInput`) /// - /// - Returns: `GetIdMappingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdMappingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1263,7 +1250,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdMappingJobOutput.httpOutput(from:), GetIdMappingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1295,9 +1281,9 @@ extension EntityResolutionClient { /// /// Returns the IdMappingWorkflow with a given name, if it exists. /// - /// - Parameter GetIdMappingWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdMappingWorkflowInput`) /// - /// - Returns: `GetIdMappingWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdMappingWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1332,7 +1318,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdMappingWorkflowOutput.httpOutput(from:), GetIdMappingWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1364,9 +1349,9 @@ extension EntityResolutionClient { /// /// Returns the IdNamespace with a given name, if it exists. /// - /// - Parameter GetIdNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdNamespaceInput`) /// - /// - Returns: `GetIdNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1401,7 +1386,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdNamespaceOutput.httpOutput(from:), GetIdNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1433,9 +1417,9 @@ extension EntityResolutionClient { /// /// Returns the corresponding Match ID of a customer record if the record has been processed in a rule-based matching workflow. You can call this API as a dry run of an incremental load on the rule-based matching workflow. /// - /// - Parameter GetMatchIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMatchIdInput`) /// - /// - Returns: `GetMatchIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMatchIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1473,7 +1457,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMatchIdOutput.httpOutput(from:), GetMatchIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1505,9 +1488,9 @@ extension EntityResolutionClient { /// /// Returns the status, metrics, and errors (if there are any) that are associated with a job. /// - /// - Parameter GetMatchingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMatchingJobInput`) /// - /// - Returns: `GetMatchingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMatchingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1542,7 +1525,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMatchingJobOutput.httpOutput(from:), GetMatchingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1574,9 +1556,9 @@ extension EntityResolutionClient { /// /// Returns the MatchingWorkflow with a given name, if it exists. /// - /// - Parameter GetMatchingWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMatchingWorkflowInput`) /// - /// - Returns: `GetMatchingWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMatchingWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1611,7 +1593,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMatchingWorkflowOutput.httpOutput(from:), GetMatchingWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1643,9 +1624,9 @@ extension EntityResolutionClient { /// /// Returns the resource-based policy. /// - /// - Parameter GetPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyInput`) /// - /// - Returns: `GetPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1680,7 +1661,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyOutput.httpOutput(from:), GetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1712,9 +1692,9 @@ extension EntityResolutionClient { /// /// Returns the ProviderService of a given name. /// - /// - Parameter GetProviderServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProviderServiceInput`) /// - /// - Returns: `GetProviderServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProviderServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1749,7 +1729,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProviderServiceOutput.httpOutput(from:), GetProviderServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1781,9 +1760,9 @@ extension EntityResolutionClient { /// /// Returns the SchemaMapping of a given name. /// - /// - Parameter GetSchemaMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaMappingInput`) /// - /// - Returns: `GetSchemaMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1818,7 +1797,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaMappingOutput.httpOutput(from:), GetSchemaMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1850,9 +1828,9 @@ extension EntityResolutionClient { /// /// Lists all ID mapping jobs for a given workflow. /// - /// - Parameter ListIdMappingJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdMappingJobsInput`) /// - /// - Returns: `ListIdMappingJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdMappingJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1888,7 +1866,6 @@ extension EntityResolutionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdMappingJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdMappingJobsOutput.httpOutput(from:), ListIdMappingJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1920,9 +1897,9 @@ extension EntityResolutionClient { /// /// Returns a list of all the IdMappingWorkflows that have been created for an Amazon Web Services account. /// - /// - Parameter ListIdMappingWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdMappingWorkflowsInput`) /// - /// - Returns: `ListIdMappingWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdMappingWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1957,7 +1934,6 @@ extension EntityResolutionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdMappingWorkflowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdMappingWorkflowsOutput.httpOutput(from:), ListIdMappingWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1989,9 +1965,9 @@ extension EntityResolutionClient { /// /// Returns a list of all ID namespaces. /// - /// - Parameter ListIdNamespacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdNamespacesInput`) /// - /// - Returns: `ListIdNamespacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdNamespacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2026,7 +2002,6 @@ extension EntityResolutionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdNamespacesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdNamespacesOutput.httpOutput(from:), ListIdNamespacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2058,9 +2033,9 @@ extension EntityResolutionClient { /// /// Lists all jobs for a given workflow. /// - /// - Parameter ListMatchingJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMatchingJobsInput`) /// - /// - Returns: `ListMatchingJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMatchingJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2096,7 +2071,6 @@ extension EntityResolutionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMatchingJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMatchingJobsOutput.httpOutput(from:), ListMatchingJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2128,9 +2102,9 @@ extension EntityResolutionClient { /// /// Returns a list of all the MatchingWorkflows that have been created for an Amazon Web Services account. /// - /// - Parameter ListMatchingWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMatchingWorkflowsInput`) /// - /// - Returns: `ListMatchingWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMatchingWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2165,7 +2139,6 @@ extension EntityResolutionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMatchingWorkflowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMatchingWorkflowsOutput.httpOutput(from:), ListMatchingWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2197,9 +2170,9 @@ extension EntityResolutionClient { /// /// Returns a list of all the ProviderServices that are available in this Amazon Web Services Region. /// - /// - Parameter ListProviderServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProviderServicesInput`) /// - /// - Returns: `ListProviderServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProviderServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2234,7 +2207,6 @@ extension EntityResolutionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProviderServicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProviderServicesOutput.httpOutput(from:), ListProviderServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2266,9 +2238,9 @@ extension EntityResolutionClient { /// /// Returns a list of all the SchemaMappings that have been created for an Amazon Web Services account. /// - /// - Parameter ListSchemaMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchemaMappingsInput`) /// - /// - Returns: `ListSchemaMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchemaMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2303,7 +2275,6 @@ extension EntityResolutionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSchemaMappingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchemaMappingsOutput.httpOutput(from:), ListSchemaMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2335,9 +2306,9 @@ extension EntityResolutionClient { /// /// Displays the tags associated with an Entity Resolution resource. In Entity Resolution, SchemaMapping, and MatchingWorkflow can be tagged. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2370,7 +2341,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2402,9 +2372,9 @@ extension EntityResolutionClient { /// /// Updates the resource-based policy. /// - /// - Parameter PutPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPolicyInput`) /// - /// - Returns: `PutPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2443,7 +2413,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPolicyOutput.httpOutput(from:), PutPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2475,9 +2444,9 @@ extension EntityResolutionClient { /// /// Starts the IdMappingJob of a workflow. The workflow must have previously been created using the CreateIdMappingWorkflow endpoint. /// - /// - Parameter StartIdMappingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartIdMappingJobInput`) /// - /// - Returns: `StartIdMappingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartIdMappingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2517,7 +2486,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartIdMappingJobOutput.httpOutput(from:), StartIdMappingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2549,9 +2517,9 @@ extension EntityResolutionClient { /// /// Starts the MatchingJob of a workflow. The workflow must have previously been created using the CreateMatchingWorkflow endpoint. /// - /// - Parameter StartMatchingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMatchingJobInput`) /// - /// - Returns: `StartMatchingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMatchingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2588,7 +2556,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMatchingJobOutput.httpOutput(from:), StartMatchingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2620,9 +2587,9 @@ extension EntityResolutionClient { /// /// Assigns one or more tags (key-value pairs) to the specified Entity Resolution resource. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. In Entity Resolution, SchemaMapping and MatchingWorkflow can be tagged. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with a resource that already has tags. If you specify a new tag key, this tag is appended to the list of tags associated with the resource. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2658,7 +2625,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2690,9 +2656,9 @@ extension EntityResolutionClient { /// /// Removes one or more tags from the specified Entity Resolution resource. In Entity Resolution, SchemaMapping, and MatchingWorkflow can be tagged. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2725,7 +2691,6 @@ extension EntityResolutionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2757,9 +2722,9 @@ extension EntityResolutionClient { /// /// Updates an existing IdMappingWorkflow. This method is identical to CreateIdMappingWorkflow, except it uses an HTTP PUT request instead of a POST request, and the IdMappingWorkflow must already exist for the method to succeed. Incremental processing is not supported for ID mapping workflows. /// - /// - Parameter UpdateIdMappingWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIdMappingWorkflowInput`) /// - /// - Returns: `UpdateIdMappingWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIdMappingWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2797,7 +2762,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIdMappingWorkflowOutput.httpOutput(from:), UpdateIdMappingWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2829,9 +2793,9 @@ extension EntityResolutionClient { /// /// Updates an existing ID namespace. /// - /// - Parameter UpdateIdNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIdNamespaceInput`) /// - /// - Returns: `UpdateIdNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIdNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2869,7 +2833,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIdNamespaceOutput.httpOutput(from:), UpdateIdNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2901,9 +2864,9 @@ extension EntityResolutionClient { /// /// Updates an existing matching workflow. The workflow must already exist for this operation to succeed. For workflows where resolutionType is ML_MATCHING or PROVIDER, incremental processing is not supported. /// - /// - Parameter UpdateMatchingWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMatchingWorkflowInput`) /// - /// - Returns: `UpdateMatchingWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMatchingWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2941,7 +2904,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMatchingWorkflowOutput.httpOutput(from:), UpdateMatchingWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2973,9 +2935,9 @@ extension EntityResolutionClient { /// /// Updates a schema mapping. A schema is immutable if it is being used by a workflow. Therefore, you can't update a schema mapping if it's associated with a workflow. /// - /// - Parameter UpdateSchemaMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSchemaMappingInput`) /// - /// - Returns: `UpdateSchemaMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSchemaMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3014,7 +2976,6 @@ extension EntityResolutionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSchemaMappingOutput.httpOutput(from:), UpdateSchemaMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEventBridge/Sources/AWSEventBridge/EventBridgeClient.swift b/Sources/Services/AWSEventBridge/Sources/AWSEventBridge/EventBridgeClient.swift index dd606e9a8c0..b0b660bb822 100644 --- a/Sources/Services/AWSEventBridge/Sources/AWSEventBridge/EventBridgeClient.swift +++ b/Sources/Services/AWSEventBridge/Sources/AWSEventBridge/EventBridgeClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EventBridgeClient: ClientRuntime.Client { public static let clientName = "EventBridgeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EventBridgeClient.EventBridgeClientConfiguration let serviceName = "EventBridge" @@ -376,9 +375,9 @@ extension EventBridgeClient { /// /// Activates a partner event source that has been deactivated. Once activated, your matching event bus will start receiving events from the event source. /// - /// - Parameter ActivateEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateEventSourceInput`) /// - /// - Returns: `ActivateEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateEventSourceOutput.httpOutput(from:), ActivateEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension EventBridgeClient { /// /// Cancels the specified replay. /// - /// - Parameter CancelReplayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelReplayInput`) /// - /// - Returns: `CancelReplayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelReplayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelReplayOutput.httpOutput(from:), CancelReplayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension EventBridgeClient { /// /// Creates an API destination, which is an HTTP invocation endpoint configured as a target for events. API destinations do not support private destinations, such as interface VPC endpoints. For more information, see [API destinations](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-api-destinations.html) in the EventBridge User Guide. /// - /// - Parameter CreateApiDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApiDestinationInput`) /// - /// - Returns: `CreateApiDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApiDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApiDestinationOutput.httpOutput(from:), CreateApiDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension EventBridgeClient { /// /// Creates an archive of events with the specified settings. When you create an archive, incoming events might not immediately start being sent to the archive. Allow a short period of time for changes to take effect. If you do not specify a pattern to filter events sent to the archive, all events are sent to the archive except replayed events. Replayed events are not sent to an archive. If you have specified that EventBridge use a customer managed key for encrypting the source event bus, we strongly recommend you also specify a customer managed key for any archives for the event bus as well. For more information, see [Encrypting archives](https://docs.aws.amazon.com/eventbridge/latest/userguide/encryption-archives.html) in the Amazon EventBridge User Guide. /// - /// - Parameter CreateArchiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateArchiveInput`) /// - /// - Returns: `CreateArchiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateArchiveOutput.httpOutput(from:), CreateArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -671,9 +666,9 @@ extension EventBridgeClient { /// /// Creates a connection. A connection defines the authorization type and credentials to use for authorization with an API destination HTTP endpoint. For more information, see [Connections for endpoint targets](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-target-connection.html) in the Amazon EventBridge User Guide. /// - /// - Parameter CreateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionInput`) /// - /// - Returns: `CreateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -710,7 +705,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionOutput.httpOutput(from:), CreateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -746,9 +740,9 @@ extension EventBridgeClient { /// /// Creates a global endpoint. Global endpoints improve your application's availability by making it regional-fault tolerant. To do this, you define a primary and secondary Region with event buses in each Region. You also create a Amazon Route 53 health check that will tell EventBridge to route events to the secondary Region when an "unhealthy" state is encountered and events will be routed back to the primary Region when the health check reports a "healthy" state. /// - /// - Parameter CreateEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEndpointInput`) /// - /// - Returns: `CreateEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -782,7 +776,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEndpointOutput.httpOutput(from:), CreateEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -818,9 +811,9 @@ extension EventBridgeClient { /// /// Creates a new event bus within your account. This can be a custom event bus which you can use to receive events from your custom applications and services, or it can be a partner event bus which can be matched to a partner event source. /// - /// - Parameter CreateEventBusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventBusInput`) /// - /// - Returns: `CreateEventBusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventBusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -858,7 +851,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventBusOutput.httpOutput(from:), CreateEventBusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -903,9 +895,9 @@ extension EventBridgeClient { /// /// The combination of event_namespace and event_name should help Amazon Web Services customers decide whether to create an event bus to receive these events. /// - /// - Parameter CreatePartnerEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePartnerEventSourceInput`) /// - /// - Returns: `CreatePartnerEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePartnerEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -941,7 +933,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePartnerEventSourceOutput.httpOutput(from:), CreatePartnerEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -977,9 +968,9 @@ extension EventBridgeClient { /// /// You can use this operation to temporarily stop receiving events from the specified partner event source. The matching event bus is not deleted. When you deactivate a partner event source, the source goes into PENDING state. If it remains in PENDING state for more than two weeks, it is deleted. To activate a deactivated partner event source, use [ActivateEventSource](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_ActivateEventSource.html). /// - /// - Parameter DeactivateEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateEventSourceInput`) /// - /// - Returns: `DeactivateEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1015,7 +1006,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateEventSourceOutput.httpOutput(from:), DeactivateEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1051,9 +1041,9 @@ extension EventBridgeClient { /// /// Removes all authorization parameters from the connection. This lets you remove the secret from the connection so you can reuse it without having to create a new connection. /// - /// - Parameter DeauthorizeConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeauthorizeConnectionInput`) /// - /// - Returns: `DeauthorizeConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeauthorizeConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1087,7 +1077,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeauthorizeConnectionOutput.httpOutput(from:), DeauthorizeConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1123,9 +1112,9 @@ extension EventBridgeClient { /// /// Deletes the specified API destination. /// - /// - Parameter DeleteApiDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApiDestinationInput`) /// - /// - Returns: `DeleteApiDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApiDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1159,7 +1148,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApiDestinationOutput.httpOutput(from:), DeleteApiDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1195,9 +1183,9 @@ extension EventBridgeClient { /// /// Deletes the specified archive. /// - /// - Parameter DeleteArchiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteArchiveInput`) /// - /// - Returns: `DeleteArchiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1231,7 +1219,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteArchiveOutput.httpOutput(from:), DeleteArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1267,9 +1254,9 @@ extension EventBridgeClient { /// /// Deletes a connection. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1303,7 +1290,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1339,9 +1325,9 @@ extension EventBridgeClient { /// /// Delete an existing global endpoint. For more information about global endpoints, see [Making applications Regional-fault tolerant with global endpoints and event replication](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-global-endpoints.html) in the Amazon EventBridge User Guide . /// - /// - Parameter DeleteEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEndpointInput`) /// - /// - Returns: `DeleteEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1375,7 +1361,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointOutput.httpOutput(from:), DeleteEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1411,9 +1396,9 @@ extension EventBridgeClient { /// /// Deletes the specified custom event bus or partner event bus. All rules associated with this event bus need to be deleted. You can't delete your account's default event bus. /// - /// - Parameter DeleteEventBusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventBusInput`) /// - /// - Returns: `DeleteEventBusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventBusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1446,7 +1431,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventBusOutput.httpOutput(from:), DeleteEventBusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1482,9 +1466,9 @@ extension EventBridgeClient { /// /// This operation is used by SaaS partners to delete a partner event source. This operation is not used by Amazon Web Services customers. When you delete an event source, the status of the corresponding partner event bus in the Amazon Web Services customer account becomes DELETED. /// - /// - Parameter DeletePartnerEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePartnerEventSourceInput`) /// - /// - Returns: `DeletePartnerEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePartnerEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1518,7 +1502,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePartnerEventSourceOutput.httpOutput(from:), DeletePartnerEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1554,9 +1537,9 @@ extension EventBridgeClient { /// /// Deletes the specified rule. Before you can delete the rule, you must remove all targets, using [RemoveTargets](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_RemoveTargets.html). When you delete a rule, incoming events might continue to match to the deleted rule. Allow a short period of time for changes to take effect. If you call delete rule multiple times for the same rule, all calls will succeed. When you call delete rule for a non-existent custom eventbus, ResourceNotFoundException is returned. Managed rules are rules created and managed by another Amazon Web Services service on your behalf. These rules are created by those other Amazon Web Services services to support functionality in those services. You can delete these rules using the Force option, but you should do so only if you are sure the other service is not still using that rule. /// - /// - Parameter DeleteRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleInput`) /// - /// - Returns: `DeleteRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1591,7 +1574,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleOutput.httpOutput(from:), DeleteRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1627,9 +1609,9 @@ extension EventBridgeClient { /// /// Retrieves details about an API destination. /// - /// - Parameter DescribeApiDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApiDestinationInput`) /// - /// - Returns: `DescribeApiDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApiDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1662,7 +1644,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApiDestinationOutput.httpOutput(from:), DescribeApiDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1698,9 +1679,9 @@ extension EventBridgeClient { /// /// Retrieves details about an archive. /// - /// - Parameter DescribeArchiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeArchiveInput`) /// - /// - Returns: `DescribeArchiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1734,7 +1715,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeArchiveOutput.httpOutput(from:), DescribeArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1770,9 +1750,9 @@ extension EventBridgeClient { /// /// Retrieves details about a connection. /// - /// - Parameter DescribeConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectionInput`) /// - /// - Returns: `DescribeConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1805,7 +1785,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectionOutput.httpOutput(from:), DescribeConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1841,9 +1820,9 @@ extension EventBridgeClient { /// /// Get the information about an existing global endpoint. For more information about global endpoints, see [Making applications Regional-fault tolerant with global endpoints and event replication](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-global-endpoints.html) in the Amazon EventBridge User Guide . /// - /// - Parameter DescribeEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointInput`) /// - /// - Returns: `DescribeEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1876,7 +1855,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointOutput.httpOutput(from:), DescribeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1912,9 +1890,9 @@ extension EventBridgeClient { /// /// Displays details about an event bus in your account. This can include the external Amazon Web Services accounts that are permitted to write events to your default event bus, and the associated policy. For custom event buses and partner event buses, it displays the name, ARN, policy, state, and creation time. To enable your account to receive events from other accounts on its default event bus, use [PutPermission](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_PutPermission.html). For more information about partner event buses, see [CreateEventBus](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_CreateEventBus.html). /// - /// - Parameter DescribeEventBusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventBusInput`) /// - /// - Returns: `DescribeEventBusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventBusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1947,7 +1925,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventBusOutput.httpOutput(from:), DescribeEventBusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1983,9 +1960,9 @@ extension EventBridgeClient { /// /// This operation lists details about a partner event source that is shared with your account. /// - /// - Parameter DescribeEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventSourceInput`) /// - /// - Returns: `DescribeEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2019,7 +1996,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventSourceOutput.httpOutput(from:), DescribeEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2055,9 +2031,9 @@ extension EventBridgeClient { /// /// An SaaS partner can use this operation to list details about a partner event source that they have created. Amazon Web Services customers do not use this operation. Instead, Amazon Web Services customers can use [DescribeEventSource](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_DescribeEventSource.html) to see details about a partner event source that is shared with them. /// - /// - Parameter DescribePartnerEventSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePartnerEventSourceInput`) /// - /// - Returns: `DescribePartnerEventSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePartnerEventSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2091,7 +2067,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePartnerEventSourceOutput.httpOutput(from:), DescribePartnerEventSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2127,9 +2102,9 @@ extension EventBridgeClient { /// /// Retrieves details about a replay. Use DescribeReplay to determine the progress of a running replay. A replay processes events to replay based on the time in the event, and replays them using 1 minute intervals. If you use StartReplay and specify an EventStartTime and an EventEndTime that covers a 20 minute time range, the events are replayed from the first minute of that 20 minute range first. Then the events from the second minute are replayed. You can use DescribeReplay to determine the progress of a replay. The value returned for EventLastReplayedTime indicates the time within the specified time range associated with the last event replayed. /// - /// - Parameter DescribeReplayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReplayInput`) /// - /// - Returns: `DescribeReplayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReplayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2162,7 +2137,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplayOutput.httpOutput(from:), DescribeReplayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2198,9 +2172,9 @@ extension EventBridgeClient { /// /// Describes the specified rule. DescribeRule does not list the targets of a rule. To see the targets associated with a rule, use [ListTargetsByRule](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_ListTargetsByRule.html). /// - /// - Parameter DescribeRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRuleInput`) /// - /// - Returns: `DescribeRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2233,7 +2207,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRuleOutput.httpOutput(from:), DescribeRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2269,9 +2242,9 @@ extension EventBridgeClient { /// /// Disables the specified rule. A disabled rule won't match any events, and won't self-trigger if it has a schedule expression. When you disable a rule, incoming events might continue to match to the disabled rule. Allow a short period of time for changes to take effect. /// - /// - Parameter DisableRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableRuleInput`) /// - /// - Returns: `DisableRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2306,7 +2279,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableRuleOutput.httpOutput(from:), DisableRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2342,9 +2314,9 @@ extension EventBridgeClient { /// /// Enables the specified rule. If the rule does not exist, the operation fails. When you enable a rule, incoming events might not immediately start matching to a newly enabled rule. Allow a short period of time for changes to take effect. /// - /// - Parameter EnableRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableRuleInput`) /// - /// - Returns: `EnableRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2379,7 +2351,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableRuleOutput.httpOutput(from:), EnableRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2415,9 +2386,9 @@ extension EventBridgeClient { /// /// Retrieves a list of API destination in the account in the current Region. /// - /// - Parameter ListApiDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApiDestinationsInput`) /// - /// - Returns: `ListApiDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApiDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2449,7 +2420,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApiDestinationsOutput.httpOutput(from:), ListApiDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2485,9 +2455,9 @@ extension EventBridgeClient { /// /// Lists your archives. You can either list all the archives or you can provide a prefix to match to the archive names. Filter parameters are exclusive. /// - /// - Parameter ListArchivesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListArchivesInput`) /// - /// - Returns: `ListArchivesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListArchivesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2520,7 +2490,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListArchivesOutput.httpOutput(from:), ListArchivesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2556,9 +2525,9 @@ extension EventBridgeClient { /// /// Retrieves a list of connections from the account. /// - /// - Parameter ListConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectionsInput`) /// - /// - Returns: `ListConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2590,7 +2559,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectionsOutput.httpOutput(from:), ListConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2626,9 +2594,9 @@ extension EventBridgeClient { /// /// List the global endpoints associated with this account. For more information about global endpoints, see [Making applications Regional-fault tolerant with global endpoints and event replication](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-global-endpoints.html) in the Amazon EventBridge User Guide . /// - /// - Parameter ListEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEndpointsInput`) /// - /// - Returns: `ListEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2660,7 +2628,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEndpointsOutput.httpOutput(from:), ListEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2696,9 +2663,9 @@ extension EventBridgeClient { /// /// Lists all the event buses in your account, including the default event bus, custom event buses, and partner event buses. /// - /// - Parameter ListEventBusesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventBusesInput`) /// - /// - Returns: `ListEventBusesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventBusesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2730,7 +2697,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventBusesOutput.httpOutput(from:), ListEventBusesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2766,9 +2732,9 @@ extension EventBridgeClient { /// /// You can use this to see all the partner event sources that have been shared with your Amazon Web Services account. For more information about partner event sources, see [CreateEventBus](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_CreateEventBus.html). /// - /// - Parameter ListEventSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventSourcesInput`) /// - /// - Returns: `ListEventSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2801,7 +2767,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventSourcesOutput.httpOutput(from:), ListEventSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2837,9 +2802,9 @@ extension EventBridgeClient { /// /// An SaaS partner can use this operation to display the Amazon Web Services account ID that a particular partner event source name is associated with. This operation is not used by Amazon Web Services customers. /// - /// - Parameter ListPartnerEventSourceAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPartnerEventSourceAccountsInput`) /// - /// - Returns: `ListPartnerEventSourceAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPartnerEventSourceAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2873,7 +2838,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPartnerEventSourceAccountsOutput.httpOutput(from:), ListPartnerEventSourceAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2909,9 +2873,9 @@ extension EventBridgeClient { /// /// An SaaS partner can use this operation to list all the partner event source names that they have created. This operation is not used by Amazon Web Services customers. /// - /// - Parameter ListPartnerEventSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPartnerEventSourcesInput`) /// - /// - Returns: `ListPartnerEventSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPartnerEventSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2944,7 +2908,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPartnerEventSourcesOutput.httpOutput(from:), ListPartnerEventSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2980,9 +2943,9 @@ extension EventBridgeClient { /// /// Lists your replays. You can either list all the replays or you can provide a prefix to match to the replay names. Filter parameters are exclusive. /// - /// - Parameter ListReplaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReplaysInput`) /// - /// - Returns: `ListReplaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReplaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3014,7 +2977,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReplaysOutput.httpOutput(from:), ListReplaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3050,9 +3012,9 @@ extension EventBridgeClient { /// /// Lists the rules for the specified target. You can see which of the rules in Amazon EventBridge can invoke a specific target in your account. The maximum number of results per page for requests is 100. /// - /// - Parameter ListRuleNamesByTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRuleNamesByTargetInput`) /// - /// - Returns: `ListRuleNamesByTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRuleNamesByTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3085,7 +3047,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleNamesByTargetOutput.httpOutput(from:), ListRuleNamesByTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3121,9 +3082,9 @@ extension EventBridgeClient { /// /// Lists your Amazon EventBridge rules. You can either list all the rules or you can provide a prefix to match to the rule names. The maximum number of results per page for requests is 100. ListRules does not list the targets of a rule. To see the targets associated with a rule, use [ListTargetsByRule](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_ListTargetsByRule.html). /// - /// - Parameter ListRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesInput`) /// - /// - Returns: `ListRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3156,7 +3117,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesOutput.httpOutput(from:), ListRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3192,9 +3152,9 @@ extension EventBridgeClient { /// /// Displays the tags associated with an EventBridge resource. In EventBridge, rules and event buses can be tagged. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3227,7 +3187,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3263,9 +3222,9 @@ extension EventBridgeClient { /// /// Lists the targets assigned to the specified rule. The maximum number of results per page for requests is 100. /// - /// - Parameter ListTargetsByRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetsByRuleInput`) /// - /// - Returns: `ListTargetsByRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetsByRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3298,7 +3257,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetsByRuleOutput.httpOutput(from:), ListTargetsByRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3334,9 +3292,9 @@ extension EventBridgeClient { /// /// Sends custom events to Amazon EventBridge so that they can be matched to rules. You can batch multiple event entries into one request for efficiency. However, the total entry size must be less than 256KB. You can calculate the entry size before you send the events. For more information, see [Calculating PutEvents event entry size](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-putevents.html#eb-putevent-size) in the Amazon EventBridge User Guide . PutEvents accepts the data in JSON format. For the JSON number (integer) data type, the constraints are: a minimum value of -9,223,372,036,854,775,808 and a maximum value of 9,223,372,036,854,775,807. PutEvents will only process nested JSON up to 1000 levels deep. /// - /// - Parameter PutEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEventsInput`) /// - /// - Returns: `PutEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3368,7 +3326,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEventsOutput.httpOutput(from:), PutEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3404,9 +3361,9 @@ extension EventBridgeClient { /// /// This is used by SaaS partners to write events to a customer's partner event bus. Amazon Web Services customers do not use this operation. For information on calculating event batch size, see [Calculating EventBridge PutEvents event entry size](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-putevent-size.html) in the EventBridge User Guide. /// - /// - Parameter PutPartnerEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPartnerEventsInput`) /// - /// - Returns: `PutPartnerEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPartnerEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3439,7 +3396,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPartnerEventsOutput.httpOutput(from:), PutPartnerEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3475,9 +3431,9 @@ extension EventBridgeClient { /// /// Running PutPermission permits the specified Amazon Web Services account or Amazon Web Services organization to put events to the specified event bus. Amazon EventBridge rules in your account are triggered by these events arriving to an event bus in your account. For another account to send events to your account, that external account must have an EventBridge rule with your account's event bus as a target. To enable multiple Amazon Web Services accounts to put events to your event bus, run PutPermission once for each of these accounts. Or, if all the accounts are members of the same Amazon Web Services organization, you can run PutPermission once specifying Principal as "*" and specifying the Amazon Web Services organization ID in Condition, to grant permissions to all accounts in that organization. If you grant permissions using an organization, then accounts in that organization must specify a RoleArn with proper permissions when they use PutTarget to add your account's event bus as a target. For more information, see [Sending and Receiving Events Between Amazon Web Services Accounts](https://docs.aws.amazon.com/eventbridge/latest/userguide/eventbridge-cross-account-event-delivery.html) in the Amazon EventBridge User Guide. The permission policy on the event bus cannot exceed 10 KB in size. /// - /// - Parameter PutPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPermissionInput`) /// - /// - Returns: `PutPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3513,7 +3469,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPermissionOutput.httpOutput(from:), PutPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3549,9 +3504,9 @@ extension EventBridgeClient { /// /// Creates or updates the specified rule. Rules are enabled by default, or based on value of the state. You can disable a rule using [DisableRule](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_DisableRule.html). A single rule watches for events from a single event bus. Events generated by Amazon Web Services services go to your account's default event bus. Events generated by SaaS partner services or applications go to the matching partner event bus. If you have custom applications or services, you can specify whether their events go to your default event bus or a custom event bus that you have created. For more information, see [CreateEventBus](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_CreateEventBus.html). If you are updating an existing rule, the rule is replaced with what you specify in this PutRule command. If you omit arguments in PutRule, the old values for those arguments are not kept. Instead, they are replaced with null values. When you create or update a rule, incoming events might not immediately start matching to new or updated rules. Allow a short period of time for changes to take effect. A rule must contain at least an EventPattern or ScheduleExpression. Rules with EventPatterns are triggered when a matching event is observed. Rules with ScheduleExpressions self-trigger based on the given schedule. A rule can have both an EventPattern and a ScheduleExpression, in which case the rule triggers on matching events as well as on a schedule. When you initially create a rule, you can optionally assign one or more tags to the rule. Tags can help you organize and categorize your resources. You can also use them to scope user permissions, by granting a user permission to access or change only rules with certain tag values. To use the PutRule operation and assign tags, you must have both the events:PutRule and events:TagResource permissions. If you are updating an existing rule, any tags you specify in the PutRule operation are ignored. To update the tags of an existing rule, use [TagResource](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_TagResource.html) and [UntagResource](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_UntagResource.html). Most services in Amazon Web Services treat : or / as the same character in Amazon Resource Names (ARNs). However, EventBridge uses an exact match in event patterns and rules. Be sure to use the correct ARN characters when creating event patterns so that they match the ARN syntax in the event you want to match. In EventBridge, it is possible to create rules that lead to infinite loops, where a rule is fired repeatedly. For example, a rule might detect that ACLs have changed on an S3 bucket, and trigger software to change them to the desired state. If the rule is not written carefully, the subsequent change to the ACLs fires the rule again, creating an infinite loop. To prevent this, write the rules so that the triggered actions do not re-fire the same rule. For example, your rule could fire only if ACLs are found to be in a bad state, instead of after any change. An infinite loop can quickly cause higher than expected charges. We recommend that you use budgeting, which alerts you when charges exceed your specified limit. For more information, see [Managing Your Costs with Budgets](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/budgets-managing-costs.html). To create a rule that filters for management events from Amazon Web Services services, see [Receiving read-only management events from Amazon Web Services services](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-service-event-cloudtrail.html#eb-service-event-cloudtrail-management) in the EventBridge User Guide. /// - /// - Parameter PutRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRuleInput`) /// - /// - Returns: `PutRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3588,7 +3543,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRuleOutput.httpOutput(from:), PutRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3653,9 +3607,9 @@ extension EventBridgeClient { /// /// When you specify InputPath or InputTransformer, you must use JSON dot notation, not bracket notation. When you add targets to a rule and the associated rule triggers soon after, new or updated targets might not be immediately invoked. Allow a short period of time for changes to take effect. This action can partially fail if too many requests are made at the same time. If that happens, FailedEntryCount is non-zero in the response and each entry in FailedEntries provides the ID of the failed target and the error code. /// - /// - Parameter PutTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTargetsInput`) /// - /// - Returns: `PutTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3691,7 +3645,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTargetsOutput.httpOutput(from:), PutTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3727,9 +3680,9 @@ extension EventBridgeClient { /// /// Revokes the permission of another Amazon Web Services account to be able to put events to the specified event bus. Specify the account to revoke by the StatementId value that you associated with the account when you granted it permission with PutPermission. You can find the StatementId by using [DescribeEventBus](https://docs.aws.amazon.com/eventbridge/latest/APIReference/API_DescribeEventBus.html). /// - /// - Parameter RemovePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemovePermissionInput`) /// - /// - Returns: `RemovePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemovePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3764,7 +3717,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemovePermissionOutput.httpOutput(from:), RemovePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3800,9 +3752,9 @@ extension EventBridgeClient { /// /// Removes the specified targets from the specified rule. When the rule is triggered, those targets are no longer be invoked. A successful execution of RemoveTargets doesn't guarantee all targets are removed from the rule, it means that the target(s) listed in the request are removed. When you remove a target, when the associated rule triggers, removed targets might continue to be invoked. Allow a short period of time for changes to take effect. This action can partially fail if too many requests are made at the same time. If that happens, FailedEntryCount is non-zero in the response and each entry in FailedEntries provides the ID of the failed target and the error code. The maximum number of entries per request is 10. /// - /// - Parameter RemoveTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveTargetsInput`) /// - /// - Returns: `RemoveTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3837,7 +3789,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTargetsOutput.httpOutput(from:), RemoveTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3873,9 +3824,9 @@ extension EventBridgeClient { /// /// Starts the specified replay. Events are not necessarily replayed in the exact same order that they were added to the archive. A replay processes events to replay based on the time in the event, and replays them using 1 minute intervals. If you specify an EventStartTime and an EventEndTime that covers a 20 minute time range, the events are replayed from the first minute of that 20 minute range first. Then the events from the second minute are replayed. You can use DescribeReplay to determine the progress of a replay. The value returned for EventLastReplayedTime indicates the time within the specified time range associated with the last event replayed. /// - /// - Parameter StartReplayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartReplayInput`) /// - /// - Returns: `StartReplayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartReplayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3911,7 +3862,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReplayOutput.httpOutput(from:), StartReplayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3947,9 +3897,9 @@ extension EventBridgeClient { /// /// Assigns one or more tags (key-value pairs) to the specified EventBridge resource. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. In EventBridge, rules and event buses can be tagged. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with a resource that already has tags. If you specify a new tag key, this tag is appended to the list of tags associated with the resource. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3984,7 +3934,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4020,9 +3969,9 @@ extension EventBridgeClient { /// /// Tests whether the specified event pattern matches the provided event. Most services in Amazon Web Services treat : or / as the same character in Amazon Resource Names (ARNs). However, EventBridge uses an exact match in event patterns and rules. Be sure to use the correct ARN characters when creating event patterns so that they match the ARN syntax in the event you want to match. /// - /// - Parameter TestEventPatternInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestEventPatternInput`) /// - /// - Returns: `TestEventPatternOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestEventPatternOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4055,7 +4004,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestEventPatternOutput.httpOutput(from:), TestEventPatternOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4091,9 +4039,9 @@ extension EventBridgeClient { /// /// Removes one or more tags from the specified EventBridge resource. In Amazon EventBridge, rules and event buses can be tagged. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4128,7 +4076,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4164,9 +4111,9 @@ extension EventBridgeClient { /// /// Updates an API destination. /// - /// - Parameter UpdateApiDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApiDestinationInput`) /// - /// - Returns: `UpdateApiDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApiDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4201,7 +4148,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApiDestinationOutput.httpOutput(from:), UpdateApiDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4237,9 +4183,9 @@ extension EventBridgeClient { /// /// Updates the specified archive. /// - /// - Parameter UpdateArchiveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateArchiveInput`) /// - /// - Returns: `UpdateArchiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4275,7 +4221,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateArchiveOutput.httpOutput(from:), UpdateArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4311,9 +4256,9 @@ extension EventBridgeClient { /// /// Updates settings for a connection. /// - /// - Parameter UpdateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectionInput`) /// - /// - Returns: `UpdateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4350,7 +4295,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectionOutput.httpOutput(from:), UpdateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4386,9 +4330,9 @@ extension EventBridgeClient { /// /// Update an existing endpoint. For more information about global endpoints, see [Making applications Regional-fault tolerant with global endpoints and event replication](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-global-endpoints.html) in the Amazon EventBridge User Guide . /// - /// - Parameter UpdateEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEndpointInput`) /// - /// - Returns: `UpdateEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4422,7 +4366,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEndpointOutput.httpOutput(from:), UpdateEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4458,9 +4401,9 @@ extension EventBridgeClient { /// /// Updates the specified event bus. /// - /// - Parameter UpdateEventBusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventBusInput`) /// - /// - Returns: `UpdateEventBusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventBusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4495,7 +4438,6 @@ extension EventBridgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventBusOutput.httpOutput(from:), UpdateEventBusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEvidently/Sources/AWSEvidently/EvidentlyClient.swift b/Sources/Services/AWSEvidently/Sources/AWSEvidently/EvidentlyClient.swift index 9b04285fb2e..46057d29a76 100644 --- a/Sources/Services/AWSEvidently/Sources/AWSEvidently/EvidentlyClient.swift +++ b/Sources/Services/AWSEvidently/Sources/AWSEvidently/EvidentlyClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EvidentlyClient: ClientRuntime.Client { public static let clientName = "EvidentlyClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EvidentlyClient.EvidentlyClientConfiguration let serviceName = "Evidently" @@ -374,9 +373,9 @@ extension EvidentlyClient { /// /// This operation assigns feature variation to user sessions. For each user session, you pass in an entityID that represents the user. Evidently then checks the evaluation rules and assigns the variation. The first rules that are evaluated are the override rules. If the user's entityID matches an override rule, the user is served the variation specified by that rule. Next, if there is a launch of the feature, the user might be assigned to a variation in the launch. The chance of this depends on the percentage of users that are allocated to that launch. If the user is enrolled in the launch, the variation they are served depends on the allocation of the various feature variations used for the launch. If the user is not assigned to a launch, and there is an ongoing experiment for this feature, the user might be assigned to a variation in the experiment. The chance of this depends on the percentage of users that are allocated to that experiment. If the user is enrolled in the experiment, the variation they are served depends on the allocation of the various feature variations used for the experiment. If the user is not assigned to a launch or experiment, they are served the default variation. /// - /// - Parameter BatchEvaluateFeatureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchEvaluateFeatureInput`) /// - /// - Returns: `BatchEvaluateFeatureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchEvaluateFeatureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchEvaluateFeatureOutput.httpOutput(from:), BatchEvaluateFeatureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension EvidentlyClient { /// /// Creates an Evidently experiment. Before you create an experiment, you must create the feature to use for the experiment. An experiment helps you make feature design decisions based on evidence and data. An experiment can test as many as five variations at once. Evidently collects experiment data and analyzes it by statistical methods, and provides clear recommendations about which variations perform better. You can optionally specify a segment to have the experiment consider only certain audience types in the experiment, such as using only user sessions from a certain location or who use a certain internet browser. Don't use this operation to update an existing experiment. Instead, use [UpdateExperiment](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_UpdateExperiment.html). /// - /// - Parameter CreateExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExperimentInput`) /// - /// - Returns: `CreateExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExperimentOutput.httpOutput(from:), CreateExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension EvidentlyClient { /// /// Creates an Evidently feature that you want to launch or test. You can define up to five variations of a feature, and use these variations in your launches and experiments. A feature must be created in a project. For information about creating a project, see [CreateProject](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_CreateProject.html). Don't use this operation to update an existing feature. Instead, use [UpdateFeature](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_UpdateFeature.html). /// - /// - Parameter CreateFeatureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFeatureInput`) /// - /// - Returns: `CreateFeatureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFeatureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFeatureOutput.httpOutput(from:), CreateFeatureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -589,9 +585,9 @@ extension EvidentlyClient { /// /// Creates a launch of a given feature. Before you create a launch, you must create the feature to use for the launch. You can use a launch to safely validate new features by serving them to a specified percentage of your users while you roll out the feature. You can monitor the performance of the new feature to help you decide when to ramp up traffic to more users. This helps you reduce risk and identify unintended consequences before you fully launch the feature. Don't use this operation to update an existing launch. Instead, use [UpdateLaunch](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_UpdateLaunch.html). /// - /// - Parameter CreateLaunchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLaunchInput`) /// - /// - Returns: `CreateLaunchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLaunchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLaunchOutput.httpOutput(from:), CreateLaunchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension EvidentlyClient { /// /// Creates a project, which is the logical object in Evidently that can contain features, launches, and experiments. Use projects to group similar features together. To update an existing project, use [UpdateProject](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_UpdateProject.html). /// - /// - Parameter CreateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectInput`) /// - /// - Returns: `CreateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -700,7 +695,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectOutput.httpOutput(from:), CreateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -732,9 +726,9 @@ extension EvidentlyClient { /// /// Use this operation to define a segment of your audience. A segment is a portion of your audience that share one or more characteristics. Examples could be Chrome browser users, users in Europe, or Firefox browser users in Europe who also fit other criteria that your application collects, such as age. Using a segment in an experiment limits that experiment to evaluate only the users who match the segment criteria. Using one or more segments in a launch allows you to define different traffic splits for the different audience segments. For more information about segment pattern syntax, see [ Segment rule pattern syntax](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Evidently-segments.html#CloudWatch-Evidently-segments-syntax.html). The pattern that you define for a segment is matched against the value of evaluationContext, which is passed into Evidently in the [EvaluateFeature](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_EvaluateFeature.html) operation, when Evidently assigns a feature variation to a user. /// - /// - Parameter CreateSegmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSegmentInput`) /// - /// - Returns: `CreateSegmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSegmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSegmentOutput.httpOutput(from:), CreateSegmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension EvidentlyClient { /// /// Deletes an Evidently experiment. The feature used for the experiment is not deleted. To stop an experiment without deleting it, use [StopExperiment](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_StopExperiment.html). /// - /// - Parameter DeleteExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExperimentInput`) /// - /// - Returns: `DeleteExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -841,7 +834,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExperimentOutput.httpOutput(from:), DeleteExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension EvidentlyClient { /// /// Deletes an Evidently feature. /// - /// - Parameter DeleteFeatureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFeatureInput`) /// - /// - Returns: `DeleteFeatureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFeatureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -910,7 +902,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFeatureOutput.httpOutput(from:), DeleteFeatureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -942,9 +933,9 @@ extension EvidentlyClient { /// /// Deletes an Evidently launch. The feature used for the launch is not deleted. To stop a launch without deleting it, use [StopLaunch](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_StopLaunch.html). /// - /// - Parameter DeleteLaunchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLaunchInput`) /// - /// - Returns: `DeleteLaunchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLaunchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -979,7 +970,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLaunchOutput.httpOutput(from:), DeleteLaunchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1011,9 +1001,9 @@ extension EvidentlyClient { /// /// Deletes an Evidently project. Before you can delete a project, you must delete all the features that the project contains. To delete a feature, use [DeleteFeature](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_DeleteFeature.html). /// - /// - Parameter DeleteProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectInput`) /// - /// - Returns: `DeleteProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1048,7 +1038,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectOutput.httpOutput(from:), DeleteProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1080,9 +1069,9 @@ extension EvidentlyClient { /// /// Deletes a segment. You can't delete a segment that is being used in a launch or experiment, even if that launch or experiment is not currently running. /// - /// - Parameter DeleteSegmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSegmentInput`) /// - /// - Returns: `DeleteSegmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSegmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1117,7 +1106,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSegmentOutput.httpOutput(from:), DeleteSegmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1149,9 +1137,9 @@ extension EvidentlyClient { /// /// This operation assigns a feature variation to one given user session. You pass in an entityID that represents the user. Evidently then checks the evaluation rules and assigns the variation. The first rules that are evaluated are the override rules. If the user's entityID matches an override rule, the user is served the variation specified by that rule. If there is a current launch with this feature that uses segment overrides, and if the user session's evaluationContext matches a segment rule defined in a segment override, the configuration in the segment overrides is used. For more information about segments, see [CreateSegment](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_CreateSegment.html) and [Use segments to focus your audience](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Evidently-segments.html). If there is a launch with no segment overrides, the user might be assigned to a variation in the launch. The chance of this depends on the percentage of users that are allocated to that launch. If the user is enrolled in the launch, the variation they are served depends on the allocation of the various feature variations used for the launch. If the user is not assigned to a launch, and there is an ongoing experiment for this feature, the user might be assigned to a variation in the experiment. The chance of this depends on the percentage of users that are allocated to that experiment. If the experiment uses a segment, then only user sessions with evaluationContext values that match the segment rule are used in the experiment. If the user is enrolled in the experiment, the variation they are served depends on the allocation of the various feature variations used for the experiment. If the user is not assigned to a launch or experiment, they are served the default variation. /// - /// - Parameter EvaluateFeatureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EvaluateFeatureInput`) /// - /// - Returns: `EvaluateFeatureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EvaluateFeatureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1188,7 +1176,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EvaluateFeatureOutput.httpOutput(from:), EvaluateFeatureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1220,9 +1207,9 @@ extension EvidentlyClient { /// /// Returns the details about one experiment. You must already know the experiment name. To retrieve a list of experiments in your account, use [ListExperiments](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_ListExperiments.html). /// - /// - Parameter GetExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExperimentInput`) /// - /// - Returns: `GetExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1256,7 +1243,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExperimentOutput.httpOutput(from:), GetExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1288,9 +1274,9 @@ extension EvidentlyClient { /// /// Retrieves the results of a running or completed experiment. No results are available until there have been 100 events for each variation and at least 10 minutes have passed since the start of the experiment. To increase the statistical power, Evidently performs an additional offline p-value analysis at the end of the experiment. Offline p-value analysis can detect statistical significance in some cases where the anytime p-values used during the experiment do not find statistical significance. Experiment results are available up to 63 days after the start of the experiment. They are not available after that because of CloudWatch data retention policies. /// - /// - Parameter GetExperimentResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExperimentResultsInput`) /// - /// - Returns: `GetExperimentResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExperimentResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1328,7 +1314,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExperimentResultsOutput.httpOutput(from:), GetExperimentResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1360,9 +1345,9 @@ extension EvidentlyClient { /// /// Returns the details about one feature. You must already know the feature name. To retrieve a list of features in your account, use [ListFeatures](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_ListFeatures.html). /// - /// - Parameter GetFeatureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFeatureInput`) /// - /// - Returns: `GetFeatureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFeatureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1381,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFeatureOutput.httpOutput(from:), GetFeatureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1428,9 +1412,9 @@ extension EvidentlyClient { /// /// Returns the details about one launch. You must already know the launch name. To retrieve a list of launches in your account, use [ListLaunches](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_ListLaunches.html). /// - /// - Parameter GetLaunchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLaunchInput`) /// - /// - Returns: `GetLaunchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLaunchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1464,7 +1448,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLaunchOutput.httpOutput(from:), GetLaunchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1479,9 @@ extension EvidentlyClient { /// /// Returns the details about one launch. You must already know the project name. To retrieve a list of projects in your account, use [ListProjects](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_ListProjects.html). /// - /// - Parameter GetProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProjectInput`) /// - /// - Returns: `GetProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1532,7 +1515,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProjectOutput.httpOutput(from:), GetProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1564,9 +1546,9 @@ extension EvidentlyClient { /// /// Returns information about the specified segment. Specify the segment you want to view by specifying its ARN. /// - /// - Parameter GetSegmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentInput`) /// - /// - Returns: `GetSegmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1600,7 +1582,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentOutput.httpOutput(from:), GetSegmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1632,9 +1613,9 @@ extension EvidentlyClient { /// /// Returns configuration details about all the experiments in the specified project. /// - /// - Parameter ListExperimentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExperimentsInput`) /// - /// - Returns: `ListExperimentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExperimentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1668,7 +1649,6 @@ extension EvidentlyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListExperimentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExperimentsOutput.httpOutput(from:), ListExperimentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1700,9 +1680,9 @@ extension EvidentlyClient { /// /// Returns configuration details about all the features in the specified project. /// - /// - Parameter ListFeaturesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFeaturesInput`) /// - /// - Returns: `ListFeaturesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFeaturesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1737,7 +1717,6 @@ extension EvidentlyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFeaturesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFeaturesOutput.httpOutput(from:), ListFeaturesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1769,9 +1748,9 @@ extension EvidentlyClient { /// /// Returns configuration details about all the launches in the specified project. /// - /// - Parameter ListLaunchesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLaunchesInput`) /// - /// - Returns: `ListLaunchesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLaunchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1805,7 +1784,6 @@ extension EvidentlyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLaunchesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLaunchesOutput.httpOutput(from:), ListLaunchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1837,9 +1815,9 @@ extension EvidentlyClient { /// /// Returns configuration details about all the projects in the current Region in your account. /// - /// - Parameter ListProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectsInput`) /// - /// - Returns: `ListProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1873,7 +1851,6 @@ extension EvidentlyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProjectsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectsOutput.httpOutput(from:), ListProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1905,9 +1882,9 @@ extension EvidentlyClient { /// /// Use this operation to find which experiments or launches are using a specified segment. /// - /// - Parameter ListSegmentReferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSegmentReferencesInput`) /// - /// - Returns: `ListSegmentReferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSegmentReferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1942,7 +1919,6 @@ extension EvidentlyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSegmentReferencesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSegmentReferencesOutput.httpOutput(from:), ListSegmentReferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1974,9 +1950,9 @@ extension EvidentlyClient { /// /// Returns a list of audience segments that you have created in your account in this Region. /// - /// - Parameter ListSegmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSegmentsInput`) /// - /// - Returns: `ListSegmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSegmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2010,7 +1986,6 @@ extension EvidentlyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSegmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSegmentsOutput.httpOutput(from:), ListSegmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2042,9 +2017,9 @@ extension EvidentlyClient { /// /// Displays the tags associated with an Evidently resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2077,7 +2052,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2109,9 +2083,9 @@ extension EvidentlyClient { /// /// Sends performance events to Evidently. These events can be used to evaluate a launch or an experiment. /// - /// - Parameter PutProjectEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutProjectEventsInput`) /// - /// - Returns: `PutProjectEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutProjectEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2148,7 +2122,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutProjectEventsOutput.httpOutput(from:), PutProjectEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2180,9 +2153,9 @@ extension EvidentlyClient { /// /// Starts an existing experiment. To create an experiment, use [CreateExperiment](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_CreateExperiment.html). /// - /// - Parameter StartExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartExperimentInput`) /// - /// - Returns: `StartExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2221,7 +2194,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExperimentOutput.httpOutput(from:), StartExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2253,9 +2225,9 @@ extension EvidentlyClient { /// /// Starts an existing launch. To create a launch, use [CreateLaunch](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_CreateLaunch.html). /// - /// - Parameter StartLaunchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartLaunchInput`) /// - /// - Returns: `StartLaunchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartLaunchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2291,7 +2263,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartLaunchOutput.httpOutput(from:), StartLaunchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2323,9 +2294,9 @@ extension EvidentlyClient { /// /// Stops an experiment that is currently running. If you stop an experiment, you can't resume it or restart it. /// - /// - Parameter StopExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopExperimentInput`) /// - /// - Returns: `StopExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2364,7 +2335,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopExperimentOutput.httpOutput(from:), StopExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2396,9 +2366,9 @@ extension EvidentlyClient { /// /// Stops a launch that is currently running. After you stop a launch, you will not be able to resume it or restart it. Also, it will not be evaluated as a rule for traffic allocation, and the traffic that was allocated to the launch will instead be available to the feature's experiment, if there is one. Otherwise, all traffic will be served the default variation after the launch is stopped. /// - /// - Parameter StopLaunchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopLaunchInput`) /// - /// - Returns: `StopLaunchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopLaunchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2435,7 +2405,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopLaunchOutput.httpOutput(from:), StopLaunchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2467,9 +2436,9 @@ extension EvidentlyClient { /// /// Assigns one or more tags (key-value pairs) to the specified CloudWatch Evidently resource. Projects, features, launches, and experiments can be tagged. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with a resource that already has tags. If you specify a new tag key for the resource, this tag is appended to the list of tags associated with the alarm. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a resource. For more information, see [Tagging Amazon Web Services resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2505,7 +2474,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2537,9 +2505,9 @@ extension EvidentlyClient { /// /// Use this operation to test a rules pattern that you plan to use to create an audience segment. For more information about segments, see [CreateSegment](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_CreateSegment.html). /// - /// - Parameter TestSegmentPatternInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestSegmentPatternInput`) /// - /// - Returns: `TestSegmentPatternOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestSegmentPatternOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2575,7 +2543,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestSegmentPatternOutput.httpOutput(from:), TestSegmentPatternOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2607,9 +2574,9 @@ extension EvidentlyClient { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2643,7 +2610,6 @@ extension EvidentlyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2675,9 +2641,9 @@ extension EvidentlyClient { /// /// Updates an Evidently experiment. Don't use this operation to update an experiment's tag. Instead, use [TagResource](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_TagResource.html). /// - /// - Parameter UpdateExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateExperimentInput`) /// - /// - Returns: `UpdateExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2714,7 +2680,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateExperimentOutput.httpOutput(from:), UpdateExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2746,9 +2711,9 @@ extension EvidentlyClient { /// /// Updates an existing feature. You can't use this operation to update the tags of an existing feature. Instead, use [TagResource](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_TagResource.html). /// - /// - Parameter UpdateFeatureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFeatureInput`) /// - /// - Returns: `UpdateFeatureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFeatureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2786,7 +2751,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFeatureOutput.httpOutput(from:), UpdateFeatureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2818,9 +2782,9 @@ extension EvidentlyClient { /// /// Updates a launch of a given feature. Don't use this operation to update the tags of an existing launch. Instead, use [TagResource](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_TagResource.html). /// - /// - Parameter UpdateLaunchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLaunchInput`) /// - /// - Returns: `UpdateLaunchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLaunchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2857,7 +2821,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLaunchOutput.httpOutput(from:), UpdateLaunchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2889,9 +2852,9 @@ extension EvidentlyClient { /// /// Updates the description of an existing project. To create a new project, use [CreateProject](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_CreateProject.html). Don't use this operation to update the data storage options of a project. Instead, use [UpdateProjectDataDelivery](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_UpdateProjectDataDelivery.html). Don't use this operation to update the tags of a project. Instead, use [TagResource](https://docs.aws.amazon.com/cloudwatchevidently/latest/APIReference/API_TagResource.html). /// - /// - Parameter UpdateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProjectInput`) /// - /// - Returns: `UpdateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2929,7 +2892,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectOutput.httpOutput(from:), UpdateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2961,9 +2923,9 @@ extension EvidentlyClient { /// /// Updates the data storage options for this project. If you store evaluation events, you an keep them and analyze them on your own. If you choose not to store evaluation events, Evidently deletes them after using them to produce metrics and other experiment results that you can view. You can't specify both cloudWatchLogs and s3Destination in the same operation. /// - /// - Parameter UpdateProjectDataDeliveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProjectDataDeliveryInput`) /// - /// - Returns: `UpdateProjectDataDeliveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProjectDataDeliveryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3001,7 +2963,6 @@ extension EvidentlyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectDataDeliveryOutput.httpOutput(from:), UpdateProjectDataDeliveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSEvs/Sources/AWSEvs/EvsClient.swift b/Sources/Services/AWSEvs/Sources/AWSEvs/EvsClient.swift index f83dc9f6a57..aa3400bd85f 100644 --- a/Sources/Services/AWSEvs/Sources/AWSEvs/EvsClient.swift +++ b/Sources/Services/AWSEvs/Sources/AWSEvs/EvsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class EvsClient: ClientRuntime.Client { public static let clientName = "EvsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: EvsClient.EvsClientConfiguration let serviceName = "evs" @@ -374,9 +373,9 @@ extension EvsClient { /// /// Associates an Elastic IP address with a public HCX VLAN. This operation is only allowed for public HCX VLANs at this time. /// - /// - Parameter AssociateEipToVlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateEipToVlanInput`) /// - /// - Returns: `AssociateEipToVlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateEipToVlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateEipToVlanOutput.httpOutput(from:), AssociateEipToVlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension EvsClient { /// /// Creates an Amazon EVS environment that runs VCF software, such as SDDC Manager, NSX Manager, and vCenter Server. During environment creation, Amazon EVS performs validations on DNS settings, provisions VLAN subnets and hosts, and deploys the supplied version of VCF. It can take several hours to create an environment. After the deployment completes, you can configure VCF in the vSphere user interface according to your needs. You cannot use the dedicatedHostId and placementGroupId parameters together in the same CreateEnvironment action. This results in a ValidationException response. /// - /// - Parameter CreateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentInput`) /// - /// - Returns: `CreateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentOutput.httpOutput(from:), CreateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension EvsClient { /// /// Creates an ESXi host and adds it to an Amazon EVS environment. Amazon EVS supports 4-16 hosts per environment. This action can only be used after the Amazon EVS environment is deployed. You can use the dedicatedHostId parameter to specify an Amazon EC2 Dedicated Host for ESXi host creation. You can use the placementGroupId parameter to specify a cluster or partition placement group to launch EC2 instances into. You cannot use the dedicatedHostId and placementGroupId parameters together in the same CreateEnvironmentHost action. This results in a ValidationException response. /// - /// - Parameter CreateEnvironmentHostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentHostInput`) /// - /// - Returns: `CreateEnvironmentHostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentHostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -552,7 +549,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentHostOutput.httpOutput(from:), CreateEnvironmentHostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension EvsClient { /// /// Deletes an Amazon EVS environment. Amazon EVS environments will only be enabled for deletion once the hosts are deleted. You can delete hosts using the DeleteEnvironmentHost action. Environment deletion also deletes the associated Amazon EVS VLAN subnets and Amazon Web Services Secrets Manager secrets that Amazon EVS created. Amazon Web Services resources that you create are not deleted. These resources may continue to incur costs. /// - /// - Parameter DeleteEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentInput`) /// - /// - Returns: `DeleteEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -623,7 +619,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentOutput.httpOutput(from:), DeleteEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension EvsClient { /// /// Deletes a host from an Amazon EVS environment. Before deleting a host, you must unassign and decommission the host from within the SDDC Manager user interface. Not doing so could impact the availability of your virtual machines or result in data loss. /// - /// - Parameter DeleteEnvironmentHostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentHostInput`) /// - /// - Returns: `DeleteEnvironmentHostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentHostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -694,7 +689,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentHostOutput.httpOutput(from:), DeleteEnvironmentHostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -729,9 +723,9 @@ extension EvsClient { /// /// Disassociates an Elastic IP address from a public HCX VLAN. This operation is only allowed for public HCX VLANs at this time. /// - /// - Parameter DisassociateEipFromVlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateEipFromVlanInput`) /// - /// - Returns: `DisassociateEipFromVlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateEipFromVlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -766,7 +760,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateEipFromVlanOutput.httpOutput(from:), DisassociateEipFromVlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -801,9 +794,9 @@ extension EvsClient { /// /// Returns a description of the specified environment. /// - /// - Parameter GetEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentInput`) /// - /// - Returns: `GetEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -836,7 +829,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentOutput.httpOutput(from:), GetEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -871,9 +863,9 @@ extension EvsClient { /// /// List the hosts within an environment. /// - /// - Parameter ListEnvironmentHostsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentHostsInput`) /// - /// - Returns: `ListEnvironmentHostsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentHostsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -906,7 +898,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentHostsOutput.httpOutput(from:), ListEnvironmentHostsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -941,9 +932,9 @@ extension EvsClient { /// /// Lists environment VLANs that are associated with the specified environment. /// - /// - Parameter ListEnvironmentVlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentVlansInput`) /// - /// - Returns: `ListEnvironmentVlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentVlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +967,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentVlansOutput.httpOutput(from:), ListEnvironmentVlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1011,9 +1001,9 @@ extension EvsClient { /// /// Lists the Amazon EVS environments in your Amazon Web Services account in the specified Amazon Web Services Region. /// - /// - Parameter ListEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentsInput`) /// - /// - Returns: `ListEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1045,7 +1035,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentsOutput.httpOutput(from:), ListEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1080,9 +1069,9 @@ extension EvsClient { /// /// Lists the tags for an Amazon EVS resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1114,7 +1103,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1149,9 +1137,9 @@ extension EvsClient { /// /// Associates the specified tags to an Amazon EVS resource with the specified resourceArn. If existing tags on a resource are not specified in the request parameters, they aren't changed. When a resource is deleted, the tags associated with that resource are also deleted. Tags that you create for Amazon EVS resources don't propagate to any other resources associated with the environment. For example, if you tag an environment with this operation, that tag doesn't automatically propagate to the VLAN subnets and hosts associated with the environment. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1186,7 +1174,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1221,9 +1208,9 @@ extension EvsClient { /// /// Deletes specified tags from an Amazon EVS resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1256,7 +1243,6 @@ extension EvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSFMS/Sources/AWSFMS/FMSClient.swift b/Sources/Services/AWSFMS/Sources/AWSFMS/FMSClient.swift index 7849325014f..a7c1422682c 100644 --- a/Sources/Services/AWSFMS/Sources/AWSFMS/FMSClient.swift +++ b/Sources/Services/AWSFMS/Sources/AWSFMS/FMSClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class FMSClient: ClientRuntime.Client { public static let clientName = "FMSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: FMSClient.FMSClientConfiguration let serviceName = "FMS" @@ -374,9 +373,9 @@ extension FMSClient { /// /// Sets a Firewall Manager default administrator account. The Firewall Manager default administrator account can manage third-party firewalls and has full administrative scope that allows administration of all policy types, accounts, organizational units, and Regions. This account must be a member account of the organization in Organizations whose resources you want to protect. For information about working with Firewall Manager administrator accounts, see [Managing Firewall Manager administrators](https://docs.aws.amazon.com/organizations/latest/userguide/fms-administrators.html) in the Firewall Manager Developer Guide. /// - /// - Parameter AssociateAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAdminAccountInput`) /// - /// - Returns: `AssociateAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAdminAccountOutput.httpOutput(from:), AssociateAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension FMSClient { /// /// Sets the Firewall Manager policy administrator as a tenant administrator of a third-party firewall service. A tenant is an instance of the third-party firewall service that's associated with your Amazon Web Services customer account. /// - /// - Parameter AssociateThirdPartyFirewallInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateThirdPartyFirewallInput`) /// - /// - Returns: `AssociateThirdPartyFirewallOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateThirdPartyFirewallOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateThirdPartyFirewallOutput.httpOutput(from:), AssociateThirdPartyFirewallOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension FMSClient { /// /// Associate resources to a Firewall Manager resource set. /// - /// - Parameter BatchAssociateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAssociateResourceInput`) /// - /// - Returns: `BatchAssociateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateResourceOutput.httpOutput(from:), BatchAssociateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension FMSClient { /// /// Disassociates resources from a Firewall Manager resource set. /// - /// - Parameter BatchDisassociateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisassociateResourceInput`) /// - /// - Returns: `BatchDisassociateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateResourceOutput.httpOutput(from:), BatchDisassociateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -664,9 +659,9 @@ extension FMSClient { /// /// Permanently deletes an Firewall Manager applications list. /// - /// - Parameter DeleteAppsListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppsListInput`) /// - /// - Returns: `DeleteAppsListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppsListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -700,7 +695,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppsListOutput.httpOutput(from:), DeleteAppsListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension FMSClient { /// /// Deletes an Firewall Manager association with the IAM role and the Amazon Simple Notification Service (SNS) topic that is used to record Firewall Manager SNS logs. /// - /// - Parameter DeleteNotificationChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNotificationChannelInput`) /// - /// - Returns: `DeleteNotificationChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNotificationChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNotificationChannelOutput.httpOutput(from:), DeleteNotificationChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension FMSClient { /// /// Permanently deletes an Firewall Manager policy. /// - /// - Parameter DeletePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyInput`) /// - /// - Returns: `DeletePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -844,7 +837,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyOutput.httpOutput(from:), DeletePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension FMSClient { /// /// Permanently deletes an Firewall Manager protocols list. /// - /// - Parameter DeleteProtocolsListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProtocolsListInput`) /// - /// - Returns: `DeleteProtocolsListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProtocolsListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -915,7 +907,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProtocolsListOutput.httpOutput(from:), DeleteProtocolsListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -950,9 +941,9 @@ extension FMSClient { /// /// Deletes the specified [ResourceSet]. /// - /// - Parameter DeleteResourceSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceSetInput`) /// - /// - Returns: `DeleteResourceSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -987,7 +978,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceSetOutput.httpOutput(from:), DeleteResourceSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1022,9 +1012,9 @@ extension FMSClient { /// /// Disassociates an Firewall Manager administrator account. To set a different account as an Firewall Manager administrator, submit a [PutAdminAccount] request. To set an account as a default administrator account, you must submit an [AssociateAdminAccount] request. Disassociation of the default administrator account follows the first in, last out principle. If you are the default administrator, all Firewall Manager administrators within the organization must first disassociate their accounts before you can disassociate your account. /// - /// - Parameter DisassociateAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAdminAccountInput`) /// - /// - Returns: `DisassociateAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1058,7 +1048,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAdminAccountOutput.httpOutput(from:), DisassociateAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1093,9 +1082,9 @@ extension FMSClient { /// /// Disassociates a Firewall Manager policy administrator from a third-party firewall tenant. When you call DisassociateThirdPartyFirewall, the third-party firewall vendor deletes all of the firewalls that are associated with the account. /// - /// - Parameter DisassociateThirdPartyFirewallInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateThirdPartyFirewallInput`) /// - /// - Returns: `DisassociateThirdPartyFirewallOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateThirdPartyFirewallOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1130,7 +1119,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateThirdPartyFirewallOutput.httpOutput(from:), DisassociateThirdPartyFirewallOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1165,9 +1153,9 @@ extension FMSClient { /// /// Returns the Organizations account that is associated with Firewall Manager as the Firewall Manager default administrator. /// - /// - Parameter GetAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAdminAccountInput`) /// - /// - Returns: `GetAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1201,7 +1189,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAdminAccountOutput.httpOutput(from:), GetAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1236,9 +1223,9 @@ extension FMSClient { /// /// Returns information about the specified account's administrative scope. The administrative scope defines the resources that an Firewall Manager administrator can manage. /// - /// - Parameter GetAdminScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAdminScopeInput`) /// - /// - Returns: `GetAdminScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAdminScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1274,7 +1261,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAdminScopeOutput.httpOutput(from:), GetAdminScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1309,9 +1295,9 @@ extension FMSClient { /// /// Returns information about the specified Firewall Manager applications list. /// - /// - Parameter GetAppsListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAppsListInput`) /// - /// - Returns: `GetAppsListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAppsListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1345,7 +1331,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAppsListOutput.httpOutput(from:), GetAppsListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1380,9 +1365,9 @@ extension FMSClient { /// /// Returns detailed compliance information about the specified member account. Details include resources that are in and out of compliance with the specified policy. The reasons for resources being considered compliant depend on the Firewall Manager policy type. /// - /// - Parameter GetComplianceDetailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComplianceDetailInput`) /// - /// - Returns: `GetComplianceDetailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComplianceDetailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1417,7 +1402,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComplianceDetailOutput.httpOutput(from:), GetComplianceDetailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1452,9 +1436,9 @@ extension FMSClient { /// /// Information about the Amazon Simple Notification Service (SNS) topic that is used to record Firewall Manager SNS logs. /// - /// - Parameter GetNotificationChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNotificationChannelInput`) /// - /// - Returns: `GetNotificationChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNotificationChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1488,7 +1472,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNotificationChannelOutput.httpOutput(from:), GetNotificationChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1523,9 +1506,9 @@ extension FMSClient { /// /// Returns information about the specified Firewall Manager policy. /// - /// - Parameter GetPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyInput`) /// - /// - Returns: `GetPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1560,7 +1543,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyOutput.httpOutput(from:), GetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1595,9 +1577,9 @@ extension FMSClient { /// /// If you created a Shield Advanced policy, returns policy-level attack summary information in the event of a potential DDoS attack. Other policy types are currently unsupported. /// - /// - Parameter GetProtectionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProtectionStatusInput`) /// - /// - Returns: `GetProtectionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProtectionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1631,7 +1613,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProtectionStatusOutput.httpOutput(from:), GetProtectionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1666,9 +1647,9 @@ extension FMSClient { /// /// Returns information about the specified Firewall Manager protocols list. /// - /// - Parameter GetProtocolsListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProtocolsListInput`) /// - /// - Returns: `GetProtocolsListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProtocolsListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1702,7 +1683,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProtocolsListOutput.httpOutput(from:), GetProtocolsListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1737,9 +1717,9 @@ extension FMSClient { /// /// Gets information about a specific resource set. /// - /// - Parameter GetResourceSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceSetInput`) /// - /// - Returns: `GetResourceSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1774,7 +1754,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceSetOutput.httpOutput(from:), GetResourceSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1809,9 +1788,9 @@ extension FMSClient { /// /// The onboarding status of a Firewall Manager admin account to third-party firewall vendor tenant. /// - /// - Parameter GetThirdPartyFirewallAssociationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetThirdPartyFirewallAssociationStatusInput`) /// - /// - Returns: `GetThirdPartyFirewallAssociationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetThirdPartyFirewallAssociationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1846,7 +1825,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetThirdPartyFirewallAssociationStatusOutput.httpOutput(from:), GetThirdPartyFirewallAssociationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1881,9 +1859,9 @@ extension FMSClient { /// /// Retrieves violations for a resource based on the specified Firewall Manager policy and Amazon Web Services account. /// - /// - Parameter GetViolationDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetViolationDetailsInput`) /// - /// - Returns: `GetViolationDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetViolationDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1917,7 +1895,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetViolationDetailsOutput.httpOutput(from:), GetViolationDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1952,9 +1929,9 @@ extension FMSClient { /// /// Returns a AdminAccounts object that lists the Firewall Manager administrators within the organization that are onboarded to Firewall Manager by [AssociateAdminAccount]. This operation can be called only from the organization's management account. /// - /// - Parameter ListAdminAccountsForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAdminAccountsForOrganizationInput`) /// - /// - Returns: `ListAdminAccountsForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAdminAccountsForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1989,7 +1966,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAdminAccountsForOrganizationOutput.httpOutput(from:), ListAdminAccountsForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2024,9 +2000,9 @@ extension FMSClient { /// /// Lists the accounts that are managing the specified Organizations member account. This is useful for any member account so that they can view the accounts who are managing their account. This operation only returns the managing administrators that have the requested account within their [AdminScope]. /// - /// - Parameter ListAdminsManagingAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAdminsManagingAccountInput`) /// - /// - Returns: `ListAdminsManagingAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAdminsManagingAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2060,7 +2036,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAdminsManagingAccountOutput.httpOutput(from:), ListAdminsManagingAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2095,9 +2070,9 @@ extension FMSClient { /// /// Returns an array of AppsListDataSummary objects. /// - /// - Parameter ListAppsListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppsListsInput`) /// - /// - Returns: `ListAppsListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppsListsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2132,7 +2107,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppsListsOutput.httpOutput(from:), ListAppsListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2167,9 +2141,9 @@ extension FMSClient { /// /// Returns an array of PolicyComplianceStatus objects. Use PolicyComplianceStatus to get a summary of which member accounts are protected by the specified policy. /// - /// - Parameter ListComplianceStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComplianceStatusInput`) /// - /// - Returns: `ListComplianceStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComplianceStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2202,7 +2176,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComplianceStatusOutput.httpOutput(from:), ListComplianceStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2237,9 +2210,9 @@ extension FMSClient { /// /// Returns an array of resources in the organization's accounts that are available to be associated with a resource set. /// - /// - Parameter ListDiscoveredResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDiscoveredResourcesInput`) /// - /// - Returns: `ListDiscoveredResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDiscoveredResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2273,7 +2246,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDiscoveredResourcesOutput.httpOutput(from:), ListDiscoveredResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2308,9 +2280,9 @@ extension FMSClient { /// /// Returns a MemberAccounts object that lists the member accounts in the administrator's Amazon Web Services organization. Either an Firewall Manager administrator or the organization's management account can make this request. /// - /// - Parameter ListMemberAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMemberAccountsInput`) /// - /// - Returns: `ListMemberAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMemberAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2343,7 +2315,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMemberAccountsOutput.httpOutput(from:), ListMemberAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2378,9 +2349,9 @@ extension FMSClient { /// /// Returns an array of PolicySummary objects. /// - /// - Parameter ListPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPoliciesInput`) /// - /// - Returns: `ListPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2415,7 +2386,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPoliciesOutput.httpOutput(from:), ListPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2450,9 +2420,9 @@ extension FMSClient { /// /// Returns an array of ProtocolsListDataSummary objects. /// - /// - Parameter ListProtocolsListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProtocolsListsInput`) /// - /// - Returns: `ListProtocolsListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProtocolsListsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2486,7 +2456,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProtocolsListsOutput.httpOutput(from:), ListProtocolsListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2521,9 +2490,9 @@ extension FMSClient { /// /// Returns an array of resources that are currently associated to a resource set. /// - /// - Parameter ListResourceSetResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceSetResourcesInput`) /// - /// - Returns: `ListResourceSetResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceSetResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2558,7 +2527,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceSetResourcesOutput.httpOutput(from:), ListResourceSetResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2593,9 +2561,9 @@ extension FMSClient { /// /// Returns an array of ResourceSetSummary objects. /// - /// - Parameter ListResourceSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceSetsInput`) /// - /// - Returns: `ListResourceSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2629,7 +2597,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceSetsOutput.httpOutput(from:), ListResourceSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2664,9 +2631,9 @@ extension FMSClient { /// /// Retrieves the list of tags for the specified Amazon Web Services resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2701,7 +2668,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2736,9 +2702,9 @@ extension FMSClient { /// /// Retrieves a list of all of the third-party firewall policies that are associated with the third-party firewall administrator's account. /// - /// - Parameter ListThirdPartyFirewallFirewallPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThirdPartyFirewallFirewallPoliciesInput`) /// - /// - Returns: `ListThirdPartyFirewallFirewallPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThirdPartyFirewallFirewallPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2773,7 +2739,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThirdPartyFirewallFirewallPoliciesOutput.httpOutput(from:), ListThirdPartyFirewallFirewallPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2808,9 +2773,9 @@ extension FMSClient { /// /// Creates or updates an Firewall Manager administrator account. The account must be a member of the organization that was onboarded to Firewall Manager by [AssociateAdminAccount]. Only the organization's management account can create an Firewall Manager administrator account. When you create an Firewall Manager administrator account, the service checks to see if the account is already a delegated administrator within Organizations. If the account isn't a delegated administrator, Firewall Manager calls Organizations to delegate the account within Organizations. For more information about administrator accounts within Organizations, see [Managing the Amazon Web Services Accounts in Your Organization](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts.html). /// - /// - Parameter PutAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAdminAccountInput`) /// - /// - Returns: `PutAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2845,7 +2810,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAdminAccountOutput.httpOutput(from:), PutAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2880,9 +2844,9 @@ extension FMSClient { /// /// Creates an Firewall Manager applications list. /// - /// - Parameter PutAppsListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAppsListInput`) /// - /// - Returns: `PutAppsListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAppsListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2918,7 +2882,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAppsListOutput.httpOutput(from:), PutAppsListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2953,9 +2916,9 @@ extension FMSClient { /// /// Designates the IAM role and Amazon Simple Notification Service (SNS) topic that Firewall Manager uses to record SNS logs. To perform this action outside of the console, you must first configure the SNS topic's access policy to allow the SnsRoleName to publish SNS logs. If the SnsRoleName provided is a role other than the AWSServiceRoleForFMS service-linked role, this role must have a trust relationship configured to allow the Firewall Manager service principal fms.amazonaws.com to assume this role. For information about configuring an SNS access policy, see [Service roles for Firewall Manager](https://docs.aws.amazon.com/waf/latest/developerguide/fms-security_iam_service-with-iam.html#fms-security_iam_service-with-iam-roles-service) in the Firewall Manager Developer Guide. /// - /// - Parameter PutNotificationChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutNotificationChannelInput`) /// - /// - Returns: `PutNotificationChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutNotificationChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2989,7 +2952,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutNotificationChannelOutput.httpOutput(from:), PutNotificationChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3042,9 +3004,9 @@ extension FMSClient { /// /// * Fortigate CNF policy - This policy applies Fortigate Cloud Native Firewall (CNF) protections. Fortigate CNF is a cloud-centered solution that blocks Zero-Day threats and secures cloud infrastructures with industry-leading advanced threat prevention, smart web application firewalls (WAF), and API protection. /// - /// - Parameter PutPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPolicyInput`) /// - /// - Returns: `PutPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3081,7 +3043,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPolicyOutput.httpOutput(from:), PutPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3116,9 +3077,9 @@ extension FMSClient { /// /// Creates an Firewall Manager protocols list. /// - /// - Parameter PutProtocolsListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutProtocolsListInput`) /// - /// - Returns: `PutProtocolsListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutProtocolsListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3154,7 +3115,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutProtocolsListOutput.httpOutput(from:), PutProtocolsListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3189,9 +3149,9 @@ extension FMSClient { /// /// Creates the resource set. An Firewall Manager resource set defines the resources to import into an Firewall Manager policy from another Amazon Web Services service. /// - /// - Parameter PutResourceSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourceSetInput`) /// - /// - Returns: `PutResourceSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourceSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3226,7 +3186,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourceSetOutput.httpOutput(from:), PutResourceSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3261,9 +3220,9 @@ extension FMSClient { /// /// Adds one or more tags to an Amazon Web Services resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3299,7 +3258,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3334,9 +3292,9 @@ extension FMSClient { /// /// Removes one or more tags from an Amazon Web Services resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3371,7 +3329,6 @@ extension FMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSFSx/Sources/AWSFSx/FSxClient.swift b/Sources/Services/AWSFSx/Sources/AWSFSx/FSxClient.swift index 3b35c64efe7..7bcdbec9278 100644 --- a/Sources/Services/AWSFSx/Sources/AWSFSx/FSxClient.swift +++ b/Sources/Services/AWSFSx/Sources/AWSFSx/FSxClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class FSxClient: ClientRuntime.Client { public static let clientName = "FSxClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: FSxClient.FSxClientConfiguration let serviceName = "FSx" @@ -374,9 +373,9 @@ extension FSxClient { /// /// Use this action to associate one or more Domain Name Server (DNS) aliases with an existing Amazon FSx for Windows File Server file system. A file system can have a maximum of 50 DNS aliases associated with it at any one time. If you try to associate a DNS alias that is already associated with the file system, FSx takes no action on that alias in the request. For more information, see [Working with DNS Aliases](https://docs.aws.amazon.com/fsx/latest/WindowsGuide/managing-dns-aliases.html) and [Walkthrough 5: Using DNS aliases to access your file system](https://docs.aws.amazon.com/fsx/latest/WindowsGuide/walkthrough05-file-system-custom-CNAME.html), including additional steps you must take to be able to access your file system using a DNS alias. The system response shows the DNS aliases that Amazon FSx is attempting to associate with the file system. Use the API operation to monitor the status of the aliases Amazon FSx is associating with the file system. /// - /// - Parameter AssociateFileSystemAliasesInput : The request object specifying one or more DNS alias names to associate with an Amazon FSx for Windows File Server file system. + /// - Parameter input: The request object specifying one or more DNS alias names to associate with an Amazon FSx for Windows File Server file system. (Type: `AssociateFileSystemAliasesInput`) /// - /// - Returns: `AssociateFileSystemAliasesOutput` : The system generated response showing the DNS aliases that Amazon FSx is attempting to associate with the file system. Use the API operation to monitor the status of the aliases Amazon FSx is associating with the file system. It can take up to 2.5 minutes for the alias status to change from CREATING to AVAILABLE. + /// - Returns: The system generated response showing the DNS aliases that Amazon FSx is attempting to associate with the file system. Use the API operation to monitor the status of the aliases Amazon FSx is associating with the file system. It can take up to 2.5 minutes for the alias status to change from CREATING to AVAILABLE. (Type: `AssociateFileSystemAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateFileSystemAliasesOutput.httpOutput(from:), AssociateFileSystemAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -455,9 +453,9 @@ extension FSxClient { /// /// For a release task, Amazon FSx will stop releasing files upon cancellation. Any files that have already been released will remain in the released state. /// - /// - Parameter CancelDataRepositoryTaskInput : Cancels a data repository task. + /// - Parameter input: Cancels a data repository task. (Type: `CancelDataRepositoryTaskInput`) /// - /// - Returns: `CancelDataRepositoryTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelDataRepositoryTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelDataRepositoryTaskOutput.httpOutput(from:), CancelDataRepositoryTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -528,9 +525,9 @@ extension FSxClient { /// /// Copies an existing backup within the same Amazon Web Services account to another Amazon Web Services Region (cross-Region copy) or within the same Amazon Web Services Region (in-Region copy). You can have up to five backup copy requests in progress to a single destination Region per account. You can use cross-Region backup copies for cross-Region disaster recovery. You can periodically take backups and copy them to another Region so that in the event of a disaster in the primary Region, you can restore from backup and recover availability quickly in the other Region. You can make cross-Region copies only within your Amazon Web Services partition. A partition is a grouping of Regions. Amazon Web Services currently has three partitions: aws (Standard Regions), aws-cn (China Regions), and aws-us-gov (Amazon Web Services GovCloud [US] Regions). You can also use backup copies to clone your file dataset to another Region or within the same Region. You can use the SourceRegion parameter to specify the Amazon Web Services Region from which the backup will be copied. For example, if you make the call from the us-west-1 Region and want to copy a backup from the us-east-2 Region, you specify us-east-2 in the SourceRegion parameter to make a cross-Region copy. If you don't specify a Region, the backup copy is created in the same Region where the request is sent from (in-Region copy). For more information about creating backup copies, see [ Copying backups](https://docs.aws.amazon.com/fsx/latest/WindowsGuide/using-backups.html#copy-backups) in the Amazon FSx for Windows User Guide, [Copying backups](https://docs.aws.amazon.com/fsx/latest/LustreGuide/using-backups-fsx.html#copy-backups) in the Amazon FSx for Lustre User Guide, and [Copying backups](https://docs.aws.amazon.com/fsx/latest/OpenZFSGuide/using-backups.html#copy-backups) in the Amazon FSx for OpenZFS User Guide. /// - /// - Parameter CopyBackupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyBackupInput`) /// - /// - Returns: `CopyBackupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -573,7 +570,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyBackupOutput.httpOutput(from:), CopyBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -608,9 +604,9 @@ extension FSxClient { /// /// Updates an existing volume by using a snapshot from another Amazon FSx for OpenZFS file system. For more information, see [on-demand data replication](https://docs.aws.amazon.com/fsx/latest/OpenZFSGuide/on-demand-replication.html) in the Amazon FSx for OpenZFS User Guide. /// - /// - Parameter CopySnapshotAndUpdateVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopySnapshotAndUpdateVolumeInput`) /// - /// - Returns: `CopySnapshotAndUpdateVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopySnapshotAndUpdateVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -646,7 +642,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopySnapshotAndUpdateVolumeOutput.httpOutput(from:), CopySnapshotAndUpdateVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -698,9 +693,9 @@ extension FSxClient { /// /// * [DetachAndDeleteS3AccessPoint] /// - /// - Parameter CreateAndAttachS3AccessPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAndAttachS3AccessPointInput`) /// - /// - Returns: `CreateAndAttachS3AccessPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAndAttachS3AccessPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -741,7 +736,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAndAttachS3AccessPointOutput.httpOutput(from:), CreateAndAttachS3AccessPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -801,9 +795,9 @@ extension FSxClient { /// /// By using the idempotent operation, you can retry a CreateBackup operation without the risk of creating an extra backup. This approach can be useful when an initial call fails in a way that makes it unclear whether a backup was created. If you use the same client request token and the initial call created a backup, the operation returns a successful result because all the parameters are the same. The CreateBackup operation returns while the backup's lifecycle state is still CREATING. You can check the backup creation status by calling the [DescribeBackups](https://docs.aws.amazon.com/fsx/latest/APIReference/API_DescribeBackups.html) operation, which returns the backup state along with other information. /// - /// - Parameter CreateBackupInput : The request object for the CreateBackup operation. + /// - Parameter input: The request object for the CreateBackup operation. (Type: `CreateBackupInput`) /// - /// - Returns: `CreateBackupOutput` : The response object for the CreateBackup operation. + /// - Returns: The response object for the CreateBackup operation. (Type: `CreateBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -843,7 +837,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBackupOutput.httpOutput(from:), CreateBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +871,9 @@ extension FSxClient { /// /// Creates an Amazon FSx for Lustre data repository association (DRA). A data repository association is a link between a directory on the file system and an Amazon S3 bucket or prefix. You can have a maximum of 8 data repository associations on a file system. Data repository associations are supported on all FSx for Lustre 2.12 and 2.15 file systems, excluding scratch_1 deployment type. Each data repository association must have a unique Amazon FSx file system directory and a unique S3 bucket or prefix associated with it. You can configure a data repository association for automatic import only, for automatic export only, or for both. To learn more about linking a data repository to your file system, see [Linking your file system to an S3 bucket](https://docs.aws.amazon.com/fsx/latest/LustreGuide/create-dra-linked-data-repo.html). CreateDataRepositoryAssociation isn't supported on Amazon File Cache resources. To create a DRA on Amazon File Cache, use the CreateFileCache operation. /// - /// - Parameter CreateDataRepositoryAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataRepositoryAssociationInput`) /// - /// - Returns: `CreateDataRepositoryAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataRepositoryAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -918,7 +911,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataRepositoryAssociationOutput.httpOutput(from:), CreateDataRepositoryAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +945,9 @@ extension FSxClient { /// /// Creates an Amazon FSx for Lustre data repository task. A CreateDataRepositoryTask operation will fail if a data repository is not linked to the FSx file system. You use import and export data repository tasks to perform bulk operations between your FSx for Lustre file system and its linked data repositories. An example of a data repository task is exporting any data and metadata changes, including POSIX metadata, to files, directories, and symbolic links (symlinks) from your FSx file system to a linked data repository. You use release data repository tasks to release data from your file system for files that are exported to S3. The metadata of released files remains on the file system so users or applications can still access released files by reading the files again, which will restore data from Amazon S3 to the FSx for Lustre file system. To learn more about data repository tasks, see [Data Repository Tasks](https://docs.aws.amazon.com/fsx/latest/LustreGuide/data-repository-tasks.html). To learn more about linking a data repository to your file system, see [Linking your file system to an S3 bucket](https://docs.aws.amazon.com/fsx/latest/LustreGuide/create-dra-linked-data-repo.html). /// - /// - Parameter CreateDataRepositoryTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataRepositoryTaskInput`) /// - /// - Returns: `CreateDataRepositoryTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataRepositoryTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +989,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataRepositoryTaskOutput.httpOutput(from:), CreateDataRepositoryTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1039,9 +1030,9 @@ extension FSxClient { /// /// The CreateFileCache call returns while the cache's lifecycle state is still CREATING. You can check the cache creation status by calling the [DescribeFileCaches](https://docs.aws.amazon.com/fsx/latest/APIReference/API_DescribeFileCaches.html) operation, which returns the cache state along with other information. /// - /// - Parameter CreateFileCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFileCacheInput`) /// - /// - Returns: `CreateFileCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFileCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1080,7 +1071,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFileCacheOutput.httpOutput(from:), CreateFileCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1133,9 +1123,9 @@ extension FSxClient { /// /// The CreateFileSystem call returns while the file system's lifecycle state is still CREATING. You can check the file-system creation status by calling the [DescribeFileSystems](https://docs.aws.amazon.com/fsx/latest/APIReference/API_DescribeFileSystems.html) operation, which returns the file system state along with other information. /// - /// - Parameter CreateFileSystemInput : The request object used to create a new Amazon FSx file system. + /// - Parameter input: The request object used to create a new Amazon FSx file system. (Type: `CreateFileSystemInput`) /// - /// - Returns: `CreateFileSystemOutput` : The response object returned after the file system is created. + /// - Returns: The response object returned after the file system is created. (Type: `CreateFileSystemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1177,7 +1167,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFileSystemOutput.httpOutput(from:), CreateFileSystemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1219,9 +1208,9 @@ extension FSxClient { /// /// Parameters like the Active Directory, default share name, automatic backup, and backup settings default to the parameters of the file system that was backed up, unless overridden. You can explicitly supply other settings. By using the idempotent operation, you can retry a CreateFileSystemFromBackup call without the risk of creating an extra file system. This approach can be useful when an initial call fails in a way that makes it unclear whether a file system was created. Examples are if a transport level timeout occurred, or your connection was reset. If you use the same client request token and the initial call created a file system, the client receives a success message as long as the parameters are the same. The CreateFileSystemFromBackup call returns while the file system's lifecycle state is still CREATING. You can check the file-system creation status by calling the [ DescribeFileSystems](https://docs.aws.amazon.com/fsx/latest/APIReference/API_DescribeFileSystems.html) operation, which returns the file system state along with other information. /// - /// - Parameter CreateFileSystemFromBackupInput : The request object for the CreateFileSystemFromBackup operation. + /// - Parameter input: The request object for the CreateFileSystemFromBackup operation. (Type: `CreateFileSystemFromBackupInput`) /// - /// - Returns: `CreateFileSystemFromBackupOutput` : The response object for the CreateFileSystemFromBackup operation. + /// - Returns: The response object for the CreateFileSystemFromBackup operation. (Type: `CreateFileSystemFromBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1262,7 +1251,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFileSystemFromBackupOutput.httpOutput(from:), CreateFileSystemFromBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1304,9 +1292,9 @@ extension FSxClient { /// /// By using the idempotent operation, you can retry a CreateSnapshot operation without the risk of creating an extra snapshot. This approach can be useful when an initial call fails in a way that makes it unclear whether a snapshot was created. If you use the same client request token and the initial call created a snapshot, the operation returns a successful result because all the parameters are the same. The CreateSnapshot operation returns while the snapshot's lifecycle state is still CREATING. You can check the snapshot creation status by calling the [DescribeSnapshots](https://docs.aws.amazon.com/fsx/latest/APIReference/API_DescribeSnapshots.html) operation, which returns the snapshot state along with other information. /// - /// - Parameter CreateSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSnapshotInput`) /// - /// - Returns: `CreateSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1342,7 +1330,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotOutput.httpOutput(from:), CreateSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1377,9 +1364,9 @@ extension FSxClient { /// /// Creates a storage virtual machine (SVM) for an Amazon FSx for ONTAP file system. /// - /// - Parameter CreateStorageVirtualMachineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStorageVirtualMachineInput`) /// - /// - Returns: `CreateStorageVirtualMachineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStorageVirtualMachineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1418,7 +1405,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStorageVirtualMachineOutput.httpOutput(from:), CreateStorageVirtualMachineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1453,9 +1439,9 @@ extension FSxClient { /// /// Creates an FSx for ONTAP or Amazon FSx for OpenZFS storage volume. /// - /// - Parameter CreateVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVolumeInput`) /// - /// - Returns: `CreateVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1495,7 +1481,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVolumeOutput.httpOutput(from:), CreateVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1530,9 +1515,9 @@ extension FSxClient { /// /// Creates a new Amazon FSx for NetApp ONTAP volume from an existing Amazon FSx volume backup. /// - /// - Parameter CreateVolumeFromBackupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVolumeFromBackupInput`) /// - /// - Returns: `CreateVolumeFromBackupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVolumeFromBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1572,7 +1557,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVolumeFromBackupOutput.httpOutput(from:), CreateVolumeFromBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1607,9 +1591,9 @@ extension FSxClient { /// /// Deletes an Amazon FSx backup. After deletion, the backup no longer exists, and its data is gone. The DeleteBackup call returns instantly. The backup won't show up in later DescribeBackups calls. The data in a deleted backup is also deleted and can't be recovered by any means. /// - /// - Parameter DeleteBackupInput : The request object for the DeleteBackup operation. + /// - Parameter input: The request object for the DeleteBackup operation. (Type: `DeleteBackupInput`) /// - /// - Returns: `DeleteBackupOutput` : The response object for the DeleteBackup operation. + /// - Returns: The response object for the DeleteBackup operation. (Type: `DeleteBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1648,7 +1632,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBackupOutput.httpOutput(from:), DeleteBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1683,9 +1666,9 @@ extension FSxClient { /// /// Deletes a data repository association on an Amazon FSx for Lustre file system. Deleting the data repository association unlinks the file system from the Amazon S3 bucket. When deleting a data repository association, you have the option of deleting the data in the file system that corresponds to the data repository association. Data repository associations are supported on all FSx for Lustre 2.12 and 2.15 file systems, excluding scratch_1 deployment type. /// - /// - Parameter DeleteDataRepositoryAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataRepositoryAssociationInput`) /// - /// - Returns: `DeleteDataRepositoryAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataRepositoryAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1722,7 +1705,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataRepositoryAssociationOutput.httpOutput(from:), DeleteDataRepositoryAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1757,9 +1739,9 @@ extension FSxClient { /// /// Deletes an Amazon File Cache resource. After deletion, the cache no longer exists, and its data is gone. The DeleteFileCache operation returns while the cache has the DELETING status. You can check the cache deletion status by calling the [DescribeFileCaches](https://docs.aws.amazon.com/fsx/latest/APIReference/API_DescribeFileCaches.html) operation, which returns a list of caches in your account. If you pass the cache ID for a deleted cache, the DescribeFileCaches operation returns a FileCacheNotFound error. The data in a deleted cache is also deleted and can't be recovered by any means. /// - /// - Parameter DeleteFileCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFileCacheInput`) /// - /// - Returns: `DeleteFileCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFileCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1796,7 +1778,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFileCacheOutput.httpOutput(from:), DeleteFileCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1831,9 +1812,9 @@ extension FSxClient { /// /// Deletes a file system. After deletion, the file system no longer exists, and its data is gone. Any existing automatic backups and snapshots are also deleted. To delete an Amazon FSx for NetApp ONTAP file system, first delete all the volumes and storage virtual machines (SVMs) on the file system. Then provide a FileSystemId value to the DeleteFileSystem operation. Before deleting an Amazon FSx for OpenZFS file system, make sure that there aren't any Amazon S3 access points attached to any volume. For more information on how to list S3 access points that are attached to volumes, see [Listing S3 access point attachments](https://docs.aws.amazon.com/fsx/latest/OpenZFSGuide/access-points-list.html). For more information on how to delete S3 access points, see [Deleting an S3 access point attachment](https://docs.aws.amazon.com/fsx/latest/OpenZFSGuide/delete-access-point.html). By default, when you delete an Amazon FSx for Windows File Server file system, a final backup is created upon deletion. This final backup isn't subject to the file system's retention policy, and must be manually deleted. To delete an Amazon FSx for Lustre file system, first [unmount](https://docs.aws.amazon.com/fsx/latest/LustreGuide/unmounting-fs.html) it from every connected Amazon EC2 instance, then provide a FileSystemId value to the DeleteFileSystem operation. By default, Amazon FSx will not take a final backup when the DeleteFileSystem operation is invoked. On file systems not linked to an Amazon S3 bucket, set SkipFinalBackup to false to take a final backup of the file system you are deleting. Backups cannot be enabled on S3-linked file systems. To ensure all of your data is written back to S3 before deleting your file system, you can either monitor for the [AgeOfOldestQueuedMessage](https://docs.aws.amazon.com/fsx/latest/LustreGuide/monitoring-cloudwatch.html#auto-import-export-metrics) metric to be zero (if using automatic export) or you can run an [export data repository task](https://docs.aws.amazon.com/fsx/latest/LustreGuide/export-data-repo-task-dra.html). If you have automatic export enabled and want to use an export data repository task, you have to disable automatic export before executing the export data repository task. The DeleteFileSystem operation returns while the file system has the DELETING status. You can check the file system deletion status by calling the [DescribeFileSystems](https://docs.aws.amazon.com/fsx/latest/APIReference/API_DescribeFileSystems.html) operation, which returns a list of file systems in your account. If you pass the file system ID for a deleted file system, the DescribeFileSystems operation returns a FileSystemNotFound error. If a data repository task is in a PENDING or EXECUTING state, deleting an Amazon FSx for Lustre file system will fail with an HTTP status code 400 (Bad Request). The data in a deleted file system is also deleted and can't be recovered by any means. /// - /// - Parameter DeleteFileSystemInput : The request object for DeleteFileSystem operation. + /// - Parameter input: The request object for DeleteFileSystem operation. (Type: `DeleteFileSystemInput`) /// - /// - Returns: `DeleteFileSystemOutput` : The response object for the DeleteFileSystem operation. + /// - Returns: The response object for the DeleteFileSystem operation. (Type: `DeleteFileSystemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1870,7 +1851,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFileSystemOutput.httpOutput(from:), DeleteFileSystemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1905,9 +1885,9 @@ extension FSxClient { /// /// Deletes an Amazon FSx for OpenZFS snapshot. After deletion, the snapshot no longer exists, and its data is gone. Deleting a snapshot doesn't affect snapshots stored in a file system backup. The DeleteSnapshot operation returns instantly. The snapshot appears with the lifecycle status of DELETING until the deletion is complete. /// - /// - Parameter DeleteSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSnapshotInput`) /// - /// - Returns: `DeleteSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1942,7 +1922,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSnapshotOutput.httpOutput(from:), DeleteSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1977,9 +1956,9 @@ extension FSxClient { /// /// Deletes an existing Amazon FSx for ONTAP storage virtual machine (SVM). Prior to deleting an SVM, you must delete all non-root volumes in the SVM, otherwise the operation will fail. /// - /// - Parameter DeleteStorageVirtualMachineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStorageVirtualMachineInput`) /// - /// - Returns: `DeleteStorageVirtualMachineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStorageVirtualMachineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2015,7 +1994,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStorageVirtualMachineOutput.httpOutput(from:), DeleteStorageVirtualMachineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2050,9 +2028,9 @@ extension FSxClient { /// /// Deletes an Amazon FSx for NetApp ONTAP or Amazon FSx for OpenZFS volume. /// - /// - Parameter DeleteVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVolumeInput`) /// - /// - Returns: `DeleteVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2089,7 +2067,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVolumeOutput.httpOutput(from:), DeleteVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2128,9 +2105,9 @@ extension FSxClient { /// /// * The order of the backups returned in the response of one DescribeBackups call and the order of the backups returned across the responses of a multi-call iteration is unspecified. /// - /// - Parameter DescribeBackupsInput : The request object for the DescribeBackups operation. + /// - Parameter input: The request object for the DescribeBackups operation. (Type: `DescribeBackupsInput`) /// - /// - Returns: `DescribeBackupsOutput` : Response object for the DescribeBackups operation. + /// - Returns: Response object for the DescribeBackups operation. (Type: `DescribeBackupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2166,7 +2143,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBackupsOutput.httpOutput(from:), DescribeBackupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2201,9 +2177,9 @@ extension FSxClient { /// /// Returns the description of specific Amazon FSx for Lustre or Amazon File Cache data repository associations, if one or more AssociationIds values are provided in the request, or if filters are used in the request. Data repository associations are supported on Amazon File Cache resources and all FSx for Lustre 2.12 and 2,15 file systems, excluding scratch_1 deployment type. You can use filters to narrow the response to include just data repository associations for specific file systems (use the file-system-id filter with the ID of the file system) or caches (use the file-cache-id filter with the ID of the cache), or data repository associations for a specific repository type (use the data-repository-type filter with a value of S3 or NFS). If you don't use filters, the response returns all data repository associations owned by your Amazon Web Services account in the Amazon Web Services Region of the endpoint that you're calling. When retrieving all data repository associations, you can paginate the response by using the optional MaxResults parameter to limit the number of data repository associations returned in a response. If more data repository associations remain, a NextToken value is returned in the response. In this case, send a later request with the NextToken request parameter set to the value of NextToken from the last response. /// - /// - Parameter DescribeDataRepositoryAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataRepositoryAssociationsInput`) /// - /// - Returns: `DescribeDataRepositoryAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataRepositoryAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2239,7 +2215,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataRepositoryAssociationsOutput.httpOutput(from:), DescribeDataRepositoryAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2274,9 +2249,9 @@ extension FSxClient { /// /// Returns the description of specific Amazon FSx for Lustre or Amazon File Cache data repository tasks, if one or more TaskIds values are provided in the request, or if filters are used in the request. You can use filters to narrow the response to include just tasks for specific file systems or caches, or tasks in a specific lifecycle state. Otherwise, it returns all data repository tasks owned by your Amazon Web Services account in the Amazon Web Services Region of the endpoint that you're calling. When retrieving all tasks, you can paginate the response by using the optional MaxResults parameter to limit the number of tasks returned in a response. If more tasks remain, a NextToken value is returned in the response. In this case, send a later request with the NextToken request parameter set to the value of NextToken from the last response. /// - /// - Parameter DescribeDataRepositoryTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataRepositoryTasksInput`) /// - /// - Returns: `DescribeDataRepositoryTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataRepositoryTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2311,7 +2286,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataRepositoryTasksOutput.httpOutput(from:), DescribeDataRepositoryTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2350,9 +2324,9 @@ extension FSxClient { /// /// * The order of caches returned in the response of one DescribeFileCaches call and the order of caches returned across the responses of a multicall iteration is unspecified. /// - /// - Parameter DescribeFileCachesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFileCachesInput`) /// - /// - Returns: `DescribeFileCachesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFileCachesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2386,7 +2360,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFileCachesOutput.httpOutput(from:), DescribeFileCachesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2421,9 +2394,9 @@ extension FSxClient { /// /// Returns the DNS aliases that are associated with the specified Amazon FSx for Windows File Server file system. A history of all DNS aliases that have been associated with and disassociated from the file system is available in the list of [AdministrativeAction] provided in the [DescribeFileSystems] operation response. /// - /// - Parameter DescribeFileSystemAliasesInput : The request object for DescribeFileSystemAliases operation. + /// - Parameter input: The request object for DescribeFileSystemAliases operation. (Type: `DescribeFileSystemAliasesInput`) /// - /// - Returns: `DescribeFileSystemAliasesOutput` : The response object for DescribeFileSystemAliases operation. + /// - Returns: The response object for DescribeFileSystemAliases operation. (Type: `DescribeFileSystemAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2458,7 +2431,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFileSystemAliasesOutput.httpOutput(from:), DescribeFileSystemAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2497,9 +2469,9 @@ extension FSxClient { /// /// * The order of file systems returned in the response of one DescribeFileSystems call and the order of file systems returned across the responses of a multicall iteration is unspecified. /// - /// - Parameter DescribeFileSystemsInput : The request object for DescribeFileSystems operation. + /// - Parameter input: The request object for DescribeFileSystems operation. (Type: `DescribeFileSystemsInput`) /// - /// - Returns: `DescribeFileSystemsOutput` : The response object for DescribeFileSystems operation. + /// - Returns: The response object for DescribeFileSystems operation. (Type: `DescribeFileSystemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2533,7 +2505,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFileSystemsOutput.httpOutput(from:), DescribeFileSystemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2570,9 +2541,9 @@ extension FSxClient { /// /// * fsx:DescribeS3AccessPointAttachments /// - /// - Parameter DescribeS3AccessPointAttachmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeS3AccessPointAttachmentsInput`) /// - /// - Returns: `DescribeS3AccessPointAttachmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeS3AccessPointAttachmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2607,7 +2578,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeS3AccessPointAttachmentsOutput.httpOutput(from:), DescribeS3AccessPointAttachmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2642,9 +2612,9 @@ extension FSxClient { /// /// Indicates whether participant accounts in your organization can create Amazon FSx for NetApp ONTAP Multi-AZ file systems in subnets that are shared by a virtual private cloud (VPC) owner. For more information, see [Creating FSx for ONTAP file systems in shared subnets](https://docs.aws.amazon.com/fsx/latest/ONTAPGuide/creating-file-systems.html#fsxn-vpc-shared-subnets). /// - /// - Parameter DescribeSharedVpcConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSharedVpcConfigurationInput`) /// - /// - Returns: `DescribeSharedVpcConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSharedVpcConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2677,7 +2647,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSharedVpcConfigurationOutput.httpOutput(from:), DescribeSharedVpcConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2716,9 +2685,9 @@ extension FSxClient { /// /// * The order of snapshots returned in the response of one DescribeSnapshots call and the order of backups returned across the responses of a multi-call iteration is unspecified. /// - /// - Parameter DescribeSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSnapshotsInput`) /// - /// - Returns: `DescribeSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2752,7 +2721,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSnapshotsOutput.httpOutput(from:), DescribeSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2787,9 +2755,9 @@ extension FSxClient { /// /// Describes one or more Amazon FSx for NetApp ONTAP storage virtual machines (SVMs). /// - /// - Parameter DescribeStorageVirtualMachinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStorageVirtualMachinesInput`) /// - /// - Returns: `DescribeStorageVirtualMachinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStorageVirtualMachinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2823,7 +2791,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStorageVirtualMachinesOutput.httpOutput(from:), DescribeStorageVirtualMachinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2858,9 +2825,9 @@ extension FSxClient { /// /// Describes one or more Amazon FSx for NetApp ONTAP or Amazon FSx for OpenZFS volumes. /// - /// - Parameter DescribeVolumesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVolumesInput`) /// - /// - Returns: `DescribeVolumesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVolumesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2894,7 +2861,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVolumesOutput.httpOutput(from:), DescribeVolumesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2933,9 +2899,9 @@ extension FSxClient { /// /// * s3:DeleteAccessPoint /// - /// - Parameter DetachAndDeleteS3AccessPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachAndDeleteS3AccessPointInput`) /// - /// - Returns: `DetachAndDeleteS3AccessPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachAndDeleteS3AccessPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2972,7 +2938,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachAndDeleteS3AccessPointOutput.httpOutput(from:), DetachAndDeleteS3AccessPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3007,9 +2972,9 @@ extension FSxClient { /// /// Use this action to disassociate, or remove, one or more Domain Name Service (DNS) aliases from an Amazon FSx for Windows File Server file system. If you attempt to disassociate a DNS alias that is not associated with the file system, Amazon FSx responds with an HTTP status code 400 (Bad Request). For more information, see [Working with DNS Aliases](https://docs.aws.amazon.com/fsx/latest/WindowsGuide/managing-dns-aliases.html). The system generated response showing the DNS aliases that Amazon FSx is attempting to disassociate from the file system. Use the API operation to monitor the status of the aliases Amazon FSx is disassociating with the file system. /// - /// - Parameter DisassociateFileSystemAliasesInput : The request object of DNS aliases to disassociate from an Amazon FSx for Windows File Server file system. + /// - Parameter input: The request object of DNS aliases to disassociate from an Amazon FSx for Windows File Server file system. (Type: `DisassociateFileSystemAliasesInput`) /// - /// - Returns: `DisassociateFileSystemAliasesOutput` : The system generated response showing the DNS aliases that Amazon FSx is attempting to disassociate from the file system. Use the API operation to monitor the status of the aliases Amazon FSx is removing from the file system. + /// - Returns: The system generated response showing the DNS aliases that Amazon FSx is attempting to disassociate from the file system. Use the API operation to monitor the status of the aliases Amazon FSx is removing from the file system. (Type: `DisassociateFileSystemAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3044,7 +3009,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFileSystemAliasesOutput.httpOutput(from:), DisassociateFileSystemAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3083,9 +3047,9 @@ extension FSxClient { /// /// * The order of tags returned in the response of one ListTagsForResource call and the order of tags returned across the responses of a multi-call iteration is unspecified. /// - /// - Parameter ListTagsForResourceInput : The request object for ListTagsForResource operation. + /// - Parameter input: The request object for ListTagsForResource operation. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : The response object for ListTagsForResource operation. + /// - Returns: The response object for ListTagsForResource operation. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3121,7 +3085,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3156,9 +3119,9 @@ extension FSxClient { /// /// Releases the file system lock from an Amazon FSx for OpenZFS file system. /// - /// - Parameter ReleaseFileSystemNfsV3LocksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReleaseFileSystemNfsV3LocksInput`) /// - /// - Returns: `ReleaseFileSystemNfsV3LocksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReleaseFileSystemNfsV3LocksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3195,7 +3158,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReleaseFileSystemNfsV3LocksOutput.httpOutput(from:), ReleaseFileSystemNfsV3LocksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3230,9 +3192,9 @@ extension FSxClient { /// /// Returns an Amazon FSx for OpenZFS volume to the state saved by the specified snapshot. /// - /// - Parameter RestoreVolumeFromSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreVolumeFromSnapshotInput`) /// - /// - Returns: `RestoreVolumeFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreVolumeFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3267,7 +3229,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreVolumeFromSnapshotOutput.httpOutput(from:), RestoreVolumeFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3302,9 +3263,9 @@ extension FSxClient { /// /// After performing steps to repair the Active Directory configuration of an FSx for Windows File Server file system, use this action to initiate the process of Amazon FSx attempting to reconnect to the file system. /// - /// - Parameter StartMisconfiguredStateRecoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMisconfiguredStateRecoveryInput`) /// - /// - Returns: `StartMisconfiguredStateRecoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMisconfiguredStateRecoveryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3339,7 +3300,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMisconfiguredStateRecoveryOutput.httpOutput(from:), StartMisconfiguredStateRecoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3374,9 +3334,9 @@ extension FSxClient { /// /// Tags an Amazon FSx resource. /// - /// - Parameter TagResourceInput : The request object for the TagResource operation. + /// - Parameter input: The request object for the TagResource operation. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : The response object for the TagResource operation. + /// - Returns: The response object for the TagResource operation. (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3412,7 +3372,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3447,9 +3406,9 @@ extension FSxClient { /// /// This action removes a tag from an Amazon FSx resource. /// - /// - Parameter UntagResourceInput : The request object for UntagResource action. + /// - Parameter input: The request object for UntagResource action. (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : The response object for UntagResource action. + /// - Returns: The response object for UntagResource action. (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3485,7 +3444,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3520,9 +3478,9 @@ extension FSxClient { /// /// Updates the configuration of an existing data repository association on an Amazon FSx for Lustre file system. Data repository associations are supported on all FSx for Lustre 2.12 and 2.15 file systems, excluding scratch_1 deployment type. /// - /// - Parameter UpdateDataRepositoryAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataRepositoryAssociationInput`) /// - /// - Returns: `UpdateDataRepositoryAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataRepositoryAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3559,7 +3517,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataRepositoryAssociationOutput.httpOutput(from:), UpdateDataRepositoryAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3594,9 +3551,9 @@ extension FSxClient { /// /// Updates the configuration of an existing Amazon File Cache resource. You can update multiple properties in a single request. /// - /// - Parameter UpdateFileCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFileCacheInput`) /// - /// - Returns: `UpdateFileCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFileCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3635,7 +3592,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFileCacheOutput.httpOutput(from:), UpdateFileCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3771,9 +3727,9 @@ extension FSxClient { /// /// * WeeklyMaintenanceStartTime /// - /// - Parameter UpdateFileSystemInput : The request object for the UpdateFileSystem operation. + /// - Parameter input: The request object for the UpdateFileSystem operation. (Type: `UpdateFileSystemInput`) /// - /// - Returns: `UpdateFileSystemOutput` : The response object for the UpdateFileSystem operation. + /// - Returns: The response object for the UpdateFileSystem operation. (Type: `UpdateFileSystemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3813,7 +3769,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFileSystemOutput.httpOutput(from:), UpdateFileSystemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3848,9 +3803,9 @@ extension FSxClient { /// /// Configures whether participant accounts in your organization can create Amazon FSx for NetApp ONTAP Multi-AZ file systems in subnets that are shared by a virtual private cloud (VPC) owner. For more information, see the [Amazon FSx for NetApp ONTAP User Guide](https://docs.aws.amazon.com/fsx/latest/ONTAPGuide/maz-shared-vpc.html). We strongly recommend that participant-created Multi-AZ file systems in the shared VPC are deleted before you disable this feature. Once the feature is disabled, these file systems will enter a MISCONFIGURED state and behave like Single-AZ file systems. For more information, see [Important considerations before disabling shared VPC support for Multi-AZ file systems](https://docs.aws.amazon.com/fsx/latest/ONTAPGuide/maz-shared-vpc.html#disabling-maz-vpc-sharing). /// - /// - Parameter UpdateSharedVpcConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSharedVpcConfigurationInput`) /// - /// - Returns: `UpdateSharedVpcConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSharedVpcConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3885,7 +3840,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSharedVpcConfigurationOutput.httpOutput(from:), UpdateSharedVpcConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3920,9 +3874,9 @@ extension FSxClient { /// /// Updates the name of an Amazon FSx for OpenZFS snapshot. /// - /// - Parameter UpdateSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSnapshotInput`) /// - /// - Returns: `UpdateSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3957,7 +3911,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSnapshotOutput.httpOutput(from:), UpdateSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3992,9 +3945,9 @@ extension FSxClient { /// /// Updates an FSx for ONTAP storage virtual machine (SVM). /// - /// - Parameter UpdateStorageVirtualMachineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStorageVirtualMachineInput`) /// - /// - Returns: `UpdateStorageVirtualMachineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStorageVirtualMachineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4031,7 +3984,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStorageVirtualMachineOutput.httpOutput(from:), UpdateStorageVirtualMachineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4066,9 +4018,9 @@ extension FSxClient { /// /// Updates the configuration of an Amazon FSx for NetApp ONTAP or Amazon FSx for OpenZFS volume. /// - /// - Parameter UpdateVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVolumeInput`) /// - /// - Returns: `UpdateVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4105,7 +4057,6 @@ extension FSxClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVolumeOutput.httpOutput(from:), UpdateVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSFinspace/Sources/AWSFinspace/FinspaceClient.swift b/Sources/Services/AWSFinspace/Sources/AWSFinspace/FinspaceClient.swift index c5a93f666cb..c19f3bdbc62 100644 --- a/Sources/Services/AWSFinspace/Sources/AWSFinspace/FinspaceClient.swift +++ b/Sources/Services/AWSFinspace/Sources/AWSFinspace/FinspaceClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class FinspaceClient: ClientRuntime.Client { public static let clientName = "FinspaceClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: FinspaceClient.FinspaceClientConfiguration let serviceName = "finspace" @@ -376,9 +375,9 @@ extension FinspaceClient { /// Create a new FinSpace environment. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter CreateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentInput`) /// - /// - Returns: `CreateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentOutput.httpOutput(from:), CreateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension FinspaceClient { /// /// Creates a changeset for a kdb database. A changeset allows you to add and delete existing files by using an ordered list of change requests. /// - /// - Parameter CreateKxChangesetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKxChangesetInput`) /// - /// - Returns: `CreateKxChangesetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKxChangesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKxChangesetOutput.httpOutput(from:), CreateKxChangesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension FinspaceClient { /// /// Creates a new kdb cluster. /// - /// - Parameter CreateKxClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKxClusterInput`) /// - /// - Returns: `CreateKxClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKxClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKxClusterOutput.httpOutput(from:), CreateKxClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension FinspaceClient { /// /// Creates a new kdb database in the environment. /// - /// - Parameter CreateKxDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKxDatabaseInput`) /// - /// - Returns: `CreateKxDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKxDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -643,7 +639,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKxDatabaseOutput.httpOutput(from:), CreateKxDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -675,9 +670,9 @@ extension FinspaceClient { /// /// Creates a snapshot of kdb database with tiered storage capabilities and a pre-warmed cache, ready for mounting on kdb clusters. Dataviews are only available for clusters running on a scaling group. They are not supported on dedicated clusters. /// - /// - Parameter CreateKxDataviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKxDataviewInput`) /// - /// - Returns: `CreateKxDataviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKxDataviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKxDataviewOutput.httpOutput(from:), CreateKxDataviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -751,9 +745,9 @@ extension FinspaceClient { /// /// Creates a managed kdb environment for the account. /// - /// - Parameter CreateKxEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKxEnvironmentInput`) /// - /// - Returns: `CreateKxEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKxEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -794,7 +788,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKxEnvironmentOutput.httpOutput(from:), CreateKxEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -826,9 +819,9 @@ extension FinspaceClient { /// /// Creates a new scaling group. /// - /// - Parameter CreateKxScalingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKxScalingGroupInput`) /// - /// - Returns: `CreateKxScalingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKxScalingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -869,7 +862,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKxScalingGroupOutput.httpOutput(from:), CreateKxScalingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +893,9 @@ extension FinspaceClient { /// /// Creates a user in FinSpace kdb environment with an associated IAM role. /// - /// - Parameter CreateKxUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKxUserInput`) /// - /// - Returns: `CreateKxUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKxUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -945,7 +937,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKxUserOutput.httpOutput(from:), CreateKxUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -977,9 +968,9 @@ extension FinspaceClient { /// /// Creates a new volume with a specific amount of throughput and storage capacity. /// - /// - Parameter CreateKxVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKxVolumeInput`) /// - /// - Returns: `CreateKxVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKxVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1021,7 +1012,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKxVolumeOutput.httpOutput(from:), CreateKxVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1044,9 @@ extension FinspaceClient { /// Delete an FinSpace environment. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter DeleteEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentInput`) /// - /// - Returns: `DeleteEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1091,7 +1081,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentOutput.httpOutput(from:), DeleteEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1123,9 +1112,9 @@ extension FinspaceClient { /// /// Deletes a kdb cluster. /// - /// - Parameter DeleteKxClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKxClusterInput`) /// - /// - Returns: `DeleteKxClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKxClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1164,7 +1153,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteKxClusterInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKxClusterOutput.httpOutput(from:), DeleteKxClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1196,9 +1184,9 @@ extension FinspaceClient { /// /// Deletes the specified nodes from a cluster. /// - /// - Parameter DeleteKxClusterNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKxClusterNodeInput`) /// - /// - Returns: `DeleteKxClusterNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKxClusterNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1233,7 +1221,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKxClusterNodeOutput.httpOutput(from:), DeleteKxClusterNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1265,9 +1252,9 @@ extension FinspaceClient { /// /// Deletes the specified database and all of its associated data. This action is irreversible. You must copy any data out of the database before deleting it if the data is to be retained. /// - /// - Parameter DeleteKxDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKxDatabaseInput`) /// - /// - Returns: `DeleteKxDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKxDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1305,7 +1292,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteKxDatabaseInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKxDatabaseOutput.httpOutput(from:), DeleteKxDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1337,9 +1323,9 @@ extension FinspaceClient { /// /// Deletes the specified dataview. Before deleting a dataview, make sure that it is not in use by any cluster. /// - /// - Parameter DeleteKxDataviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKxDataviewInput`) /// - /// - Returns: `DeleteKxDataviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKxDataviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1377,7 +1363,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteKxDataviewInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKxDataviewOutput.httpOutput(from:), DeleteKxDataviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1409,9 +1394,9 @@ extension FinspaceClient { /// /// Deletes the kdb environment. This action is irreversible. Deleting a kdb environment will remove all the associated data and any services running in it. /// - /// - Parameter DeleteKxEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKxEnvironmentInput`) /// - /// - Returns: `DeleteKxEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKxEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1449,7 +1434,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteKxEnvironmentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKxEnvironmentOutput.httpOutput(from:), DeleteKxEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1481,9 +1465,9 @@ extension FinspaceClient { /// /// Deletes the specified scaling group. This action is irreversible. You cannot delete a scaling group until all the clusters running on it have been deleted. /// - /// - Parameter DeleteKxScalingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKxScalingGroupInput`) /// - /// - Returns: `DeleteKxScalingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKxScalingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1522,7 +1506,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteKxScalingGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKxScalingGroupOutput.httpOutput(from:), DeleteKxScalingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1554,9 +1537,9 @@ extension FinspaceClient { /// /// Deletes a user in the specified kdb environment. /// - /// - Parameter DeleteKxUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKxUserInput`) /// - /// - Returns: `DeleteKxUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKxUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1594,7 +1577,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteKxUserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKxUserOutput.httpOutput(from:), DeleteKxUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1626,9 +1608,9 @@ extension FinspaceClient { /// /// Deletes a volume. You can only delete a volume if it's not attached to a cluster or a dataview. When a volume is deleted, any data on the volume is lost. This action is irreversible. /// - /// - Parameter DeleteKxVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKxVolumeInput`) /// - /// - Returns: `DeleteKxVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKxVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1667,7 +1649,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteKxVolumeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKxVolumeOutput.httpOutput(from:), DeleteKxVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1700,9 +1681,9 @@ extension FinspaceClient { /// Returns the FinSpace environment object. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter GetEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentInput`) /// - /// - Returns: `GetEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1736,7 +1717,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentOutput.httpOutput(from:), GetEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1768,9 +1748,9 @@ extension FinspaceClient { /// /// Returns information about a kdb changeset. /// - /// - Parameter GetKxChangesetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKxChangesetInput`) /// - /// - Returns: `GetKxChangesetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKxChangesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1805,7 +1785,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKxChangesetOutput.httpOutput(from:), GetKxChangesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1837,9 +1816,9 @@ extension FinspaceClient { /// /// Retrieves information about a kdb cluster. /// - /// - Parameter GetKxClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKxClusterInput`) /// - /// - Returns: `GetKxClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKxClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1876,7 +1855,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKxClusterOutput.httpOutput(from:), GetKxClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1908,9 +1886,9 @@ extension FinspaceClient { /// /// Retrieves a connection string for a user to connect to a kdb cluster. You must call this API using the same role that you have defined while creating a user. /// - /// - Parameter GetKxConnectionStringInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKxConnectionStringInput`) /// - /// - Returns: `GetKxConnectionStringOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKxConnectionStringOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1946,7 +1924,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetKxConnectionStringInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKxConnectionStringOutput.httpOutput(from:), GetKxConnectionStringOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1978,9 +1955,9 @@ extension FinspaceClient { /// /// Returns database information for the specified environment ID. /// - /// - Parameter GetKxDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKxDatabaseInput`) /// - /// - Returns: `GetKxDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKxDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2015,7 +1992,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKxDatabaseOutput.httpOutput(from:), GetKxDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2047,9 +2023,9 @@ extension FinspaceClient { /// /// Retrieves details of the dataview. /// - /// - Parameter GetKxDataviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKxDataviewInput`) /// - /// - Returns: `GetKxDataviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKxDataviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2084,7 +2060,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKxDataviewOutput.httpOutput(from:), GetKxDataviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2116,9 +2091,9 @@ extension FinspaceClient { /// /// Retrieves all the information for the specified kdb environment. /// - /// - Parameter GetKxEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKxEnvironmentInput`) /// - /// - Returns: `GetKxEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKxEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2153,7 +2128,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKxEnvironmentOutput.httpOutput(from:), GetKxEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2185,9 +2159,9 @@ extension FinspaceClient { /// /// Retrieves details of a scaling group. /// - /// - Parameter GetKxScalingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKxScalingGroupInput`) /// - /// - Returns: `GetKxScalingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKxScalingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2224,7 +2198,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKxScalingGroupOutput.httpOutput(from:), GetKxScalingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2256,9 +2229,9 @@ extension FinspaceClient { /// /// Retrieves information about the specified kdb user. /// - /// - Parameter GetKxUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKxUserInput`) /// - /// - Returns: `GetKxUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKxUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2293,7 +2266,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKxUserOutput.httpOutput(from:), GetKxUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2325,9 +2297,9 @@ extension FinspaceClient { /// /// Retrieves the information about the volume. /// - /// - Parameter GetKxVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKxVolumeInput`) /// - /// - Returns: `GetKxVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKxVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2364,7 +2336,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKxVolumeOutput.httpOutput(from:), GetKxVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2397,9 +2368,9 @@ extension FinspaceClient { /// A list of all of your FinSpace environments. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter ListEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentsInput`) /// - /// - Returns: `ListEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2433,7 +2404,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentsOutput.httpOutput(from:), ListEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2465,9 +2435,9 @@ extension FinspaceClient { /// /// Returns a list of all the changesets for a database. /// - /// - Parameter ListKxChangesetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKxChangesetsInput`) /// - /// - Returns: `ListKxChangesetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKxChangesetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2503,7 +2473,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKxChangesetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKxChangesetsOutput.httpOutput(from:), ListKxChangesetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2535,9 +2504,9 @@ extension FinspaceClient { /// /// Lists all the nodes in a kdb cluster. /// - /// - Parameter ListKxClusterNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKxClusterNodesInput`) /// - /// - Returns: `ListKxClusterNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKxClusterNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2574,7 +2543,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKxClusterNodesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKxClusterNodesOutput.httpOutput(from:), ListKxClusterNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2606,9 +2574,9 @@ extension FinspaceClient { /// /// Returns a list of clusters. /// - /// - Parameter ListKxClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKxClustersInput`) /// - /// - Returns: `ListKxClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKxClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2646,7 +2614,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKxClustersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKxClustersOutput.httpOutput(from:), ListKxClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2678,9 +2645,9 @@ extension FinspaceClient { /// /// Returns a list of all the databases in the kdb environment. /// - /// - Parameter ListKxDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKxDatabasesInput`) /// - /// - Returns: `ListKxDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKxDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2716,7 +2683,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKxDatabasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKxDatabasesOutput.httpOutput(from:), ListKxDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2748,9 +2714,9 @@ extension FinspaceClient { /// /// Returns a list of all the dataviews in the database. /// - /// - Parameter ListKxDataviewsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKxDataviewsInput`) /// - /// - Returns: `ListKxDataviewsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKxDataviewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2786,7 +2752,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKxDataviewsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKxDataviewsOutput.httpOutput(from:), ListKxDataviewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2818,9 +2783,9 @@ extension FinspaceClient { /// /// Returns a list of kdb environments created in an account. /// - /// - Parameter ListKxEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKxEnvironmentsInput`) /// - /// - Returns: `ListKxEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKxEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2854,7 +2819,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKxEnvironmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKxEnvironmentsOutput.httpOutput(from:), ListKxEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2886,9 +2850,9 @@ extension FinspaceClient { /// /// Returns a list of scaling groups in a kdb environment. /// - /// - Parameter ListKxScalingGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKxScalingGroupsInput`) /// - /// - Returns: `ListKxScalingGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKxScalingGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2926,7 +2890,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKxScalingGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKxScalingGroupsOutput.httpOutput(from:), ListKxScalingGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2958,9 +2921,9 @@ extension FinspaceClient { /// /// Lists all the users in a kdb environment. /// - /// - Parameter ListKxUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKxUsersInput`) /// - /// - Returns: `ListKxUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKxUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2996,7 +2959,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKxUsersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKxUsersOutput.httpOutput(from:), ListKxUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3028,9 +2990,9 @@ extension FinspaceClient { /// /// Lists all the volumes in a kdb environment. /// - /// - Parameter ListKxVolumesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKxVolumesInput`) /// - /// - Returns: `ListKxVolumesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKxVolumesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3068,7 +3030,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKxVolumesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKxVolumesOutput.httpOutput(from:), ListKxVolumesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3100,9 +3061,9 @@ extension FinspaceClient { /// /// A list of all tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3135,7 +3096,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3167,9 +3127,9 @@ extension FinspaceClient { /// /// Adds metadata tags to a FinSpace resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3205,7 +3165,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3237,9 +3196,9 @@ extension FinspaceClient { /// /// Removes metadata tags from a FinSpace resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3273,7 +3232,6 @@ extension FinspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3306,9 +3264,9 @@ extension FinspaceClient { /// Update your FinSpace environment. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter UpdateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentInput`) /// - /// - Returns: `UpdateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3346,7 +3304,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentOutput.httpOutput(from:), UpdateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3378,9 +3335,9 @@ extension FinspaceClient { /// /// Allows you to update code configuration on a running cluster. By using this API you can update the code, the initialization script path, and the command line arguments for a specific cluster. The configuration that you want to update will override any existing configurations on the cluster. /// - /// - Parameter UpdateKxClusterCodeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKxClusterCodeConfigurationInput`) /// - /// - Returns: `UpdateKxClusterCodeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKxClusterCodeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3421,7 +3378,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKxClusterCodeConfigurationOutput.httpOutput(from:), UpdateKxClusterCodeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3453,9 +3409,9 @@ extension FinspaceClient { /// /// Updates the databases mounted on a kdb cluster, which includes the changesetId and all the dbPaths to be cached. This API does not allow you to change a database name or add a database if you created a cluster without one. Using this API you can point a cluster to a different changeset and modify a list of partitions being cached. /// - /// - Parameter UpdateKxClusterDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKxClusterDatabasesInput`) /// - /// - Returns: `UpdateKxClusterDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKxClusterDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3496,7 +3452,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKxClusterDatabasesOutput.httpOutput(from:), UpdateKxClusterDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3528,9 +3483,9 @@ extension FinspaceClient { /// /// Updates information for the given kdb database. /// - /// - Parameter UpdateKxDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKxDatabaseInput`) /// - /// - Returns: `UpdateKxDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKxDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3570,7 +3525,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKxDatabaseOutput.httpOutput(from:), UpdateKxDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3602,9 +3556,9 @@ extension FinspaceClient { /// /// Updates the specified dataview. The dataviews get automatically updated when any new changesets are ingested. Each update of the dataview creates a new version, including changeset details and cache configurations /// - /// - Parameter UpdateKxDataviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKxDataviewInput`) /// - /// - Returns: `UpdateKxDataviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKxDataviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3645,7 +3599,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKxDataviewOutput.httpOutput(from:), UpdateKxDataviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3677,9 +3630,9 @@ extension FinspaceClient { /// /// Updates information for the given kdb environment. /// - /// - Parameter UpdateKxEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKxEnvironmentInput`) /// - /// - Returns: `UpdateKxEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKxEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3719,7 +3672,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKxEnvironmentOutput.httpOutput(from:), UpdateKxEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3751,9 +3703,9 @@ extension FinspaceClient { /// /// Updates environment network to connect to your internal network by using a transit gateway. This API supports request to create a transit gateway attachment from FinSpace VPC to your transit gateway ID and create a custom Route-53 outbound resolvers. Once you send a request to update a network, you cannot change it again. Network update might require termination of any clusters that are running in the existing network. /// - /// - Parameter UpdateKxEnvironmentNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKxEnvironmentNetworkInput`) /// - /// - Returns: `UpdateKxEnvironmentNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKxEnvironmentNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3793,7 +3745,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKxEnvironmentNetworkOutput.httpOutput(from:), UpdateKxEnvironmentNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3825,9 +3776,9 @@ extension FinspaceClient { /// /// Updates the user details. You can only update the IAM role associated with a user. /// - /// - Parameter UpdateKxUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKxUserInput`) /// - /// - Returns: `UpdateKxUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKxUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3868,7 +3819,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKxUserOutput.httpOutput(from:), UpdateKxUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3900,9 +3850,9 @@ extension FinspaceClient { /// /// Updates the throughput or capacity of a volume. During the update process, the filesystem might be unavailable for a few minutes. You can retry any operations after the update is complete. /// - /// - Parameter UpdateKxVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKxVolumeInput`) /// - /// - Returns: `UpdateKxVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKxVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3943,7 +3893,6 @@ extension FinspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKxVolumeOutput.httpOutput(from:), UpdateKxVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSFinspacedata/Sources/AWSFinspacedata/FinspacedataClient.swift b/Sources/Services/AWSFinspacedata/Sources/AWSFinspacedata/FinspacedataClient.swift index 6348b2c1a08..84a4b28d0e6 100644 --- a/Sources/Services/AWSFinspacedata/Sources/AWSFinspacedata/FinspacedataClient.swift +++ b/Sources/Services/AWSFinspacedata/Sources/AWSFinspacedata/FinspacedataClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class FinspacedataClient: ClientRuntime.Client { public static let clientName = "FinspacedataClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: FinspacedataClient.FinspacedataClientConfiguration let serviceName = "finspace data" @@ -375,9 +374,9 @@ extension FinspacedataClient { /// Adds a user to a permission group to grant permissions for actions a user can perform in FinSpace. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter AssociateUserToPermissionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateUserToPermissionGroupInput`) /// - /// - Returns: `AssociateUserToPermissionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateUserToPermissionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateUserToPermissionGroupOutput.httpOutput(from:), AssociateUserToPermissionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension FinspacedataClient { /// Creates a new Changeset in a FinSpace Dataset. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter CreateChangesetInput : The request for a CreateChangeset operation. + /// - Parameter input: The request for a CreateChangeset operation. (Type: `CreateChangesetInput`) /// - /// - Returns: `CreateChangesetOutput` : The response from a CreateChangeset operation. + /// - Returns: The response from a CreateChangeset operation. (Type: `CreateChangesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChangesetOutput.httpOutput(from:), CreateChangesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension FinspacedataClient { /// Creates a Dataview for a Dataset. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter CreateDataViewInput : Request for creating a data view. + /// - Parameter input: Request for creating a data view. (Type: `CreateDataViewInput`) /// - /// - Returns: `CreateDataViewOutput` : Response for creating a data view. + /// - Returns: Response for creating a data view. (Type: `CreateDataViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -568,7 +565,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataViewOutput.httpOutput(from:), CreateDataViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension FinspacedataClient { /// Creates a new FinSpace Dataset. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter CreateDatasetInput : The request for a CreateDataset operation + /// - Parameter input: The request for a CreateDataset operation (Type: `CreateDatasetInput`) /// - /// - Returns: `CreateDatasetOutput` : The response from a CreateDataset operation + /// - Returns: The response from a CreateDataset operation (Type: `CreateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -644,7 +640,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetOutput.httpOutput(from:), CreateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -677,9 +672,9 @@ extension FinspacedataClient { /// Creates a group of permissions for various actions that a user can perform in FinSpace. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter CreatePermissionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePermissionGroupInput`) /// - /// - Returns: `CreatePermissionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePermissionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePermissionGroupOutput.httpOutput(from:), CreatePermissionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -752,9 +746,9 @@ extension FinspacedataClient { /// Creates a new user in FinSpace. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -794,7 +788,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -827,9 +820,9 @@ extension FinspacedataClient { /// Deletes a FinSpace Dataset. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter DeleteDatasetInput : The request for a DeleteDataset operation. + /// - Parameter input: The request for a DeleteDataset operation. (Type: `DeleteDatasetInput`) /// - /// - Returns: `DeleteDatasetOutput` : The response from an DeleteDataset operation + /// - Returns: The response from an DeleteDataset operation (Type: `DeleteDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -868,7 +861,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDatasetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetOutput.httpOutput(from:), DeleteDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +893,9 @@ extension FinspacedataClient { /// Deletes a permission group. This action is irreversible. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter DeletePermissionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePermissionGroupInput`) /// - /// - Returns: `DeletePermissionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePermissionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -942,7 +934,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePermissionGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePermissionGroupOutput.httpOutput(from:), DeletePermissionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -975,9 +966,9 @@ extension FinspacedataClient { /// Denies access to the FinSpace web application and API for the specified user. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter DisableUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableUserInput`) /// - /// - Returns: `DisableUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1017,7 +1008,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableUserOutput.httpOutput(from:), DisableUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1050,9 +1040,9 @@ extension FinspacedataClient { /// Removes a user from a permission group. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter DisassociateUserFromPermissionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateUserFromPermissionGroupInput`) /// - /// - Returns: `DisassociateUserFromPermissionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateUserFromPermissionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1090,7 +1080,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateUserFromPermissionGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateUserFromPermissionGroupOutput.httpOutput(from:), DisassociateUserFromPermissionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1123,9 +1112,9 @@ extension FinspacedataClient { /// Allows the specified user to access the FinSpace web application and API. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter EnableUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableUserInput`) /// - /// - Returns: `EnableUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1166,7 +1155,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableUserOutput.httpOutput(from:), EnableUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1199,9 +1187,9 @@ extension FinspacedataClient { /// Get information about a Changeset. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter GetChangesetInput : Request to describe a changeset. + /// - Parameter input: Request to describe a changeset. (Type: `GetChangesetInput`) /// - /// - Returns: `GetChangesetOutput` : The response from a describe changeset operation + /// - Returns: The response from a describe changeset operation (Type: `GetChangesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1237,7 +1225,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChangesetOutput.httpOutput(from:), GetChangesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1270,9 +1257,9 @@ extension FinspacedataClient { /// Gets information about a Dataview. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter GetDataViewInput : Request for retrieving a data view detail. Grouped / accessible within a dataset by its dataset id. + /// - Parameter input: Request for retrieving a data view detail. Grouped / accessible within a dataset by its dataset id. (Type: `GetDataViewInput`) /// - /// - Returns: `GetDataViewOutput` : Response from retrieving a dataview, which includes details on the target database and table name + /// - Returns: Response from retrieving a dataview, which includes details on the target database and table name (Type: `GetDataViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1307,7 +1294,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataViewOutput.httpOutput(from:), GetDataViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1340,9 +1326,9 @@ extension FinspacedataClient { /// Returns information about a Dataset. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter GetDatasetInput : Request for the GetDataset operation. + /// - Parameter input: Request for the GetDataset operation. (Type: `GetDatasetInput`) /// - /// - Returns: `GetDatasetOutput` : Response for the GetDataset operation + /// - Returns: Response for the GetDataset operation (Type: `GetDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1378,7 +1364,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDatasetOutput.httpOutput(from:), GetDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1415,9 +1400,9 @@ extension FinspacedataClient { /// * You must be a member of a FinSpace user group, where the dataset that you want to access has Read Dataset Data permissions. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter GetExternalDataViewAccessDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExternalDataViewAccessDetailsInput`) /// - /// - Returns: `GetExternalDataViewAccessDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExternalDataViewAccessDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1452,7 +1437,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExternalDataViewAccessDetailsOutput.httpOutput(from:), GetExternalDataViewAccessDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1485,9 +1469,9 @@ extension FinspacedataClient { /// Retrieves the details of a specific permission group. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter GetPermissionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPermissionGroupInput`) /// - /// - Returns: `GetPermissionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPermissionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1522,7 +1506,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPermissionGroupOutput.httpOutput(from:), GetPermissionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1555,9 +1538,9 @@ extension FinspacedataClient { /// Request programmatic credentials to use with FinSpace SDK. For more information, see [Step 2. Access credentials programmatically using IAM access key id and secret access key](https://docs.aws.amazon.com/finspace/latest/data-api/fs-using-the-finspace-api.html#accessing-credentials). @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter GetProgrammaticAccessCredentialsInput : Request for GetProgrammaticAccessCredentials operation + /// - Parameter input: Request for GetProgrammaticAccessCredentials operation (Type: `GetProgrammaticAccessCredentialsInput`) /// - /// - Returns: `GetProgrammaticAccessCredentialsOutput` : Response for GetProgrammaticAccessCredentials operation + /// - Returns: Response for GetProgrammaticAccessCredentials operation (Type: `GetProgrammaticAccessCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1592,7 +1575,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetProgrammaticAccessCredentialsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProgrammaticAccessCredentialsOutput.httpOutput(from:), GetProgrammaticAccessCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1625,9 +1607,9 @@ extension FinspacedataClient { /// Retrieves details for a specific user. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter GetUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserInput`) /// - /// - Returns: `GetUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1662,7 +1644,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserOutput.httpOutput(from:), GetUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1695,9 +1676,9 @@ extension FinspacedataClient { /// A temporary Amazon S3 location, where you can copy your files from a source location to stage or use as a scratch space in FinSpace notebook. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter GetWorkingLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkingLocationInput`) /// - /// - Returns: `GetWorkingLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkingLocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1734,7 +1715,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkingLocationOutput.httpOutput(from:), GetWorkingLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1767,9 +1747,9 @@ extension FinspacedataClient { /// Lists the FinSpace Changesets for a Dataset. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter ListChangesetsInput : Request to ListChangesetsRequest. It exposes minimal query filters. + /// - Parameter input: Request to ListChangesetsRequest. It exposes minimal query filters. (Type: `ListChangesetsInput`) /// - /// - Returns: `ListChangesetsOutput` : Response to ListChangesetsResponse. This returns a list of dataset changesets that match the query criteria. + /// - Returns: Response to ListChangesetsResponse. This returns a list of dataset changesets that match the query criteria. (Type: `ListChangesetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1806,7 +1786,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChangesetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChangesetsOutput.httpOutput(from:), ListChangesetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1839,9 +1818,9 @@ extension FinspacedataClient { /// Lists all available Dataviews for a Dataset. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter ListDataViewsInput : Request for a list data views. + /// - Parameter input: Request for a list data views. (Type: `ListDataViewsInput`) /// - /// - Returns: `ListDataViewsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataViewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1877,7 +1856,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataViewsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataViewsOutput.httpOutput(from:), ListDataViewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1910,9 +1888,9 @@ extension FinspacedataClient { /// Lists all of the active Datasets that a user has access to. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter ListDatasetsInput : Request for the ListDatasets operation. + /// - Parameter input: Request for the ListDatasets operation. (Type: `ListDatasetsInput`) /// - /// - Returns: `ListDatasetsOutput` : Response for the ListDatasets operation + /// - Returns: Response for the ListDatasets operation (Type: `ListDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1948,7 +1926,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDatasetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetsOutput.httpOutput(from:), ListDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1981,9 +1958,9 @@ extension FinspacedataClient { /// Lists all available permission groups in FinSpace. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter ListPermissionGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionGroupsInput`) /// - /// - Returns: `ListPermissionGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2018,7 +1995,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPermissionGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionGroupsOutput.httpOutput(from:), ListPermissionGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2051,9 +2027,9 @@ extension FinspacedataClient { /// Lists all the permission groups that are associated with a specific user. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter ListPermissionGroupsByUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionGroupsByUserInput`) /// - /// - Returns: `ListPermissionGroupsByUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionGroupsByUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2089,7 +2065,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPermissionGroupsByUserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionGroupsByUserOutput.httpOutput(from:), ListPermissionGroupsByUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2122,9 +2097,9 @@ extension FinspacedataClient { /// Lists all available users in FinSpace. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2159,7 +2134,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUsersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2192,9 +2166,9 @@ extension FinspacedataClient { /// Lists details of all the users in a specific permission group. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter ListUsersByPermissionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersByPermissionGroupInput`) /// - /// - Returns: `ListUsersByPermissionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersByPermissionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2230,7 +2204,6 @@ extension FinspacedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUsersByPermissionGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersByPermissionGroupOutput.httpOutput(from:), ListUsersByPermissionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2263,9 +2236,9 @@ extension FinspacedataClient { /// Resets the password for a specified user ID and generates a temporary one. Only a superuser can reset password for other users. Resetting the password immediately invalidates the previous password associated with the user. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter ResetUserPasswordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetUserPasswordInput`) /// - /// - Returns: `ResetUserPasswordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetUserPasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2305,7 +2278,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetUserPasswordOutput.httpOutput(from:), ResetUserPasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2338,9 +2310,9 @@ extension FinspacedataClient { /// Updates a FinSpace Changeset. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter UpdateChangesetInput : Request to update an existing changeset. + /// - Parameter input: Request to update an existing changeset. (Type: `UpdateChangesetInput`) /// - /// - Returns: `UpdateChangesetOutput` : The response from a update changeset operation. + /// - Returns: The response from a update changeset operation. (Type: `UpdateChangesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2380,7 +2352,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChangesetOutput.httpOutput(from:), UpdateChangesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2413,9 +2384,9 @@ extension FinspacedataClient { /// Updates a FinSpace Dataset. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter UpdateDatasetInput : The request for an UpdateDataset operation + /// - Parameter input: The request for an UpdateDataset operation (Type: `UpdateDatasetInput`) /// - /// - Returns: `UpdateDatasetOutput` : The response from an UpdateDataset operation + /// - Returns: The response from an UpdateDataset operation (Type: `UpdateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2455,7 +2426,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatasetOutput.httpOutput(from:), UpdateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2488,9 +2458,9 @@ extension FinspacedataClient { /// Modifies the details of a permission group. You cannot modify a permissionGroupID. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter UpdatePermissionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePermissionGroupInput`) /// - /// - Returns: `UpdatePermissionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePermissionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2530,7 +2500,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePermissionGroupOutput.httpOutput(from:), UpdatePermissionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2563,9 +2532,9 @@ extension FinspacedataClient { /// Modifies the details of the specified user. You cannot update the userId for a user. @available(*, deprecated, message: "This method will be discontinued.") /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2605,7 +2574,6 @@ extension FinspacedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSFirehose/Sources/AWSFirehose/FirehoseClient.swift b/Sources/Services/AWSFirehose/Sources/AWSFirehose/FirehoseClient.swift index 38bf8d0c54b..1c3f8554eb3 100644 --- a/Sources/Services/AWSFirehose/Sources/AWSFirehose/FirehoseClient.swift +++ b/Sources/Services/AWSFirehose/Sources/AWSFirehose/FirehoseClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class FirehoseClient: ClientRuntime.Client { public static let clientName = "FirehoseClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: FirehoseClient.FirehoseClientConfiguration let serviceName = "Firehose" @@ -382,9 +381,9 @@ extension FirehoseClient { /// /// Firehose assumes the IAM role that is configured as part of the destination. The role should allow the Firehose principal to assume the role, and the role should have permissions that allow the service to deliver the data. For more information, see [Grant Firehose Access to an Amazon S3 Destination](https://docs.aws.amazon.com/firehose/latest/dev/controlling-access.html#using-iam-s3) in the Amazon Firehose Developer Guide. /// - /// - Parameter CreateDeliveryStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeliveryStreamInput`) /// - /// - Returns: `CreateDeliveryStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeliveryStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeliveryStreamOutput.httpOutput(from:), CreateDeliveryStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -454,9 +452,9 @@ extension FirehoseClient { /// /// Deletes a Firehose stream and its data. You can delete a Firehose stream only if it is in one of the following states: ACTIVE, DELETING, CREATING_FAILED, or DELETING_FAILED. You can't delete a Firehose stream that is in the CREATING state. To check the state of a Firehose stream, use [DescribeDeliveryStream]. DeleteDeliveryStream is an asynchronous API. When an API request to DeleteDeliveryStream succeeds, the Firehose stream is marked for deletion, and it goes into the DELETING state.While the Firehose stream is in the DELETING state, the service might continue to accept records, but it doesn't make any guarantees with respect to delivering the data. Therefore, as a best practice, first stop any applications that are sending records before you delete a Firehose stream. Removal of a Firehose stream that is in the DELETING state is a low priority operation for the service. A stream may remain in the DELETING state for several minutes. Therefore, as a best practice, applications should not wait for streams in the DELETING state to be removed. /// - /// - Parameter DeleteDeliveryStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeliveryStreamInput`) /// - /// - Returns: `DeleteDeliveryStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeliveryStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeliveryStreamOutput.httpOutput(from:), DeleteDeliveryStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension FirehoseClient { /// /// Describes the specified Firehose stream and its status. For example, after your Firehose stream is created, call DescribeDeliveryStream to see whether the Firehose stream is ACTIVE and therefore ready for data to be sent to it. If the status of a Firehose stream is CREATING_FAILED, this status doesn't change, and you can't invoke [CreateDeliveryStream] again on it. However, you can invoke the [DeleteDeliveryStream] operation to delete it. If the status is DELETING_FAILED, you can force deletion by invoking [DeleteDeliveryStream] again but with [DeleteDeliveryStreamInput$AllowForceDelete] set to true. /// - /// - Parameter DescribeDeliveryStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeliveryStreamInput`) /// - /// - Returns: `DescribeDeliveryStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeliveryStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeliveryStreamOutput.httpOutput(from:), DescribeDeliveryStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension FirehoseClient { /// /// Lists your Firehose streams in alphabetical order of their names. The number of Firehose streams might be too large to return using a single call to ListDeliveryStreams. You can limit the number of Firehose streams returned, using the Limit parameter. To determine whether there are more delivery streams to list, check the value of HasMoreDeliveryStreams in the output. If there are more Firehose streams to list, you can request them by calling this operation again and setting the ExclusiveStartDeliveryStreamName parameter to the name of the last Firehose stream returned in the last call. /// - /// - Parameter ListDeliveryStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeliveryStreamsInput`) /// - /// - Returns: `ListDeliveryStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeliveryStreamsOutput`) public func listDeliveryStreams(input: ListDeliveryStreamsInput) async throws -> ListDeliveryStreamsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -622,7 +618,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeliveryStreamsOutput.httpOutput(from:), ListDeliveryStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -657,9 +652,9 @@ extension FirehoseClient { /// /// Lists the tags for the specified Firehose stream. This operation has a limit of five transactions per second per account. /// - /// - Parameter ListTagsForDeliveryStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForDeliveryStreamInput`) /// - /// - Returns: `ListTagsForDeliveryStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForDeliveryStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -693,7 +688,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForDeliveryStreamOutput.httpOutput(from:), ListTagsForDeliveryStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension FirehoseClient { /// /// Writes a single data record into an Firehose stream. To write multiple data records into a Firehose stream, use [PutRecordBatch]. Applications using these operations are referred to as producers. By default, each Firehose stream can take in up to 2,000 transactions per second, 5,000 records per second, or 5 MB per second. If you use [PutRecord] and [PutRecordBatch], the limits are an aggregate across these two operations for each Firehose stream. For more information about limits and how to request an increase, see [Amazon Firehose Limits](https://docs.aws.amazon.com/firehose/latest/dev/limits.html). Firehose accumulates and publishes a particular metric for a customer account in one minute intervals. It is possible that the bursts of incoming bytes/records ingested to a Firehose stream last only for a few seconds. Due to this, the actual spikes in the traffic might not be fully visible in the customer's 1 minute CloudWatch metrics. You must specify the name of the Firehose stream and the data record when using [PutRecord]. The data record consists of a data blob that can be up to 1,000 KiB in size, and any kind of data. For example, it can be a segment from a log file, geographic location data, website clickstream data, and so on. For multi record de-aggregation, you can not put more than 500 records even if the data blob length is less than 1000 KiB. If you include more than 500 records, the request succeeds but the record de-aggregation doesn't work as expected and transformation lambda is invoked with the complete base64 encoded data blob instead of de-aggregated base64 decoded records. Firehose buffers records before delivering them to the destination. To disambiguate the data blobs at the destination, a common solution is to use delimiters in the data, such as a newline (\n) or some other character unique within the data. This allows the consumer application to parse individual data items when reading the data from the destination. The PutRecord operation returns a RecordId, which is a unique string assigned to each record. Producer applications can use this ID for purposes such as auditability and investigation. If the PutRecord operation throws a ServiceUnavailableException, the API is automatically reinvoked (retried) 3 times. If the exception persists, it is possible that the throughput limits have been exceeded for the Firehose stream. Re-invoking the Put API operations (for example, PutRecord and PutRecordBatch) can result in data duplicates. For larger data assets, allow for a longer time out before retrying Put API operations. Data records sent to Firehose are stored for 24 hours from the time they are added to a Firehose stream as it tries to send the records to the destination. If the destination is unreachable for more than 24 hours, the data is no longer available. Don't concatenate two or more base64 strings to form the data fields of your records. Instead, concatenate the raw data, then perform base64 encoding. /// - /// - Parameter PutRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRecordInput`) /// - /// - Returns: `PutRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -766,7 +760,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRecordOutput.httpOutput(from:), PutRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -801,9 +794,9 @@ extension FirehoseClient { /// /// Writes multiple data records into a Firehose stream in a single call, which can achieve higher throughput per producer than when writing single records. To write single data records into a Firehose stream, use [PutRecord]. Applications using these operations are referred to as producers. Firehose accumulates and publishes a particular metric for a customer account in one minute intervals. It is possible that the bursts of incoming bytes/records ingested to a Firehose stream last only for a few seconds. Due to this, the actual spikes in the traffic might not be fully visible in the customer's 1 minute CloudWatch metrics. For information about service quota, see [Amazon Firehose Quota](https://docs.aws.amazon.com/firehose/latest/dev/limits.html). Each [PutRecordBatch] request supports up to 500 records. Each record in the request can be as large as 1,000 KB (before base64 encoding), up to a limit of 4 MB for the entire request. These limits cannot be changed. You must specify the name of the Firehose stream and the data record when using [PutRecord]. The data record consists of a data blob that can be up to 1,000 KB in size, and any kind of data. For example, it could be a segment from a log file, geographic location data, website clickstream data, and so on. For multi record de-aggregation, you can not put more than 500 records even if the data blob length is less than 1000 KiB. If you include more than 500 records, the request succeeds but the record de-aggregation doesn't work as expected and transformation lambda is invoked with the complete base64 encoded data blob instead of de-aggregated base64 decoded records. Firehose buffers records before delivering them to the destination. To disambiguate the data blobs at the destination, a common solution is to use delimiters in the data, such as a newline (\n) or some other character unique within the data. This allows the consumer application to parse individual data items when reading the data from the destination. The [PutRecordBatch] response includes a count of failed records, FailedPutCount, and an array of responses, RequestResponses. Even if the [PutRecordBatch] call succeeds, the value of FailedPutCount may be greater than 0, indicating that there are records for which the operation didn't succeed. Each entry in the RequestResponses array provides additional information about the processed record. It directly correlates with a record in the request array using the same ordering, from the top to the bottom. The response array always includes the same number of records as the request array. RequestResponses includes both successfully and unsuccessfully processed records. Firehose tries to process all records in each [PutRecordBatch] request. A single record failure does not stop the processing of subsequent records. A successfully processed record includes a RecordId value, which is unique for the record. An unsuccessfully processed record includes ErrorCode and ErrorMessage values. ErrorCode reflects the type of error, and is one of the following values: ServiceUnavailableException or InternalFailure. ErrorMessage provides more detailed information about the error. If there is an internal server error or a timeout, the write might have completed or it might have failed. If FailedPutCount is greater than 0, retry the request, resending only those records that might have failed processing. This minimizes the possible duplicate records and also reduces the total bytes sent (and corresponding charges). We recommend that you handle any duplicates at the destination. If [PutRecordBatch] throws ServiceUnavailableException, the API is automatically reinvoked (retried) 3 times. If the exception persists, it is possible that the throughput limits have been exceeded for the Firehose stream. Re-invoking the Put API operations (for example, PutRecord and PutRecordBatch) can result in data duplicates. For larger data assets, allow for a longer time out before retrying Put API operations. Data records sent to Firehose are stored for 24 hours from the time they are added to a Firehose stream as it attempts to send the records to the destination. If the destination is unreachable for more than 24 hours, the data is no longer available. Don't concatenate two or more base64 strings to form the data fields of your records. Instead, concatenate the raw data, then perform base64 encoding. /// - /// - Parameter PutRecordBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRecordBatchInput`) /// - /// - Returns: `PutRecordBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRecordBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -839,7 +832,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRecordBatchOutput.httpOutput(from:), PutRecordBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -874,9 +866,9 @@ extension FirehoseClient { /// /// Enables server-side encryption (SSE) for the Firehose stream. This operation is asynchronous. It returns immediately. When you invoke it, Firehose first sets the encryption status of the stream to ENABLING, and then to ENABLED. The encryption status of a Firehose stream is the Status property in [DeliveryStreamEncryptionConfiguration]. If the operation fails, the encryption status changes to ENABLING_FAILED. You can continue to read and write data to your Firehose stream while the encryption status is ENABLING, but the data is not encrypted. It can take up to 5 seconds after the encryption status changes to ENABLED before all records written to the Firehose stream are encrypted. To find out whether a record or a batch of records was encrypted, check the response elements [PutRecordOutput$Encrypted] and [PutRecordBatchOutput$Encrypted], respectively. To check the encryption status of a Firehose stream, use [DescribeDeliveryStream]. Even if encryption is currently enabled for a Firehose stream, you can still invoke this operation on it to change the ARN of the CMK or both its type and ARN. If you invoke this method to change the CMK, and the old CMK is of type CUSTOMER_MANAGED_CMK, Firehose schedules the grant it had on the old CMK for retirement. If the new CMK is of type CUSTOMER_MANAGED_CMK, Firehose creates a grant that enables it to use the new CMK to encrypt and decrypt data and to manage the grant. For the KMS grant creation to be successful, the Firehose API operations StartDeliveryStreamEncryption and CreateDeliveryStream should not be called with session credentials that are more than 6 hours old. If a Firehose stream already has encryption enabled and then you invoke this operation to change the ARN of the CMK or both its type and ARN and you get ENABLING_FAILED, this only means that the attempt to change the CMK failed. In this case, encryption remains enabled with the old CMK. If the encryption status of your Firehose stream is ENABLING_FAILED, you can invoke this operation again with a valid CMK. The CMK must be enabled and the key policy mustn't explicitly deny the permission for Firehose to invoke KMS encrypt and decrypt operations. You can enable SSE for a Firehose stream only if it's a Firehose stream that uses DirectPut as its source. The StartDeliveryStreamEncryption and StopDeliveryStreamEncryption operations have a combined limit of 25 calls per Firehose stream per 24 hours. For example, you reach the limit if you call StartDeliveryStreamEncryption 13 times and StopDeliveryStreamEncryption 12 times for the same Firehose stream in a 24-hour period. /// - /// - Parameter StartDeliveryStreamEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDeliveryStreamEncryptionInput`) /// - /// - Returns: `StartDeliveryStreamEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDeliveryStreamEncryptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -912,7 +904,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDeliveryStreamEncryptionOutput.httpOutput(from:), StartDeliveryStreamEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -947,9 +938,9 @@ extension FirehoseClient { /// /// Disables server-side encryption (SSE) for the Firehose stream. This operation is asynchronous. It returns immediately. When you invoke it, Firehose first sets the encryption status of the stream to DISABLING, and then to DISABLED. You can continue to read and write data to your stream while its status is DISABLING. It can take up to 5 seconds after the encryption status changes to DISABLED before all records written to the Firehose stream are no longer subject to encryption. To find out whether a record or a batch of records was encrypted, check the response elements [PutRecordOutput$Encrypted] and [PutRecordBatchOutput$Encrypted], respectively. To check the encryption state of a Firehose stream, use [DescribeDeliveryStream]. If SSE is enabled using a customer managed CMK and then you invoke StopDeliveryStreamEncryption, Firehose schedules the related KMS grant for retirement and then retires it after it ensures that it is finished delivering records to the destination. The StartDeliveryStreamEncryption and StopDeliveryStreamEncryption operations have a combined limit of 25 calls per Firehose stream per 24 hours. For example, you reach the limit if you call StartDeliveryStreamEncryption 13 times and StopDeliveryStreamEncryption 12 times for the same Firehose stream in a 24-hour period. /// - /// - Parameter StopDeliveryStreamEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDeliveryStreamEncryptionInput`) /// - /// - Returns: `StopDeliveryStreamEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDeliveryStreamEncryptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -984,7 +975,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDeliveryStreamEncryptionOutput.httpOutput(from:), StopDeliveryStreamEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1019,9 +1009,9 @@ extension FirehoseClient { /// /// Adds or updates tags for the specified Firehose stream. A tag is a key-value pair that you can define and assign to Amazon Web Services resources. If you specify a tag that already exists, the tag value is replaced with the value that you specify in the request. Tags are metadata. For example, you can add friendly names and descriptions or other types of information that can help you distinguish the Firehose stream. For more information about tags, see [Using Cost Allocation Tags](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/cost-alloc-tags.html) in the Amazon Web Services Billing and Cost Management User Guide. Each Firehose stream can have up to 50 tags. This operation has a limit of five transactions per second per account. /// - /// - Parameter TagDeliveryStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagDeliveryStreamInput`) /// - /// - Returns: `TagDeliveryStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagDeliveryStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1056,7 +1046,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagDeliveryStreamOutput.httpOutput(from:), TagDeliveryStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1091,9 +1080,9 @@ extension FirehoseClient { /// /// Removes tags from the specified Firehose stream. Removed tags are deleted, and you can't recover them after this operation successfully completes. If you specify a tag that doesn't exist, the operation ignores it. This operation has a limit of five transactions per second per account. /// - /// - Parameter UntagDeliveryStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagDeliveryStreamInput`) /// - /// - Returns: `UntagDeliveryStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagDeliveryStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1128,7 +1117,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagDeliveryStreamOutput.httpOutput(from:), UntagDeliveryStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1163,9 +1151,9 @@ extension FirehoseClient { /// /// Updates the specified destination of the specified Firehose stream. Use this operation to change the destination type (for example, to replace the Amazon S3 destination with Amazon Redshift) or change the parameters associated with a destination (for example, to change the bucket name of the Amazon S3 destination). The update might not occur immediately. The target Firehose stream remains active while the configurations are updated, so data writes to the Firehose stream can continue during this process. The updated configurations are usually effective within a few minutes. Switching between Amazon OpenSearch Service and other services is not supported. For an Amazon OpenSearch Service destination, you can only update to another Amazon OpenSearch Service destination. If the destination type is the same, Firehose merges the configuration parameters specified with the destination configuration that already exists on the delivery stream. If any of the parameters are not specified in the call, the existing values are retained. For example, in the Amazon S3 destination, if [EncryptionConfiguration] is not specified, then the existing EncryptionConfiguration is maintained on the destination. If the destination type is not the same, for example, changing the destination from Amazon S3 to Amazon Redshift, Firehose does not merge any parameters. In this case, all parameters must be specified. Firehose uses CurrentDeliveryStreamVersionId to avoid race conditions and conflicting merges. This is a required field, and the service updates the configuration only if the existing configuration has a version ID that matches. After the update is applied successfully, the version ID is updated, and can be retrieved using [DescribeDeliveryStream]. Use the new version ID to set CurrentDeliveryStreamVersionId in the next call. /// - /// - Parameter UpdateDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDestinationInput`) /// - /// - Returns: `UpdateDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1200,7 +1188,6 @@ extension FirehoseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDestinationOutput.httpOutput(from:), UpdateDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSFis/Sources/AWSFis/FisClient.swift b/Sources/Services/AWSFis/Sources/AWSFis/FisClient.swift index 4ee59647926..9dfe372b952 100644 --- a/Sources/Services/AWSFis/Sources/AWSFis/FisClient.swift +++ b/Sources/Services/AWSFis/Sources/AWSFis/FisClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class FisClient: ClientRuntime.Client { public static let clientName = "FisClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: FisClient.FisClientConfiguration let serviceName = "fis" @@ -383,9 +382,9 @@ extension FisClient { /// /// For more information, see [experiment templates](https://docs.aws.amazon.com/fis/latest/userguide/experiment-templates.html) in the Fault Injection Service User Guide. /// - /// - Parameter CreateExperimentTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExperimentTemplateInput`) /// - /// - Returns: `CreateExperimentTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExperimentTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -423,7 +422,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExperimentTemplateOutput.httpOutput(from:), CreateExperimentTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -455,9 +453,9 @@ extension FisClient { /// /// Creates a target account configuration for the experiment template. A target account configuration is required when accountTargeting of experimentOptions is set to multi-account. For more information, see [experiment options](https://docs.aws.amazon.com/fis/latest/userguide/experiment-options.html) in the Fault Injection Service User Guide. /// - /// - Parameter CreateTargetAccountConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTargetAccountConfigurationInput`) /// - /// - Returns: `CreateTargetAccountConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTargetAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -495,7 +493,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTargetAccountConfigurationOutput.httpOutput(from:), CreateTargetAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -527,9 +524,9 @@ extension FisClient { /// /// Deletes the specified experiment template. /// - /// - Parameter DeleteExperimentTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExperimentTemplateInput`) /// - /// - Returns: `DeleteExperimentTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExperimentTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExperimentTemplateOutput.httpOutput(from:), DeleteExperimentTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension FisClient { /// /// Deletes the specified target account configuration of the experiment template. /// - /// - Parameter DeleteTargetAccountConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTargetAccountConfigurationInput`) /// - /// - Returns: `DeleteTargetAccountConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTargetAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTargetAccountConfigurationOutput.httpOutput(from:), DeleteTargetAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension FisClient { /// /// Gets information about the specified FIS action. /// - /// - Parameter GetActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetActionInput`) /// - /// - Returns: `GetActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -693,7 +688,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetActionOutput.httpOutput(from:), GetActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -725,9 +719,9 @@ extension FisClient { /// /// Gets information about the specified experiment. /// - /// - Parameter GetExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExperimentInput`) /// - /// - Returns: `GetExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -759,7 +753,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExperimentOutput.httpOutput(from:), GetExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -791,9 +784,9 @@ extension FisClient { /// /// Gets information about the specified target account configuration of the experiment. /// - /// - Parameter GetExperimentTargetAccountConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExperimentTargetAccountConfigurationInput`) /// - /// - Returns: `GetExperimentTargetAccountConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExperimentTargetAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -825,7 +818,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExperimentTargetAccountConfigurationOutput.httpOutput(from:), GetExperimentTargetAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -857,9 +849,9 @@ extension FisClient { /// /// Gets information about the specified experiment template. /// - /// - Parameter GetExperimentTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExperimentTemplateInput`) /// - /// - Returns: `GetExperimentTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExperimentTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -891,7 +883,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExperimentTemplateOutput.httpOutput(from:), GetExperimentTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -923,9 +914,9 @@ extension FisClient { /// /// Gets information about the specified safety lever. /// - /// - Parameter GetSafetyLeverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSafetyLeverInput`) /// - /// - Returns: `GetSafetyLeverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSafetyLeverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -956,7 +947,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSafetyLeverOutput.httpOutput(from:), GetSafetyLeverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -988,9 +978,9 @@ extension FisClient { /// /// Gets information about the specified target account configuration of the experiment template. /// - /// - Parameter GetTargetAccountConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTargetAccountConfigurationInput`) /// - /// - Returns: `GetTargetAccountConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTargetAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1022,7 +1012,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTargetAccountConfigurationOutput.httpOutput(from:), GetTargetAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1043,9 @@ extension FisClient { /// /// Gets information about the specified resource type. /// - /// - Parameter GetTargetResourceTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTargetResourceTypeInput`) /// - /// - Returns: `GetTargetResourceTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTargetResourceTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1088,7 +1077,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTargetResourceTypeOutput.httpOutput(from:), GetTargetResourceTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1120,9 +1108,9 @@ extension FisClient { /// /// Lists the available FIS actions. /// - /// - Parameter ListActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListActionsInput`) /// - /// - Returns: `ListActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1154,7 +1142,6 @@ extension FisClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListActionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActionsOutput.httpOutput(from:), ListActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1186,9 +1173,9 @@ extension FisClient { /// /// Lists the resolved targets information of the specified experiment. /// - /// - Parameter ListExperimentResolvedTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExperimentResolvedTargetsInput`) /// - /// - Returns: `ListExperimentResolvedTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExperimentResolvedTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1221,7 +1208,6 @@ extension FisClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListExperimentResolvedTargetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExperimentResolvedTargetsOutput.httpOutput(from:), ListExperimentResolvedTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1253,9 +1239,9 @@ extension FisClient { /// /// Lists the target account configurations of the specified experiment. /// - /// - Parameter ListExperimentTargetAccountConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExperimentTargetAccountConfigurationsInput`) /// - /// - Returns: `ListExperimentTargetAccountConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExperimentTargetAccountConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1288,7 +1274,6 @@ extension FisClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListExperimentTargetAccountConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExperimentTargetAccountConfigurationsOutput.httpOutput(from:), ListExperimentTargetAccountConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1320,9 +1305,9 @@ extension FisClient { /// /// Lists your experiment templates. /// - /// - Parameter ListExperimentTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExperimentTemplatesInput`) /// - /// - Returns: `ListExperimentTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExperimentTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1354,7 +1339,6 @@ extension FisClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListExperimentTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExperimentTemplatesOutput.httpOutput(from:), ListExperimentTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1386,9 +1370,9 @@ extension FisClient { /// /// Lists your experiments. /// - /// - Parameter ListExperimentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExperimentsInput`) /// - /// - Returns: `ListExperimentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExperimentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1420,7 +1404,6 @@ extension FisClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListExperimentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExperimentsOutput.httpOutput(from:), ListExperimentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1452,9 +1435,9 @@ extension FisClient { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) public func listTagsForResource(input: ListTagsForResourceInput) async throws -> ListTagsForResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1480,7 +1463,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1512,9 +1494,9 @@ extension FisClient { /// /// Lists the target account configurations of the specified experiment template. /// - /// - Parameter ListTargetAccountConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetAccountConfigurationsInput`) /// - /// - Returns: `ListTargetAccountConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetAccountConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1547,7 +1529,6 @@ extension FisClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTargetAccountConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetAccountConfigurationsOutput.httpOutput(from:), ListTargetAccountConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1579,9 +1560,9 @@ extension FisClient { /// /// Lists the target resource types. /// - /// - Parameter ListTargetResourceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetResourceTypesInput`) /// - /// - Returns: `ListTargetResourceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetResourceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1613,7 +1594,6 @@ extension FisClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTargetResourceTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetResourceTypesOutput.httpOutput(from:), ListTargetResourceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1645,9 +1625,9 @@ extension FisClient { /// /// Starts running an experiment from the specified experiment template. /// - /// - Parameter StartExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartExperimentInput`) /// - /// - Returns: `StartExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1685,7 +1665,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExperimentOutput.httpOutput(from:), StartExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1717,9 +1696,9 @@ extension FisClient { /// /// Stops the specified experiment. /// - /// - Parameter StopExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopExperimentInput`) /// - /// - Returns: `StopExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1751,7 +1730,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopExperimentOutput.httpOutput(from:), StopExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1783,9 +1761,9 @@ extension FisClient { /// /// Applies the specified tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) public func tagResource(input: TagResourceInput) async throws -> TagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1814,7 +1792,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1846,9 +1823,9 @@ extension FisClient { /// /// Removes the specified tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) public func untagResource(input: UntagResourceInput) async throws -> UntagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1875,7 +1852,6 @@ extension FisClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1907,9 +1883,9 @@ extension FisClient { /// /// Updates the specified experiment template. /// - /// - Parameter UpdateExperimentTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateExperimentTemplateInput`) /// - /// - Returns: `UpdateExperimentTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateExperimentTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1945,7 +1921,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateExperimentTemplateOutput.httpOutput(from:), UpdateExperimentTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1977,9 +1952,9 @@ extension FisClient { /// /// Updates the specified safety lever state. /// - /// - Parameter UpdateSafetyLeverStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSafetyLeverStateInput`) /// - /// - Returns: `UpdateSafetyLeverStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSafetyLeverStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2015,7 +1990,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSafetyLeverStateOutput.httpOutput(from:), UpdateSafetyLeverStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2047,9 +2021,9 @@ extension FisClient { /// /// Updates the target account configuration for the specified experiment template. /// - /// - Parameter UpdateTargetAccountConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTargetAccountConfigurationInput`) /// - /// - Returns: `UpdateTargetAccountConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTargetAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2084,7 +2058,6 @@ extension FisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTargetAccountConfigurationOutput.httpOutput(from:), UpdateTargetAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSForecast/Sources/AWSForecast/ForecastClient.swift b/Sources/Services/AWSForecast/Sources/AWSForecast/ForecastClient.swift index 0f6b7ebaf13..0ced6ffc59d 100644 --- a/Sources/Services/AWSForecast/Sources/AWSForecast/ForecastClient.swift +++ b/Sources/Services/AWSForecast/Sources/AWSForecast/ForecastClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ForecastClient: ClientRuntime.Client { public static let clientName = "ForecastClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ForecastClient.ForecastClientConfiguration let serviceName = "forecast" @@ -392,9 +391,9 @@ extension ForecastClient { /// /// When upgrading or retraining a predictor, only specify values for the ReferencePredictorArn and PredictorName. /// - /// - Parameter CreateAutoPredictorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAutoPredictorInput`) /// - /// - Returns: `CreateAutoPredictorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAutoPredictorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -430,7 +429,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAutoPredictorOutput.httpOutput(from:), CreateAutoPredictorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -474,9 +472,9 @@ extension ForecastClient { /// /// After creating a dataset, you import your training data into it and add the dataset to a dataset group. You use the dataset group to create a predictor. For more information, see [Importing datasets](https://docs.aws.amazon.com/forecast/latest/dg/howitworks-datasets-groups.html). To get a list of all your datasets, use the [ListDatasets](https://docs.aws.amazon.com/forecast/latest/dg/API_ListDatasets.html) operation. For example Forecast datasets, see the [Amazon Forecast Sample GitHub repository](https://github.com/aws-samples/amazon-forecast-samples). The Status of a dataset must be ACTIVE before you can import training data. Use the [DescribeDataset](https://docs.aws.amazon.com/forecast/latest/dg/API_DescribeDataset.html) operation to get the status. /// - /// - Parameter CreateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetInput`) /// - /// - Returns: `CreateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -510,7 +508,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetOutput.httpOutput(from:), CreateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -545,9 +542,9 @@ extension ForecastClient { /// /// Creates a dataset group, which holds a collection of related datasets. You can add datasets to the dataset group when you create the dataset group, or later by using the [UpdateDatasetGroup](https://docs.aws.amazon.com/forecast/latest/dg/API_UpdateDatasetGroup.html) operation. After creating a dataset group and adding datasets, you use the dataset group when you create a predictor. For more information, see [Dataset groups](https://docs.aws.amazon.com/forecast/latest/dg/howitworks-datasets-groups.html). To get a list of all your datasets groups, use the [ListDatasetGroups](https://docs.aws.amazon.com/forecast/latest/dg/API_ListDatasetGroups.html) operation. The Status of a dataset group must be ACTIVE before you can use the dataset group to create a predictor. To get the status, use the [DescribeDatasetGroup](https://docs.aws.amazon.com/forecast/latest/dg/API_DescribeDatasetGroup.html) operation. /// - /// - Parameter CreateDatasetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetGroupInput`) /// - /// - Returns: `CreateDatasetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -583,7 +580,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetGroupOutput.httpOutput(from:), CreateDatasetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -618,9 +614,9 @@ extension ForecastClient { /// /// Imports your training data to an Amazon Forecast dataset. You provide the location of your training data in an Amazon Simple Storage Service (Amazon S3) bucket and the Amazon Resource Name (ARN) of the dataset that you want to import the data to. You must specify a [DataSource](https://docs.aws.amazon.com/forecast/latest/dg/API_DataSource.html) object that includes an Identity and Access Management (IAM) role that Amazon Forecast can assume to access the data, as Amazon Forecast makes a copy of your data and processes it in an internal Amazon Web Services system. For more information, see [Set up permissions](https://docs.aws.amazon.com/forecast/latest/dg/aws-forecast-iam-roles.html). The training data must be in CSV or Parquet format. The delimiter must be a comma (,). You can specify the path to a specific file, the S3 bucket, or to a folder in the S3 bucket. For the latter two cases, Amazon Forecast imports all files up to the limit of 10,000 files. Because dataset imports are not aggregated, your most recent dataset import is the one that is used when training a predictor or generating a forecast. Make sure that your most recent dataset import contains all of the data you want to model off of, and not just the new data collected since the previous import. To get a list of all your dataset import jobs, filtered by specified criteria, use the [ListDatasetImportJobs](https://docs.aws.amazon.com/forecast/latest/dg/API_ListDatasetImportJobs.html) operation. /// - /// - Parameter CreateDatasetImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetImportJobInput`) /// - /// - Returns: `CreateDatasetImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -656,7 +652,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetImportJobOutput.httpOutput(from:), CreateDatasetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +730,9 @@ extension ForecastClient { /// /// * EndDateTime - The last timestamp in the range of time points. /// - /// - Parameter CreateExplainabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExplainabilityInput`) /// - /// - Returns: `CreateExplainabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExplainabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -773,7 +768,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExplainabilityOutput.httpOutput(from:), CreateExplainabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -808,9 +802,9 @@ extension ForecastClient { /// /// Exports an Explainability resource created by the [CreateExplainability] operation. Exported files are exported to an Amazon Simple Storage Service (Amazon S3) bucket. You must specify a [DataDestination] object that includes an Amazon S3 bucket and an Identity and Access Management (IAM) role that Amazon Forecast can assume to access the Amazon S3 bucket. For more information, see [aws-forecast-iam-roles]. The Status of the export job must be ACTIVE before you can access the export in your Amazon S3 bucket. To get the status, use the [DescribeExplainabilityExport] operation. /// - /// - Parameter CreateExplainabilityExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExplainabilityExportInput`) /// - /// - Returns: `CreateExplainabilityExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExplainabilityExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +840,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExplainabilityExportOutput.httpOutput(from:), CreateExplainabilityExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -881,9 +874,9 @@ extension ForecastClient { /// /// Creates a forecast for each item in the TARGET_TIME_SERIES dataset that was used to train the predictor. This is known as inference. To retrieve the forecast for a single item at low latency, use the operation. To export the complete forecast into your Amazon Simple Storage Service (Amazon S3) bucket, use the [CreateForecastExportJob] operation. The range of the forecast is determined by the ForecastHorizon value, which you specify in the [CreatePredictor] request. When you query a forecast, you can request a specific date range within the forecast. To get a list of all your forecasts, use the [ListForecasts] operation. The forecasts generated by Amazon Forecast are in the same time zone as the dataset that was used to create the predictor. For more information, see [howitworks-forecast]. The Status of the forecast must be ACTIVE before you can query or export the forecast. Use the [DescribeForecast] operation to get the status. By default, a forecast includes predictions for every item (item_id) in the dataset group that was used to train the predictor. However, you can use the TimeSeriesSelector object to generate a forecast on a subset of time series. Forecast creation is skipped for any time series that you specify that are not in the input dataset. The forecast export file will not contain these time series or their forecasted values. /// - /// - Parameter CreateForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateForecastInput`) /// - /// - Returns: `CreateForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +912,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateForecastOutput.httpOutput(from:), CreateForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -954,9 +946,9 @@ extension ForecastClient { /// /// Exports a forecast created by the [CreateForecast] operation to your Amazon Simple Storage Service (Amazon S3) bucket. The forecast file name will match the following conventions: __ where the component is in Java SimpleDateFormat (yyyy-MM-ddTHH-mm-ssZ). You must specify a [DataDestination] object that includes an Identity and Access Management (IAM) role that Amazon Forecast can assume to access the Amazon S3 bucket. For more information, see [aws-forecast-iam-roles]. For more information, see [howitworks-forecast]. To get a list of all your forecast export jobs, use the [ListForecastExportJobs] operation. The Status of the forecast export job must be ACTIVE before you can access the forecast in your Amazon S3 bucket. To get the status, use the [DescribeForecastExportJob] operation. /// - /// - Parameter CreateForecastExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateForecastExportJobInput`) /// - /// - Returns: `CreateForecastExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateForecastExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -992,7 +984,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateForecastExportJobOutput.httpOutput(from:), CreateForecastExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1027,9 +1018,9 @@ extension ForecastClient { /// /// Creates a predictor monitor resource for an existing auto predictor. Predictor monitoring allows you to see how your predictor's performance changes over time. For more information, see [Predictor Monitoring](https://docs.aws.amazon.com/forecast/latest/dg/predictor-monitoring.html). /// - /// - Parameter CreateMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMonitorInput`) /// - /// - Returns: `CreateMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1065,7 +1056,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMonitorOutput.httpOutput(from:), CreateMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1111,9 +1101,9 @@ extension ForecastClient { /// /// To get a list of all of your predictors, use the [ListPredictors] operation. Before you can use the predictor to create a forecast, the Status of the predictor must be ACTIVE, signifying that training has completed. To get the status, use the [DescribePredictor] operation. /// - /// - Parameter CreatePredictorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePredictorInput`) /// - /// - Returns: `CreatePredictorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePredictorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1149,7 +1139,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePredictorOutput.httpOutput(from:), CreatePredictorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1184,9 +1173,9 @@ extension ForecastClient { /// /// Exports backtest forecasts and accuracy metrics generated by the [CreateAutoPredictor] or [CreatePredictor] operations. Two folders containing CSV or Parquet files are exported to your specified S3 bucket. The export file names will match the following conventions: __.csv The component is in Java SimpleDate format (yyyy-MM-ddTHH-mm-ssZ). You must specify a [DataDestination] object that includes an Amazon S3 bucket and an Identity and Access Management (IAM) role that Amazon Forecast can assume to access the Amazon S3 bucket. For more information, see [aws-forecast-iam-roles]. The Status of the export job must be ACTIVE before you can access the export in your Amazon S3 bucket. To get the status, use the [DescribePredictorBacktestExportJob] operation. /// - /// - Parameter CreatePredictorBacktestExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePredictorBacktestExportJobInput`) /// - /// - Returns: `CreatePredictorBacktestExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePredictorBacktestExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1222,7 +1211,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePredictorBacktestExportJobOutput.httpOutput(from:), CreatePredictorBacktestExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1257,9 +1245,9 @@ extension ForecastClient { /// /// What-if analysis is a scenario modeling technique where you make a hypothetical change to a time series and compare the forecasts generated by these changes against the baseline, unchanged time series. It is important to remember that the purpose of a what-if analysis is to understand how a forecast can change given different modifications to the baseline time series. For example, imagine you are a clothing retailer who is considering an end of season sale to clear space for new styles. After creating a baseline forecast, you can use a what-if analysis to investigate how different sales tactics might affect your goals. You could create a scenario where everything is given a 25% markdown, and another where everything is given a fixed dollar markdown. You could create a scenario where the sale lasts for one week and another where the sale lasts for one month. With a what-if analysis, you can compare many different scenarios against each other. Note that a what-if analysis is meant to display what the forecasting model has learned and how it will behave in the scenarios that you are evaluating. Do not blindly use the results of the what-if analysis to make business decisions. For instance, forecasts might not be accurate for novel scenarios where there is no reference available to determine whether a forecast is good. The [TimeSeriesSelector] object defines the items that you want in the what-if analysis. /// - /// - Parameter CreateWhatIfAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWhatIfAnalysisInput`) /// - /// - Returns: `CreateWhatIfAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWhatIfAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1295,7 +1283,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWhatIfAnalysisOutput.httpOutput(from:), CreateWhatIfAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1330,9 +1317,9 @@ extension ForecastClient { /// /// A what-if forecast is a forecast that is created from a modified version of the baseline forecast. Each what-if forecast incorporates either a replacement dataset or a set of transformations to the original dataset. /// - /// - Parameter CreateWhatIfForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWhatIfForecastInput`) /// - /// - Returns: `CreateWhatIfForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWhatIfForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1368,7 +1355,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWhatIfForecastOutput.httpOutput(from:), CreateWhatIfForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1403,9 +1389,9 @@ extension ForecastClient { /// /// Exports a forecast created by the [CreateWhatIfForecast] operation to your Amazon Simple Storage Service (Amazon S3) bucket. The forecast file name will match the following conventions: ≈__ The component is in Java SimpleDateFormat (yyyy-MM-ddTHH-mm-ssZ). You must specify a [DataDestination] object that includes an Identity and Access Management (IAM) role that Amazon Forecast can assume to access the Amazon S3 bucket. For more information, see [aws-forecast-iam-roles]. For more information, see [howitworks-forecast]. To get a list of all your what-if forecast export jobs, use the [ListWhatIfForecastExports] operation. The Status of the forecast export job must be ACTIVE before you can access the forecast in your Amazon S3 bucket. To get the status, use the [DescribeWhatIfForecastExport] operation. /// - /// - Parameter CreateWhatIfForecastExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWhatIfForecastExportInput`) /// - /// - Returns: `CreateWhatIfForecastExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWhatIfForecastExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1441,7 +1427,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWhatIfForecastExportOutput.httpOutput(from:), CreateWhatIfForecastExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1476,9 +1461,9 @@ extension ForecastClient { /// /// Deletes an Amazon Forecast dataset that was created using the [CreateDataset](https://docs.aws.amazon.com/forecast/latest/dg/API_CreateDataset.html) operation. You can only delete datasets that have a status of ACTIVE or CREATE_FAILED. To get the status use the [DescribeDataset](https://docs.aws.amazon.com/forecast/latest/dg/API_DescribeDataset.html) operation. Forecast does not automatically update any dataset groups that contain the deleted dataset. In order to update the dataset group, use the [UpdateDatasetGroup](https://docs.aws.amazon.com/forecast/latest/dg/API_UpdateDatasetGroup.html) operation, omitting the deleted dataset's ARN. /// - /// - Parameter DeleteDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetInput`) /// - /// - Returns: `DeleteDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1512,7 +1497,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetOutput.httpOutput(from:), DeleteDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1547,9 +1531,9 @@ extension ForecastClient { /// /// Deletes a dataset group created using the [CreateDatasetGroup](https://docs.aws.amazon.com/forecast/latest/dg/API_CreateDatasetGroup.html) operation. You can only delete dataset groups that have a status of ACTIVE, CREATE_FAILED, or UPDATE_FAILED. To get the status, use the [DescribeDatasetGroup](https://docs.aws.amazon.com/forecast/latest/dg/API_DescribeDatasetGroup.html) operation. This operation deletes only the dataset group, not the datasets in the group. /// - /// - Parameter DeleteDatasetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetGroupInput`) /// - /// - Returns: `DeleteDatasetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1583,7 +1567,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetGroupOutput.httpOutput(from:), DeleteDatasetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1618,9 +1601,9 @@ extension ForecastClient { /// /// Deletes a dataset import job created using the [CreateDatasetImportJob](https://docs.aws.amazon.com/forecast/latest/dg/API_CreateDatasetImportJob.html) operation. You can delete only dataset import jobs that have a status of ACTIVE or CREATE_FAILED. To get the status, use the [DescribeDatasetImportJob](https://docs.aws.amazon.com/forecast/latest/dg/API_DescribeDatasetImportJob.html) operation. /// - /// - Parameter DeleteDatasetImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetImportJobInput`) /// - /// - Returns: `DeleteDatasetImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1654,7 +1637,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetImportJobOutput.httpOutput(from:), DeleteDatasetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1689,9 +1671,9 @@ extension ForecastClient { /// /// Deletes an Explainability resource. You can delete only predictor that have a status of ACTIVE or CREATE_FAILED. To get the status, use the [DescribeExplainability] operation. /// - /// - Parameter DeleteExplainabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExplainabilityInput`) /// - /// - Returns: `DeleteExplainabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExplainabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1725,7 +1707,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExplainabilityOutput.httpOutput(from:), DeleteExplainabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1760,9 +1741,9 @@ extension ForecastClient { /// /// Deletes an Explainability export. /// - /// - Parameter DeleteExplainabilityExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExplainabilityExportInput`) /// - /// - Returns: `DeleteExplainabilityExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExplainabilityExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1796,7 +1777,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExplainabilityExportOutput.httpOutput(from:), DeleteExplainabilityExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1831,9 +1811,9 @@ extension ForecastClient { /// /// Deletes a forecast created using the [CreateForecast] operation. You can delete only forecasts that have a status of ACTIVE or CREATE_FAILED. To get the status, use the [DescribeForecast] operation. You can't delete a forecast while it is being exported. After a forecast is deleted, you can no longer query the forecast. /// - /// - Parameter DeleteForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteForecastInput`) /// - /// - Returns: `DeleteForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1867,7 +1847,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteForecastOutput.httpOutput(from:), DeleteForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1902,9 +1881,9 @@ extension ForecastClient { /// /// Deletes a forecast export job created using the [CreateForecastExportJob] operation. You can delete only export jobs that have a status of ACTIVE or CREATE_FAILED. To get the status, use the [DescribeForecastExportJob] operation. /// - /// - Parameter DeleteForecastExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteForecastExportJobInput`) /// - /// - Returns: `DeleteForecastExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteForecastExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1938,7 +1917,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteForecastExportJobOutput.httpOutput(from:), DeleteForecastExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1973,9 +1951,9 @@ extension ForecastClient { /// /// Deletes a monitor resource. You can only delete a monitor resource with a status of ACTIVE, ACTIVE_STOPPED, CREATE_FAILED, or CREATE_STOPPED. /// - /// - Parameter DeleteMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMonitorInput`) /// - /// - Returns: `DeleteMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2009,7 +1987,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMonitorOutput.httpOutput(from:), DeleteMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2044,9 +2021,9 @@ extension ForecastClient { /// /// Deletes a predictor created using the [DescribePredictor] or [CreatePredictor] operations. You can delete only predictor that have a status of ACTIVE or CREATE_FAILED. To get the status, use the [DescribePredictor] operation. /// - /// - Parameter DeletePredictorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePredictorInput`) /// - /// - Returns: `DeletePredictorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePredictorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2080,7 +2057,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePredictorOutput.httpOutput(from:), DeletePredictorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2115,9 +2091,9 @@ extension ForecastClient { /// /// Deletes a predictor backtest export job. /// - /// - Parameter DeletePredictorBacktestExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePredictorBacktestExportJobInput`) /// - /// - Returns: `DeletePredictorBacktestExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePredictorBacktestExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2151,7 +2127,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePredictorBacktestExportJobOutput.httpOutput(from:), DeletePredictorBacktestExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2197,9 +2172,9 @@ extension ForecastClient { /// /// DeleteResourceTree will only delete Amazon Forecast resources, and will not delete datasets or exported files stored in Amazon S3. /// - /// - Parameter DeleteResourceTreeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceTreeInput`) /// - /// - Returns: `DeleteResourceTreeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceTreeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2233,7 +2208,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceTreeOutput.httpOutput(from:), DeleteResourceTreeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2268,9 +2242,9 @@ extension ForecastClient { /// /// Deletes a what-if analysis created using the [CreateWhatIfAnalysis] operation. You can delete only what-if analyses that have a status of ACTIVE or CREATE_FAILED. To get the status, use the [DescribeWhatIfAnalysis] operation. You can't delete a what-if analysis while any of its forecasts are being exported. /// - /// - Parameter DeleteWhatIfAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWhatIfAnalysisInput`) /// - /// - Returns: `DeleteWhatIfAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWhatIfAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2304,7 +2278,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWhatIfAnalysisOutput.httpOutput(from:), DeleteWhatIfAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2339,9 +2312,9 @@ extension ForecastClient { /// /// Deletes a what-if forecast created using the [CreateWhatIfForecast] operation. You can delete only what-if forecasts that have a status of ACTIVE or CREATE_FAILED. To get the status, use the [DescribeWhatIfForecast] operation. You can't delete a what-if forecast while it is being exported. After a what-if forecast is deleted, you can no longer query the what-if analysis. /// - /// - Parameter DeleteWhatIfForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWhatIfForecastInput`) /// - /// - Returns: `DeleteWhatIfForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWhatIfForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2375,7 +2348,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWhatIfForecastOutput.httpOutput(from:), DeleteWhatIfForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2410,9 +2382,9 @@ extension ForecastClient { /// /// Deletes a what-if forecast export created using the [CreateWhatIfForecastExport] operation. You can delete only what-if forecast exports that have a status of ACTIVE or CREATE_FAILED. To get the status, use the [DescribeWhatIfForecastExport] operation. /// - /// - Parameter DeleteWhatIfForecastExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWhatIfForecastExportInput`) /// - /// - Returns: `DeleteWhatIfForecastExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWhatIfForecastExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2446,7 +2418,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWhatIfForecastExportOutput.httpOutput(from:), DeleteWhatIfForecastExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2481,9 +2452,9 @@ extension ForecastClient { /// /// Describes a predictor created using the CreateAutoPredictor operation. /// - /// - Parameter DescribeAutoPredictorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAutoPredictorInput`) /// - /// - Returns: `DescribeAutoPredictorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAutoPredictorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2516,7 +2487,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAutoPredictorOutput.httpOutput(from:), DescribeAutoPredictorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2557,9 +2527,9 @@ extension ForecastClient { /// /// * Status /// - /// - Parameter DescribeDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetInput`) /// - /// - Returns: `DescribeDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2592,7 +2562,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetOutput.httpOutput(from:), DescribeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2635,9 +2604,9 @@ extension ForecastClient { /// /// * Status /// - /// - Parameter DescribeDatasetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetGroupInput`) /// - /// - Returns: `DescribeDatasetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2670,7 +2639,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetGroupOutput.httpOutput(from:), DescribeDatasetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2717,9 +2685,9 @@ extension ForecastClient { /// /// * Message - If an error occurred, information about the error. /// - /// - Parameter DescribeDatasetImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetImportJobInput`) /// - /// - Returns: `DescribeDatasetImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2752,7 +2720,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetImportJobOutput.httpOutput(from:), DescribeDatasetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2787,9 +2754,9 @@ extension ForecastClient { /// /// Describes an Explainability resource created using the [CreateExplainability] operation. /// - /// - Parameter DescribeExplainabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExplainabilityInput`) /// - /// - Returns: `DescribeExplainabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExplainabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2822,7 +2789,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExplainabilityOutput.httpOutput(from:), DescribeExplainabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2857,9 +2823,9 @@ extension ForecastClient { /// /// Describes an Explainability export created using the [CreateExplainabilityExport] operation. /// - /// - Parameter DescribeExplainabilityExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExplainabilityExportInput`) /// - /// - Returns: `DescribeExplainabilityExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExplainabilityExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2892,7 +2858,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExplainabilityExportOutput.httpOutput(from:), DescribeExplainabilityExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2937,9 +2902,9 @@ extension ForecastClient { /// /// * Message - If an error occurred, information about the error. /// - /// - Parameter DescribeForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeForecastInput`) /// - /// - Returns: `DescribeForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2972,7 +2937,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeForecastOutput.httpOutput(from:), DescribeForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3015,9 +2979,9 @@ extension ForecastClient { /// /// * Message - If an error occurred, information about the error. /// - /// - Parameter DescribeForecastExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeForecastExportJobInput`) /// - /// - Returns: `DescribeForecastExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeForecastExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3050,7 +3014,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeForecastExportJobOutput.httpOutput(from:), DescribeForecastExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3099,9 +3062,9 @@ extension ForecastClient { /// /// * Status /// - /// - Parameter DescribeMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMonitorInput`) /// - /// - Returns: `DescribeMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3134,7 +3097,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMonitorOutput.httpOutput(from:), DescribeMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3181,9 +3143,9 @@ extension ForecastClient { /// /// * Message - If an error occurred, information about the error. /// - /// - Parameter DescribePredictorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePredictorInput`) /// - /// - Returns: `DescribePredictorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePredictorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3216,7 +3178,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePredictorOutput.httpOutput(from:), DescribePredictorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3259,9 +3220,9 @@ extension ForecastClient { /// /// * Message (if an error occurred) /// - /// - Parameter DescribePredictorBacktestExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePredictorBacktestExportJobInput`) /// - /// - Returns: `DescribePredictorBacktestExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePredictorBacktestExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3294,7 +3255,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePredictorBacktestExportJobOutput.httpOutput(from:), DescribePredictorBacktestExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3337,9 +3297,9 @@ extension ForecastClient { /// /// * Status /// - /// - Parameter DescribeWhatIfAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWhatIfAnalysisInput`) /// - /// - Returns: `DescribeWhatIfAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWhatIfAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3372,7 +3332,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWhatIfAnalysisOutput.httpOutput(from:), DescribeWhatIfAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3415,9 +3374,9 @@ extension ForecastClient { /// /// * Status /// - /// - Parameter DescribeWhatIfForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWhatIfForecastInput`) /// - /// - Returns: `DescribeWhatIfForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWhatIfForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3450,7 +3409,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWhatIfForecastOutput.httpOutput(from:), DescribeWhatIfForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3493,9 +3451,9 @@ extension ForecastClient { /// /// * Status /// - /// - Parameter DescribeWhatIfForecastExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWhatIfForecastExportInput`) /// - /// - Returns: `DescribeWhatIfForecastExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWhatIfForecastExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3528,7 +3486,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWhatIfForecastExportOutput.httpOutput(from:), DescribeWhatIfForecastExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3563,9 +3520,9 @@ extension ForecastClient { /// /// Provides metrics on the accuracy of the models that were trained by the [CreatePredictor] operation. Use metrics to see how well the model performed and to decide whether to use the predictor to generate a forecast. For more information, see [Predictor Metrics](https://docs.aws.amazon.com/forecast/latest/dg/metrics.html). This operation generates metrics for each backtest window that was evaluated. The number of backtest windows (NumberOfBacktestWindows) is specified using the [EvaluationParameters] object, which is optionally included in the CreatePredictor request. If NumberOfBacktestWindows isn't specified, the number defaults to one. The parameters of the filling method determine which items contribute to the metrics. If you want all items to contribute, specify zero. If you want only those items that have complete data in the range being evaluated to contribute, specify nan. For more information, see [FeaturizationMethod]. Before you can get accuracy metrics, the Status of the predictor must be ACTIVE, signifying that training has completed. To get the status, use the [DescribePredictor] operation. /// - /// - Parameter GetAccuracyMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccuracyMetricsInput`) /// - /// - Returns: `GetAccuracyMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccuracyMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3599,7 +3556,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccuracyMetricsOutput.httpOutput(from:), GetAccuracyMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3634,9 +3590,9 @@ extension ForecastClient { /// /// Returns a list of dataset groups created using the [CreateDatasetGroup](https://docs.aws.amazon.com/forecast/latest/dg/API_CreateDatasetGroup.html) operation. For each dataset group, this operation returns a summary of its properties, including its Amazon Resource Name (ARN). You can retrieve the complete set of properties by using the dataset group ARN with the [DescribeDatasetGroup](https://docs.aws.amazon.com/forecast/latest/dg/API_DescribeDatasetGroup.html) operation. /// - /// - Parameter ListDatasetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetGroupsInput`) /// - /// - Returns: `ListDatasetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3668,7 +3624,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetGroupsOutput.httpOutput(from:), ListDatasetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3703,9 +3658,9 @@ extension ForecastClient { /// /// Returns a list of dataset import jobs created using the [CreateDatasetImportJob](https://docs.aws.amazon.com/forecast/latest/dg/API_CreateDatasetImportJob.html) operation. For each import job, this operation returns a summary of its properties, including its Amazon Resource Name (ARN). You can retrieve the complete set of properties by using the ARN with the [DescribeDatasetImportJob](https://docs.aws.amazon.com/forecast/latest/dg/API_DescribeDatasetImportJob.html) operation. You can filter the list by providing an array of [Filter](https://docs.aws.amazon.com/forecast/latest/dg/API_Filter.html) objects. /// - /// - Parameter ListDatasetImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetImportJobsInput`) /// - /// - Returns: `ListDatasetImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3738,7 +3693,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetImportJobsOutput.httpOutput(from:), ListDatasetImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3773,9 +3727,9 @@ extension ForecastClient { /// /// Returns a list of datasets created using the [CreateDataset](https://docs.aws.amazon.com/forecast/latest/dg/API_CreateDataset.html) operation. For each dataset, a summary of its properties, including its Amazon Resource Name (ARN), is returned. To retrieve the complete set of properties, use the ARN with the [DescribeDataset](https://docs.aws.amazon.com/forecast/latest/dg/API_DescribeDataset.html) operation. /// - /// - Parameter ListDatasetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetsInput`) /// - /// - Returns: `ListDatasetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3807,7 +3761,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetsOutput.httpOutput(from:), ListDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3842,9 +3795,9 @@ extension ForecastClient { /// /// Returns a list of Explainability resources created using the [CreateExplainability] operation. This operation returns a summary for each Explainability. You can filter the list using an array of [Filter] objects. To retrieve the complete set of properties for a particular Explainability resource, use the ARN with the [DescribeExplainability] operation. /// - /// - Parameter ListExplainabilitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExplainabilitiesInput`) /// - /// - Returns: `ListExplainabilitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExplainabilitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3877,7 +3830,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExplainabilitiesOutput.httpOutput(from:), ListExplainabilitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3912,9 +3864,9 @@ extension ForecastClient { /// /// Returns a list of Explainability exports created using the [CreateExplainabilityExport] operation. This operation returns a summary for each Explainability export. You can filter the list using an array of [Filter] objects. To retrieve the complete set of properties for a particular Explainability export, use the ARN with the [DescribeExplainability] operation. /// - /// - Parameter ListExplainabilityExportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExplainabilityExportsInput`) /// - /// - Returns: `ListExplainabilityExportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExplainabilityExportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3947,7 +3899,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExplainabilityExportsOutput.httpOutput(from:), ListExplainabilityExportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3982,9 +3933,9 @@ extension ForecastClient { /// /// Returns a list of forecast export jobs created using the [CreateForecastExportJob] operation. For each forecast export job, this operation returns a summary of its properties, including its Amazon Resource Name (ARN). To retrieve the complete set of properties, use the ARN with the [DescribeForecastExportJob] operation. You can filter the list using an array of [Filter] objects. /// - /// - Parameter ListForecastExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListForecastExportJobsInput`) /// - /// - Returns: `ListForecastExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListForecastExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4017,7 +3968,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListForecastExportJobsOutput.httpOutput(from:), ListForecastExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4052,9 +4002,9 @@ extension ForecastClient { /// /// Returns a list of forecasts created using the [CreateForecast] operation. For each forecast, this operation returns a summary of its properties, including its Amazon Resource Name (ARN). To retrieve the complete set of properties, specify the ARN with the [DescribeForecast] operation. You can filter the list using an array of [Filter] objects. /// - /// - Parameter ListForecastsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListForecastsInput`) /// - /// - Returns: `ListForecastsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListForecastsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4087,7 +4037,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListForecastsOutput.httpOutput(from:), ListForecastsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4122,9 +4071,9 @@ extension ForecastClient { /// /// Returns a list of the monitoring evaluation results and predictor events collected by the monitor resource during different windows of time. For information about monitoring see [predictor-monitoring]. For more information about retrieving monitoring results see [Viewing Monitoring Results](https://docs.aws.amazon.com/forecast/latest/dg/predictor-monitoring-results.html). /// - /// - Parameter ListMonitorEvaluationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitorEvaluationsInput`) /// - /// - Returns: `ListMonitorEvaluationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitorEvaluationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4158,7 +4107,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitorEvaluationsOutput.httpOutput(from:), ListMonitorEvaluationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4193,9 +4141,9 @@ extension ForecastClient { /// /// Returns a list of monitors created with the [CreateMonitor] operation and [CreateAutoPredictor] operation. For each monitor resource, this operation returns of a summary of its properties, including its Amazon Resource Name (ARN). You can retrieve a complete set of properties of a monitor resource by specify the monitor's ARN in the [DescribeMonitor] operation. /// - /// - Parameter ListMonitorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitorsInput`) /// - /// - Returns: `ListMonitorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4228,7 +4176,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitorsOutput.httpOutput(from:), ListMonitorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4263,9 +4210,9 @@ extension ForecastClient { /// /// Returns a list of predictor backtest export jobs created using the [CreatePredictorBacktestExportJob] operation. This operation returns a summary for each backtest export job. You can filter the list using an array of [Filter] objects. To retrieve the complete set of properties for a particular backtest export job, use the ARN with the [DescribePredictorBacktestExportJob] operation. /// - /// - Parameter ListPredictorBacktestExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPredictorBacktestExportJobsInput`) /// - /// - Returns: `ListPredictorBacktestExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPredictorBacktestExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4298,7 +4245,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPredictorBacktestExportJobsOutput.httpOutput(from:), ListPredictorBacktestExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4333,9 +4279,9 @@ extension ForecastClient { /// /// Returns a list of predictors created using the [CreateAutoPredictor] or [CreatePredictor] operations. For each predictor, this operation returns a summary of its properties, including its Amazon Resource Name (ARN). You can retrieve the complete set of properties by using the ARN with the [DescribeAutoPredictor] and [DescribePredictor] operations. You can filter the list using an array of [Filter] objects. /// - /// - Parameter ListPredictorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPredictorsInput`) /// - /// - Returns: `ListPredictorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPredictorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4368,7 +4314,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPredictorsOutput.httpOutput(from:), ListPredictorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4403,9 +4348,9 @@ extension ForecastClient { /// /// Lists the tags for an Amazon Forecast resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4438,7 +4383,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4473,9 +4417,9 @@ extension ForecastClient { /// /// Returns a list of what-if analyses created using the [CreateWhatIfAnalysis] operation. For each what-if analysis, this operation returns a summary of its properties, including its Amazon Resource Name (ARN). You can retrieve the complete set of properties by using the what-if analysis ARN with the [DescribeWhatIfAnalysis] operation. /// - /// - Parameter ListWhatIfAnalysesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWhatIfAnalysesInput`) /// - /// - Returns: `ListWhatIfAnalysesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWhatIfAnalysesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4508,7 +4452,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWhatIfAnalysesOutput.httpOutput(from:), ListWhatIfAnalysesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4543,9 +4486,9 @@ extension ForecastClient { /// /// Returns a list of what-if forecast exports created using the [CreateWhatIfForecastExport] operation. For each what-if forecast export, this operation returns a summary of its properties, including its Amazon Resource Name (ARN). You can retrieve the complete set of properties by using the what-if forecast export ARN with the [DescribeWhatIfForecastExport] operation. /// - /// - Parameter ListWhatIfForecastExportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWhatIfForecastExportsInput`) /// - /// - Returns: `ListWhatIfForecastExportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWhatIfForecastExportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4578,7 +4521,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWhatIfForecastExportsOutput.httpOutput(from:), ListWhatIfForecastExportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4613,9 +4555,9 @@ extension ForecastClient { /// /// Returns a list of what-if forecasts created using the [CreateWhatIfForecast] operation. For each what-if forecast, this operation returns a summary of its properties, including its Amazon Resource Name (ARN). You can retrieve the complete set of properties by using the what-if forecast ARN with the [DescribeWhatIfForecast] operation. /// - /// - Parameter ListWhatIfForecastsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWhatIfForecastsInput`) /// - /// - Returns: `ListWhatIfForecastsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWhatIfForecastsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4648,7 +4590,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWhatIfForecastsOutput.httpOutput(from:), ListWhatIfForecastsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4683,9 +4624,9 @@ extension ForecastClient { /// /// Resumes a stopped monitor resource. /// - /// - Parameter ResumeResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResumeResourceInput`) /// - /// - Returns: `ResumeResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4720,7 +4661,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeResourceOutput.httpOutput(from:), ResumeResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4769,9 +4709,9 @@ extension ForecastClient { /// /// * Explainability Export Job /// - /// - Parameter StopResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopResourceInput`) /// - /// - Returns: `StopResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4805,7 +4745,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopResourceOutput.httpOutput(from:), StopResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4840,9 +4779,9 @@ extension ForecastClient { /// /// Associates the specified tags to a resource with the specified resourceArn. If existing tags on a resource are not specified in the request parameters, they are not changed. When a resource is deleted, the tags associated with that resource are also deleted. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4876,7 +4815,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4911,9 +4849,9 @@ extension ForecastClient { /// /// Deletes the specified tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4946,7 +4884,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4981,9 +4918,9 @@ extension ForecastClient { /// /// Replaces the datasets in a dataset group with the specified datasets. The Status of the dataset group must be ACTIVE before you can use the dataset group to create a predictor. Use the [DescribeDatasetGroup](https://docs.aws.amazon.com/forecast/latest/dg/API_DescribeDatasetGroup.html) operation to get the status. /// - /// - Parameter UpdateDatasetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatasetGroupInput`) /// - /// - Returns: `UpdateDatasetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatasetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5017,7 +4954,6 @@ extension ForecastClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatasetGroupOutput.httpOutput(from:), UpdateDatasetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSForecastquery/Sources/AWSForecastquery/ForecastqueryClient.swift b/Sources/Services/AWSForecastquery/Sources/AWSForecastquery/ForecastqueryClient.swift index b2de25e8b72..7031dc9ed39 100644 --- a/Sources/Services/AWSForecastquery/Sources/AWSForecastquery/ForecastqueryClient.swift +++ b/Sources/Services/AWSForecastquery/Sources/AWSForecastquery/ForecastqueryClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ForecastqueryClient: ClientRuntime.Client { public static let clientName = "ForecastqueryClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ForecastqueryClient.ForecastqueryClientConfiguration let serviceName = "forecastquery" @@ -373,9 +372,9 @@ extension ForecastqueryClient { /// /// Retrieves a forecast for a single item, filtered by the supplied criteria. The criteria is a key-value pair. The key is either item_id (or the equivalent non-timestamp, non-target field) from the TARGET_TIME_SERIES dataset, or one of the forecast dimensions specified as part of the FeaturizationConfig object. By default, QueryForecast returns the complete date range for the filtered forecast. You can request a specific date range. To get the full forecast, use the [CreateForecastExportJob](https://docs.aws.amazon.com/en_us/forecast/latest/dg/API_CreateForecastExportJob.html) operation. The forecasts generated by Amazon Forecast are in the same timezone as the dataset that was used to create the predictor. /// - /// - Parameter QueryForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `QueryForecastInput`) /// - /// - Returns: `QueryForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `QueryForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension ForecastqueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QueryForecastOutput.httpOutput(from:), QueryForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension ForecastqueryClient { /// /// Retrieves a what-if forecast. /// - /// - Parameter QueryWhatIfForecastInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `QueryWhatIfForecastInput`) /// - /// - Returns: `QueryWhatIfForecastOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `QueryWhatIfForecastOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension ForecastqueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QueryWhatIfForecastOutput.httpOutput(from:), QueryWhatIfForecastOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSFraudDetector/Sources/AWSFraudDetector/FraudDetectorClient.swift b/Sources/Services/AWSFraudDetector/Sources/AWSFraudDetector/FraudDetectorClient.swift index b5b3b2d0649..d5025bfef5e 100644 --- a/Sources/Services/AWSFraudDetector/Sources/AWSFraudDetector/FraudDetectorClient.swift +++ b/Sources/Services/AWSFraudDetector/Sources/AWSFraudDetector/FraudDetectorClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class FraudDetectorClient: ClientRuntime.Client { public static let clientName = "FraudDetectorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: FraudDetectorClient.FraudDetectorClientConfiguration let serviceName = "FraudDetector" @@ -373,9 +372,9 @@ extension FraudDetectorClient { /// /// Creates a batch of variables. /// - /// - Parameter BatchCreateVariableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateVariableInput`) /// - /// - Returns: `BatchCreateVariableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateVariableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateVariableOutput.httpOutput(from:), BatchCreateVariableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension FraudDetectorClient { /// /// Gets a batch of variables. /// - /// - Parameter BatchGetVariableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetVariableInput`) /// - /// - Returns: `BatchGetVariableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetVariableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -482,7 +480,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetVariableOutput.httpOutput(from:), BatchGetVariableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension FraudDetectorClient { /// /// Cancels an in-progress batch import job. /// - /// - Parameter CancelBatchImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelBatchImportJobInput`) /// - /// - Returns: `CancelBatchImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelBatchImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelBatchImportJobOutput.httpOutput(from:), CancelBatchImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension FraudDetectorClient { /// /// Cancels the specified batch prediction job. /// - /// - Parameter CancelBatchPredictionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelBatchPredictionJobInput`) /// - /// - Returns: `CancelBatchPredictionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelBatchPredictionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelBatchPredictionJobOutput.httpOutput(from:), CancelBatchPredictionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension FraudDetectorClient { /// /// Creates a batch import job. /// - /// - Parameter CreateBatchImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBatchImportJobInput`) /// - /// - Returns: `CreateBatchImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBatchImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBatchImportJobOutput.httpOutput(from:), CreateBatchImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension FraudDetectorClient { /// /// Creates a batch prediction job. /// - /// - Parameter CreateBatchPredictionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBatchPredictionJobInput`) /// - /// - Returns: `CreateBatchPredictionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBatchPredictionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBatchPredictionJobOutput.httpOutput(from:), CreateBatchPredictionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension FraudDetectorClient { /// /// Creates a detector version. The detector version starts in a DRAFT status. /// - /// - Parameter CreateDetectorVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDetectorVersionInput`) /// - /// - Returns: `CreateDetectorVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDetectorVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDetectorVersionOutput.httpOutput(from:), CreateDetectorVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -882,9 +874,9 @@ extension FraudDetectorClient { /// /// Creates a list. List is a set of input data for a variable in your event dataset. You use the input data in a rule that's associated with your detector. For more information, see [Lists](https://docs.aws.amazon.com/frauddetector/latest/ug/lists.html). /// - /// - Parameter CreateListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateListInput`) /// - /// - Returns: `CreateListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +911,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateListOutput.httpOutput(from:), CreateListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -954,9 +945,9 @@ extension FraudDetectorClient { /// /// Creates a model using the specified model type. /// - /// - Parameter CreateModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelInput`) /// - /// - Returns: `CreateModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -991,7 +982,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelOutput.httpOutput(from:), CreateModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1026,9 +1016,9 @@ extension FraudDetectorClient { /// /// Creates a version of the model using the specified model type and model id. /// - /// - Parameter CreateModelVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelVersionInput`) /// - /// - Returns: `CreateModelVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1064,7 +1054,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelVersionOutput.httpOutput(from:), CreateModelVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1099,9 +1088,9 @@ extension FraudDetectorClient { /// /// Creates a rule for use with the specified detector. /// - /// - Parameter CreateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleInput`) /// - /// - Returns: `CreateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1136,7 +1125,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleOutput.httpOutput(from:), CreateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1171,9 +1159,9 @@ extension FraudDetectorClient { /// /// Creates a variable. /// - /// - Parameter CreateVariableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVariableInput`) /// - /// - Returns: `CreateVariableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVariableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1208,7 +1196,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVariableOutput.httpOutput(from:), CreateVariableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1243,9 +1230,9 @@ extension FraudDetectorClient { /// /// Deletes the specified batch import job ID record. This action does not delete the data that was batch imported. /// - /// - Parameter DeleteBatchImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBatchImportJobInput`) /// - /// - Returns: `DeleteBatchImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBatchImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1280,7 +1267,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBatchImportJobOutput.httpOutput(from:), DeleteBatchImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1315,9 +1301,9 @@ extension FraudDetectorClient { /// /// Deletes a batch prediction job. /// - /// - Parameter DeleteBatchPredictionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBatchPredictionJobInput`) /// - /// - Returns: `DeleteBatchPredictionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBatchPredictionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1352,7 +1338,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBatchPredictionJobOutput.httpOutput(from:), DeleteBatchPredictionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1387,9 +1372,9 @@ extension FraudDetectorClient { /// /// Deletes the detector. Before deleting a detector, you must first delete all detector versions and rule versions associated with the detector. When you delete a detector, Amazon Fraud Detector permanently deletes the detector and the data is no longer stored in Amazon Fraud Detector. /// - /// - Parameter DeleteDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDetectorInput`) /// - /// - Returns: `DeleteDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1425,7 +1410,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDetectorOutput.httpOutput(from:), DeleteDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1460,9 +1444,9 @@ extension FraudDetectorClient { /// /// Deletes the detector version. You cannot delete detector versions that are in ACTIVE status. When you delete a detector version, Amazon Fraud Detector permanently deletes the detector and the data is no longer stored in Amazon Fraud Detector. /// - /// - Parameter DeleteDetectorVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDetectorVersionInput`) /// - /// - Returns: `DeleteDetectorVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDetectorVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1499,7 +1483,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDetectorVersionOutput.httpOutput(from:), DeleteDetectorVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1534,9 +1517,9 @@ extension FraudDetectorClient { /// /// Deletes an entity type. You cannot delete an entity type that is included in an event type. When you delete an entity type, Amazon Fraud Detector permanently deletes that entity type and the data is no longer stored in Amazon Fraud Detector. /// - /// - Parameter DeleteEntityTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEntityTypeInput`) /// - /// - Returns: `DeleteEntityTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEntityTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1572,7 +1555,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEntityTypeOutput.httpOutput(from:), DeleteEntityTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1607,9 +1589,9 @@ extension FraudDetectorClient { /// /// Deletes the specified event. When you delete an event, Amazon Fraud Detector permanently deletes that event and the event data is no longer stored in Amazon Fraud Detector. If deleteAuditHistory is True, event data is available through search for up to 30 seconds after the delete operation is completed. /// - /// - Parameter DeleteEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventInput`) /// - /// - Returns: `DeleteEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1644,7 +1626,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventOutput.httpOutput(from:), DeleteEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1679,9 +1660,9 @@ extension FraudDetectorClient { /// /// Deletes an event type. You cannot delete an event type that is used in a detector or a model. When you delete an event type, Amazon Fraud Detector permanently deletes that event type and the data is no longer stored in Amazon Fraud Detector. /// - /// - Parameter DeleteEventTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventTypeInput`) /// - /// - Returns: `DeleteEventTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1717,7 +1698,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventTypeOutput.httpOutput(from:), DeleteEventTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1752,9 +1732,9 @@ extension FraudDetectorClient { /// /// Deletes all events of a particular event type. /// - /// - Parameter DeleteEventsByEventTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventsByEventTypeInput`) /// - /// - Returns: `DeleteEventsByEventTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventsByEventTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1791,7 +1771,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventsByEventTypeOutput.httpOutput(from:), DeleteEventsByEventTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1826,9 +1805,9 @@ extension FraudDetectorClient { /// /// Removes a SageMaker model from Amazon Fraud Detector. You can remove an Amazon SageMaker model if it is not associated with a detector version. Removing a SageMaker model disconnects it from Amazon Fraud Detector, but the model remains available in SageMaker. /// - /// - Parameter DeleteExternalModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExternalModelInput`) /// - /// - Returns: `DeleteExternalModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExternalModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1864,7 +1843,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExternalModelOutput.httpOutput(from:), DeleteExternalModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1899,9 +1877,9 @@ extension FraudDetectorClient { /// /// Deletes a label. You cannot delete labels that are included in an event type in Amazon Fraud Detector. You cannot delete a label assigned to an event ID. You must first delete the relevant event ID. When you delete a label, Amazon Fraud Detector permanently deletes that label and the data is no longer stored in Amazon Fraud Detector. /// - /// - Parameter DeleteLabelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLabelInput`) /// - /// - Returns: `DeleteLabelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLabelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1936,7 +1914,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLabelOutput.httpOutput(from:), DeleteLabelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1971,9 +1948,9 @@ extension FraudDetectorClient { /// /// Deletes the list, provided it is not used in a rule. When you delete a list, Amazon Fraud Detector permanently deletes that list and the elements in the list. /// - /// - Parameter DeleteListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteListInput`) /// - /// - Returns: `DeleteListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2009,7 +1986,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteListOutput.httpOutput(from:), DeleteListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2044,9 +2020,9 @@ extension FraudDetectorClient { /// /// Deletes a model. You can delete models and model versions in Amazon Fraud Detector, provided that they are not associated with a detector version. When you delete a model, Amazon Fraud Detector permanently deletes that model and the data is no longer stored in Amazon Fraud Detector. /// - /// - Parameter DeleteModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelInput`) /// - /// - Returns: `DeleteModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2082,7 +2058,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelOutput.httpOutput(from:), DeleteModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2117,9 +2092,9 @@ extension FraudDetectorClient { /// /// Deletes a model version. You can delete models and model versions in Amazon Fraud Detector, provided that they are not associated with a detector version. When you delete a model version, Amazon Fraud Detector permanently deletes that model version and the data is no longer stored in Amazon Fraud Detector. /// - /// - Parameter DeleteModelVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelVersionInput`) /// - /// - Returns: `DeleteModelVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2155,7 +2130,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelVersionOutput.httpOutput(from:), DeleteModelVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2190,9 +2164,9 @@ extension FraudDetectorClient { /// /// Deletes an outcome. You cannot delete an outcome that is used in a rule version. When you delete an outcome, Amazon Fraud Detector permanently deletes that outcome and the data is no longer stored in Amazon Fraud Detector. /// - /// - Parameter DeleteOutcomeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOutcomeInput`) /// - /// - Returns: `DeleteOutcomeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOutcomeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2228,7 +2202,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOutcomeOutput.httpOutput(from:), DeleteOutcomeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2263,9 +2236,9 @@ extension FraudDetectorClient { /// /// Deletes the rule. You cannot delete a rule if it is used by an ACTIVE or INACTIVE detector version. When you delete a rule, Amazon Fraud Detector permanently deletes that rule and the data is no longer stored in Amazon Fraud Detector. /// - /// - Parameter DeleteRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleInput`) /// - /// - Returns: `DeleteRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2301,7 +2274,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleOutput.httpOutput(from:), DeleteRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2336,9 +2308,9 @@ extension FraudDetectorClient { /// /// Deletes a variable. You can't delete variables that are included in an event type in Amazon Fraud Detector. Amazon Fraud Detector automatically deletes model output variables and SageMaker model output variables when you delete the model. You can't delete these variables manually. When you delete a variable, Amazon Fraud Detector permanently deletes that variable and the data is no longer stored in Amazon Fraud Detector. /// - /// - Parameter DeleteVariableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVariableInput`) /// - /// - Returns: `DeleteVariableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVariableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2374,7 +2346,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVariableOutput.httpOutput(from:), DeleteVariableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2409,9 +2380,9 @@ extension FraudDetectorClient { /// /// Gets all versions for a specified detector. /// - /// - Parameter DescribeDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDetectorInput`) /// - /// - Returns: `DescribeDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2447,7 +2418,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDetectorOutput.httpOutput(from:), DescribeDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2482,9 +2452,9 @@ extension FraudDetectorClient { /// /// Gets all of the model versions for the specified model type or for the specified model type and model ID. You can also get details for a single, specified model version. /// - /// - Parameter DescribeModelVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelVersionsInput`) /// - /// - Returns: `DescribeModelVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2520,7 +2490,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelVersionsOutput.httpOutput(from:), DescribeModelVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2555,9 +2524,9 @@ extension FraudDetectorClient { /// /// Gets all batch import jobs or a specific job of the specified ID. This is a paginated API. If you provide a null maxResults, this action retrieves a maximum of 50 records per page. If you provide a maxResults, the value must be between 1 and 50. To get the next page results, provide the pagination token from the GetBatchImportJobsResponse as part of your request. A null pagination token fetches the records from the beginning. /// - /// - Parameter GetBatchImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBatchImportJobsInput`) /// - /// - Returns: `GetBatchImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBatchImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2593,7 +2562,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBatchImportJobsOutput.httpOutput(from:), GetBatchImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2628,9 +2596,9 @@ extension FraudDetectorClient { /// /// Gets all batch prediction jobs or a specific job if you specify a job ID. This is a paginated API. If you provide a null maxResults, this action retrieves a maximum of 50 records per page. If you provide a maxResults, the value must be between 1 and 50. To get the next page results, provide the pagination token from the GetBatchPredictionJobsResponse as part of your request. A null pagination token fetches the records from the beginning. /// - /// - Parameter GetBatchPredictionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBatchPredictionJobsInput`) /// - /// - Returns: `GetBatchPredictionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBatchPredictionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2666,7 +2634,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBatchPredictionJobsOutput.httpOutput(from:), GetBatchPredictionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2701,9 +2668,9 @@ extension FraudDetectorClient { /// /// Retrieves the status of a DeleteEventsByEventType action. /// - /// - Parameter GetDeleteEventsByEventTypeStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeleteEventsByEventTypeStatusInput`) /// - /// - Returns: `GetDeleteEventsByEventTypeStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeleteEventsByEventTypeStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2739,7 +2706,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeleteEventsByEventTypeStatusOutput.httpOutput(from:), GetDeleteEventsByEventTypeStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2774,9 +2740,9 @@ extension FraudDetectorClient { /// /// Gets a particular detector version. /// - /// - Parameter GetDetectorVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDetectorVersionInput`) /// - /// - Returns: `GetDetectorVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDetectorVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2812,7 +2778,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDetectorVersionOutput.httpOutput(from:), GetDetectorVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2847,9 +2812,9 @@ extension FraudDetectorClient { /// /// Gets all detectors or a single detector if a detectorId is specified. This is a paginated API. If you provide a null maxResults, this action retrieves a maximum of 10 records per page. If you provide a maxResults, the value must be between 5 and 10. To get the next page results, provide the pagination token from the GetDetectorsResponse as part of your request. A null pagination token fetches the records from the beginning. /// - /// - Parameter GetDetectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDetectorsInput`) /// - /// - Returns: `GetDetectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDetectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2885,7 +2850,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDetectorsOutput.httpOutput(from:), GetDetectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2920,9 +2884,9 @@ extension FraudDetectorClient { /// /// Gets all entity types or a specific entity type if a name is specified. This is a paginated API. If you provide a null maxResults, this action retrieves a maximum of 10 records per page. If you provide a maxResults, the value must be between 5 and 10. To get the next page results, provide the pagination token from the GetEntityTypesResponse as part of your request. A null pagination token fetches the records from the beginning. /// - /// - Parameter GetEntityTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEntityTypesInput`) /// - /// - Returns: `GetEntityTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEntityTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2958,7 +2922,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEntityTypesOutput.httpOutput(from:), GetEntityTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2993,9 +2956,9 @@ extension FraudDetectorClient { /// /// Retrieves details of events stored with Amazon Fraud Detector. This action does not retrieve prediction results. /// - /// - Parameter GetEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventInput`) /// - /// - Returns: `GetEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3031,7 +2994,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventOutput.httpOutput(from:), GetEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3066,9 +3028,9 @@ extension FraudDetectorClient { /// /// Evaluates an event against a detector version. If a version ID is not provided, the detector’s (ACTIVE) version is used. /// - /// - Parameter GetEventPredictionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventPredictionInput`) /// - /// - Returns: `GetEventPredictionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventPredictionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3106,7 +3068,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventPredictionOutput.httpOutput(from:), GetEventPredictionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3141,9 +3102,9 @@ extension FraudDetectorClient { /// /// Gets details of the past fraud predictions for the specified event ID, event type, detector ID, and detector version ID that was generated in the specified time period. /// - /// - Parameter GetEventPredictionMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventPredictionMetadataInput`) /// - /// - Returns: `GetEventPredictionMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventPredictionMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3179,7 +3140,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventPredictionMetadataOutput.httpOutput(from:), GetEventPredictionMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3214,9 +3174,9 @@ extension FraudDetectorClient { /// /// Gets all event types or a specific event type if name is provided. This is a paginated API. If you provide a null maxResults, this action retrieves a maximum of 10 records per page. If you provide a maxResults, the value must be between 5 and 10. To get the next page results, provide the pagination token from the GetEventTypesResponse as part of your request. A null pagination token fetches the records from the beginning. /// - /// - Parameter GetEventTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventTypesInput`) /// - /// - Returns: `GetEventTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3252,7 +3212,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventTypesOutput.httpOutput(from:), GetEventTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3287,9 +3246,9 @@ extension FraudDetectorClient { /// /// Gets the details for one or more Amazon SageMaker models that have been imported into the service. This is a paginated API. If you provide a null maxResults, this actions retrieves a maximum of 10 records per page. If you provide a maxResults, the value must be between 5 and 10. To get the next page results, provide the pagination token from the GetExternalModelsResult as part of your request. A null pagination token fetches the records from the beginning. /// - /// - Parameter GetExternalModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExternalModelsInput`) /// - /// - Returns: `GetExternalModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExternalModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3325,7 +3284,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExternalModelsOutput.httpOutput(from:), GetExternalModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3360,9 +3318,9 @@ extension FraudDetectorClient { /// /// Gets the encryption key if a KMS key has been specified to be used to encrypt content in Amazon Fraud Detector. /// - /// - Parameter GetKMSEncryptionKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKMSEncryptionKeyInput`) /// - /// - Returns: `GetKMSEncryptionKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKMSEncryptionKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3397,7 +3355,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKMSEncryptionKeyOutput.httpOutput(from:), GetKMSEncryptionKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3432,9 +3389,9 @@ extension FraudDetectorClient { /// /// Gets all labels or a specific label if name is provided. This is a paginated API. If you provide a null maxResults, this action retrieves a maximum of 50 records per page. If you provide a maxResults, the value must be between 10 and 50. To get the next page results, provide the pagination token from the GetGetLabelsResponse as part of your request. A null pagination token fetches the records from the beginning. /// - /// - Parameter GetLabelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLabelsInput`) /// - /// - Returns: `GetLabelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLabelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3470,7 +3427,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLabelsOutput.httpOutput(from:), GetLabelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3505,9 +3461,9 @@ extension FraudDetectorClient { /// /// Gets all the elements in the specified list. /// - /// - Parameter GetListElementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetListElementsInput`) /// - /// - Returns: `GetListElementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetListElementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3543,7 +3499,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetListElementsOutput.httpOutput(from:), GetListElementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3578,9 +3533,9 @@ extension FraudDetectorClient { /// /// Gets the metadata of either all the lists under the account or the specified list. /// - /// - Parameter GetListsMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetListsMetadataInput`) /// - /// - Returns: `GetListsMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetListsMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3616,7 +3571,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetListsMetadataOutput.httpOutput(from:), GetListsMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3651,9 +3605,9 @@ extension FraudDetectorClient { /// /// Gets the details of the specified model version. /// - /// - Parameter GetModelVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelVersionInput`) /// - /// - Returns: `GetModelVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3689,7 +3643,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelVersionOutput.httpOutput(from:), GetModelVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3724,9 +3677,9 @@ extension FraudDetectorClient { /// /// Gets one or more models. Gets all models for the Amazon Web Services account if no model type and no model id provided. Gets all models for the Amazon Web Services account and model type, if the model type is specified but model id is not provided. Gets a specific model if (model type, model id) tuple is specified. This is a paginated API. If you provide a null maxResults, this action retrieves a maximum of 10 records per page. If you provide a maxResults, the value must be between 1 and 10. To get the next page results, provide the pagination token from the response as part of your request. A null pagination token fetches the records from the beginning. /// - /// - Parameter GetModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelsInput`) /// - /// - Returns: `GetModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3762,7 +3715,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelsOutput.httpOutput(from:), GetModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3797,9 +3749,9 @@ extension FraudDetectorClient { /// /// Gets one or more outcomes. This is a paginated API. If you provide a null maxResults, this actions retrieves a maximum of 100 records per page. If you provide a maxResults, the value must be between 50 and 100. To get the next page results, provide the pagination token from the GetOutcomesResult as part of your request. A null pagination token fetches the records from the beginning. /// - /// - Parameter GetOutcomesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOutcomesInput`) /// - /// - Returns: `GetOutcomesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOutcomesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3835,7 +3787,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOutcomesOutput.httpOutput(from:), GetOutcomesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3870,9 +3821,9 @@ extension FraudDetectorClient { /// /// Get all rules for a detector (paginated) if ruleId and ruleVersion are not specified. Gets all rules for the detector and the ruleId if present (paginated). Gets a specific rule if both the ruleId and the ruleVersion are specified. This is a paginated API. Providing null maxResults results in retrieving maximum of 100 records per page. If you provide maxResults the value must be between 50 and 100. To get the next page result, a provide a pagination token from GetRulesResult as part of your request. Null pagination token fetches the records from the beginning. /// - /// - Parameter GetRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRulesInput`) /// - /// - Returns: `GetRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3908,7 +3859,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRulesOutput.httpOutput(from:), GetRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3943,9 +3893,9 @@ extension FraudDetectorClient { /// /// Gets all of the variables or the specific variable. This is a paginated API. Providing null maxSizePerPage results in retrieving maximum of 100 records per page. If you provide maxSizePerPage the value must be between 50 and 100. To get the next page result, a provide a pagination token from GetVariablesResult as part of your request. Null pagination token fetches the records from the beginning. /// - /// - Parameter GetVariablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVariablesInput`) /// - /// - Returns: `GetVariablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVariablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3981,7 +3931,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVariablesOutput.httpOutput(from:), GetVariablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4016,9 +3965,9 @@ extension FraudDetectorClient { /// /// Gets a list of past predictions. The list can be filtered by detector ID, detector version ID, event ID, event type, or by specifying a time period. If filter is not specified, the most recent prediction is returned. For example, the following filter lists all past predictions for xyz event type - { "eventType":{ "value": "xyz" }” } This is a paginated API. If you provide a null maxResults, this action will retrieve a maximum of 10 records per page. If you provide a maxResults, the value must be between 50 and 100. To get the next page results, provide the nextToken from the response as part of your request. A null nextToken fetches the records from the beginning. /// - /// - Parameter ListEventPredictionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventPredictionsInput`) /// - /// - Returns: `ListEventPredictionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventPredictionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4053,7 +4002,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventPredictionsOutput.httpOutput(from:), ListEventPredictionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4088,9 +4036,9 @@ extension FraudDetectorClient { /// /// Lists all tags associated with the resource. This is a paginated API. To get the next page results, provide the pagination token from the response as part of your request. A null pagination token fetches the records from the beginning. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4125,7 +4073,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4160,9 +4107,9 @@ extension FraudDetectorClient { /// /// Creates or updates a detector. /// - /// - Parameter PutDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDetectorInput`) /// - /// - Returns: `PutDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4198,7 +4145,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDetectorOutput.httpOutput(from:), PutDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4233,9 +4179,9 @@ extension FraudDetectorClient { /// /// Creates or updates an entity type. An entity represents who is performing the event. As part of a fraud prediction, you pass the entity ID to indicate the specific entity who performed the event. An entity type classifies the entity. Example classifications include customer, merchant, or account. /// - /// - Parameter PutEntityTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEntityTypeInput`) /// - /// - Returns: `PutEntityTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEntityTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4271,7 +4217,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEntityTypeOutput.httpOutput(from:), PutEntityTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4306,9 +4251,9 @@ extension FraudDetectorClient { /// /// Creates or updates an event type. An event is a business activity that is evaluated for fraud risk. With Amazon Fraud Detector, you generate fraud predictions for events. An event type defines the structure for an event sent to Amazon Fraud Detector. This includes the variables sent as part of the event, the entity performing the event (such as a customer), and the labels that classify the event. Example event types include online payment transactions, account registrations, and authentications. /// - /// - Parameter PutEventTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEventTypeInput`) /// - /// - Returns: `PutEventTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEventTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4344,7 +4289,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEventTypeOutput.httpOutput(from:), PutEventTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4379,9 +4323,9 @@ extension FraudDetectorClient { /// /// Creates or updates an Amazon SageMaker model endpoint. You can also use this action to update the configuration of the model endpoint, including the IAM role and/or the mapped variables. /// - /// - Parameter PutExternalModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutExternalModelInput`) /// - /// - Returns: `PutExternalModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutExternalModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4417,7 +4361,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutExternalModelOutput.httpOutput(from:), PutExternalModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4452,9 +4395,9 @@ extension FraudDetectorClient { /// /// Specifies the KMS key to be used to encrypt content in Amazon Fraud Detector. /// - /// - Parameter PutKMSEncryptionKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutKMSEncryptionKeyInput`) /// - /// - Returns: `PutKMSEncryptionKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutKMSEncryptionKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4491,7 +4434,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutKMSEncryptionKeyOutput.httpOutput(from:), PutKMSEncryptionKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4526,9 +4468,9 @@ extension FraudDetectorClient { /// /// Creates or updates label. A label classifies an event as fraudulent or legitimate. Labels are associated with event types and used to train supervised machine learning models in Amazon Fraud Detector. /// - /// - Parameter PutLabelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLabelInput`) /// - /// - Returns: `PutLabelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLabelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4564,7 +4506,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLabelOutput.httpOutput(from:), PutLabelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4599,9 +4540,9 @@ extension FraudDetectorClient { /// /// Creates or updates an outcome. /// - /// - Parameter PutOutcomeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutOutcomeInput`) /// - /// - Returns: `PutOutcomeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutOutcomeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4637,7 +4578,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutOutcomeOutput.httpOutput(from:), PutOutcomeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4672,9 +4612,9 @@ extension FraudDetectorClient { /// /// Stores events in Amazon Fraud Detector without generating fraud predictions for those events. For example, you can use SendEvent to upload a historical dataset, which you can then later use to train a model. /// - /// - Parameter SendEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendEventInput`) /// - /// - Returns: `SendEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4711,7 +4651,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendEventOutput.httpOutput(from:), SendEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4746,9 +4685,9 @@ extension FraudDetectorClient { /// /// Assigns tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4783,7 +4722,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4818,9 +4756,9 @@ extension FraudDetectorClient { /// /// Removes tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4855,7 +4793,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4890,9 +4827,9 @@ extension FraudDetectorClient { /// /// Updates a detector version. The detector version attributes that you can update include models, external model endpoints, rules, rule execution mode, and description. You can only update a DRAFT detector version. /// - /// - Parameter UpdateDetectorVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDetectorVersionInput`) /// - /// - Returns: `UpdateDetectorVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDetectorVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4929,7 +4866,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDetectorVersionOutput.httpOutput(from:), UpdateDetectorVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4964,9 +4900,9 @@ extension FraudDetectorClient { /// /// Updates the detector version's description. You can update the metadata for any detector version (DRAFT, ACTIVE, or INACTIVE). /// - /// - Parameter UpdateDetectorVersionMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDetectorVersionMetadataInput`) /// - /// - Returns: `UpdateDetectorVersionMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDetectorVersionMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5002,7 +4938,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDetectorVersionMetadataOutput.httpOutput(from:), UpdateDetectorVersionMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5037,9 +4972,9 @@ extension FraudDetectorClient { /// /// Updates the detector version’s status. You can perform the following promotions or demotions using UpdateDetectorVersionStatus: DRAFT to ACTIVE, ACTIVE to INACTIVE, and INACTIVE to ACTIVE. /// - /// - Parameter UpdateDetectorVersionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDetectorVersionStatusInput`) /// - /// - Returns: `UpdateDetectorVersionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDetectorVersionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5076,7 +5011,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDetectorVersionStatusOutput.httpOutput(from:), UpdateDetectorVersionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5111,9 +5045,9 @@ extension FraudDetectorClient { /// /// Updates the specified event with a new label. /// - /// - Parameter UpdateEventLabelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventLabelInput`) /// - /// - Returns: `UpdateEventLabelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventLabelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5150,7 +5084,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventLabelOutput.httpOutput(from:), UpdateEventLabelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5185,9 +5118,9 @@ extension FraudDetectorClient { /// /// Updates a list. /// - /// - Parameter UpdateListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateListInput`) /// - /// - Returns: `UpdateListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5224,7 +5157,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateListOutput.httpOutput(from:), UpdateListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5259,9 +5191,9 @@ extension FraudDetectorClient { /// /// Updates model description. /// - /// - Parameter UpdateModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateModelInput`) /// - /// - Returns: `UpdateModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5298,7 +5230,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateModelOutput.httpOutput(from:), UpdateModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5333,9 +5264,9 @@ extension FraudDetectorClient { /// /// Updates a model version. Updating a model version retrains an existing model version using updated training data and produces a new minor version of the model. You can update the training data set location and data access role attributes using this action. This action creates and trains a new minor version of the model, for example version 1.01, 1.02, 1.03. /// - /// - Parameter UpdateModelVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateModelVersionInput`) /// - /// - Returns: `UpdateModelVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateModelVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5372,7 +5303,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateModelVersionOutput.httpOutput(from:), UpdateModelVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5413,9 +5343,9 @@ extension FraudDetectorClient { /// /// * Change ACTIVE to INACTIVE. /// - /// - Parameter UpdateModelVersionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateModelVersionStatusInput`) /// - /// - Returns: `UpdateModelVersionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateModelVersionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5452,7 +5382,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateModelVersionStatusOutput.httpOutput(from:), UpdateModelVersionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5487,9 +5416,9 @@ extension FraudDetectorClient { /// /// Updates a rule's metadata. The description attribute can be updated. /// - /// - Parameter UpdateRuleMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleMetadataInput`) /// - /// - Returns: `UpdateRuleMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5526,7 +5455,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleMetadataOutput.httpOutput(from:), UpdateRuleMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5561,9 +5489,9 @@ extension FraudDetectorClient { /// /// Updates a rule version resulting in a new rule version. Updates a rule version resulting in a new rule version (version 1, 2, 3 ...). /// - /// - Parameter UpdateRuleVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleVersionInput`) /// - /// - Returns: `UpdateRuleVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5600,7 +5528,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleVersionOutput.httpOutput(from:), UpdateRuleVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5635,9 +5562,9 @@ extension FraudDetectorClient { /// /// Updates a variable. /// - /// - Parameter UpdateVariableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVariableInput`) /// - /// - Returns: `UpdateVariableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVariableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5674,7 +5601,6 @@ extension FraudDetectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVariableOutput.httpOutput(from:), UpdateVariableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSFreeTier/Sources/AWSFreeTier/FreeTierClient.swift b/Sources/Services/AWSFreeTier/Sources/AWSFreeTier/FreeTierClient.swift index ffef00a5dfc..9632a355bee 100644 --- a/Sources/Services/AWSFreeTier/Sources/AWSFreeTier/FreeTierClient.swift +++ b/Sources/Services/AWSFreeTier/Sources/AWSFreeTier/FreeTierClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class FreeTierClient: ClientRuntime.Client { public static let clientName = "FreeTierClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: FreeTierClient.FreeTierClientConfiguration let serviceName = "FreeTier" @@ -374,9 +373,9 @@ extension FreeTierClient { /// /// Returns a specific activity record that is available to the customer. /// - /// - Parameter GetAccountActivityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountActivityInput`) /// - /// - Returns: `GetAccountActivityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountActivityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension FreeTierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountActivityOutput.httpOutput(from:), GetAccountActivityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension FreeTierClient { /// /// This returns all of the information related to the state of the account plan related to Free Tier. /// - /// - Parameter GetAccountPlanStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountPlanStateInput`) /// - /// - Returns: `GetAccountPlanStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountPlanStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension FreeTierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountPlanStateOutput.httpOutput(from:), GetAccountPlanStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension FreeTierClient { /// /// Returns a list of all Free Tier usage objects that match your filters. /// - /// - Parameter GetFreeTierUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFreeTierUsageInput`) /// - /// - Returns: `GetFreeTierUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFreeTierUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension FreeTierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFreeTierUsageOutput.httpOutput(from:), GetFreeTierUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension FreeTierClient { /// /// Returns a list of activities that are available. This operation supports pagination and filtering by status. /// - /// - Parameter ListAccountActivitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountActivitiesInput`) /// - /// - Returns: `ListAccountActivitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountActivitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension FreeTierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountActivitiesOutput.httpOutput(from:), ListAccountActivitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension FreeTierClient { /// /// The account plan type for the Amazon Web Services account. /// - /// - Parameter UpgradeAccountPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpgradeAccountPlanInput`) /// - /// - Returns: `UpgradeAccountPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpgradeAccountPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -699,7 +694,6 @@ extension FreeTierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpgradeAccountPlanOutput.httpOutput(from:), UpgradeAccountPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGameLift/Sources/AWSGameLift/GameLiftClient.swift b/Sources/Services/AWSGameLift/Sources/AWSGameLift/GameLiftClient.swift index 66cc1ff1ee2..063c63dfcb7 100644 --- a/Sources/Services/AWSGameLift/Sources/AWSGameLift/GameLiftClient.swift +++ b/Sources/Services/AWSGameLift/Sources/AWSGameLift/GameLiftClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GameLiftClient: ClientRuntime.Client { public static let clientName = "GameLiftClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GameLiftClient.GameLiftClientConfiguration let serviceName = "GameLift" @@ -381,9 +380,9 @@ extension GameLiftClient { /// /// Learn more [ Add FlexMatch to a game client](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-client.html)[ FlexMatch events](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-events.html) (reference) /// - /// - Parameter AcceptMatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptMatchInput`) /// - /// - Returns: `AcceptMatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptMatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptMatchOutput.httpOutput(from:), AcceptMatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -462,9 +460,9 @@ extension GameLiftClient { /// /// Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter ClaimGameServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ClaimGameServerInput`) /// - /// - Returns: `ClaimGameServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ClaimGameServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -501,7 +499,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ClaimGameServerOutput.httpOutput(from:), ClaimGameServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -536,9 +533,9 @@ extension GameLiftClient { /// /// Creates an alias for a fleet. In most situations, you can use an alias ID in place of a fleet ID. An alias provides a level of abstraction for a fleet that is useful when redirecting player traffic from one fleet to another, such as when updating your game build. Amazon GameLift Servers supports two types of routing strategies for aliases: simple and terminal. A simple alias points to an active fleet. A terminal alias is used to display messaging or link to a URL instead of routing players to an active fleet. For example, you might use a terminal alias when a game version is no longer supported and you want to direct players to an upgrade site. To create a fleet alias, specify an alias name, routing strategy, and optional description. Each simple alias can point to only one fleet, but a fleet can have multiple aliases. If successful, a new alias record is returned, including an alias ID and an ARN. You can reassign an alias to another fleet by calling UpdateAlias. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter CreateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAliasInput`) /// - /// - Returns: `CreateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -575,7 +572,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAliasOutput.httpOutput(from:), CreateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -617,9 +613,9 @@ extension GameLiftClient { /// /// If successful, this operation creates a new build resource with a unique build ID and places it in INITIALIZED status. A build must be in READY status before you can create fleets with it. Learn more [Uploading Your Game](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-build-intro.html)[ Create a Build with Files in Amazon S3](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-build-cli-uploading.html#gamelift-build-cli-uploading-create-build)[All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter CreateBuildInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBuildInput`) /// - /// - Returns: `CreateBuildOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBuildOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -655,7 +651,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBuildOutput.httpOutput(from:), CreateBuildOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -727,9 +722,9 @@ extension GameLiftClient { /// /// Results If successful, this operation creates a new container fleet resource, places it in PENDING status, and initiates the [fleet creation workflow](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-creating-all.html#fleets-creation-workflow). For fleets with container groups, this workflow starts a fleet deployment and transitions the status to ACTIVE. Fleets without a container group are placed in CREATED status. You can update most of the properties of a fleet, including container group definitions, and deploy the update across all fleet instances. Use a fleet update to deploy a new game server version update across the container fleet. /// - /// - Parameter CreateContainerFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContainerFleetInput`) /// - /// - Returns: `CreateContainerFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContainerFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +762,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContainerFleetOutput.httpOutput(from:), CreateContainerFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -871,9 +865,9 @@ extension GameLiftClient { /// /// Results If successful, this request creates a ContainerGroupDefinition resource and assigns a unique ARN value. You can update most properties of a container group definition by calling [UpdateContainerGroupDefinition](https://docs.aws.amazon.com/gamelift/latest/apireference/API_UpdateContainerGroupDefinition.html), and optionally save the update as a new version. /// - /// - Parameter CreateContainerGroupDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContainerGroupDefinitionInput`) /// - /// - Returns: `CreateContainerGroupDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContainerGroupDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -911,7 +905,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContainerGroupDefinitionOutput.httpOutput(from:), CreateContainerGroupDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -972,9 +965,9 @@ extension GameLiftClient { /// /// If successful, this operation creates a new fleet resource and places it in ACTIVE status. You can register computes with a fleet in ACTIVE status. Learn more [Setting up fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html)[Debug fleet creation issues](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-creating-debug.html#fleets-creating-debug-creation)[Multi-location fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter CreateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFleetInput`) /// - /// - Returns: `CreateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1014,7 +1007,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFleetOutput.httpOutput(from:), CreateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1049,9 +1041,9 @@ extension GameLiftClient { /// /// Adds remote locations to an EC2 and begins populating the new locations with instances. The new instances conform to the fleet's instance type, auto-scaling, and other configuration settings. You can't add remote locations to a fleet that resides in an Amazon Web Services Region that doesn't support multiple locations. Fleets created prior to March 2021 can't support multiple locations. To add fleet locations, specify the fleet to be updated and provide a list of one or more locations. If successful, this operation returns the list of added locations with their status set to NEW. Amazon GameLift Servers initiates the process of starting an instance in each added location. You can track the status of each new location by monitoring location creation events using [DescribeFleetEvents](https://docs.aws.amazon.com/gamelift/latest/apireference/API_DescribeFleetEvents.html). Learn more [Setting up fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html)[Update fleet locations](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-editing.html#fleets-update-locations)[ Amazon GameLift Servers service locations](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-regions.html) for managed hosting. /// - /// - Parameter CreateFleetLocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFleetLocationsInput`) /// - /// - Returns: `CreateFleetLocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFleetLocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1091,7 +1083,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFleetLocationsOutput.httpOutput(from:), CreateFleetLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1133,9 +1124,9 @@ extension GameLiftClient { /// /// To create a new game server group, specify a unique group name, IAM role and Amazon Elastic Compute Cloud launch template, and provide a list of instance types that can be used in the group. You must also set initial maximum and minimum limits on the group's instance count. You can optionally set an Auto Scaling policy with target tracking based on a Amazon GameLift Servers FleetIQ metric. Once the game server group and corresponding Auto Scaling group are created, you have full access to change the Auto Scaling group's configuration as needed. Several properties that are set when creating a game server group, including maximum/minimum size and auto-scaling policy settings, must be updated directly in the Auto Scaling group. Keep in mind that some Auto Scaling group properties are periodically updated by Amazon GameLift Servers FleetIQ as part of its balancing activities to optimize for availability and cost. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter CreateGameServerGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGameServerGroupInput`) /// - /// - Returns: `CreateGameServerGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGameServerGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1171,7 +1162,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGameServerGroupOutput.httpOutput(from:), CreateGameServerGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1215,9 +1205,9 @@ extension GameLiftClient { /// /// If successful, Amazon GameLift Servers initiates a workflow to start a new game session and returns a GameSession object containing the game session configuration and status. When the game session status is ACTIVE, it is updated with connection information and you can create player sessions for the game session. By default, newly created game sessions are open to new players. You can restrict new player access by using [UpdateGameSession](https://docs.aws.amazon.com/gamelift/latest/apireference/API_UpdateGameSession.html) to change the game session's player session creation policy. Amazon GameLift Servers retains logs for active for 14 days. To access the logs, call [GetGameSessionLogUrl](https://docs.aws.amazon.com/gamelift/latest/apireference/API_GetGameSessionLogUrl.html) to download the log files. Available in Amazon GameLift Servers Local. Learn more [Start a game session](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-sdk-server-api.html#gamelift-sdk-server-startsession)[All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter CreateGameSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGameSessionInput`) /// - /// - Returns: `CreateGameSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGameSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1259,7 +1249,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGameSessionOutput.httpOutput(from:), CreateGameSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1333,9 +1322,9 @@ extension GameLiftClient { /// /// Results If successful, this operation returns a new GameSessionQueue object with an assigned queue ARN. Use the queue's name or ARN when submitting new game session requests with [StartGameSessionPlacement](https://docs.aws.amazon.com/gamelift/latest/apireference/API_StartGameSessionPlacement.html) or [StartMatchmaking](https://docs.aws.amazon.com/gamelift/latest/apireference/API_StartMatchmaking.html). Learn more [ Design a game session queue](https://docs.aws.amazon.com/gamelift/latest/developerguide/queues-design.html)[ Create a game session queue](https://docs.aws.amazon.com/gamelift/latest/developerguide/queues-creating.html) Related actions [CreateGameSessionQueue](https://docs.aws.amazon.com/gamelift/latest/apireference/API_CreateGameSessionQueue.html) | [DescribeGameSessionQueues](https://docs.aws.amazon.com/gamelift/latest/apireference/API_DescribeGameSessionQueues.html) | [UpdateGameSessionQueue](https://docs.aws.amazon.com/gamelift/latest/apireference/API_UpdateGameSessionQueue.html) | [DeleteGameSessionQueue](https://docs.aws.amazon.com/gamelift/latest/apireference/API_DeleteGameSessionQueue.html) | [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter CreateGameSessionQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGameSessionQueueInput`) /// - /// - Returns: `CreateGameSessionQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGameSessionQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1372,7 +1361,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGameSessionQueueOutput.httpOutput(from:), CreateGameSessionQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1407,9 +1395,9 @@ extension GameLiftClient { /// /// Creates a custom location for use in an Anywhere fleet. /// - /// - Parameter CreateLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLocationInput`) /// - /// - Returns: `CreateLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1446,7 +1434,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLocationOutput.httpOutput(from:), CreateLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1481,9 +1468,9 @@ extension GameLiftClient { /// /// Defines a new matchmaking configuration for use with FlexMatch. Whether your are using FlexMatch with Amazon GameLift Servers hosting or as a standalone matchmaking service, the matchmaking configuration sets out rules for matching players and forming teams. If you're also using Amazon GameLift Servers hosting, it defines how to start game sessions for each match. Your matchmaking system can use multiple configurations to handle different game scenarios. All matchmaking requests identify the matchmaking configuration to use and provide player attributes consistent with that configuration. To create a matchmaking configuration, you must provide the following: configuration name and FlexMatch mode (with or without Amazon GameLift Servers hosting); a rule set that specifies how to evaluate players and find acceptable matches; whether player acceptance is required; and the maximum time allowed for a matchmaking attempt. When using FlexMatch with Amazon GameLift Servers hosting, you also need to identify the game session queue to use when starting a game session for the match. In addition, you must set up an Amazon Simple Notification Service topic to receive matchmaking notifications. Provide the topic ARN in the matchmaking configuration. Learn more [ Design a FlexMatch matchmaker](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-configuration.html)[ Set up FlexMatch event notification](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-notification.html) /// - /// - Parameter CreateMatchmakingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMatchmakingConfigurationInput`) /// - /// - Returns: `CreateMatchmakingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMatchmakingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1520,7 +1507,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMatchmakingConfigurationOutput.httpOutput(from:), CreateMatchmakingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1561,9 +1547,9 @@ extension GameLiftClient { /// /// * [Matchmaking with FlexMatch](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-intro.html) /// - /// - Parameter CreateMatchmakingRuleSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMatchmakingRuleSetInput`) /// - /// - Returns: `CreateMatchmakingRuleSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMatchmakingRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1599,7 +1585,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMatchmakingRuleSetOutput.httpOutput(from:), CreateMatchmakingRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1634,9 +1619,9 @@ extension GameLiftClient { /// /// Reserves an open player slot in a game session for a player. New player sessions can be created in any game session with an open slot that is in ACTIVE status and has a player creation policy of ACCEPT_ALL. You can add a group of players to a game session with [CreatePlayerSessions](https://docs.aws.amazon.com/gamelift/latest/apireference/API_CreatePlayerSessions.html) . To create a player session, specify a game session ID, player ID, and optionally a set of player data. If successful, a slot is reserved in the game session for the player and a new PlayerSessions object is returned with a player session ID. The player references the player session ID when sending a connection request to the game session, and the game server can use it to validate the player reservation with the Amazon GameLift Servers service. Player sessions cannot be updated. The maximum number of players per game session is 200. It is not adjustable. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter CreatePlayerSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePlayerSessionInput`) /// - /// - Returns: `CreatePlayerSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePlayerSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1674,7 +1659,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePlayerSessionOutput.httpOutput(from:), CreatePlayerSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1709,9 +1693,9 @@ extension GameLiftClient { /// /// Reserves open slots in a game session for a group of players. New player sessions can be created in any game session with an open slot that is in ACTIVE status and has a player creation policy of ACCEPT_ALL. To add a single player to a game session, use [CreatePlayerSession](https://docs.aws.amazon.com/gamelift/latest/apireference/API_CreatePlayerSession.html) To create player sessions, specify a game session ID and a list of player IDs. Optionally, provide a set of player data for each player ID. If successful, a slot is reserved in the game session for each player, and new PlayerSession objects are returned with player session IDs. Each player references their player session ID when sending a connection request to the game session, and the game server can use it to validate the player reservation with the Amazon GameLift Servers service. Player sessions cannot be updated. The maximum number of players per game session is 200. It is not adjustable. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter CreatePlayerSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePlayerSessionsInput`) /// - /// - Returns: `CreatePlayerSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePlayerSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1749,7 +1733,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePlayerSessionsOutput.httpOutput(from:), CreatePlayerSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1791,9 +1774,9 @@ extension GameLiftClient { /// /// If the call is successful, a new script record is created with a unique script ID. If the script file is provided as a local file, the file is uploaded to an Amazon GameLift Servers-owned S3 bucket and the script record's storage location reflects this location. If the script file is provided as an S3 bucket, Amazon GameLift Servers accesses the file at this storage location as needed for deployment. Learn more [Amazon GameLift Servers Amazon GameLift Servers Realtime](https://docs.aws.amazon.com/gamelift/latest/developerguide/realtime-intro.html)[Set Up a Role for Amazon GameLift Servers Access](https://docs.aws.amazon.com/gamelift/latest/developerguide/setting-up-role.html) Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter CreateScriptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScriptInput`) /// - /// - Returns: `CreateScriptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScriptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1829,7 +1812,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScriptOutput.httpOutput(from:), CreateScriptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1864,9 +1846,9 @@ extension GameLiftClient { /// /// Requests authorization to create or delete a peer connection between the VPC for your Amazon GameLift Servers fleet and a virtual private cloud (VPC) in your Amazon Web Services account. VPC peering enables the game servers on your fleet to communicate directly with other Amazon Web Services resources. After you've received authorization, use [CreateVpcPeeringConnection](https://docs.aws.amazon.com/gamelift/latest/apireference/API_CreateVpcPeeringConnection.html) to establish the peering connection. For more information, see [VPC Peering with Amazon GameLift Servers Fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/vpc-peering.html). You can peer with VPCs that are owned by any Amazon Web Services account you have access to, including the account that you use to manage your Amazon GameLift Servers fleets. You cannot peer with VPCs that are in different Regions. To request authorization to create a connection, call this operation from the Amazon Web Services account with the VPC that you want to peer to your Amazon GameLift Servers fleet. For example, to enable your game servers to retrieve data from a DynamoDB table, use the account that manages that DynamoDB resource. Identify the following values: (1) The ID of the VPC that you want to peer with, and (2) the ID of the Amazon Web Services account that you use to manage Amazon GameLift Servers. If successful, VPC peering is authorized for the specified VPC. To request authorization to delete a connection, call this operation from the Amazon Web Services account with the VPC that is peered with your Amazon GameLift Servers fleet. Identify the following values: (1) VPC ID that you want to delete the peering connection for, and (2) ID of the Amazon Web Services account that you use to manage Amazon GameLift Servers. The authorization remains valid for 24 hours unless it is canceled. You must create or delete the peering connection while the authorization is valid. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter CreateVpcPeeringAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcPeeringAuthorizationInput`) /// - /// - Returns: `CreateVpcPeeringAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcPeeringAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1901,7 +1883,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcPeeringAuthorizationOutput.httpOutput(from:), CreateVpcPeeringAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1936,9 +1917,9 @@ extension GameLiftClient { /// /// Establishes a VPC peering connection between a virtual private cloud (VPC) in an Amazon Web Services account with the VPC for your Amazon GameLift Servers fleet. VPC peering enables the game servers on your fleet to communicate directly with other Amazon Web Services resources. You can peer with VPCs in any Amazon Web Services account that you have access to, including the account that you use to manage your Amazon GameLift Servers fleets. You cannot peer with VPCs that are in different Regions. For more information, see [VPC Peering with Amazon GameLift Servers Fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/vpc-peering.html). Before calling this operation to establish the peering connection, you first need to use [CreateVpcPeeringAuthorization](https://docs.aws.amazon.com/gamelift/latest/apireference/API_CreateVpcPeeringAuthorization.html) and identify the VPC you want to peer with. Once the authorization for the specified VPC is issued, you have 24 hours to establish the connection. These two operations handle all tasks necessary to peer the two VPCs, including acceptance, updating routing tables, etc. To establish the connection, call this operation from the Amazon Web Services account that is used to manage the Amazon GameLift Servers fleets. Identify the following values: (1) The ID of the fleet you want to be enable a VPC peering connection for; (2) The Amazon Web Services account with the VPC that you want to peer with; and (3) The ID of the VPC you want to peer with. This operation is asynchronous. If successful, a connection request is created. You can use continuous polling to track the request's status using [DescribeVpcPeeringConnections](https://docs.aws.amazon.com/gamelift/latest/apireference/API_DescribeVpcPeeringConnections.html) , or by monitoring fleet events for success or failure using [DescribeFleetEvents](https://docs.aws.amazon.com/gamelift/latest/apireference/API_DescribeFleetEvents.html) . Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter CreateVpcPeeringConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcPeeringConnectionInput`) /// - /// - Returns: `CreateVpcPeeringConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcPeeringConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1973,7 +1954,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcPeeringConnectionOutput.httpOutput(from:), CreateVpcPeeringConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2008,9 +1988,9 @@ extension GameLiftClient { /// /// Deletes an alias. This operation removes all record of the alias. Game clients attempting to access a server process using the deleted alias receive an error. To delete an alias, specify the alias ID to be deleted. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DeleteAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAliasInput`) /// - /// - Returns: `DeleteAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2046,7 +2026,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAliasOutput.httpOutput(from:), DeleteAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2081,9 +2060,9 @@ extension GameLiftClient { /// /// Deletes a build. This operation permanently deletes the build resource and any uploaded build files. Deleting a build does not affect the status of any active fleets using the build, but you can no longer create new fleets with the deleted build. To delete a build, specify the build ID. Learn more [ Upload a Custom Server Build](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-build-intro.html)[All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DeleteBuildInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBuildInput`) /// - /// - Returns: `DeleteBuildOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBuildOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2119,7 +2098,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBuildOutput.httpOutput(from:), DeleteBuildOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2154,9 +2132,9 @@ extension GameLiftClient { /// /// Deletes all resources and information related to a container fleet and shuts down currently running fleet instances, including those in remote locations. The container fleet must be in ACTIVE status to be deleted. To delete a fleet, specify the fleet ID to be terminated. During the deletion process, the fleet status is changed to DELETING. Learn more [Setting up Amazon GameLift Servers Fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter DeleteContainerFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContainerFleetInput`) /// - /// - Returns: `DeleteContainerFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContainerFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2193,7 +2171,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContainerFleetOutput.httpOutput(from:), DeleteContainerFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2248,9 +2225,9 @@ extension GameLiftClient { /// /// * [Manage a container group definition](https://docs.aws.amazon.com/gamelift/latest/developerguide/containers-create-groups.html) /// - /// - Parameter DeleteContainerGroupDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContainerGroupDefinitionInput`) /// - /// - Returns: `DeleteContainerGroupDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContainerGroupDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2287,7 +2264,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContainerGroupDefinitionOutput.httpOutput(from:), DeleteContainerGroupDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2322,9 +2298,9 @@ extension GameLiftClient { /// /// Deletes all resources and information related to a fleet and shuts down any currently running fleet instances, including those in remote locations. If the fleet being deleted has a VPC peering connection, you first need to get a valid authorization (good for 24 hours) by calling [CreateVpcPeeringAuthorization](https://docs.aws.amazon.com/gamelift/latest/apireference/API_CreateVpcPeeringAuthorization.html). You don't need to explicitly delete the VPC peering connection. To delete a fleet, specify the fleet ID to be terminated. During the deletion process, the fleet status is changed to DELETING. When completed, the status switches to TERMINATED and the fleet event FLEET_DELETED is emitted. Learn more [Setting up Amazon GameLift Servers Fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter DeleteFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetInput`) /// - /// - Returns: `DeleteFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2361,7 +2337,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetOutput.httpOutput(from:), DeleteFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2396,9 +2371,9 @@ extension GameLiftClient { /// /// Removes locations from a multi-location fleet. When deleting a location, all game server process and all instances that are still active in the location are shut down. To delete fleet locations, identify the fleet ID and provide a list of the locations to be deleted. If successful, GameLift sets the location status to DELETING, and begins to shut down existing server processes and terminate instances in each location being deleted. When completed, the location status changes to TERMINATED. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter DeleteFleetLocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetLocationsInput`) /// - /// - Returns: `DeleteFleetLocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetLocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2434,7 +2409,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetLocationsOutput.httpOutput(from:), DeleteFleetLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2478,9 +2452,9 @@ extension GameLiftClient { /// /// To delete a game server group, identify the game server group to delete and specify the type of delete operation to initiate. Game server groups can only be deleted if they are in ACTIVE or ERROR status. If the delete request is successful, a series of operations are kicked off. The game server group status is changed to DELETE_SCHEDULED, which prevents new game servers from being registered and stops automatic scaling activity. Once all game servers in the game server group are deregistered, Amazon GameLift Servers FleetIQ can begin deleting resources. If any of the delete operations fail, the game server group is placed in ERROR status. Amazon GameLift Servers FleetIQ emits delete events to Amazon CloudWatch. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter DeleteGameServerGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGameServerGroupInput`) /// - /// - Returns: `DeleteGameServerGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGameServerGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2515,7 +2489,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGameServerGroupOutput.httpOutput(from:), DeleteGameServerGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2550,9 +2523,9 @@ extension GameLiftClient { /// /// Deletes a game session queue. Once a queue is successfully deleted, unfulfilled [StartGameSessionPlacement](https://docs.aws.amazon.com/gamelift/latest/apireference/API_StartGameSessionPlacement.html) requests that reference the queue will fail. To delete a queue, specify the queue name. /// - /// - Parameter DeleteGameSessionQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGameSessionQueueInput`) /// - /// - Returns: `DeleteGameSessionQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGameSessionQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2588,7 +2561,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGameSessionQueueOutput.httpOutput(from:), DeleteGameSessionQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2623,9 +2595,9 @@ extension GameLiftClient { /// /// Deletes a custom location. Before deleting a custom location, review any fleets currently using the custom location and deregister the location if it is in use. For more information, see [DeregisterCompute](https://docs.aws.amazon.com/gamelift/latest/apireference/API_DeregisterCompute.html). /// - /// - Parameter DeleteLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLocationInput`) /// - /// - Returns: `DeleteLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2660,7 +2632,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLocationOutput.httpOutput(from:), DeleteLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2695,9 +2666,9 @@ extension GameLiftClient { /// /// Permanently removes a FlexMatch matchmaking configuration. To delete, specify the configuration name. A matchmaking configuration cannot be deleted if it is being used in any active matchmaking tickets. /// - /// - Parameter DeleteMatchmakingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMatchmakingConfigurationInput`) /// - /// - Returns: `DeleteMatchmakingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMatchmakingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2733,7 +2704,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMatchmakingConfigurationOutput.httpOutput(from:), DeleteMatchmakingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2770,9 +2740,9 @@ extension GameLiftClient { /// /// * [Build a rule set](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-rulesets.html) /// - /// - Parameter DeleteMatchmakingRuleSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMatchmakingRuleSetInput`) /// - /// - Returns: `DeleteMatchmakingRuleSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMatchmakingRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2808,7 +2778,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMatchmakingRuleSetOutput.httpOutput(from:), DeleteMatchmakingRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2843,9 +2812,9 @@ extension GameLiftClient { /// /// Deletes a fleet scaling policy. Once deleted, the policy is no longer in force and Amazon GameLift Servers removes all record of it. To delete a scaling policy, specify both the scaling policy name and the fleet ID it is associated with. To temporarily suspend scaling policies, use [StopFleetActions](https://docs.aws.amazon.com/gamelift/latest/apireference/API_StopFleetActions.html). This operation suspends all policies for the fleet. /// - /// - Parameter DeleteScalingPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScalingPolicyInput`) /// - /// - Returns: `DeleteScalingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScalingPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2881,7 +2850,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScalingPolicyOutput.httpOutput(from:), DeleteScalingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2916,9 +2884,9 @@ extension GameLiftClient { /// /// Deletes a Realtime script. This operation permanently deletes the script record. If script files were uploaded, they are also deleted (files stored in an S3 bucket are not deleted). To delete a script, specify the script ID. Before deleting a script, be sure to terminate all fleets that are deployed with the script being deleted. Fleet instances periodically check for script updates, and if the script record no longer exists, the instance will go into an error state and be unable to host game sessions. Learn more [Amazon GameLift Servers Amazon GameLift Servers Realtime](https://docs.aws.amazon.com/gamelift/latest/developerguide/realtime-intro.html) Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DeleteScriptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScriptInput`) /// - /// - Returns: `DeleteScriptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScriptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2954,7 +2922,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScriptOutput.httpOutput(from:), DeleteScriptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2989,9 +2956,9 @@ extension GameLiftClient { /// /// Cancels a pending VPC peering authorization for the specified VPC. If you need to delete an existing VPC peering connection, use [DeleteVpcPeeringConnection](https://docs.aws.amazon.com/gamelift/latest/apireference/API_DeleteVpcPeeringConnection.html). Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DeleteVpcPeeringAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcPeeringAuthorizationInput`) /// - /// - Returns: `DeleteVpcPeeringAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcPeeringAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3026,7 +2993,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcPeeringAuthorizationOutput.httpOutput(from:), DeleteVpcPeeringAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3061,9 +3027,9 @@ extension GameLiftClient { /// /// Removes a VPC peering connection. To delete the connection, you must have a valid authorization for the VPC peering connection that you want to delete.. Once a valid authorization exists, call this operation from the Amazon Web Services account that is used to manage the Amazon GameLift Servers fleets. Identify the connection to delete by the connection ID and fleet ID. If successful, the connection is removed. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DeleteVpcPeeringConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcPeeringConnectionInput`) /// - /// - Returns: `DeleteVpcPeeringConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcPeeringConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3098,7 +3064,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcPeeringConnectionOutput.httpOutput(from:), DeleteVpcPeeringConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3133,9 +3098,9 @@ extension GameLiftClient { /// /// Removes a compute resource from an Anywhere fleet. Deregistered computes can no longer host game sessions through Amazon GameLift Servers. Use this operation with an Anywhere fleet that doesn't use the Amazon GameLift Servers Agent For Anywhere fleets with the Agent, the Agent handles all compute registry tasks for you. To deregister a compute, call this operation from the compute that's being deregistered and specify the compute name and the fleet ID. /// - /// - Parameter DeregisterComputeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterComputeInput`) /// - /// - Returns: `DeregisterComputeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterComputeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3170,7 +3135,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterComputeOutput.httpOutput(from:), DeregisterComputeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3205,9 +3169,9 @@ extension GameLiftClient { /// /// This operation is used with the Amazon GameLift Servers FleetIQ solution and game server groups. Removes the game server from a game server group. As a result of this operation, the deregistered game server can no longer be claimed and will not be returned in a list of active game servers. To deregister a game server, specify the game server group and game server ID. If successful, this operation emits a CloudWatch event with termination timestamp and reason. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter DeregisterGameServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterGameServerInput`) /// - /// - Returns: `DeregisterGameServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterGameServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3242,7 +3206,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterGameServerOutput.httpOutput(from:), DeregisterGameServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3277,9 +3240,9 @@ extension GameLiftClient { /// /// Retrieves properties for an alias. This operation returns all alias metadata and settings. To get an alias's target fleet ID only, use ResolveAlias. To get alias properties, specify the alias ID. If successful, the requested alias record is returned. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DescribeAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAliasInput`) /// - /// - Returns: `DescribeAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3314,7 +3277,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAliasOutput.httpOutput(from:), DescribeAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3349,9 +3311,9 @@ extension GameLiftClient { /// /// Retrieves properties for a custom game build. To request a build resource, specify a build ID. If successful, an object containing the build properties is returned. Learn more [ Upload a Custom Server Build](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-build-intro.html)[All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DescribeBuildInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBuildInput`) /// - /// - Returns: `DescribeBuildOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBuildOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3386,7 +3348,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBuildOutput.httpOutput(from:), DescribeBuildOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3434,9 +3395,9 @@ extension GameLiftClient { /// /// * For an Anywhere fleet, this operation returns information about the registered compute. /// - /// - Parameter DescribeComputeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeComputeInput`) /// - /// - Returns: `DescribeComputeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeComputeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3472,7 +3433,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComputeOutput.httpOutput(from:), DescribeComputeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3512,9 +3472,9 @@ extension GameLiftClient { /// /// Results If successful, a ContainerFleet object is returned. This object includes the fleet properties, including information about the most recent deployment. Some API operations limit the number of fleet IDs that allowed in one request. If a request exceeds this limit, the request fails and the error message contains the maximum allowed number. /// - /// - Parameter DescribeContainerFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContainerFleetInput`) /// - /// - Returns: `DescribeContainerFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContainerFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3550,7 +3510,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContainerFleetOutput.httpOutput(from:), DescribeContainerFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3594,9 +3553,9 @@ extension GameLiftClient { /// /// * [Manage a container group definition](https://docs.aws.amazon.com/gamelift/latest/developerguide/containers-create-groups.html) /// - /// - Parameter DescribeContainerGroupDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContainerGroupDefinitionInput`) /// - /// - Returns: `DescribeContainerGroupDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContainerGroupDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3632,7 +3591,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContainerGroupDefinitionOutput.httpOutput(from:), DescribeContainerGroupDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3683,9 +3641,9 @@ extension GameLiftClient { /// /// If successful, an EC2InstanceLimits object is returned with limits and usage data for each requested instance type. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter DescribeEC2InstanceLimitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEC2InstanceLimitsInput`) /// - /// - Returns: `DescribeEC2InstanceLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEC2InstanceLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3720,7 +3678,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEC2InstanceLimitsOutput.httpOutput(from:), DescribeEC2InstanceLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3762,9 +3719,9 @@ extension GameLiftClient { /// /// When requesting attributes for multiple fleets, use the pagination parameters to retrieve results as a set of sequential pages. If successful, a FleetAttributes object is returned for each fleet requested, unless the fleet identifier is not found. Some API operations limit the number of fleet IDs that allowed in one request. If a request exceeds this limit, the request fails and the error message contains the maximum allowed number. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter DescribeFleetAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetAttributesInput`) /// - /// - Returns: `DescribeFleetAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3799,7 +3756,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetAttributesOutput.httpOutput(from:), DescribeFleetAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3841,9 +3797,9 @@ extension GameLiftClient { /// /// When requesting multiple fleets, use the pagination parameters to retrieve results as a set of sequential pages. If successful, a FleetCapacity object is returned for each requested fleet ID. Each FleetCapacity object includes a Location property, which is set to the fleet's home Region. Capacity values are returned only for fleets that currently exist. Some API operations may limit the number of fleet IDs that are allowed in one request. If a request exceeds this limit, the request fails and the error message includes the maximum allowed. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html)[GameLift metrics for fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/monitoring-cloudwatch.html#gamelift-metrics-fleet) /// - /// - Parameter DescribeFleetCapacityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetCapacityInput`) /// - /// - Returns: `DescribeFleetCapacityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetCapacityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3879,7 +3835,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetCapacityOutput.httpOutput(from:), DescribeFleetCapacityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3921,9 +3876,9 @@ extension GameLiftClient { /// /// Results If successful, a FleetDeployment object is returned. /// - /// - Parameter DescribeFleetDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetDeploymentInput`) /// - /// - Returns: `DescribeFleetDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3959,7 +3914,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetDeploymentOutput.httpOutput(from:), DescribeFleetDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3994,9 +3948,9 @@ extension GameLiftClient { /// /// Retrieves entries from a fleet's event log. Fleet events are initiated by changes in status, such as during fleet creation and termination, changes in capacity, etc. If a fleet has multiple locations, events are also initiated by changes to status and capacity in remote locations. You can specify a time range to limit the result set. Use the pagination parameters to retrieve results as a set of sequential pages. If successful, a collection of event log entries matching the request are returned. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter DescribeFleetEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetEventsInput`) /// - /// - Returns: `DescribeFleetEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4032,7 +3986,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetEventsOutput.httpOutput(from:), DescribeFleetEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4074,9 +4027,9 @@ extension GameLiftClient { /// /// When requesting attributes for multiple locations, use the pagination parameters to retrieve results as a set of sequential pages. If successful, a LocationAttributes object is returned for each requested location. If the fleet does not have a requested location, no information is returned. This operation does not return the home Region. To get information on a fleet's home Region, call DescribeFleetAttributes. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html)[ Amazon GameLift Servers service locations](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-regions.html) for managed hosting /// - /// - Parameter DescribeFleetLocationAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetLocationAttributesInput`) /// - /// - Returns: `DescribeFleetLocationAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetLocationAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4112,7 +4065,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetLocationAttributesOutput.httpOutput(from:), DescribeFleetLocationAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4147,9 +4099,9 @@ extension GameLiftClient { /// /// Retrieves the resource capacity settings for a fleet location. The data returned includes the current capacity (number of EC2 instances) and some scaling settings for the requested fleet location. For a managed container fleet, this operation also returns counts for game server container groups. Use this operation to retrieve capacity information for a fleet's remote location or home Region (you can also retrieve home Region capacity by calling DescribeFleetCapacity). To retrieve capacity data, identify a fleet and location. If successful, a FleetCapacity object is returned for the requested fleet location. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html)[ Amazon GameLift Servers service locations](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-regions.html) for managed hosting [GameLift metrics for fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/monitoring-cloudwatch.html#gamelift-metrics-fleet) /// - /// - Parameter DescribeFleetLocationCapacityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetLocationCapacityInput`) /// - /// - Returns: `DescribeFleetLocationCapacityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetLocationCapacityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4185,7 +4137,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetLocationCapacityOutput.httpOutput(from:), DescribeFleetLocationCapacityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4220,9 +4171,9 @@ extension GameLiftClient { /// /// Retrieves current usage data for a fleet location. Utilization data provides a snapshot of current game hosting activity at the requested location. Use this operation to retrieve utilization information for a fleet's remote location or home Region (you can also retrieve home Region utilization by calling DescribeFleetUtilization). To retrieve utilization data, identify a fleet and location. If successful, a FleetUtilization object is returned for the requested fleet location. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html)[ Amazon GameLift Servers service locations](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-regions.html) for managed hosting [GameLift metrics for fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/monitoring-cloudwatch.html#gamelift-metrics-fleet) /// - /// - Parameter DescribeFleetLocationUtilizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetLocationUtilizationInput`) /// - /// - Returns: `DescribeFleetLocationUtilizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetLocationUtilizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4258,7 +4209,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetLocationUtilizationOutput.httpOutput(from:), DescribeFleetLocationUtilizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4300,9 +4250,9 @@ extension GameLiftClient { /// /// If successful, a set of IpPermission objects is returned for the requested fleet ID. When specifying a location, this operation returns a pending status. If the requested fleet has been deleted, the result set is empty. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter DescribeFleetPortSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetPortSettingsInput`) /// - /// - Returns: `DescribeFleetPortSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetPortSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4338,7 +4288,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetPortSettingsOutput.httpOutput(from:), DescribeFleetPortSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4380,9 +4329,9 @@ extension GameLiftClient { /// /// When requesting multiple fleets, use the pagination parameters to retrieve results as a set of sequential pages. If successful, a [FleetUtilization](https://docs.aws.amazon.com/gamelift/latest/apireference/API_FleetUtilization.html) object is returned for each requested fleet ID, unless the fleet identifier is not found. Each fleet utilization object includes a Location property, which is set to the fleet's home Region. Some API operations may limit the number of fleet IDs allowed in one request. If a request exceeds this limit, the request fails and the error message includes the maximum allowed. Learn more [Setting up Amazon GameLift Servers Fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html)[GameLift Metrics for Fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/monitoring-cloudwatch.html#gamelift-metrics-fleet) /// - /// - Parameter DescribeFleetUtilizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetUtilizationInput`) /// - /// - Returns: `DescribeFleetUtilizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetUtilizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4417,7 +4366,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetUtilizationOutput.httpOutput(from:), DescribeFleetUtilizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4452,9 +4400,9 @@ extension GameLiftClient { /// /// This operation is used with the Amazon GameLift Servers FleetIQ solution and game server groups. Retrieves information for a registered game server. Information includes game server status, health check info, and the instance that the game server is running on. To retrieve game server information, specify the game server ID. If successful, the requested game server object is returned. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter DescribeGameServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGameServerInput`) /// - /// - Returns: `DescribeGameServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGameServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4489,7 +4437,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGameServerOutput.httpOutput(from:), DescribeGameServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4524,9 +4471,9 @@ extension GameLiftClient { /// /// This operation is used with the Amazon GameLift Servers FleetIQ solution and game server groups. Retrieves information on a game server group. This operation returns only properties related to Amazon GameLift Servers FleetIQ. To view or update properties for the corresponding Auto Scaling group, such as launch template, auto scaling policies, and maximum/minimum group size, access the Auto Scaling group directly. To get attributes for a game server group, provide a group name or ARN value. If successful, a GameServerGroup object is returned. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter DescribeGameServerGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGameServerGroupInput`) /// - /// - Returns: `DescribeGameServerGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGameServerGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4561,7 +4508,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGameServerGroupOutput.httpOutput(from:), DescribeGameServerGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4596,9 +4542,9 @@ extension GameLiftClient { /// /// This operation is used with the Amazon GameLift Servers FleetIQ solution and game server groups. Retrieves status information about the Amazon EC2 instances associated with a Amazon GameLift Servers FleetIQ game server group. Use this operation to detect when instances are active or not available to host new game servers. To request status for all instances in the game server group, provide a game server group ID only. To request status for specific instances, provide the game server group ID and one or more instance IDs. Use the pagination parameters to retrieve results in sequential segments. If successful, a collection of GameServerInstance objects is returned. This operation is not designed to be called with every game server claim request; this practice can cause you to exceed your API limit, which results in errors. Instead, as a best practice, cache the results and refresh your cache no more than once every 10 seconds. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter DescribeGameServerInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGameServerInstancesInput`) /// - /// - Returns: `DescribeGameServerInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGameServerInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4633,7 +4579,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGameServerInstancesOutput.httpOutput(from:), DescribeGameServerInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4677,9 +4622,9 @@ extension GameLiftClient { /// /// Use the pagination parameters to retrieve results as a set of sequential pages. If successful, a GameSessionDetail object is returned for each game session that matches the request. Learn more [Find a game session](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-sdk-client-api.html#gamelift-sdk-client-api-find)[All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DescribeGameSessionDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGameSessionDetailsInput`) /// - /// - Returns: `DescribeGameSessionDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGameSessionDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4716,7 +4661,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGameSessionDetailsOutput.httpOutput(from:), DescribeGameSessionDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4751,9 +4695,9 @@ extension GameLiftClient { /// /// Retrieves information, including current status, about a game session placement request. To get game session placement details, specify the placement ID. This operation is not designed to be continually called to track game session status. This practice can cause you to exceed your API limit, which results in errors. Instead, you must configure an Amazon Simple Notification Service (SNS) topic to receive notifications from FlexMatch or queues. Continuously polling with DescribeGameSessionPlacement should only be used for games in development with low game session usage. /// - /// - Parameter DescribeGameSessionPlacementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGameSessionPlacementInput`) /// - /// - Returns: `DescribeGameSessionPlacementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGameSessionPlacementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4788,7 +4732,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGameSessionPlacementOutput.httpOutput(from:), DescribeGameSessionPlacementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4823,9 +4766,9 @@ extension GameLiftClient { /// /// Retrieves the properties for one or more game session queues. When requesting multiple queues, use the pagination parameters to retrieve results as a set of sequential pages. When specifying a list of queues, objects are returned only for queues that currently exist in the Region. Learn more [ View Your Queues](https://docs.aws.amazon.com/gamelift/latest/developerguide/queues-console.html) /// - /// - Parameter DescribeGameSessionQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGameSessionQueuesInput`) /// - /// - Returns: `DescribeGameSessionQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGameSessionQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4860,7 +4803,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGameSessionQueuesOutput.httpOutput(from:), DescribeGameSessionQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4904,9 +4846,9 @@ extension GameLiftClient { /// /// Use the pagination parameters to retrieve results as a set of sequential pages. If successful, a GameSession object is returned for each game session that matches the request. This operation is not designed to be continually called to track game session status. This practice can cause you to exceed your API limit, which results in errors. Instead, you must configure an Amazon Simple Notification Service (SNS) topic to receive notifications from FlexMatch or queues. Continuously polling with DescribeGameSessions should only be used for games in development with low game session usage. Available in Amazon GameLift Servers Local. Learn more [Find a game session](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-sdk-client-api.html#gamelift-sdk-client-api-find)[All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DescribeGameSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGameSessionsInput`) /// - /// - Returns: `DescribeGameSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGameSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4943,7 +4885,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGameSessionsOutput.httpOutput(from:), DescribeGameSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4987,9 +4928,9 @@ extension GameLiftClient { /// /// Use the pagination parameters to retrieve results as a set of sequential pages. If successful, this operation returns Instance objects for each requested instance, listed in no particular order. If you call this operation for an Anywhere fleet, you receive an InvalidRequestException. Learn more [Remotely connect to fleet instances](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-remote-access.html)[Debug fleet issues](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-creating-debug.html) Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DescribeInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstancesInput`) /// - /// - Returns: `DescribeInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5025,7 +4966,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstancesOutput.httpOutput(from:), DescribeInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5060,9 +5000,9 @@ extension GameLiftClient { /// /// Retrieves one or more matchmaking tickets. Use this operation to retrieve ticket information, including--after a successful match is made--connection information for the resulting new game session. To request matchmaking tickets, provide a list of up to 10 ticket IDs. If the request is successful, a ticket object is returned for each requested ID that currently exists. This operation is not designed to be continually called to track matchmaking ticket status. This practice can cause you to exceed your API limit, which results in errors. Instead, as a best practice, set up an Amazon Simple Notification Service to receive notifications, and provide the topic ARN in the matchmaking configuration. Learn more [ Add FlexMatch to a game client](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-client.html)[ Set Up FlexMatch event notification](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-notification.html) /// - /// - Parameter DescribeMatchmakingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMatchmakingInput`) /// - /// - Returns: `DescribeMatchmakingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMatchmakingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5096,7 +5036,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMatchmakingOutput.httpOutput(from:), DescribeMatchmakingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5131,9 +5070,9 @@ extension GameLiftClient { /// /// Retrieves the details of FlexMatch matchmaking configurations. This operation offers the following options: (1) retrieve all matchmaking configurations, (2) retrieve configurations for a specified list, or (3) retrieve all configurations that use a specified rule set name. When requesting multiple items, use the pagination parameters to retrieve results as a set of sequential pages. If successful, a configuration is returned for each requested name. When specifying a list of names, only configurations that currently exist are returned. Learn more [ Setting up FlexMatch matchmakers](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/matchmaker-build.html) /// - /// - Parameter DescribeMatchmakingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMatchmakingConfigurationsInput`) /// - /// - Returns: `DescribeMatchmakingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMatchmakingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5167,7 +5106,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMatchmakingConfigurationsOutput.httpOutput(from:), DescribeMatchmakingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5204,9 +5142,9 @@ extension GameLiftClient { /// /// * [Build a rule set](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-rulesets.html) /// - /// - Parameter DescribeMatchmakingRuleSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMatchmakingRuleSetsInput`) /// - /// - Returns: `DescribeMatchmakingRuleSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMatchmakingRuleSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5241,7 +5179,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMatchmakingRuleSetsOutput.httpOutput(from:), DescribeMatchmakingRuleSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5285,9 +5222,9 @@ extension GameLiftClient { /// /// To request player sessions, specify either a player session ID, game session ID, or player ID. You can filter this request by player session status. If you provide a specific PlayerSessionId or PlayerId, Amazon GameLift Servers ignores the filter criteria. Use the pagination parameters to retrieve results as a set of sequential pages. If successful, a PlayerSession object is returned for each session that matches the request. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DescribePlayerSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePlayerSessionsInput`) /// - /// - Returns: `DescribePlayerSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePlayerSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5322,7 +5259,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePlayerSessionsOutput.httpOutput(from:), DescribePlayerSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5357,9 +5293,9 @@ extension GameLiftClient { /// /// Retrieves a fleet's runtime configuration settings. The runtime configuration determines which server processes run, and how, on computes in the fleet. For managed EC2 fleets, the runtime configuration describes server processes that run on each fleet instance. can update a fleet's runtime configuration at any time using [UpdateRuntimeConfiguration](https://docs.aws.amazon.com/gamelift/latest/apireference/API_UpdateRuntimeConfiguration.html). To get the current runtime configuration for a fleet, provide the fleet ID. If successful, a RuntimeConfiguration object is returned for the requested fleet. If the requested fleet has been deleted, the result set is empty. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html)[Running multiple processes on a fleet](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-multiprocess.html) /// - /// - Parameter DescribeRuntimeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRuntimeConfigurationInput`) /// - /// - Returns: `DescribeRuntimeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRuntimeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5394,7 +5330,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRuntimeConfigurationOutput.httpOutput(from:), DescribeRuntimeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5429,9 +5364,9 @@ extension GameLiftClient { /// /// Retrieves all scaling policies applied to a fleet. To get a fleet's scaling policies, specify the fleet ID. You can filter this request by policy status, such as to retrieve only active scaling policies. Use the pagination parameters to retrieve results as a set of sequential pages. If successful, set of ScalingPolicy objects is returned for the fleet. A fleet may have all of its scaling policies suspended. This operation does not affect the status of the scaling policies, which remains ACTIVE. /// - /// - Parameter DescribeScalingPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScalingPoliciesInput`) /// - /// - Returns: `DescribeScalingPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScalingPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5467,7 +5402,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScalingPoliciesOutput.httpOutput(from:), DescribeScalingPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5502,9 +5436,9 @@ extension GameLiftClient { /// /// Retrieves properties for a Realtime script. To request a script record, specify the script ID. If successful, an object containing the script properties is returned. Learn more [Amazon GameLift Servers Amazon GameLift Servers Realtime](https://docs.aws.amazon.com/gamelift/latest/developerguide/realtime-intro.html) Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DescribeScriptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScriptInput`) /// - /// - Returns: `DescribeScriptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScriptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5539,7 +5473,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScriptOutput.httpOutput(from:), DescribeScriptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5574,9 +5507,9 @@ extension GameLiftClient { /// /// Retrieves valid VPC peering authorizations that are pending for the Amazon Web Services account. This operation returns all VPC peering authorizations and requests for peering. This includes those initiated and received by this account. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DescribeVpcPeeringAuthorizationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcPeeringAuthorizationsInput`) /// - /// - Returns: `DescribeVpcPeeringAuthorizationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcPeeringAuthorizationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5610,7 +5543,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcPeeringAuthorizationsOutput.httpOutput(from:), DescribeVpcPeeringAuthorizationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5645,9 +5577,9 @@ extension GameLiftClient { /// /// Retrieves information on VPC peering connections. Use this operation to get peering information for all fleets or for one specific fleet ID. To retrieve connection information, call this operation from the Amazon Web Services account that is used to manage the Amazon GameLift Servers fleets. Specify a fleet ID or leave the parameter empty to retrieve all connection records. If successful, the retrieved information includes both active and pending connections. Active connections identify the IpV4 CIDR block that the VPC uses to connect. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter DescribeVpcPeeringConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcPeeringConnectionsInput`) /// - /// - Returns: `DescribeVpcPeeringConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcPeeringConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5682,7 +5614,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcPeeringConnectionsOutput.httpOutput(from:), DescribeVpcPeeringConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5726,9 +5657,9 @@ extension GameLiftClient { /// /// * With a managed EC2 fleet (where compute type is EC2), use these credentials with Amazon EC2 Systems Manager (SSM) to start a session with the compute. For more details, see [ Starting a session (CLI)](https://docs.aws.amazon.com/systems-manager/latest/userguide/session-manager-working-with-sessions-start.html#sessions-start-cli) in the Amazon EC2 Systems Manager User Guide. /// - /// - Parameter GetComputeAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComputeAccessInput`) /// - /// - Returns: `GetComputeAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComputeAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5764,7 +5695,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComputeAccessOutput.httpOutput(from:), GetComputeAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5812,9 +5742,9 @@ extension GameLiftClient { /// /// * [Server SDK reference guides](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-serversdk.html) (for version 5.x) /// - /// - Parameter GetComputeAuthTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComputeAuthTokenInput`) /// - /// - Returns: `GetComputeAuthTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComputeAuthTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5850,7 +5780,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComputeAuthTokenOutput.httpOutput(from:), GetComputeAuthTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5885,9 +5814,9 @@ extension GameLiftClient { /// /// Retrieves the location of stored game session logs for a specified game session on Amazon GameLift Servers managed fleets. When a game session is terminated, Amazon GameLift Servers automatically stores the logs in Amazon S3 and retains them for 14 days. Use this URL to download the logs. See the [Amazon Web Services Service Limits](https://docs.aws.amazon.com/general/latest/gr/aws_service_limits.html#limits_gamelift) page for maximum log file sizes. Log files that exceed this limit are not saved. [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter GetGameSessionLogUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGameSessionLogUrlInput`) /// - /// - Returns: `GetGameSessionLogUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGameSessionLogUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5922,7 +5851,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGameSessionLogUrlOutput.httpOutput(from:), GetGameSessionLogUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5964,9 +5892,9 @@ extension GameLiftClient { /// /// Learn more [Remotely connect to fleet instances](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-remote-access.html)[Debug fleet issues](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-creating-debug.html) Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter GetInstanceAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceAccessInput`) /// - /// - Returns: `GetInstanceAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6001,7 +5929,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceAccessOutput.httpOutput(from:), GetInstanceAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6036,9 +5963,9 @@ extension GameLiftClient { /// /// Retrieves all aliases for this Amazon Web Services account. You can filter the result set by alias name and/or routing strategy type. Use the pagination parameters to retrieve results in sequential pages. Returned aliases are not listed in any particular order. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter ListAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAliasesInput`) /// - /// - Returns: `ListAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6072,7 +5999,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAliasesOutput.httpOutput(from:), ListAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6107,9 +6033,9 @@ extension GameLiftClient { /// /// Retrieves build resources for all builds associated with the Amazon Web Services account in use. You can limit results to builds that are in a specific status by using the Status parameter. Use the pagination parameters to retrieve results in a set of sequential pages. Build resources are not listed in any particular order. Learn more [ Upload a Custom Server Build](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-build-intro.html)[All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter ListBuildsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBuildsInput`) /// - /// - Returns: `ListBuildsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBuildsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6143,7 +6069,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBuildsOutput.httpOutput(from:), ListBuildsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6189,9 +6114,9 @@ extension GameLiftClient { /// /// * For an Anywhere fleet (compute type ANYWHERE), this operation returns compute names and details from when the compute was registered with RegisterCompute. This includes GameLiftServiceSdkEndpoint or GameLiftAgentEndpoint. /// - /// - Parameter ListComputeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComputeInput`) /// - /// - Returns: `ListComputeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComputeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6226,7 +6151,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComputeOutput.httpOutput(from:), ListComputeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6270,9 +6194,9 @@ extension GameLiftClient { /// /// Use the pagination parameters to retrieve results as a set of sequential pages. If successful, this operation returns a collection of container fleets that match the request parameters. A NextToken value is also returned if there are more result pages to retrieve. Fleet IDs are returned in no particular order. /// - /// - Parameter ListContainerFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContainerFleetsInput`) /// - /// - Returns: `ListContainerFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContainerFleetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6307,7 +6231,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContainerFleetsOutput.httpOutput(from:), ListContainerFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6349,9 +6272,9 @@ extension GameLiftClient { /// /// * [Manage a container group definition](https://docs.aws.amazon.com/gamelift/latest/developerguide/containers-create-groups.html) /// - /// - Parameter ListContainerGroupDefinitionVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContainerGroupDefinitionVersionsInput`) /// - /// - Returns: `ListContainerGroupDefinitionVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContainerGroupDefinitionVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6387,7 +6310,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContainerGroupDefinitionVersionsOutput.httpOutput(from:), ListContainerGroupDefinitionVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6429,9 +6351,9 @@ extension GameLiftClient { /// /// Results: If successful, this operation returns the complete properties of a set of container group definition versions that match the request. This operation returns the list of container group definitions in no particular order. /// - /// - Parameter ListContainerGroupDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContainerGroupDefinitionsInput`) /// - /// - Returns: `ListContainerGroupDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContainerGroupDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6466,7 +6388,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContainerGroupDefinitionsOutput.httpOutput(from:), ListContainerGroupDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6508,9 +6429,9 @@ extension GameLiftClient { /// /// Results If successful, this operation returns a list of deployments that match the request parameters. A NextToken value is also returned if there are more result pages to retrieve. Deployments are returned starting with the latest. /// - /// - Parameter ListFleetDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFleetDeploymentsInput`) /// - /// - Returns: `ListFleetDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFleetDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6546,7 +6467,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFleetDeploymentsOutput.httpOutput(from:), ListFleetDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6590,9 +6510,9 @@ extension GameLiftClient { /// /// Use the pagination parameters to retrieve results as a set of sequential pages. If successful, this operation returns a list of fleet IDs that match the request parameters. A NextToken value is also returned if there are more result pages to retrieve. Fleet IDs are returned in no particular order. /// - /// - Parameter ListFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFleetsInput`) /// - /// - Returns: `ListFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFleetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6627,7 +6547,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFleetsOutput.httpOutput(from:), ListFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6662,9 +6581,9 @@ extension GameLiftClient { /// /// Lists a game server groups. /// - /// - Parameter ListGameServerGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGameServerGroupsInput`) /// - /// - Returns: `ListGameServerGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGameServerGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6698,7 +6617,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGameServerGroupsOutput.httpOutput(from:), ListGameServerGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6733,9 +6651,9 @@ extension GameLiftClient { /// /// This operation is used with the Amazon GameLift Servers FleetIQ solution and game server groups. Retrieves information on all game servers that are currently active in a specified game server group. You can opt to sort the list by game server age. Use the pagination parameters to retrieve results in a set of sequential segments. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter ListGameServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGameServersInput`) /// - /// - Returns: `ListGameServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGameServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6769,7 +6687,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGameServersOutput.httpOutput(from:), ListGameServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6804,9 +6721,9 @@ extension GameLiftClient { /// /// Lists all custom and Amazon Web Services locations where Amazon GameLift Servers can host game servers. Note that if you call this API using a location that doesn't have a service endpoint, such as one that can only be a remote location in a multi-location fleet, the API returns an error. Consult the table of supported locations in [Amazon GameLift Servers service locations](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-regions.html) to identify home Regions that support single and multi-location fleets. Learn more [Service locations](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-regions.html) /// - /// - Parameter ListLocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLocationsInput`) /// - /// - Returns: `ListLocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6840,7 +6757,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLocationsOutput.httpOutput(from:), ListLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6875,9 +6791,9 @@ extension GameLiftClient { /// /// Retrieves script records for all Realtime scripts that are associated with the Amazon Web Services account in use. Learn more [Amazon GameLift Servers Amazon GameLift Servers Realtime](https://docs.aws.amazon.com/gamelift/latest/developerguide/realtime-intro.html) Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter ListScriptsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListScriptsInput`) /// - /// - Returns: `ListScriptsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListScriptsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6911,7 +6827,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScriptsOutput.httpOutput(from:), ListScriptsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6946,9 +6861,9 @@ extension GameLiftClient { /// /// Retrieves all tags assigned to a Amazon GameLift Servers resource. Use resource tags to organize Amazon Web Services resources for a range of purposes. This operation handles the permissions necessary to manage tags for Amazon GameLift Servers resources that support tagging. To list tags for a resource, specify the unique ARN value for the resource. Learn more [Tagging Amazon Web Services Resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html) in the Amazon Web Services General Reference [ Amazon Web Services Tagging Strategies](http://aws.amazon.com/answers/account-management/aws-tagging-strategies/) Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6984,7 +6899,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7019,9 +6933,9 @@ extension GameLiftClient { /// /// Creates or updates a scaling policy for a fleet. Scaling policies are used to automatically scale a fleet's hosting capacity to meet player demand. An active scaling policy instructs Amazon GameLift Servers to track a fleet metric and automatically change the fleet's capacity when a certain threshold is reached. There are two types of scaling policies: target-based and rule-based. Use a target-based policy to quickly and efficiently manage fleet scaling; this option is the most commonly used. Use rule-based policies when you need to exert fine-grained control over auto-scaling. Fleets can have multiple scaling policies of each type in force at the same time; you can have one target-based policy, one or multiple rule-based scaling policies, or both. We recommend caution, however, because multiple auto-scaling policies can have unintended consequences. Learn more about how to work with auto-scaling in [Set Up Fleet Automatic Scaling](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-autoscaling.html). Target-based policy A target-based policy tracks a single metric: PercentAvailableGameSessions. This metric tells us how much of a fleet's hosting capacity is ready to host game sessions but is not currently in use. This is the fleet's buffer; it measures the additional player demand that the fleet could handle at current capacity. With a target-based policy, you set your ideal buffer size and leave it to Amazon GameLift Servers to take whatever action is needed to maintain that target. For example, you might choose to maintain a 10% buffer for a fleet that has the capacity to host 100 simultaneous game sessions. This policy tells Amazon GameLift Servers to take action whenever the fleet's available capacity falls below or rises above 10 game sessions. Amazon GameLift Servers will start new instances or stop unused instances in order to return to the 10% buffer. To create or update a target-based policy, specify a fleet ID and name, and set the policy type to "TargetBased". Specify the metric to track (PercentAvailableGameSessions) and reference a TargetConfiguration object with your desired buffer value. Exclude all other parameters. On a successful request, the policy name is returned. The scaling policy is automatically in force as soon as it's successfully created. If the fleet's auto-scaling actions are temporarily suspended, the new policy will be in force once the fleet actions are restarted. Rule-based policy A rule-based policy tracks specified fleet metric, sets a threshold value, and specifies the type of action to initiate when triggered. With a rule-based policy, you can select from several available fleet metrics. Each policy specifies whether to scale up or scale down (and by how much), so you need one policy for each type of action. For example, a policy may make the following statement: "If the percentage of idle instances is greater than 20% for more than 15 minutes, then reduce the fleet capacity by 10%." A policy's rule statement has the following structure: If [MetricName] is [ComparisonOperator][Threshold] for [EvaluationPeriods] minutes, then [ScalingAdjustmentType] to/by [ScalingAdjustment]. To implement the example, the rule statement would look like this: If [PercentIdleInstances] is [GreaterThanThreshold][20] for [15] minutes, then [PercentChangeInCapacity] to/by [10]. To create or update a scaling policy, specify a unique combination of name and fleet ID, and set the policy type to "RuleBased". Specify the parameter values for a policy rule statement. On a successful request, the policy name is returned. Scaling policies are automatically in force as soon as they're successfully created. If the fleet's auto-scaling actions are temporarily suspended, the new policy will be in force once the fleet actions are restarted. /// - /// - Parameter PutScalingPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutScalingPolicyInput`) /// - /// - Returns: `PutScalingPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutScalingPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7057,7 +6971,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutScalingPolicyOutput.httpOutput(from:), PutScalingPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7098,9 +7011,9 @@ extension GameLiftClient { /// /// * [Server SDK reference guides](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-serversdk.html) (for version 5.x) /// - /// - Parameter RegisterComputeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterComputeInput`) /// - /// - Returns: `RegisterComputeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterComputeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7137,7 +7050,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterComputeOutput.httpOutput(from:), RegisterComputeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7172,9 +7084,9 @@ extension GameLiftClient { /// /// This operation is used with the Amazon GameLift Servers FleetIQ solution and game server groups. Creates a new game server resource and notifies Amazon GameLift Servers FleetIQ that the game server is ready to host gameplay and players. This operation is called by a game server process that is running on an instance in a game server group. Registering game servers enables Amazon GameLift Servers FleetIQ to track available game servers and enables game clients and services to claim a game server for a new game session. To register a game server, identify the game server group and instance where the game server is running, and provide a unique identifier for the game server. You can also include connection and game server data. Once a game server is successfully registered, it is put in status AVAILABLE. A request to register a game server may fail if the instance it is running on is in the process of shutting down as part of instance balancing or scale-down activity. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter RegisterGameServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterGameServerInput`) /// - /// - Returns: `RegisterGameServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterGameServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7210,7 +7122,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterGameServerOutput.httpOutput(from:), RegisterGameServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7245,9 +7156,9 @@ extension GameLiftClient { /// /// Retrieves a fresh set of credentials for use when uploading a new set of game build files to Amazon GameLift Servers's Amazon S3. This is done as part of the build creation process; see [CreateBuild](https://docs.aws.amazon.com/gamelift/latest/apireference/API_CreateBuild.html). To request new credentials, specify the build ID as returned with an initial CreateBuild request. If successful, a new set of credentials are returned, along with the S3 storage location associated with the build ID. Learn more [ Create a Build with Files in S3](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-build-cli-uploading.html#gamelift-build-cli-uploading-create-build)[All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter RequestUploadCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RequestUploadCredentialsInput`) /// - /// - Returns: `RequestUploadCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RequestUploadCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7282,7 +7193,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RequestUploadCredentialsOutput.httpOutput(from:), RequestUploadCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7317,9 +7227,9 @@ extension GameLiftClient { /// /// Attempts to retrieve a fleet ID that is associated with an alias. Specify a unique alias identifier. If the alias has a SIMPLE routing strategy, Amazon GameLift Servers returns a fleet ID. If the alias has a TERMINAL routing strategy, the result is a TerminalRoutingStrategyException. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter ResolveAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResolveAliasInput`) /// - /// - Returns: `ResolveAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResolveAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7355,7 +7265,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResolveAliasOutput.httpOutput(from:), ResolveAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7390,9 +7299,9 @@ extension GameLiftClient { /// /// This operation is used with the Amazon GameLift Servers FleetIQ solution and game server groups. Reinstates activity on a game server group after it has been suspended. A game server group might be suspended by the [SuspendGameServerGroup] operation, or it might be suspended involuntarily due to a configuration problem. In the second case, you can manually resume activity on the group once the configuration problem has been resolved. Refer to the game server group status and status reason for more information on why group activity is suspended. To resume activity, specify a game server group ARN and the type of activity to be resumed. If successful, a GameServerGroup object is returned showing that the resumed activity is no longer listed in SuspendedActions. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter ResumeGameServerGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResumeGameServerGroupInput`) /// - /// - Returns: `ResumeGameServerGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeGameServerGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7427,7 +7336,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeGameServerGroupOutput.httpOutput(from:), ResumeGameServerGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7486,9 +7394,9 @@ extension GameLiftClient { /// /// Returned values for playerSessionCount and hasAvailablePlayerSessions change quickly as players join sessions and others drop out. Results should be considered a snapshot in time. Be sure to refresh search results often, and handle sessions that fill up before a player can join. [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter SearchGameSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchGameSessionsInput`) /// - /// - Returns: `SearchGameSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchGameSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7525,7 +7433,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchGameSessionsOutput.httpOutput(from:), SearchGameSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7567,9 +7474,9 @@ extension GameLiftClient { /// /// If successful, Amazon GameLift Servers once again initiates scaling events as triggered by the fleet's scaling policies. If actions on the fleet location were never stopped, this operation will have no effect. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter StartFleetActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFleetActionsInput`) /// - /// - Returns: `StartFleetActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFleetActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7605,7 +7512,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFleetActionsOutput.httpOutput(from:), StartFleetActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7681,9 +7587,9 @@ extension GameLiftClient { /// /// Amazon GameLift Servers continues to retry each placement request until it reaches the queue's timeout setting. If a request times out, you can resubmit the request to the same queue or try a different queue. /// - /// - Parameter StartGameSessionPlacementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartGameSessionPlacementInput`) /// - /// - Returns: `StartGameSessionPlacementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartGameSessionPlacementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7719,7 +7625,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartGameSessionPlacementOutput.httpOutput(from:), StartGameSessionPlacementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7754,9 +7659,9 @@ extension GameLiftClient { /// /// Finds new players to fill open slots in currently running game sessions. The backfill match process is essentially identical to the process of forming new matches. Backfill requests use the same matchmaker that was used to make the original match, and they provide matchmaking data for all players currently in the game session. FlexMatch uses this information to select new players so that backfilled match continues to meet the original match requirements. When using FlexMatch with Amazon GameLift Servers managed hosting, you can request a backfill match from a client service by calling this operation with a GameSessions ID. You also have the option of making backfill requests directly from your game server. In response to a request, FlexMatch creates player sessions for the new players, updates the GameSession resource, and sends updated matchmaking data to the game server. You can request a backfill match at any point after a game session is started. Each game session can have only one active backfill request at a time; a subsequent request automatically replaces the earlier request. When using FlexMatch as a standalone component, request a backfill match by calling this operation without a game session identifier. As with newly formed matches, matchmaking results are returned in a matchmaking event so that your game can update the game session that is being backfilled. To request a backfill match, specify a unique ticket ID, the original matchmaking configuration, and matchmaking data for all current players in the game session being backfilled. Optionally, specify the GameSession ARN. If successful, a match backfill ticket is created and returned with status set to QUEUED. Track the status of backfill tickets using the same method for tracking tickets for new matches. Only game sessions created by FlexMatch are supported for match backfill. Learn more [ Backfill existing games with FlexMatch](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-backfill.html)[ Matchmaking events](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-events.html) (reference) [ How Amazon GameLift Servers FlexMatch works](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/gamelift-match.html) /// - /// - Parameter StartMatchBackfillInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMatchBackfillInput`) /// - /// - Returns: `StartMatchBackfillOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMatchBackfillOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7791,7 +7696,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMatchBackfillOutput.httpOutput(from:), StartMatchBackfillOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7826,9 +7730,9 @@ extension GameLiftClient { /// /// Uses FlexMatch to create a game match for a group of players based on custom matchmaking rules. With games that use Amazon GameLift Servers managed hosting, this operation also triggers Amazon GameLift Servers to find hosting resources and start a new game session for the new match. Each matchmaking request includes information on one or more players and specifies the FlexMatch matchmaker to use. When a request is for multiple players, FlexMatch attempts to build a match that includes all players in the request, placing them in the same team and finding additional players as needed to fill the match. To start matchmaking, provide a unique ticket ID, specify a matchmaking configuration, and include the players to be matched. You must also include any player attributes that are required by the matchmaking configuration's rule set. If successful, a matchmaking ticket is returned with status set to QUEUED. Track matchmaking events to respond as needed and acquire game session connection information for successfully completed matches. Ticket status updates are tracked using event notification through Amazon Simple Notification Service, which is defined in the matchmaking configuration. Learn more [ Add FlexMatch to a game client](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-client.html)[ Set Up FlexMatch event notification](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-notification.html)[ How Amazon GameLift Servers FlexMatch works](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/gamelift-match.html) /// - /// - Parameter StartMatchmakingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMatchmakingInput`) /// - /// - Returns: `StartMatchmakingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMatchmakingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7863,7 +7767,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMatchmakingOutput.httpOutput(from:), StartMatchmakingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7905,9 +7808,9 @@ extension GameLiftClient { /// /// If successful, Amazon GameLift Servers no longer initiates scaling events except in response to manual changes using [UpdateFleetCapacity](https://docs.aws.amazon.com/gamelift/latest/apireference/API_UpdateFleetCapacity.html). To restart fleet actions again, call [StartFleetActions](https://docs.aws.amazon.com/gamelift/latest/apireference/API_StartFleetActions.html). Learn more [Setting up Amazon GameLift Servers Fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter StopFleetActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopFleetActionsInput`) /// - /// - Returns: `StopFleetActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopFleetActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7943,7 +7846,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopFleetActionsOutput.httpOutput(from:), StopFleetActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7978,9 +7880,9 @@ extension GameLiftClient { /// /// Cancels a game session placement that's in PENDING status. To stop a placement, provide the placement ID value. Results If successful, this operation removes the placement request from the queue and moves the GameSessionPlacement to CANCELLED status. This operation results in an InvalidRequestExecption (400) error if a game session has already been created for this placement. You can clean up an unneeded game session by calling [TerminateGameSession](https://docs.aws.amazon.com/gamelift/latest/apireference/API_TerminateGameSession). /// - /// - Parameter StopGameSessionPlacementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopGameSessionPlacementInput`) /// - /// - Returns: `StopGameSessionPlacementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopGameSessionPlacementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8015,7 +7917,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopGameSessionPlacementOutput.httpOutput(from:), StopGameSessionPlacementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8050,9 +7951,9 @@ extension GameLiftClient { /// /// Cancels a matchmaking ticket or match backfill ticket that is currently being processed. To stop the matchmaking operation, specify the ticket ID. If successful, work on the ticket is stopped, and the ticket status is changed to CANCELLED. This call is also used to turn off automatic backfill for an individual game session. This is for game sessions that are created with a matchmaking configuration that has automatic backfill enabled. The ticket ID is included in the MatchmakerData of an updated game session object, which is provided to the game server. If the operation is successful, the service sends back an empty JSON struct with the HTTP 200 response (not an empty HTTP body). Learn more [ Add FlexMatch to a game client](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-client.html) /// - /// - Parameter StopMatchmakingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopMatchmakingInput`) /// - /// - Returns: `StopMatchmakingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopMatchmakingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8087,7 +7988,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopMatchmakingOutput.httpOutput(from:), StopMatchmakingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8127,9 +8027,9 @@ extension GameLiftClient { /// /// To suspend activity, specify a game server group ARN and the type of activity to be suspended. If successful, a GameServerGroup object is returned showing that the activity is listed in SuspendedActions. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter SuspendGameServerGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SuspendGameServerGroupInput`) /// - /// - Returns: `SuspendGameServerGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SuspendGameServerGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8164,7 +8064,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SuspendGameServerGroupOutput.httpOutput(from:), SuspendGameServerGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8199,9 +8098,9 @@ extension GameLiftClient { /// /// Assigns a tag to an Amazon GameLift Servers resource. You can use tags to organize resources, create IAM permissions policies to manage access to groups of resources, customize Amazon Web Services cost breakdowns, and more. This operation handles the permissions necessary to manage tags for Amazon GameLift Servers resources that support tagging. To add a tag to a resource, specify the unique ARN value for the resource and provide a tag list containing one or more tags. The operation succeeds even if the list includes tags that are already assigned to the resource. Learn more [Tagging Amazon Web Services Resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html) in the Amazon Web Services General Reference [ Amazon Web Services Tagging Strategies](http://aws.amazon.com/answers/account-management/aws-tagging-strategies/) Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8237,7 +8136,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8279,9 +8177,9 @@ extension GameLiftClient { /// /// Results If successful, game session termination is initiated. During this activity, the game session status is changed to TERMINATING. When completed, the server process that was hosting the game session has been stopped and replaced with a new server process that's ready to host a new game session. The old game session's status is changed to TERMINATED with a status reason that indicates the termination method used. Learn more [Add Amazon GameLift Servers to your game server](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-sdk-server-api.html) Amazon GameLift Servers server SDK 5 reference guide for OnProcessTerminate() ([C++](https://docs.aws.amazon.com/gamelift/latest/developerguide/integration-server-sdk5-cpp-initsdk.html)) ([C#](https://docs.aws.amazon.com/gamelift/latest/developerguide/integration-server-sdk5-csharp-initsdk.html)) ([Unreal](https://docs.aws.amazon.com/gamelift/latest/developerguide/integration-server-sdk5-unreal-initsdk.html)) ([Go](https://docs.aws.amazon.com/gamelift/latest/developerguide/integration-server-sdk-go-initsdk.html)) /// - /// - Parameter TerminateGameSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateGameSessionInput`) /// - /// - Returns: `TerminateGameSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateGameSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8318,7 +8216,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateGameSessionOutput.httpOutput(from:), TerminateGameSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8353,9 +8250,9 @@ extension GameLiftClient { /// /// Removes a tag assigned to a Amazon GameLift Servers resource. You can use resource tags to organize Amazon Web Services resources for a range of purposes. This operation handles the permissions necessary to manage tags for Amazon GameLift Servers resources that support tagging. To remove a tag from a resource, specify the unique ARN value for the resource and provide a string list containing one or more tags to remove. This operation succeeds even if the list includes tags that aren't assigned to the resource. Learn more [Tagging Amazon Web Services Resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html) in the Amazon Web Services General Reference [ Amazon Web Services Tagging Strategies](http://aws.amazon.com/answers/account-management/aws-tagging-strategies/) Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8391,7 +8288,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8426,9 +8322,9 @@ extension GameLiftClient { /// /// Updates properties for an alias. Specify the unique identifier of the alias to be updated and the new property values. When reassigning an alias to a new fleet, provide an updated routing strategy. If successful, the updated alias record is returned. Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter UpdateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAliasInput`) /// - /// - Returns: `UpdateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8463,7 +8359,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAliasOutput.httpOutput(from:), UpdateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8498,9 +8393,9 @@ extension GameLiftClient { /// /// Updates metadata in a build resource, including the build name and version. To update the metadata, specify the build ID to update and provide the new values. If successful, a build object containing the updated metadata is returned. Learn more [ Upload a Custom Server Build](https://docs.aws.amazon.com/gamelift/latest/developerguide/gamelift-build-intro.html)[All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter UpdateBuildInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBuildInput`) /// - /// - Returns: `UpdateBuildOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBuildOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8535,7 +8430,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBuildOutput.httpOutput(from:), UpdateBuildOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8592,9 +8486,9 @@ extension GameLiftClient { /// /// Results If successful, this operation updates the container fleet resource, and might initiate a new deployment of fleet resources using the deployment configuration provided. A deployment replaces existing fleet instances with new instances that are deployed with the updated fleet properties. The fleet is placed in UPDATING status until the deployment is complete, then return to ACTIVE. You can have only one update deployment active at a time for a fleet. If a second update request initiates a deployment while another deployment is in progress, the first deployment is cancelled. /// - /// - Parameter UpdateContainerFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContainerFleetInput`) /// - /// - Returns: `UpdateContainerFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContainerFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8632,7 +8526,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContainerFleetOutput.httpOutput(from:), UpdateContainerFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8680,9 +8573,9 @@ extension GameLiftClient { /// /// Results: If successful, this operation returns the complete properties of the new container group definition version. If the container group definition version is used in an active fleets, the update automatically initiates a new fleet deployment of the new version. You can track a fleet's deployments using [ListFleetDeployments](https://docs.aws.amazon.com/gamelift/latest/apireference/API_ListFleetDeployments.html). /// - /// - Parameter UpdateContainerGroupDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContainerGroupDefinitionInput`) /// - /// - Returns: `UpdateContainerGroupDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContainerGroupDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8719,7 +8612,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContainerGroupDefinitionOutput.httpOutput(from:), UpdateContainerGroupDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8754,9 +8646,9 @@ extension GameLiftClient { /// /// Updates a fleet's mutable attributes, such as game session protection and resource creation limits. To update fleet attributes, specify the fleet ID and the property values that you want to change. If successful, Amazon GameLift Servers returns the identifiers for the updated fleet. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter UpdateFleetAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFleetAttributesInput`) /// - /// - Returns: `UpdateFleetAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFleetAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8794,7 +8686,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFleetAttributesOutput.httpOutput(from:), UpdateFleetAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8836,9 +8727,9 @@ extension GameLiftClient { /// /// To update capacity for a fleet's home Region, or if the fleet has no remote locations, omit the Location parameter. The fleet must be in ACTIVE status. To update capacity for a fleet's remote location, set the Location parameter to the location to update. The location must be in ACTIVE status. If successful, Amazon GameLift Servers updates the capacity settings and returns the identifiers for the updated fleet and/or location. If a requested change to desired capacity exceeds the instance type's limit, the LimitExceeded exception occurs. Updates often prompt an immediate change in fleet capacity, such as when current capacity is different than the new desired capacity or outside the new limits. In this scenario, Amazon GameLift Servers automatically initiates steps to add or remove instances in the fleet location. You can track a fleet's current capacity by calling [DescribeFleetCapacity](https://docs.aws.amazon.com/gamelift/latest/apireference/API_DescribeFleetCapacity.html) or [DescribeFleetLocationCapacity](https://docs.aws.amazon.com/gamelift/latest/apireference/API_DescribeFleetLocationCapacity.html). Learn more [Scaling fleet capacity](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-manage-capacity.html) /// - /// - Parameter UpdateFleetCapacityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFleetCapacityInput`) /// - /// - Returns: `UpdateFleetCapacityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFleetCapacityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8877,7 +8768,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFleetCapacityOutput.httpOutput(from:), UpdateFleetCapacityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8912,9 +8802,9 @@ extension GameLiftClient { /// /// Updates permissions that allow inbound traffic to connect to game sessions in the fleet. To update settings, specify the fleet ID to be updated and specify the changes to be made. List the permissions you want to add in InboundPermissionAuthorizations, and permissions you want to remove in InboundPermissionRevocations. Permissions to be removed must match existing fleet permissions. If successful, the fleet ID for the updated fleet is returned. For fleets with remote locations, port setting updates can take time to propagate across all locations. You can check the status of updates in each location by calling DescribeFleetPortSettings with a location name. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter UpdateFleetPortSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFleetPortSettingsInput`) /// - /// - Returns: `UpdateFleetPortSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFleetPortSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8952,7 +8842,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFleetPortSettingsOutput.httpOutput(from:), UpdateFleetPortSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8996,9 +8885,9 @@ extension GameLiftClient { /// /// Once a game server is successfully updated, the relevant statuses and timestamps are updated. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter UpdateGameServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGameServerInput`) /// - /// - Returns: `UpdateGameServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGameServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9033,7 +8922,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGameServerOutput.httpOutput(from:), UpdateGameServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9068,9 +8956,9 @@ extension GameLiftClient { /// /// This operation is used with the Amazon GameLift Servers FleetIQ solution and game server groups. Updates Amazon GameLift Servers FleetIQ-specific properties for a game server group. Many Auto Scaling group properties are updated on the Auto Scaling group directly, including the launch template, Auto Scaling policies, and maximum/minimum/desired instance counts. To update the game server group, specify the game server group ID and provide the updated values. Before applying the updates, the new values are validated to ensure that Amazon GameLift Servers FleetIQ can continue to perform instance balancing activity. If successful, a GameServerGroup object is returned. Learn more [Amazon GameLift Servers FleetIQ Guide](https://docs.aws.amazon.com/gamelift/latest/fleetiqguide/gsg-intro.html) /// - /// - Parameter UpdateGameServerGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGameServerGroupInput`) /// - /// - Returns: `UpdateGameServerGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGameServerGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9105,7 +8993,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGameServerGroupOutput.httpOutput(from:), UpdateGameServerGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9140,9 +9027,9 @@ extension GameLiftClient { /// /// Updates the mutable properties of a game session. To update a game session, specify the game session ID and the values you want to change. If successful, the updated GameSession object is returned. [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter UpdateGameSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGameSessionInput`) /// - /// - Returns: `UpdateGameSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGameSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9179,7 +9066,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGameSessionOutput.httpOutput(from:), UpdateGameSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9214,9 +9100,9 @@ extension GameLiftClient { /// /// Updates the configuration of a game session queue, which determines how the queue processes new game session requests. To update settings, specify the queue name to be updated and provide the new settings. When updating destinations, provide a complete list of destinations. Learn more [ Using Multi-Region Queues](https://docs.aws.amazon.com/gamelift/latest/developerguide/queues-intro.html) /// - /// - Parameter UpdateGameSessionQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGameSessionQueueInput`) /// - /// - Returns: `UpdateGameSessionQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGameSessionQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9251,7 +9137,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGameSessionQueueOutput.httpOutput(from:), UpdateGameSessionQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9286,9 +9171,9 @@ extension GameLiftClient { /// /// Updates settings for a FlexMatch matchmaking configuration. These changes affect all matches and game sessions that are created after the update. To update settings, specify the configuration name to be updated and provide the new settings. Learn more [ Design a FlexMatch matchmaker](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-configuration.html) /// - /// - Parameter UpdateMatchmakingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMatchmakingConfigurationInput`) /// - /// - Returns: `UpdateMatchmakingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMatchmakingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9323,7 +9208,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMatchmakingConfigurationOutput.httpOutput(from:), UpdateMatchmakingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9358,9 +9242,9 @@ extension GameLiftClient { /// /// Updates the runtime configuration for the specified fleet. The runtime configuration tells Amazon GameLift Servers how to launch server processes on computes in managed EC2 and Anywhere fleets. You can update a fleet's runtime configuration at any time after the fleet is created; it does not need to be in ACTIVE status. To update runtime configuration, specify the fleet ID and provide a RuntimeConfiguration with an updated set of server process configurations. If successful, the fleet's runtime configuration settings are updated. Fleet computes that run game server processes regularly check for and receive updated runtime configurations. The computes immediately take action to comply with the new configuration by launching new server processes or by not replacing existing processes when they shut down. Updating a fleet's runtime configuration never affects existing server processes. Learn more [Setting up Amazon GameLift Servers fleets](https://docs.aws.amazon.com/gamelift/latest/developerguide/fleets-intro.html) /// - /// - Parameter UpdateRuntimeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuntimeConfigurationInput`) /// - /// - Returns: `UpdateRuntimeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuntimeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9397,7 +9281,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuntimeConfigurationOutput.httpOutput(from:), UpdateRuntimeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9432,9 +9315,9 @@ extension GameLiftClient { /// /// Updates Realtime script metadata and content. To update script metadata, specify the script ID and provide updated name and/or version values. To update script content, provide an updated zip file by pointing to either a local file or an Amazon S3 bucket location. You can use either method regardless of how the original script was uploaded. Use the Version parameter to track updates to the script. If the call is successful, the updated metadata is stored in the script record and a revised script is uploaded to the Amazon GameLift Servers service. Once the script is updated and acquired by a fleet instance, the new version is used for all new game sessions. Learn more [Amazon GameLift Servers Amazon GameLift Servers Realtime](https://docs.aws.amazon.com/gamelift/latest/developerguide/realtime-intro.html) Related actions [All APIs by task](https://docs.aws.amazon.com/gamelift/latest/developerguide/reference-awssdk.html#reference-awssdk-resources-fleets) /// - /// - Parameter UpdateScriptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScriptInput`) /// - /// - Returns: `UpdateScriptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScriptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9469,7 +9352,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScriptOutput.httpOutput(from:), UpdateScriptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9506,9 +9388,9 @@ extension GameLiftClient { /// /// * [Build a rule set](https://docs.aws.amazon.com/gamelift/latest/flexmatchguide/match-rulesets.html) /// - /// - Parameter ValidateMatchmakingRuleSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidateMatchmakingRuleSetInput`) /// - /// - Returns: `ValidateMatchmakingRuleSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidateMatchmakingRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9542,7 +9424,6 @@ extension GameLiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateMatchmakingRuleSetOutput.httpOutput(from:), ValidateMatchmakingRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGameLiftStreams/Sources/AWSGameLiftStreams/GameLiftStreamsClient.swift b/Sources/Services/AWSGameLiftStreams/Sources/AWSGameLiftStreams/GameLiftStreamsClient.swift index 02e31cc54de..61db58b7f8e 100644 --- a/Sources/Services/AWSGameLiftStreams/Sources/AWSGameLiftStreams/GameLiftStreamsClient.swift +++ b/Sources/Services/AWSGameLiftStreams/Sources/AWSGameLiftStreams/GameLiftStreamsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GameLiftStreamsClient: ClientRuntime.Client { public static let clientName = "GameLiftStreamsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GameLiftStreamsClient.GameLiftStreamsClientConfiguration let serviceName = "GameLiftStreams" @@ -375,9 +374,9 @@ extension GameLiftStreamsClient { /// /// Add locations that can host stream sessions. You configure locations and their corresponding capacity for each stream group. Creating a stream group in a location that's nearest to your end users can help minimize latency and improve quality. This operation provisions stream capacity at the specified locations. By default, all locations have 1 or 2 capacity, depending on the stream class option: 2 for 'High' and 1 for 'Ultra' and 'Win2022'. This operation also copies the content files of all associated applications to an internal S3 bucket at each location. This allows Amazon GameLift Streams to host performant stream sessions. /// - /// - Parameter AddStreamGroupLocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddStreamGroupLocationsInput`) /// - /// - Returns: `AddStreamGroupLocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddStreamGroupLocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddStreamGroupLocationsOutput.httpOutput(from:), AddStreamGroupLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension GameLiftStreamsClient { /// /// When you associate, or link, an application with a stream group, then Amazon GameLift Streams can launch the application using the stream group's allocated compute resources. The stream group must be in ACTIVE status. You can reverse this action by using [DisassociateApplications](https://docs.aws.amazon.com/gameliftstreams/latest/apireference/API_DisassociateApplications.html). If a stream group does not already have a linked application, Amazon GameLift Streams will automatically assign the first application provided in ApplicationIdentifiers as the default. /// - /// - Parameter AssociateApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateApplicationsInput`) /// - /// - Returns: `AssociateApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateApplicationsOutput.httpOutput(from:), AssociateApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension GameLiftStreamsClient { /// /// Creates an application resource in Amazon GameLift Streams, which specifies the application content you want to stream, such as a game build or other software, and configures the settings to run it. Before you create an application, upload your application content files to an Amazon Simple Storage Service (Amazon S3) bucket. For more information, see Getting Started in the Amazon GameLift Streams Developer Guide. Make sure that your files in the Amazon S3 bucket are the correct version you want to use. If you change the files at a later time, you will need to create a new Amazon GameLift Streams application. If the request is successful, Amazon GameLift Streams begins to create an application and sets the status to INITIALIZED. When an application reaches READY status, you can use the application to set up stream groups and start streams. To track application status, call [GetApplication](https://docs.aws.amazon.com/gameliftstreams/latest/apireference/API_GetApplication.html). /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -602,9 +598,9 @@ extension GameLiftStreamsClient { /// /// To adjust the capacity of any ACTIVE stream group, call [UpdateStreamGroup](https://docs.aws.amazon.com/gameliftstreams/latest/apireference/API_UpdateStreamGroup.html). If the request is successful, Amazon GameLift Streams begins creating the stream group. Amazon GameLift Streams assigns a unique ID to the stream group resource and sets the status to ACTIVATING. When the stream group reaches ACTIVE status, you can start stream sessions by using [StartStreamSession](https://docs.aws.amazon.com/gameliftstreams/latest/apireference/API_StartStreamSession.html). To check the stream group's status, call [GetStreamGroup](https://docs.aws.amazon.com/gameliftstreams/latest/apireference/API_GetStreamGroup.html). /// - /// - Parameter CreateStreamGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStreamGroupInput`) /// - /// - Returns: `CreateStreamGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStreamGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -645,7 +641,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStreamGroupOutput.httpOutput(from:), CreateStreamGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -711,9 +706,9 @@ extension GameLiftStreamsClient { /// /// For more information about the stream session lifecycle, see [Stream sessions](https://docs.aws.amazon.com/gameliftstreams/latest/developerguide/stream-sessions.html) in the Amazon GameLift Streams Developer Guide. To begin re-connecting to an existing stream session, specify the stream group ID and stream session ID that you want to reconnect to, and the signal request to use with the stream. /// - /// - Parameter CreateStreamSessionConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStreamSessionConnectionInput`) /// - /// - Returns: `CreateStreamSessionConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStreamSessionConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -753,7 +748,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStreamSessionConnectionOutput.httpOutput(from:), CreateStreamSessionConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -796,9 +790,9 @@ extension GameLiftStreamsClient { /// /// If any active stream groups exist for this application, this request returns a ValidationException. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -834,7 +828,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -866,9 +859,9 @@ extension GameLiftStreamsClient { /// /// Permanently deletes all compute resources and information related to a stream group. To delete a stream group, specify the unique stream group identifier. During the deletion process, the stream group's status is DELETING. This operation stops streams in progress and prevents new streams from starting. As a best practice, before deleting the stream group, call [ListStreamSessions](https://docs.aws.amazon.com/gameliftstreams/latest/apireference/API_ListStreamSessions.html) to check for streams in progress and take action to stop them. When you delete a stream group, any application associations referring to that stream group are automatically removed. /// - /// - Parameter DeleteStreamGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStreamGroupInput`) /// - /// - Returns: `DeleteStreamGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStreamGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -904,7 +897,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStreamGroupOutput.httpOutput(from:), DeleteStreamGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -936,9 +928,9 @@ extension GameLiftStreamsClient { /// /// When you disassociate, or unlink, an application from a stream group, you can no longer stream this application by using that stream group's allocated compute resources. Any streams in process will continue until they terminate, which helps avoid interrupting an end-user's stream. Amazon GameLift Streams will not initiate new streams in the stream group using the disassociated application. The disassociate action does not affect the stream capacity of a stream group. If you disassociate the default application, Amazon GameLift Streams will automatically choose a new default application from the remaining associated applications. To change which application is the default application, call [UpdateStreamGroup](https://docs.aws.amazon.com/gameliftstreams/latest/apireference/API_UpdateStreamGroup.html) and specify a new DefaultApplicationIdentifier. /// - /// - Parameter DisassociateApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateApplicationsInput`) /// - /// - Returns: `DisassociateApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +968,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateApplicationsOutput.httpOutput(from:), DisassociateApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1020,9 +1011,9 @@ extension GameLiftStreamsClient { /// /// To verify the status of the exported files, use GetStreamSession. To delete the files, delete the object in the S3 bucket. /// - /// - Parameter ExportStreamSessionFilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportStreamSessionFilesInput`) /// - /// - Returns: `ExportStreamSessionFilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportStreamSessionFilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1060,7 +1051,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportStreamSessionFilesOutput.httpOutput(from:), ExportStreamSessionFilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1082,9 @@ extension GameLiftStreamsClient { /// /// Retrieves properties for an Amazon GameLift Streams application resource. Specify the ID of the application that you want to retrieve. If the operation is successful, it returns properties for the requested application. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1129,7 +1119,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1161,9 +1150,9 @@ extension GameLiftStreamsClient { /// /// Retrieves properties for a Amazon GameLift Streams stream group resource. Specify the ID of the stream group that you want to retrieve. If the operation is successful, it returns properties for the requested stream group. /// - /// - Parameter GetStreamGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStreamGroupInput`) /// - /// - Returns: `GetStreamGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStreamGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1198,7 +1187,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStreamGroupOutput.httpOutput(from:), GetStreamGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1230,9 +1218,9 @@ extension GameLiftStreamsClient { /// /// Retrieves properties for a Amazon GameLift Streams stream session resource. Specify the Amazon Resource Name (ARN) of the stream session that you want to retrieve and its stream group ARN. If the operation is successful, it returns properties for the requested resource. /// - /// - Parameter GetStreamSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStreamSessionInput`) /// - /// - Returns: `GetStreamSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStreamSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1267,7 +1255,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStreamSessionOutput.httpOutput(from:), GetStreamSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1299,9 +1286,9 @@ extension GameLiftStreamsClient { /// /// Retrieves a list of all Amazon GameLift Streams applications that are associated with the Amazon Web Services account in use. This operation returns applications in all statuses, in no particular order. You can paginate the results as needed. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1336,7 +1323,6 @@ extension GameLiftStreamsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1368,9 +1354,9 @@ extension GameLiftStreamsClient { /// /// Retrieves a list of all Amazon GameLift Streams stream groups that are associated with the Amazon Web Services account in use. This operation returns stream groups in all statuses, in no particular order. You can paginate the results as needed. /// - /// - Parameter ListStreamGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamGroupsInput`) /// - /// - Returns: `ListStreamGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1405,7 +1391,6 @@ extension GameLiftStreamsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStreamGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamGroupsOutput.httpOutput(from:), ListStreamGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1437,9 +1422,9 @@ extension GameLiftStreamsClient { /// /// Retrieves a list of Amazon GameLift Streams stream sessions that a stream group is hosting. To retrieve stream sessions, specify the stream group, and optionally filter by stream session status. You can paginate the results as needed. This operation returns the requested stream sessions in no particular order. /// - /// - Parameter ListStreamSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamSessionsInput`) /// - /// - Returns: `ListStreamSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1475,7 +1460,6 @@ extension GameLiftStreamsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStreamSessionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamSessionsOutput.httpOutput(from:), ListStreamSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1507,9 +1491,9 @@ extension GameLiftStreamsClient { /// /// Retrieves a list of Amazon GameLift Streams stream sessions that this user account has access to. In the returned list of stream sessions, the ExportFilesMetadata property only shows the Status value. To get the OutpurUri and StatusReason values, use [GetStreamSession](https://docs.aws.amazon.com/gameliftstreams/latest/apireference/API_GetStreamSession.html). We don't recommend using this operation to regularly check stream session statuses because it's costly. Instead, to check status updates for a specific stream session, use [GetStreamSession](https://docs.aws.amazon.com/gameliftstreams/latest/apireference/API_GetStreamSession.html). /// - /// - Parameter ListStreamSessionsByAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamSessionsByAccountInput`) /// - /// - Returns: `ListStreamSessionsByAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamSessionsByAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1544,7 +1528,6 @@ extension GameLiftStreamsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStreamSessionsByAccountInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamSessionsByAccountOutput.httpOutput(from:), ListStreamSessionsByAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1576,9 +1559,9 @@ extension GameLiftStreamsClient { /// /// Retrieves all tags assigned to a Amazon GameLift Streams resource. To list tags for a resource, specify the ARN value for the resource. Learn more [Tagging Amazon Web Services Resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html) in the Amazon Web Services General Reference [ Amazon Web Services Tagging Strategies](http://aws.amazon.com/answers/account-management/aws-tagging-strategies/) /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1595,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1644,9 +1626,9 @@ extension GameLiftStreamsClient { /// /// Removes a set of remote locations from this stream group. Amazon GameLift Streams works to release allocated compute resources in these location. Thus, stream sessions can no longer start from these locations by using this stream group. Amazon GameLift Streams also deletes the content files of all associated applications that were in Amazon GameLift Streams's internal S3 bucket at this location. You cannot remove the region where you initially created this stream group, known as the primary location. However, you can set the stream capacity to zero. /// - /// - Parameter RemoveStreamGroupLocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveStreamGroupLocationsInput`) /// - /// - Returns: `RemoveStreamGroupLocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveStreamGroupLocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1682,7 +1664,6 @@ extension GameLiftStreamsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RemoveStreamGroupLocationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveStreamGroupLocationsOutput.httpOutput(from:), RemoveStreamGroupLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1784,9 +1765,9 @@ extension GameLiftStreamsClient { /// /// To start a new stream session, specify a stream group ID and application ID, along with the transport protocol and signal request to use with the stream session. For stream groups that have multiple locations, provide a set of locations ordered by priority using a Locations parameter. Amazon GameLift Streams will start a single stream session in the next available location. An application must be finished replicating to a remote location before the remote location can host a stream. To reconnect to a stream session after a client disconnects or loses connection, use [CreateStreamSessionConnection](https://docs.aws.amazon.com/gameliftstreams/latest/apireference/API_CreateStreamSessionConnection.html). /// - /// - Parameter StartStreamSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartStreamSessionInput`) /// - /// - Returns: `StartStreamSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartStreamSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1826,7 +1807,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartStreamSessionOutput.httpOutput(from:), StartStreamSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1865,9 +1845,9 @@ extension GameLiftStreamsClient { /// /// Learn more [Tagging Amazon Web Services Resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html) in the Amazon Web Services General Reference [ Amazon Web Services Tagging Strategies](http://aws.amazon.com/answers/account-management/aws-tagging-strategies/) /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1904,7 +1884,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1936,9 +1915,9 @@ extension GameLiftStreamsClient { /// /// Permanently terminates an active stream session. When called, the stream session status changes to TERMINATING. You can terminate a stream session in any status except ACTIVATING. If the stream session is in ACTIVATING status, an exception is thrown. /// - /// - Parameter TerminateStreamSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateStreamSessionInput`) /// - /// - Returns: `TerminateStreamSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateStreamSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1973,7 +1952,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateStreamSessionOutput.httpOutput(from:), TerminateStreamSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2005,9 +1983,9 @@ extension GameLiftStreamsClient { /// /// Removes one or more tags from a Amazon GameLift Streams resource. To remove tags, specify the Amazon GameLift Streams resource and a list of one or more tags to remove. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2042,7 +2020,6 @@ extension GameLiftStreamsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2074,9 +2051,9 @@ extension GameLiftStreamsClient { /// /// Updates the mutable configuration settings for a Amazon GameLift Streams application resource. You can change the Description, ApplicationLogOutputUri, and ApplicationLogPaths. To update application settings, specify the application ID and provide the new values. If the operation is successful, it returns the complete updated set of settings for the application. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2114,7 +2091,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2153,9 +2129,9 @@ extension GameLiftStreamsClient { /// /// To update a stream group, specify the stream group's Amazon Resource Name (ARN) and provide the new values. If the request is successful, Amazon GameLift Streams returns the complete updated metadata for the stream group. /// - /// - Parameter UpdateStreamGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStreamGroupInput`) /// - /// - Returns: `UpdateStreamGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStreamGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2195,7 +2171,6 @@ extension GameLiftStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStreamGroupOutput.httpOutput(from:), UpdateStreamGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGeoMaps/Sources/AWSGeoMaps/GeoMapsClient.swift b/Sources/Services/AWSGeoMaps/Sources/AWSGeoMaps/GeoMapsClient.swift index 003ce44e380..252f9f51adf 100644 --- a/Sources/Services/AWSGeoMaps/Sources/AWSGeoMaps/GeoMapsClient.swift +++ b/Sources/Services/AWSGeoMaps/Sources/AWSGeoMaps/GeoMapsClient.swift @@ -22,7 +22,6 @@ import class Smithy.Context import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -63,7 +62,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GeoMapsClient: ClientRuntime.Client { public static let clientName = "GeoMapsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GeoMapsClient.GeoMapsClientConfiguration let serviceName = "Geo Maps" @@ -369,9 +368,9 @@ extension GeoMapsClient { /// /// GetGlyphs returns the map's glyphs. /// - /// - Parameter GetGlyphsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGlyphsInput`) /// - /// - Returns: `GetGlyphsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGlyphsOutput`) public func getGlyphs(input: GetGlyphsInput) async throws -> GetGlyphsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -397,7 +396,6 @@ extension GeoMapsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGlyphsOutput.httpOutput(from:), GetGlyphsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -429,9 +427,9 @@ extension GeoMapsClient { /// /// GetSprites returns the map's sprites. /// - /// - Parameter GetSpritesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSpritesInput`) /// - /// - Returns: `GetSpritesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSpritesOutput`) public func getSprites(input: GetSpritesInput) async throws -> GetSpritesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -457,7 +455,6 @@ extension GeoMapsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSpritesOutput.httpOutput(from:), GetSpritesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -489,9 +486,9 @@ extension GeoMapsClient { /// /// GetStaticMap provides high-quality static map images with customizable options. You can modify the map's appearance and overlay additional information. It's an ideal solution for applications requiring tailored static map snapshots. /// - /// - Parameter GetStaticMapInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStaticMapInput`) /// - /// - Returns: `GetStaticMapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStaticMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -526,7 +523,6 @@ extension GeoMapsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetStaticMapInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStaticMapOutput.httpOutput(from:), GetStaticMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -558,9 +554,9 @@ extension GeoMapsClient { /// /// GetStyleDescriptor returns information about the style. /// - /// - Parameter GetStyleDescriptorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStyleDescriptorInput`) /// - /// - Returns: `GetStyleDescriptorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStyleDescriptorOutput`) public func getStyleDescriptor(input: GetStyleDescriptorInput) async throws -> GetStyleDescriptorOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -587,7 +583,6 @@ extension GeoMapsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetStyleDescriptorInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStyleDescriptorOutput.httpOutput(from:), GetStyleDescriptorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -619,9 +614,9 @@ extension GeoMapsClient { /// /// GetTile returns a tile. Map tiles are used by clients to render a map. they're addressed using a grid arrangement with an X coordinate, Y coordinate, and Z (zoom) level. /// - /// - Parameter GetTileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTileInput`) /// - /// - Returns: `GetTileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -657,7 +652,6 @@ extension GeoMapsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTileOutput.httpOutput(from:), GetTileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGeoPlaces/Sources/AWSGeoPlaces/GeoPlacesClient.swift b/Sources/Services/AWSGeoPlaces/Sources/AWSGeoPlaces/GeoPlacesClient.swift index 43bcfe55ebc..5ff03bda48e 100644 --- a/Sources/Services/AWSGeoPlaces/Sources/AWSGeoPlaces/GeoPlacesClient.swift +++ b/Sources/Services/AWSGeoPlaces/Sources/AWSGeoPlaces/GeoPlacesClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GeoPlacesClient: ClientRuntime.Client { public static let clientName = "GeoPlacesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GeoPlacesClient.GeoPlacesClientConfiguration let serviceName = "Geo Places" @@ -373,9 +372,9 @@ extension GeoPlacesClient { /// /// Autocomplete completes potential places and addresses as the user types, based on the partial input. The API enhances the efficiency and accuracy of address by completing query based on a few entered keystrokes. It helps you by completing partial queries with valid address completion. Also, the API supports the filtering of results based on geographic location, country, or specific place types, and can be tailored using optional parameters like language and political views. /// - /// - Parameter AutocompleteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AutocompleteInput`) /// - /// - Returns: `AutocompleteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AutocompleteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension GeoPlacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AutocompleteOutput.httpOutput(from:), AutocompleteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension GeoPlacesClient { /// /// Geocode converts a textual address or place into geographic coordinates. You can obtain geographic coordinates, address component, and other related information. It supports flexible queries, including free-form text or structured queries with components like street names, postal codes, and regions. The Geocode API can also provide additional features such as time zone information and the inclusion of political views. /// - /// - Parameter GeocodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GeocodeInput`) /// - /// - Returns: `GeocodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GeocodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension GeoPlacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GeocodeOutput.httpOutput(from:), GeocodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension GeoPlacesClient { /// /// GetPlace finds a place by its unique ID. A PlaceId is returned by other place operations. /// - /// - Parameter GetPlaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPlaceInput`) /// - /// - Returns: `GetPlaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPlaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension GeoPlacesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPlaceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlaceOutput.httpOutput(from:), GetPlaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension GeoPlacesClient { /// /// ReverseGeocode converts geographic coordinates into a human-readable address or place. You can obtain address component, and other related information such as place type, category, street information. The Reverse Geocode API supports filtering to on place type so that you can refine result based on your need. Also, The Reverse Geocode API can also provide additional features such as time zone information and the inclusion of political views. /// - /// - Parameter ReverseGeocodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReverseGeocodeInput`) /// - /// - Returns: `ReverseGeocodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReverseGeocodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension GeoPlacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReverseGeocodeOutput.httpOutput(from:), ReverseGeocodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension GeoPlacesClient { /// /// SearchNearby queries for points of interest within a radius from a central coordinates, returning place results with optional filters such as categories, business chains, food types and more. The API returns details such as a place name, address, phone, category, food type, contact, opening hours. Also, the API can return phonemes, time zones and more based on requested parameters. /// - /// - Parameter SearchNearbyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchNearbyInput`) /// - /// - Returns: `SearchNearbyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchNearbyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension GeoPlacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchNearbyOutput.httpOutput(from:), SearchNearbyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension GeoPlacesClient { /// /// SearchText searches for geocode and place information. You can then complete a follow-up query suggested from the Suggest API via a query id. /// - /// - Parameter SearchTextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchTextInput`) /// - /// - Returns: `SearchTextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchTextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -770,7 +764,6 @@ extension GeoPlacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchTextOutput.httpOutput(from:), SearchTextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -802,9 +795,9 @@ extension GeoPlacesClient { /// /// Suggest provides intelligent predictions or recommendations based on the user's input or context, such as relevant places, points of interest, query terms or search category. It is designed to help users find places or point of interests candidates or identify a follow on query based on incomplete or misspelled queries. It returns a list of possible matches or refinements that can be used to formulate a more accurate query. Users can select the most appropriate suggestion and use it for further searching. The API provides options for filtering results by location and other attributes, and allows for additional features like phonemes and timezones. The response includes refined query terms and detailed place information. /// - /// - Parameter SuggestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SuggestInput`) /// - /// - Returns: `SuggestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SuggestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension GeoPlacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SuggestOutput.httpOutput(from:), SuggestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGeoRoutes/Sources/AWSGeoRoutes/GeoRoutesClient.swift b/Sources/Services/AWSGeoRoutes/Sources/AWSGeoRoutes/GeoRoutesClient.swift index 1ac78d6860c..87ddc3216e5 100644 --- a/Sources/Services/AWSGeoRoutes/Sources/AWSGeoRoutes/GeoRoutesClient.swift +++ b/Sources/Services/AWSGeoRoutes/Sources/AWSGeoRoutes/GeoRoutesClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GeoRoutesClient: ClientRuntime.Client { public static let clientName = "GeoRoutesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GeoRoutesClient.GeoRoutesClientConfiguration let serviceName = "Geo Routes" @@ -373,9 +372,9 @@ extension GeoRoutesClient { /// /// Use the CalculateIsolines action to find service areas that can be reached in a given threshold of time, distance. /// - /// - Parameter CalculateIsolinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CalculateIsolinesInput`) /// - /// - Returns: `CalculateIsolinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CalculateIsolinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension GeoRoutesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CalculateIsolinesOutput.httpOutput(from:), CalculateIsolinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension GeoRoutesClient { /// /// Use CalculateRouteMatrix to compute results for all pairs of Origins to Destinations. Each row corresponds to one entry in Origins. Each entry in the row corresponds to the route from that entry in Origins to an entry in Destinations positions. /// - /// - Parameter CalculateRouteMatrixInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CalculateRouteMatrixInput`) /// - /// - Returns: `CalculateRouteMatrixOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CalculateRouteMatrixOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension GeoRoutesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CalculateRouteMatrixOutput.httpOutput(from:), CalculateRouteMatrixOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension GeoRoutesClient { /// /// CalculateRoutes computes routes given the following required parameters: Origin and Destination. /// - /// - Parameter CalculateRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CalculateRoutesInput`) /// - /// - Returns: `CalculateRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CalculateRoutesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension GeoRoutesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CalculateRoutesOutput.httpOutput(from:), CalculateRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -589,9 +585,9 @@ extension GeoRoutesClient { /// /// OptimizeWaypoints calculates the optimal order to travel between a set of waypoints to minimize either the travel time or the distance travelled during the journey, based on road network restrictions and the traffic pattern data. /// - /// - Parameter OptimizeWaypointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `OptimizeWaypointsInput`) /// - /// - Returns: `OptimizeWaypointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `OptimizeWaypointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension GeoRoutesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(OptimizeWaypointsOutput.httpOutput(from:), OptimizeWaypointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension GeoRoutesClient { /// /// SnapToRoads matches GPS trace to roads most likely traveled on. /// - /// - Parameter SnapToRoadsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SnapToRoadsInput`) /// - /// - Returns: `SnapToRoadsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SnapToRoadsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension GeoRoutesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SnapToRoadsOutput.httpOutput(from:), SnapToRoadsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGlacier/Sources/AWSGlacier/GlacierClient.swift b/Sources/Services/AWSGlacier/Sources/AWSGlacier/GlacierClient.swift index c840966dc91..97141d7e639 100644 --- a/Sources/Services/AWSGlacier/Sources/AWSGlacier/GlacierClient.swift +++ b/Sources/Services/AWSGlacier/Sources/AWSGlacier/GlacierClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -74,7 +73,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GlacierClient: ClientRuntime.Client { public static let clientName = "GlacierClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GlacierClient.GlacierClientConfiguration let serviceName = "Glacier" @@ -380,9 +379,9 @@ extension GlacierClient { /// /// This operation aborts a multipart upload identified by the upload ID. After the Abort Multipart Upload request succeeds, you cannot upload any more parts to the multipart upload or complete the multipart upload. Aborting a completed upload fails. However, aborting an already-aborted upload will succeed, for a short time. For more information about uploading a part and completing a multipart upload, see [UploadMultipartPart] and [CompleteMultipartUpload]. This operation is idempotent. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Working with Archives in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/working-with-archives.html) and [Abort Multipart Upload](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-multipart-abort-upload.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter AbortMultipartUploadInput : Provides options to abort a multipart upload identified by the upload ID. For information about the underlying REST API, see [Abort Multipart Upload](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-multipart-abort-upload.html). For conceptual information, see [Working with Archives in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/working-with-archives.html). + /// - Parameter input: Provides options to abort a multipart upload identified by the upload ID. For information about the underlying REST API, see [Abort Multipart Upload](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-multipart-abort-upload.html). For conceptual information, see [Working with Archives in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/working-with-archives.html). (Type: `AbortMultipartUploadInput`) /// - /// - Returns: `AbortMultipartUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AbortMultipartUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -425,7 +424,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AbortMultipartUploadOutput.httpOutput(from:), AbortMultipartUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -459,9 +457,9 @@ extension GlacierClient { /// /// This operation aborts the vault locking process if the vault lock is not in the Locked state. If the vault lock is in the Locked state when this operation is requested, the operation returns an AccessDeniedException error. Aborting the vault locking process removes the vault lock policy from the specified vault. A vault lock is put into the InProgress state by calling [InitiateVaultLock]. A vault lock is put into the Locked state by calling [CompleteVaultLock]. You can get the state of a vault lock by calling [GetVaultLock]. For more information about the vault locking process, see [Amazon Glacier Vault Lock](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-lock.html). For more information about vault lock policies, see [Amazon Glacier Access Control with Vault Lock Policies](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-lock-policy.html). This operation is idempotent. You can successfully invoke this operation multiple times, if the vault lock is in the InProgress state or if there is no policy associated with the vault. /// - /// - Parameter AbortVaultLockInput : The input values for AbortVaultLock. + /// - Parameter input: The input values for AbortVaultLock. (Type: `AbortVaultLockInput`) /// - /// - Returns: `AbortVaultLockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AbortVaultLockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -504,7 +502,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AbortVaultLockOutput.httpOutput(from:), AbortVaultLockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -538,9 +535,9 @@ extension GlacierClient { /// /// This operation adds the specified tags to a vault. Each tag is composed of a key and a value. Each vault can have up to 10 tags. If your request would cause the tag limit for the vault to be exceeded, the operation throws the LimitExceededException error. If a tag already exists on the vault under a specified key, the existing key value will be overwritten. For more information about tags, see [Tagging Amazon S3 Glacier Resources](https://docs.aws.amazon.com/amazonglacier/latest/dev/tagging.html). /// - /// - Parameter AddTagsToVaultInput : The input values for AddTagsToVault. + /// - Parameter input: The input values for AddTagsToVault. (Type: `AddTagsToVaultInput`) /// - /// - Returns: `AddTagsToVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsToVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -588,7 +585,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToVaultOutput.httpOutput(from:), AddTagsToVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -622,9 +618,9 @@ extension GlacierClient { /// /// You call this operation to inform Amazon S3 Glacier (Glacier) that all the archive parts have been uploaded and that Glacier can now assemble the archive from the uploaded parts. After assembling and saving the archive to the vault, Glacier returns the URI path of the newly created archive resource. Using the URI path, you can then access the archive. After you upload an archive, you should save the archive ID returned to retrieve the archive at a later point. You can also get the vault inventory to obtain a list of archive IDs in a vault. For more information, see [InitiateJob]. In the request, you must include the computed SHA256 tree hash of the entire archive you have uploaded. For information about computing a SHA256 tree hash, see [Computing Checksums](https://docs.aws.amazon.com/amazonglacier/latest/dev/checksum-calculations.html). On the server side, Glacier also constructs the SHA256 tree hash of the assembled archive. If the values match, Glacier saves the archive to the vault; otherwise, it returns an error, and the operation fails. The [ListParts] operation returns a list of parts uploaded for a specific multipart upload. It includes checksum information for each uploaded part that can be used to debug a bad checksum issue. Additionally, Glacier also checks for any missing content ranges when assembling the archive, if missing content ranges are found, Glacier returns an error and the operation fails. Complete Multipart Upload is an idempotent operation. After your first successful complete multipart upload, if you call the operation again within a short period, the operation will succeed and return the same archive ID. This is useful in the event you experience a network issue that causes an aborted connection or receive a 500 server error, in which case you can repeat your Complete Multipart Upload request and get the same archive ID without creating duplicate archives. Note, however, that after the multipart upload completes, you cannot call the List Parts operation and the multipart upload will not appear in List Multipart Uploads response, even if idempotent complete is possible. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Uploading Large Archives in Parts (Multipart Upload)](https://docs.aws.amazon.com/amazonglacier/latest/dev/uploading-archive-mpu.html) and [Complete Multipart Upload](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-multipart-complete-upload.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter CompleteMultipartUploadInput : Provides options to complete a multipart upload operation. This informs Amazon Glacier that all the archive parts have been uploaded and Amazon S3 Glacier (Glacier) can now assemble the archive from the uploaded parts. After assembling and saving the archive to the vault, Glacier returns the URI path of the newly created archive resource. + /// - Parameter input: Provides options to complete a multipart upload operation. This informs Amazon Glacier that all the archive parts have been uploaded and Amazon S3 Glacier (Glacier) can now assemble the archive from the uploaded parts. After assembling and saving the archive to the vault, Glacier returns the URI path of the newly created archive resource. (Type: `CompleteMultipartUploadInput`) /// - /// - Returns: `CompleteMultipartUploadOutput` : Contains the Amazon S3 Glacier response to your request. For information about the underlying REST API, see [Upload Archive](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-archive-post.html). For conceptual information, see [Working with Archives in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/working-with-archives.html). + /// - Returns: Contains the Amazon S3 Glacier response to your request. For information about the underlying REST API, see [Upload Archive](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-archive-post.html). For conceptual information, see [Working with Archives in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/working-with-archives.html). (Type: `CompleteMultipartUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -668,7 +664,6 @@ extension GlacierClient { builder.serialize(ClientRuntime.HeaderMiddleware(CompleteMultipartUploadInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteMultipartUploadOutput.httpOutput(from:), CompleteMultipartUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -702,9 +697,9 @@ extension GlacierClient { /// /// This operation completes the vault locking process by transitioning the vault lock from the InProgress state to the Locked state, which causes the vault lock policy to become unchangeable. A vault lock is put into the InProgress state by calling [InitiateVaultLock]. You can obtain the state of the vault lock by calling [GetVaultLock]. For more information about the vault locking process, [Amazon Glacier Vault Lock](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-lock.html). This operation is idempotent. This request is always successful if the vault lock is in the Locked state and the provided lock ID matches the lock ID originally used to lock the vault. If an invalid lock ID is passed in the request when the vault lock is in the Locked state, the operation returns an AccessDeniedException error. If an invalid lock ID is passed in the request when the vault lock is in the InProgress state, the operation throws an InvalidParameter error. /// - /// - Parameter CompleteVaultLockInput : The input values for CompleteVaultLock. + /// - Parameter input: The input values for CompleteVaultLock. (Type: `CompleteVaultLockInput`) /// - /// - Returns: `CompleteVaultLockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompleteVaultLockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -747,7 +742,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteVaultLockOutput.httpOutput(from:), CompleteVaultLockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -788,9 +782,9 @@ extension GlacierClient { /// /// This operation is idempotent. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Creating a Vault in Amazon Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/creating-vaults.html) and [Create Vault ](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-vault-put.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter CreateVaultInput : Provides options to create a vault. + /// - Parameter input: Provides options to create a vault. (Type: `CreateVaultInput`) /// - /// - Returns: `CreateVaultOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `CreateVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -833,7 +827,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVaultOutput.httpOutput(from:), CreateVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -874,9 +867,9 @@ extension GlacierClient { /// /// This operation is idempotent. Attempting to delete an already-deleted archive does not result in an error. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Deleting an Archive in Amazon Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/deleting-an-archive.html) and [Delete Archive](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-archive-delete.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter DeleteArchiveInput : Provides options for deleting an archive from an Amazon S3 Glacier vault. + /// - Parameter input: Provides options for deleting an archive from an Amazon S3 Glacier vault. (Type: `DeleteArchiveInput`) /// - /// - Returns: `DeleteArchiveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +912,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteArchiveOutput.httpOutput(from:), DeleteArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +945,9 @@ extension GlacierClient { /// /// This operation deletes a vault. Amazon S3 Glacier will delete a vault only if there are no archives in the vault as of the last inventory and there have been no writes to the vault since the last inventory. If either of these conditions is not satisfied, the vault deletion fails (that is, the vault is not removed) and Amazon S3 Glacier returns an error. You can use [DescribeVault] to return the number of archives in a vault, and you can use [Initiate a Job (POST jobs)](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-initiate-job-post.html) to initiate a new inventory retrieval for a vault. The inventory contains the archive IDs you use to delete archives using [Delete Archive (DELETE archive)](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-archive-delete.html). This operation is idempotent. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Deleting a Vault in Amazon Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/deleting-vaults.html) and [Delete Vault ](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-vault-delete.html) in the Amazon S3 Glacier Developer Guide. /// - /// - Parameter DeleteVaultInput : Provides options for deleting a vault from Amazon S3 Glacier. + /// - Parameter input: Provides options for deleting a vault from Amazon S3 Glacier. (Type: `DeleteVaultInput`) /// - /// - Returns: `DeleteVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -998,7 +990,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVaultOutput.httpOutput(from:), DeleteVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1032,9 +1023,9 @@ extension GlacierClient { /// /// This operation deletes the access policy associated with the specified vault. The operation is eventually consistent; that is, it might take some time for Amazon S3 Glacier to completely remove the access policy, and you might still see the effect of the policy for a short time after you send the delete request. This operation is idempotent. You can invoke delete multiple times, even if there is no policy associated with the vault. For more information about vault access policies, see [Amazon Glacier Access Control with Vault Access Policies](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-access-policy.html). /// - /// - Parameter DeleteVaultAccessPolicyInput : DeleteVaultAccessPolicy input. + /// - Parameter input: DeleteVaultAccessPolicy input. (Type: `DeleteVaultAccessPolicyInput`) /// - /// - Returns: `DeleteVaultAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVaultAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1077,7 +1068,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVaultAccessPolicyOutput.httpOutput(from:), DeleteVaultAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1111,9 +1101,9 @@ extension GlacierClient { /// /// This operation deletes the notification configuration set for a vault. The operation is eventually consistent; that is, it might take some time for Amazon S3 Glacier to completely disable the notifications and you might still receive some notifications for a short time after you send the delete request. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Configuring Vault Notifications in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/configuring-notifications.html) and [Delete Vault Notification Configuration ](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-vault-notifications-delete.html) in the Amazon S3 Glacier Developer Guide. /// - /// - Parameter DeleteVaultNotificationsInput : Provides options for deleting a vault notification configuration from an Amazon Glacier vault. + /// - Parameter input: Provides options for deleting a vault notification configuration from an Amazon Glacier vault. (Type: `DeleteVaultNotificationsInput`) /// - /// - Returns: `DeleteVaultNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVaultNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1156,7 +1146,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVaultNotificationsOutput.httpOutput(from:), DeleteVaultNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1190,9 +1179,9 @@ extension GlacierClient { /// /// This operation returns information about a job you previously initiated, including the job initiation date, the user who initiated the job, the job status code/message and the Amazon SNS topic to notify after Amazon S3 Glacier (Glacier) completes the job. For more information about initiating a job, see [InitiateJob]. This operation enables you to check the status of your job. However, it is strongly recommended that you set up an Amazon SNS topic and specify it in your initiate job request so that Glacier can notify the topic after it completes the job. A job ID will not expire for at least 24 hours after Glacier completes the job. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For more information about using this operation, see the documentation for the underlying REST API [Describe Job](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-describe-job-get.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter DescribeJobInput : Provides options for retrieving a job description. + /// - Parameter input: Provides options for retrieving a job description. (Type: `DescribeJobInput`) /// - /// - Returns: `DescribeJobOutput` : Contains the description of an Amazon S3 Glacier job. + /// - Returns: Contains the description of an Amazon S3 Glacier job. (Type: `DescribeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1235,7 +1224,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobOutput.httpOutput(from:), DescribeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1269,9 +1257,9 @@ extension GlacierClient { /// /// This operation returns information about a vault, including the vault's Amazon Resource Name (ARN), the date the vault was created, the number of archives it contains, and the total size of all the archives in the vault. The number of archives and their total size are as of the last inventory generation. This means that if you add or remove an archive from a vault, and then immediately use Describe Vault, the change in contents will not be immediately reflected. If you want to retrieve the latest inventory of the vault, use [InitiateJob]. Amazon S3 Glacier generates vault inventories approximately daily. For more information, see [Downloading a Vault Inventory in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-inventory.html). An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Retrieving Vault Metadata in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/retrieving-vault-info.html) and [Describe Vault ](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-vault-get.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter DescribeVaultInput : Provides options for retrieving metadata for a specific vault in Amazon Glacier. + /// - Parameter input: Provides options for retrieving metadata for a specific vault in Amazon Glacier. (Type: `DescribeVaultInput`) /// - /// - Returns: `DescribeVaultOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `DescribeVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1314,7 +1302,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVaultOutput.httpOutput(from:), DescribeVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1348,9 +1335,9 @@ extension GlacierClient { /// /// This operation returns the current data retrieval policy for the account and region specified in the GET request. For more information about data retrieval policies, see [Amazon Glacier Data Retrieval Policies](https://docs.aws.amazon.com/amazonglacier/latest/dev/data-retrieval-policy.html). /// - /// - Parameter GetDataRetrievalPolicyInput : Input for GetDataRetrievalPolicy. + /// - Parameter input: Input for GetDataRetrievalPolicy. (Type: `GetDataRetrievalPolicyInput`) /// - /// - Returns: `GetDataRetrievalPolicyOutput` : Contains the Amazon S3 Glacier response to the GetDataRetrievalPolicy request. + /// - Returns: Contains the Amazon S3 Glacier response to the GetDataRetrievalPolicy request. (Type: `GetDataRetrievalPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1392,7 +1379,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataRetrievalPolicyOutput.httpOutput(from:), GetDataRetrievalPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1426,9 +1412,9 @@ extension GlacierClient { /// /// This operation downloads the output of the job you initiated using [InitiateJob]. Depending on the job type you specified when you initiated the job, the output will be either the content of an archive or a vault inventory. You can download all the job output or download a portion of the output by specifying a byte range. In the case of an archive retrieval job, depending on the byte range you specify, Amazon S3 Glacier (Glacier) returns the checksum for the portion of the data. You can compute the checksum on the client and verify that the values match to ensure the portion you downloaded is the correct data. A job ID will not expire for at least 24 hours after Glacier completes the job. That a byte range. For both archive and inventory retrieval jobs, you should verify the downloaded size against the size returned in the headers from the Get Job Output response. For archive retrieval jobs, you should also verify that the size is what you expected. If you download a portion of the output, the expected size is based on the range of bytes you specified. For example, if you specify a range of bytes=0-1048575, you should verify your download size is 1,048,576 bytes. If you download an entire archive, the expected size is the size of the archive when you uploaded it to Amazon S3 Glacier The expected size is also returned in the headers from the Get Job Output response. In the case of an archive retrieval job, depending on the byte range you specify, Glacier returns the checksum for the portion of the data. To ensure the portion you downloaded is the correct data, compute the checksum on the client, verify that the values match, and verify that the size is what you expected. A job ID does not expire for at least 24 hours after Glacier completes the job. That is, you can download the job output within the 24 hours period after Amazon Glacier completes the job. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and the underlying REST API, see [Downloading a Vault Inventory](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-inventory.html), [Downloading an Archive](https://docs.aws.amazon.com/amazonglacier/latest/dev/downloading-an-archive.html), and [Get Job Output ](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-job-output-get.html) /// - /// - Parameter GetJobOutputInput : Provides options for downloading output of an Amazon S3 Glacier job. + /// - Parameter input: Provides options for downloading output of an Amazon S3 Glacier job. (Type: `GetJobOutputInput`) /// - /// - Returns: `GetJobOutputOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `GetJobOutputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1472,7 +1458,6 @@ extension GlacierClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetJobOutputInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobOutputOutput.httpOutput(from:), GetJobOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1506,9 +1491,9 @@ extension GlacierClient { /// /// This operation retrieves the access-policy subresource set on the vault; for more information on setting this subresource, see [Set Vault Access Policy (PUT access-policy)](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-SetVaultAccessPolicy.html). If there is no access policy set on the vault, the operation returns a 404 Not found error. For more information about vault access policies, see [Amazon Glacier Access Control with Vault Access Policies](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-access-policy.html). /// - /// - Parameter GetVaultAccessPolicyInput : Input for GetVaultAccessPolicy. + /// - Parameter input: Input for GetVaultAccessPolicy. (Type: `GetVaultAccessPolicyInput`) /// - /// - Returns: `GetVaultAccessPolicyOutput` : Output for GetVaultAccessPolicy. + /// - Returns: Output for GetVaultAccessPolicy. (Type: `GetVaultAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1551,7 +1536,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVaultAccessPolicyOutput.httpOutput(from:), GetVaultAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1596,9 +1580,9 @@ extension GlacierClient { /// /// A vault lock is put into the InProgress state by calling [InitiateVaultLock]. A vault lock is put into the Locked state by calling [CompleteVaultLock]. You can abort the vault locking process by calling [AbortVaultLock]. For more information about the vault locking process, [Amazon Glacier Vault Lock](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-lock.html). If there is no vault lock policy set on the vault, the operation returns a 404 Not found error. For more information about vault lock policies, [Amazon Glacier Access Control with Vault Lock Policies](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-lock-policy.html). /// - /// - Parameter GetVaultLockInput : The input values for GetVaultLock. + /// - Parameter input: The input values for GetVaultLock. (Type: `GetVaultLockInput`) /// - /// - Returns: `GetVaultLockOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `GetVaultLockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1641,7 +1625,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVaultLockOutput.httpOutput(from:), GetVaultLockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1675,9 +1658,9 @@ extension GlacierClient { /// /// This operation retrieves the notification-configuration subresource of the specified vault. For information about setting a notification configuration on a vault, see [SetVaultNotifications]. If a notification configuration for a vault is not set, the operation returns a 404 Not Found error. For more information about vault notifications, see [Configuring Vault Notifications in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/configuring-notifications.html). An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Configuring Vault Notifications in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/configuring-notifications.html) and [Get Vault Notification Configuration ](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-vault-notifications-get.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter GetVaultNotificationsInput : Provides options for retrieving the notification configuration set on an Amazon Glacier vault. + /// - Parameter input: Provides options for retrieving the notification configuration set on an Amazon Glacier vault. (Type: `GetVaultNotificationsInput`) /// - /// - Returns: `GetVaultNotificationsOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `GetVaultNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1720,7 +1703,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVaultNotificationsOutput.httpOutput(from:), GetVaultNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1754,9 +1736,9 @@ extension GlacierClient { /// /// This operation initiates a job of the specified type, which can be a select, an archival retrieval, or a vault retrieval. For more information about using this operation, see the documentation for the underlying REST API [Initiate a Job](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-initiate-job-post.html). /// - /// - Parameter InitiateJobInput : Provides options for initiating an Amazon S3 Glacier job. + /// - Parameter input: Provides options for initiating an Amazon S3 Glacier job. (Type: `InitiateJobInput`) /// - /// - Returns: `InitiateJobOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `InitiateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1804,7 +1786,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitiateJobOutput.httpOutput(from:), InitiateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1838,9 +1819,9 @@ extension GlacierClient { /// /// This operation initiates a multipart upload. Amazon S3 Glacier creates a multipart upload resource and returns its ID in the response. The multipart upload ID is used in subsequent requests to upload parts of an archive (see [UploadMultipartPart]). When you initiate a multipart upload, you specify the part size in number of bytes. The part size must be a megabyte (1024 KB) multiplied by a power of 2-for example, 1048576 (1 MB), 2097152 (2 MB), 4194304 (4 MB), 8388608 (8 MB), and so on. The minimum allowable part size is 1 MB, and the maximum is 4 GB. Every part you upload to this resource (see [UploadMultipartPart]), except the last one, must have the same size. The last one can be the same size or smaller. For example, suppose you want to upload a 16.2 MB file. If you initiate the multipart upload with a part size of 4 MB, you will upload four parts of 4 MB each and one part of 0.2 MB. You don't need to know the size of the archive when you start a multipart upload because Amazon S3 Glacier does not require you to specify the overall archive size. After you complete the multipart upload, Amazon S3 Glacier (Glacier) removes the multipart upload resource referenced by the ID. Glacier also removes the multipart upload resource if you cancel the multipart upload or it may be removed if there is no activity for a period of 24 hours. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Uploading Large Archives in Parts (Multipart Upload)](https://docs.aws.amazon.com/amazonglacier/latest/dev/uploading-archive-mpu.html) and [Initiate Multipart Upload](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-multipart-initiate-upload.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter InitiateMultipartUploadInput : Provides options for initiating a multipart upload to an Amazon S3 Glacier vault. + /// - Parameter input: Provides options for initiating a multipart upload to an Amazon S3 Glacier vault. (Type: `InitiateMultipartUploadInput`) /// - /// - Returns: `InitiateMultipartUploadOutput` : The Amazon S3 Glacier response to your request. + /// - Returns: The Amazon S3 Glacier response to your request. (Type: `InitiateMultipartUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1884,7 +1865,6 @@ extension GlacierClient { builder.serialize(ClientRuntime.HeaderMiddleware(InitiateMultipartUploadInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitiateMultipartUploadOutput.httpOutput(from:), InitiateMultipartUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1927,9 +1907,9 @@ extension GlacierClient { /// /// You can set one vault lock policy for each vault and this policy can be up to 20 KB in size. For more information about vault lock policies, see [Amazon Glacier Access Control with Vault Lock Policies](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-lock-policy.html). You must complete the vault locking process within 24 hours after the vault lock enters the InProgress state. After the 24 hour window ends, the lock ID expires, the vault automatically exits the InProgress state, and the vault lock policy is removed from the vault. You call [CompleteVaultLock] to complete the vault locking process by setting the state of the vault lock to Locked. After a vault lock is in the Locked state, you cannot initiate a new vault lock for the vault. You can abort the vault locking process by calling [AbortVaultLock]. You can get the state of the vault lock by calling [GetVaultLock]. For more information about the vault locking process, [Amazon Glacier Vault Lock](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-lock.html). If this operation is called when the vault lock is in the InProgress state, the operation returns an AccessDeniedException error. When the vault lock is in the InProgress state you must call [AbortVaultLock] before you can initiate a new vault lock policy. /// - /// - Parameter InitiateVaultLockInput : The input values for InitiateVaultLock. + /// - Parameter input: The input values for InitiateVaultLock. (Type: `InitiateVaultLockInput`) /// - /// - Returns: `InitiateVaultLockOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `InitiateVaultLockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1975,7 +1955,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitiateVaultLockOutput.httpOutput(from:), InitiateVaultLockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2009,9 +1988,9 @@ extension GlacierClient { /// /// This operation lists jobs for a vault, including jobs that are in-progress and jobs that have recently finished. The List Job operation returns a list of these jobs sorted by job initiation time. Amazon Glacier retains recently completed jobs for a period before deleting them; however, it eventually removes completed jobs. The output of completed jobs can be retrieved. Retaining completed jobs for a period of time after they have completed enables you to get a job output in the event you miss the job completion notification or your first attempt to download it fails. For example, suppose you start an archive retrieval job to download an archive. After the job completes, you start to download the archive but encounter a network error. In this scenario, you can retry and download the archive while the job exists. The List Jobs operation supports pagination. You should always check the response Marker field. If there are no more jobs to list, the Marker field is set to null. If there are more jobs to list, the Marker field is set to a non-null value, which you can use to continue the pagination of the list. To return a list of jobs that begins at a specific job, set the marker request parameter to the Marker value for that job that you obtained from a previous List Jobs request. You can set a maximum limit for the number of jobs returned in the response by specifying the limit parameter in the request. The default limit is 50. The number of jobs returned might be fewer than the limit, but the number of returned jobs never exceeds the limit. Additionally, you can filter the jobs list returned by specifying the optional statuscode parameter or completed parameter, or both. Using the statuscode parameter, you can specify to return only jobs that match either the InProgress, Succeeded, or Failed status. Using the completed parameter, you can specify to return only jobs that were completed (true) or jobs that were not completed (false). For more information about using this operation, see the documentation for the underlying REST API [List Jobs](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-jobs-get.html). /// - /// - Parameter ListJobsInput : Provides options for retrieving a job list for an Amazon S3 Glacier vault. + /// - Parameter input: Provides options for retrieving a job list for an Amazon S3 Glacier vault. (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2055,7 +2034,6 @@ extension GlacierClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2089,9 +2067,9 @@ extension GlacierClient { /// /// This operation lists in-progress multipart uploads for the specified vault. An in-progress multipart upload is a multipart upload that has been initiated by an [InitiateMultipartUpload] request, but has not yet been completed or aborted. The list returned in the List Multipart Upload response has no guaranteed order. The List Multipart Uploads operation supports pagination. By default, this operation returns up to 50 multipart uploads in the response. You should always check the response for a marker at which to continue the list; if there are no more items the marker is null. To return a list of multipart uploads that begins at a specific upload, set the marker request parameter to the value you obtained from a previous List Multipart Upload request. You can also limit the number of uploads returned in the response by specifying the limit parameter in the request. Note the difference between this operation and listing parts ([ListParts]). The List Multipart Uploads operation lists all multipart uploads for a vault and does not require a multipart upload ID. The List Parts operation requires a multipart upload ID since parts are associated with a single upload. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and the underlying REST API, see [Working with Archives in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/working-with-archives.html) and [List Multipart Uploads ](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-multipart-list-uploads.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter ListMultipartUploadsInput : Provides options for retrieving list of in-progress multipart uploads for an Amazon Glacier vault. + /// - Parameter input: Provides options for retrieving list of in-progress multipart uploads for an Amazon Glacier vault. (Type: `ListMultipartUploadsInput`) /// - /// - Returns: `ListMultipartUploadsOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `ListMultipartUploadsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2135,7 +2113,6 @@ extension GlacierClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMultipartUploadsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMultipartUploadsOutput.httpOutput(from:), ListMultipartUploadsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2169,9 +2146,9 @@ extension GlacierClient { /// /// This operation lists the parts of an archive that have been uploaded in a specific multipart upload. You can make this request at any time during an in-progress multipart upload before you complete the upload (see [CompleteMultipartUpload]. List Parts returns an error for completed uploads. The list returned in the List Parts response is sorted by part range. The List Parts operation supports pagination. By default, this operation returns up to 50 uploaded parts in the response. You should always check the response for a marker at which to continue the list; if there are no more items the marker is null. To return a list of parts that begins at a specific part, set the marker request parameter to the value you obtained from a previous List Parts request. You can also limit the number of parts returned in the response by specifying the limit parameter in the request. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and the underlying REST API, see [Working with Archives in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/working-with-archives.html) and [List Parts](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-multipart-list-parts.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter ListPartsInput : Provides options for retrieving a list of parts of an archive that have been uploaded in a specific multipart upload. + /// - Parameter input: Provides options for retrieving a list of parts of an archive that have been uploaded in a specific multipart upload. (Type: `ListPartsInput`) /// - /// - Returns: `ListPartsOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `ListPartsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2215,7 +2192,6 @@ extension GlacierClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPartsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPartsOutput.httpOutput(from:), ListPartsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2249,9 +2225,9 @@ extension GlacierClient { /// /// This operation lists the provisioned capacity units for the specified AWS account. /// - /// - Parameter ListProvisionedCapacityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProvisionedCapacityInput`) /// - /// - Returns: `ListProvisionedCapacityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProvisionedCapacityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2293,7 +2269,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProvisionedCapacityOutput.httpOutput(from:), ListProvisionedCapacityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2327,9 +2302,9 @@ extension GlacierClient { /// /// This operation lists all the tags attached to a vault. The operation returns an empty map if there are no tags. For more information about tags, see [Tagging Amazon S3 Glacier Resources](https://docs.aws.amazon.com/amazonglacier/latest/dev/tagging.html). /// - /// - Parameter ListTagsForVaultInput : The input value for ListTagsForVaultInput. + /// - Parameter input: The input value for ListTagsForVaultInput. (Type: `ListTagsForVaultInput`) /// - /// - Returns: `ListTagsForVaultOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `ListTagsForVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2372,7 +2347,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForVaultOutput.httpOutput(from:), ListTagsForVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2406,9 +2380,9 @@ extension GlacierClient { /// /// This operation lists all vaults owned by the calling user's account. The list returned in the response is ASCII-sorted by vault name. By default, this operation returns up to 10 items. If there are more vaults to list, the response marker field contains the vault Amazon Resource Name (ARN) at which to continue the list with a new List Vaults request; otherwise, the marker field is null. To return a list of vaults that begins at a specific vault, set the marker request parameter to the vault ARN you obtained from a previous List Vaults request. You can also limit the number of vaults returned in the response by specifying the limit parameter in the request. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Retrieving Vault Metadata in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/retrieving-vault-info.html) and [List Vaults ](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-vaults-get.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter ListVaultsInput : Provides options to retrieve the vault list owned by the calling user's account. The list provides metadata information for each vault. + /// - Parameter input: Provides options to retrieve the vault list owned by the calling user's account. The list provides metadata information for each vault. (Type: `ListVaultsInput`) /// - /// - Returns: `ListVaultsOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `ListVaultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2452,7 +2426,6 @@ extension GlacierClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVaultsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVaultsOutput.httpOutput(from:), ListVaultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2486,9 +2459,9 @@ extension GlacierClient { /// /// This operation purchases a provisioned capacity unit for an AWS account. /// - /// - Parameter PurchaseProvisionedCapacityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PurchaseProvisionedCapacityInput`) /// - /// - Returns: `PurchaseProvisionedCapacityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PurchaseProvisionedCapacityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2531,7 +2504,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseProvisionedCapacityOutput.httpOutput(from:), PurchaseProvisionedCapacityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2565,9 +2537,9 @@ extension GlacierClient { /// /// This operation removes one or more tags from the set of tags attached to a vault. For more information about tags, see [Tagging Amazon S3 Glacier Resources](https://docs.aws.amazon.com/amazonglacier/latest/dev/tagging.html). This operation is idempotent. The operation will be successful, even if there are no tags attached to the vault. /// - /// - Parameter RemoveTagsFromVaultInput : The input value for RemoveTagsFromVaultInput. + /// - Parameter input: The input value for RemoveTagsFromVaultInput. (Type: `RemoveTagsFromVaultInput`) /// - /// - Returns: `RemoveTagsFromVaultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsFromVaultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2614,7 +2586,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromVaultOutput.httpOutput(from:), RemoveTagsFromVaultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2648,9 +2619,9 @@ extension GlacierClient { /// /// This operation sets and then enacts a data retrieval policy in the region specified in the PUT request. You can set one policy per region for an AWS account. The policy is enacted within a few minutes of a successful PUT operation. The set policy operation does not affect retrieval jobs that were in progress before the policy was enacted. For more information about data retrieval policies, see [Amazon Glacier Data Retrieval Policies](https://docs.aws.amazon.com/amazonglacier/latest/dev/data-retrieval-policy.html). /// - /// - Parameter SetDataRetrievalPolicyInput : SetDataRetrievalPolicy input. + /// - Parameter input: SetDataRetrievalPolicy input. (Type: `SetDataRetrievalPolicyInput`) /// - /// - Returns: `SetDataRetrievalPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetDataRetrievalPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2695,7 +2666,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetDataRetrievalPolicyOutput.httpOutput(from:), SetDataRetrievalPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2729,9 +2699,9 @@ extension GlacierClient { /// /// This operation configures an access policy for a vault and will overwrite an existing policy. To configure a vault access policy, send a PUT request to the access-policy subresource of the vault. An access policy is specific to a vault and is also called a vault subresource. You can set one access policy per vault and the policy can be up to 20 KB in size. For more information about vault access policies, see [Amazon Glacier Access Control with Vault Access Policies](https://docs.aws.amazon.com/amazonglacier/latest/dev/vault-access-policy.html). /// - /// - Parameter SetVaultAccessPolicyInput : SetVaultAccessPolicy input. + /// - Parameter input: SetVaultAccessPolicy input. (Type: `SetVaultAccessPolicyInput`) /// - /// - Returns: `SetVaultAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetVaultAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2777,7 +2747,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetVaultAccessPolicyOutput.httpOutput(from:), SetVaultAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2818,9 +2787,9 @@ extension GlacierClient { /// /// An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Configuring Vault Notifications in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/configuring-notifications.html) and [Set Vault Notification Configuration ](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-vault-notifications-put.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter SetVaultNotificationsInput : Provides options to configure notifications that will be sent when specific events happen to a vault. + /// - Parameter input: Provides options to configure notifications that will be sent when specific events happen to a vault. (Type: `SetVaultNotificationsInput`) /// - /// - Returns: `SetVaultNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetVaultNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2866,7 +2835,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetVaultNotificationsOutput.httpOutput(from:), SetVaultNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2900,9 +2868,9 @@ extension GlacierClient { /// /// This operation adds an archive to a vault. This is a synchronous operation, and for a successful upload, your data is durably persisted. Amazon S3 Glacier returns the archive ID in the x-amz-archive-id header of the response. You must use the archive ID to access your data in Amazon S3 Glacier. After you upload an archive, you should save the archive ID returned so that you can retrieve or delete the archive later. Besides saving the archive ID, you can also index it and give it a friendly name to allow for better searching. You can also use the optional archive description field to specify how the archive is referred to in an external index of archives, such as you might create in Amazon DynamoDB. You can also get the vault inventory to obtain a list of archive IDs in a vault. For more information, see [InitiateJob]. You must provide a SHA256 tree hash of the data you are uploading. For information about computing a SHA256 tree hash, see [Computing Checksums](https://docs.aws.amazon.com/amazonglacier/latest/dev/checksum-calculations.html). You can optionally specify an archive description of up to 1,024 printable ASCII characters. You can get the archive description when you either retrieve the archive or get the vault inventory. For more information, see [InitiateJob]. Amazon Glacier does not interpret the description in any way. An archive description does not need to be unique. You cannot use the description to retrieve or sort the archive list. Archives are immutable. After you upload an archive, you cannot edit the archive or its description. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Uploading an Archive in Amazon Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/uploading-an-archive.html) and [Upload Archive](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-archive-post.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter UploadArchiveInput : Provides options to add an archive to a vault. + /// - Parameter input: Provides options to add an archive to a vault. (Type: `UploadArchiveInput`) /// - /// - Returns: `UploadArchiveOutput` : Contains the Amazon S3 Glacier response to your request. For information about the underlying REST API, see [Upload Archive](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-archive-post.html). For conceptual information, see [Working with Archives in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/working-with-archives.html). + /// - Returns: Contains the Amazon S3 Glacier response to your request. For information about the underlying REST API, see [Upload Archive](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-archive-post.html). For conceptual information, see [Working with Archives in Amazon S3 Glacier](https://docs.aws.amazon.com/amazonglacier/latest/dev/working-with-archives.html). (Type: `UploadArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2950,7 +2918,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadArchiveOutput.httpOutput(from:), UploadArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2993,9 +2960,9 @@ extension GlacierClient { /// /// This operation is idempotent. If you upload the same part multiple times, the data included in the most recent request overwrites the previously uploaded data. An AWS account has full permission to perform all operations (actions). However, AWS Identity and Access Management (IAM) users don't have any permissions by default. You must grant them explicit permission to perform specific actions. For more information, see [Access Control Using AWS Identity and Access Management (IAM)](https://docs.aws.amazon.com/amazonglacier/latest/dev/using-iam-with-amazon-glacier.html). For conceptual information and underlying REST API, see [Uploading Large Archives in Parts (Multipart Upload)](https://docs.aws.amazon.com/amazonglacier/latest/dev/uploading-archive-mpu.html) and [Upload Part ](https://docs.aws.amazon.com/amazonglacier/latest/dev/api-upload-part.html) in the Amazon Glacier Developer Guide. /// - /// - Parameter UploadMultipartPartInput : Provides options to upload a part of an archive in a multipart upload operation. + /// - Parameter input: Provides options to upload a part of an archive in a multipart upload operation. (Type: `UploadMultipartPartInput`) /// - /// - Returns: `UploadMultipartPartOutput` : Contains the Amazon S3 Glacier response to your request. + /// - Returns: Contains the Amazon S3 Glacier response to your request. (Type: `UploadMultipartPartOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3043,7 +3010,6 @@ extension GlacierClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadMultipartPartOutput.httpOutput(from:), UploadMultipartPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGlobalAccelerator/Sources/AWSGlobalAccelerator/GlobalAcceleratorClient.swift b/Sources/Services/AWSGlobalAccelerator/Sources/AWSGlobalAccelerator/GlobalAcceleratorClient.swift index 077ad451d10..593c265aef7 100644 --- a/Sources/Services/AWSGlobalAccelerator/Sources/AWSGlobalAccelerator/GlobalAcceleratorClient.swift +++ b/Sources/Services/AWSGlobalAccelerator/Sources/AWSGlobalAccelerator/GlobalAcceleratorClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GlobalAcceleratorClient: ClientRuntime.Client { public static let clientName = "GlobalAcceleratorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GlobalAcceleratorClient.GlobalAcceleratorClientConfiguration let serviceName = "Global Accelerator" @@ -374,9 +373,9 @@ extension GlobalAcceleratorClient { /// /// Associate a virtual private cloud (VPC) subnet endpoint with your custom routing accelerator. The listener port range must be large enough to support the number of IP addresses that can be specified in your subnet. The number of ports required is: subnet size times the number of ports per destination EC2 instances. For example, a subnet defined as /24 requires a listener port range of at least 255 ports. Note: You must have enough remaining listener ports available to map to the subnet ports, or the call will fail with a LimitExceededException. By default, all destinations in a subnet in a custom routing accelerator cannot receive traffic. To enable all destinations to receive traffic, or to specify individual port mappings that can receive traffic, see the [ AllowCustomRoutingTraffic](https://docs.aws.amazon.com/global-accelerator/latest/api/API_AllowCustomRoutingTraffic.html) operation. /// - /// - Parameter AddCustomRoutingEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddCustomRoutingEndpointsInput`) /// - /// - Returns: `AddCustomRoutingEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddCustomRoutingEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddCustomRoutingEndpointsOutput.httpOutput(from:), AddCustomRoutingEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -456,9 +454,9 @@ extension GlobalAcceleratorClient { /// /// For information about endpoint types and requirements for endpoints that you can add to Global Accelerator, see [ Endpoints for standard accelerators](https://docs.aws.amazon.com/global-accelerator/latest/dg/about-endpoints.html) in the Global Accelerator Developer Guide. /// - /// - Parameter AddEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddEndpointsInput`) /// - /// - Returns: `AddEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -495,7 +493,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddEndpointsOutput.httpOutput(from:), AddEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -530,9 +527,9 @@ extension GlobalAcceleratorClient { /// /// Advertises an IPv4 address range that is provisioned for use with your Amazon Web Services resources through bring your own IP addresses (BYOIP). It can take a few minutes before traffic to the specified addresses starts routing to Amazon Web Services because of propagation delays. To stop advertising the BYOIP address range, use [ WithdrawByoipCidr](https://docs.aws.amazon.com/global-accelerator/latest/api/WithdrawByoipCidr.html). For more information, see [Bring your own IP addresses (BYOIP)](https://docs.aws.amazon.com/global-accelerator/latest/dg/using-byoip.html) in the Global Accelerator Developer Guide. /// - /// - Parameter AdvertiseByoipCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AdvertiseByoipCidrInput`) /// - /// - Returns: `AdvertiseByoipCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AdvertiseByoipCidrOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -568,7 +565,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AdvertiseByoipCidrOutput.httpOutput(from:), AdvertiseByoipCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -603,9 +599,9 @@ extension GlobalAcceleratorClient { /// /// Specify the Amazon EC2 instance (destination) IP addresses and ports for a VPC subnet endpoint that can receive traffic for a custom routing accelerator. You can allow traffic to all destinations in the subnet endpoint, or allow traffic to a specified list of destination IP addresses and ports in the subnet. Note that you cannot specify IP addresses or ports outside of the range that you configured for the endpoint group. After you make changes, you can verify that the updates are complete by checking the status of your accelerator: the status changes from IN_PROGRESS to DEPLOYED. /// - /// - Parameter AllowCustomRoutingTrafficInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AllowCustomRoutingTrafficInput`) /// - /// - Returns: `AllowCustomRoutingTrafficOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AllowCustomRoutingTrafficOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -639,7 +635,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AllowCustomRoutingTrafficOutput.httpOutput(from:), AllowCustomRoutingTrafficOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -674,9 +669,9 @@ extension GlobalAcceleratorClient { /// /// Create an accelerator. An accelerator includes one or more listeners that process inbound connections and direct traffic to one or more endpoint groups, each of which includes endpoints, such as Network Load Balancers. Global Accelerator is a global service that supports endpoints in multiple Amazon Web Services Regions but you must specify the US West (Oregon) Region to create, update, or otherwise work with accelerators. That is, for example, specify --region us-west-2 on Amazon Web Services CLI commands. /// - /// - Parameter CreateAcceleratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAcceleratorInput`) /// - /// - Returns: `CreateAcceleratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAcceleratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -713,7 +708,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAcceleratorOutput.httpOutput(from:), CreateAcceleratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -748,9 +742,9 @@ extension GlobalAcceleratorClient { /// /// Create a cross-account attachment in Global Accelerator. You create a cross-account attachment to specify the principals who have permission to work with resources in accelerators in their own account. You specify, in the same attachment, the resources that are shared. A principal can be an Amazon Web Services account number or the Amazon Resource Name (ARN) for an accelerator. For account numbers that are listed as principals, to work with a resource listed in the attachment, you must sign in to an account specified as a principal. Then, you can work with resources that are listed, with any of your accelerators. If an accelerator ARN is listed in the cross-account attachment as a principal, anyone with permission to make updates to the accelerator can work with resources that are listed in the attachment. Specify each principal and resource separately. To specify two CIDR address pools, list them individually under Resources, and so on. For a command line operation, for example, you might use a statement like the following: "Resources": [{"Cidr": "169.254.60.0/24"},{"Cidr": "169.254.59.0/24"}] For more information, see [ Working with cross-account attachments and resources in Global Accelerator](https://docs.aws.amazon.com/global-accelerator/latest/dg/cross-account-resources.html) in the Global Accelerator Developer Guide. /// - /// - Parameter CreateCrossAccountAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCrossAccountAttachmentInput`) /// - /// - Returns: `CreateCrossAccountAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCrossAccountAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -787,7 +781,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCrossAccountAttachmentOutput.httpOutput(from:), CreateCrossAccountAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -822,9 +815,9 @@ extension GlobalAcceleratorClient { /// /// Create a custom routing accelerator. A custom routing accelerator directs traffic to one of possibly thousands of Amazon EC2 instance destinations running in a single or multiple virtual private clouds (VPC) subnet endpoints. Be aware that, by default, all destination EC2 instances in a VPC subnet endpoint cannot receive traffic. To enable all destinations to receive traffic, or to specify individual port mappings that can receive traffic, see the [ AllowCustomRoutingTraffic](https://docs.aws.amazon.com/global-accelerator/latest/api/API_AllowCustomRoutingTraffic.html) operation. Global Accelerator is a global service that supports endpoints in multiple Amazon Web Services Regions but you must specify the US West (Oregon) Region to create, update, or otherwise work with accelerators. That is, for example, specify --region us-west-2 on Amazon Web Services CLI commands. /// - /// - Parameter CreateCustomRoutingAcceleratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomRoutingAcceleratorInput`) /// - /// - Returns: `CreateCustomRoutingAcceleratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomRoutingAcceleratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -861,7 +854,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomRoutingAcceleratorOutput.httpOutput(from:), CreateCustomRoutingAcceleratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -896,9 +888,9 @@ extension GlobalAcceleratorClient { /// /// Create an endpoint group for the specified listener for a custom routing accelerator. An endpoint group is a collection of endpoints in one Amazon Web Services Region. /// - /// - Parameter CreateCustomRoutingEndpointGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomRoutingEndpointGroupInput`) /// - /// - Returns: `CreateCustomRoutingEndpointGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomRoutingEndpointGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -938,7 +930,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomRoutingEndpointGroupOutput.httpOutput(from:), CreateCustomRoutingEndpointGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -973,9 +964,9 @@ extension GlobalAcceleratorClient { /// /// Create a listener to process inbound connections from clients to a custom routing accelerator. Connections arrive to assigned static IP addresses on the port range that you specify. /// - /// - Parameter CreateCustomRoutingListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomRoutingListenerInput`) /// - /// - Returns: `CreateCustomRoutingListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomRoutingListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1012,7 +1003,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomRoutingListenerOutput.httpOutput(from:), CreateCustomRoutingListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1047,9 +1037,9 @@ extension GlobalAcceleratorClient { /// /// Create an endpoint group for the specified listener. An endpoint group is a collection of endpoints in one Amazon Web Services Region. A resource must be valid and active when you add it as an endpoint. For more information about endpoint types and requirements for endpoints that you can add to Global Accelerator, see [ Endpoints for standard accelerators](https://docs.aws.amazon.com/global-accelerator/latest/dg/about-endpoints.html) in the Global Accelerator Developer Guide. /// - /// - Parameter CreateEndpointGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEndpointGroupInput`) /// - /// - Returns: `CreateEndpointGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEndpointGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1088,7 +1078,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEndpointGroupOutput.httpOutput(from:), CreateEndpointGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1123,9 +1112,9 @@ extension GlobalAcceleratorClient { /// /// Create a listener to process inbound connections from clients to an accelerator. Connections arrive to assigned static IP addresses on a port, port range, or list of port ranges that you specify. /// - /// - Parameter CreateListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateListenerInput`) /// - /// - Returns: `CreateListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1162,7 +1151,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateListenerOutput.httpOutput(from:), CreateListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1197,9 +1185,9 @@ extension GlobalAcceleratorClient { /// /// Delete an accelerator. Before you can delete an accelerator, you must disable it and remove all dependent resources (listeners and endpoint groups). To disable the accelerator, update the accelerator to set Enabled to false. When you create an accelerator, by default, Global Accelerator provides you with a set of two static IP addresses. Alternatively, you can bring your own IP address ranges to Global Accelerator and assign IP addresses from those ranges. The IP addresses are assigned to your accelerator for as long as it exists, even if you disable the accelerator and it no longer accepts or routes traffic. However, when you delete an accelerator, you lose the static IP addresses that are assigned to the accelerator, so you can no longer route traffic by using them. As a best practice, ensure that you have permissions in place to avoid inadvertently deleting accelerators. You can use IAM policies with Global Accelerator to limit the users who have permissions to delete an accelerator. For more information, see [Identity and access management](https://docs.aws.amazon.com/global-accelerator/latest/dg/auth-and-access-control.html) in the Global Accelerator Developer Guide. /// - /// - Parameter DeleteAcceleratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAcceleratorInput`) /// - /// - Returns: `DeleteAcceleratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAcceleratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1236,7 +1224,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAcceleratorOutput.httpOutput(from:), DeleteAcceleratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1271,9 +1258,9 @@ extension GlobalAcceleratorClient { /// /// Delete a cross-account attachment. When you delete an attachment, Global Accelerator revokes the permission to use the resources in the attachment from all principals in the list of principals. Global Accelerator revokes the permission for specific resources. For more information, see [ Working with cross-account attachments and resources in Global Accelerator](https://docs.aws.amazon.com/global-accelerator/latest/dg/cross-account-resources.html) in the Global Accelerator Developer Guide. /// - /// - Parameter DeleteCrossAccountAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCrossAccountAttachmentInput`) /// - /// - Returns: `DeleteCrossAccountAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCrossAccountAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1309,7 +1296,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCrossAccountAttachmentOutput.httpOutput(from:), DeleteCrossAccountAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1344,9 +1330,9 @@ extension GlobalAcceleratorClient { /// /// Delete a custom routing accelerator. Before you can delete an accelerator, you must disable it and remove all dependent resources (listeners and endpoint groups). To disable the accelerator, update the accelerator to set Enabled to false. When you create a custom routing accelerator, by default, Global Accelerator provides you with a set of two static IP addresses. The IP addresses are assigned to your accelerator for as long as it exists, even if you disable the accelerator and it no longer accepts or routes traffic. However, when you delete an accelerator, you lose the static IP addresses that are assigned to the accelerator, so you can no longer route traffic by using them. As a best practice, ensure that you have permissions in place to avoid inadvertently deleting accelerators. You can use IAM policies with Global Accelerator to limit the users who have permissions to delete an accelerator. For more information, see [Identity and access management](https://docs.aws.amazon.com/global-accelerator/latest/dg/auth-and-access-control.html) in the Global Accelerator Developer Guide. /// - /// - Parameter DeleteCustomRoutingAcceleratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomRoutingAcceleratorInput`) /// - /// - Returns: `DeleteCustomRoutingAcceleratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomRoutingAcceleratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1383,7 +1369,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomRoutingAcceleratorOutput.httpOutput(from:), DeleteCustomRoutingAcceleratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1418,9 +1403,9 @@ extension GlobalAcceleratorClient { /// /// Delete an endpoint group from a listener for a custom routing accelerator. /// - /// - Parameter DeleteCustomRoutingEndpointGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomRoutingEndpointGroupInput`) /// - /// - Returns: `DeleteCustomRoutingEndpointGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomRoutingEndpointGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1454,7 +1439,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomRoutingEndpointGroupOutput.httpOutput(from:), DeleteCustomRoutingEndpointGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1489,9 +1473,9 @@ extension GlobalAcceleratorClient { /// /// Delete a listener for a custom routing accelerator. /// - /// - Parameter DeleteCustomRoutingListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomRoutingListenerInput`) /// - /// - Returns: `DeleteCustomRoutingListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomRoutingListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1526,7 +1510,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomRoutingListenerOutput.httpOutput(from:), DeleteCustomRoutingListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1561,9 +1544,9 @@ extension GlobalAcceleratorClient { /// /// Delete an endpoint group from a listener. /// - /// - Parameter DeleteEndpointGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEndpointGroupInput`) /// - /// - Returns: `DeleteEndpointGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEndpointGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1597,7 +1580,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointGroupOutput.httpOutput(from:), DeleteEndpointGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1632,9 +1614,9 @@ extension GlobalAcceleratorClient { /// /// Delete a listener from an accelerator. /// - /// - Parameter DeleteListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteListenerInput`) /// - /// - Returns: `DeleteListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1669,7 +1651,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteListenerOutput.httpOutput(from:), DeleteListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1704,9 +1685,9 @@ extension GlobalAcceleratorClient { /// /// Specify the Amazon EC2 instance (destination) IP addresses and ports for a VPC subnet endpoint that cannot receive traffic for a custom routing accelerator. You can deny traffic to all destinations in the VPC endpoint, or deny traffic to a specified list of destination IP addresses and ports. Note that you cannot specify IP addresses or ports outside of the range that you configured for the endpoint group. After you make changes, you can verify that the updates are complete by checking the status of your accelerator: the status changes from IN_PROGRESS to DEPLOYED. /// - /// - Parameter DenyCustomRoutingTrafficInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DenyCustomRoutingTrafficInput`) /// - /// - Returns: `DenyCustomRoutingTrafficOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DenyCustomRoutingTrafficOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1740,7 +1721,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DenyCustomRoutingTrafficOutput.httpOutput(from:), DenyCustomRoutingTrafficOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1775,9 +1755,9 @@ extension GlobalAcceleratorClient { /// /// Releases the specified address range that you provisioned to use with your Amazon Web Services resources through bring your own IP addresses (BYOIP) and deletes the corresponding address pool. Before you can release an address range, you must stop advertising it by using [WithdrawByoipCidr](https://docs.aws.amazon.com/global-accelerator/latest/api/WithdrawByoipCidr.html) and you must not have any accelerators that are using static IP addresses allocated from its address range. For more information, see [Bring your own IP addresses (BYOIP)](https://docs.aws.amazon.com/global-accelerator/latest/dg/using-byoip.html) in the Global Accelerator Developer Guide. /// - /// - Parameter DeprovisionByoipCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeprovisionByoipCidrInput`) /// - /// - Returns: `DeprovisionByoipCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeprovisionByoipCidrOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1813,7 +1793,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprovisionByoipCidrOutput.httpOutput(from:), DeprovisionByoipCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1848,9 +1827,9 @@ extension GlobalAcceleratorClient { /// /// Describe an accelerator. /// - /// - Parameter DescribeAcceleratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAcceleratorInput`) /// - /// - Returns: `DescribeAcceleratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAcceleratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1884,7 +1863,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAcceleratorOutput.httpOutput(from:), DescribeAcceleratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1919,9 +1897,9 @@ extension GlobalAcceleratorClient { /// /// Describe the attributes of an accelerator. /// - /// - Parameter DescribeAcceleratorAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAcceleratorAttributesInput`) /// - /// - Returns: `DescribeAcceleratorAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAcceleratorAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1955,7 +1933,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAcceleratorAttributesOutput.httpOutput(from:), DescribeAcceleratorAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1990,9 +1967,9 @@ extension GlobalAcceleratorClient { /// /// Gets configuration information about a cross-account attachment. /// - /// - Parameter DescribeCrossAccountAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCrossAccountAttachmentInput`) /// - /// - Returns: `DescribeCrossAccountAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCrossAccountAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2027,7 +2004,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCrossAccountAttachmentOutput.httpOutput(from:), DescribeCrossAccountAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2062,9 +2038,9 @@ extension GlobalAcceleratorClient { /// /// Describe a custom routing accelerator. /// - /// - Parameter DescribeCustomRoutingAcceleratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomRoutingAcceleratorInput`) /// - /// - Returns: `DescribeCustomRoutingAcceleratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomRoutingAcceleratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2098,7 +2074,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomRoutingAcceleratorOutput.httpOutput(from:), DescribeCustomRoutingAcceleratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2133,9 +2108,9 @@ extension GlobalAcceleratorClient { /// /// Describe the attributes of a custom routing accelerator. /// - /// - Parameter DescribeCustomRoutingAcceleratorAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomRoutingAcceleratorAttributesInput`) /// - /// - Returns: `DescribeCustomRoutingAcceleratorAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomRoutingAcceleratorAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2169,7 +2144,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomRoutingAcceleratorAttributesOutput.httpOutput(from:), DescribeCustomRoutingAcceleratorAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2204,9 +2178,9 @@ extension GlobalAcceleratorClient { /// /// Describe an endpoint group for a custom routing accelerator. /// - /// - Parameter DescribeCustomRoutingEndpointGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomRoutingEndpointGroupInput`) /// - /// - Returns: `DescribeCustomRoutingEndpointGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomRoutingEndpointGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2240,7 +2214,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomRoutingEndpointGroupOutput.httpOutput(from:), DescribeCustomRoutingEndpointGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2275,9 +2248,9 @@ extension GlobalAcceleratorClient { /// /// The description of a listener for a custom routing accelerator. /// - /// - Parameter DescribeCustomRoutingListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomRoutingListenerInput`) /// - /// - Returns: `DescribeCustomRoutingListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomRoutingListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2311,7 +2284,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomRoutingListenerOutput.httpOutput(from:), DescribeCustomRoutingListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2346,9 +2318,9 @@ extension GlobalAcceleratorClient { /// /// Describe an endpoint group. /// - /// - Parameter DescribeEndpointGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointGroupInput`) /// - /// - Returns: `DescribeEndpointGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2382,7 +2354,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointGroupOutput.httpOutput(from:), DescribeEndpointGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2417,9 +2388,9 @@ extension GlobalAcceleratorClient { /// /// Describe a listener. /// - /// - Parameter DescribeListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeListenerInput`) /// - /// - Returns: `DescribeListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2453,7 +2424,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeListenerOutput.httpOutput(from:), DescribeListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2488,9 +2458,9 @@ extension GlobalAcceleratorClient { /// /// List the accelerators for an Amazon Web Services account. /// - /// - Parameter ListAcceleratorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAcceleratorsInput`) /// - /// - Returns: `ListAcceleratorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAcceleratorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2524,7 +2494,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAcceleratorsOutput.httpOutput(from:), ListAcceleratorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2559,9 +2528,9 @@ extension GlobalAcceleratorClient { /// /// Lists the IP address ranges that were specified in calls to [ProvisionByoipCidr](https://docs.aws.amazon.com/global-accelerator/latest/api/ProvisionByoipCidr.html), including the current state and a history of state changes. /// - /// - Parameter ListByoipCidrsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListByoipCidrsInput`) /// - /// - Returns: `ListByoipCidrsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListByoipCidrsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2596,7 +2565,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListByoipCidrsOutput.httpOutput(from:), ListByoipCidrsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2631,9 +2599,9 @@ extension GlobalAcceleratorClient { /// /// List the cross-account attachments that have been created in Global Accelerator. /// - /// - Parameter ListCrossAccountAttachmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCrossAccountAttachmentsInput`) /// - /// - Returns: `ListCrossAccountAttachmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCrossAccountAttachmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2668,7 +2636,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCrossAccountAttachmentsOutput.httpOutput(from:), ListCrossAccountAttachmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2703,9 +2670,9 @@ extension GlobalAcceleratorClient { /// /// List the accounts that have cross-account resources. For more information, see [ Working with cross-account attachments and resources in Global Accelerator](https://docs.aws.amazon.com/global-accelerator/latest/dg/cross-account-resources.html) in the Global Accelerator Developer Guide. /// - /// - Parameter ListCrossAccountResourceAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCrossAccountResourceAccountsInput`) /// - /// - Returns: `ListCrossAccountResourceAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCrossAccountResourceAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2738,7 +2705,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCrossAccountResourceAccountsOutput.httpOutput(from:), ListCrossAccountResourceAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2773,9 +2739,9 @@ extension GlobalAcceleratorClient { /// /// List the cross-account resources available to work with. /// - /// - Parameter ListCrossAccountResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCrossAccountResourcesInput`) /// - /// - Returns: `ListCrossAccountResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCrossAccountResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2811,7 +2777,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCrossAccountResourcesOutput.httpOutput(from:), ListCrossAccountResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2846,9 +2811,9 @@ extension GlobalAcceleratorClient { /// /// List the custom routing accelerators for an Amazon Web Services account. /// - /// - Parameter ListCustomRoutingAcceleratorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomRoutingAcceleratorsInput`) /// - /// - Returns: `ListCustomRoutingAcceleratorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomRoutingAcceleratorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2882,7 +2847,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomRoutingAcceleratorsOutput.httpOutput(from:), ListCustomRoutingAcceleratorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2917,9 +2881,9 @@ extension GlobalAcceleratorClient { /// /// List the endpoint groups that are associated with a listener for a custom routing accelerator. /// - /// - Parameter ListCustomRoutingEndpointGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomRoutingEndpointGroupsInput`) /// - /// - Returns: `ListCustomRoutingEndpointGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomRoutingEndpointGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2954,7 +2918,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomRoutingEndpointGroupsOutput.httpOutput(from:), ListCustomRoutingEndpointGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2989,9 +2952,9 @@ extension GlobalAcceleratorClient { /// /// List the listeners for a custom routing accelerator. /// - /// - Parameter ListCustomRoutingListenersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomRoutingListenersInput`) /// - /// - Returns: `ListCustomRoutingListenersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomRoutingListenersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3026,7 +2989,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomRoutingListenersOutput.httpOutput(from:), ListCustomRoutingListenersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3061,9 +3023,9 @@ extension GlobalAcceleratorClient { /// /// Provides a complete mapping from the public accelerator IP address and port to destination EC2 instance IP addresses and ports in the virtual public cloud (VPC) subnet endpoint for a custom routing accelerator. For each subnet endpoint that you add, Global Accelerator creates a new static port mapping for the accelerator. The port mappings don't change after Global Accelerator generates them, so you can retrieve and cache the full mapping on your servers. If you remove a subnet from your accelerator, Global Accelerator removes (reclaims) the port mappings. If you add a subnet to your accelerator, Global Accelerator creates new port mappings (the existing ones don't change). If you add or remove EC2 instances in your subnet, the port mappings don't change, because the mappings are created when you add the subnet to Global Accelerator. The mappings also include a flag for each destination denoting which destination IP addresses and ports are allowed or denied traffic. /// - /// - Parameter ListCustomRoutingPortMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomRoutingPortMappingsInput`) /// - /// - Returns: `ListCustomRoutingPortMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomRoutingPortMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3099,7 +3061,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomRoutingPortMappingsOutput.httpOutput(from:), ListCustomRoutingPortMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3134,9 +3095,9 @@ extension GlobalAcceleratorClient { /// /// List the port mappings for a specific EC2 instance (destination) in a VPC subnet endpoint. The response is the mappings for one destination IP address. This is useful when your subnet endpoint has mappings that span multiple custom routing accelerators in your account, or for scenarios where you only want to list the port mappings for a specific destination instance. /// - /// - Parameter ListCustomRoutingPortMappingsByDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomRoutingPortMappingsByDestinationInput`) /// - /// - Returns: `ListCustomRoutingPortMappingsByDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomRoutingPortMappingsByDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3171,7 +3132,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomRoutingPortMappingsByDestinationOutput.httpOutput(from:), ListCustomRoutingPortMappingsByDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3206,9 +3166,9 @@ extension GlobalAcceleratorClient { /// /// List the endpoint groups that are associated with a listener. /// - /// - Parameter ListEndpointGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEndpointGroupsInput`) /// - /// - Returns: `ListEndpointGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEndpointGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3243,7 +3203,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEndpointGroupsOutput.httpOutput(from:), ListEndpointGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3278,9 +3237,9 @@ extension GlobalAcceleratorClient { /// /// List the listeners for an accelerator. /// - /// - Parameter ListListenersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListListenersInput`) /// - /// - Returns: `ListListenersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListListenersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3315,7 +3274,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListListenersOutput.httpOutput(from:), ListListenersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3350,9 +3308,9 @@ extension GlobalAcceleratorClient { /// /// List all tags for an accelerator. For more information, see [Tagging in Global Accelerator](https://docs.aws.amazon.com/global-accelerator/latest/dg/tagging-in-global-accelerator.html) in the Global Accelerator Developer Guide. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3389,7 +3347,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3424,9 +3381,9 @@ extension GlobalAcceleratorClient { /// /// Provisions an IP address range to use with your Amazon Web Services resources through bring your own IP addresses (BYOIP) and creates a corresponding address pool. After the address range is provisioned, it is ready to be advertised using [ AdvertiseByoipCidr](https://docs.aws.amazon.com/global-accelerator/latest/api/AdvertiseByoipCidr.html). For more information, see [Bring your own IP addresses (BYOIP)](https://docs.aws.amazon.com/global-accelerator/latest/dg/using-byoip.html) in the Global Accelerator Developer Guide. /// - /// - Parameter ProvisionByoipCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ProvisionByoipCidrInput`) /// - /// - Returns: `ProvisionByoipCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ProvisionByoipCidrOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3462,7 +3419,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ProvisionByoipCidrOutput.httpOutput(from:), ProvisionByoipCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3497,9 +3453,9 @@ extension GlobalAcceleratorClient { /// /// Remove endpoints from a custom routing accelerator. /// - /// - Parameter RemoveCustomRoutingEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveCustomRoutingEndpointsInput`) /// - /// - Returns: `RemoveCustomRoutingEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveCustomRoutingEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3536,7 +3492,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveCustomRoutingEndpointsOutput.httpOutput(from:), RemoveCustomRoutingEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3575,9 +3530,9 @@ extension GlobalAcceleratorClient { /// /// * It's faster, because Global Accelerator doesn't need to resolve any endpoints. With the UpdateEndpointGroup API operation, Global Accelerator must resolve all of the endpoints that remain in the group. /// - /// - Parameter RemoveEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveEndpointsInput`) /// - /// - Returns: `RemoveEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3613,7 +3568,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveEndpointsOutput.httpOutput(from:), RemoveEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3648,9 +3602,9 @@ extension GlobalAcceleratorClient { /// /// Add tags to an accelerator resource. For more information, see [Tagging in Global Accelerator](https://docs.aws.amazon.com/global-accelerator/latest/dg/tagging-in-global-accelerator.html) in the Global Accelerator Developer Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3684,7 +3638,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3719,9 +3672,9 @@ extension GlobalAcceleratorClient { /// /// Remove tags from a Global Accelerator resource. When you specify a tag key, the action removes both that key and its associated value. The operation succeeds even if you attempt to remove tags from an accelerator that was already removed. For more information, see [Tagging in Global Accelerator](https://docs.aws.amazon.com/global-accelerator/latest/dg/tagging-in-global-accelerator.html) in the Global Accelerator Developer Guide. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3755,7 +3708,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3801,9 +3753,9 @@ extension GlobalAcceleratorClient { /// /// Be aware that static IP addresses remain assigned to your accelerator for as long as it exists, even if you disable the accelerator and it no longer accepts or routes traffic. However, when you delete the accelerator, you lose the static IP addresses that are assigned to it, so you can no longer route traffic by using them. Global Accelerator is a global service that supports endpoints in multiple Amazon Web Services Regions but you must specify the US West (Oregon) Region to create, update, or otherwise work with accelerators. That is, for example, specify --region us-west-2 on Amazon Web Services CLI commands. /// - /// - Parameter UpdateAcceleratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAcceleratorInput`) /// - /// - Returns: `UpdateAcceleratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAcceleratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3840,7 +3792,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAcceleratorOutput.httpOutput(from:), UpdateAcceleratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3875,9 +3826,9 @@ extension GlobalAcceleratorClient { /// /// Update the attributes for an accelerator. /// - /// - Parameter UpdateAcceleratorAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAcceleratorAttributesInput`) /// - /// - Returns: `UpdateAcceleratorAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAcceleratorAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3913,7 +3864,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAcceleratorAttributesOutput.httpOutput(from:), UpdateAcceleratorAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3948,9 +3898,9 @@ extension GlobalAcceleratorClient { /// /// Update a cross-account attachment to add or remove principals or resources. When you update an attachment to remove a principal (account ID or accelerator) or a resource, Global Accelerator revokes the permission for specific resources. For more information, see [ Working with cross-account attachments and resources in Global Accelerator](https://docs.aws.amazon.com/global-accelerator/latest/dg/cross-account-resources.html) in the Global Accelerator Developer Guide. /// - /// - Parameter UpdateCrossAccountAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCrossAccountAttachmentInput`) /// - /// - Returns: `UpdateCrossAccountAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCrossAccountAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3987,7 +3937,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCrossAccountAttachmentOutput.httpOutput(from:), UpdateCrossAccountAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4022,9 +3971,9 @@ extension GlobalAcceleratorClient { /// /// Update a custom routing accelerator. /// - /// - Parameter UpdateCustomRoutingAcceleratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCustomRoutingAcceleratorInput`) /// - /// - Returns: `UpdateCustomRoutingAcceleratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCustomRoutingAcceleratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4060,7 +4009,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomRoutingAcceleratorOutput.httpOutput(from:), UpdateCustomRoutingAcceleratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4095,9 +4043,9 @@ extension GlobalAcceleratorClient { /// /// Update the attributes for a custom routing accelerator. /// - /// - Parameter UpdateCustomRoutingAcceleratorAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCustomRoutingAcceleratorAttributesInput`) /// - /// - Returns: `UpdateCustomRoutingAcceleratorAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCustomRoutingAcceleratorAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4133,7 +4081,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomRoutingAcceleratorAttributesOutput.httpOutput(from:), UpdateCustomRoutingAcceleratorAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4168,9 +4115,9 @@ extension GlobalAcceleratorClient { /// /// Update a listener for a custom routing accelerator. /// - /// - Parameter UpdateCustomRoutingListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCustomRoutingListenerInput`) /// - /// - Returns: `UpdateCustomRoutingListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCustomRoutingListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4206,7 +4153,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomRoutingListenerOutput.httpOutput(from:), UpdateCustomRoutingListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4241,9 +4187,9 @@ extension GlobalAcceleratorClient { /// /// Update an endpoint group. A resource must be valid and active when you add it as an endpoint. /// - /// - Parameter UpdateEndpointGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEndpointGroupInput`) /// - /// - Returns: `UpdateEndpointGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEndpointGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4279,7 +4225,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEndpointGroupOutput.httpOutput(from:), UpdateEndpointGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4314,9 +4259,9 @@ extension GlobalAcceleratorClient { /// /// Update a listener. /// - /// - Parameter UpdateListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateListenerInput`) /// - /// - Returns: `UpdateListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4352,7 +4297,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateListenerOutput.httpOutput(from:), UpdateListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4387,9 +4331,9 @@ extension GlobalAcceleratorClient { /// /// Stops advertising an address range that is provisioned as an address pool. You can perform this operation at most once every 10 seconds, even if you specify different address ranges each time. It can take a few minutes before traffic to the specified addresses stops routing to Amazon Web Services because of propagation delays. For more information, see [Bring your own IP addresses (BYOIP)](https://docs.aws.amazon.com/global-accelerator/latest/dg/using-byoip.html) in the Global Accelerator Developer Guide. /// - /// - Parameter WithdrawByoipCidrInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `WithdrawByoipCidrInput`) /// - /// - Returns: `WithdrawByoipCidrOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `WithdrawByoipCidrOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4425,7 +4369,6 @@ extension GlobalAcceleratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(WithdrawByoipCidrOutput.httpOutput(from:), WithdrawByoipCidrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGlue/Sources/AWSGlue/GlueClient.swift b/Sources/Services/AWSGlue/Sources/AWSGlue/GlueClient.swift index 213ea2b47a4..fb96c3429df 100644 --- a/Sources/Services/AWSGlue/Sources/AWSGlue/GlueClient.swift +++ b/Sources/Services/AWSGlue/Sources/AWSGlue/GlueClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GlueClient: ClientRuntime.Client { public static let clientName = "GlueClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GlueClient.GlueClientConfiguration let serviceName = "Glue" @@ -375,9 +374,9 @@ extension GlueClient { /// /// Creates one or more partitions in a batch operation. /// - /// - Parameter BatchCreatePartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreatePartitionInput`) /// - /// - Returns: `BatchCreatePartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreatePartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreatePartitionOutput.httpOutput(from:), BatchCreatePartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension GlueClient { /// /// Deletes a list of connection definitions from the Data Catalog. /// - /// - Parameter BatchDeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteConnectionInput`) /// - /// - Returns: `BatchDeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteConnectionOutput.httpOutput(from:), BatchDeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension GlueClient { /// /// Deletes one or more partitions in a batch operation. /// - /// - Parameter BatchDeletePartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeletePartitionInput`) /// - /// - Returns: `BatchDeletePartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeletePartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeletePartitionOutput.httpOutput(from:), BatchDeletePartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension GlueClient { /// /// Deletes multiple tables at once. After completing this operation, you no longer have access to the table versions and partitions that belong to the deleted table. Glue deletes these "orphaned" resources asynchronously in a timely manner, at the discretion of the service. To ensure the immediate deletion of all related resources, before calling BatchDeleteTable, use DeleteTableVersion or BatchDeleteTableVersion, and DeletePartition or BatchDeletePartition, to delete any resources that belong to the table. /// - /// - Parameter BatchDeleteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteTableInput`) /// - /// - Returns: `BatchDeleteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteTableOutput.httpOutput(from:), BatchDeleteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension GlueClient { /// /// Deletes a specified batch of versions of a table. /// - /// - Parameter BatchDeleteTableVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteTableVersionInput`) /// - /// - Returns: `BatchDeleteTableVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteTableVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteTableVersionOutput.httpOutput(from:), BatchDeleteTableVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -738,9 +732,9 @@ extension GlueClient { /// /// Retrieves information about a list of blueprints. /// - /// - Parameter BatchGetBlueprintsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetBlueprintsInput`) /// - /// - Returns: `BatchGetBlueprintsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetBlueprintsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetBlueprintsOutput.httpOutput(from:), BatchGetBlueprintsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension GlueClient { /// /// Returns a list of resource metadata for a given list of crawler names. After calling the ListCrawlers operation, you can call this operation to access the data to which you have been granted permissions. This operation supports all IAM permissions, including permission conditions that uses tags. /// - /// - Parameter BatchGetCrawlersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetCrawlersInput`) /// - /// - Returns: `BatchGetCrawlersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetCrawlersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -844,7 +837,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetCrawlersOutput.httpOutput(from:), BatchGetCrawlersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension GlueClient { /// /// Retrieves the details for the custom patterns specified by a list of names. /// - /// - Parameter BatchGetCustomEntityTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetCustomEntityTypesInput`) /// - /// - Returns: `BatchGetCustomEntityTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetCustomEntityTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -915,7 +907,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetCustomEntityTypesOutput.httpOutput(from:), BatchGetCustomEntityTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -950,9 +941,9 @@ extension GlueClient { /// /// Retrieves a list of data quality results for the specified result IDs. /// - /// - Parameter BatchGetDataQualityResultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetDataQualityResultInput`) /// - /// - Returns: `BatchGetDataQualityResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetDataQualityResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -986,7 +977,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetDataQualityResultOutput.httpOutput(from:), BatchGetDataQualityResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1021,9 +1011,9 @@ extension GlueClient { /// /// Returns a list of resource metadata for a given list of development endpoint names. After calling the ListDevEndpoints operation, you can call this operation to access the data to which you have been granted permissions. This operation supports all IAM permissions, including permission conditions that uses tags. /// - /// - Parameter BatchGetDevEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetDevEndpointsInput`) /// - /// - Returns: `BatchGetDevEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetDevEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1058,7 +1048,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetDevEndpointsOutput.httpOutput(from:), BatchGetDevEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1093,9 +1082,9 @@ extension GlueClient { /// /// Returns a list of resource metadata for a given list of job names. After calling the ListJobs operation, you can call this operation to access the data to which you have been granted permissions. This operation supports all IAM permissions, including permission conditions that uses tags. /// - /// - Parameter BatchGetJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetJobsInput`) /// - /// - Returns: `BatchGetJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1129,7 +1118,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetJobsOutput.httpOutput(from:), BatchGetJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1164,9 +1152,9 @@ extension GlueClient { /// /// Retrieves partitions in a batch request. /// - /// - Parameter BatchGetPartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetPartitionInput`) /// - /// - Returns: `BatchGetPartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetPartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1205,7 +1193,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetPartitionOutput.httpOutput(from:), BatchGetPartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1240,9 +1227,9 @@ extension GlueClient { /// /// Returns the configuration for the specified table optimizers. /// - /// - Parameter BatchGetTableOptimizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetTableOptimizerInput`) /// - /// - Returns: `BatchGetTableOptimizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetTableOptimizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1278,7 +1265,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetTableOptimizerOutput.httpOutput(from:), BatchGetTableOptimizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1313,9 +1299,9 @@ extension GlueClient { /// /// Returns a list of resource metadata for a given list of trigger names. After calling the ListTriggers operation, you can call this operation to access the data to which you have been granted permissions. This operation supports all IAM permissions, including permission conditions that uses tags. /// - /// - Parameter BatchGetTriggersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetTriggersInput`) /// - /// - Returns: `BatchGetTriggersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetTriggersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1349,7 +1335,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetTriggersOutput.httpOutput(from:), BatchGetTriggersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1384,9 +1369,9 @@ extension GlueClient { /// /// Returns a list of resource metadata for a given list of workflow names. After calling the ListWorkflows operation, you can call this operation to access the data to which you have been granted permissions. This operation supports all IAM permissions, including permission conditions that uses tags. /// - /// - Parameter BatchGetWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetWorkflowsInput`) /// - /// - Returns: `BatchGetWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1420,7 +1405,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetWorkflowsOutput.httpOutput(from:), BatchGetWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1455,9 +1439,9 @@ extension GlueClient { /// /// Annotate datapoints over time for a specific data quality statistic. The API requires both profileID and statisticID as part of the InclusionAnnotation input. The API only works for a single statisticId across multiple profiles. /// - /// - Parameter BatchPutDataQualityStatisticAnnotationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutDataQualityStatisticAnnotationInput`) /// - /// - Returns: `BatchPutDataQualityStatisticAnnotationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutDataQualityStatisticAnnotationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1492,7 +1476,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutDataQualityStatisticAnnotationOutput.httpOutput(from:), BatchPutDataQualityStatisticAnnotationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1527,9 +1510,9 @@ extension GlueClient { /// /// Stops one or more job runs for a specified job definition. /// - /// - Parameter BatchStopJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchStopJobRunInput`) /// - /// - Returns: `BatchStopJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchStopJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1563,7 +1546,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchStopJobRunOutput.httpOutput(from:), BatchStopJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1598,9 +1580,9 @@ extension GlueClient { /// /// Updates one or more partitions in a batch operation. /// - /// - Parameter BatchUpdatePartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdatePartitionInput`) /// - /// - Returns: `BatchUpdatePartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdatePartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1636,7 +1618,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdatePartitionOutput.httpOutput(from:), BatchUpdatePartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1671,9 +1652,9 @@ extension GlueClient { /// /// Cancels the specified recommendation run that was being used to generate rules. /// - /// - Parameter CancelDataQualityRuleRecommendationRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelDataQualityRuleRecommendationRunInput`) /// - /// - Returns: `CancelDataQualityRuleRecommendationRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelDataQualityRuleRecommendationRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1708,7 +1689,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelDataQualityRuleRecommendationRunOutput.httpOutput(from:), CancelDataQualityRuleRecommendationRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1743,9 +1723,9 @@ extension GlueClient { /// /// Cancels a run where a ruleset is being evaluated against a data source. /// - /// - Parameter CancelDataQualityRulesetEvaluationRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelDataQualityRulesetEvaluationRunInput`) /// - /// - Returns: `CancelDataQualityRulesetEvaluationRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelDataQualityRulesetEvaluationRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1780,7 +1760,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelDataQualityRulesetEvaluationRunOutput.httpOutput(from:), CancelDataQualityRulesetEvaluationRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1815,9 +1794,9 @@ extension GlueClient { /// /// Cancels (stops) a task run. Machine learning task runs are asynchronous tasks that Glue runs on your behalf as part of various machine learning workflows. You can cancel a machine learning task run at any time by calling CancelMLTaskRun with a task run's parent transform's TransformID and the task run's TaskRunId. /// - /// - Parameter CancelMLTaskRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMLTaskRunInput`) /// - /// - Returns: `CancelMLTaskRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMLTaskRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1852,7 +1831,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMLTaskRunOutput.httpOutput(from:), CancelMLTaskRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1887,9 +1865,9 @@ extension GlueClient { /// /// Cancels the statement. /// - /// - Parameter CancelStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelStatementInput`) /// - /// - Returns: `CancelStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1926,7 +1904,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelStatementOutput.httpOutput(from:), CancelStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1961,9 +1938,9 @@ extension GlueClient { /// /// Validates the supplied schema. This call has no side effects, it simply validates using the supplied schema using DataFormat as the format. Since it does not take a schema set name, no compatibility checks are performed. /// - /// - Parameter CheckSchemaVersionValidityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CheckSchemaVersionValidityInput`) /// - /// - Returns: `CheckSchemaVersionValidityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CheckSchemaVersionValidityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1997,7 +1974,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckSchemaVersionValidityOutput.httpOutput(from:), CheckSchemaVersionValidityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2032,9 +2008,9 @@ extension GlueClient { /// /// Registers a blueprint with Glue. /// - /// - Parameter CreateBlueprintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBlueprintInput`) /// - /// - Returns: `CreateBlueprintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2070,7 +2046,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBlueprintOutput.httpOutput(from:), CreateBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2105,9 +2080,9 @@ extension GlueClient { /// /// Creates a new catalog in the Glue Data Catalog. /// - /// - Parameter CreateCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCatalogInput`) /// - /// - Returns: `CreateCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2149,7 +2124,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCatalogOutput.httpOutput(from:), CreateCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2184,9 +2158,9 @@ extension GlueClient { /// /// Creates a classifier in the user's account. This can be a GrokClassifier, an XMLClassifier, a JsonClassifier, or a CsvClassifier, depending on which field of the request is present. /// - /// - Parameter CreateClassifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClassifierInput`) /// - /// - Returns: `CreateClassifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClassifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2220,7 +2194,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClassifierOutput.httpOutput(from:), CreateClassifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2255,9 +2228,9 @@ extension GlueClient { /// /// Creates settings for a column statistics task. /// - /// - Parameter CreateColumnStatisticsTaskSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateColumnStatisticsTaskSettingsInput`) /// - /// - Returns: `CreateColumnStatisticsTaskSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateColumnStatisticsTaskSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2295,7 +2268,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateColumnStatisticsTaskSettingsOutput.httpOutput(from:), CreateColumnStatisticsTaskSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2330,9 +2302,9 @@ extension GlueClient { /// /// Creates a connection definition in the Data Catalog. Connections used for creating federated resources require the IAM glue:PassConnection permission. /// - /// - Parameter CreateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionInput`) /// - /// - Returns: `CreateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2368,7 +2340,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionOutput.httpOutput(from:), CreateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2403,9 +2374,9 @@ extension GlueClient { /// /// Creates a new crawler with specified targets, role, configuration, and optional schedule. At least one crawl target must be specified, in the s3Targets field, the jdbcTargets field, or the DynamoDBTargets field. /// - /// - Parameter CreateCrawlerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCrawlerInput`) /// - /// - Returns: `CreateCrawlerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCrawlerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2440,7 +2411,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCrawlerOutput.httpOutput(from:), CreateCrawlerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2475,9 +2445,9 @@ extension GlueClient { /// /// Creates a custom pattern that is used to detect sensitive data across the columns and rows of your structured data. Each custom pattern you create specifies a regular expression and an optional list of context words. If no context words are passed only a regular expression is checked. /// - /// - Parameter CreateCustomEntityTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomEntityTypeInput`) /// - /// - Returns: `CreateCustomEntityTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomEntityTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2515,7 +2485,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomEntityTypeOutput.httpOutput(from:), CreateCustomEntityTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2550,9 +2519,9 @@ extension GlueClient { /// /// Creates a data quality ruleset with DQDL rules applied to a specified Glue table. You create the ruleset using the Data Quality Definition Language (DQDL). For more information, see the Glue developer guide. /// - /// - Parameter CreateDataQualityRulesetInput : A request to create a data quality ruleset. + /// - Parameter input: A request to create a data quality ruleset. (Type: `CreateDataQualityRulesetInput`) /// - /// - Returns: `CreateDataQualityRulesetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataQualityRulesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2588,7 +2557,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataQualityRulesetOutput.httpOutput(from:), CreateDataQualityRulesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2623,9 +2591,9 @@ extension GlueClient { /// /// Creates a new database in a Data Catalog. /// - /// - Parameter CreateDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatabaseInput`) /// - /// - Returns: `CreateDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2666,7 +2634,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatabaseOutput.httpOutput(from:), CreateDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2701,9 +2668,9 @@ extension GlueClient { /// /// Creates a new development endpoint. /// - /// - Parameter CreateDevEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDevEndpointInput`) /// - /// - Returns: `CreateDevEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDevEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2742,7 +2709,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDevEndpointOutput.httpOutput(from:), CreateDevEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2777,9 +2743,9 @@ extension GlueClient { /// /// Creates a new Glue Identity Center configuration to enable integration between Glue and Amazon Web Services IAM Identity Center for authentication and authorization. /// - /// - Parameter CreateGlueIdentityCenterConfigurationInput : Request to create a new Glue Identity Center configuration. + /// - Parameter input: Request to create a new Glue Identity Center configuration. (Type: `CreateGlueIdentityCenterConfigurationInput`) /// - /// - Returns: `CreateGlueIdentityCenterConfigurationOutput` : Response from creating a new Glue Identity Center configuration. + /// - Returns: Response from creating a new Glue Identity Center configuration. (Type: `CreateGlueIdentityCenterConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2816,7 +2782,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGlueIdentityCenterConfigurationOutput.httpOutput(from:), CreateGlueIdentityCenterConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2851,9 +2816,9 @@ extension GlueClient { /// /// Creates a Zero-ETL integration in the caller's account between two resources with Amazon Resource Names (ARNs): the SourceArn and TargetArn. /// - /// - Parameter CreateIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIntegrationInput`) /// - /// - Returns: `CreateIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2896,7 +2861,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntegrationOutput.httpOutput(from:), CreateIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2931,9 +2895,9 @@ extension GlueClient { /// /// This API can be used for setting up the ResourceProperty of the Glue connection (for the source) or Glue database ARN (for the target). These properties can include the role to access the connection or database. To set both source and target properties the same API needs to be invoked with the Glue connection ARN as ResourceArn with SourceProcessingProperties and the Glue database ARN as ResourceArn with TargetProcessingProperties respectively. /// - /// - Parameter CreateIntegrationResourcePropertyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIntegrationResourcePropertyInput`) /// - /// - Returns: `CreateIntegrationResourcePropertyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIntegrationResourcePropertyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2972,7 +2936,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntegrationResourcePropertyOutput.httpOutput(from:), CreateIntegrationResourcePropertyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3007,9 +2970,9 @@ extension GlueClient { /// /// This API is used to provide optional override properties for the the tables that need to be replicated. These properties can include properties for filtering and partitioning for the source and target tables. To set both source and target properties the same API need to be invoked with the Glue connection ARN as ResourceArn with SourceTableConfig, and the Glue database ARN as ResourceArn with TargetTableConfig respectively. /// - /// - Parameter CreateIntegrationTablePropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIntegrationTablePropertiesInput`) /// - /// - Returns: `CreateIntegrationTablePropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIntegrationTablePropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3047,7 +3010,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntegrationTablePropertiesOutput.httpOutput(from:), CreateIntegrationTablePropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3082,9 +3044,9 @@ extension GlueClient { /// /// Creates a new job definition. /// - /// - Parameter CreateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobInput`) /// - /// - Returns: `CreateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3122,7 +3084,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobOutput.httpOutput(from:), CreateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3157,9 +3118,9 @@ extension GlueClient { /// /// Creates an Glue machine learning transform. This operation creates the transform and all the necessary parameters to train it. Call this operation as the first step in the process of using a machine learning transform (such as the FindMatches transform) for deduplicating data. You can provide an optional Description, in addition to the parameters that you want to use for your algorithm. You must also specify certain parameters for the tasks that Glue runs on your behalf as part of learning from your data and creating a high-quality machine learning transform. These parameters include Role, and optionally, AllocatedCapacity, Timeout, and MaxRetries. For more information, see [Jobs](https://docs.aws.amazon.com/glue/latest/dg/aws-glue-api-jobs-job.html). /// - /// - Parameter CreateMLTransformInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMLTransformInput`) /// - /// - Returns: `CreateMLTransformOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMLTransformOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3197,7 +3158,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMLTransformOutput.httpOutput(from:), CreateMLTransformOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3232,9 +3192,9 @@ extension GlueClient { /// /// Creates a new partition. /// - /// - Parameter CreatePartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePartitionInput`) /// - /// - Returns: `CreatePartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3272,7 +3232,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePartitionOutput.httpOutput(from:), CreatePartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3307,9 +3266,9 @@ extension GlueClient { /// /// Creates a specified partition index in an existing table. /// - /// - Parameter CreatePartitionIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePartitionIndexInput`) /// - /// - Returns: `CreatePartitionIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePartitionIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3347,7 +3306,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePartitionIndexOutput.httpOutput(from:), CreatePartitionIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3382,9 +3340,9 @@ extension GlueClient { /// /// Creates a new registry which may be used to hold a collection of schemas. /// - /// - Parameter CreateRegistryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegistryInput`) /// - /// - Returns: `CreateRegistryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegistryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3421,7 +3379,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegistryOutput.httpOutput(from:), CreateRegistryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3456,9 +3413,9 @@ extension GlueClient { /// /// Creates a new schema set and registers the schema definition. Returns an error if the schema set already exists without actually registering the version. When the schema set is created, a version checkpoint will be set to the first version. Compatibility mode "DISABLED" restricts any additional schema versions from being added after the first schema version. For all other compatibility modes, validation of compatibility settings will be applied only from the second version onwards when the RegisterSchemaVersion API is used. When this API is called without a RegistryId, this will create an entry for a "default-registry" in the registry database tables, if it is not already present. /// - /// - Parameter CreateSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSchemaInput`) /// - /// - Returns: `CreateSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3496,7 +3453,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSchemaOutput.httpOutput(from:), CreateSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3531,9 +3487,9 @@ extension GlueClient { /// /// Transforms a directed acyclic graph (DAG) into code. /// - /// - Parameter CreateScriptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScriptInput`) /// - /// - Returns: `CreateScriptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScriptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3567,7 +3523,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScriptOutput.httpOutput(from:), CreateScriptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3602,9 +3557,9 @@ extension GlueClient { /// /// Creates a new security configuration. A security configuration is a set of security properties that can be used by Glue. You can use a security configuration to encrypt data at rest. For information about using security configurations in Glue, see [Encrypting Data Written by Crawlers, Jobs, and Development Endpoints](https://docs.aws.amazon.com/glue/latest/dg/encryption-security-configuration.html). /// - /// - Parameter CreateSecurityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSecurityConfigurationInput`) /// - /// - Returns: `CreateSecurityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSecurityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3640,7 +3595,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSecurityConfigurationOutput.httpOutput(from:), CreateSecurityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3675,9 +3629,9 @@ extension GlueClient { /// /// Creates a new session. /// - /// - Parameter CreateSessionInput : Request to create a new session. + /// - Parameter input: Request to create a new session. (Type: `CreateSessionInput`) /// - /// - Returns: `CreateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3716,7 +3670,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSessionOutput.httpOutput(from:), CreateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3751,9 +3704,9 @@ extension GlueClient { /// /// Creates a new table definition in the Data Catalog. /// - /// - Parameter CreateTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTableInput`) /// - /// - Returns: `CreateTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3795,7 +3748,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTableOutput.httpOutput(from:), CreateTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3830,9 +3782,9 @@ extension GlueClient { /// /// Creates a new table optimizer for a specific function. /// - /// - Parameter CreateTableOptimizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTableOptimizerInput`) /// - /// - Returns: `CreateTableOptimizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTableOptimizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3870,7 +3822,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTableOptimizerOutput.httpOutput(from:), CreateTableOptimizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3905,9 +3856,9 @@ extension GlueClient { /// /// Creates a new trigger. Job arguments may be logged. Do not pass plaintext secrets as arguments. Retrieve secrets from a Glue Connection, Amazon Web Services Secrets Manager or other secret management mechanism if you intend to keep them within the Job. /// - /// - Parameter CreateTriggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTriggerInput`) /// - /// - Returns: `CreateTriggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTriggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3946,7 +3897,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTriggerOutput.httpOutput(from:), CreateTriggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3981,9 +3931,9 @@ extension GlueClient { /// /// Creates an Glue usage profile. /// - /// - Parameter CreateUsageProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUsageProfileInput`) /// - /// - Returns: `CreateUsageProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUsageProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4020,7 +3970,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUsageProfileOutput.httpOutput(from:), CreateUsageProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4055,9 +4004,9 @@ extension GlueClient { /// /// Creates a new function definition in the Data Catalog. /// - /// - Parameter CreateUserDefinedFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserDefinedFunctionInput`) /// - /// - Returns: `CreateUserDefinedFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserDefinedFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4095,7 +4044,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserDefinedFunctionOutput.httpOutput(from:), CreateUserDefinedFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4130,9 +4078,9 @@ extension GlueClient { /// /// Creates a new workflow. /// - /// - Parameter CreateWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkflowInput`) /// - /// - Returns: `CreateWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4169,7 +4117,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkflowOutput.httpOutput(from:), CreateWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4204,9 +4151,9 @@ extension GlueClient { /// /// Deletes an existing blueprint. /// - /// - Parameter DeleteBlueprintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBlueprintInput`) /// - /// - Returns: `DeleteBlueprintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4240,7 +4187,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBlueprintOutput.httpOutput(from:), DeleteBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4275,9 +4221,9 @@ extension GlueClient { /// /// Removes the specified catalog from the Glue Data Catalog. After completing this operation, you no longer have access to the databases, tables (and all table versions and partitions that might belong to the tables) and the user-defined functions in the deleted catalog. Glue deletes these "orphaned" resources asynchronously in a timely manner, at the discretion of the service. To ensure the immediate deletion of all related resources before calling the DeleteCatalog operation, use DeleteTableVersion (or BatchDeleteTableVersion), DeletePartition (or BatchDeletePartition), DeleteTable (or BatchDeleteTable), DeleteUserDefinedFunction and DeleteDatabase to delete any resources that belong to the catalog. /// - /// - Parameter DeleteCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCatalogInput`) /// - /// - Returns: `DeleteCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4316,7 +4262,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCatalogOutput.httpOutput(from:), DeleteCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4351,9 +4296,9 @@ extension GlueClient { /// /// Removes a classifier from the Data Catalog. /// - /// - Parameter DeleteClassifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClassifierInput`) /// - /// - Returns: `DeleteClassifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClassifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4386,7 +4331,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClassifierOutput.httpOutput(from:), DeleteClassifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4421,9 +4365,9 @@ extension GlueClient { /// /// Delete the partition column statistics of a column. The Identity and Access Management (IAM) permission required for this operation is DeletePartition. /// - /// - Parameter DeleteColumnStatisticsForPartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteColumnStatisticsForPartitionInput`) /// - /// - Returns: `DeleteColumnStatisticsForPartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteColumnStatisticsForPartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4459,7 +4403,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteColumnStatisticsForPartitionOutput.httpOutput(from:), DeleteColumnStatisticsForPartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4494,9 +4437,9 @@ extension GlueClient { /// /// Retrieves table statistics of columns. The Identity and Access Management (IAM) permission required for this operation is DeleteTable. /// - /// - Parameter DeleteColumnStatisticsForTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteColumnStatisticsForTableInput`) /// - /// - Returns: `DeleteColumnStatisticsForTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteColumnStatisticsForTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4532,7 +4475,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteColumnStatisticsForTableOutput.httpOutput(from:), DeleteColumnStatisticsForTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4567,9 +4509,9 @@ extension GlueClient { /// /// Deletes settings for a column statistics task. /// - /// - Parameter DeleteColumnStatisticsTaskSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteColumnStatisticsTaskSettingsInput`) /// - /// - Returns: `DeleteColumnStatisticsTaskSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteColumnStatisticsTaskSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4603,7 +4545,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteColumnStatisticsTaskSettingsOutput.httpOutput(from:), DeleteColumnStatisticsTaskSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4638,9 +4579,9 @@ extension GlueClient { /// /// Deletes a connection from the Data Catalog. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4673,7 +4614,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4708,9 +4648,9 @@ extension GlueClient { /// /// Removes a specified crawler from the Glue Data Catalog, unless the crawler state is RUNNING. /// - /// - Parameter DeleteCrawlerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCrawlerInput`) /// - /// - Returns: `DeleteCrawlerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCrawlerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4745,7 +4685,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCrawlerOutput.httpOutput(from:), DeleteCrawlerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4780,9 +4719,9 @@ extension GlueClient { /// /// Deletes a custom pattern by specifying its name. /// - /// - Parameter DeleteCustomEntityTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomEntityTypeInput`) /// - /// - Returns: `DeleteCustomEntityTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomEntityTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4818,7 +4757,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomEntityTypeOutput.httpOutput(from:), DeleteCustomEntityTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4853,9 +4791,9 @@ extension GlueClient { /// /// Deletes a data quality ruleset. /// - /// - Parameter DeleteDataQualityRulesetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataQualityRulesetInput`) /// - /// - Returns: `DeleteDataQualityRulesetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataQualityRulesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4890,7 +4828,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataQualityRulesetOutput.httpOutput(from:), DeleteDataQualityRulesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4925,9 +4862,9 @@ extension GlueClient { /// /// Removes a specified database from a Data Catalog. After completing this operation, you no longer have access to the tables (and all table versions and partitions that might belong to the tables) and the user-defined functions in the deleted database. Glue deletes these "orphaned" resources asynchronously in a timely manner, at the discretion of the service. To ensure the immediate deletion of all related resources, before calling DeleteDatabase, use DeleteTableVersion or BatchDeleteTableVersion, DeletePartition or BatchDeletePartition, DeleteUserDefinedFunction, and DeleteTable or BatchDeleteTable, to delete any resources that belong to the database. /// - /// - Parameter DeleteDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatabaseInput`) /// - /// - Returns: `DeleteDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4965,7 +4902,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatabaseOutput.httpOutput(from:), DeleteDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5000,9 +4936,9 @@ extension GlueClient { /// /// Deletes a specified development endpoint. /// - /// - Parameter DeleteDevEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDevEndpointInput`) /// - /// - Returns: `DeleteDevEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDevEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5037,7 +4973,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDevEndpointOutput.httpOutput(from:), DeleteDevEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5072,9 +5007,9 @@ extension GlueClient { /// /// Deletes the existing Glue Identity Center configuration, removing the integration between Glue and Amazon Web Services IAM Identity Center. /// - /// - Parameter DeleteGlueIdentityCenterConfigurationInput : Request to delete the existing Glue Identity Center configuration. + /// - Parameter input: Request to delete the existing Glue Identity Center configuration. (Type: `DeleteGlueIdentityCenterConfigurationInput`) /// - /// - Returns: `DeleteGlueIdentityCenterConfigurationOutput` : Response from deleting the Glue Identity Center configuration. + /// - Returns: Response from deleting the Glue Identity Center configuration. (Type: `DeleteGlueIdentityCenterConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5111,7 +5046,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGlueIdentityCenterConfigurationOutput.httpOutput(from:), DeleteGlueIdentityCenterConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5146,9 +5080,9 @@ extension GlueClient { /// /// Deletes the specified Zero-ETL integration. /// - /// - Parameter DeleteIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntegrationInput`) /// - /// - Returns: `DeleteIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5190,7 +5124,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationOutput.httpOutput(from:), DeleteIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5225,9 +5158,9 @@ extension GlueClient { /// /// Deletes the table properties that have been created for the tables that need to be replicated. /// - /// - Parameter DeleteIntegrationTablePropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntegrationTablePropertiesInput`) /// - /// - Returns: `DeleteIntegrationTablePropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntegrationTablePropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5265,7 +5198,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationTablePropertiesOutput.httpOutput(from:), DeleteIntegrationTablePropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5300,9 +5232,9 @@ extension GlueClient { /// /// Deletes a specified job definition. If the job definition is not found, no exception is thrown. /// - /// - Parameter DeleteJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJobInput`) /// - /// - Returns: `DeleteJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5336,7 +5268,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobOutput.httpOutput(from:), DeleteJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5371,9 +5302,9 @@ extension GlueClient { /// /// Deletes an Glue machine learning transform. Machine learning transforms are a special type of transform that use machine learning to learn the details of the transformation to be performed by learning from examples provided by humans. These transformations are then saved by Glue. If you no longer need a transform, you can delete it by calling DeleteMLTransforms. However, any Glue jobs that still reference the deleted transform will no longer succeed. /// - /// - Parameter DeleteMLTransformInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMLTransformInput`) /// - /// - Returns: `DeleteMLTransformOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMLTransformOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5408,7 +5339,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMLTransformOutput.httpOutput(from:), DeleteMLTransformOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5443,9 +5373,9 @@ extension GlueClient { /// /// Deletes a specified partition. /// - /// - Parameter DeletePartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePartitionInput`) /// - /// - Returns: `DeletePartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5480,7 +5410,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePartitionOutput.httpOutput(from:), DeletePartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5515,9 +5444,9 @@ extension GlueClient { /// /// Deletes a specified partition index from an existing table. /// - /// - Parameter DeletePartitionIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePartitionIndexInput`) /// - /// - Returns: `DeletePartitionIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePartitionIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5554,7 +5483,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePartitionIndexOutput.httpOutput(from:), DeletePartitionIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5589,9 +5517,9 @@ extension GlueClient { /// /// Delete the entire registry including schema and all of its versions. To get the status of the delete operation, you can call the GetRegistry API after the asynchronous call. Deleting a registry will deactivate all online operations for the registry such as the UpdateRegistry, CreateSchema, UpdateSchema, and RegisterSchemaVersion APIs. /// - /// - Parameter DeleteRegistryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegistryInput`) /// - /// - Returns: `DeleteRegistryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegistryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5626,7 +5554,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegistryOutput.httpOutput(from:), DeleteRegistryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5661,9 +5588,9 @@ extension GlueClient { /// /// Deletes a specified policy. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5699,7 +5626,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5734,9 +5660,9 @@ extension GlueClient { /// /// Deletes the entire schema set, including the schema set and all of its versions. To get the status of the delete operation, you can call GetSchema API after the asynchronous call. Deleting a registry will deactivate all online operations for the schema, such as the GetSchemaByDefinition, and RegisterSchemaVersion APIs. /// - /// - Parameter DeleteSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSchemaInput`) /// - /// - Returns: `DeleteSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5771,7 +5697,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSchemaOutput.httpOutput(from:), DeleteSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5806,9 +5731,9 @@ extension GlueClient { /// /// Remove versions from the specified schema. A version number or range may be supplied. If the compatibility mode forbids deleting of a version that is necessary, such as BACKWARDS_FULL, an error is returned. Calling the GetSchemaVersions API after this call will list the status of the deleted versions. When the range of version numbers contain check pointed version, the API will return a 409 conflict and will not proceed with the deletion. You have to remove the checkpoint first using the DeleteSchemaCheckpoint API before using this API. You cannot use the DeleteSchemaVersions API to delete the first schema version in the schema set. The first schema version can only be deleted by the DeleteSchema API. This operation will also delete the attached SchemaVersionMetadata under the schema versions. Hard deletes will be enforced on the database. If the compatibility mode forbids deleting of a version that is necessary, such as BACKWARDS_FULL, an error is returned. /// - /// - Parameter DeleteSchemaVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSchemaVersionsInput`) /// - /// - Returns: `DeleteSchemaVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSchemaVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5843,7 +5768,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSchemaVersionsOutput.httpOutput(from:), DeleteSchemaVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5878,9 +5802,9 @@ extension GlueClient { /// /// Deletes a specified security configuration. /// - /// - Parameter DeleteSecurityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSecurityConfigurationInput`) /// - /// - Returns: `DeleteSecurityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSecurityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5915,7 +5839,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSecurityConfigurationOutput.httpOutput(from:), DeleteSecurityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5950,9 +5873,9 @@ extension GlueClient { /// /// Deletes the session. /// - /// - Parameter DeleteSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSessionInput`) /// - /// - Returns: `DeleteSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5989,7 +5912,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSessionOutput.httpOutput(from:), DeleteSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6024,9 +5946,9 @@ extension GlueClient { /// /// Removes a table definition from the Data Catalog. After completing this operation, you no longer have access to the table versions and partitions that belong to the deleted table. Glue deletes these "orphaned" resources asynchronously in a timely manner, at the discretion of the service. To ensure the immediate deletion of all related resources, before calling DeleteTable, use DeleteTableVersion or BatchDeleteTableVersion, and DeletePartition or BatchDeletePartition, to delete any resources that belong to the table. /// - /// - Parameter DeleteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTableInput`) /// - /// - Returns: `DeleteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6065,7 +5987,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTableOutput.httpOutput(from:), DeleteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6100,9 +6021,9 @@ extension GlueClient { /// /// Deletes an optimizer and all associated metadata for a table. The optimization will no longer be performed on the table. /// - /// - Parameter DeleteTableOptimizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTableOptimizerInput`) /// - /// - Returns: `DeleteTableOptimizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTableOptimizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6138,7 +6059,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTableOptimizerOutput.httpOutput(from:), DeleteTableOptimizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6173,9 +6093,9 @@ extension GlueClient { /// /// Deletes a specified version of a table. /// - /// - Parameter DeleteTableVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTableVersionInput`) /// - /// - Returns: `DeleteTableVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTableVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6210,7 +6130,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTableVersionOutput.httpOutput(from:), DeleteTableVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6245,9 +6164,9 @@ extension GlueClient { /// /// Deletes a specified trigger. If the trigger is not found, no exception is thrown. /// - /// - Parameter DeleteTriggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTriggerInput`) /// - /// - Returns: `DeleteTriggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTriggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6282,7 +6201,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTriggerOutput.httpOutput(from:), DeleteTriggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6317,9 +6235,9 @@ extension GlueClient { /// /// Deletes the Glue specified usage profile. /// - /// - Parameter DeleteUsageProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUsageProfileInput`) /// - /// - Returns: `DeleteUsageProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUsageProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6354,7 +6272,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUsageProfileOutput.httpOutput(from:), DeleteUsageProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6389,9 +6306,9 @@ extension GlueClient { /// /// Deletes an existing function definition from the Data Catalog. /// - /// - Parameter DeleteUserDefinedFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserDefinedFunctionInput`) /// - /// - Returns: `DeleteUserDefinedFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserDefinedFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6426,7 +6343,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserDefinedFunctionOutput.httpOutput(from:), DeleteUserDefinedFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6461,9 +6377,9 @@ extension GlueClient { /// /// Deletes a workflow. /// - /// - Parameter DeleteWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkflowInput`) /// - /// - Returns: `DeleteWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6498,7 +6414,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkflowOutput.httpOutput(from:), DeleteWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6533,9 +6448,9 @@ extension GlueClient { /// /// The DescribeConnectionType API provides full details of the supported options for a given connection type in Glue. /// - /// - Parameter DescribeConnectionTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectionTypeInput`) /// - /// - Returns: `DescribeConnectionTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectionTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6570,7 +6485,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectionTypeOutput.httpOutput(from:), DescribeConnectionTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6605,9 +6519,9 @@ extension GlueClient { /// /// Provides details regarding the entity used with the connection type, with a description of the data model for each field in the selected entity. The response includes all the fields which make up the entity. /// - /// - Parameter DescribeEntityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEntityInput`) /// - /// - Returns: `DescribeEntityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6645,7 +6559,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEntityOutput.httpOutput(from:), DescribeEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6680,9 +6593,9 @@ extension GlueClient { /// /// Returns a list of inbound integrations for the specified integration. /// - /// - Parameter DescribeInboundIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInboundIntegrationsInput`) /// - /// - Returns: `DescribeInboundIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInboundIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6722,7 +6635,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInboundIntegrationsOutput.httpOutput(from:), DescribeInboundIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6757,9 +6669,9 @@ extension GlueClient { /// /// The API is used to retrieve a list of integrations. /// - /// - Parameter DescribeIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIntegrationsInput`) /// - /// - Returns: `DescribeIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6797,7 +6709,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIntegrationsOutput.httpOutput(from:), DescribeIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6832,9 +6743,9 @@ extension GlueClient { /// /// Retrieves the details of a blueprint. /// - /// - Parameter GetBlueprintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBlueprintInput`) /// - /// - Returns: `GetBlueprintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6869,7 +6780,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBlueprintOutput.httpOutput(from:), GetBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6904,9 +6814,9 @@ extension GlueClient { /// /// Retrieves the details of a blueprint run. /// - /// - Parameter GetBlueprintRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBlueprintRunInput`) /// - /// - Returns: `GetBlueprintRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBlueprintRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6940,7 +6850,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBlueprintRunOutput.httpOutput(from:), GetBlueprintRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6975,9 +6884,9 @@ extension GlueClient { /// /// Retrieves the details of blueprint runs for a specified blueprint. /// - /// - Parameter GetBlueprintRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBlueprintRunsInput`) /// - /// - Returns: `GetBlueprintRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBlueprintRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7012,7 +6921,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBlueprintRunsOutput.httpOutput(from:), GetBlueprintRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7047,9 +6955,9 @@ extension GlueClient { /// /// The name of the Catalog to retrieve. This should be all lowercase. /// - /// - Parameter GetCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCatalogInput`) /// - /// - Returns: `GetCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7088,7 +6996,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCatalogOutput.httpOutput(from:), GetCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7123,9 +7030,9 @@ extension GlueClient { /// /// Retrieves the status of a migration operation. /// - /// - Parameter GetCatalogImportStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCatalogImportStatusInput`) /// - /// - Returns: `GetCatalogImportStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCatalogImportStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7158,7 +7065,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCatalogImportStatusOutput.httpOutput(from:), GetCatalogImportStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7193,9 +7099,9 @@ extension GlueClient { /// /// Retrieves all catalogs defined in a catalog in the Glue Data Catalog. For a Redshift-federated catalog use case, this operation returns the list of catalogs mapped to Redshift databases in the Redshift namespace catalog. /// - /// - Parameter GetCatalogsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCatalogsInput`) /// - /// - Returns: `GetCatalogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCatalogsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7234,7 +7140,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCatalogsOutput.httpOutput(from:), GetCatalogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7269,9 +7174,9 @@ extension GlueClient { /// /// Retrieve a classifier by name. /// - /// - Parameter GetClassifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClassifierInput`) /// - /// - Returns: `GetClassifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClassifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7304,7 +7209,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClassifierOutput.httpOutput(from:), GetClassifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7339,9 +7243,9 @@ extension GlueClient { /// /// Lists all classifier objects in the Data Catalog. /// - /// - Parameter GetClassifiersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClassifiersInput`) /// - /// - Returns: `GetClassifiersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClassifiersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7373,7 +7277,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClassifiersOutput.httpOutput(from:), GetClassifiersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7408,9 +7311,9 @@ extension GlueClient { /// /// Retrieves partition statistics of columns. The Identity and Access Management (IAM) permission required for this operation is GetPartition. /// - /// - Parameter GetColumnStatisticsForPartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetColumnStatisticsForPartitionInput`) /// - /// - Returns: `GetColumnStatisticsForPartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetColumnStatisticsForPartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7446,7 +7349,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetColumnStatisticsForPartitionOutput.httpOutput(from:), GetColumnStatisticsForPartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7481,9 +7383,9 @@ extension GlueClient { /// /// Retrieves table statistics of columns. The Identity and Access Management (IAM) permission required for this operation is GetTable. /// - /// - Parameter GetColumnStatisticsForTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetColumnStatisticsForTableInput`) /// - /// - Returns: `GetColumnStatisticsForTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetColumnStatisticsForTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7519,7 +7421,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetColumnStatisticsForTableOutput.httpOutput(from:), GetColumnStatisticsForTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7554,9 +7455,9 @@ extension GlueClient { /// /// Get the associated metadata/information for a task run, given a task run ID. /// - /// - Parameter GetColumnStatisticsTaskRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetColumnStatisticsTaskRunInput`) /// - /// - Returns: `GetColumnStatisticsTaskRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetColumnStatisticsTaskRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7590,7 +7491,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetColumnStatisticsTaskRunOutput.httpOutput(from:), GetColumnStatisticsTaskRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7625,9 +7525,9 @@ extension GlueClient { /// /// Retrieves information about all runs associated with the specified table. /// - /// - Parameter GetColumnStatisticsTaskRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetColumnStatisticsTaskRunsInput`) /// - /// - Returns: `GetColumnStatisticsTaskRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetColumnStatisticsTaskRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7659,7 +7559,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetColumnStatisticsTaskRunsOutput.httpOutput(from:), GetColumnStatisticsTaskRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7694,9 +7593,9 @@ extension GlueClient { /// /// Gets settings for a column statistics task. /// - /// - Parameter GetColumnStatisticsTaskSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetColumnStatisticsTaskSettingsInput`) /// - /// - Returns: `GetColumnStatisticsTaskSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetColumnStatisticsTaskSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7730,7 +7629,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetColumnStatisticsTaskSettingsOutput.httpOutput(from:), GetColumnStatisticsTaskSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7765,9 +7663,9 @@ extension GlueClient { /// /// Retrieves a connection definition from the Data Catalog. /// - /// - Parameter GetConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionInput`) /// - /// - Returns: `GetConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7802,7 +7700,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionOutput.httpOutput(from:), GetConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7837,9 +7734,9 @@ extension GlueClient { /// /// Retrieves a list of connection definitions from the Data Catalog. /// - /// - Parameter GetConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionsInput`) /// - /// - Returns: `GetConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7874,7 +7771,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionsOutput.httpOutput(from:), GetConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7909,9 +7805,9 @@ extension GlueClient { /// /// Retrieves metadata for a specified crawler. /// - /// - Parameter GetCrawlerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCrawlerInput`) /// - /// - Returns: `GetCrawlerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCrawlerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7944,7 +7840,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCrawlerOutput.httpOutput(from:), GetCrawlerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7979,9 +7874,9 @@ extension GlueClient { /// /// Retrieves metrics about specified crawlers. /// - /// - Parameter GetCrawlerMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCrawlerMetricsInput`) /// - /// - Returns: `GetCrawlerMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCrawlerMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8013,7 +7908,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCrawlerMetricsOutput.httpOutput(from:), GetCrawlerMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8048,9 +7942,9 @@ extension GlueClient { /// /// Retrieves metadata for all crawlers defined in the customer account. /// - /// - Parameter GetCrawlersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCrawlersInput`) /// - /// - Returns: `GetCrawlersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCrawlersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8082,7 +7976,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCrawlersOutput.httpOutput(from:), GetCrawlersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8117,9 +8010,9 @@ extension GlueClient { /// /// Retrieves the details of a custom pattern by specifying its name. /// - /// - Parameter GetCustomEntityTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCustomEntityTypeInput`) /// - /// - Returns: `GetCustomEntityTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCustomEntityTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8155,7 +8048,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomEntityTypeOutput.httpOutput(from:), GetCustomEntityTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8190,9 +8082,9 @@ extension GlueClient { /// /// Retrieves the security configuration for a specified catalog. /// - /// - Parameter GetDataCatalogEncryptionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataCatalogEncryptionSettingsInput`) /// - /// - Returns: `GetDataCatalogEncryptionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataCatalogEncryptionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8226,7 +8118,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataCatalogEncryptionSettingsOutput.httpOutput(from:), GetDataCatalogEncryptionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8261,9 +8152,9 @@ extension GlueClient { /// /// Retrieve the training status of the model along with more information (CompletedOn, StartedOn, FailureReason). /// - /// - Parameter GetDataQualityModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataQualityModelInput`) /// - /// - Returns: `GetDataQualityModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataQualityModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8298,7 +8189,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataQualityModelOutput.httpOutput(from:), GetDataQualityModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8333,9 +8223,9 @@ extension GlueClient { /// /// Retrieve a statistic's predictions for a given Profile ID. /// - /// - Parameter GetDataQualityModelResultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataQualityModelResultInput`) /// - /// - Returns: `GetDataQualityModelResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataQualityModelResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8370,7 +8260,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataQualityModelResultOutput.httpOutput(from:), GetDataQualityModelResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8405,9 +8294,9 @@ extension GlueClient { /// /// Retrieves the result of a data quality rule evaluation. /// - /// - Parameter GetDataQualityResultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataQualityResultInput`) /// - /// - Returns: `GetDataQualityResultOutput` : The response for the data quality result. + /// - Returns: The response for the data quality result. (Type: `GetDataQualityResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8442,7 +8331,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataQualityResultOutput.httpOutput(from:), GetDataQualityResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8477,9 +8365,9 @@ extension GlueClient { /// /// Gets the specified recommendation run that was used to generate rules. /// - /// - Parameter GetDataQualityRuleRecommendationRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataQualityRuleRecommendationRunInput`) /// - /// - Returns: `GetDataQualityRuleRecommendationRunOutput` : The response for the Data Quality rule recommendation run. + /// - Returns: The response for the Data Quality rule recommendation run. (Type: `GetDataQualityRuleRecommendationRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8514,7 +8402,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataQualityRuleRecommendationRunOutput.httpOutput(from:), GetDataQualityRuleRecommendationRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8549,9 +8436,9 @@ extension GlueClient { /// /// Returns an existing ruleset by identifier or name. /// - /// - Parameter GetDataQualityRulesetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataQualityRulesetInput`) /// - /// - Returns: `GetDataQualityRulesetOutput` : Returns the data quality ruleset response. + /// - Returns: Returns the data quality ruleset response. (Type: `GetDataQualityRulesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8586,7 +8473,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataQualityRulesetOutput.httpOutput(from:), GetDataQualityRulesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8621,9 +8507,9 @@ extension GlueClient { /// /// Retrieves a specific run where a ruleset is evaluated against a data source. /// - /// - Parameter GetDataQualityRulesetEvaluationRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataQualityRulesetEvaluationRunInput`) /// - /// - Returns: `GetDataQualityRulesetEvaluationRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataQualityRulesetEvaluationRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8658,7 +8544,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataQualityRulesetEvaluationRunOutput.httpOutput(from:), GetDataQualityRulesetEvaluationRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8693,9 +8578,9 @@ extension GlueClient { /// /// Retrieves the definition of a specified database. /// - /// - Parameter GetDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDatabaseInput`) /// - /// - Returns: `GetDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8733,7 +8618,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDatabaseOutput.httpOutput(from:), GetDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8768,9 +8652,9 @@ extension GlueClient { /// /// Retrieves all databases defined in a given Data Catalog. /// - /// - Parameter GetDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDatabasesInput`) /// - /// - Returns: `GetDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8808,7 +8692,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDatabasesOutput.httpOutput(from:), GetDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8843,9 +8726,9 @@ extension GlueClient { /// /// Transforms a Python script into a directed acyclic graph (DAG). /// - /// - Parameter GetDataflowGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataflowGraphInput`) /// - /// - Returns: `GetDataflowGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataflowGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8879,7 +8762,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataflowGraphOutput.httpOutput(from:), GetDataflowGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8914,9 +8796,9 @@ extension GlueClient { /// /// Retrieves information about a specified development endpoint. When you create a development endpoint in a virtual private cloud (VPC), Glue returns only a private IP address, and the public IP address field is not populated. When you create a non-VPC development endpoint, Glue returns only a public IP address. /// - /// - Parameter GetDevEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDevEndpointInput`) /// - /// - Returns: `GetDevEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDevEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8951,7 +8833,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDevEndpointOutput.httpOutput(from:), GetDevEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8986,9 +8867,9 @@ extension GlueClient { /// /// Retrieves all the development endpoints in this Amazon Web Services account. When you create a development endpoint in a virtual private cloud (VPC), Glue returns only a private IP address and the public IP address field is not populated. When you create a non-VPC development endpoint, Glue returns only a public IP address. /// - /// - Parameter GetDevEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDevEndpointsInput`) /// - /// - Returns: `GetDevEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDevEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9023,7 +8904,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDevEndpointsOutput.httpOutput(from:), GetDevEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9058,9 +8938,9 @@ extension GlueClient { /// /// This API is used to query preview data from a given connection type or from a native Amazon S3 based Glue Data Catalog. Returns records as an array of JSON blobs. Each record is formatted using Jackson JsonNode based on the field type defined by the DescribeEntity API. Spark connectors generate schemas according to the same data type mapping as in the DescribeEntity API. Spark connectors convert data to the appropriate data types matching the schema when returning rows. /// - /// - Parameter GetEntityRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEntityRecordsInput`) /// - /// - Returns: `GetEntityRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEntityRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9098,7 +8978,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEntityRecordsOutput.httpOutput(from:), GetEntityRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9133,9 +9012,9 @@ extension GlueClient { /// /// Retrieves the current Glue Identity Center configuration details, including the associated Identity Center instance and application information. /// - /// - Parameter GetGlueIdentityCenterConfigurationInput : Request to retrieve the Glue Identity Center configuration. + /// - Parameter input: Request to retrieve the Glue Identity Center configuration. (Type: `GetGlueIdentityCenterConfigurationInput`) /// - /// - Returns: `GetGlueIdentityCenterConfigurationOutput` : Response containing the Glue Identity Center configuration details. + /// - Returns: Response containing the Glue Identity Center configuration details. (Type: `GetGlueIdentityCenterConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9172,7 +9051,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGlueIdentityCenterConfigurationOutput.httpOutput(from:), GetGlueIdentityCenterConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9207,9 +9085,9 @@ extension GlueClient { /// /// This API is used for fetching the ResourceProperty of the Glue connection (for the source) or Glue database ARN (for the target) /// - /// - Parameter GetIntegrationResourcePropertyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntegrationResourcePropertyInput`) /// - /// - Returns: `GetIntegrationResourcePropertyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntegrationResourcePropertyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9247,7 +9125,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntegrationResourcePropertyOutput.httpOutput(from:), GetIntegrationResourcePropertyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9282,9 +9159,9 @@ extension GlueClient { /// /// This API is used to retrieve optional override properties for the tables that need to be replicated. These properties can include properties for filtering and partition for source and target tables. /// - /// - Parameter GetIntegrationTablePropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntegrationTablePropertiesInput`) /// - /// - Returns: `GetIntegrationTablePropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntegrationTablePropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9322,7 +9199,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntegrationTablePropertiesOutput.httpOutput(from:), GetIntegrationTablePropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9357,9 +9233,9 @@ extension GlueClient { /// /// Retrieves an existing job definition. /// - /// - Parameter GetJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobInput`) /// - /// - Returns: `GetJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9394,7 +9270,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobOutput.httpOutput(from:), GetJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9435,9 +9310,9 @@ extension GlueClient { /// /// * [Job structure](https://docs.aws.amazon.com/glue/latest/dg/aws-glue-api-jobs-job.html#aws-glue-api-jobs-job-Job) /// - /// - Parameter GetJobBookmarkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobBookmarkInput`) /// - /// - Returns: `GetJobBookmarkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobBookmarkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9473,7 +9348,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobBookmarkOutput.httpOutput(from:), GetJobBookmarkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9508,9 +9382,9 @@ extension GlueClient { /// /// Retrieves the metadata for a given job run. Job run history is accessible for 365 days for your workflow and job run. /// - /// - Parameter GetJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobRunInput`) /// - /// - Returns: `GetJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9545,7 +9419,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobRunOutput.httpOutput(from:), GetJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9580,9 +9453,9 @@ extension GlueClient { /// /// Retrieves metadata for all runs of a given job definition. GetJobRuns returns the job runs in chronological order, with the newest jobs returned first. /// - /// - Parameter GetJobRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobRunsInput`) /// - /// - Returns: `GetJobRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9617,7 +9490,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobRunsOutput.httpOutput(from:), GetJobRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9652,9 +9524,9 @@ extension GlueClient { /// /// Retrieves all current job definitions. /// - /// - Parameter GetJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobsInput`) /// - /// - Returns: `GetJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9689,7 +9561,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobsOutput.httpOutput(from:), GetJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9724,9 +9595,9 @@ extension GlueClient { /// /// Gets details for a specific task run on a machine learning transform. Machine learning task runs are asynchronous tasks that Glue runs on your behalf as part of various machine learning workflows. You can check the stats of any task run by calling GetMLTaskRun with the TaskRunID and its parent transform's TransformID. /// - /// - Parameter GetMLTaskRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLTaskRunInput`) /// - /// - Returns: `GetMLTaskRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMLTaskRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9761,7 +9632,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLTaskRunOutput.httpOutput(from:), GetMLTaskRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9796,9 +9666,9 @@ extension GlueClient { /// /// Gets a list of runs for a machine learning transform. Machine learning task runs are asynchronous tasks that Glue runs on your behalf as part of various machine learning workflows. You can get a sortable, filterable list of machine learning task runs by calling GetMLTaskRuns with their parent transform's TransformID and other optional parameters as documented in this section. This operation returns a list of historic runs and must be paginated. /// - /// - Parameter GetMLTaskRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLTaskRunsInput`) /// - /// - Returns: `GetMLTaskRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMLTaskRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9833,7 +9703,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLTaskRunsOutput.httpOutput(from:), GetMLTaskRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9868,9 +9737,9 @@ extension GlueClient { /// /// Gets an Glue machine learning transform artifact and all its corresponding metadata. Machine learning transforms are a special type of transform that use machine learning to learn the details of the transformation to be performed by learning from examples provided by humans. These transformations are then saved by Glue. You can retrieve their metadata by calling GetMLTransform. /// - /// - Parameter GetMLTransformInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLTransformInput`) /// - /// - Returns: `GetMLTransformOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMLTransformOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9905,7 +9774,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLTransformOutput.httpOutput(from:), GetMLTransformOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9940,9 +9808,9 @@ extension GlueClient { /// /// Gets a sortable, filterable list of existing Glue machine learning transforms. Machine learning transforms are a special type of transform that use machine learning to learn the details of the transformation to be performed by learning from examples provided by humans. These transformations are then saved by Glue, and you can retrieve their metadata by calling GetMLTransforms. /// - /// - Parameter GetMLTransformsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLTransformsInput`) /// - /// - Returns: `GetMLTransformsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMLTransformsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9977,7 +9845,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLTransformsOutput.httpOutput(from:), GetMLTransformsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10012,9 +9879,9 @@ extension GlueClient { /// /// Creates mappings. /// - /// - Parameter GetMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMappingInput`) /// - /// - Returns: `GetMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10049,7 +9916,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMappingOutput.httpOutput(from:), GetMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10084,9 +9950,9 @@ extension GlueClient { /// /// Retrieves information about a specified partition. /// - /// - Parameter GetPartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPartitionInput`) /// - /// - Returns: `GetPartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10124,7 +9990,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPartitionOutput.httpOutput(from:), GetPartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10159,9 +10024,9 @@ extension GlueClient { /// /// Retrieves the partition indexes associated with a table. /// - /// - Parameter GetPartitionIndexesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPartitionIndexesInput`) /// - /// - Returns: `GetPartitionIndexesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPartitionIndexesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10197,7 +10062,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPartitionIndexesOutput.httpOutput(from:), GetPartitionIndexesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10232,9 +10096,9 @@ extension GlueClient { /// /// Retrieves information about the partitions in a table. /// - /// - Parameter GetPartitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPartitionsInput`) /// - /// - Returns: `GetPartitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPartitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10274,7 +10138,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPartitionsOutput.httpOutput(from:), GetPartitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10309,9 +10172,9 @@ extension GlueClient { /// /// Gets code to perform a specified mapping. /// - /// - Parameter GetPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPlanInput`) /// - /// - Returns: `GetPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10345,7 +10208,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlanOutput.httpOutput(from:), GetPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10380,9 +10242,9 @@ extension GlueClient { /// /// Describes the specified registry in detail. /// - /// - Parameter GetRegistryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegistryInput`) /// - /// - Returns: `GetRegistryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegistryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10417,7 +10279,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegistryOutput.httpOutput(from:), GetRegistryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10452,9 +10313,9 @@ extension GlueClient { /// /// Retrieves the resource policies set on individual resources by Resource Access Manager during cross-account permission grants. Also retrieves the Data Catalog resource policy. If you enabled metadata encryption in Data Catalog settings, and you do not have permission on the KMS key, the operation can't return the Data Catalog resource policy. /// - /// - Parameter GetResourcePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePoliciesInput`) /// - /// - Returns: `GetResourcePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10489,7 +10350,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePoliciesOutput.httpOutput(from:), GetResourcePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10524,9 +10384,9 @@ extension GlueClient { /// /// Retrieves a specified resource policy. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10561,7 +10421,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10596,9 +10455,9 @@ extension GlueClient { /// /// Describes the specified schema in detail. /// - /// - Parameter GetSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaInput`) /// - /// - Returns: `GetSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10633,7 +10492,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaOutput.httpOutput(from:), GetSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10668,9 +10526,9 @@ extension GlueClient { /// /// Retrieves a schema by the SchemaDefinition. The schema definition is sent to the Schema Registry, canonicalized, and hashed. If the hash is matched within the scope of the SchemaName or ARN (or the default registry, if none is supplied), that schema’s metadata is returned. Otherwise, a 404 or NotFound error is returned. Schema versions in Deleted statuses will not be included in the results. /// - /// - Parameter GetSchemaByDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaByDefinitionInput`) /// - /// - Returns: `GetSchemaByDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaByDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10705,7 +10563,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaByDefinitionOutput.httpOutput(from:), GetSchemaByDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10740,9 +10597,9 @@ extension GlueClient { /// /// Get the specified schema by its unique ID assigned when a version of the schema is created or registered. Schema versions in Deleted status will not be included in the results. /// - /// - Parameter GetSchemaVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaVersionInput`) /// - /// - Returns: `GetSchemaVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10777,7 +10634,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaVersionOutput.httpOutput(from:), GetSchemaVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10812,9 +10668,9 @@ extension GlueClient { /// /// Fetches the schema version difference in the specified difference type between two stored schema versions in the Schema Registry. This API allows you to compare two schema versions between two schema definitions under the same schema. /// - /// - Parameter GetSchemaVersionsDiffInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaVersionsDiffInput`) /// - /// - Returns: `GetSchemaVersionsDiffOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaVersionsDiffOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10849,7 +10705,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaVersionsDiffOutput.httpOutput(from:), GetSchemaVersionsDiffOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10884,9 +10739,9 @@ extension GlueClient { /// /// Retrieves a specified security configuration. /// - /// - Parameter GetSecurityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSecurityConfigurationInput`) /// - /// - Returns: `GetSecurityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSecurityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10921,7 +10776,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSecurityConfigurationOutput.httpOutput(from:), GetSecurityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10956,9 +10810,9 @@ extension GlueClient { /// /// Retrieves a list of all security configurations. /// - /// - Parameter GetSecurityConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSecurityConfigurationsInput`) /// - /// - Returns: `GetSecurityConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSecurityConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10993,7 +10847,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSecurityConfigurationsOutput.httpOutput(from:), GetSecurityConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11028,9 +10881,9 @@ extension GlueClient { /// /// Retrieves the session. /// - /// - Parameter GetSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionInput`) /// - /// - Returns: `GetSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11066,7 +10919,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionOutput.httpOutput(from:), GetSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11101,9 +10953,9 @@ extension GlueClient { /// /// Retrieves the statement. /// - /// - Parameter GetStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStatementInput`) /// - /// - Returns: `GetStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11140,7 +10992,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStatementOutput.httpOutput(from:), GetStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11175,9 +11026,9 @@ extension GlueClient { /// /// Retrieves the Table definition in a Data Catalog for a specified table. /// - /// - Parameter GetTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableInput`) /// - /// - Returns: `GetTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11216,7 +11067,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableOutput.httpOutput(from:), GetTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11251,9 +11101,9 @@ extension GlueClient { /// /// Returns the configuration of all optimizers associated with a specified table. /// - /// - Parameter GetTableOptimizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableOptimizerInput`) /// - /// - Returns: `GetTableOptimizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableOptimizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11289,7 +11139,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableOptimizerOutput.httpOutput(from:), GetTableOptimizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11324,9 +11173,9 @@ extension GlueClient { /// /// Retrieves a specified version of a table. /// - /// - Parameter GetTableVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableVersionInput`) /// - /// - Returns: `GetTableVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11362,7 +11211,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableVersionOutput.httpOutput(from:), GetTableVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11397,9 +11245,9 @@ extension GlueClient { /// /// Retrieves a list of strings that identify available versions of a specified table. /// - /// - Parameter GetTableVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableVersionsInput`) /// - /// - Returns: `GetTableVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11435,7 +11283,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableVersionsOutput.httpOutput(from:), GetTableVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11470,9 +11317,9 @@ extension GlueClient { /// /// Retrieves the definitions of some or all of the tables in a given Database. /// - /// - Parameter GetTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTablesInput`) /// - /// - Returns: `GetTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11510,7 +11357,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTablesOutput.httpOutput(from:), GetTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11545,9 +11391,9 @@ extension GlueClient { /// /// Retrieves a list of tags associated with a resource. /// - /// - Parameter GetTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTagsInput`) /// - /// - Returns: `GetTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11582,7 +11428,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTagsOutput.httpOutput(from:), GetTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11617,9 +11462,9 @@ extension GlueClient { /// /// Retrieves the definition of a trigger. /// - /// - Parameter GetTriggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTriggerInput`) /// - /// - Returns: `GetTriggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTriggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11654,7 +11499,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTriggerOutput.httpOutput(from:), GetTriggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11689,9 +11533,9 @@ extension GlueClient { /// /// Gets all the triggers associated with a job. /// - /// - Parameter GetTriggersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTriggersInput`) /// - /// - Returns: `GetTriggersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTriggersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11726,7 +11570,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTriggersOutput.httpOutput(from:), GetTriggersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11761,9 +11604,9 @@ extension GlueClient { /// /// Retrieves partition metadata from the Data Catalog that contains unfiltered metadata. For IAM authorization, the public IAM action associated with this API is glue:GetPartition. /// - /// - Parameter GetUnfilteredPartitionMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUnfilteredPartitionMetadataInput`) /// - /// - Returns: `GetUnfilteredPartitionMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUnfilteredPartitionMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11802,7 +11645,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUnfilteredPartitionMetadataOutput.httpOutput(from:), GetUnfilteredPartitionMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11837,9 +11679,9 @@ extension GlueClient { /// /// Retrieves partition metadata from the Data Catalog that contains unfiltered metadata. For IAM authorization, the public IAM action associated with this API is glue:GetPartitions. /// - /// - Parameter GetUnfilteredPartitionsMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUnfilteredPartitionsMetadataInput`) /// - /// - Returns: `GetUnfilteredPartitionsMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUnfilteredPartitionsMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11878,7 +11720,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUnfilteredPartitionsMetadataOutput.httpOutput(from:), GetUnfilteredPartitionsMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11913,9 +11754,9 @@ extension GlueClient { /// /// Allows a third-party analytical engine to retrieve unfiltered table metadata from the Data Catalog. For IAM authorization, the public IAM action associated with this API is glue:GetTable. /// - /// - Parameter GetUnfilteredTableMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUnfilteredTableMetadataInput`) /// - /// - Returns: `GetUnfilteredTableMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUnfilteredTableMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11954,7 +11795,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUnfilteredTableMetadataOutput.httpOutput(from:), GetUnfilteredTableMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11989,9 +11829,9 @@ extension GlueClient { /// /// Retrieves information about the specified Glue usage profile. /// - /// - Parameter GetUsageProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUsageProfileInput`) /// - /// - Returns: `GetUsageProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUsageProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12027,7 +11867,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsageProfileOutput.httpOutput(from:), GetUsageProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12062,9 +11901,9 @@ extension GlueClient { /// /// Retrieves a specified function definition from the Data Catalog. /// - /// - Parameter GetUserDefinedFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserDefinedFunctionInput`) /// - /// - Returns: `GetUserDefinedFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserDefinedFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12100,7 +11939,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserDefinedFunctionOutput.httpOutput(from:), GetUserDefinedFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12135,9 +11973,9 @@ extension GlueClient { /// /// Retrieves multiple function definitions from the Data Catalog. /// - /// - Parameter GetUserDefinedFunctionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserDefinedFunctionsInput`) /// - /// - Returns: `GetUserDefinedFunctionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserDefinedFunctionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12173,7 +12011,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserDefinedFunctionsOutput.httpOutput(from:), GetUserDefinedFunctionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12208,9 +12045,9 @@ extension GlueClient { /// /// Retrieves resource metadata for a workflow. /// - /// - Parameter GetWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowInput`) /// - /// - Returns: `GetWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12245,7 +12082,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowOutput.httpOutput(from:), GetWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12280,9 +12116,9 @@ extension GlueClient { /// /// Retrieves the metadata for a given workflow run. Job run history is accessible for 90 days for your workflow and job run. /// - /// - Parameter GetWorkflowRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowRunInput`) /// - /// - Returns: `GetWorkflowRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12317,7 +12153,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowRunOutput.httpOutput(from:), GetWorkflowRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12352,9 +12187,9 @@ extension GlueClient { /// /// Retrieves the workflow run properties which were set during the run. /// - /// - Parameter GetWorkflowRunPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowRunPropertiesInput`) /// - /// - Returns: `GetWorkflowRunPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowRunPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12389,7 +12224,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowRunPropertiesOutput.httpOutput(from:), GetWorkflowRunPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12424,9 +12258,9 @@ extension GlueClient { /// /// Retrieves metadata for all runs of a given workflow. /// - /// - Parameter GetWorkflowRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowRunsInput`) /// - /// - Returns: `GetWorkflowRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12461,7 +12295,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowRunsOutput.httpOutput(from:), GetWorkflowRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12496,9 +12329,9 @@ extension GlueClient { /// /// Imports an existing Amazon Athena Data Catalog to Glue. /// - /// - Parameter ImportCatalogToGlueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportCatalogToGlueInput`) /// - /// - Returns: `ImportCatalogToGlueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportCatalogToGlueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12531,7 +12364,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportCatalogToGlueOutput.httpOutput(from:), ImportCatalogToGlueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12566,9 +12398,9 @@ extension GlueClient { /// /// Lists all the blueprint names in an account. /// - /// - Parameter ListBlueprintsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBlueprintsInput`) /// - /// - Returns: `ListBlueprintsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBlueprintsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12602,7 +12434,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBlueprintsOutput.httpOutput(from:), ListBlueprintsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12637,9 +12468,9 @@ extension GlueClient { /// /// List all task runs for a particular account. /// - /// - Parameter ListColumnStatisticsTaskRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListColumnStatisticsTaskRunsInput`) /// - /// - Returns: `ListColumnStatisticsTaskRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListColumnStatisticsTaskRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12671,7 +12502,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListColumnStatisticsTaskRunsOutput.httpOutput(from:), ListColumnStatisticsTaskRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12706,9 +12536,9 @@ extension GlueClient { /// /// The ListConnectionTypes API provides a discovery mechanism to learn available connection types in Glue. The response contains a list of connection types with high-level details of what is supported for each connection type. The connection types listed are the set of supported options for the ConnectionType value in the CreateConnection API. /// - /// - Parameter ListConnectionTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectionTypesInput`) /// - /// - Returns: `ListConnectionTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectionTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12741,7 +12571,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectionTypesOutput.httpOutput(from:), ListConnectionTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12776,9 +12605,9 @@ extension GlueClient { /// /// Retrieves the names of all crawler resources in this Amazon Web Services account, or the resources with the specified tag. This operation allows you to see which resources are available in your account, and their names. This operation takes the optional Tags field, which you can use as a filter on the response so that tagged resources can be retrieved as a group. If you choose to use tags filtering, only resources with the tag are retrieved. /// - /// - Parameter ListCrawlersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCrawlersInput`) /// - /// - Returns: `ListCrawlersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCrawlersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12810,7 +12639,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCrawlersOutput.httpOutput(from:), ListCrawlersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12853,9 +12681,9 @@ extension GlueClient { /// /// * Retrieve all the crawls of a specified crawler with a particular state, crawl ID, or DPU hour value. /// - /// - Parameter ListCrawlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCrawlsInput`) /// - /// - Returns: `ListCrawlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCrawlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12889,7 +12717,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCrawlsOutput.httpOutput(from:), ListCrawlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12924,9 +12751,9 @@ extension GlueClient { /// /// Lists all the custom patterns that have been created. /// - /// - Parameter ListCustomEntityTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomEntityTypesInput`) /// - /// - Returns: `ListCustomEntityTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomEntityTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12960,7 +12787,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomEntityTypesOutput.httpOutput(from:), ListCustomEntityTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12995,9 +12821,9 @@ extension GlueClient { /// /// Returns all data quality execution results for your account. /// - /// - Parameter ListDataQualityResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataQualityResultsInput`) /// - /// - Returns: `ListDataQualityResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataQualityResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13031,7 +12857,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataQualityResultsOutput.httpOutput(from:), ListDataQualityResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13066,9 +12891,9 @@ extension GlueClient { /// /// Lists the recommendation runs meeting the filter criteria. /// - /// - Parameter ListDataQualityRuleRecommendationRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataQualityRuleRecommendationRunsInput`) /// - /// - Returns: `ListDataQualityRuleRecommendationRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataQualityRuleRecommendationRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13102,7 +12927,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataQualityRuleRecommendationRunsOutput.httpOutput(from:), ListDataQualityRuleRecommendationRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13137,9 +12961,9 @@ extension GlueClient { /// /// Lists all the runs meeting the filter criteria, where a ruleset is evaluated against a data source. /// - /// - Parameter ListDataQualityRulesetEvaluationRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataQualityRulesetEvaluationRunsInput`) /// - /// - Returns: `ListDataQualityRulesetEvaluationRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataQualityRulesetEvaluationRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13173,7 +12997,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataQualityRulesetEvaluationRunsOutput.httpOutput(from:), ListDataQualityRulesetEvaluationRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13208,9 +13031,9 @@ extension GlueClient { /// /// Returns a paginated list of rulesets for the specified list of Glue tables. /// - /// - Parameter ListDataQualityRulesetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataQualityRulesetsInput`) /// - /// - Returns: `ListDataQualityRulesetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataQualityRulesetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13245,7 +13068,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataQualityRulesetsOutput.httpOutput(from:), ListDataQualityRulesetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13280,9 +13102,9 @@ extension GlueClient { /// /// Retrieve annotations for a data quality statistic. /// - /// - Parameter ListDataQualityStatisticAnnotationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataQualityStatisticAnnotationsInput`) /// - /// - Returns: `ListDataQualityStatisticAnnotationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataQualityStatisticAnnotationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13315,7 +13137,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataQualityStatisticAnnotationsOutput.httpOutput(from:), ListDataQualityStatisticAnnotationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13350,9 +13171,9 @@ extension GlueClient { /// /// Retrieves a list of data quality statistics. /// - /// - Parameter ListDataQualityStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataQualityStatisticsInput`) /// - /// - Returns: `ListDataQualityStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataQualityStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13386,7 +13207,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataQualityStatisticsOutput.httpOutput(from:), ListDataQualityStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13421,9 +13241,9 @@ extension GlueClient { /// /// Retrieves the names of all DevEndpoint resources in this Amazon Web Services account, or the resources with the specified tag. This operation allows you to see which resources are available in your account, and their names. This operation takes the optional Tags field, which you can use as a filter on the response so that tagged resources can be retrieved as a group. If you choose to use tags filtering, only resources with the tag are retrieved. /// - /// - Parameter ListDevEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevEndpointsInput`) /// - /// - Returns: `ListDevEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13458,7 +13278,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevEndpointsOutput.httpOutput(from:), ListDevEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13493,9 +13312,9 @@ extension GlueClient { /// /// Returns the available entities supported by the connection type. /// - /// - Parameter ListEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntitiesInput`) /// - /// - Returns: `ListEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13533,7 +13352,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntitiesOutput.httpOutput(from:), ListEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13568,9 +13386,9 @@ extension GlueClient { /// /// Retrieves the names of all job resources in this Amazon Web Services account, or the resources with the specified tag. This operation allows you to see which resources are available in your account, and their names. This operation takes the optional Tags field, which you can use as a filter on the response so that tagged resources can be retrieved as a group. If you choose to use tags filtering, only resources with the tag are retrieved. /// - /// - Parameter ListJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13605,7 +13423,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13640,9 +13457,9 @@ extension GlueClient { /// /// Retrieves a sortable, filterable list of existing Glue machine learning transforms in this Amazon Web Services account, or the resources with the specified tag. This operation takes the optional Tags field, which you can use as a filter of the responses so that tagged resources can be retrieved as a group. If you choose to use tag filtering, only resources with the tags are retrieved. /// - /// - Parameter ListMLTransformsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMLTransformsInput`) /// - /// - Returns: `ListMLTransformsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMLTransformsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13677,7 +13494,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMLTransformsOutput.httpOutput(from:), ListMLTransformsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13712,9 +13528,9 @@ extension GlueClient { /// /// Returns a list of registries that you have created, with minimal registry information. Registries in the Deleting status will not be included in the results. Empty results will be returned if there are no registries available. /// - /// - Parameter ListRegistriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegistriesInput`) /// - /// - Returns: `ListRegistriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegistriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13748,7 +13564,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegistriesOutput.httpOutput(from:), ListRegistriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13783,9 +13598,9 @@ extension GlueClient { /// /// Returns a list of schema versions that you have created, with minimal information. Schema versions in Deleted status will not be included in the results. Empty results will be returned if there are no schema versions available. /// - /// - Parameter ListSchemaVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchemaVersionsInput`) /// - /// - Returns: `ListSchemaVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchemaVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13820,7 +13635,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchemaVersionsOutput.httpOutput(from:), ListSchemaVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13855,9 +13669,9 @@ extension GlueClient { /// /// Returns a list of schemas with minimal details. Schemas in Deleting status will not be included in the results. Empty results will be returned if there are no schemas available. When the RegistryId is not provided, all the schemas across registries will be part of the API response. /// - /// - Parameter ListSchemasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchemasInput`) /// - /// - Returns: `ListSchemasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchemasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13892,7 +13706,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchemasOutput.httpOutput(from:), ListSchemasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13927,9 +13740,9 @@ extension GlueClient { /// /// Retrieve a list of sessions. /// - /// - Parameter ListSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionsInput`) /// - /// - Returns: `ListSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13964,7 +13777,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionsOutput.httpOutput(from:), ListSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13999,9 +13811,9 @@ extension GlueClient { /// /// Lists statements for the session. /// - /// - Parameter ListStatementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStatementsInput`) /// - /// - Returns: `ListStatementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStatementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14038,7 +13850,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStatementsOutput.httpOutput(from:), ListStatementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14073,9 +13884,9 @@ extension GlueClient { /// /// Lists the history of previous optimizer runs for a specific table. /// - /// - Parameter ListTableOptimizerRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTableOptimizerRunsInput`) /// - /// - Returns: `ListTableOptimizerRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTableOptimizerRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14112,7 +13923,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTableOptimizerRunsOutput.httpOutput(from:), ListTableOptimizerRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14147,9 +13957,9 @@ extension GlueClient { /// /// Retrieves the names of all trigger resources in this Amazon Web Services account, or the resources with the specified tag. This operation allows you to see which resources are available in your account, and their names. This operation takes the optional Tags field, which you can use as a filter on the response so that tagged resources can be retrieved as a group. If you choose to use tags filtering, only resources with the tag are retrieved. /// - /// - Parameter ListTriggersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTriggersInput`) /// - /// - Returns: `ListTriggersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTriggersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14184,7 +13994,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTriggersOutput.httpOutput(from:), ListTriggersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14219,9 +14028,9 @@ extension GlueClient { /// /// List all the Glue usage profiles. /// - /// - Parameter ListUsageProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsageProfilesInput`) /// - /// - Returns: `ListUsageProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsageProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14256,7 +14065,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsageProfilesOutput.httpOutput(from:), ListUsageProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14291,9 +14099,9 @@ extension GlueClient { /// /// Lists names of workflows created in the account. /// - /// - Parameter ListWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowsInput`) /// - /// - Returns: `ListWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14327,7 +14135,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowsOutput.httpOutput(from:), ListWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14362,9 +14169,9 @@ extension GlueClient { /// /// Modifies a Zero-ETL integration in the caller's account. /// - /// - Parameter ModifyIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIntegrationInput`) /// - /// - Returns: `ModifyIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14406,7 +14213,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIntegrationOutput.httpOutput(from:), ModifyIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14441,9 +14247,9 @@ extension GlueClient { /// /// Sets the security configuration for a specified catalog. After the configuration has been set, the specified encryption is applied to every catalog write thereafter. /// - /// - Parameter PutDataCatalogEncryptionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDataCatalogEncryptionSettingsInput`) /// - /// - Returns: `PutDataCatalogEncryptionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDataCatalogEncryptionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14477,7 +14283,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDataCatalogEncryptionSettingsOutput.httpOutput(from:), PutDataCatalogEncryptionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14512,9 +14317,9 @@ extension GlueClient { /// /// Annotate all datapoints for a Profile. /// - /// - Parameter PutDataQualityProfileAnnotationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDataQualityProfileAnnotationInput`) /// - /// - Returns: `PutDataQualityProfileAnnotationOutput` : Left blank. + /// - Returns: Left blank. (Type: `PutDataQualityProfileAnnotationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14548,7 +14353,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDataQualityProfileAnnotationOutput.httpOutput(from:), PutDataQualityProfileAnnotationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14583,9 +14387,9 @@ extension GlueClient { /// /// Sets the Data Catalog resource policy for access control. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14621,7 +14425,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14656,9 +14459,9 @@ extension GlueClient { /// /// Puts the metadata key value pair for a specified schema version ID. A maximum of 10 key value pairs will be allowed per schema version. They can be added over one or more calls. /// - /// - Parameter PutSchemaVersionMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSchemaVersionMetadataInput`) /// - /// - Returns: `PutSchemaVersionMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSchemaVersionMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14694,7 +14497,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSchemaVersionMetadataOutput.httpOutput(from:), PutSchemaVersionMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14729,9 +14531,9 @@ extension GlueClient { /// /// Puts the specified workflow run properties for the given workflow run. If a property already exists for the specified run, then it overrides the value otherwise adds the property to existing properties. /// - /// - Parameter PutWorkflowRunPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutWorkflowRunPropertiesInput`) /// - /// - Returns: `PutWorkflowRunPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutWorkflowRunPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14769,7 +14571,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutWorkflowRunPropertiesOutput.httpOutput(from:), PutWorkflowRunPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14804,9 +14605,9 @@ extension GlueClient { /// /// Queries for the schema version metadata information. /// - /// - Parameter QuerySchemaVersionMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `QuerySchemaVersionMetadataInput`) /// - /// - Returns: `QuerySchemaVersionMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `QuerySchemaVersionMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14840,7 +14641,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QuerySchemaVersionMetadataOutput.httpOutput(from:), QuerySchemaVersionMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14875,9 +14675,9 @@ extension GlueClient { /// /// Adds a new version to the existing schema. Returns an error if new version of schema does not meet the compatibility requirements of the schema set. This API will not create a new schema set and will return a 404 error if the schema set is not already present in the Schema Registry. If this is the first schema definition to be registered in the Schema Registry, this API will store the schema version and return immediately. Otherwise, this call has the potential to run longer than other operations due to compatibility modes. You can call the GetSchemaVersion API with the SchemaVersionId to check compatibility modes. If the same schema definition is already stored in Schema Registry as a version, the schema ID of the existing schema is returned to the caller. /// - /// - Parameter RegisterSchemaVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterSchemaVersionInput`) /// - /// - Returns: `RegisterSchemaVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterSchemaVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14914,7 +14714,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterSchemaVersionOutput.httpOutput(from:), RegisterSchemaVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14949,9 +14748,9 @@ extension GlueClient { /// /// Removes a key value pair from the schema version metadata for the specified schema version ID. /// - /// - Parameter RemoveSchemaVersionMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveSchemaVersionMetadataInput`) /// - /// - Returns: `RemoveSchemaVersionMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveSchemaVersionMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14985,7 +14784,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveSchemaVersionMetadataOutput.httpOutput(from:), RemoveSchemaVersionMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15026,9 +14824,9 @@ extension GlueClient { /// /// * [Job structure](https://docs.aws.amazon.com/glue/latest/dg/aws-glue-api-jobs-job.html#aws-glue-api-jobs-job-Job) /// - /// - Parameter ResetJobBookmarkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetJobBookmarkInput`) /// - /// - Returns: `ResetJobBookmarkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetJobBookmarkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15063,7 +14861,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetJobBookmarkOutput.httpOutput(from:), ResetJobBookmarkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15098,9 +14895,9 @@ extension GlueClient { /// /// Restarts selected nodes of a previous partially completed workflow run and resumes the workflow run. The selected nodes and all nodes that are downstream from the selected nodes are run. /// - /// - Parameter ResumeWorkflowRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResumeWorkflowRunInput`) /// - /// - Returns: `ResumeWorkflowRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeWorkflowRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15137,7 +14934,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeWorkflowRunOutput.httpOutput(from:), ResumeWorkflowRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15172,9 +14968,9 @@ extension GlueClient { /// /// Executes the statement. /// - /// - Parameter RunStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RunStatementInput`) /// - /// - Returns: `RunStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RunStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15213,7 +15009,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RunStatementOutput.httpOutput(from:), RunStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15248,9 +15043,9 @@ extension GlueClient { /// /// Searches a set of tables based on properties in the table metadata as well as on the parent database. You can search against text or filter conditions. You can only get tables that you have access to based on the security policies defined in Lake Formation. You need at least a read-only access to the table for it to be returned. If you do not have access to all the columns in the table, these columns will not be searched against when returning the list of tables back to you. If you have access to the columns but not the data in the columns, those columns and the associated metadata for those columns will be included in the search. /// - /// - Parameter SearchTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchTablesInput`) /// - /// - Returns: `SearchTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15284,7 +15079,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchTablesOutput.httpOutput(from:), SearchTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15319,9 +15113,9 @@ extension GlueClient { /// /// Starts a new run of the specified blueprint. /// - /// - Parameter StartBlueprintRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBlueprintRunInput`) /// - /// - Returns: `StartBlueprintRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBlueprintRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15358,7 +15152,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBlueprintRunOutput.httpOutput(from:), StartBlueprintRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15393,9 +15186,9 @@ extension GlueClient { /// /// Starts a column statistics task run, for a specified table and columns. /// - /// - Parameter StartColumnStatisticsTaskRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartColumnStatisticsTaskRunInput`) /// - /// - Returns: `StartColumnStatisticsTaskRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartColumnStatisticsTaskRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15432,7 +15225,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartColumnStatisticsTaskRunOutput.httpOutput(from:), StartColumnStatisticsTaskRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15467,9 +15259,9 @@ extension GlueClient { /// /// Starts a column statistics task run schedule. /// - /// - Parameter StartColumnStatisticsTaskRunScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartColumnStatisticsTaskRunScheduleInput`) /// - /// - Returns: `StartColumnStatisticsTaskRunScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartColumnStatisticsTaskRunScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15504,7 +15296,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartColumnStatisticsTaskRunScheduleOutput.httpOutput(from:), StartColumnStatisticsTaskRunScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15539,9 +15330,9 @@ extension GlueClient { /// /// Starts a crawl using the specified crawler, regardless of what is scheduled. If the crawler is already running, returns a [CrawlerRunningException](https://docs.aws.amazon.com/glue/latest/dg/aws-glue-api-exceptions.html#aws-glue-api-exceptions-CrawlerRunningException). /// - /// - Parameter StartCrawlerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCrawlerInput`) /// - /// - Returns: `StartCrawlerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCrawlerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15575,7 +15366,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCrawlerOutput.httpOutput(from:), StartCrawlerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15610,9 +15400,9 @@ extension GlueClient { /// /// Changes the schedule state of the specified crawler to SCHEDULED, unless the crawler is already running or the schedule state is already SCHEDULED. /// - /// - Parameter StartCrawlerScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCrawlerScheduleInput`) /// - /// - Returns: `StartCrawlerScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCrawlerScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15648,7 +15438,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCrawlerScheduleOutput.httpOutput(from:), StartCrawlerScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15683,9 +15472,9 @@ extension GlueClient { /// /// Starts a recommendation run that is used to generate rules when you don't know what rules to write. Glue Data Quality analyzes the data and comes up with recommendations for a potential ruleset. You can then triage the ruleset and modify the generated ruleset to your liking. Recommendation runs are automatically deleted after 90 days. /// - /// - Parameter StartDataQualityRuleRecommendationRunInput : The request of the Data Quality rule recommendation request. + /// - Parameter input: The request of the Data Quality rule recommendation request. (Type: `StartDataQualityRuleRecommendationRunInput`) /// - /// - Returns: `StartDataQualityRuleRecommendationRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDataQualityRuleRecommendationRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15720,7 +15509,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDataQualityRuleRecommendationRunOutput.httpOutput(from:), StartDataQualityRuleRecommendationRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15755,9 +15543,9 @@ extension GlueClient { /// /// Once you have a ruleset definition (either recommended or your own), you call this operation to evaluate the ruleset against a data source (Glue table). The evaluation computes results which you can retrieve with the GetDataQualityResult API. /// - /// - Parameter StartDataQualityRulesetEvaluationRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDataQualityRulesetEvaluationRunInput`) /// - /// - Returns: `StartDataQualityRulesetEvaluationRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDataQualityRulesetEvaluationRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15793,7 +15581,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDataQualityRulesetEvaluationRunOutput.httpOutput(from:), StartDataQualityRulesetEvaluationRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15828,9 +15615,9 @@ extension GlueClient { /// /// Begins an asynchronous task to export all labeled data for a particular transform. This task is the only label-related API call that is not part of the typical active learning workflow. You typically use StartExportLabelsTaskRun when you want to work with all of your existing labels at the same time, such as when you want to remove or change labels that were previously submitted as truth. This API operation accepts the TransformId whose labels you want to export and an Amazon Simple Storage Service (Amazon S3) path to export the labels to. The operation returns a TaskRunId. You can check on the status of your task run by calling the GetMLTaskRun API. /// - /// - Parameter StartExportLabelsTaskRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartExportLabelsTaskRunInput`) /// - /// - Returns: `StartExportLabelsTaskRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartExportLabelsTaskRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15865,7 +15652,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExportLabelsTaskRunOutput.httpOutput(from:), StartExportLabelsTaskRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15900,9 +15686,9 @@ extension GlueClient { /// /// Enables you to provide additional labels (examples of truth) to be used to teach the machine learning transform and improve its quality. This API operation is generally used as part of the active learning workflow that starts with the StartMLLabelingSetGenerationTaskRun call and that ultimately results in improving the quality of your machine learning transform. After the StartMLLabelingSetGenerationTaskRun finishes, Glue machine learning will have generated a series of questions for humans to answer. (Answering these questions is often called 'labeling' in the machine learning workflows). In the case of the FindMatches transform, these questions are of the form, “What is the correct way to group these rows together into groups composed entirely of matching records?” After the labeling process is finished, users upload their answers/labels with a call to StartImportLabelsTaskRun. After StartImportLabelsTaskRun finishes, all future runs of the machine learning transform use the new and improved labels and perform a higher-quality transformation. By default, StartMLLabelingSetGenerationTaskRun continually learns from and combines all labels that you upload unless you set Replace to true. If you set Replace to true, StartImportLabelsTaskRun deletes and forgets all previously uploaded labels and learns only from the exact set that you upload. Replacing labels can be helpful if you realize that you previously uploaded incorrect labels, and you believe that they are having a negative effect on your transform quality. You can check on the status of your task run by calling the GetMLTaskRun operation. /// - /// - Parameter StartImportLabelsTaskRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImportLabelsTaskRunInput`) /// - /// - Returns: `StartImportLabelsTaskRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImportLabelsTaskRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15938,7 +15724,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImportLabelsTaskRunOutput.httpOutput(from:), StartImportLabelsTaskRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15973,9 +15758,9 @@ extension GlueClient { /// /// Starts a job run using a job definition. /// - /// - Parameter StartJobRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartJobRunInput`) /// - /// - Returns: `StartJobRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartJobRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16012,7 +15797,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartJobRunOutput.httpOutput(from:), StartJobRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16047,9 +15831,9 @@ extension GlueClient { /// /// Starts a task to estimate the quality of the transform. When you provide label sets as examples of truth, Glue machine learning uses some of those examples to learn from them. The rest of the labels are used as a test to estimate quality. Returns a unique identifier for the run. You can call GetMLTaskRun to get more information about the stats of the EvaluationTaskRun. /// - /// - Parameter StartMLEvaluationTaskRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMLEvaluationTaskRunInput`) /// - /// - Returns: `StartMLEvaluationTaskRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMLEvaluationTaskRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16086,7 +15870,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMLEvaluationTaskRunOutput.httpOutput(from:), StartMLEvaluationTaskRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16121,9 +15904,9 @@ extension GlueClient { /// /// Starts the active learning workflow for your machine learning transform to improve the transform's quality by generating label sets and adding labels. When the StartMLLabelingSetGenerationTaskRun finishes, Glue will have generated a "labeling set" or a set of questions for humans to answer. In the case of the FindMatches transform, these questions are of the form, “What is the correct way to group these rows together into groups composed entirely of matching records?” After the labeling process is finished, you can upload your labels with a call to StartImportLabelsTaskRun. After StartImportLabelsTaskRun finishes, all future runs of the machine learning transform will use the new and improved labels and perform a higher-quality transformation. Note: The role used to write the generated labeling set to the OutputS3Path is the role associated with the Machine Learning Transform, specified in the CreateMLTransform API. /// - /// - Parameter StartMLLabelingSetGenerationTaskRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMLLabelingSetGenerationTaskRunInput`) /// - /// - Returns: `StartMLLabelingSetGenerationTaskRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMLLabelingSetGenerationTaskRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16159,7 +15942,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMLLabelingSetGenerationTaskRunOutput.httpOutput(from:), StartMLLabelingSetGenerationTaskRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16194,9 +15976,9 @@ extension GlueClient { /// /// Starts an existing trigger. See [Triggering Jobs](https://docs.aws.amazon.com/glue/latest/dg/trigger-job.html) for information about how different types of trigger are started. /// - /// - Parameter StartTriggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTriggerInput`) /// - /// - Returns: `StartTriggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTriggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16233,7 +16015,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTriggerOutput.httpOutput(from:), StartTriggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16268,9 +16049,9 @@ extension GlueClient { /// /// Starts a new run of the specified workflow. /// - /// - Parameter StartWorkflowRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartWorkflowRunInput`) /// - /// - Returns: `StartWorkflowRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartWorkflowRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16307,7 +16088,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartWorkflowRunOutput.httpOutput(from:), StartWorkflowRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16342,9 +16122,9 @@ extension GlueClient { /// /// Stops a task run for the specified table. /// - /// - Parameter StopColumnStatisticsTaskRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopColumnStatisticsTaskRunInput`) /// - /// - Returns: `StopColumnStatisticsTaskRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopColumnStatisticsTaskRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16379,7 +16159,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopColumnStatisticsTaskRunOutput.httpOutput(from:), StopColumnStatisticsTaskRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16414,9 +16193,9 @@ extension GlueClient { /// /// Stops a column statistics task run schedule. /// - /// - Parameter StopColumnStatisticsTaskRunScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopColumnStatisticsTaskRunScheduleInput`) /// - /// - Returns: `StopColumnStatisticsTaskRunScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopColumnStatisticsTaskRunScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16450,7 +16229,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopColumnStatisticsTaskRunScheduleOutput.httpOutput(from:), StopColumnStatisticsTaskRunScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16485,9 +16263,9 @@ extension GlueClient { /// /// If the specified crawler is running, stops the crawl. /// - /// - Parameter StopCrawlerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopCrawlerInput`) /// - /// - Returns: `StopCrawlerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopCrawlerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16522,7 +16300,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopCrawlerOutput.httpOutput(from:), StopCrawlerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16557,9 +16334,9 @@ extension GlueClient { /// /// Sets the schedule state of the specified crawler to NOT_SCHEDULED, but does not stop the crawler if it is already running. /// - /// - Parameter StopCrawlerScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopCrawlerScheduleInput`) /// - /// - Returns: `StopCrawlerScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopCrawlerScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16594,7 +16371,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopCrawlerScheduleOutput.httpOutput(from:), StopCrawlerScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16629,9 +16405,9 @@ extension GlueClient { /// /// Stops the session. /// - /// - Parameter StopSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSessionInput`) /// - /// - Returns: `StopSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16668,7 +16444,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSessionOutput.httpOutput(from:), StopSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16703,9 +16478,9 @@ extension GlueClient { /// /// Stops a specified trigger. /// - /// - Parameter StopTriggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopTriggerInput`) /// - /// - Returns: `StopTriggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopTriggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16741,7 +16516,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopTriggerOutput.httpOutput(from:), StopTriggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16776,9 +16550,9 @@ extension GlueClient { /// /// Stops the execution of the specified workflow run. /// - /// - Parameter StopWorkflowRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopWorkflowRunInput`) /// - /// - Returns: `StopWorkflowRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopWorkflowRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16814,7 +16588,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopWorkflowRunOutput.httpOutput(from:), StopWorkflowRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16849,9 +16622,9 @@ extension GlueClient { /// /// Adds tags to a resource. A tag is a label you can assign to an Amazon Web Services resource. In Glue, you can tag only certain resources. For information about what resources you can tag, see [Amazon Web Services Tags in Glue](https://docs.aws.amazon.com/glue/latest/dg/monitor-tags.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16886,7 +16659,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16921,9 +16693,9 @@ extension GlueClient { /// /// Tests a connection to a service to validate the service credentials that you provide. You can either provide an existing connection name or a TestConnectionInput for testing a non-existing connection input. Providing both at the same time will cause an error. If the action is successful, the service sends back an HTTP 200 response. /// - /// - Parameter TestConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestConnectionInput`) /// - /// - Returns: `TestConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16963,7 +16735,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestConnectionOutput.httpOutput(from:), TestConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16998,9 +16769,9 @@ extension GlueClient { /// /// Removes tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17035,7 +16806,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17070,9 +16840,9 @@ extension GlueClient { /// /// Updates a registered blueprint. /// - /// - Parameter UpdateBlueprintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBlueprintInput`) /// - /// - Returns: `UpdateBlueprintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17109,7 +16879,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBlueprintOutput.httpOutput(from:), UpdateBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17144,9 +16913,9 @@ extension GlueClient { /// /// Updates an existing catalog's properties in the Glue Data Catalog. /// - /// - Parameter UpdateCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCatalogInput`) /// - /// - Returns: `UpdateCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17185,7 +16954,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCatalogOutput.httpOutput(from:), UpdateCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17220,9 +16988,9 @@ extension GlueClient { /// /// Modifies an existing classifier (a GrokClassifier, an XMLClassifier, a JsonClassifier, or a CsvClassifier, depending on which field is present). /// - /// - Parameter UpdateClassifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClassifierInput`) /// - /// - Returns: `UpdateClassifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClassifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17257,7 +17025,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClassifierOutput.httpOutput(from:), UpdateClassifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17292,9 +17059,9 @@ extension GlueClient { /// /// Creates or updates partition statistics of columns. The Identity and Access Management (IAM) permission required for this operation is UpdatePartition. /// - /// - Parameter UpdateColumnStatisticsForPartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateColumnStatisticsForPartitionInput`) /// - /// - Returns: `UpdateColumnStatisticsForPartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateColumnStatisticsForPartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17330,7 +17097,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateColumnStatisticsForPartitionOutput.httpOutput(from:), UpdateColumnStatisticsForPartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17365,9 +17131,9 @@ extension GlueClient { /// /// Creates or updates table statistics of columns. The Identity and Access Management (IAM) permission required for this operation is UpdateTable. /// - /// - Parameter UpdateColumnStatisticsForTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateColumnStatisticsForTableInput`) /// - /// - Returns: `UpdateColumnStatisticsForTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateColumnStatisticsForTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17403,7 +17169,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateColumnStatisticsForTableOutput.httpOutput(from:), UpdateColumnStatisticsForTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17438,9 +17203,9 @@ extension GlueClient { /// /// Updates settings for a column statistics task. /// - /// - Parameter UpdateColumnStatisticsTaskSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateColumnStatisticsTaskSettingsInput`) /// - /// - Returns: `UpdateColumnStatisticsTaskSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateColumnStatisticsTaskSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17476,7 +17241,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateColumnStatisticsTaskSettingsOutput.httpOutput(from:), UpdateColumnStatisticsTaskSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17511,9 +17275,9 @@ extension GlueClient { /// /// Updates a connection definition in the Data Catalog. /// - /// - Parameter UpdateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectionInput`) /// - /// - Returns: `UpdateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17548,7 +17312,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectionOutput.httpOutput(from:), UpdateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17583,9 +17346,9 @@ extension GlueClient { /// /// Updates a crawler. If a crawler is running, you must stop it using StopCrawler before updating it. /// - /// - Parameter UpdateCrawlerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCrawlerInput`) /// - /// - Returns: `UpdateCrawlerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCrawlerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17621,7 +17384,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCrawlerOutput.httpOutput(from:), UpdateCrawlerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17656,9 +17418,9 @@ extension GlueClient { /// /// Updates the schedule of a crawler using a cron expression. /// - /// - Parameter UpdateCrawlerScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCrawlerScheduleInput`) /// - /// - Returns: `UpdateCrawlerScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCrawlerScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17694,7 +17456,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCrawlerScheduleOutput.httpOutput(from:), UpdateCrawlerScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17729,9 +17490,9 @@ extension GlueClient { /// /// Updates the specified data quality ruleset. /// - /// - Parameter UpdateDataQualityRulesetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataQualityRulesetInput`) /// - /// - Returns: `UpdateDataQualityRulesetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataQualityRulesetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17769,7 +17530,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataQualityRulesetOutput.httpOutput(from:), UpdateDataQualityRulesetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17804,9 +17564,9 @@ extension GlueClient { /// /// Updates an existing database definition in a Data Catalog. /// - /// - Parameter UpdateDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatabaseInput`) /// - /// - Returns: `UpdateDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17846,7 +17606,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatabaseOutput.httpOutput(from:), UpdateDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17881,9 +17640,9 @@ extension GlueClient { /// /// Updates a specified development endpoint. /// - /// - Parameter UpdateDevEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDevEndpointInput`) /// - /// - Returns: `UpdateDevEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDevEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17919,7 +17678,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDevEndpointOutput.httpOutput(from:), UpdateDevEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17954,9 +17712,9 @@ extension GlueClient { /// /// Updates the existing Glue Identity Center configuration, allowing modification of scopes and permissions for the integration. /// - /// - Parameter UpdateGlueIdentityCenterConfigurationInput : Request to update an existing Glue Identity Center configuration. + /// - Parameter input: Request to update an existing Glue Identity Center configuration. (Type: `UpdateGlueIdentityCenterConfigurationInput`) /// - /// - Returns: `UpdateGlueIdentityCenterConfigurationOutput` : Response from updating an existing Glue Identity Center configuration. + /// - Returns: Response from updating an existing Glue Identity Center configuration. (Type: `UpdateGlueIdentityCenterConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17993,7 +17751,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGlueIdentityCenterConfigurationOutput.httpOutput(from:), UpdateGlueIdentityCenterConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18028,9 +17785,9 @@ extension GlueClient { /// /// This API can be used for updating the ResourceProperty of the Glue connection (for the source) or Glue database ARN (for the target). These properties can include the role to access the connection or database. Since the same resource can be used across multiple integrations, updating resource properties will impact all the integrations using it. /// - /// - Parameter UpdateIntegrationResourcePropertyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIntegrationResourcePropertyInput`) /// - /// - Returns: `UpdateIntegrationResourcePropertyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIntegrationResourcePropertyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18068,7 +17825,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIntegrationResourcePropertyOutput.httpOutput(from:), UpdateIntegrationResourcePropertyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18103,9 +17859,9 @@ extension GlueClient { /// /// This API is used to provide optional override properties for the tables that need to be replicated. These properties can include properties for filtering and partitioning for the source and target tables. To set both source and target properties the same API need to be invoked with the Glue connection ARN as ResourceArn with SourceTableConfig, and the Glue database ARN as ResourceArn with TargetTableConfig respectively. The override will be reflected across all the integrations using same ResourceArn and source table. /// - /// - Parameter UpdateIntegrationTablePropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIntegrationTablePropertiesInput`) /// - /// - Returns: `UpdateIntegrationTablePropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIntegrationTablePropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18143,7 +17899,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIntegrationTablePropertiesOutput.httpOutput(from:), UpdateIntegrationTablePropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18178,9 +17933,9 @@ extension GlueClient { /// /// Updates an existing job definition. The previous job definition is completely overwritten by this information. /// - /// - Parameter UpdateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJobInput`) /// - /// - Returns: `UpdateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18216,7 +17971,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobOutput.httpOutput(from:), UpdateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18251,9 +18005,9 @@ extension GlueClient { /// /// Synchronizes a job from the source control repository. This operation takes the job artifacts that are located in the remote repository and updates the Glue internal stores with these artifacts. This API supports optional parameters which take in the repository information. /// - /// - Parameter UpdateJobFromSourceControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJobFromSourceControlInput`) /// - /// - Returns: `UpdateJobFromSourceControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobFromSourceControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18291,7 +18045,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobFromSourceControlOutput.httpOutput(from:), UpdateJobFromSourceControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18326,9 +18079,9 @@ extension GlueClient { /// /// Updates an existing machine learning transform. Call this operation to tune the algorithm parameters to achieve better results. After calling this operation, you can call the StartMLEvaluationTaskRun operation to assess how well your new parameters achieved your goals (such as improving the quality of your machine learning transform, or making it more cost-effective). /// - /// - Parameter UpdateMLTransformInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMLTransformInput`) /// - /// - Returns: `UpdateMLTransformOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMLTransformOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18364,7 +18117,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMLTransformOutput.httpOutput(from:), UpdateMLTransformOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18399,9 +18151,9 @@ extension GlueClient { /// /// Updates a partition. /// - /// - Parameter UpdatePartitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePartitionInput`) /// - /// - Returns: `UpdatePartitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePartitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18437,7 +18189,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePartitionOutput.httpOutput(from:), UpdatePartitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18472,9 +18223,9 @@ extension GlueClient { /// /// Updates an existing registry which is used to hold a collection of schemas. The updated properties relate to the registry, and do not modify any of the schemas within the registry. /// - /// - Parameter UpdateRegistryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRegistryInput`) /// - /// - Returns: `UpdateRegistryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRegistryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18510,7 +18261,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRegistryOutput.httpOutput(from:), UpdateRegistryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18545,9 +18295,9 @@ extension GlueClient { /// /// Updates the description, compatibility setting, or version checkpoint for a schema set. For updating the compatibility setting, the call will not validate compatibility for the entire set of schema versions with the new compatibility setting. If the value for Compatibility is provided, the VersionNumber (a checkpoint) is also required. The API will validate the checkpoint version number for consistency. If the value for the VersionNumber (checkpoint) is provided, Compatibility is optional and this can be used to set/reset a checkpoint for the schema. This update will happen only if the schema is in the AVAILABLE state. /// - /// - Parameter UpdateSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSchemaInput`) /// - /// - Returns: `UpdateSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18583,7 +18333,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSchemaOutput.httpOutput(from:), UpdateSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18618,9 +18367,9 @@ extension GlueClient { /// /// Synchronizes a job to the source control repository. This operation takes the job artifacts from the Glue internal stores and makes a commit to the remote repository that is configured on the job. This API supports optional parameters which take in the repository information. /// - /// - Parameter UpdateSourceControlFromJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSourceControlFromJobInput`) /// - /// - Returns: `UpdateSourceControlFromJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSourceControlFromJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18658,7 +18407,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSourceControlFromJobOutput.httpOutput(from:), UpdateSourceControlFromJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18693,9 +18441,9 @@ extension GlueClient { /// /// Updates a metadata table in the Data Catalog. /// - /// - Parameter UpdateTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTableInput`) /// - /// - Returns: `UpdateTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18737,7 +18485,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTableOutput.httpOutput(from:), UpdateTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18772,9 +18519,9 @@ extension GlueClient { /// /// Updates the configuration for an existing table optimizer. /// - /// - Parameter UpdateTableOptimizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTableOptimizerInput`) /// - /// - Returns: `UpdateTableOptimizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTableOptimizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18812,7 +18559,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTableOptimizerOutput.httpOutput(from:), UpdateTableOptimizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18847,9 +18593,9 @@ extension GlueClient { /// /// Updates a trigger definition. Job arguments may be logged. Do not pass plaintext secrets as arguments. Retrieve secrets from a Glue Connection, Amazon Web Services Secrets Manager or other secret management mechanism if you intend to keep them within the Job. /// - /// - Parameter UpdateTriggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTriggerInput`) /// - /// - Returns: `UpdateTriggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTriggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18885,7 +18631,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTriggerOutput.httpOutput(from:), UpdateTriggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18920,9 +18665,9 @@ extension GlueClient { /// /// Update an Glue usage profile. /// - /// - Parameter UpdateUsageProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUsageProfileInput`) /// - /// - Returns: `UpdateUsageProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUsageProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18959,7 +18704,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUsageProfileOutput.httpOutput(from:), UpdateUsageProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18994,9 +18738,9 @@ extension GlueClient { /// /// Updates an existing function definition in the Data Catalog. /// - /// - Parameter UpdateUserDefinedFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserDefinedFunctionInput`) /// - /// - Returns: `UpdateUserDefinedFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserDefinedFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19032,7 +18776,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserDefinedFunctionOutput.httpOutput(from:), UpdateUserDefinedFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19067,9 +18810,9 @@ extension GlueClient { /// /// Updates an existing workflow. /// - /// - Parameter UpdateWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkflowInput`) /// - /// - Returns: `UpdateWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19105,7 +18848,6 @@ extension GlueClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkflowOutput.httpOutput(from:), UpdateWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGlue/Sources/AWSGlue/Models.swift b/Sources/Services/AWSGlue/Sources/AWSGlue/Models.swift index 140806d02ce..a4977652d60 100644 --- a/Sources/Services/AWSGlue/Sources/AWSGlue/Models.swift +++ b/Sources/Services/AWSGlue/Sources/AWSGlue/Models.swift @@ -3145,6 +3145,8 @@ extension GlueClientTypes { public var evaluatedRule: Swift.String? /// An evaluation message. public var evaluationMessage: Swift.String? + /// A map containing labels assigned to the data quality rule. + public var labels: [Swift.String: Swift.String]? /// The name of the data quality rule. public var name: Swift.String? /// A pass or fail status for the rule. @@ -3157,6 +3159,7 @@ extension GlueClientTypes { evaluatedMetrics: [Swift.String: Swift.Double]? = nil, evaluatedRule: Swift.String? = nil, evaluationMessage: Swift.String? = nil, + labels: [Swift.String: Swift.String]? = nil, name: Swift.String? = nil, result: GlueClientTypes.DataQualityRuleResultStatus? = nil, ruleMetrics: [Swift.String: Swift.Double]? = nil @@ -3165,6 +3168,7 @@ extension GlueClientTypes { self.evaluatedMetrics = evaluatedMetrics self.evaluatedRule = evaluatedRule self.evaluationMessage = evaluationMessage + self.labels = labels self.name = name self.result = result self.ruleMetrics = ruleMetrics @@ -3174,7 +3178,7 @@ extension GlueClientTypes { extension GlueClientTypes.DataQualityRuleResult: Swift.CustomDebugStringConvertible { public var debugDescription: Swift.String { - "DataQualityRuleResult(name: \(Swift.String(describing: name)), result: \(Swift.String(describing: result)), description: \"CONTENT_REDACTED\", evaluatedMetrics: \"CONTENT_REDACTED\", evaluatedRule: \"CONTENT_REDACTED\", evaluationMessage: \"CONTENT_REDACTED\", ruleMetrics: \"CONTENT_REDACTED\")"} + "DataQualityRuleResult(labels: \(Swift.String(describing: labels)), name: \(Swift.String(describing: name)), result: \(Swift.String(describing: result)), description: \"CONTENT_REDACTED\", evaluatedMetrics: \"CONTENT_REDACTED\", evaluatedRule: \"CONTENT_REDACTED\", evaluationMessage: \"CONTENT_REDACTED\", ruleMetrics: \"CONTENT_REDACTED\")"} } extension GlueClientTypes { @@ -43009,6 +43013,7 @@ extension GlueClientTypes.DataQualityRuleResult { value.evaluatedMetrics = try reader["EvaluatedMetrics"].readMapIfPresent(valueReadingClosure: SmithyReadWrite.ReadingClosures.readDouble(from:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) value.evaluatedRule = try reader["EvaluatedRule"].readIfPresent() value.ruleMetrics = try reader["RuleMetrics"].readMapIfPresent(valueReadingClosure: SmithyReadWrite.ReadingClosures.readDouble(from:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) + value.labels = try reader["Labels"].readMapIfPresent(valueReadingClosure: SmithyReadWrite.ReadingClosures.readString(from:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) return value } } diff --git a/Sources/Services/AWSGrafana/Sources/AWSGrafana/GrafanaClient.swift b/Sources/Services/AWSGrafana/Sources/AWSGrafana/GrafanaClient.swift index 8d42f57cb7a..80408696c1f 100644 --- a/Sources/Services/AWSGrafana/Sources/AWSGrafana/GrafanaClient.swift +++ b/Sources/Services/AWSGrafana/Sources/AWSGrafana/GrafanaClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GrafanaClient: ClientRuntime.Client { public static let clientName = "GrafanaClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GrafanaClient.GrafanaClientConfiguration let serviceName = "grafana" @@ -375,9 +374,9 @@ extension GrafanaClient { /// /// Assigns a Grafana Enterprise license to a workspace. To upgrade, you must use ENTERPRISE for the licenseType, and pass in a valid Grafana Labs token for the grafanaToken. Upgrading to Grafana Enterprise incurs additional fees. For more information, see [Upgrade a workspace to Grafana Enterprise](https://docs.aws.amazon.com/grafana/latest/userguide/upgrade-to-Grafana-Enterprise.html). /// - /// - Parameter AssociateLicenseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateLicenseInput`) /// - /// - Returns: `AssociateLicenseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateLicenseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension GrafanaClient { builder.serialize(ClientRuntime.HeaderMiddleware(AssociateLicenseInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateLicenseOutput.httpOutput(from:), AssociateLicenseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension GrafanaClient { /// /// Creates a workspace. In a workspace, you can create Grafana dashboards and visualizations to analyze your metrics, logs, and traces. You don't have to build, package, or deploy any hardware to run the Grafana server. Don't use CreateWorkspace to modify an existing workspace. Instead, use [UpdateWorkspace](https://docs.aws.amazon.com/grafana/latest/APIReference/API_UpdateWorkspace.html). /// - /// - Parameter CreateWorkspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkspaceInput`) /// - /// - Returns: `CreateWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspaceOutput.httpOutput(from:), CreateWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension GrafanaClient { /// /// Creates a Grafana API key for the workspace. This key can be used to authenticate requests sent to the workspace's HTTP API. See [https://docs.aws.amazon.com/grafana/latest/userguide/Using-Grafana-APIs.html](https://docs.aws.amazon.com/grafana/latest/userguide/Using-Grafana-APIs.html) for available APIs and example requests. In workspaces compatible with Grafana version 9 or above, use workspace service accounts instead of API keys. API keys will be removed in a future release. /// - /// - Parameter CreateWorkspaceApiKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkspaceApiKeyInput`) /// - /// - Returns: `CreateWorkspaceApiKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkspaceApiKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspaceApiKeyOutput.httpOutput(from:), CreateWorkspaceApiKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension GrafanaClient { /// /// Creates a service account for the workspace. A service account can be used to call Grafana HTTP APIs, and run automated workloads. After creating the service account with the correct GrafanaRole for your use case, use CreateWorkspaceServiceAccountToken to create a token that can be used to authenticate and authorize Grafana HTTP API calls. You can only create service accounts for workspaces that are compatible with Grafana version 9 and above. For more information about service accounts, see [Service accounts](https://docs.aws.amazon.com/grafana/latest/userguide/service-accounts.html) in the Amazon Managed Grafana User Guide. For more information about the Grafana HTTP APIs, see [Using Grafana HTTP APIs](https://docs.aws.amazon.com/grafana/latest/userguide/Using-Grafana-APIs.html) in the Amazon Managed Grafana User Guide. /// - /// - Parameter CreateWorkspaceServiceAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkspaceServiceAccountInput`) /// - /// - Returns: `CreateWorkspaceServiceAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkspaceServiceAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspaceServiceAccountOutput.httpOutput(from:), CreateWorkspaceServiceAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension GrafanaClient { /// /// Creates a token that can be used to authenticate and authorize Grafana HTTP API operations for the given [workspace service account](https://docs.aws.amazon.com/grafana/latest/userguide/service-accounts.html). The service account acts as a user for the API operations, and defines the permissions that are used by the API. When you create the service account token, you will receive a key that is used when calling Grafana APIs. Do not lose this key, as it will not be retrievable again. If you do lose the key, you can delete the token and recreate it to receive a new key. This will disable the initial key. Service accounts are only available for workspaces that are compatible with Grafana version 9 and above. /// - /// - Parameter CreateWorkspaceServiceAccountTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkspaceServiceAccountTokenInput`) /// - /// - Returns: `CreateWorkspaceServiceAccountTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkspaceServiceAccountTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspaceServiceAccountTokenOutput.httpOutput(from:), CreateWorkspaceServiceAccountTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension GrafanaClient { /// /// Deletes an Amazon Managed Grafana workspace. /// - /// - Parameter DeleteWorkspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkspaceInput`) /// - /// - Returns: `DeleteWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -779,7 +773,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkspaceOutput.httpOutput(from:), DeleteWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -811,9 +804,9 @@ extension GrafanaClient { /// /// Deletes a Grafana API key for the workspace. In workspaces compatible with Grafana version 9 or above, use workspace service accounts instead of API keys. API keys will be removed in a future release. /// - /// - Parameter DeleteWorkspaceApiKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkspaceApiKeyInput`) /// - /// - Returns: `DeleteWorkspaceApiKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkspaceApiKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -849,7 +842,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkspaceApiKeyOutput.httpOutput(from:), DeleteWorkspaceApiKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -881,9 +873,9 @@ extension GrafanaClient { /// /// Deletes a workspace service account from the workspace. This will delete any tokens created for the service account, as well. If the tokens are currently in use, the will fail to authenticate / authorize after they are deleted. Service accounts are only available for workspaces that are compatible with Grafana version 9 and above. /// - /// - Parameter DeleteWorkspaceServiceAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkspaceServiceAccountInput`) /// - /// - Returns: `DeleteWorkspaceServiceAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkspaceServiceAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +911,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkspaceServiceAccountOutput.httpOutput(from:), DeleteWorkspaceServiceAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -951,9 +942,9 @@ extension GrafanaClient { /// /// Deletes a token for the workspace service account. This will disable the key associated with the token. If any automation is currently using the key, it will no longer be authenticated or authorized to perform actions with the Grafana HTTP APIs. Service accounts are only available for workspaces that are compatible with Grafana version 9 and above. /// - /// - Parameter DeleteWorkspaceServiceAccountTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkspaceServiceAccountTokenInput`) /// - /// - Returns: `DeleteWorkspaceServiceAccountTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkspaceServiceAccountTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -989,7 +980,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkspaceServiceAccountTokenOutput.httpOutput(from:), DeleteWorkspaceServiceAccountTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1021,9 +1011,9 @@ extension GrafanaClient { /// /// Displays information about one Amazon Managed Grafana workspace. /// - /// - Parameter DescribeWorkspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspaceInput`) /// - /// - Returns: `DescribeWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1058,7 +1048,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceOutput.httpOutput(from:), DescribeWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1090,9 +1079,9 @@ extension GrafanaClient { /// /// Displays information about the authentication methods used in one Amazon Managed Grafana workspace. /// - /// - Parameter DescribeWorkspaceAuthenticationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspaceAuthenticationInput`) /// - /// - Returns: `DescribeWorkspaceAuthenticationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspaceAuthenticationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1128,7 +1117,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceAuthenticationOutput.httpOutput(from:), DescribeWorkspaceAuthenticationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1160,9 +1148,9 @@ extension GrafanaClient { /// /// Gets the current configuration string for the given workspace. /// - /// - Parameter DescribeWorkspaceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspaceConfigurationInput`) /// - /// - Returns: `DescribeWorkspaceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspaceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1196,7 +1184,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceConfigurationOutput.httpOutput(from:), DescribeWorkspaceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1228,9 +1215,9 @@ extension GrafanaClient { /// /// Removes the Grafana Enterprise license from a workspace. /// - /// - Parameter DisassociateLicenseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateLicenseInput`) /// - /// - Returns: `DisassociateLicenseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateLicenseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1265,7 +1252,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateLicenseOutput.httpOutput(from:), DisassociateLicenseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1297,9 +1283,9 @@ extension GrafanaClient { /// /// Lists the users and groups who have the Grafana Admin and Editor roles in this workspace. If you use this operation without specifying userId or groupId, the operation returns the roles of all users and groups. If you specify a userId or a groupId, only the roles for that user or group are returned. If you do this, you can specify only one userId or one groupId. /// - /// - Parameter ListPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionsInput`) /// - /// - Returns: `ListPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1335,7 +1321,6 @@ extension GrafanaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPermissionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionsOutput.httpOutput(from:), ListPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1367,9 +1352,9 @@ extension GrafanaClient { /// /// The ListTagsForResource operation returns the tags that are associated with the Amazon Managed Service for Grafana resource specified by the resourceArn. Currently, the only resource that can be tagged is a workspace. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1404,7 +1389,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1436,9 +1420,9 @@ extension GrafanaClient { /// /// Lists available versions of Grafana. These are available when calling CreateWorkspace. Optionally, include a workspace to list the versions to which it can be upgraded. /// - /// - Parameter ListVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVersionsInput`) /// - /// - Returns: `ListVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1474,7 +1458,6 @@ extension GrafanaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVersionsOutput.httpOutput(from:), ListVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1506,9 +1489,9 @@ extension GrafanaClient { /// /// Returns a list of tokens for a workspace service account. This does not return the key for each token. You cannot access keys after they are created. To create a new key, delete the token and recreate it. Service accounts are only available for workspaces that are compatible with Grafana version 9 and above. /// - /// - Parameter ListWorkspaceServiceAccountTokensInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkspaceServiceAccountTokensInput`) /// - /// - Returns: `ListWorkspaceServiceAccountTokensOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkspaceServiceAccountTokensOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1545,7 +1528,6 @@ extension GrafanaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkspaceServiceAccountTokensInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkspaceServiceAccountTokensOutput.httpOutput(from:), ListWorkspaceServiceAccountTokensOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1577,9 +1559,9 @@ extension GrafanaClient { /// /// Returns a list of service accounts for a workspace. Service accounts are only available for workspaces that are compatible with Grafana version 9 and above. /// - /// - Parameter ListWorkspaceServiceAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkspaceServiceAccountsInput`) /// - /// - Returns: `ListWorkspaceServiceAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkspaceServiceAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1616,7 +1598,6 @@ extension GrafanaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkspaceServiceAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkspaceServiceAccountsOutput.httpOutput(from:), ListWorkspaceServiceAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1648,9 +1629,9 @@ extension GrafanaClient { /// /// Returns a list of Amazon Managed Grafana workspaces in the account, with some information about each workspace. For more complete information about one workspace, use [DescribeWorkspace](https://docs.aws.amazon.com/AAMG/latest/APIReference/API_DescribeWorkspace.html). /// - /// - Parameter ListWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkspacesInput`) /// - /// - Returns: `ListWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkspacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1684,7 +1665,6 @@ extension GrafanaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkspacesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkspacesOutput.httpOutput(from:), ListWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1716,9 +1696,9 @@ extension GrafanaClient { /// /// The TagResource operation associates tags with an Amazon Managed Grafana resource. Currently, the only resource that can be tagged is workspaces. If you specify a new tag key for the resource, this tag is appended to the list of tags associated with the resource. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1756,7 +1736,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1788,9 +1767,9 @@ extension GrafanaClient { /// /// The UntagResource operation removes the association of the tag with the Amazon Managed Grafana resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1826,7 +1805,6 @@ extension GrafanaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1858,9 +1836,9 @@ extension GrafanaClient { /// /// Updates which users in a workspace have the Grafana Admin or Editor roles. /// - /// - Parameter UpdatePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePermissionsInput`) /// - /// - Returns: `UpdatePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1898,7 +1876,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePermissionsOutput.httpOutput(from:), UpdatePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1930,9 +1907,9 @@ extension GrafanaClient { /// /// Modifies an existing Amazon Managed Grafana workspace. If you use this operation and omit any optional parameters, the existing values of those parameters are not changed. To modify the user authentication methods that the workspace uses, such as SAML or IAM Identity Center, use [UpdateWorkspaceAuthentication](https://docs.aws.amazon.com/grafana/latest/APIReference/API_UpdateWorkspaceAuthentication.html). To modify which users in the workspace have the Admin and Editor Grafana roles, use [UpdatePermissions](https://docs.aws.amazon.com/grafana/latest/APIReference/API_UpdatePermissions.html). /// - /// - Parameter UpdateWorkspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkspaceInput`) /// - /// - Returns: `UpdateWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1971,7 +1948,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkspaceOutput.httpOutput(from:), UpdateWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2003,9 +1979,9 @@ extension GrafanaClient { /// /// Use this operation to define the identity provider (IdP) that this workspace authenticates users from, using SAML. You can also map SAML assertion attributes to workspace user information and define which groups in the assertion attribute are to have the Admin and Editor roles in the workspace. Changes to the authentication method for a workspace may take a few minutes to take effect. /// - /// - Parameter UpdateWorkspaceAuthenticationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkspaceAuthenticationInput`) /// - /// - Returns: `UpdateWorkspaceAuthenticationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkspaceAuthenticationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2044,7 +2020,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkspaceAuthenticationOutput.httpOutput(from:), UpdateWorkspaceAuthenticationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2076,9 +2051,9 @@ extension GrafanaClient { /// /// Updates the configuration string for the given workspace /// - /// - Parameter UpdateWorkspaceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkspaceConfigurationInput`) /// - /// - Returns: `UpdateWorkspaceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkspaceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2117,7 +2092,6 @@ extension GrafanaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkspaceConfigurationOutput.httpOutput(from:), UpdateWorkspaceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGreengrass/Sources/AWSGreengrass/GreengrassClient.swift b/Sources/Services/AWSGreengrass/Sources/AWSGreengrass/GreengrassClient.swift index b5eacb6e5a2..d035a025e6d 100644 --- a/Sources/Services/AWSGreengrass/Sources/AWSGreengrass/GreengrassClient.swift +++ b/Sources/Services/AWSGreengrass/Sources/AWSGreengrass/GreengrassClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GreengrassClient: ClientRuntime.Client { public static let clientName = "GreengrassClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GreengrassClient.GreengrassClientConfiguration let serviceName = "Greengrass" @@ -374,9 +373,9 @@ extension GreengrassClient { /// /// Associates a role with a group. Your Greengrass core will use the role to access AWS cloud services. The role's permissions should allow Greengrass core Lambda functions to perform actions against the cloud. /// - /// - Parameter AssociateRoleToGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateRoleToGroupInput`) /// - /// - Returns: `AssociateRoleToGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateRoleToGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateRoleToGroupOutput.httpOutput(from:), AssociateRoleToGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension GreengrassClient { /// /// Associates a role with your account. AWS IoT Greengrass will use the role to access your Lambda functions and AWS IoT resources. This is necessary for deployments to succeed. The role must have at least minimum permissions in the policy ''AWSGreengrassResourceAccessRolePolicy''. /// - /// - Parameter AssociateServiceRoleToAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateServiceRoleToAccountInput`) /// - /// - Returns: `AssociateServiceRoleToAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateServiceRoleToAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateServiceRoleToAccountOutput.httpOutput(from:), AssociateServiceRoleToAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension GreengrassClient { /// /// Creates a connector definition. You may provide the initial version of the connector definition now or use ''CreateConnectorDefinitionVersion'' at a later time. /// - /// - Parameter CreateConnectorDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectorDefinitionInput`) /// - /// - Returns: `CreateConnectorDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectorDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -549,7 +546,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectorDefinitionOutput.httpOutput(from:), CreateConnectorDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -581,9 +577,9 @@ extension GreengrassClient { /// /// Creates a version of a connector definition which has already been defined. /// - /// - Parameter CreateConnectorDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectorDefinitionVersionInput`) /// - /// - Returns: `CreateConnectorDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectorDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -618,7 +614,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectorDefinitionVersionOutput.httpOutput(from:), CreateConnectorDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -650,9 +645,9 @@ extension GreengrassClient { /// /// Creates a core definition. You may provide the initial version of the core definition now or use ''CreateCoreDefinitionVersion'' at a later time. Greengrass groups must each contain exactly one Greengrass core. /// - /// - Parameter CreateCoreDefinitionInput : Information needed to create a core definition. + /// - Parameter input: Information needed to create a core definition. (Type: `CreateCoreDefinitionInput`) /// - /// - Returns: `CreateCoreDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCoreDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -687,7 +682,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCoreDefinitionOutput.httpOutput(from:), CreateCoreDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -719,9 +713,9 @@ extension GreengrassClient { /// /// Creates a version of a core definition that has already been defined. Greengrass groups must each contain exactly one Greengrass core. /// - /// - Parameter CreateCoreDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCoreDefinitionVersionInput`) /// - /// - Returns: `CreateCoreDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCoreDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -756,7 +750,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCoreDefinitionVersionOutput.httpOutput(from:), CreateCoreDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -788,9 +781,9 @@ extension GreengrassClient { /// /// Creates a deployment. ''CreateDeployment'' requests are idempotent with respect to the ''X-Amzn-Client-Token'' token and the request parameters. /// - /// - Parameter CreateDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeploymentInput`) /// - /// - Returns: `CreateDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -825,7 +818,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentOutput.httpOutput(from:), CreateDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -857,9 +849,9 @@ extension GreengrassClient { /// /// Creates a device definition. You may provide the initial version of the device definition now or use ''CreateDeviceDefinitionVersion'' at a later time. /// - /// - Parameter CreateDeviceDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeviceDefinitionInput`) /// - /// - Returns: `CreateDeviceDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeviceDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -894,7 +886,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeviceDefinitionOutput.httpOutput(from:), CreateDeviceDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -926,9 +917,9 @@ extension GreengrassClient { /// /// Creates a version of a device definition that has already been defined. /// - /// - Parameter CreateDeviceDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeviceDefinitionVersionInput`) /// - /// - Returns: `CreateDeviceDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeviceDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -963,7 +954,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeviceDefinitionVersionOutput.httpOutput(from:), CreateDeviceDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -995,9 +985,9 @@ extension GreengrassClient { /// /// Creates a Lambda function definition which contains a list of Lambda functions and their configurations to be used in a group. You can create an initial version of the definition by providing a list of Lambda functions and their configurations now, or use ''CreateFunctionDefinitionVersion'' later. /// - /// - Parameter CreateFunctionDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFunctionDefinitionInput`) /// - /// - Returns: `CreateFunctionDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFunctionDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1032,7 +1022,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFunctionDefinitionOutput.httpOutput(from:), CreateFunctionDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1064,9 +1053,9 @@ extension GreengrassClient { /// /// Creates a version of a Lambda function definition that has already been defined. /// - /// - Parameter CreateFunctionDefinitionVersionInput : Information needed to create a function definition version. + /// - Parameter input: Information needed to create a function definition version. (Type: `CreateFunctionDefinitionVersionInput`) /// - /// - Returns: `CreateFunctionDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFunctionDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1101,7 +1090,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFunctionDefinitionVersionOutput.httpOutput(from:), CreateFunctionDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1133,9 +1121,9 @@ extension GreengrassClient { /// /// Creates a group. You may provide the initial version of the group or use ''CreateGroupVersion'' at a later time. Tip: You can use the ''gg_group_setup'' package (https://github.com/awslabs/aws-greengrass-group-setup) as a library or command-line application to create and deploy Greengrass groups. /// - /// - Parameter CreateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupInput`) /// - /// - Returns: `CreateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1170,7 +1158,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupOutput.httpOutput(from:), CreateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1202,9 +1189,9 @@ extension GreengrassClient { /// /// Creates a CA for the group. If a CA already exists, it will rotate the existing CA. /// - /// - Parameter CreateGroupCertificateAuthorityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupCertificateAuthorityInput`) /// - /// - Returns: `CreateGroupCertificateAuthorityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupCertificateAuthorityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1237,7 +1224,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.HeaderMiddleware(CreateGroupCertificateAuthorityInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupCertificateAuthorityOutput.httpOutput(from:), CreateGroupCertificateAuthorityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1269,9 +1255,9 @@ extension GreengrassClient { /// /// Creates a version of a group which has already been defined. /// - /// - Parameter CreateGroupVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupVersionInput`) /// - /// - Returns: `CreateGroupVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1306,7 +1292,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupVersionOutput.httpOutput(from:), CreateGroupVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1338,9 +1323,9 @@ extension GreengrassClient { /// /// Creates a logger definition. You may provide the initial version of the logger definition now or use ''CreateLoggerDefinitionVersion'' at a later time. /// - /// - Parameter CreateLoggerDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLoggerDefinitionInput`) /// - /// - Returns: `CreateLoggerDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLoggerDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1375,7 +1360,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoggerDefinitionOutput.httpOutput(from:), CreateLoggerDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1407,9 +1391,9 @@ extension GreengrassClient { /// /// Creates a version of a logger definition that has already been defined. /// - /// - Parameter CreateLoggerDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLoggerDefinitionVersionInput`) /// - /// - Returns: `CreateLoggerDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLoggerDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1444,7 +1428,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoggerDefinitionVersionOutput.httpOutput(from:), CreateLoggerDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1476,9 +1459,9 @@ extension GreengrassClient { /// /// Creates a resource definition which contains a list of resources to be used in a group. You can create an initial version of the definition by providing a list of resources now, or use ''CreateResourceDefinitionVersion'' later. /// - /// - Parameter CreateResourceDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceDefinitionInput`) /// - /// - Returns: `CreateResourceDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1513,7 +1496,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceDefinitionOutput.httpOutput(from:), CreateResourceDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1545,9 +1527,9 @@ extension GreengrassClient { /// /// Creates a version of a resource definition that has already been defined. /// - /// - Parameter CreateResourceDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceDefinitionVersionInput`) /// - /// - Returns: `CreateResourceDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1582,7 +1564,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceDefinitionVersionOutput.httpOutput(from:), CreateResourceDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1614,9 +1595,9 @@ extension GreengrassClient { /// /// Creates a software update for a core or group of cores (specified as an IoT thing group.) Use this to update the OTA Agent as well as the Greengrass core software. It makes use of the IoT Jobs feature which provides additional commands to manage a Greengrass core software update job. /// - /// - Parameter CreateSoftwareUpdateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSoftwareUpdateJobInput`) /// - /// - Returns: `CreateSoftwareUpdateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSoftwareUpdateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1652,7 +1633,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSoftwareUpdateJobOutput.httpOutput(from:), CreateSoftwareUpdateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1684,9 +1664,9 @@ extension GreengrassClient { /// /// Creates a subscription definition. You may provide the initial version of the subscription definition now or use ''CreateSubscriptionDefinitionVersion'' at a later time. /// - /// - Parameter CreateSubscriptionDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubscriptionDefinitionInput`) /// - /// - Returns: `CreateSubscriptionDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubscriptionDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1721,7 +1701,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubscriptionDefinitionOutput.httpOutput(from:), CreateSubscriptionDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1753,9 +1732,9 @@ extension GreengrassClient { /// /// Creates a version of a subscription definition which has already been defined. /// - /// - Parameter CreateSubscriptionDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubscriptionDefinitionVersionInput`) /// - /// - Returns: `CreateSubscriptionDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubscriptionDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1790,7 +1769,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubscriptionDefinitionVersionOutput.httpOutput(from:), CreateSubscriptionDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1822,9 +1800,9 @@ extension GreengrassClient { /// /// Deletes a connector definition. /// - /// - Parameter DeleteConnectorDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectorDefinitionInput`) /// - /// - Returns: `DeleteConnectorDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectorDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1855,7 +1833,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectorDefinitionOutput.httpOutput(from:), DeleteConnectorDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1887,9 +1864,9 @@ extension GreengrassClient { /// /// Deletes a core definition. /// - /// - Parameter DeleteCoreDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCoreDefinitionInput`) /// - /// - Returns: `DeleteCoreDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCoreDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1920,7 +1897,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCoreDefinitionOutput.httpOutput(from:), DeleteCoreDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1952,9 +1928,9 @@ extension GreengrassClient { /// /// Deletes a device definition. /// - /// - Parameter DeleteDeviceDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeviceDefinitionInput`) /// - /// - Returns: `DeleteDeviceDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeviceDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1985,7 +1961,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeviceDefinitionOutput.httpOutput(from:), DeleteDeviceDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2017,9 +1992,9 @@ extension GreengrassClient { /// /// Deletes a Lambda function definition. /// - /// - Parameter DeleteFunctionDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFunctionDefinitionInput`) /// - /// - Returns: `DeleteFunctionDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFunctionDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2050,7 +2025,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFunctionDefinitionOutput.httpOutput(from:), DeleteFunctionDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2082,9 +2056,9 @@ extension GreengrassClient { /// /// Deletes a group. /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2115,7 +2089,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2147,9 +2120,9 @@ extension GreengrassClient { /// /// Deletes a logger definition. /// - /// - Parameter DeleteLoggerDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLoggerDefinitionInput`) /// - /// - Returns: `DeleteLoggerDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLoggerDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2180,7 +2153,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoggerDefinitionOutput.httpOutput(from:), DeleteLoggerDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2212,9 +2184,9 @@ extension GreengrassClient { /// /// Deletes a resource definition. /// - /// - Parameter DeleteResourceDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceDefinitionInput`) /// - /// - Returns: `DeleteResourceDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2245,7 +2217,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceDefinitionOutput.httpOutput(from:), DeleteResourceDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2277,9 +2248,9 @@ extension GreengrassClient { /// /// Deletes a subscription definition. /// - /// - Parameter DeleteSubscriptionDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubscriptionDefinitionInput`) /// - /// - Returns: `DeleteSubscriptionDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubscriptionDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2310,7 +2281,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubscriptionDefinitionOutput.httpOutput(from:), DeleteSubscriptionDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2342,9 +2312,9 @@ extension GreengrassClient { /// /// Disassociates the role from a group. /// - /// - Parameter DisassociateRoleFromGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateRoleFromGroupInput`) /// - /// - Returns: `DisassociateRoleFromGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateRoleFromGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2376,7 +2346,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateRoleFromGroupOutput.httpOutput(from:), DisassociateRoleFromGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2408,9 +2377,9 @@ extension GreengrassClient { /// /// Disassociates the service role from your account. Without a service role, deployments will not work. /// - /// - Parameter DisassociateServiceRoleFromAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateServiceRoleFromAccountInput`) /// - /// - Returns: `DisassociateServiceRoleFromAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateServiceRoleFromAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2441,7 +2410,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateServiceRoleFromAccountOutput.httpOutput(from:), DisassociateServiceRoleFromAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2473,9 +2441,9 @@ extension GreengrassClient { /// /// Retrieves the role associated with a particular group. /// - /// - Parameter GetAssociatedRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssociatedRoleInput`) /// - /// - Returns: `GetAssociatedRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssociatedRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2507,7 +2475,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssociatedRoleOutput.httpOutput(from:), GetAssociatedRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2539,9 +2506,9 @@ extension GreengrassClient { /// /// Returns the status of a bulk deployment. /// - /// - Parameter GetBulkDeploymentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBulkDeploymentStatusInput`) /// - /// - Returns: `GetBulkDeploymentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBulkDeploymentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2539,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBulkDeploymentStatusOutput.httpOutput(from:), GetBulkDeploymentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2604,9 +2570,9 @@ extension GreengrassClient { /// /// Retrieves the connectivity information for a core. /// - /// - Parameter GetConnectivityInfoInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectivityInfoInput`) /// - /// - Returns: `GetConnectivityInfoOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectivityInfoOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2638,7 +2604,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectivityInfoOutput.httpOutput(from:), GetConnectivityInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2670,9 +2635,9 @@ extension GreengrassClient { /// /// Retrieves information about a connector definition. /// - /// - Parameter GetConnectorDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectorDefinitionInput`) /// - /// - Returns: `GetConnectorDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectorDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2703,7 +2668,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectorDefinitionOutput.httpOutput(from:), GetConnectorDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2735,9 +2699,9 @@ extension GreengrassClient { /// /// Retrieves information about a connector definition version, including the connectors that the version contains. Connectors are prebuilt modules that interact with local infrastructure, device protocols, AWS, and other cloud services. /// - /// - Parameter GetConnectorDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectorDefinitionVersionInput`) /// - /// - Returns: `GetConnectorDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectorDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2769,7 +2733,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetConnectorDefinitionVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectorDefinitionVersionOutput.httpOutput(from:), GetConnectorDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2801,9 +2764,9 @@ extension GreengrassClient { /// /// Retrieves information about a core definition version. /// - /// - Parameter GetCoreDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCoreDefinitionInput`) /// - /// - Returns: `GetCoreDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCoreDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2834,7 +2797,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCoreDefinitionOutput.httpOutput(from:), GetCoreDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2866,9 +2828,9 @@ extension GreengrassClient { /// /// Retrieves information about a core definition version. /// - /// - Parameter GetCoreDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCoreDefinitionVersionInput`) /// - /// - Returns: `GetCoreDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCoreDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2899,7 +2861,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCoreDefinitionVersionOutput.httpOutput(from:), GetCoreDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2931,9 +2892,9 @@ extension GreengrassClient { /// /// Returns the status of a deployment. /// - /// - Parameter GetDeploymentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentStatusInput`) /// - /// - Returns: `GetDeploymentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2964,7 +2925,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentStatusOutput.httpOutput(from:), GetDeploymentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2996,9 +2956,9 @@ extension GreengrassClient { /// /// Retrieves information about a device definition. /// - /// - Parameter GetDeviceDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeviceDefinitionInput`) /// - /// - Returns: `GetDeviceDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeviceDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3029,7 +2989,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceDefinitionOutput.httpOutput(from:), GetDeviceDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3061,9 +3020,9 @@ extension GreengrassClient { /// /// Retrieves information about a device definition version. /// - /// - Parameter GetDeviceDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeviceDefinitionVersionInput`) /// - /// - Returns: `GetDeviceDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeviceDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3095,7 +3054,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDeviceDefinitionVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceDefinitionVersionOutput.httpOutput(from:), GetDeviceDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3127,9 +3085,9 @@ extension GreengrassClient { /// /// Retrieves information about a Lambda function definition, including its creation time and latest version. /// - /// - Parameter GetFunctionDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionDefinitionInput`) /// - /// - Returns: `GetFunctionDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFunctionDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3160,7 +3118,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionDefinitionOutput.httpOutput(from:), GetFunctionDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3192,9 +3149,9 @@ extension GreengrassClient { /// /// Retrieves information about a Lambda function definition version, including which Lambda functions are included in the version and their configurations. /// - /// - Parameter GetFunctionDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionDefinitionVersionInput`) /// - /// - Returns: `GetFunctionDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFunctionDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3226,7 +3183,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFunctionDefinitionVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionDefinitionVersionOutput.httpOutput(from:), GetFunctionDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3258,9 +3214,9 @@ extension GreengrassClient { /// /// Retrieves information about a group. /// - /// - Parameter GetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupInput`) /// - /// - Returns: `GetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3291,7 +3247,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupOutput.httpOutput(from:), GetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3323,9 +3278,9 @@ extension GreengrassClient { /// /// Retreives the CA associated with a group. Returns the public key of the CA. /// - /// - Parameter GetGroupCertificateAuthorityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupCertificateAuthorityInput`) /// - /// - Returns: `GetGroupCertificateAuthorityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupCertificateAuthorityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3357,7 +3312,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupCertificateAuthorityOutput.httpOutput(from:), GetGroupCertificateAuthorityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3389,9 +3343,9 @@ extension GreengrassClient { /// /// Retrieves the current configuration for the CA used by the group. /// - /// - Parameter GetGroupCertificateConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupCertificateConfigurationInput`) /// - /// - Returns: `GetGroupCertificateConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupCertificateConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3423,7 +3377,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupCertificateConfigurationOutput.httpOutput(from:), GetGroupCertificateConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3455,9 +3408,9 @@ extension GreengrassClient { /// /// Retrieves information about a group version. /// - /// - Parameter GetGroupVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupVersionInput`) /// - /// - Returns: `GetGroupVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3488,7 +3441,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupVersionOutput.httpOutput(from:), GetGroupVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3520,9 +3472,9 @@ extension GreengrassClient { /// /// Retrieves information about a logger definition. /// - /// - Parameter GetLoggerDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoggerDefinitionInput`) /// - /// - Returns: `GetLoggerDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoggerDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3553,7 +3505,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoggerDefinitionOutput.httpOutput(from:), GetLoggerDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3585,9 +3536,9 @@ extension GreengrassClient { /// /// Retrieves information about a logger definition version. /// - /// - Parameter GetLoggerDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoggerDefinitionVersionInput`) /// - /// - Returns: `GetLoggerDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoggerDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3619,7 +3570,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLoggerDefinitionVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoggerDefinitionVersionOutput.httpOutput(from:), GetLoggerDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3651,9 +3601,9 @@ extension GreengrassClient { /// /// Retrieves information about a resource definition, including its creation time and latest version. /// - /// - Parameter GetResourceDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceDefinitionInput`) /// - /// - Returns: `GetResourceDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3684,7 +3634,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceDefinitionOutput.httpOutput(from:), GetResourceDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3716,9 +3665,9 @@ extension GreengrassClient { /// /// Retrieves information about a resource definition version, including which resources are included in the version. /// - /// - Parameter GetResourceDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceDefinitionVersionInput`) /// - /// - Returns: `GetResourceDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3749,7 +3698,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceDefinitionVersionOutput.httpOutput(from:), GetResourceDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3781,9 +3729,9 @@ extension GreengrassClient { /// /// Retrieves the service role that is attached to your account. /// - /// - Parameter GetServiceRoleForAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceRoleForAccountInput`) /// - /// - Returns: `GetServiceRoleForAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceRoleForAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3814,7 +3762,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceRoleForAccountOutput.httpOutput(from:), GetServiceRoleForAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3846,9 +3793,9 @@ extension GreengrassClient { /// /// Retrieves information about a subscription definition. /// - /// - Parameter GetSubscriptionDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubscriptionDefinitionInput`) /// - /// - Returns: `GetSubscriptionDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubscriptionDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3879,7 +3826,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubscriptionDefinitionOutput.httpOutput(from:), GetSubscriptionDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3911,9 +3857,9 @@ extension GreengrassClient { /// /// Retrieves information about a subscription definition version. /// - /// - Parameter GetSubscriptionDefinitionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubscriptionDefinitionVersionInput`) /// - /// - Returns: `GetSubscriptionDefinitionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubscriptionDefinitionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3945,7 +3891,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSubscriptionDefinitionVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubscriptionDefinitionVersionOutput.httpOutput(from:), GetSubscriptionDefinitionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3977,9 +3922,9 @@ extension GreengrassClient { /// /// Get the runtime configuration of a thing. /// - /// - Parameter GetThingRuntimeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetThingRuntimeConfigurationInput`) /// - /// - Returns: `GetThingRuntimeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetThingRuntimeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4011,7 +3956,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetThingRuntimeConfigurationOutput.httpOutput(from:), GetThingRuntimeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4043,9 +3987,9 @@ extension GreengrassClient { /// /// Gets a paginated list of the deployments that have been started in a bulk deployment operation, and their current deployment status. /// - /// - Parameter ListBulkDeploymentDetailedReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBulkDeploymentDetailedReportsInput`) /// - /// - Returns: `ListBulkDeploymentDetailedReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBulkDeploymentDetailedReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4077,7 +4021,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBulkDeploymentDetailedReportsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBulkDeploymentDetailedReportsOutput.httpOutput(from:), ListBulkDeploymentDetailedReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4109,9 +4052,9 @@ extension GreengrassClient { /// /// Returns a list of bulk deployments. /// - /// - Parameter ListBulkDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBulkDeploymentsInput`) /// - /// - Returns: `ListBulkDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBulkDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4143,7 +4086,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBulkDeploymentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBulkDeploymentsOutput.httpOutput(from:), ListBulkDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4175,9 +4117,9 @@ extension GreengrassClient { /// /// Lists the versions of a connector definition, which are containers for connectors. Connectors run on the Greengrass core and contain built-in integration with local infrastructure, device protocols, AWS, and other cloud services. /// - /// - Parameter ListConnectorDefinitionVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorDefinitionVersionsInput`) /// - /// - Returns: `ListConnectorDefinitionVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorDefinitionVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4209,7 +4151,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectorDefinitionVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorDefinitionVersionsOutput.httpOutput(from:), ListConnectorDefinitionVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4241,9 +4182,9 @@ extension GreengrassClient { /// /// Retrieves a list of connector definitions. /// - /// - Parameter ListConnectorDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorDefinitionsInput`) /// - /// - Returns: `ListConnectorDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorDefinitionsOutput`) public func listConnectorDefinitions(input: ListConnectorDefinitionsInput) async throws -> ListConnectorDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4270,7 +4211,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectorDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorDefinitionsOutput.httpOutput(from:), ListConnectorDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4302,9 +4242,9 @@ extension GreengrassClient { /// /// Lists the versions of a core definition. /// - /// - Parameter ListCoreDefinitionVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCoreDefinitionVersionsInput`) /// - /// - Returns: `ListCoreDefinitionVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCoreDefinitionVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4336,7 +4276,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCoreDefinitionVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCoreDefinitionVersionsOutput.httpOutput(from:), ListCoreDefinitionVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4368,9 +4307,9 @@ extension GreengrassClient { /// /// Retrieves a list of core definitions. /// - /// - Parameter ListCoreDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCoreDefinitionsInput`) /// - /// - Returns: `ListCoreDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCoreDefinitionsOutput`) public func listCoreDefinitions(input: ListCoreDefinitionsInput) async throws -> ListCoreDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4397,7 +4336,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCoreDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCoreDefinitionsOutput.httpOutput(from:), ListCoreDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4429,9 +4367,9 @@ extension GreengrassClient { /// /// Returns a history of deployments for the group. /// - /// - Parameter ListDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeploymentsInput`) /// - /// - Returns: `ListDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4463,7 +4401,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeploymentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentsOutput.httpOutput(from:), ListDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4495,9 +4432,9 @@ extension GreengrassClient { /// /// Lists the versions of a device definition. /// - /// - Parameter ListDeviceDefinitionVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeviceDefinitionVersionsInput`) /// - /// - Returns: `ListDeviceDefinitionVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeviceDefinitionVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4529,7 +4466,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeviceDefinitionVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeviceDefinitionVersionsOutput.httpOutput(from:), ListDeviceDefinitionVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4561,9 +4497,9 @@ extension GreengrassClient { /// /// Retrieves a list of device definitions. /// - /// - Parameter ListDeviceDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeviceDefinitionsInput`) /// - /// - Returns: `ListDeviceDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeviceDefinitionsOutput`) public func listDeviceDefinitions(input: ListDeviceDefinitionsInput) async throws -> ListDeviceDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4590,7 +4526,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeviceDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeviceDefinitionsOutput.httpOutput(from:), ListDeviceDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4622,9 +4557,9 @@ extension GreengrassClient { /// /// Lists the versions of a Lambda function definition. /// - /// - Parameter ListFunctionDefinitionVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFunctionDefinitionVersionsInput`) /// - /// - Returns: `ListFunctionDefinitionVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFunctionDefinitionVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4656,7 +4591,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFunctionDefinitionVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFunctionDefinitionVersionsOutput.httpOutput(from:), ListFunctionDefinitionVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4688,9 +4622,9 @@ extension GreengrassClient { /// /// Retrieves a list of Lambda function definitions. /// - /// - Parameter ListFunctionDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFunctionDefinitionsInput`) /// - /// - Returns: `ListFunctionDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFunctionDefinitionsOutput`) public func listFunctionDefinitions(input: ListFunctionDefinitionsInput) async throws -> ListFunctionDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4717,7 +4651,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFunctionDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFunctionDefinitionsOutput.httpOutput(from:), ListFunctionDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4749,9 +4682,9 @@ extension GreengrassClient { /// /// Retrieves the current CAs for a group. /// - /// - Parameter ListGroupCertificateAuthoritiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupCertificateAuthoritiesInput`) /// - /// - Returns: `ListGroupCertificateAuthoritiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupCertificateAuthoritiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4783,7 +4716,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupCertificateAuthoritiesOutput.httpOutput(from:), ListGroupCertificateAuthoritiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4815,9 +4747,9 @@ extension GreengrassClient { /// /// Lists the versions of a group. /// - /// - Parameter ListGroupVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupVersionsInput`) /// - /// - Returns: `ListGroupVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4849,7 +4781,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGroupVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupVersionsOutput.httpOutput(from:), ListGroupVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4881,9 +4812,9 @@ extension GreengrassClient { /// /// Retrieves a list of groups. /// - /// - Parameter ListGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsInput`) /// - /// - Returns: `ListGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsOutput`) public func listGroups(input: ListGroupsInput) async throws -> ListGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4910,7 +4841,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOutput.httpOutput(from:), ListGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4942,9 +4872,9 @@ extension GreengrassClient { /// /// Lists the versions of a logger definition. /// - /// - Parameter ListLoggerDefinitionVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLoggerDefinitionVersionsInput`) /// - /// - Returns: `ListLoggerDefinitionVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLoggerDefinitionVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4976,7 +4906,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLoggerDefinitionVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLoggerDefinitionVersionsOutput.httpOutput(from:), ListLoggerDefinitionVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5008,9 +4937,9 @@ extension GreengrassClient { /// /// Retrieves a list of logger definitions. /// - /// - Parameter ListLoggerDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLoggerDefinitionsInput`) /// - /// - Returns: `ListLoggerDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLoggerDefinitionsOutput`) public func listLoggerDefinitions(input: ListLoggerDefinitionsInput) async throws -> ListLoggerDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5037,7 +4966,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLoggerDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLoggerDefinitionsOutput.httpOutput(from:), ListLoggerDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5069,9 +4997,9 @@ extension GreengrassClient { /// /// Lists the versions of a resource definition. /// - /// - Parameter ListResourceDefinitionVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceDefinitionVersionsInput`) /// - /// - Returns: `ListResourceDefinitionVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceDefinitionVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5103,7 +5031,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourceDefinitionVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceDefinitionVersionsOutput.httpOutput(from:), ListResourceDefinitionVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5135,9 +5062,9 @@ extension GreengrassClient { /// /// Retrieves a list of resource definitions. /// - /// - Parameter ListResourceDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceDefinitionsInput`) /// - /// - Returns: `ListResourceDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceDefinitionsOutput`) public func listResourceDefinitions(input: ListResourceDefinitionsInput) async throws -> ListResourceDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5164,7 +5091,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourceDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceDefinitionsOutput.httpOutput(from:), ListResourceDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5196,9 +5122,9 @@ extension GreengrassClient { /// /// Lists the versions of a subscription definition. /// - /// - Parameter ListSubscriptionDefinitionVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscriptionDefinitionVersionsInput`) /// - /// - Returns: `ListSubscriptionDefinitionVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscriptionDefinitionVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5230,7 +5156,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubscriptionDefinitionVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscriptionDefinitionVersionsOutput.httpOutput(from:), ListSubscriptionDefinitionVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5262,9 +5187,9 @@ extension GreengrassClient { /// /// Retrieves a list of subscription definitions. /// - /// - Parameter ListSubscriptionDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscriptionDefinitionsInput`) /// - /// - Returns: `ListSubscriptionDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscriptionDefinitionsOutput`) public func listSubscriptionDefinitions(input: ListSubscriptionDefinitionsInput) async throws -> ListSubscriptionDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5291,7 +5216,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubscriptionDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscriptionDefinitionsOutput.httpOutput(from:), ListSubscriptionDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5323,9 +5247,9 @@ extension GreengrassClient { /// /// Retrieves a list of resource tags for a resource arn. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5356,7 +5280,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5388,9 +5311,9 @@ extension GreengrassClient { /// /// Resets a group's deployments. /// - /// - Parameter ResetDeploymentsInput : Information needed to reset deployments. + /// - Parameter input: Information needed to reset deployments. (Type: `ResetDeploymentsInput`) /// - /// - Returns: `ResetDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5425,7 +5348,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetDeploymentsOutput.httpOutput(from:), ResetDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5457,9 +5379,9 @@ extension GreengrassClient { /// /// Deploys multiple groups in one operation. This action starts the bulk deployment of a specified set of group versions. Each group version deployment will be triggered with an adaptive rate that has a fixed upper limit. We recommend that you include an ''X-Amzn-Client-Token'' token in every ''StartBulkDeployment'' request. These requests are idempotent with respect to the token and the request parameters. /// - /// - Parameter StartBulkDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBulkDeploymentInput`) /// - /// - Returns: `StartBulkDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBulkDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5494,7 +5416,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBulkDeploymentOutput.httpOutput(from:), StartBulkDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5526,9 +5447,9 @@ extension GreengrassClient { /// /// Stops the execution of a bulk deployment. This action returns a status of ''Stopping'' until the deployment is stopped. You cannot start a new bulk deployment while a previous deployment is in the ''Stopping'' state. This action doesn't rollback completed deployments or cancel pending deployments. /// - /// - Parameter StopBulkDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopBulkDeploymentInput`) /// - /// - Returns: `StopBulkDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopBulkDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5559,7 +5480,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopBulkDeploymentOutput.httpOutput(from:), StopBulkDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5591,9 +5511,9 @@ extension GreengrassClient { /// /// Adds tags to a Greengrass resource. Valid resources are 'Group', 'ConnectorDefinition', 'CoreDefinition', 'DeviceDefinition', 'FunctionDefinition', 'LoggerDefinition', 'SubscriptionDefinition', 'ResourceDefinition', and 'BulkDeployment'. /// - /// - Parameter TagResourceInput : A map of the key-value pairs for the resource tag. + /// - Parameter input: A map of the key-value pairs for the resource tag. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5627,7 +5547,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5659,9 +5578,9 @@ extension GreengrassClient { /// /// Remove resource tags from a Greengrass Resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5693,7 +5612,6 @@ extension GreengrassClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5725,9 +5643,9 @@ extension GreengrassClient { /// /// Updates the connectivity information for the core. Any devices that belong to the group which has this core will receive this information in order to find the location of the core and connect to it. /// - /// - Parameter UpdateConnectivityInfoInput : Connectivity information. + /// - Parameter input: Connectivity information. (Type: `UpdateConnectivityInfoInput`) /// - /// - Returns: `UpdateConnectivityInfoOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectivityInfoOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5762,7 +5680,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectivityInfoOutput.httpOutput(from:), UpdateConnectivityInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5794,9 +5711,9 @@ extension GreengrassClient { /// /// Updates a connector definition. /// - /// - Parameter UpdateConnectorDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectorDefinitionInput`) /// - /// - Returns: `UpdateConnectorDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectorDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5830,7 +5747,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectorDefinitionOutput.httpOutput(from:), UpdateConnectorDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5862,9 +5778,9 @@ extension GreengrassClient { /// /// Updates a core definition. /// - /// - Parameter UpdateCoreDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCoreDefinitionInput`) /// - /// - Returns: `UpdateCoreDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCoreDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5898,7 +5814,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCoreDefinitionOutput.httpOutput(from:), UpdateCoreDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5930,9 +5845,9 @@ extension GreengrassClient { /// /// Updates a device definition. /// - /// - Parameter UpdateDeviceDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDeviceDefinitionInput`) /// - /// - Returns: `UpdateDeviceDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDeviceDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5966,7 +5881,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeviceDefinitionOutput.httpOutput(from:), UpdateDeviceDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5998,9 +5912,9 @@ extension GreengrassClient { /// /// Updates a Lambda function definition. /// - /// - Parameter UpdateFunctionDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFunctionDefinitionInput`) /// - /// - Returns: `UpdateFunctionDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFunctionDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6034,7 +5948,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFunctionDefinitionOutput.httpOutput(from:), UpdateFunctionDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6066,9 +5979,9 @@ extension GreengrassClient { /// /// Updates a group. /// - /// - Parameter UpdateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupInput`) /// - /// - Returns: `UpdateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6102,7 +6015,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupOutput.httpOutput(from:), UpdateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6134,9 +6046,9 @@ extension GreengrassClient { /// /// Updates the Certificate expiry time for a group. /// - /// - Parameter UpdateGroupCertificateConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupCertificateConfigurationInput`) /// - /// - Returns: `UpdateGroupCertificateConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupCertificateConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6171,7 +6083,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupCertificateConfigurationOutput.httpOutput(from:), UpdateGroupCertificateConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6203,9 +6114,9 @@ extension GreengrassClient { /// /// Updates a logger definition. /// - /// - Parameter UpdateLoggerDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLoggerDefinitionInput`) /// - /// - Returns: `UpdateLoggerDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLoggerDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6239,7 +6150,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLoggerDefinitionOutput.httpOutput(from:), UpdateLoggerDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6271,9 +6181,9 @@ extension GreengrassClient { /// /// Updates a resource definition. /// - /// - Parameter UpdateResourceDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceDefinitionInput`) /// - /// - Returns: `UpdateResourceDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6307,7 +6217,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceDefinitionOutput.httpOutput(from:), UpdateResourceDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6339,9 +6248,9 @@ extension GreengrassClient { /// /// Updates a subscription definition. /// - /// - Parameter UpdateSubscriptionDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubscriptionDefinitionInput`) /// - /// - Returns: `UpdateSubscriptionDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubscriptionDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6375,7 +6284,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubscriptionDefinitionOutput.httpOutput(from:), UpdateSubscriptionDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6407,9 +6315,9 @@ extension GreengrassClient { /// /// Updates the runtime configuration of a thing. /// - /// - Parameter UpdateThingRuntimeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThingRuntimeConfigurationInput`) /// - /// - Returns: `UpdateThingRuntimeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThingRuntimeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6444,7 +6352,6 @@ extension GreengrassClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThingRuntimeConfigurationOutput.httpOutput(from:), UpdateThingRuntimeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGreengrassV2/Sources/AWSGreengrassV2/GreengrassV2Client.swift b/Sources/Services/AWSGreengrassV2/Sources/AWSGreengrassV2/GreengrassV2Client.swift index 0c644bad19c..6f2e2c9d2be 100644 --- a/Sources/Services/AWSGreengrassV2/Sources/AWSGreengrassV2/GreengrassV2Client.swift +++ b/Sources/Services/AWSGreengrassV2/Sources/AWSGreengrassV2/GreengrassV2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GreengrassV2Client: ClientRuntime.Client { public static let clientName = "GreengrassV2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GreengrassV2Client.GreengrassV2ClientConfiguration let serviceName = "GreengrassV2" @@ -376,9 +375,9 @@ extension GreengrassV2Client { /// /// Associates a Greengrass service role with IoT Greengrass for your Amazon Web Services account in this Amazon Web Services Region. IoT Greengrass uses this role to verify the identity of client devices and manage core device connectivity information. The role must include the [AWSGreengrassResourceAccessRolePolicy](https://console.aws.amazon.com/iam/home#/policies/arn:awsiam::aws:policy/service-role/AWSGreengrassResourceAccessRolePolicy) managed policy or a custom policy that defines equivalent permissions for the IoT Greengrass features that you use. For more information, see [Greengrass service role](https://docs.aws.amazon.com/greengrass/v2/developerguide/greengrass-service-role.html) in the IoT Greengrass Version 2 Developer Guide. /// - /// - Parameter AssociateServiceRoleToAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateServiceRoleToAccountInput`) /// - /// - Returns: `AssociateServiceRoleToAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateServiceRoleToAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateServiceRoleToAccountOutput.httpOutput(from:), AssociateServiceRoleToAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension GreengrassV2Client { /// /// Associates a list of client devices with a core device. Use this API operation to specify which client devices can discover a core device through cloud discovery. With cloud discovery, client devices connect to IoT Greengrass to retrieve associated core devices' connectivity information and certificates. For more information, see [Configure cloud discovery](https://docs.aws.amazon.com/greengrass/v2/developerguide/configure-cloud-discovery.html) in the IoT Greengrass V2 Developer Guide. Client devices are local IoT devices that connect to and communicate with an IoT Greengrass core device over MQTT. You can connect client devices to a core device to sync MQTT messages and data to Amazon Web Services IoT Core and interact with client devices in Greengrass components. For more information, see [Interact with local IoT devices](https://docs.aws.amazon.com/greengrass/v2/developerguide/interact-with-local-iot-devices.html) in the IoT Greengrass V2 Developer Guide. /// - /// - Parameter BatchAssociateClientDeviceWithCoreDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAssociateClientDeviceWithCoreDeviceInput`) /// - /// - Returns: `BatchAssociateClientDeviceWithCoreDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateClientDeviceWithCoreDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateClientDeviceWithCoreDeviceOutput.httpOutput(from:), BatchAssociateClientDeviceWithCoreDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension GreengrassV2Client { /// /// Disassociates a list of client devices from a core device. After you disassociate a client device from a core device, the client device won't be able to use cloud discovery to retrieve the core device's connectivity information and certificates. /// - /// - Parameter BatchDisassociateClientDeviceFromCoreDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisassociateClientDeviceFromCoreDeviceInput`) /// - /// - Returns: `BatchDisassociateClientDeviceFromCoreDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateClientDeviceFromCoreDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateClientDeviceFromCoreDeviceOutput.httpOutput(from:), BatchDisassociateClientDeviceFromCoreDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -589,9 +585,9 @@ extension GreengrassV2Client { /// /// Cancels a deployment. This operation cancels the deployment for devices that haven't yet received it. If a device already received the deployment, this operation doesn't change anything for that device. /// - /// - Parameter CancelDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelDeploymentInput`) /// - /// - Returns: `CancelDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelDeploymentOutput.httpOutput(from:), CancelDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension GreengrassV2Client { /// /// * Create components from Lambda functions Create a component from an Lambda function that runs on IoT Greengrass. This creates a recipe and artifacts from the Lambda function's deployment package. You can use this operation to migrate Lambda functions from IoT Greengrass V1 to IoT Greengrass V2. This function accepts Lambda functions in all supported versions of Python, Node.js, and Java runtimes. IoT Greengrass doesn't apply any additional restrictions on deprecated Lambda runtime versions. To create a component from a Lambda function, specify lambdaFunction when you call this operation. IoT Greengrass currently supports Lambda functions on only Linux core devices. /// - /// - Parameter CreateComponentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateComponentVersionInput`) /// - /// - Returns: `CreateComponentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateComponentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComponentVersionOutput.httpOutput(from:), CreateComponentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -738,9 +732,9 @@ extension GreengrassV2Client { /// /// Creates a continuous deployment for a target, which is a Greengrass core device or group of core devices. When you add a new core device to a group of core devices that has a deployment, IoT Greengrass deploys that group's deployment to the new device. You can define one deployment for each target. When you create a new deployment for a target that has an existing deployment, you replace the previous deployment. IoT Greengrass applies the new deployment to the target devices. Every deployment has a revision number that indicates how many deployment revisions you define for a target. Use this operation to create a new revision of an existing deployment. For more information, see the [Create deployments](https://docs.aws.amazon.com/greengrass/v2/developerguide/create-deployments.html) in the IoT Greengrass V2 Developer Guide. /// - /// - Parameter CreateDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeploymentInput`) /// - /// - Returns: `CreateDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -781,7 +775,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentOutput.httpOutput(from:), CreateDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -813,9 +806,9 @@ extension GreengrassV2Client { /// /// Deletes a version of a component from IoT Greengrass. This operation deletes the component's recipe and artifacts. As a result, deployments that refer to this component version will fail. If you have deployments that use this component version, you can remove the component from the deployment or update the deployment to use a valid version. /// - /// - Parameter DeleteComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteComponentInput`) /// - /// - Returns: `DeleteComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -851,7 +844,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteComponentOutput.httpOutput(from:), DeleteComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -883,9 +875,9 @@ extension GreengrassV2Client { /// /// Deletes a Greengrass core device, which is an IoT thing. This operation removes the core device from the list of core devices. This operation doesn't delete the IoT thing. For more information about how to delete the IoT thing, see [DeleteThing](https://docs.aws.amazon.com/iot/latest/apireference/API_DeleteThing.html) in the IoT API Reference. /// - /// - Parameter DeleteCoreDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCoreDeviceInput`) /// - /// - Returns: `DeleteCoreDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCoreDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -921,7 +913,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCoreDeviceOutput.httpOutput(from:), DeleteCoreDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +944,9 @@ extension GreengrassV2Client { /// /// Deletes a deployment. To delete an active deployment, you must first cancel it. For more information, see [CancelDeployment](https://docs.aws.amazon.com/iot/latest/apireference/API_CancelDeployment.html). Deleting a deployment doesn't affect core devices that run that deployment, because core devices store the deployment's configuration on the device. Additionally, core devices can roll back to a previous deployment that has been deleted. /// - /// - Parameter DeleteDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeploymentInput`) /// - /// - Returns: `DeleteDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -991,7 +982,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeploymentOutput.httpOutput(from:), DeleteDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1023,9 +1013,9 @@ extension GreengrassV2Client { /// /// Retrieves metadata for a version of a component. /// - /// - Parameter DescribeComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeComponentInput`) /// - /// - Returns: `DescribeComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1060,7 +1050,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComponentOutput.httpOutput(from:), DescribeComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1081,9 @@ extension GreengrassV2Client { /// /// Disassociates the Greengrass service role from IoT Greengrass for your Amazon Web Services account in this Amazon Web Services Region. Without a service role, IoT Greengrass can't verify the identity of client devices or manage core device connectivity information. For more information, see [Greengrass service role](https://docs.aws.amazon.com/greengrass/v2/developerguide/greengrass-service-role.html) in the IoT Greengrass Version 2 Developer Guide. /// - /// - Parameter DisassociateServiceRoleFromAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateServiceRoleFromAccountInput`) /// - /// - Returns: `DisassociateServiceRoleFromAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateServiceRoleFromAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1125,7 +1114,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateServiceRoleFromAccountOutput.httpOutput(from:), DisassociateServiceRoleFromAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1157,9 +1145,9 @@ extension GreengrassV2Client { /// /// Gets the recipe for a version of a component. /// - /// - Parameter GetComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComponentInput`) /// - /// - Returns: `GetComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1195,7 +1183,6 @@ extension GreengrassV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetComponentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComponentOutput.httpOutput(from:), GetComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1227,9 +1214,9 @@ extension GreengrassV2Client { /// /// Gets the pre-signed URL to download a public or a Lambda component artifact. Core devices call this operation to identify the URL that they can use to download an artifact to install. /// - /// - Parameter GetComponentVersionArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComponentVersionArtifactInput`) /// - /// - Returns: `GetComponentVersionArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComponentVersionArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1266,7 +1253,6 @@ extension GreengrassV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetComponentVersionArtifactInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComponentVersionArtifactOutput.httpOutput(from:), GetComponentVersionArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1298,9 +1284,9 @@ extension GreengrassV2Client { /// /// Retrieves connectivity information for a Greengrass core device. Connectivity information includes endpoints and ports where client devices can connect to an MQTT broker on the core device. When a client device calls the [IoT Greengrass discovery API](https://docs.aws.amazon.com/greengrass/v2/developerguide/greengrass-discover-api.html), IoT Greengrass returns connectivity information for all of the core devices where the client device can connect. For more information, see [Connect client devices to core devices](https://docs.aws.amazon.com/greengrass/v2/developerguide/connect-client-devices.html) in the IoT Greengrass Version 2 Developer Guide. /// - /// - Parameter GetConnectivityInfoInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectivityInfoInput`) /// - /// - Returns: `GetConnectivityInfoOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectivityInfoOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1332,7 +1318,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectivityInfoOutput.httpOutput(from:), GetConnectivityInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1374,9 +1359,9 @@ extension GreengrassV2Client { /// /// * For IoT Greengrass Core v2.7.0, the core device sends status updates upon local deployment and cloud deployment /// - /// - Parameter GetCoreDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCoreDeviceInput`) /// - /// - Returns: `GetCoreDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCoreDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1411,7 +1396,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCoreDeviceOutput.httpOutput(from:), GetCoreDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1443,9 +1427,9 @@ extension GreengrassV2Client { /// /// Gets a deployment. Deployments define the components that run on Greengrass core devices. /// - /// - Parameter GetDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentInput`) /// - /// - Returns: `GetDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1480,7 +1464,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentOutput.httpOutput(from:), GetDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1512,9 +1495,9 @@ extension GreengrassV2Client { /// /// Gets the service role associated with IoT Greengrass for your Amazon Web Services account in this Amazon Web Services Region. IoT Greengrass uses this role to verify the identity of client devices and manage core device connectivity information. For more information, see [Greengrass service role](https://docs.aws.amazon.com/greengrass/v2/developerguide/greengrass-service-role.html) in the IoT Greengrass Version 2 Developer Guide. /// - /// - Parameter GetServiceRoleForAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceRoleForAccountInput`) /// - /// - Returns: `GetServiceRoleForAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceRoleForAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1545,7 +1528,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceRoleForAccountOutput.httpOutput(from:), GetServiceRoleForAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1577,9 +1559,9 @@ extension GreengrassV2Client { /// /// Retrieves a paginated list of client devices that are associated with a core device. /// - /// - Parameter ListClientDevicesAssociatedWithCoreDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClientDevicesAssociatedWithCoreDeviceInput`) /// - /// - Returns: `ListClientDevicesAssociatedWithCoreDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClientDevicesAssociatedWithCoreDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1615,7 +1597,6 @@ extension GreengrassV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClientDevicesAssociatedWithCoreDeviceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClientDevicesAssociatedWithCoreDeviceOutput.httpOutput(from:), ListClientDevicesAssociatedWithCoreDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1647,9 +1628,9 @@ extension GreengrassV2Client { /// /// Retrieves a paginated list of all versions for a component. Greater versions are listed first. /// - /// - Parameter ListComponentVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentVersionsInput`) /// - /// - Returns: `ListComponentVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1685,7 +1666,6 @@ extension GreengrassV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListComponentVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentVersionsOutput.httpOutput(from:), ListComponentVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1717,9 +1697,9 @@ extension GreengrassV2Client { /// /// Retrieves a paginated list of component summaries. This list includes components that you have permission to view. /// - /// - Parameter ListComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentsInput`) /// - /// - Returns: `ListComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1755,7 +1735,6 @@ extension GreengrassV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListComponentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentsOutput.httpOutput(from:), ListComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1799,9 +1778,9 @@ extension GreengrassV2Client { /// /// * For IoT Greengrass Core v2.7.0, the core device sends status updates upon local deployment and cloud deployment /// - /// - Parameter ListCoreDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCoreDevicesInput`) /// - /// - Returns: `ListCoreDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCoreDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1836,7 +1815,6 @@ extension GreengrassV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCoreDevicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCoreDevicesOutput.httpOutput(from:), ListCoreDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1868,9 +1846,9 @@ extension GreengrassV2Client { /// /// Retrieves a paginated list of deployments. /// - /// - Parameter ListDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeploymentsInput`) /// - /// - Returns: `ListDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1905,7 +1883,6 @@ extension GreengrassV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeploymentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentsOutput.httpOutput(from:), ListDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1937,9 +1914,9 @@ extension GreengrassV2Client { /// /// Retrieves a paginated list of deployment jobs that IoT Greengrass sends to Greengrass core devices. /// - /// - Parameter ListEffectiveDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEffectiveDeploymentsInput`) /// - /// - Returns: `ListEffectiveDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEffectiveDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1975,7 +1952,6 @@ extension GreengrassV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEffectiveDeploymentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEffectiveDeploymentsOutput.httpOutput(from:), ListEffectiveDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2017,9 +1993,9 @@ extension GreengrassV2Client { /// /// * For IoT Greengrass Core v2.7.0, the core device sends status updates upon local deployment and cloud deployment /// - /// - Parameter ListInstalledComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstalledComponentsInput`) /// - /// - Returns: `ListInstalledComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstalledComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2055,7 +2031,6 @@ extension GreengrassV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInstalledComponentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstalledComponentsOutput.httpOutput(from:), ListInstalledComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2087,9 +2062,9 @@ extension GreengrassV2Client { /// /// Retrieves the list of tags for an IoT Greengrass resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2122,7 +2097,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2154,9 +2128,9 @@ extension GreengrassV2Client { /// /// Retrieves a list of components that meet the component, version, and platform requirements of a deployment. Greengrass core devices call this operation when they receive a deployment to identify the components to install. This operation identifies components that meet all dependency requirements for a deployment. If the requirements conflict, then this operation returns an error and the deployment fails. For example, this occurs if component A requires version >2.0.0 and component B requires version <2.0.0 of a component dependency. When you specify the component candidates to resolve, IoT Greengrass compares each component's digest from the core device with the component's digest in the Amazon Web Services Cloud. If the digests don't match, then IoT Greengrass specifies to use the version from the Amazon Web Services Cloud. To use this operation, you must use the data plane API endpoint and authenticate with an IoT device certificate. For more information, see [IoT Greengrass endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/greengrass.html). /// - /// - Parameter ResolveComponentCandidatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResolveComponentCandidatesInput`) /// - /// - Returns: `ResolveComponentCandidatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResolveComponentCandidatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2195,7 +2169,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResolveComponentCandidatesOutput.httpOutput(from:), ResolveComponentCandidatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2227,9 +2200,9 @@ extension GreengrassV2Client { /// /// Adds tags to an IoT Greengrass resource. If a tag already exists for the resource, this operation updates the tag's value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2265,7 +2238,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2297,9 +2269,9 @@ extension GreengrassV2Client { /// /// Removes a tag from an IoT Greengrass resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2333,7 +2305,6 @@ extension GreengrassV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2365,9 +2336,9 @@ extension GreengrassV2Client { /// /// Updates connectivity information for a Greengrass core device. Connectivity information includes endpoints and ports where client devices can connect to an MQTT broker on the core device. When a client device calls the [IoT Greengrass discovery API](https://docs.aws.amazon.com/greengrass/v2/developerguide/greengrass-discover-api.html), IoT Greengrass returns connectivity information for all of the core devices where the client device can connect. For more information, see [Connect client devices to core devices](https://docs.aws.amazon.com/greengrass/v2/developerguide/connect-client-devices.html) in the IoT Greengrass Version 2 Developer Guide. /// - /// - Parameter UpdateConnectivityInfoInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectivityInfoInput`) /// - /// - Returns: `UpdateConnectivityInfoOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectivityInfoOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2402,7 +2373,6 @@ extension GreengrassV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectivityInfoOutput.httpOutput(from:), UpdateConnectivityInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGroundStation/Sources/AWSGroundStation/GroundStationClient.swift b/Sources/Services/AWSGroundStation/Sources/AWSGroundStation/GroundStationClient.swift index ae2ef7cd679..e9b64a92e79 100644 --- a/Sources/Services/AWSGroundStation/Sources/AWSGroundStation/GroundStationClient.swift +++ b/Sources/Services/AWSGroundStation/Sources/AWSGroundStation/GroundStationClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GroundStationClient: ClientRuntime.Client { public static let clientName = "GroundStationClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GroundStationClient.GroundStationClientConfiguration let serviceName = "GroundStation" @@ -374,9 +373,9 @@ extension GroundStationClient { /// /// Cancels a contact with a specified contact ID. /// - /// - Parameter CancelContactInput : + /// - Parameter input: (Type: `CancelContactInput`) /// - /// - Returns: `CancelContactOutput` : + /// - Returns: (Type: `CancelContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelContactOutput.httpOutput(from:), CancelContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -441,9 +439,9 @@ extension GroundStationClient { /// /// Creates a Config with the specified configData parameters. Only one type of configData can be specified. /// - /// - Parameter CreateConfigInput : + /// - Parameter input: (Type: `CreateConfigInput`) /// - /// - Returns: `CreateConfigOutput` : + /// - Returns: (Type: `CreateConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigOutput.httpOutput(from:), CreateConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension GroundStationClient { /// /// Creates a DataflowEndpoint group containing the specified list of DataflowEndpoint objects. The name field in each endpoint is used in your mission profile DataflowEndpointConfig to specify which endpoints to use during a contact. When a contact uses multiple DataflowEndpointConfig objects, each Config must match a DataflowEndpoint in the same group. /// - /// - Parameter CreateDataflowEndpointGroupInput : + /// - Parameter input: (Type: `CreateDataflowEndpointGroupInput`) /// - /// - Returns: `CreateDataflowEndpointGroupOutput` : + /// - Returns: (Type: `CreateDataflowEndpointGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -550,7 +547,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataflowEndpointGroupOutput.httpOutput(from:), CreateDataflowEndpointGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -582,9 +578,9 @@ extension GroundStationClient { /// /// Creates an Ephemeris with the specified EphemerisData. /// - /// - Parameter CreateEphemerisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEphemerisInput`) /// - /// - Returns: `CreateEphemerisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEphemerisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -620,7 +616,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEphemerisOutput.httpOutput(from:), CreateEphemerisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -652,9 +647,9 @@ extension GroundStationClient { /// /// Creates a mission profile. dataflowEdges is a list of lists of strings. Each lower level list of strings has two elements: a from ARN and a to ARN. /// - /// - Parameter CreateMissionProfileInput : + /// - Parameter input: (Type: `CreateMissionProfileInput`) /// - /// - Returns: `CreateMissionProfileOutput` : + /// - Returns: (Type: `CreateMissionProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -690,7 +685,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMissionProfileOutput.httpOutput(from:), CreateMissionProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension GroundStationClient { /// /// Deletes a Config. /// - /// - Parameter DeleteConfigInput : + /// - Parameter input: (Type: `DeleteConfigInput`) /// - /// - Returns: `DeleteConfigOutput` : + /// - Returns: (Type: `DeleteConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -757,7 +751,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigOutput.httpOutput(from:), DeleteConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -789,9 +782,9 @@ extension GroundStationClient { /// /// Deletes a dataflow endpoint group. /// - /// - Parameter DeleteDataflowEndpointGroupInput : + /// - Parameter input: (Type: `DeleteDataflowEndpointGroupInput`) /// - /// - Returns: `DeleteDataflowEndpointGroupOutput` : + /// - Returns: (Type: `DeleteDataflowEndpointGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -824,7 +817,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataflowEndpointGroupOutput.httpOutput(from:), DeleteDataflowEndpointGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -856,9 +848,9 @@ extension GroundStationClient { /// /// Deletes an ephemeris /// - /// - Parameter DeleteEphemerisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEphemerisInput`) /// - /// - Returns: `DeleteEphemerisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEphemerisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -891,7 +883,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEphemerisOutput.httpOutput(from:), DeleteEphemerisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -923,9 +914,9 @@ extension GroundStationClient { /// /// Deletes a mission profile. /// - /// - Parameter DeleteMissionProfileInput : + /// - Parameter input: (Type: `DeleteMissionProfileInput`) /// - /// - Returns: `DeleteMissionProfileOutput` : + /// - Returns: (Type: `DeleteMissionProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -958,7 +949,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMissionProfileOutput.httpOutput(from:), DeleteMissionProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -990,9 +980,9 @@ extension GroundStationClient { /// /// Describes an existing contact. /// - /// - Parameter DescribeContactInput : + /// - Parameter input: (Type: `DescribeContactInput`) /// - /// - Returns: `DescribeContactOutput` : + /// - Returns: (Type: `DescribeContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1025,7 +1015,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContactOutput.httpOutput(from:), DescribeContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1057,9 +1046,9 @@ extension GroundStationClient { /// /// Describes an existing ephemeris. /// - /// - Parameter DescribeEphemerisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEphemerisInput`) /// - /// - Returns: `DescribeEphemerisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEphemerisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1092,7 +1081,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEphemerisOutput.httpOutput(from:), DescribeEphemerisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1124,9 +1112,9 @@ extension GroundStationClient { /// /// For use by AWS Ground Station Agent and shouldn't be called directly. Gets the latest configuration information for a registered agent. /// - /// - Parameter GetAgentConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgentConfigurationInput`) /// - /// - Returns: `GetAgentConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgentConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1159,7 +1147,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgentConfigurationOutput.httpOutput(from:), GetAgentConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1191,9 +1178,9 @@ extension GroundStationClient { /// /// Returns Config information. Only one Config response can be returned. /// - /// - Parameter GetConfigInput : + /// - Parameter input: (Type: `GetConfigInput`) /// - /// - Returns: `GetConfigOutput` : + /// - Returns: (Type: `GetConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1226,7 +1213,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigOutput.httpOutput(from:), GetConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1258,9 +1244,9 @@ extension GroundStationClient { /// /// Returns the dataflow endpoint group. /// - /// - Parameter GetDataflowEndpointGroupInput : + /// - Parameter input: (Type: `GetDataflowEndpointGroupInput`) /// - /// - Returns: `GetDataflowEndpointGroupOutput` : + /// - Returns: (Type: `GetDataflowEndpointGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1293,7 +1279,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataflowEndpointGroupOutput.httpOutput(from:), GetDataflowEndpointGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1325,9 +1310,9 @@ extension GroundStationClient { /// /// Returns the number of reserved minutes used by account. /// - /// - Parameter GetMinuteUsageInput : + /// - Parameter input: (Type: `GetMinuteUsageInput`) /// - /// - Returns: `GetMinuteUsageOutput` : + /// - Returns: (Type: `GetMinuteUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1363,7 +1348,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMinuteUsageOutput.httpOutput(from:), GetMinuteUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1395,9 +1379,9 @@ extension GroundStationClient { /// /// Returns a mission profile. /// - /// - Parameter GetMissionProfileInput : + /// - Parameter input: (Type: `GetMissionProfileInput`) /// - /// - Returns: `GetMissionProfileOutput` : + /// - Returns: (Type: `GetMissionProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1430,7 +1414,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMissionProfileOutput.httpOutput(from:), GetMissionProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1462,9 +1445,9 @@ extension GroundStationClient { /// /// Returns a satellite. /// - /// - Parameter GetSatelliteInput : + /// - Parameter input: (Type: `GetSatelliteInput`) /// - /// - Returns: `GetSatelliteOutput` : + /// - Returns: (Type: `GetSatelliteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1497,7 +1480,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSatelliteOutput.httpOutput(from:), GetSatelliteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1529,9 +1511,9 @@ extension GroundStationClient { /// /// Returns a list of Config objects. /// - /// - Parameter ListConfigsInput : + /// - Parameter input: (Type: `ListConfigsInput`) /// - /// - Returns: `ListConfigsOutput` : + /// - Returns: (Type: `ListConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1565,7 +1547,6 @@ extension GroundStationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigsOutput.httpOutput(from:), ListConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1597,9 +1578,9 @@ extension GroundStationClient { /// /// Returns a list of contacts. If statusList contains AVAILABLE, the request must include groundStation, missionprofileArn, and satelliteArn. /// - /// - Parameter ListContactsInput : + /// - Parameter input: (Type: `ListContactsInput`) /// - /// - Returns: `ListContactsOutput` : + /// - Returns: (Type: `ListContactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1635,7 +1616,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContactsOutput.httpOutput(from:), ListContactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1667,9 +1647,9 @@ extension GroundStationClient { /// /// Returns a list of DataflowEndpoint groups. /// - /// - Parameter ListDataflowEndpointGroupsInput : + /// - Parameter input: (Type: `ListDataflowEndpointGroupsInput`) /// - /// - Returns: `ListDataflowEndpointGroupsOutput` : + /// - Returns: (Type: `ListDataflowEndpointGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1703,7 +1683,6 @@ extension GroundStationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataflowEndpointGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataflowEndpointGroupsOutput.httpOutput(from:), ListDataflowEndpointGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1735,9 +1714,9 @@ extension GroundStationClient { /// /// List existing ephemerides. /// - /// - Parameter ListEphemeridesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEphemeridesInput`) /// - /// - Returns: `ListEphemeridesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEphemeridesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1774,7 +1753,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEphemeridesOutput.httpOutput(from:), ListEphemeridesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1806,9 +1784,9 @@ extension GroundStationClient { /// /// Returns a list of ground stations. /// - /// - Parameter ListGroundStationsInput : + /// - Parameter input: (Type: `ListGroundStationsInput`) /// - /// - Returns: `ListGroundStationsOutput` : + /// - Returns: (Type: `ListGroundStationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1842,7 +1820,6 @@ extension GroundStationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGroundStationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroundStationsOutput.httpOutput(from:), ListGroundStationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1874,9 +1851,9 @@ extension GroundStationClient { /// /// Returns a list of mission profiles. /// - /// - Parameter ListMissionProfilesInput : + /// - Parameter input: (Type: `ListMissionProfilesInput`) /// - /// - Returns: `ListMissionProfilesOutput` : + /// - Returns: (Type: `ListMissionProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1910,7 +1887,6 @@ extension GroundStationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMissionProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMissionProfilesOutput.httpOutput(from:), ListMissionProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1942,9 +1918,9 @@ extension GroundStationClient { /// /// Returns a list of satellites. /// - /// - Parameter ListSatellitesInput : + /// - Parameter input: (Type: `ListSatellitesInput`) /// - /// - Returns: `ListSatellitesOutput` : + /// - Returns: (Type: `ListSatellitesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1978,7 +1954,6 @@ extension GroundStationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSatellitesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSatellitesOutput.httpOutput(from:), ListSatellitesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2010,9 +1985,9 @@ extension GroundStationClient { /// /// Returns a list of tags for a specified resource. /// - /// - Parameter ListTagsForResourceInput : + /// - Parameter input: (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : + /// - Returns: (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2045,7 +2020,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2077,9 +2051,9 @@ extension GroundStationClient { /// /// For use by AWS Ground Station Agent and shouldn't be called directly. Registers a new agent with AWS Ground Station. /// - /// - Parameter RegisterAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterAgentInput`) /// - /// - Returns: `RegisterAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2115,7 +2089,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterAgentOutput.httpOutput(from:), RegisterAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2147,9 +2120,9 @@ extension GroundStationClient { /// /// Reserves a contact using specified parameters. /// - /// - Parameter ReserveContactInput : + /// - Parameter input: (Type: `ReserveContactInput`) /// - /// - Returns: `ReserveContactOutput` : + /// - Returns: (Type: `ReserveContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2185,7 +2158,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReserveContactOutput.httpOutput(from:), ReserveContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2217,9 +2189,9 @@ extension GroundStationClient { /// /// Assigns a tag to a resource. /// - /// - Parameter TagResourceInput : + /// - Parameter input: (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : + /// - Returns: (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2255,7 +2227,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2287,9 +2258,9 @@ extension GroundStationClient { /// /// Deassigns a resource tag. /// - /// - Parameter UntagResourceInput : + /// - Parameter input: (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : + /// - Returns: (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2323,7 +2294,6 @@ extension GroundStationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2355,9 +2325,9 @@ extension GroundStationClient { /// /// For use by AWS Ground Station Agent and shouldn't be called directly. Update the status of the agent. /// - /// - Parameter UpdateAgentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAgentStatusInput`) /// - /// - Returns: `UpdateAgentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2393,7 +2363,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgentStatusOutput.httpOutput(from:), UpdateAgentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2425,9 +2394,9 @@ extension GroundStationClient { /// /// Updates the Config used when scheduling contacts. Updating a Config will not update the execution parameters for existing future contacts scheduled with this Config. /// - /// - Parameter UpdateConfigInput : + /// - Parameter input: (Type: `UpdateConfigInput`) /// - /// - Returns: `UpdateConfigOutput` : + /// - Returns: (Type: `UpdateConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2463,7 +2432,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigOutput.httpOutput(from:), UpdateConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2495,9 +2463,9 @@ extension GroundStationClient { /// /// Updates an existing ephemeris /// - /// - Parameter UpdateEphemerisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEphemerisInput`) /// - /// - Returns: `UpdateEphemerisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEphemerisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2533,7 +2501,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEphemerisOutput.httpOutput(from:), UpdateEphemerisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2565,9 +2532,9 @@ extension GroundStationClient { /// /// Updates a mission profile. Updating a mission profile will not update the execution parameters for existing future contacts. /// - /// - Parameter UpdateMissionProfileInput : + /// - Parameter input: (Type: `UpdateMissionProfileInput`) /// - /// - Returns: `UpdateMissionProfileOutput` : + /// - Returns: (Type: `UpdateMissionProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2603,7 +2570,6 @@ extension GroundStationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMissionProfileOutput.httpOutput(from:), UpdateMissionProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSGuardDuty/Sources/AWSGuardDuty/GuardDutyClient.swift b/Sources/Services/AWSGuardDuty/Sources/AWSGuardDuty/GuardDutyClient.swift index eb9e89979aa..671abf504c8 100644 --- a/Sources/Services/AWSGuardDuty/Sources/AWSGuardDuty/GuardDutyClient.swift +++ b/Sources/Services/AWSGuardDuty/Sources/AWSGuardDuty/GuardDutyClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class GuardDutyClient: ClientRuntime.Client { public static let clientName = "GuardDutyClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: GuardDutyClient.GuardDutyClientConfiguration let serviceName = "GuardDuty" @@ -375,9 +374,9 @@ extension GuardDutyClient { /// /// Accepts the invitation to be a member account and get monitored by a GuardDuty administrator account that sent the invitation. /// - /// - Parameter AcceptAdministratorInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptAdministratorInvitationInput`) /// - /// - Returns: `AcceptAdministratorInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptAdministratorInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptAdministratorInvitationOutput.httpOutput(from:), AcceptAdministratorInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension GuardDutyClient { /// Accepts the invitation to be monitored by a GuardDuty administrator account. @available(*, deprecated, message: "This operation is deprecated, use AcceptAdministratorInvitation instead") /// - /// - Parameter AcceptInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptInvitationInput`) /// - /// - Returns: `AcceptInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -482,7 +480,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptInvitationOutput.httpOutput(from:), AcceptInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -514,9 +511,9 @@ extension GuardDutyClient { /// /// Archives GuardDuty findings that are specified by the list of finding IDs. Only the administrator account can archive findings. Member accounts don't have permission to archive findings from their accounts. /// - /// - Parameter ArchiveFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ArchiveFindingsInput`) /// - /// - Returns: `ArchiveFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ArchiveFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -551,7 +548,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ArchiveFindingsOutput.httpOutput(from:), ArchiveFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension GuardDutyClient { /// /// Specifying both EKS Runtime Monitoring (EKS_RUNTIME_MONITORING) and Runtime Monitoring (RUNTIME_MONITORING) will cause an error. You can add only one of these two features because Runtime Monitoring already includes the threat detection for Amazon EKS resources. For more information, see [Runtime Monitoring](https://docs.aws.amazon.com/guardduty/latest/ug/runtime-monitoring.html). There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter CreateDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDetectorInput`) /// - /// - Returns: `CreateDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDetectorOutput.httpOutput(from:), CreateDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +655,9 @@ extension GuardDutyClient { /// /// Creates a filter using the specified finding criteria. The maximum number of saved filters per Amazon Web Services account per Region is 100. For more information, see [Quotas for GuardDuty](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_limits.html). /// - /// - Parameter CreateFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFilterInput`) /// - /// - Returns: `CreateFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFilterOutput.httpOutput(from:), CreateFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension GuardDutyClient { /// /// Creates a new IPSet, which is called a trusted IP list in the console user interface. An IPSet is a list of IP addresses that are trusted for secure communication with Amazon Web Services infrastructure and applications. GuardDuty doesn't generate findings for IP addresses that are included in IPSets. Only users from the administrator account can use this operation. /// - /// - Parameter CreateIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIPSetInput`) /// - /// - Returns: `CreateIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -769,7 +763,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIPSetOutput.httpOutput(from:), CreateIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -801,9 +794,9 @@ extension GuardDutyClient { /// /// Creates a new Malware Protection plan for the protected resource. When you create a Malware Protection plan, the Amazon Web Services service terms for GuardDuty Malware Protection apply. For more information, see [Amazon Web Services service terms for GuardDuty Malware Protection](http://aws.amazon.com/service-terms/#87._Amazon_GuardDuty). /// - /// - Parameter CreateMalwareProtectionPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMalwareProtectionPlanInput`) /// - /// - Returns: `CreateMalwareProtectionPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMalwareProtectionPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -841,7 +834,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMalwareProtectionPlanOutput.httpOutput(from:), CreateMalwareProtectionPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension GuardDutyClient { /// /// Creates member accounts of the current Amazon Web Services account by specifying a list of Amazon Web Services account IDs. This step is a prerequisite for managing the associated member accounts either by invitation or through an organization. As a delegated administrator, using CreateMembers will enable GuardDuty in the added member accounts, with the exception of the organization delegated administrator account. A delegated administrator must enable GuardDuty prior to being added as a member. When you use CreateMembers as an Organizations delegated administrator, GuardDuty applies your organization's auto-enable settings to the member accounts in this request, irrespective of the accounts being new or existing members. For more information about the existing auto-enable settings for your organization, see [DescribeOrganizationConfiguration](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_DescribeOrganizationConfiguration.html). If you disassociate a member account that was added by invitation, the member account details obtained from this API, including the associated email addresses, will be retained. This is done so that the delegated administrator can invoke the [InviteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_InviteMembers.html) API without the need to invoke the CreateMembers API again. To remove the details associated with a member account, the delegated administrator must invoke the [DeleteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_DeleteMembers.html) API. When the member accounts added through Organizations are later disassociated, you (administrator) can't invite them by calling the InviteMembers API. You can create an association with these member accounts again only by calling the CreateMembers API. /// - /// - Parameter CreateMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMembersInput`) /// - /// - Returns: `CreateMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -910,7 +902,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMembersOutput.httpOutput(from:), CreateMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -942,9 +933,9 @@ extension GuardDutyClient { /// /// Creates a publishing destination where you can export your GuardDuty findings. Before you start exporting the findings, the destination resource must exist. /// - /// - Parameter CreatePublishingDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePublishingDestinationInput`) /// - /// - Returns: `CreatePublishingDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePublishingDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -980,7 +971,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePublishingDestinationOutput.httpOutput(from:), CreatePublishingDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1012,9 +1002,9 @@ extension GuardDutyClient { /// /// Generates sample findings of types specified by the list of finding types. If 'NULL' is specified for findingTypes, the API generates sample findings of all supported finding types. /// - /// - Parameter CreateSampleFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSampleFindingsInput`) /// - /// - Returns: `CreateSampleFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSampleFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1049,7 +1039,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSampleFindingsOutput.httpOutput(from:), CreateSampleFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1081,9 +1070,9 @@ extension GuardDutyClient { /// /// Creates a new threat entity set. In a threat entity set, you can provide known malicious IP addresses and domains for your Amazon Web Services environment. GuardDuty generates findings based on the entries in the threat entity sets. Only users of the administrator account can manage entity sets, which automatically apply to member accounts. /// - /// - Parameter CreateThreatEntitySetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateThreatEntitySetInput`) /// - /// - Returns: `CreateThreatEntitySetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateThreatEntitySetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1119,7 +1108,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateThreatEntitySetOutput.httpOutput(from:), CreateThreatEntitySetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1151,9 +1139,9 @@ extension GuardDutyClient { /// /// Creates a new ThreatIntelSet. ThreatIntelSets consist of known malicious IP addresses. GuardDuty generates findings based on ThreatIntelSets. Only users of the administrator account can use this operation. /// - /// - Parameter CreateThreatIntelSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateThreatIntelSetInput`) /// - /// - Returns: `CreateThreatIntelSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateThreatIntelSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1190,7 +1178,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateThreatIntelSetOutput.httpOutput(from:), CreateThreatIntelSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1222,9 +1209,9 @@ extension GuardDutyClient { /// /// Creates a new trusted entity set. In the trusted entity set, you can provide IP addresses and domains that you believe are secure for communication in your Amazon Web Services environment. GuardDuty will not generate findings for the entries that are specified in a trusted entity set. At any given time, you can have only one trusted entity set. Only users of the administrator account can manage the entity sets, which automatically apply to member accounts. /// - /// - Parameter CreateTrustedEntitySetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrustedEntitySetInput`) /// - /// - Returns: `CreateTrustedEntitySetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrustedEntitySetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1260,7 +1247,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrustedEntitySetOutput.httpOutput(from:), CreateTrustedEntitySetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1292,9 +1278,9 @@ extension GuardDutyClient { /// /// Declines invitations sent to the current member account by Amazon Web Services accounts specified by their account IDs. /// - /// - Parameter DeclineInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeclineInvitationsInput`) /// - /// - Returns: `DeclineInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeclineInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1329,7 +1315,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeclineInvitationsOutput.httpOutput(from:), DeclineInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1361,9 +1346,9 @@ extension GuardDutyClient { /// /// Deletes an Amazon GuardDuty detector that is specified by the detector ID. /// - /// - Parameter DeleteDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDetectorInput`) /// - /// - Returns: `DeleteDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1395,7 +1380,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDetectorOutput.httpOutput(from:), DeleteDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1427,9 +1411,9 @@ extension GuardDutyClient { /// /// Deletes the filter specified by the filter name. /// - /// - Parameter DeleteFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFilterInput`) /// - /// - Returns: `DeleteFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1461,7 +1445,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFilterOutput.httpOutput(from:), DeleteFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1493,9 +1476,9 @@ extension GuardDutyClient { /// /// Deletes the IPSet specified by the ipSetId. IPSets are called trusted IP lists in the console user interface. /// - /// - Parameter DeleteIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIPSetInput`) /// - /// - Returns: `DeleteIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1527,7 +1510,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIPSetOutput.httpOutput(from:), DeleteIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1559,9 +1541,9 @@ extension GuardDutyClient { /// /// Deletes invitations sent to the current member account by Amazon Web Services accounts specified by their account IDs. /// - /// - Parameter DeleteInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInvitationsInput`) /// - /// - Returns: `DeleteInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1596,7 +1578,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInvitationsOutput.httpOutput(from:), DeleteInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1628,9 +1609,9 @@ extension GuardDutyClient { /// /// Deletes the Malware Protection plan ID associated with the Malware Protection plan resource. Use this API only when you no longer want to protect the resource associated with this Malware Protection plan ID. /// - /// - Parameter DeleteMalwareProtectionPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMalwareProtectionPlanInput`) /// - /// - Returns: `DeleteMalwareProtectionPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMalwareProtectionPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1664,7 +1645,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMalwareProtectionPlanOutput.httpOutput(from:), DeleteMalwareProtectionPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1696,9 +1676,9 @@ extension GuardDutyClient { /// /// Deletes GuardDuty member accounts (to the current GuardDuty administrator account) specified by the account IDs. With autoEnableOrganizationMembers configuration for your organization set to ALL, you'll receive an error if you attempt to disable GuardDuty for a member account in your organization. /// - /// - Parameter DeleteMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMembersInput`) /// - /// - Returns: `DeleteMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1733,7 +1713,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMembersOutput.httpOutput(from:), DeleteMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1765,9 +1744,9 @@ extension GuardDutyClient { /// /// Deletes the publishing definition with the specified destinationId. /// - /// - Parameter DeletePublishingDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePublishingDestinationInput`) /// - /// - Returns: `DeletePublishingDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePublishingDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1799,7 +1778,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePublishingDestinationOutput.httpOutput(from:), DeletePublishingDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1831,9 +1809,9 @@ extension GuardDutyClient { /// /// Deletes the threat entity set that is associated with the specified threatEntitySetId. /// - /// - Parameter DeleteThreatEntitySetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteThreatEntitySetInput`) /// - /// - Returns: `DeleteThreatEntitySetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteThreatEntitySetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1865,7 +1843,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThreatEntitySetOutput.httpOutput(from:), DeleteThreatEntitySetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1897,9 +1874,9 @@ extension GuardDutyClient { /// /// Deletes the ThreatIntelSet specified by the ThreatIntelSet ID. /// - /// - Parameter DeleteThreatIntelSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteThreatIntelSetInput`) /// - /// - Returns: `DeleteThreatIntelSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteThreatIntelSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1931,7 +1908,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThreatIntelSetOutput.httpOutput(from:), DeleteThreatIntelSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1963,9 +1939,9 @@ extension GuardDutyClient { /// /// Deletes the trusted entity set that is associated with the specified trustedEntitySetId. /// - /// - Parameter DeleteTrustedEntitySetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrustedEntitySetInput`) /// - /// - Returns: `DeleteTrustedEntitySetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrustedEntitySetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1997,7 +1973,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrustedEntitySetOutput.httpOutput(from:), DeleteTrustedEntitySetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2029,9 +2004,9 @@ extension GuardDutyClient { /// /// Returns a list of malware scans. Each member account can view the malware scans for their own accounts. An administrator can view the malware scans for all the member accounts. There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter DescribeMalwareScansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMalwareScansInput`) /// - /// - Returns: `DescribeMalwareScansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMalwareScansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2066,7 +2041,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMalwareScansOutput.httpOutput(from:), DescribeMalwareScansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2098,9 +2072,9 @@ extension GuardDutyClient { /// /// Returns information about the account selected as the delegated administrator for GuardDuty. There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter DescribeOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationConfigurationInput`) /// - /// - Returns: `DescribeOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2133,7 +2107,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeOrganizationConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationConfigurationOutput.httpOutput(from:), DescribeOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2165,9 +2138,9 @@ extension GuardDutyClient { /// /// Returns information about the publishing destination specified by the provided destinationId. /// - /// - Parameter DescribePublishingDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePublishingDestinationInput`) /// - /// - Returns: `DescribePublishingDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePublishingDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2199,7 +2172,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePublishingDestinationOutput.httpOutput(from:), DescribePublishingDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2231,9 +2203,9 @@ extension GuardDutyClient { /// /// Removes the existing GuardDuty delegated administrator of the organization. Only the organization's management account can run this API operation. /// - /// - Parameter DisableOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableOrganizationAdminAccountInput`) /// - /// - Returns: `DisableOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2268,7 +2240,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableOrganizationAdminAccountOutput.httpOutput(from:), DisableOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2300,9 +2271,9 @@ extension GuardDutyClient { /// /// Disassociates the current GuardDuty member account from its administrator account. When you disassociate an invited member from a GuardDuty delegated administrator, the member account details obtained from the [CreateMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_CreateMembers.html) API, including the associated email addresses, are retained. This is done so that the delegated administrator can invoke the [InviteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_InviteMembers.html) API without the need to invoke the CreateMembers API again. To remove the details associated with a member account, the delegated administrator must invoke the [DeleteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_DeleteMembers.html) API. With autoEnableOrganizationMembers configuration for your organization set to ALL, you'll receive an error if you attempt to disable GuardDuty in a member account. /// - /// - Parameter DisassociateFromAdministratorAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFromAdministratorAccountInput`) /// - /// - Returns: `DisassociateFromAdministratorAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFromAdministratorAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2334,7 +2305,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFromAdministratorAccountOutput.httpOutput(from:), DisassociateFromAdministratorAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2367,9 +2337,9 @@ extension GuardDutyClient { /// Disassociates the current GuardDuty member account from its administrator account. When you disassociate an invited member from a GuardDuty delegated administrator, the member account details obtained from the [CreateMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_CreateMembers.html) API, including the associated email addresses, are retained. This is done so that the delegated administrator can invoke the [InviteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_InviteMembers.html) API without the need to invoke the CreateMembers API again. To remove the details associated with a member account, the delegated administrator must invoke the [DeleteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_DeleteMembers.html) API. @available(*, deprecated, message: "This operation is deprecated, use DisassociateFromAdministratorAccount instead") /// - /// - Parameter DisassociateFromMasterAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFromMasterAccountInput`) /// - /// - Returns: `DisassociateFromMasterAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFromMasterAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2401,7 +2371,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFromMasterAccountOutput.httpOutput(from:), DisassociateFromMasterAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2433,9 +2402,9 @@ extension GuardDutyClient { /// /// Disassociates GuardDuty member accounts (from the current administrator account) specified by the account IDs. When you disassociate an invited member from a GuardDuty delegated administrator, the member account details obtained from the [CreateMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_CreateMembers.html) API, including the associated email addresses, are retained. This is done so that the delegated administrator can invoke the [InviteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_InviteMembers.html) API without the need to invoke the CreateMembers API again. To remove the details associated with a member account, the delegated administrator must invoke the [DeleteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_DeleteMembers.html) API. With autoEnableOrganizationMembers configuration for your organization set to ALL, you'll receive an error if you attempt to disassociate a member account before removing them from your organization. If you disassociate a member account that was added by invitation, the member account details obtained from this API, including the associated email addresses, will be retained. This is done so that the delegated administrator can invoke the [InviteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_InviteMembers.html) API without the need to invoke the CreateMembers API again. To remove the details associated with a member account, the delegated administrator must invoke the [DeleteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_DeleteMembers.html) API. When the member accounts added through Organizations are later disassociated, you (administrator) can't invite them by calling the InviteMembers API. You can create an association with these member accounts again only by calling the CreateMembers API. /// - /// - Parameter DisassociateMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMembersInput`) /// - /// - Returns: `DisassociateMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2470,7 +2439,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMembersOutput.httpOutput(from:), DisassociateMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2502,9 +2470,9 @@ extension GuardDutyClient { /// /// Designates an Amazon Web Services account within the organization as your GuardDuty delegated administrator. Only the organization's management account can run this API operation. /// - /// - Parameter EnableOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableOrganizationAdminAccountInput`) /// - /// - Returns: `EnableOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2539,7 +2507,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableOrganizationAdminAccountOutput.httpOutput(from:), EnableOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2577,9 +2544,9 @@ extension GuardDutyClient { /// /// * When an individual account (not associated with an organization) runs this API, it will return success (HTTP 200) but no content. /// - /// - Parameter GetAdministratorAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAdministratorAccountInput`) /// - /// - Returns: `GetAdministratorAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAdministratorAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2611,7 +2578,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAdministratorAccountOutput.httpOutput(from:), GetAdministratorAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2643,9 +2609,9 @@ extension GuardDutyClient { /// /// Retrieves aggregated statistics for your account. If you are a GuardDuty administrator, you can retrieve the statistics for all the resources associated with the active member accounts in your organization who have enabled Runtime Monitoring and have the GuardDuty security agent running on their resources. /// - /// - Parameter GetCoverageStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCoverageStatisticsInput`) /// - /// - Returns: `GetCoverageStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCoverageStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2680,7 +2646,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCoverageStatisticsOutput.httpOutput(from:), GetCoverageStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2712,9 +2677,9 @@ extension GuardDutyClient { /// /// Retrieves a GuardDuty detector specified by the detectorId. There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter GetDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDetectorInput`) /// - /// - Returns: `GetDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2746,7 +2711,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDetectorOutput.httpOutput(from:), GetDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2778,9 +2742,9 @@ extension GuardDutyClient { /// /// Returns the details of the filter specified by the filter name. /// - /// - Parameter GetFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFilterInput`) /// - /// - Returns: `GetFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2812,7 +2776,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFilterOutput.httpOutput(from:), GetFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2844,9 +2807,9 @@ extension GuardDutyClient { /// /// Describes Amazon GuardDuty findings specified by finding IDs. /// - /// - Parameter GetFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingsInput`) /// - /// - Returns: `GetFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2881,7 +2844,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsOutput.httpOutput(from:), GetFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2913,9 +2875,9 @@ extension GuardDutyClient { /// /// Lists GuardDuty findings statistics for the specified detector ID. You must provide either findingStatisticTypes or groupBy parameter, and not both. You can use the maxResults and orderBy parameters only when using groupBy. There might be regional differences because some flags might not be available in all the Regions where GuardDuty is currently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter GetFindingsStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingsStatisticsInput`) /// - /// - Returns: `GetFindingsStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingsStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2950,7 +2912,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsStatisticsOutput.httpOutput(from:), GetFindingsStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2982,9 +2943,9 @@ extension GuardDutyClient { /// /// Retrieves the IPSet specified by the ipSetId. /// - /// - Parameter GetIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIPSetInput`) /// - /// - Returns: `GetIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3016,7 +2977,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIPSetOutput.httpOutput(from:), GetIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3048,9 +3008,9 @@ extension GuardDutyClient { /// /// Returns the count of all GuardDuty membership invitations that were sent to the current member account except the currently accepted invitation. /// - /// - Parameter GetInvitationsCountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInvitationsCountInput`) /// - /// - Returns: `GetInvitationsCountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInvitationsCountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3082,7 +3042,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInvitationsCountOutput.httpOutput(from:), GetInvitationsCountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3114,9 +3073,9 @@ extension GuardDutyClient { /// /// Retrieves the Malware Protection plan details associated with a Malware Protection plan ID. /// - /// - Parameter GetMalwareProtectionPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMalwareProtectionPlanInput`) /// - /// - Returns: `GetMalwareProtectionPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMalwareProtectionPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3150,7 +3109,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMalwareProtectionPlanOutput.httpOutput(from:), GetMalwareProtectionPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3182,9 +3140,9 @@ extension GuardDutyClient { /// /// Returns the details of the malware scan settings. There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter GetMalwareScanSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMalwareScanSettingsInput`) /// - /// - Returns: `GetMalwareScanSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMalwareScanSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3216,7 +3174,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMalwareScanSettingsOutput.httpOutput(from:), GetMalwareScanSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3249,9 +3206,9 @@ extension GuardDutyClient { /// Provides the details for the GuardDuty administrator account associated with the current GuardDuty member account. @available(*, deprecated, message: "This operation is deprecated, use GetAdministratorAccount instead") /// - /// - Parameter GetMasterAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMasterAccountInput`) /// - /// - Returns: `GetMasterAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMasterAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3283,7 +3240,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMasterAccountOutput.httpOutput(from:), GetMasterAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3315,9 +3271,9 @@ extension GuardDutyClient { /// /// Describes which data sources are enabled for the member account's detector. There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter GetMemberDetectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMemberDetectorsInput`) /// - /// - Returns: `GetMemberDetectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMemberDetectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3352,7 +3308,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMemberDetectorsOutput.httpOutput(from:), GetMemberDetectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3384,9 +3339,9 @@ extension GuardDutyClient { /// /// Retrieves GuardDuty member accounts (of the current GuardDuty administrator account) specified by the account IDs. /// - /// - Parameter GetMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMembersInput`) /// - /// - Returns: `GetMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3421,7 +3376,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMembersOutput.httpOutput(from:), GetMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3453,9 +3407,9 @@ extension GuardDutyClient { /// /// Retrieves how many active member accounts have each feature enabled within GuardDuty. Only a delegated GuardDuty administrator of an organization can run this API. When you create a new organization, it might take up to 24 hours to generate the statistics for the entire organization. /// - /// - Parameter GetOrganizationStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOrganizationStatisticsInput`) /// - /// - Returns: `GetOrganizationStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOrganizationStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3487,7 +3441,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOrganizationStatisticsOutput.httpOutput(from:), GetOrganizationStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3519,9 +3472,9 @@ extension GuardDutyClient { /// /// Provides the number of days left for each data source used in the free trial period. /// - /// - Parameter GetRemainingFreeTrialDaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRemainingFreeTrialDaysInput`) /// - /// - Returns: `GetRemainingFreeTrialDaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRemainingFreeTrialDaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3556,7 +3509,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRemainingFreeTrialDaysOutput.httpOutput(from:), GetRemainingFreeTrialDaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3588,9 +3540,9 @@ extension GuardDutyClient { /// /// Retrieves the threat entity set associated with the specified threatEntitySetId. /// - /// - Parameter GetThreatEntitySetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetThreatEntitySetInput`) /// - /// - Returns: `GetThreatEntitySetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetThreatEntitySetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3622,7 +3574,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetThreatEntitySetOutput.httpOutput(from:), GetThreatEntitySetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3654,9 +3605,9 @@ extension GuardDutyClient { /// /// Retrieves the ThreatIntelSet that is specified by the ThreatIntelSet ID. /// - /// - Parameter GetThreatIntelSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetThreatIntelSetInput`) /// - /// - Returns: `GetThreatIntelSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetThreatIntelSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3688,7 +3639,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetThreatIntelSetOutput.httpOutput(from:), GetThreatIntelSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3720,9 +3670,9 @@ extension GuardDutyClient { /// /// Retrieves the trusted entity set associated with the specified trustedEntitySetId. /// - /// - Parameter GetTrustedEntitySetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrustedEntitySetInput`) /// - /// - Returns: `GetTrustedEntitySetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrustedEntitySetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3754,7 +3704,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrustedEntitySetOutput.httpOutput(from:), GetTrustedEntitySetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3786,9 +3735,9 @@ extension GuardDutyClient { /// /// Lists Amazon GuardDuty usage statistics over the last 30 days for the specified detector ID. For newly enabled detectors or data sources, the cost returned will include only the usage so far under 30 days. This may differ from the cost metrics in the console, which project usage over 30 days to provide a monthly cost estimate. For more information, see [Understanding How Usage Costs are Calculated](https://docs.aws.amazon.com/guardduty/latest/ug/monitoring_costs.html#usage-calculations). /// - /// - Parameter GetUsageStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUsageStatisticsInput`) /// - /// - Returns: `GetUsageStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUsageStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3823,7 +3772,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsageStatisticsOutput.httpOutput(from:), GetUsageStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3855,9 +3803,9 @@ extension GuardDutyClient { /// /// Invites Amazon Web Services accounts to become members of an organization administered by the Amazon Web Services account that invokes this API. If you are using Amazon Web Services Organizations to manage your GuardDuty environment, this step is not needed. For more information, see [Managing accounts with organizations](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_organizations.html). To invite Amazon Web Services accounts, the first step is to ensure that GuardDuty has been enabled in the potential member accounts. You can now invoke this API to add accounts by invitation. The invited accounts can either accept or decline the invitation from their GuardDuty accounts. Each invited Amazon Web Services account can choose to accept the invitation from only one Amazon Web Services account. For more information, see [Managing GuardDuty accounts by invitation](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_invitations.html). After the invite has been accepted and you choose to disassociate a member account (by using [DisassociateMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_DisassociateMembers.html)) from your account, the details of the member account obtained by invoking [CreateMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_CreateMembers.html), including the associated email addresses, will be retained. This is done so that you can invoke InviteMembers without the need to invoke [CreateMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_CreateMembers.html) again. To remove the details associated with a member account, you must also invoke [DeleteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_DeleteMembers.html). If you disassociate a member account that was added by invitation, the member account details obtained from this API, including the associated email addresses, will be retained. This is done so that the delegated administrator can invoke the [InviteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_InviteMembers.html) API without the need to invoke the CreateMembers API again. To remove the details associated with a member account, the delegated administrator must invoke the [DeleteMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_DeleteMembers.html) API. When the member accounts added through Organizations are later disassociated, you (administrator) can't invite them by calling the InviteMembers API. You can create an association with these member accounts again only by calling the CreateMembers API. /// - /// - Parameter InviteMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InviteMembersInput`) /// - /// - Returns: `InviteMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InviteMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3892,7 +3840,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InviteMembersOutput.httpOutput(from:), InviteMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3924,9 +3871,9 @@ extension GuardDutyClient { /// /// Lists coverage details for your GuardDuty account. If you're a GuardDuty administrator, you can retrieve all resources associated with the active member accounts in your organization. Make sure the accounts have Runtime Monitoring enabled and GuardDuty agent running on their resources. /// - /// - Parameter ListCoverageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCoverageInput`) /// - /// - Returns: `ListCoverageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCoverageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3961,7 +3908,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCoverageOutput.httpOutput(from:), ListCoverageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3993,9 +3939,9 @@ extension GuardDutyClient { /// /// Lists detectorIds of all the existing Amazon GuardDuty detector resources. /// - /// - Parameter ListDetectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDetectorsInput`) /// - /// - Returns: `ListDetectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDetectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4028,7 +3974,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDetectorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDetectorsOutput.httpOutput(from:), ListDetectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4060,9 +4005,9 @@ extension GuardDutyClient { /// /// Returns a paginated list of the current filters. /// - /// - Parameter ListFiltersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFiltersInput`) /// - /// - Returns: `ListFiltersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFiltersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4095,7 +4040,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFiltersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFiltersOutput.httpOutput(from:), ListFiltersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4127,9 +4071,9 @@ extension GuardDutyClient { /// /// Lists GuardDuty findings for the specified detector ID. There might be regional differences because some flags might not be available in all the Regions where GuardDuty is currently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter ListFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFindingsInput`) /// - /// - Returns: `ListFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4164,7 +4108,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingsOutput.httpOutput(from:), ListFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4196,9 +4139,9 @@ extension GuardDutyClient { /// /// Lists the IPSets of the GuardDuty service specified by the detector ID. If you use this operation from a member account, the IPSets returned are the IPSets from the associated administrator account. /// - /// - Parameter ListIPSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIPSetsInput`) /// - /// - Returns: `ListIPSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIPSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4231,7 +4174,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIPSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIPSetsOutput.httpOutput(from:), ListIPSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4263,9 +4205,9 @@ extension GuardDutyClient { /// /// Lists all GuardDuty membership invitations that were sent to the current Amazon Web Services account. /// - /// - Parameter ListInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvitationsInput`) /// - /// - Returns: `ListInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4298,7 +4240,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInvitationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvitationsOutput.httpOutput(from:), ListInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4330,9 +4271,9 @@ extension GuardDutyClient { /// /// Lists the Malware Protection plan IDs associated with the protected resources in your Amazon Web Services account. /// - /// - Parameter ListMalwareProtectionPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMalwareProtectionPlansInput`) /// - /// - Returns: `ListMalwareProtectionPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMalwareProtectionPlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4366,7 +4307,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMalwareProtectionPlansInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMalwareProtectionPlansOutput.httpOutput(from:), ListMalwareProtectionPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4398,9 +4338,9 @@ extension GuardDutyClient { /// /// Lists details about all member accounts for the current GuardDuty administrator account. /// - /// - Parameter ListMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMembersInput`) /// - /// - Returns: `ListMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4433,7 +4373,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMembersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMembersOutput.httpOutput(from:), ListMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4465,9 +4404,9 @@ extension GuardDutyClient { /// /// Lists the accounts designated as GuardDuty delegated administrators. Only the organization's management account can run this API operation. /// - /// - Parameter ListOrganizationAdminAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationAdminAccountsInput`) /// - /// - Returns: `ListOrganizationAdminAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationAdminAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4500,7 +4439,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOrganizationAdminAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationAdminAccountsOutput.httpOutput(from:), ListOrganizationAdminAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4532,9 +4470,9 @@ extension GuardDutyClient { /// /// Returns a list of publishing destinations associated with the specified detectorId. /// - /// - Parameter ListPublishingDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPublishingDestinationsInput`) /// - /// - Returns: `ListPublishingDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPublishingDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4567,7 +4505,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPublishingDestinationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPublishingDestinationsOutput.httpOutput(from:), ListPublishingDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4599,9 +4536,9 @@ extension GuardDutyClient { /// /// Lists tags for a resource. Tagging is currently supported for detectors, finding filters, IP sets, threat intel sets, and publishing destination, with a limit of 50 tags per resource. When invoked, this operation returns all assigned tags for a given resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4634,7 +4571,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4666,9 +4602,9 @@ extension GuardDutyClient { /// /// Lists the threat entity sets associated with the specified GuardDuty detector ID. If you use this operation from a member account, the threat entity sets that are returned as a response, belong to the administrator account. /// - /// - Parameter ListThreatEntitySetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThreatEntitySetsInput`) /// - /// - Returns: `ListThreatEntitySetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThreatEntitySetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4701,7 +4637,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThreatEntitySetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThreatEntitySetsOutput.httpOutput(from:), ListThreatEntitySetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4733,9 +4668,9 @@ extension GuardDutyClient { /// /// Lists the ThreatIntelSets of the GuardDuty service specified by the detector ID. If you use this operation from a member account, the ThreatIntelSets associated with the administrator account are returned. /// - /// - Parameter ListThreatIntelSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThreatIntelSetsInput`) /// - /// - Returns: `ListThreatIntelSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThreatIntelSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4768,7 +4703,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThreatIntelSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThreatIntelSetsOutput.httpOutput(from:), ListThreatIntelSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4800,9 +4734,9 @@ extension GuardDutyClient { /// /// Lists the trusted entity sets associated with the specified GuardDuty detector ID. If you use this operation from a member account, the trusted entity sets that are returned as a response, belong to the administrator account. /// - /// - Parameter ListTrustedEntitySetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrustedEntitySetsInput`) /// - /// - Returns: `ListTrustedEntitySetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrustedEntitySetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4835,7 +4769,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrustedEntitySetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrustedEntitySetsOutput.httpOutput(from:), ListTrustedEntitySetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4867,9 +4800,9 @@ extension GuardDutyClient { /// /// Initiates the malware scan. Invoking this API will automatically create the [Service-linked role](https://docs.aws.amazon.com/guardduty/latest/ug/slr-permissions-malware-protection.html) in the corresponding account. When the malware scan starts, you can use the associated scan ID to track the status of the scan. For more information, see [DescribeMalwareScans](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_DescribeMalwareScans.html). /// - /// - Parameter StartMalwareScanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMalwareScanInput`) /// - /// - Returns: `StartMalwareScanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMalwareScanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4905,7 +4838,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMalwareScanOutput.httpOutput(from:), StartMalwareScanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4937,9 +4869,9 @@ extension GuardDutyClient { /// /// Turns on GuardDuty monitoring of the specified member accounts. Use this operation to restart monitoring of accounts that you stopped monitoring with the [StopMonitoringMembers](https://docs.aws.amazon.com/guardduty/latest/APIReference/API_StopMonitoringMembers.html) operation. /// - /// - Parameter StartMonitoringMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMonitoringMembersInput`) /// - /// - Returns: `StartMonitoringMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMonitoringMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4974,7 +4906,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMonitoringMembersOutput.httpOutput(from:), StartMonitoringMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5006,9 +4937,9 @@ extension GuardDutyClient { /// /// Stops GuardDuty monitoring for the specified member accounts. Use the StartMonitoringMembers operation to restart monitoring for those accounts. With autoEnableOrganizationMembers configuration for your organization set to ALL, you'll receive an error if you attempt to stop monitoring the member accounts in your organization. /// - /// - Parameter StopMonitoringMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopMonitoringMembersInput`) /// - /// - Returns: `StopMonitoringMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopMonitoringMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5043,7 +4974,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopMonitoringMembersOutput.httpOutput(from:), StopMonitoringMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5075,9 +5005,9 @@ extension GuardDutyClient { /// /// Adds tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5113,7 +5043,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5145,9 +5074,9 @@ extension GuardDutyClient { /// /// Unarchives GuardDuty findings specified by the findingIds. /// - /// - Parameter UnarchiveFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnarchiveFindingsInput`) /// - /// - Returns: `UnarchiveFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnarchiveFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5182,7 +5111,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnarchiveFindingsOutput.httpOutput(from:), UnarchiveFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5214,9 +5142,9 @@ extension GuardDutyClient { /// /// Removes tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5250,7 +5178,6 @@ extension GuardDutyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5282,9 +5209,9 @@ extension GuardDutyClient { /// /// Updates the GuardDuty detector specified by the detector ID. Specifying both EKS Runtime Monitoring (EKS_RUNTIME_MONITORING) and Runtime Monitoring (RUNTIME_MONITORING) will cause an error. You can add only one of these two features because Runtime Monitoring already includes the threat detection for Amazon EKS resources. For more information, see [Runtime Monitoring](https://docs.aws.amazon.com/guardduty/latest/ug/runtime-monitoring.html). There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter UpdateDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDetectorInput`) /// - /// - Returns: `UpdateDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5319,7 +5246,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDetectorOutput.httpOutput(from:), UpdateDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5351,9 +5277,9 @@ extension GuardDutyClient { /// /// Updates the filter specified by the filter name. /// - /// - Parameter UpdateFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFilterInput`) /// - /// - Returns: `UpdateFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5388,7 +5314,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFilterOutput.httpOutput(from:), UpdateFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5420,9 +5345,9 @@ extension GuardDutyClient { /// /// Marks the specified GuardDuty findings as useful or not useful. /// - /// - Parameter UpdateFindingsFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFindingsFeedbackInput`) /// - /// - Returns: `UpdateFindingsFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFindingsFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5457,7 +5382,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFindingsFeedbackOutput.httpOutput(from:), UpdateFindingsFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5489,9 +5413,9 @@ extension GuardDutyClient { /// /// Updates the IPSet specified by the IPSet ID. /// - /// - Parameter UpdateIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIPSetInput`) /// - /// - Returns: `UpdateIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5527,7 +5451,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIPSetOutput.httpOutput(from:), UpdateIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5559,9 +5482,9 @@ extension GuardDutyClient { /// /// Updates an existing Malware Protection plan resource. /// - /// - Parameter UpdateMalwareProtectionPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMalwareProtectionPlanInput`) /// - /// - Returns: `UpdateMalwareProtectionPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMalwareProtectionPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5598,7 +5521,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMalwareProtectionPlanOutput.httpOutput(from:), UpdateMalwareProtectionPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5630,9 +5552,9 @@ extension GuardDutyClient { /// /// Updates the malware scan settings. There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter UpdateMalwareScanSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMalwareScanSettingsInput`) /// - /// - Returns: `UpdateMalwareScanSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMalwareScanSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5667,7 +5589,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMalwareScanSettingsOutput.httpOutput(from:), UpdateMalwareScanSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5699,9 +5620,9 @@ extension GuardDutyClient { /// /// Contains information on member accounts to be updated. Specifying both EKS Runtime Monitoring (EKS_RUNTIME_MONITORING) and Runtime Monitoring (RUNTIME_MONITORING) will cause an error. You can add only one of these two features because Runtime Monitoring already includes the threat detection for Amazon EKS resources. For more information, see [Runtime Monitoring](https://docs.aws.amazon.com/guardduty/latest/ug/runtime-monitoring.html). There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter UpdateMemberDetectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMemberDetectorsInput`) /// - /// - Returns: `UpdateMemberDetectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMemberDetectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5736,7 +5657,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMemberDetectorsOutput.httpOutput(from:), UpdateMemberDetectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5768,9 +5688,9 @@ extension GuardDutyClient { /// /// Configures the delegated administrator account with the provided values. You must provide a value for either autoEnableOrganizationMembers or autoEnable, but not both. Specifying both EKS Runtime Monitoring (EKS_RUNTIME_MONITORING) and Runtime Monitoring (RUNTIME_MONITORING) will cause an error. You can add only one of these two features because Runtime Monitoring already includes the threat detection for Amazon EKS resources. For more information, see [Runtime Monitoring](https://docs.aws.amazon.com/guardduty/latest/ug/runtime-monitoring.html). There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see [Regions and endpoints](https://docs.aws.amazon.com/guardduty/latest/ug/guardduty_regions.html). /// - /// - Parameter UpdateOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOrganizationConfigurationInput`) /// - /// - Returns: `UpdateOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5805,7 +5725,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOrganizationConfigurationOutput.httpOutput(from:), UpdateOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5837,9 +5756,9 @@ extension GuardDutyClient { /// /// Updates information about the publishing destination specified by the destinationId. /// - /// - Parameter UpdatePublishingDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePublishingDestinationInput`) /// - /// - Returns: `UpdatePublishingDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePublishingDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5874,7 +5793,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePublishingDestinationOutput.httpOutput(from:), UpdatePublishingDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5906,9 +5824,9 @@ extension GuardDutyClient { /// /// Updates the threat entity set associated with the specified threatEntitySetId. /// - /// - Parameter UpdateThreatEntitySetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThreatEntitySetInput`) /// - /// - Returns: `UpdateThreatEntitySetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThreatEntitySetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5943,7 +5861,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThreatEntitySetOutput.httpOutput(from:), UpdateThreatEntitySetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5975,9 +5892,9 @@ extension GuardDutyClient { /// /// Updates the ThreatIntelSet specified by the ThreatIntelSet ID. /// - /// - Parameter UpdateThreatIntelSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThreatIntelSetInput`) /// - /// - Returns: `UpdateThreatIntelSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThreatIntelSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6013,7 +5930,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThreatIntelSetOutput.httpOutput(from:), UpdateThreatIntelSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6045,9 +5961,9 @@ extension GuardDutyClient { /// /// Updates the trusted entity set associated with the specified trustedEntitySetId. /// - /// - Parameter UpdateTrustedEntitySetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrustedEntitySetInput`) /// - /// - Returns: `UpdateTrustedEntitySetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrustedEntitySetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6082,7 +5998,6 @@ extension GuardDutyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrustedEntitySetOutput.httpOutput(from:), UpdateTrustedEntitySetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSHealth/Sources/AWSHealth/HealthClient.swift b/Sources/Services/AWSHealth/Sources/AWSHealth/HealthClient.swift index f30f34d800d..98ff98c03b2 100644 --- a/Sources/Services/AWSHealth/Sources/AWSHealth/HealthClient.swift +++ b/Sources/Services/AWSHealth/Sources/AWSHealth/HealthClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class HealthClient: ClientRuntime.Client { public static let clientName = "HealthClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: HealthClient.HealthClientConfiguration let serviceName = "Health" @@ -373,9 +372,9 @@ extension HealthClient { /// /// Returns a list of accounts in the organization from Organizations that are affected by the provided event. For more information about the different types of Health events, see [Event](https://docs.aws.amazon.com/health/latest/APIReference/API_Event.html). Before you can call this operation, you must first enable Health to work with Organizations. To do this, call the [EnableHealthServiceAccessForOrganization](https://docs.aws.amazon.com/health/latest/APIReference/API_EnableHealthServiceAccessForOrganization.html) operation from your organization's management account. This API operation uses pagination. Specify the nextToken parameter in the next request to return more results. /// - /// - Parameter DescribeAffectedAccountsForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAffectedAccountsForOrganizationInput`) /// - /// - Returns: `DescribeAffectedAccountsForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAffectedAccountsForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -407,7 +406,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAffectedAccountsForOrganizationOutput.httpOutput(from:), DescribeAffectedAccountsForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension HealthClient { /// /// * This operation supports resource-level permissions. You can use this operation to allow or deny access to specific Health events. For more information, see [Resource- and action-based conditions](https://docs.aws.amazon.com/health/latest/ug/security_iam_id-based-policy-examples.html#resource-action-based-conditions) in the Health User Guide. /// - /// - Parameter DescribeAffectedEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAffectedEntitiesInput`) /// - /// - Returns: `DescribeAffectedEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAffectedEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAffectedEntitiesOutput.httpOutput(from:), DescribeAffectedEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension HealthClient { /// /// * This operation doesn't support resource-level permissions. You can't use this operation to allow or deny access to specific Health events. For more information, see [Resource- and action-based conditions](https://docs.aws.amazon.com/health/latest/ug/security_iam_id-based-policy-examples.html#resource-action-based-conditions) in the Health User Guide. /// - /// - Parameter DescribeAffectedEntitiesForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAffectedEntitiesForOrganizationInput`) /// - /// - Returns: `DescribeAffectedEntitiesForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAffectedEntitiesForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAffectedEntitiesForOrganizationOutput.httpOutput(from:), DescribeAffectedEntitiesForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension HealthClient { /// /// Returns the number of entities that are affected by each of the specified events. /// - /// - Parameter DescribeEntityAggregatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEntityAggregatesInput`) /// - /// - Returns: `DescribeEntityAggregatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEntityAggregatesOutput`) public func describeEntityAggregates(input: DescribeEntityAggregatesInput) async throws -> DescribeEntityAggregatesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -619,7 +615,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEntityAggregatesOutput.httpOutput(from:), DescribeEntityAggregatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -654,9 +649,9 @@ extension HealthClient { /// /// Returns a list of entity aggregates for your Organizations that are affected by each of the specified events. /// - /// - Parameter DescribeEntityAggregatesForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEntityAggregatesForOrganizationInput`) /// - /// - Returns: `DescribeEntityAggregatesForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEntityAggregatesForOrganizationOutput`) public func describeEntityAggregatesForOrganization(input: DescribeEntityAggregatesForOrganizationInput) async throws -> DescribeEntityAggregatesForOrganizationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -683,7 +678,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEntityAggregatesForOrganizationOutput.httpOutput(from:), DescribeEntityAggregatesForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -718,9 +712,9 @@ extension HealthClient { /// /// Returns the number of events of each event type (issue, scheduled change, and account notification). If no filter is specified, the counts of all events in each category are returned. This API operation uses pagination. Specify the nextToken parameter in the next request to return more results. /// - /// - Parameter DescribeEventAggregatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventAggregatesInput`) /// - /// - Returns: `DescribeEventAggregatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventAggregatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -752,7 +746,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventAggregatesOutput.httpOutput(from:), DescribeEventAggregatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -787,9 +780,9 @@ extension HealthClient { /// /// Returns detailed information about one or more specified events. Information includes standard event data (Amazon Web Services Region, service, and so on, as returned by [DescribeEvents](https://docs.aws.amazon.com/health/latest/APIReference/API_DescribeEvents.html)), a detailed event description, and possible additional metadata that depends upon the nature of the event. Affected entities are not included. To retrieve the entities, use the [DescribeAffectedEntities](https://docs.aws.amazon.com/health/latest/APIReference/API_DescribeAffectedEntities.html) operation. If a specified event can't be retrieved, an error message is returned for that event. This operation supports resource-level permissions. You can use this operation to allow or deny access to specific Health events. For more information, see [Resource- and action-based conditions](https://docs.aws.amazon.com/health/latest/ug/security_iam_id-based-policy-examples.html#resource-action-based-conditions) in the Health User Guide. /// - /// - Parameter DescribeEventDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventDetailsInput`) /// - /// - Returns: `DescribeEventDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -821,7 +814,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventDetailsOutput.httpOutput(from:), DescribeEventDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -863,9 +855,9 @@ extension HealthClient { /// /// For more information, see [Event](https://docs.aws.amazon.com/health/latest/APIReference/API_Event.html). This operation doesn't support resource-level permissions. You can't use this operation to allow or deny access to specific Health events. For more information, see [Resource- and action-based conditions](https://docs.aws.amazon.com/health/latest/ug/security_iam_id-based-policy-examples.html#resource-action-based-conditions) in the Health User Guide. /// - /// - Parameter DescribeEventDetailsForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventDetailsForOrganizationInput`) /// - /// - Returns: `DescribeEventDetailsForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventDetailsForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -897,7 +889,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventDetailsForOrganizationOutput.httpOutput(from:), DescribeEventDetailsForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +923,9 @@ extension HealthClient { /// /// Returns the event types that meet the specified filter criteria. You can use this API operation to find information about the Health event, such as the category, Amazon Web Services service, and event code. The metadata for each event appears in the [EventType](https://docs.aws.amazon.com/health/latest/APIReference/API_EventType.html) object. If you don't specify a filter criteria, the API operation returns all event types, in no particular order. This API operation uses pagination. Specify the nextToken parameter in the next request to return more results. /// - /// - Parameter DescribeEventTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventTypesInput`) /// - /// - Returns: `DescribeEventTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -967,7 +958,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventTypesOutput.httpOutput(from:), DescribeEventTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1006,9 +996,9 @@ extension HealthClient { /// /// * This API operation uses pagination. Specify the nextToken parameter in the next request to return more results. /// - /// - Parameter DescribeEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventsInput`) /// - /// - Returns: `DescribeEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1041,7 +1031,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsOutput.httpOutput(from:), DescribeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1085,9 +1074,9 @@ extension HealthClient { /// /// If you don't specify a filter, the DescribeEventsForOrganizations returns all events across your organization. Results are sorted by lastModifiedTime, starting with the most recent event. For more information about the different types of Health events, see [Event](https://docs.aws.amazon.com/health/latest/APIReference/API_Event.html). Before you can call this operation, you must first enable Health to work with Organizations. To do this, call the [EnableHealthServiceAccessForOrganization](https://docs.aws.amazon.com/health/latest/APIReference/API_EnableHealthServiceAccessForOrganization.html) operation from your organization's management account. This API operation uses pagination. Specify the nextToken parameter in the next request to return more results. /// - /// - Parameter DescribeEventsForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventsForOrganizationInput`) /// - /// - Returns: `DescribeEventsForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventsForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1120,7 +1109,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsForOrganizationOutput.httpOutput(from:), DescribeEventsForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1155,9 +1143,9 @@ extension HealthClient { /// /// This operation provides status information on enabling or disabling Health to work with your organization. To call this operation, you must use the organization's management account. /// - /// - Parameter DescribeHealthServiceStatusForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHealthServiceStatusForOrganizationInput`) /// - /// - Returns: `DescribeHealthServiceStatusForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHealthServiceStatusForOrganizationOutput`) public func describeHealthServiceStatusForOrganization(input: DescribeHealthServiceStatusForOrganizationInput) async throws -> DescribeHealthServiceStatusForOrganizationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1184,7 +1172,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHealthServiceStatusForOrganizationOutput.httpOutput(from:), DescribeHealthServiceStatusForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1219,9 +1206,9 @@ extension HealthClient { /// /// Disables Health from working with Organizations. To call this operation, you must sign in to the organization's management account. For more information, see [Aggregating Health events](https://docs.aws.amazon.com/health/latest/ug/aggregate-events.html) in the Health User Guide. This operation doesn't remove the service-linked role from the management account in your organization. You must use the IAM console, API, or Command Line Interface (CLI) to remove the service-linked role. For more information, see [Deleting a Service-Linked Role](https://docs.aws.amazon.com/IAM/latest/UserGuide/using-service-linked-roles.html#delete-service-linked-role) in the IAM User Guide. You can also disable the organizational feature by using the Organizations [DisableAWSServiceAccess](https://docs.aws.amazon.com/organizations/latest/APIReference/API_DisableAWSServiceAccess.html) API operation. After you call this operation, Health stops aggregating events for all other Amazon Web Services accounts in your organization. If you call the Health API operations for organizational view, Health returns an error. Health continues to aggregate health events for your Amazon Web Services account. /// - /// - Parameter DisableHealthServiceAccessForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableHealthServiceAccessForOrganizationInput`) /// - /// - Returns: `DisableHealthServiceAccessForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableHealthServiceAccessForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1253,7 +1240,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableHealthServiceAccessForOrganizationOutput.httpOutput(from:), DisableHealthServiceAccessForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1295,9 +1281,9 @@ extension HealthClient { /// /// If you don't have the required support plan, you can instead use the Health console to enable the organizational view feature. For more information, see [Aggregating Health events](https://docs.aws.amazon.com/health/latest/ug/aggregate-events.html) in the Health User Guide. /// - /// - Parameter EnableHealthServiceAccessForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableHealthServiceAccessForOrganizationInput`) /// - /// - Returns: `EnableHealthServiceAccessForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableHealthServiceAccessForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1329,7 +1315,6 @@ extension HealthClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableHealthServiceAccessForOrganizationOutput.httpOutput(from:), EnableHealthServiceAccessForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSHealthLake/Sources/AWSHealthLake/HealthLakeClient.swift b/Sources/Services/AWSHealthLake/Sources/AWSHealthLake/HealthLakeClient.swift index 9f4e734071d..5051ae3a7d7 100644 --- a/Sources/Services/AWSHealthLake/Sources/AWSHealthLake/HealthLakeClient.swift +++ b/Sources/Services/AWSHealthLake/Sources/AWSHealthLake/HealthLakeClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class HealthLakeClient: ClientRuntime.Client { public static let clientName = "HealthLakeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: HealthLakeClient.HealthLakeClientConfiguration let serviceName = "HealthLake" @@ -375,9 +374,9 @@ extension HealthLakeClient { /// /// Create a FHIR-enabled data store. /// - /// - Parameter CreateFHIRDatastoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFHIRDatastoreInput`) /// - /// - Returns: `CreateFHIRDatastoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFHIRDatastoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFHIRDatastoreOutput.httpOutput(from:), CreateFHIRDatastoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension HealthLakeClient { /// /// Delete a FHIR-enabled data store. /// - /// - Parameter DeleteFHIRDatastoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFHIRDatastoreInput`) /// - /// - Returns: `DeleteFHIRDatastoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFHIRDatastoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFHIRDatastoreOutput.httpOutput(from:), DeleteFHIRDatastoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension HealthLakeClient { /// /// Get properties for a FHIR-enabled data store. /// - /// - Parameter DescribeFHIRDatastoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFHIRDatastoreInput`) /// - /// - Returns: `DescribeFHIRDatastoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFHIRDatastoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFHIRDatastoreOutput.httpOutput(from:), DescribeFHIRDatastoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension HealthLakeClient { /// /// Get FHIR export job properties. /// - /// - Parameter DescribeFHIRExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFHIRExportJobInput`) /// - /// - Returns: `DescribeFHIRExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFHIRExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFHIRExportJobOutput.httpOutput(from:), DescribeFHIRExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension HealthLakeClient { /// /// Get the import job properties to learn more about the job or job progress. /// - /// - Parameter DescribeFHIRImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFHIRImportJobInput`) /// - /// - Returns: `DescribeFHIRImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFHIRImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFHIRImportJobOutput.httpOutput(from:), DescribeFHIRImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -738,9 +732,9 @@ extension HealthLakeClient { /// /// List all FHIR-enabled data stores in a user’s account, regardless of data store status. /// - /// - Parameter ListFHIRDatastoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFHIRDatastoresInput`) /// - /// - Returns: `ListFHIRDatastoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFHIRDatastoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFHIRDatastoresOutput.httpOutput(from:), ListFHIRDatastoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension HealthLakeClient { /// /// Lists all FHIR export jobs associated with an account and their statuses. /// - /// - Parameter ListFHIRExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFHIRExportJobsInput`) /// - /// - Returns: `ListFHIRExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFHIRExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFHIRExportJobsOutput.httpOutput(from:), ListFHIRExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -882,9 +874,9 @@ extension HealthLakeClient { /// /// List all FHIR import jobs associated with an account and their statuses. /// - /// - Parameter ListFHIRImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFHIRImportJobsInput`) /// - /// - Returns: `ListFHIRImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFHIRImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -920,7 +912,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFHIRImportJobsOutput.httpOutput(from:), ListFHIRImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -955,9 +946,9 @@ extension HealthLakeClient { /// /// Returns a list of all existing tags associated with a data store. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -990,7 +981,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1025,9 +1015,9 @@ extension HealthLakeClient { /// /// Start a FHIR export job. /// - /// - Parameter StartFHIRExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFHIRExportJobInput`) /// - /// - Returns: `StartFHIRExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFHIRExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1064,7 +1054,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFHIRExportJobOutput.httpOutput(from:), StartFHIRExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1099,9 +1088,9 @@ extension HealthLakeClient { /// /// Start importing bulk FHIR data into an ACTIVE data store. The import job imports FHIR data found in the InputDataConfig object and stores processing results in the JobOutputDataConfig object. /// - /// - Parameter StartFHIRImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFHIRImportJobInput`) /// - /// - Returns: `StartFHIRImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFHIRImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1138,7 +1127,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFHIRImportJobOutput.httpOutput(from:), StartFHIRImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1173,9 +1161,9 @@ extension HealthLakeClient { /// /// Add a user-specifed key and value tag to a data store. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1208,7 +1196,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1243,9 +1230,9 @@ extension HealthLakeClient { /// /// Remove a user-specifed key and value tag from a data store. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1278,7 +1265,6 @@ extension HealthLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIAM/Sources/AWSIAM/IAMClient.swift b/Sources/Services/AWSIAM/Sources/AWSIAM/IAMClient.swift index 44f24b00b33..accaba537b7 100644 --- a/Sources/Services/AWSIAM/Sources/AWSIAM/IAMClient.swift +++ b/Sources/Services/AWSIAM/Sources/AWSIAM/IAMClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IAMClient: ClientRuntime.Client { public static let clientName = "IAMClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IAMClient.IAMClientConfiguration let serviceName = "IAM" @@ -373,9 +372,9 @@ extension IAMClient { /// /// Adds a new client ID (also known as audience) to the list of client IDs already registered for the specified IAM OpenID Connect (OIDC) provider resource. This operation is idempotent; it does not fail or return an error if you add an existing client ID to the provider. /// - /// - Parameter AddClientIDToOpenIDConnectProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddClientIDToOpenIDConnectProviderInput`) /// - /// - Returns: `AddClientIDToOpenIDConnectProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddClientIDToOpenIDConnectProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddClientIDToOpenIDConnectProviderOutput.httpOutput(from:), AddClientIDToOpenIDConnectProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension IAMClient { /// /// Adds the specified IAM role to the specified instance profile. An instance profile can contain only one role, and this quota cannot be increased. You can remove the existing role and then add a different role to an instance profile. You must then wait for the change to appear across all of Amazon Web Services because of [eventual consistency](https://en.wikipedia.org/wiki/Eventual_consistency). To force the change, you must [disassociate the instance profile](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DisassociateIamInstanceProfile.html) and then [associate the instance profile](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_AssociateIamInstanceProfile.html), or you can stop your instance and then restart it. The caller of this operation must be granted the PassRole permission on the IAM role by a permissions policy. When using the [iam:AssociatedResourceArn](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_policies_iam-condition-keys.html#available-keys-for-iam) condition in a policy to restrict the [PassRole](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_passrole.html) IAM action, special considerations apply if the policy is intended to define access for the AddRoleToInstanceProfile action. In this case, you cannot specify a Region or instance ID in the EC2 instance ARN. The ARN value must be arn:aws:ec2:*:CallerAccountId:instance/*. Using any other ARN value may lead to unexpected evaluation results. For more information about roles, see [IAM roles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles.html) in the IAM User Guide. For more information about instance profiles, see [Using instance profiles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_switch-role-ec2_instance-profiles.html) in the IAM User Guide. /// - /// - Parameter AddRoleToInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddRoleToInstanceProfileInput`) /// - /// - Returns: `AddRoleToInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddRoleToInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -482,7 +480,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddRoleToInstanceProfileOutput.httpOutput(from:), AddRoleToInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension IAMClient { /// /// Adds the specified user to the specified group. /// - /// - Parameter AddUserToGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddUserToGroupInput`) /// - /// - Returns: `AddUserToGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddUserToGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -552,7 +549,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddUserToGroupOutput.httpOutput(from:), AddUserToGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension IAMClient { /// /// Attaches the specified managed policy to the specified IAM group. You use this operation to attach a managed policy to a group. To embed an inline policy in a group, use [PutGroupPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_PutGroupPolicy.html). As a best practice, you can validate your IAM policies. To learn more, see [Validating IAM policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_policy-validator.html) in the IAM User Guide. For more information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter AttachGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachGroupPolicyInput`) /// - /// - Returns: `AttachGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -624,7 +620,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachGroupPolicyOutput.httpOutput(from:), AttachGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension IAMClient { /// /// Attaches the specified managed policy to the specified IAM role. When you attach a managed policy to a role, the managed policy becomes part of the role's permission (access) policy. You cannot use a managed policy as the role's trust policy. The role's trust policy is created at the same time as the role, using [CreateRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateRole.html). You can update a role's trust policy using [UpdateAssumerolePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UpdateAssumeRolePolicy.html). Use this operation to attach a managed policy to a role. To embed an inline policy in a role, use [PutRolePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_PutRolePolicy.html). For more information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. As a best practice, you can validate your IAM policies. To learn more, see [Validating IAM policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_policy-validator.html) in the IAM User Guide. /// - /// - Parameter AttachRolePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachRolePolicyInput`) /// - /// - Returns: `AttachRolePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachRolePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -697,7 +692,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachRolePolicyOutput.httpOutput(from:), AttachRolePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +725,9 @@ extension IAMClient { /// /// Attaches the specified managed policy to the specified user. You use this operation to attach a managed policy to a user. To embed an inline policy in a user, use [PutUserPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_PutUserPolicy.html). As a best practice, you can validate your IAM policies. To learn more, see [Validating IAM policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_policy-validator.html) in the IAM User Guide. For more information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter AttachUserPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachUserPolicyInput`) /// - /// - Returns: `AttachUserPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachUserPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -769,7 +763,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachUserPolicyOutput.httpOutput(from:), AttachUserPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension IAMClient { /// /// Changes the password of the IAM user who is calling this operation. This operation can be performed using the CLI, the Amazon Web Services API, or the My Security Credentials page in the Amazon Web Services Management Console. The Amazon Web Services account root user password is not affected by this operation. Use [UpdateLoginProfile](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UpdateLoginProfile.html) to use the CLI, the Amazon Web Services API, or the Users page in the IAM console to change the password for any IAM user. For more information about modifying passwords, see [Managing passwords](https://docs.aws.amazon.com/IAM/latest/UserGuide/Using_ManagingLogins.html) in the IAM User Guide. /// - /// - Parameter ChangePasswordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ChangePasswordInput`) /// - /// - Returns: `ChangePasswordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ChangePasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChangePasswordOutput.httpOutput(from:), ChangePasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -876,9 +868,9 @@ extension IAMClient { /// /// Creates a new Amazon Web Services secret access key and corresponding Amazon Web Services access key ID for the specified user. The default status for new keys is Active. If you do not specify a user name, IAM determines the user name implicitly based on the Amazon Web Services access key ID signing the request. This operation works for access keys under the Amazon Web Services account. Consequently, you can use this operation to manage Amazon Web Services account root user credentials. This is true even if the Amazon Web Services account has no associated users. For information about quotas on the number of keys you can create, see [IAM and STS quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. To ensure the security of your Amazon Web Services account, the secret access key is accessible only during key and user creation. You must save the key (for example, in a text file) if you want to be able to access it again. If a secret key is lost, you can delete the access keys for the associated user and then create new keys. /// - /// - Parameter CreateAccessKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessKeyInput`) /// - /// - Returns: `CreateAccessKeyOutput` : Contains the response to a successful [CreateAccessKey](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateAccessKey.html) request. + /// - Returns: Contains the response to a successful [CreateAccessKey](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateAccessKey.html) request. (Type: `CreateAccessKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -912,7 +904,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessKeyOutput.httpOutput(from:), CreateAccessKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +937,9 @@ extension IAMClient { /// /// Creates an alias for your Amazon Web Services account. For information about using an Amazon Web Services account alias, see [Creating, deleting, and listing an Amazon Web Services account alias](https://docs.aws.amazon.com/signin/latest/userguide/CreateAccountAlias.html) in the Amazon Web Services Sign-In User Guide. /// - /// - Parameter CreateAccountAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccountAliasInput`) /// - /// - Returns: `CreateAccountAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccountAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -983,7 +974,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccountAliasOutput.httpOutput(from:), CreateAccountAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1017,9 +1007,9 @@ extension IAMClient { /// /// Creates a new group. For information about the number of groups you can create, see [IAM and STS quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. /// - /// - Parameter CreateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupInput`) /// - /// - Returns: `CreateGroupOutput` : Contains the response to a successful [CreateGroup](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateGroup.html) request. + /// - Returns: Contains the response to a successful [CreateGroup](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateGroup.html) request. (Type: `CreateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupOutput.httpOutput(from:), CreateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1088,9 +1077,9 @@ extension IAMClient { /// /// Creates a new instance profile. For information about instance profiles, see [Using roles for applications on Amazon EC2](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_switch-role-ec2.html) in the IAM User Guide, and [Instance profiles](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/iam-roles-for-amazon-ec2.html#ec2-instance-profile) in the Amazon EC2 User Guide. For information about the number of instance profiles you can create, see [IAM object quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. /// - /// - Parameter CreateInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstanceProfileInput`) /// - /// - Returns: `CreateInstanceProfileOutput` : Contains the response to a successful [CreateInstanceProfile](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateInstanceProfile.html) request. + /// - Returns: Contains the response to a successful [CreateInstanceProfile](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateInstanceProfile.html) request. (Type: `CreateInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1126,7 +1115,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceProfileOutput.httpOutput(from:), CreateInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1160,9 +1148,9 @@ extension IAMClient { /// /// Creates a password for the specified IAM user. A password allows an IAM user to access Amazon Web Services services through the Amazon Web Services Management Console. You can use the CLI, the Amazon Web Services API, or the Users page in the IAM console to create a password for any IAM user. Use [ChangePassword](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ChangePassword.html) to update your own existing password in the My Security Credentials page in the Amazon Web Services Management Console. For more information about managing passwords, see [Managing passwords](https://docs.aws.amazon.com/IAM/latest/UserGuide/Using_ManagingLogins.html) in the IAM User Guide. /// - /// - Parameter CreateLoginProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLoginProfileInput`) /// - /// - Returns: `CreateLoginProfileOutput` : Contains the response to a successful [CreateLoginProfile](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateLoginProfile.html) request. + /// - Returns: Contains the response to a successful [CreateLoginProfile](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateLoginProfile.html) request. (Type: `CreateLoginProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1198,7 +1186,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoginProfileOutput.httpOutput(from:), CreateLoginProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1243,9 +1230,9 @@ extension IAMClient { /// /// You get all of this information from the OIDC IdP you want to use to access Amazon Web Services. Amazon Web Services secures communication with OIDC identity providers (IdPs) using our library of trusted root certificate authorities (CAs) to verify the JSON Web Key Set (JWKS) endpoint's TLS certificate. If your OIDC IdP relies on a certificate that is not signed by one of these trusted CAs, only then we secure communication using the thumbprints set in the IdP's configuration. The trust for the OIDC provider is derived from the IAM provider that this operation creates. Therefore, it is best to limit access to the [CreateOpenIDConnectProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateOpenIDConnectProvider.html) operation to highly privileged users. /// - /// - Parameter CreateOpenIDConnectProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOpenIDConnectProviderInput`) /// - /// - Returns: `CreateOpenIDConnectProviderOutput` : Contains the response to a successful [CreateOpenIDConnectProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateOpenIDConnectProvider.html) request. + /// - Returns: Contains the response to a successful [CreateOpenIDConnectProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateOpenIDConnectProvider.html) request. (Type: `CreateOpenIDConnectProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1282,7 +1269,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOpenIDConnectProviderOutput.httpOutput(from:), CreateOpenIDConnectProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1316,9 +1302,9 @@ extension IAMClient { /// /// Creates a new managed policy for your Amazon Web Services account. This operation creates a policy version with a version identifier of v1 and sets v1 as the policy's default version. For more information about policy versions, see [Versioning for managed policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-versions.html) in the IAM User Guide. As a best practice, you can validate your IAM policies. To learn more, see [Validating IAM policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_policy-validator.html) in the IAM User Guide. For more information about managed policies in general, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter CreatePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePolicyInput`) /// - /// - Returns: `CreatePolicyOutput` : Contains the response to a successful [CreatePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreatePolicy.html) request. + /// - Returns: Contains the response to a successful [CreatePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreatePolicy.html) request. (Type: `CreatePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1355,7 +1341,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePolicyOutput.httpOutput(from:), CreatePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1389,9 +1374,9 @@ extension IAMClient { /// /// Creates a new version of the specified managed policy. To update a managed policy, you create a new policy version. A managed policy can have up to five versions. If the policy has five versions, you must delete an existing version using [DeletePolicyVersion](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DeletePolicyVersion.html) before you create a new version. Optionally, you can set the new version as the policy's default version. The default version is the version that is in effect for the IAM users, groups, and roles to which the policy is attached. For more information about managed policy versions, see [Versioning for managed policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-versions.html) in the IAM User Guide. /// - /// - Parameter CreatePolicyVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePolicyVersionInput`) /// - /// - Returns: `CreatePolicyVersionOutput` : Contains the response to a successful [CreatePolicyVersion](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreatePolicyVersion.html) request. + /// - Returns: Contains the response to a successful [CreatePolicyVersion](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreatePolicyVersion.html) request. (Type: `CreatePolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1427,7 +1412,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePolicyVersionOutput.httpOutput(from:), CreatePolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1461,9 +1445,9 @@ extension IAMClient { /// /// Creates a new role for your Amazon Web Services account. For more information about roles, see [IAM roles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles.html) in the IAM User Guide. For information about quotas for role names and the number of roles you can create, see [IAM and STS quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. /// - /// - Parameter CreateRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRoleInput`) /// - /// - Returns: `CreateRoleOutput` : Contains the response to a successful [CreateRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateRole.html) request. + /// - Returns: Contains the response to a successful [CreateRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateRole.html) request. (Type: `CreateRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1500,7 +1484,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRoleOutput.httpOutput(from:), CreateRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1534,9 +1517,9 @@ extension IAMClient { /// /// Creates an IAM resource that describes an identity provider (IdP) that supports SAML 2.0. The SAML provider resource that you create with this operation can be used as a principal in an IAM role's trust policy. Such a policy can enable federated users who sign in using the SAML IdP to assume the role. You can create an IAM role that supports Web-based single sign-on (SSO) to the Amazon Web Services Management Console or one that supports API access to Amazon Web Services. When you create the SAML provider resource, you upload a SAML metadata document that you get from your IdP. That document includes the issuer's name, expiration information, and keys that can be used to validate the SAML authentication response (assertions) that the IdP sends. You must generate the metadata document using the identity management software that is used as your organization's IdP. This operation requires [Signature Version 4](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). For more information, see [Enabling SAML 2.0 federated users to access the Amazon Web Services Management Console](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_enable-console-saml.html) and [About SAML 2.0-based federation](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_saml.html) in the IAM User Guide. /// - /// - Parameter CreateSAMLProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSAMLProviderInput`) /// - /// - Returns: `CreateSAMLProviderOutput` : Contains the response to a successful [CreateSAMLProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateSAMLProvider.html) request. + /// - Returns: Contains the response to a successful [CreateSAMLProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateSAMLProvider.html) request. (Type: `CreateSAMLProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1572,7 +1555,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSAMLProviderOutput.httpOutput(from:), CreateSAMLProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1606,9 +1588,9 @@ extension IAMClient { /// /// Creates an IAM role that is linked to a specific Amazon Web Services service. The service controls the attached policies and when the role can be deleted. This helps ensure that the service is not broken by an unexpectedly changed or deleted role, which could put your Amazon Web Services resources into an unknown state. Allowing the service to control the role helps improve service stability and proper cleanup when a service and its role are no longer needed. For more information, see [Using service-linked roles](https://docs.aws.amazon.com/IAM/latest/UserGuide/using-service-linked-roles.html) in the IAM User Guide. To attach a policy to this service-linked role, you must make the request using the Amazon Web Services service that depends on this role. /// - /// - Parameter CreateServiceLinkedRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceLinkedRoleInput`) /// - /// - Returns: `CreateServiceLinkedRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceLinkedRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1643,7 +1625,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceLinkedRoleOutput.httpOutput(from:), CreateServiceLinkedRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1677,9 +1658,9 @@ extension IAMClient { /// /// Generates a set of credentials consisting of a user name and password that can be used to access the service specified in the request. These credentials are generated by IAM, and can be used only for the specified service. You can have a maximum of two sets of service-specific credentials for each supported service per user. You can create service-specific credentials for Amazon Bedrock, CodeCommit and Amazon Keyspaces (for Apache Cassandra). You can reset the password to a new service-generated value by calling [ResetServiceSpecificCredential](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ResetServiceSpecificCredential.html). For more information about service-specific credentials, see [Service-specific credentials for IAM users](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_bedrock.html) in the IAM User Guide. /// - /// - Parameter CreateServiceSpecificCredentialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceSpecificCredentialInput`) /// - /// - Returns: `CreateServiceSpecificCredentialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceSpecificCredentialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1713,7 +1694,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceSpecificCredentialOutput.httpOutput(from:), CreateServiceSpecificCredentialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1747,9 +1727,9 @@ extension IAMClient { /// /// Creates a new IAM user for your Amazon Web Services account. For information about quotas for the number of IAM users you can create, see [IAM and STS quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : Contains the response to a successful [CreateUser](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateUser.html) request. + /// - Returns: Contains the response to a successful [CreateUser](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateUser.html) request. (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1786,7 +1766,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1820,9 +1799,9 @@ extension IAMClient { /// /// Creates a new virtual MFA device for the Amazon Web Services account. After creating the virtual MFA, use [EnableMFADevice](https://docs.aws.amazon.com/IAM/latest/APIReference/API_EnableMFADevice.html) to attach the MFA device to an IAM user. For more information about creating and working with virtual MFA devices, see [Using a virtual MFA device](https://docs.aws.amazon.com/IAM/latest/UserGuide/Using_VirtualMFA.html) in the IAM User Guide. For information about the maximum number of MFA devices you can create, see [IAM and STS quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. The seed information contained in the QR code and the Base32 string should be treated like any other secret access information. In other words, protect the seed information as you would your Amazon Web Services access keys or your passwords. After you provision your virtual device, you should ensure that the information is destroyed following secure procedures. /// - /// - Parameter CreateVirtualMFADeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVirtualMFADeviceInput`) /// - /// - Returns: `CreateVirtualMFADeviceOutput` : Contains the response to a successful [CreateVirtualMFADevice](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateVirtualMFADevice.html) request. + /// - Returns: Contains the response to a successful [CreateVirtualMFADevice](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateVirtualMFADevice.html) request. (Type: `CreateVirtualMFADeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1858,7 +1837,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVirtualMFADeviceOutput.httpOutput(from:), CreateVirtualMFADeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1892,9 +1870,9 @@ extension IAMClient { /// /// Deactivates the specified MFA device and removes it from association with the user name for which it was originally enabled. For more information about creating and working with virtual MFA devices, see [Enabling a virtual multi-factor authentication (MFA) device](https://docs.aws.amazon.com/IAM/latest/UserGuide/Using_VirtualMFA.html) in the IAM User Guide. /// - /// - Parameter DeactivateMFADeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateMFADeviceInput`) /// - /// - Returns: `DeactivateMFADeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateMFADeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1930,7 +1908,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateMFADeviceOutput.httpOutput(from:), DeactivateMFADeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1964,9 +1941,9 @@ extension IAMClient { /// /// Deletes the access key pair associated with the specified IAM user. If you do not specify a user name, IAM determines the user name implicitly based on the Amazon Web Services access key ID signing the request. This operation works for access keys under the Amazon Web Services account. Consequently, you can use this operation to manage Amazon Web Services account root user credentials even if the Amazon Web Services account has no associated users. /// - /// - Parameter DeleteAccessKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessKeyInput`) /// - /// - Returns: `DeleteAccessKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2000,7 +1977,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessKeyOutput.httpOutput(from:), DeleteAccessKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2034,9 +2010,9 @@ extension IAMClient { /// /// Deletes the specified Amazon Web Services account alias. For information about using an Amazon Web Services account alias, see [Creating, deleting, and listing an Amazon Web Services account alias](https://docs.aws.amazon.com/signin/latest/userguide/CreateAccountAlias.html) in the Amazon Web Services Sign-In User Guide. /// - /// - Parameter DeleteAccountAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountAliasInput`) /// - /// - Returns: `DeleteAccountAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2071,7 +2047,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountAliasOutput.httpOutput(from:), DeleteAccountAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2105,9 +2080,9 @@ extension IAMClient { /// /// Deletes the password policy for the Amazon Web Services account. There are no parameters. /// - /// - Parameter DeleteAccountPasswordPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountPasswordPolicyInput`) /// - /// - Returns: `DeleteAccountPasswordPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountPasswordPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2141,7 +2116,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountPasswordPolicyOutput.httpOutput(from:), DeleteAccountPasswordPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2175,9 +2149,9 @@ extension IAMClient { /// /// Deletes the specified IAM group. The group must not contain any users or have any attached policies. /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2212,7 +2186,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2246,9 +2219,9 @@ extension IAMClient { /// /// Deletes the specified inline policy that is embedded in the specified IAM group. A group can also have managed policies attached to it. To detach a managed policy from a group, use [DetachGroupPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DetachGroupPolicy.html). For more information about policies, refer to [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter DeleteGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupPolicyInput`) /// - /// - Returns: `DeleteGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2282,7 +2255,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupPolicyOutput.httpOutput(from:), DeleteGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2316,9 +2288,9 @@ extension IAMClient { /// /// Deletes the specified instance profile. The instance profile must not have an associated role. Make sure that you do not have any Amazon EC2 instances running with the instance profile you are about to delete. Deleting a role or instance profile that is associated with a running instance will break any applications running on the instance. For more information about instance profiles, see [Using instance profiles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_switch-role-ec2_instance-profiles.html) in the IAM User Guide. /// - /// - Parameter DeleteInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInstanceProfileInput`) /// - /// - Returns: `DeleteInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2353,7 +2325,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceProfileOutput.httpOutput(from:), DeleteInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2387,9 +2358,9 @@ extension IAMClient { /// /// Deletes the password for the specified IAM user or root user, For more information, see [Managing passwords for IAM users](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_passwords_admin-change-user.html). You can use the CLI, the Amazon Web Services API, or the Users page in the IAM console to delete a password for any IAM user. You can use [ChangePassword](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ChangePassword.html) to update, but not delete, your own password in the My Security Credentials page in the Amazon Web Services Management Console. Deleting a user's password does not prevent a user from accessing Amazon Web Services through the command line interface or the API. To prevent all user access, you must also either make any access keys inactive or delete them. For more information about making keys inactive or deleting them, see [UpdateAccessKey](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UpdateAccessKey.html) and [DeleteAccessKey](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DeleteAccessKey.html). /// - /// - Parameter DeleteLoginProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLoginProfileInput`) /// - /// - Returns: `DeleteLoginProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLoginProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2424,7 +2395,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoginProfileOutput.httpOutput(from:), DeleteLoginProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2458,9 +2428,9 @@ extension IAMClient { /// /// Deletes an OpenID Connect identity provider (IdP) resource object in IAM. Deleting an IAM OIDC provider resource does not update any roles that reference the provider as a principal in their trust policies. Any attempt to assume a role that references a deleted provider fails. This operation is idempotent; it does not fail or return an error if you call the operation for a provider that does not exist. /// - /// - Parameter DeleteOpenIDConnectProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOpenIDConnectProviderInput`) /// - /// - Returns: `DeleteOpenIDConnectProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOpenIDConnectProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2494,7 +2464,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOpenIDConnectProviderOutput.httpOutput(from:), DeleteOpenIDConnectProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2537,9 +2506,9 @@ extension IAMClient { /// /// For information about managed policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter DeletePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyInput`) /// - /// - Returns: `DeletePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2575,7 +2544,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyOutput.httpOutput(from:), DeletePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2609,9 +2577,9 @@ extension IAMClient { /// /// Deletes the specified version from the specified managed policy. You cannot delete the default version from a policy using this operation. To delete the default version from a policy, use [DeletePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DeletePolicy.html). To find out which version of a policy is marked as the default version, use [ListPolicyVersions](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListPolicyVersions.html). For information about versions for managed policies, see [Versioning for managed policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-versions.html) in the IAM User Guide. /// - /// - Parameter DeletePolicyVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyVersionInput`) /// - /// - Returns: `DeletePolicyVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2647,7 +2615,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyVersionOutput.httpOutput(from:), DeletePolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2692,9 +2659,9 @@ extension IAMClient { /// /// Make sure that you do not have any Amazon EC2 instances running with the role you are about to delete. Deleting a role or instance profile that is associated with a running instance will break any applications running on the instance. /// - /// - Parameter DeleteRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRoleInput`) /// - /// - Returns: `DeleteRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2731,7 +2698,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRoleOutput.httpOutput(from:), DeleteRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2765,9 +2731,9 @@ extension IAMClient { /// /// Deletes the permissions boundary for the specified IAM role. You cannot set the boundary for a service-linked role. Deleting the permissions boundary for a role might increase its permissions. For example, it might allow anyone who assumes the role to perform all the actions granted in its permissions policies. /// - /// - Parameter DeleteRolePermissionsBoundaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRolePermissionsBoundaryInput`) /// - /// - Returns: `DeleteRolePermissionsBoundaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRolePermissionsBoundaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2801,7 +2767,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRolePermissionsBoundaryOutput.httpOutput(from:), DeleteRolePermissionsBoundaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2835,9 +2800,9 @@ extension IAMClient { /// /// Deletes the specified inline policy that is embedded in the specified IAM role. A role can also have managed policies attached to it. To detach a managed policy from a role, use [DetachRolePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DetachRolePolicy.html). For more information about policies, refer to [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter DeleteRolePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRolePolicyInput`) /// - /// - Returns: `DeleteRolePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRolePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2872,7 +2837,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRolePolicyOutput.httpOutput(from:), DeleteRolePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2906,9 +2870,9 @@ extension IAMClient { /// /// Deletes a SAML provider resource in IAM. Deleting the provider resource from IAM does not update any roles that reference the SAML provider resource's ARN as a principal in their trust policies. Any attempt to assume a role that references a non-existent provider resource ARN fails. This operation requires [Signature Version 4](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter DeleteSAMLProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSAMLProviderInput`) /// - /// - Returns: `DeleteSAMLProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSAMLProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2943,7 +2907,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSAMLProviderOutput.httpOutput(from:), DeleteSAMLProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2977,9 +2940,9 @@ extension IAMClient { /// /// Deletes the specified SSH public key. The SSH public key deleted by this operation is used only for authenticating the associated IAM user to an CodeCommit repository. For more information about using SSH keys to authenticate to an CodeCommit repository, see [Set up CodeCommit for SSH connections](https://docs.aws.amazon.com/codecommit/latest/userguide/setting-up-credentials-ssh.html) in the CodeCommit User Guide. /// - /// - Parameter DeleteSSHPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSSHPublicKeyInput`) /// - /// - Returns: `DeleteSSHPublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSSHPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3011,7 +2974,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSSHPublicKeyOutput.httpOutput(from:), DeleteSSHPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3045,9 +3007,9 @@ extension IAMClient { /// /// Deletes the specified server certificate. For more information about working with server certificates, see [Working with server certificates](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_server-certs.html) in the IAM User Guide. This topic also includes a list of Amazon Web Services services that can use the server certificates that you manage with IAM. If you are using a server certificate with Elastic Load Balancing, deleting the certificate could have implications for your application. If Elastic Load Balancing doesn't detect the deletion of bound certificates, it may continue to use the certificates. This could cause Elastic Load Balancing to stop accepting traffic. We recommend that you remove the reference to the certificate from Elastic Load Balancing before using this command to delete the certificate. For more information, see [DeleteLoadBalancerListeners](https://docs.aws.amazon.com/ElasticLoadBalancing/latest/APIReference/API_DeleteLoadBalancerListeners.html) in the Elastic Load Balancing API Reference. /// - /// - Parameter DeleteServerCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServerCertificateInput`) /// - /// - Returns: `DeleteServerCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServerCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3082,7 +3044,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServerCertificateOutput.httpOutput(from:), DeleteServerCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3116,9 +3077,9 @@ extension IAMClient { /// /// Submits a service-linked role deletion request and returns a DeletionTaskId, which you can use to check the status of the deletion. Before you call this operation, confirm that the role has no active sessions and that any resources used by the role in the linked service are deleted. If you call this operation more than once for the same service-linked role and an earlier deletion task is not complete, then the DeletionTaskId of the earlier request is returned. If you submit a deletion request for a service-linked role whose linked service is still accessing a resource, then the deletion task fails. If it fails, the [GetServiceLinkedRoleDeletionStatus](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetServiceLinkedRoleDeletionStatus.html) operation returns the reason for the failure, usually including the resources that must be deleted. To delete the service-linked role, you must first remove those resources from the linked service and then submit the deletion request again. Resources are specific to the service that is linked to the role. For more information about removing resources from a service, see the [Amazon Web Services documentation](http://docs.aws.amazon.com/) for your service. For more information about service-linked roles, see [Roles terms and concepts: Amazon Web Services service-linked role](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_terms-and-concepts.html#iam-term-service-linked-role) in the IAM User Guide. /// - /// - Parameter DeleteServiceLinkedRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceLinkedRoleInput`) /// - /// - Returns: `DeleteServiceLinkedRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceLinkedRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3152,7 +3113,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceLinkedRoleOutput.httpOutput(from:), DeleteServiceLinkedRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3186,9 +3146,9 @@ extension IAMClient { /// /// Deletes the specified service-specific credential. /// - /// - Parameter DeleteServiceSpecificCredentialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceSpecificCredentialInput`) /// - /// - Returns: `DeleteServiceSpecificCredentialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceSpecificCredentialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3220,7 +3180,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceSpecificCredentialOutput.httpOutput(from:), DeleteServiceSpecificCredentialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3254,9 +3213,9 @@ extension IAMClient { /// /// Deletes a signing certificate associated with the specified IAM user. If you do not specify a user name, IAM determines the user name implicitly based on the Amazon Web Services access key ID signing the request. This operation works for access keys under the Amazon Web Services account. Consequently, you can use this operation to manage Amazon Web Services account root user credentials even if the Amazon Web Services account has no associated IAM users. /// - /// - Parameter DeleteSigningCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSigningCertificateInput`) /// - /// - Returns: `DeleteSigningCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSigningCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3291,7 +3250,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSigningCertificateOutput.httpOutput(from:), DeleteSigningCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3343,9 +3301,9 @@ extension IAMClient { /// /// * Group memberships ([RemoveUserFromGroup](https://docs.aws.amazon.com/IAM/latest/APIReference/API_RemoveUserFromGroup.html)) /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3381,7 +3339,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3415,9 +3372,9 @@ extension IAMClient { /// /// Deletes the permissions boundary for the specified IAM user. Deleting the permissions boundary for a user might increase its permissions by allowing the user to perform all the actions granted in its permissions policies. /// - /// - Parameter DeleteUserPermissionsBoundaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserPermissionsBoundaryInput`) /// - /// - Returns: `DeleteUserPermissionsBoundaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserPermissionsBoundaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3450,7 +3407,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserPermissionsBoundaryOutput.httpOutput(from:), DeleteUserPermissionsBoundaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3484,9 +3440,9 @@ extension IAMClient { /// /// Deletes the specified inline policy that is embedded in the specified IAM user. A user can also have managed policies attached to it. To detach a managed policy from a user, use [DetachUserPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DetachUserPolicy.html). For more information about policies, refer to [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter DeleteUserPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserPolicyInput`) /// - /// - Returns: `DeleteUserPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3520,7 +3476,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserPolicyOutput.httpOutput(from:), DeleteUserPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3554,9 +3509,9 @@ extension IAMClient { /// /// Deletes a virtual MFA device. You must deactivate a user's virtual MFA device before you can delete it. For information about deactivating MFA devices, see [DeactivateMFADevice](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DeactivateMFADevice.html). /// - /// - Parameter DeleteVirtualMFADeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVirtualMFADeviceInput`) /// - /// - Returns: `DeleteVirtualMFADeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVirtualMFADeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3592,7 +3547,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVirtualMFADeviceOutput.httpOutput(from:), DeleteVirtualMFADeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3626,9 +3580,9 @@ extension IAMClient { /// /// Removes the specified managed policy from the specified IAM group. A group can also have inline policies embedded with it. To delete an inline policy, use [DeleteGroupPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DeleteGroupPolicy.html). For information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter DetachGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachGroupPolicyInput`) /// - /// - Returns: `DetachGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3663,7 +3617,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachGroupPolicyOutput.httpOutput(from:), DetachGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3697,9 +3650,9 @@ extension IAMClient { /// /// Removes the specified managed policy from the specified role. A role can also have inline policies embedded with it. To delete an inline policy, use [DeleteRolePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DeleteRolePolicy.html). For information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter DetachRolePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachRolePolicyInput`) /// - /// - Returns: `DetachRolePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachRolePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3735,7 +3688,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachRolePolicyOutput.httpOutput(from:), DetachRolePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3769,9 +3721,9 @@ extension IAMClient { /// /// Removes the specified managed policy from the specified user. A user can also have inline policies embedded with it. To delete an inline policy, use [DeleteUserPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DeleteUserPolicy.html). For information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter DetachUserPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachUserPolicyInput`) /// - /// - Returns: `DetachUserPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachUserPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3806,7 +3758,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachUserPolicyOutput.httpOutput(from:), DetachUserPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3840,9 +3791,9 @@ extension IAMClient { /// /// Disables the management of privileged root user credentials across member accounts in your organization. When you disable this feature, the management account and the delegated administrator for IAM can no longer manage root user credentials for member accounts in your organization. /// - /// - Parameter DisableOrganizationsRootCredentialsManagementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableOrganizationsRootCredentialsManagementInput`) /// - /// - Returns: `DisableOrganizationsRootCredentialsManagementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableOrganizationsRootCredentialsManagementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3877,7 +3828,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableOrganizationsRootCredentialsManagementOutput.httpOutput(from:), DisableOrganizationsRootCredentialsManagementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3911,9 +3861,9 @@ extension IAMClient { /// /// Disables root user sessions for privileged tasks across member accounts in your organization. When you disable this feature, the management account and the delegated administrator for IAM can no longer perform privileged tasks on member accounts in your organization. /// - /// - Parameter DisableOrganizationsRootSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableOrganizationsRootSessionsInput`) /// - /// - Returns: `DisableOrganizationsRootSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableOrganizationsRootSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3948,7 +3898,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableOrganizationsRootSessionsOutput.httpOutput(from:), DisableOrganizationsRootSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3982,9 +3931,9 @@ extension IAMClient { /// /// Enables the specified MFA device and associates it with the specified IAM user. When enabled, the MFA device is required for every subsequent login by the IAM user associated with the device. /// - /// - Parameter EnableMFADeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableMFADeviceInput`) /// - /// - Returns: `EnableMFADeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableMFADeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4022,7 +3971,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableMFADeviceOutput.httpOutput(from:), EnableMFADeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4060,9 +4008,9 @@ extension IAMClient { /// /// * Enable trusted access for Identity and Access Management in Organizations. For details, see [IAM and Organizations](https://docs.aws.amazon.com/organizations/latest/userguide/services-that-can-integrate-iam.html) in the Organizations User Guide. /// - /// - Parameter EnableOrganizationsRootCredentialsManagementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableOrganizationsRootCredentialsManagementInput`) /// - /// - Returns: `EnableOrganizationsRootCredentialsManagementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableOrganizationsRootCredentialsManagementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4098,7 +4046,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableOrganizationsRootCredentialsManagementOutput.httpOutput(from:), EnableOrganizationsRootCredentialsManagementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4136,9 +4083,9 @@ extension IAMClient { /// /// * Enable trusted access for Identity and Access Management in Organizations. For details, see [IAM and Organizations](https://docs.aws.amazon.com/organizations/latest/userguide/services-that-can-integrate-ra.html) in the Organizations User Guide. /// - /// - Parameter EnableOrganizationsRootSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableOrganizationsRootSessionsInput`) /// - /// - Returns: `EnableOrganizationsRootSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableOrganizationsRootSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4174,7 +4121,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableOrganizationsRootSessionsOutput.httpOutput(from:), EnableOrganizationsRootSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4208,9 +4154,9 @@ extension IAMClient { /// /// Generates a credential report for the Amazon Web Services account. For more information about the credential report, see [Getting credential reports](https://docs.aws.amazon.com/IAM/latest/UserGuide/credential-reports.html) in the IAM User Guide. /// - /// - Parameter GenerateCredentialReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateCredentialReportInput`) /// - /// - Returns: `GenerateCredentialReportOutput` : Contains the response to a successful [GenerateCredentialReport](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GenerateCredentialReport.html) request. + /// - Returns: Contains the response to a successful [GenerateCredentialReport](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GenerateCredentialReport.html) request. (Type: `GenerateCredentialReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4243,7 +4189,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateCredentialReportOutput.httpOutput(from:), GenerateCredentialReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4299,9 +4244,9 @@ extension IAMClient { /// /// Service last accessed data does not use other policy types when determining whether a principal could access a service. These other policy types include identity-based policies, resource-based policies, access control lists, IAM permissions boundaries, and STS assume role policies. It only applies SCP logic. For more about the evaluation of policy types, see [Evaluating policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_policies_evaluation-logic.html#policy-eval-basics) in the IAM User Guide. For more information about service last accessed data, see [Reducing policy scope by viewing user activity](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_access-advisor.html) in the IAM User Guide. /// - /// - Parameter GenerateOrganizationsAccessReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateOrganizationsAccessReportInput`) /// - /// - Returns: `GenerateOrganizationsAccessReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateOrganizationsAccessReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4333,7 +4278,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateOrganizationsAccessReportOutput.httpOutput(from:), GenerateOrganizationsAccessReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4374,9 +4318,9 @@ extension IAMClient { /// /// To check the status of the GenerateServiceLastAccessedDetails request, use the JobId parameter in the same operations and test the JobStatus response parameter. For additional information about the permissions policies that allow an identity (user, group, or role) to access specific services, use the [ListPoliciesGrantingServiceAccess](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListPoliciesGrantingServiceAccess.html) operation. Service last accessed data does not use other policy types when determining whether a resource could access a service. These other policy types include resource-based policies, access control lists, Organizations policies, IAM permissions boundaries, and STS assume role policies. It only applies permissions policy logic. For more about the evaluation of policy types, see [Evaluating policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_policies_evaluation-logic.html#policy-eval-basics) in the IAM User Guide. For more information about service and action last accessed data, see [Reducing permissions using service last accessed data](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_access-advisor.html) in the IAM User Guide. /// - /// - Parameter GenerateServiceLastAccessedDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateServiceLastAccessedDetailsInput`) /// - /// - Returns: `GenerateServiceLastAccessedDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateServiceLastAccessedDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4409,7 +4353,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateServiceLastAccessedDetailsOutput.httpOutput(from:), GenerateServiceLastAccessedDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4443,9 +4386,9 @@ extension IAMClient { /// /// Retrieves information about when the specified access key was last used. The information includes the date and time of last use, along with the Amazon Web Services service and Region that were specified in the last request made with that key. /// - /// - Parameter GetAccessKeyLastUsedInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessKeyLastUsedInput`) /// - /// - Returns: `GetAccessKeyLastUsedOutput` : Contains the response to a successful [GetAccessKeyLastUsed](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetAccessKeyLastUsed.html) request. It is also returned as a member of the [AccessKeyMetaData](https://docs.aws.amazon.com/IAM/latest/APIReference/API_AccessKeyMetaData.html) structure returned by the [ListAccessKeys](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAccessKeys.html) action. + /// - Returns: Contains the response to a successful [GetAccessKeyLastUsed](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetAccessKeyLastUsed.html) request. It is also returned as a member of the [AccessKeyMetaData](https://docs.aws.amazon.com/IAM/latest/APIReference/API_AccessKeyMetaData.html) structure returned by the [ListAccessKeys](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAccessKeys.html) action. (Type: `GetAccessKeyLastUsedOutput`) public func getAccessKeyLastUsed(input: GetAccessKeyLastUsedInput) async throws -> GetAccessKeyLastUsedOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4472,7 +4415,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessKeyLastUsedOutput.httpOutput(from:), GetAccessKeyLastUsedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4506,9 +4448,9 @@ extension IAMClient { /// /// Retrieves information about all IAM users, groups, roles, and policies in your Amazon Web Services account, including their relationships to one another. Use this operation to obtain a snapshot of the configuration of IAM permissions (users, groups, roles, and policies) in your account. Policies returned by this operation are URL-encoded compliant with [RFC 3986](https://tools.ietf.org/html/rfc3986). You can use a URL decoding method to convert the policy back to plain JSON text. For example, if you use Java, you can use the decode method of the java.net.URLDecoder utility class in the Java SDK. Other languages and SDKs provide similar functionality, and some SDKs do this decoding automatically. You can optionally filter the results using the Filter parameter. You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter GetAccountAuthorizationDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountAuthorizationDetailsInput`) /// - /// - Returns: `GetAccountAuthorizationDetailsOutput` : Contains the response to a successful [GetAccountAuthorizationDetails](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetAccountAuthorizationDetails.html) request. + /// - Returns: Contains the response to a successful [GetAccountAuthorizationDetails](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetAccountAuthorizationDetails.html) request. (Type: `GetAccountAuthorizationDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4540,7 +4482,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountAuthorizationDetailsOutput.httpOutput(from:), GetAccountAuthorizationDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4574,9 +4515,9 @@ extension IAMClient { /// /// Retrieves the password policy for the Amazon Web Services account. This tells you the complexity requirements and mandatory rotation periods for the IAM user passwords in your account. For more information about using a password policy, see [Managing an IAM password policy](https://docs.aws.amazon.com/IAM/latest/UserGuide/Using_ManagingPasswordPolicies.html). /// - /// - Parameter GetAccountPasswordPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountPasswordPolicyInput`) /// - /// - Returns: `GetAccountPasswordPolicyOutput` : Contains the response to a successful [GetAccountPasswordPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetAccountPasswordPolicy.html) request. + /// - Returns: Contains the response to a successful [GetAccountPasswordPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetAccountPasswordPolicy.html) request. (Type: `GetAccountPasswordPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4609,7 +4550,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountPasswordPolicyOutput.httpOutput(from:), GetAccountPasswordPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4643,9 +4583,9 @@ extension IAMClient { /// /// Retrieves information about IAM entity usage and IAM quotas in the Amazon Web Services account. For information about IAM quotas, see [IAM and STS quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. /// - /// - Parameter GetAccountSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountSummaryInput`) /// - /// - Returns: `GetAccountSummaryOutput` : Contains the response to a successful [GetAccountSummary](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetAccountSummary.html) request. + /// - Returns: Contains the response to a successful [GetAccountSummary](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetAccountSummary.html) request. (Type: `GetAccountSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4677,7 +4617,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSummaryOutput.httpOutput(from:), GetAccountSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4711,9 +4650,9 @@ extension IAMClient { /// /// Gets a list of all of the context keys referenced in the input policies. The policies are supplied as a list of one or more strings. To get the context keys from policies associated with an IAM user, group, or role, use [GetContextKeysForPrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForPrincipalPolicy.html). Context keys are variables maintained by Amazon Web Services and its services that provide details about the context of an API query request. Context keys can be evaluated by testing against a value specified in an IAM policy. Use GetContextKeysForCustomPolicy to understand what key names and values you must supply when you call [SimulateCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulateCustomPolicy.html). Note that all parameters are shown in unencoded form here for clarity but must be URL encoded to be included as a part of a real HTML request. /// - /// - Parameter GetContextKeysForCustomPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContextKeysForCustomPolicyInput`) /// - /// - Returns: `GetContextKeysForCustomPolicyOutput` : Contains the response to a successful [GetContextKeysForPrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForPrincipalPolicy.html) or [GetContextKeysForCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForCustomPolicy.html) request. + /// - Returns: Contains the response to a successful [GetContextKeysForPrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForPrincipalPolicy.html) or [GetContextKeysForCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForCustomPolicy.html) request. (Type: `GetContextKeysForCustomPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4745,7 +4684,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContextKeysForCustomPolicyOutput.httpOutput(from:), GetContextKeysForCustomPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4779,9 +4717,9 @@ extension IAMClient { /// /// Gets a list of all of the context keys referenced in all the IAM policies that are attached to the specified IAM entity. The entity can be an IAM user, group, or role. If you specify a user, then the request also includes all of the policies attached to groups that the user is a member of. You can optionally include a list of one or more additional policies, specified as strings. If you want to include only a list of policies by string, use [GetContextKeysForCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForCustomPolicy.html) instead. Note: This operation discloses information about the permissions granted to other users. If you do not want users to see other user's permissions, then consider allowing them to use [GetContextKeysForCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForCustomPolicy.html) instead. Context keys are variables maintained by Amazon Web Services and its services that provide details about the context of an API query request. Context keys can be evaluated by testing against a value in an IAM policy. Use [GetContextKeysForPrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForPrincipalPolicy.html) to understand what key names and values you must supply when you call [SimulatePrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulatePrincipalPolicy.html). /// - /// - Parameter GetContextKeysForPrincipalPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContextKeysForPrincipalPolicyInput`) /// - /// - Returns: `GetContextKeysForPrincipalPolicyOutput` : Contains the response to a successful [GetContextKeysForPrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForPrincipalPolicy.html) or [GetContextKeysForCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForCustomPolicy.html) request. + /// - Returns: Contains the response to a successful [GetContextKeysForPrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForPrincipalPolicy.html) or [GetContextKeysForCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForCustomPolicy.html) request. (Type: `GetContextKeysForPrincipalPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4814,7 +4752,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContextKeysForPrincipalPolicyOutput.httpOutput(from:), GetContextKeysForPrincipalPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4848,9 +4785,9 @@ extension IAMClient { /// /// Retrieves a credential report for the Amazon Web Services account. For more information about the credential report, see [Getting credential reports](https://docs.aws.amazon.com/IAM/latest/UserGuide/credential-reports.html) in the IAM User Guide. /// - /// - Parameter GetCredentialReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCredentialReportInput`) /// - /// - Returns: `GetCredentialReportOutput` : Contains the response to a successful [GetCredentialReport](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetCredentialReport.html) request. + /// - Returns: Contains the response to a successful [GetCredentialReport](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetCredentialReport.html) request. (Type: `GetCredentialReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4885,7 +4822,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCredentialReportOutput.httpOutput(from:), GetCredentialReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4919,9 +4855,9 @@ extension IAMClient { /// /// Returns a list of IAM users that are in the specified IAM group. You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter GetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupInput`) /// - /// - Returns: `GetGroupOutput` : Contains the response to a successful [GetGroup](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetGroup.html) request. + /// - Returns: Contains the response to a successful [GetGroup](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetGroup.html) request. (Type: `GetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4954,7 +4890,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupOutput.httpOutput(from:), GetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4988,9 +4923,9 @@ extension IAMClient { /// /// Retrieves the specified inline policy document that is embedded in the specified IAM group. Policies returned by this operation are URL-encoded compliant with [RFC 3986](https://tools.ietf.org/html/rfc3986). You can use a URL decoding method to convert the policy back to plain JSON text. For example, if you use Java, you can use the decode method of the java.net.URLDecoder utility class in the Java SDK. Other languages and SDKs provide similar functionality, and some SDKs do this decoding automatically. An IAM group can also have managed policies attached to it. To retrieve a managed policy document that is attached to a group, use [GetPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicy.html) to determine the policy's default version, then use [GetPolicyVersion](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicyVersion.html) to retrieve the policy document. For more information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter GetGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupPolicyInput`) /// - /// - Returns: `GetGroupPolicyOutput` : Contains the response to a successful [GetGroupPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetGroupPolicy.html) request. + /// - Returns: Contains the response to a successful [GetGroupPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetGroupPolicy.html) request. (Type: `GetGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5023,7 +4958,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupPolicyOutput.httpOutput(from:), GetGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5057,9 +4991,9 @@ extension IAMClient { /// /// Retrieves information about the specified instance profile, including the instance profile's path, GUID, ARN, and role. For more information about instance profiles, see [Using instance profiles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_switch-role-ec2_instance-profiles.html) in the IAM User Guide. /// - /// - Parameter GetInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceProfileInput`) /// - /// - Returns: `GetInstanceProfileOutput` : Contains the response to a successful [GetInstanceProfile](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetInstanceProfile.html) request. + /// - Returns: Contains the response to a successful [GetInstanceProfile](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetInstanceProfile.html) request. (Type: `GetInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5092,7 +5026,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceProfileOutput.httpOutput(from:), GetInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5126,9 +5059,9 @@ extension IAMClient { /// /// Retrieves the user name for the specified IAM user. A login profile is created when you create a password for the user to access the Amazon Web Services Management Console. If the user does not exist or does not have a password, the operation returns a 404 (NoSuchEntity) error. If you create an IAM user with access to the console, the CreateDate reflects the date you created the initial password for the user. If you create an IAM user with programmatic access, and then later add a password for the user to access the Amazon Web Services Management Console, the CreateDate reflects the initial password creation date. A user with programmatic access does not have a login profile unless you create a password for the user to access the Amazon Web Services Management Console. /// - /// - Parameter GetLoginProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoginProfileInput`) /// - /// - Returns: `GetLoginProfileOutput` : Contains the response to a successful [GetLoginProfile](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetLoginProfile.html) request. + /// - Returns: Contains the response to a successful [GetLoginProfile](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetLoginProfile.html) request. (Type: `GetLoginProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5161,7 +5094,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoginProfileOutput.httpOutput(from:), GetLoginProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5195,9 +5127,9 @@ extension IAMClient { /// /// Retrieves information about an MFA device for a specified user. /// - /// - Parameter GetMFADeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMFADeviceInput`) /// - /// - Returns: `GetMFADeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMFADeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5230,7 +5162,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMFADeviceOutput.httpOutput(from:), GetMFADeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5264,9 +5195,9 @@ extension IAMClient { /// /// Returns information about the specified OpenID Connect (OIDC) provider resource object in IAM. /// - /// - Parameter GetOpenIDConnectProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOpenIDConnectProviderInput`) /// - /// - Returns: `GetOpenIDConnectProviderOutput` : Contains the response to a successful [GetOpenIDConnectProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetOpenIDConnectProvider.html) request. + /// - Returns: Contains the response to a successful [GetOpenIDConnectProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetOpenIDConnectProvider.html) request. (Type: `GetOpenIDConnectProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5300,7 +5231,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOpenIDConnectProviderOutput.httpOutput(from:), GetOpenIDConnectProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5334,9 +5264,9 @@ extension IAMClient { /// /// Retrieves the service last accessed data report for Organizations that was previously generated using the [GenerateOrganizationsAccessReport](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GenerateOrganizationsAccessReport.html) operation. This operation retrieves the status of your report job and the report contents. Depending on the parameters that you passed when you generated the report, the data returned could include different information. For details, see [GenerateOrganizationsAccessReport](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GenerateOrganizationsAccessReport.html). To call this operation, you must be signed in to the management account in your organization. SCPs must be enabled for your organization root. You must have permissions to perform this operation. For more information, see [Refining permissions using service last accessed data](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_access-advisor.html) in the IAM User Guide. For each service that principals in an account (root user, IAM users, or IAM roles) could access using SCPs, the operation returns details about the most recent access attempt. If there was no attempt, the service is listed without details about the most recent attempt to access the service. If the operation fails, it returns the reason that it failed. By default, the list is sorted by service namespace. /// - /// - Parameter GetOrganizationsAccessReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOrganizationsAccessReportInput`) /// - /// - Returns: `GetOrganizationsAccessReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOrganizationsAccessReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5368,7 +5298,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOrganizationsAccessReportOutput.httpOutput(from:), GetOrganizationsAccessReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5402,9 +5331,9 @@ extension IAMClient { /// /// Retrieves information about the specified managed policy, including the policy's default version and the total number of IAM users, groups, and roles to which the policy is attached. To retrieve the list of the specific users, groups, and roles that the policy is attached to, use [ListEntitiesForPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListEntitiesForPolicy.html). This operation returns metadata about the policy. To retrieve the actual policy document for a specific version of the policy, use [GetPolicyVersion](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicyVersion.html). This operation retrieves information about managed policies. To retrieve information about an inline policy that is embedded with an IAM user, group, or role, use [GetUserPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetUserPolicy.html), [GetGroupPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetGroupPolicy.html), or [GetRolePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetRolePolicy.html). For more information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter GetPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyInput`) /// - /// - Returns: `GetPolicyOutput` : Contains the response to a successful [GetPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicy.html) request. + /// - Returns: Contains the response to a successful [GetPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicy.html) request. (Type: `GetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5438,7 +5367,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyOutput.httpOutput(from:), GetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5472,9 +5400,9 @@ extension IAMClient { /// /// Retrieves information about the specified version of the specified managed policy, including the policy document. Policies returned by this operation are URL-encoded compliant with [RFC 3986](https://tools.ietf.org/html/rfc3986). You can use a URL decoding method to convert the policy back to plain JSON text. For example, if you use Java, you can use the decode method of the java.net.URLDecoder utility class in the Java SDK. Other languages and SDKs provide similar functionality, and some SDKs do this decoding automatically. To list the available versions for a policy, use [ListPolicyVersions](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListPolicyVersions.html). This operation retrieves information about managed policies. To retrieve information about an inline policy that is embedded in a user, group, or role, use [GetUserPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetUserPolicy.html), [GetGroupPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetGroupPolicy.html), or [GetRolePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetRolePolicy.html). For more information about the types of policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. For more information about managed policy versions, see [Versioning for managed policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-versions.html) in the IAM User Guide. /// - /// - Parameter GetPolicyVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyVersionInput`) /// - /// - Returns: `GetPolicyVersionOutput` : Contains the response to a successful [GetPolicyVersion](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicyVersion.html) request. + /// - Returns: Contains the response to a successful [GetPolicyVersion](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicyVersion.html) request. (Type: `GetPolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5508,7 +5436,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyVersionOutput.httpOutput(from:), GetPolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5542,9 +5469,9 @@ extension IAMClient { /// /// Retrieves information about the specified role, including the role's path, GUID, ARN, and the role's trust policy that grants permission to assume the role. For more information about roles, see [IAM roles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles.html) in the IAM User Guide. Policies returned by this operation are URL-encoded compliant with [RFC 3986](https://tools.ietf.org/html/rfc3986). You can use a URL decoding method to convert the policy back to plain JSON text. For example, if you use Java, you can use the decode method of the java.net.URLDecoder utility class in the Java SDK. Other languages and SDKs provide similar functionality, and some SDKs do this decoding automatically. /// - /// - Parameter GetRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRoleInput`) /// - /// - Returns: `GetRoleOutput` : Contains the response to a successful [GetRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetRole.html) request. + /// - Returns: Contains the response to a successful [GetRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetRole.html) request. (Type: `GetRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5577,7 +5504,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRoleOutput.httpOutput(from:), GetRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5611,9 +5537,9 @@ extension IAMClient { /// /// Retrieves the specified inline policy document that is embedded with the specified IAM role. Policies returned by this operation are URL-encoded compliant with [RFC 3986](https://tools.ietf.org/html/rfc3986). You can use a URL decoding method to convert the policy back to plain JSON text. For example, if you use Java, you can use the decode method of the java.net.URLDecoder utility class in the Java SDK. Other languages and SDKs provide similar functionality, and some SDKs do this decoding automatically. An IAM role can also have managed policies attached to it. To retrieve a managed policy document that is attached to a role, use [GetPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicy.html) to determine the policy's default version, then use [GetPolicyVersion](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicyVersion.html) to retrieve the policy document. For more information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. For more information about roles, see [IAM roles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles.html) in the IAM User Guide. /// - /// - Parameter GetRolePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRolePolicyInput`) /// - /// - Returns: `GetRolePolicyOutput` : Contains the response to a successful [GetRolePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetRolePolicy.html) request. + /// - Returns: Contains the response to a successful [GetRolePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetRolePolicy.html) request. (Type: `GetRolePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5646,7 +5572,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRolePolicyOutput.httpOutput(from:), GetRolePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5680,9 +5605,9 @@ extension IAMClient { /// /// Returns the SAML provider metadocument that was uploaded when the IAM SAML provider resource object was created or updated. This operation requires [Signature Version 4](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter GetSAMLProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSAMLProviderInput`) /// - /// - Returns: `GetSAMLProviderOutput` : Contains the response to a successful [GetSAMLProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetSAMLProvider.html) request. + /// - Returns: Contains the response to a successful [GetSAMLProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetSAMLProvider.html) request. (Type: `GetSAMLProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5716,7 +5641,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSAMLProviderOutput.httpOutput(from:), GetSAMLProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5750,9 +5674,9 @@ extension IAMClient { /// /// Retrieves the specified SSH public key, including metadata about the key. The SSH public key retrieved by this operation is used only for authenticating the associated IAM user to an CodeCommit repository. For more information about using SSH keys to authenticate to an CodeCommit repository, see [Set up CodeCommit for SSH connections](https://docs.aws.amazon.com/codecommit/latest/userguide/setting-up-credentials-ssh.html) in the CodeCommit User Guide. /// - /// - Parameter GetSSHPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSSHPublicKeyInput`) /// - /// - Returns: `GetSSHPublicKeyOutput` : Contains the response to a successful [GetSSHPublicKey](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetSSHPublicKey.html) request. + /// - Returns: Contains the response to a successful [GetSSHPublicKey](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetSSHPublicKey.html) request. (Type: `GetSSHPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5785,7 +5709,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSSHPublicKeyOutput.httpOutput(from:), GetSSHPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5819,9 +5742,9 @@ extension IAMClient { /// /// Retrieves information about the specified server certificate stored in IAM. For more information about working with server certificates, see [Working with server certificates](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_server-certs.html) in the IAM User Guide. This topic includes a list of Amazon Web Services services that can use the server certificates that you manage with IAM. /// - /// - Parameter GetServerCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServerCertificateInput`) /// - /// - Returns: `GetServerCertificateOutput` : Contains the response to a successful [GetServerCertificate](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetServerCertificate.html) request. + /// - Returns: Contains the response to a successful [GetServerCertificate](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetServerCertificate.html) request. (Type: `GetServerCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5854,7 +5777,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServerCertificateOutput.httpOutput(from:), GetServerCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5899,9 +5821,9 @@ extension IAMClient { /// /// By default, the list is sorted by service namespace. If you specified ACTION_LEVEL granularity when you generated the report, this operation returns service and action last accessed data. This includes the most recent access attempt for each tracked action within a service. Otherwise, this operation returns only service data. For more information about service and action last accessed data, see [Reducing permissions using service last accessed data](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_access-advisor.html) in the IAM User Guide. /// - /// - Parameter GetServiceLastAccessedDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceLastAccessedDetailsInput`) /// - /// - Returns: `GetServiceLastAccessedDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceLastAccessedDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5934,7 +5856,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceLastAccessedDetailsOutput.httpOutput(from:), GetServiceLastAccessedDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5975,9 +5896,9 @@ extension IAMClient { /// /// You can also use this operation for user or role reports to retrieve details about those entities. If the operation fails, the GetServiceLastAccessedDetailsWithEntities operation returns the reason that it failed. By default, the list of associated entities is sorted by date, with the most recent access listed first. /// - /// - Parameter GetServiceLastAccessedDetailsWithEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceLastAccessedDetailsWithEntitiesInput`) /// - /// - Returns: `GetServiceLastAccessedDetailsWithEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceLastAccessedDetailsWithEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6010,7 +5931,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceLastAccessedDetailsWithEntitiesOutput.httpOutput(from:), GetServiceLastAccessedDetailsWithEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6044,9 +5964,9 @@ extension IAMClient { /// /// Retrieves the status of your service-linked role deletion. After you use [DeleteServiceLinkedRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DeleteServiceLinkedRole.html) to submit a service-linked role for deletion, you can use the DeletionTaskId parameter in GetServiceLinkedRoleDeletionStatus to check the status of the deletion. If the deletion fails, this operation returns the reason that it failed, if that information is returned by the service. /// - /// - Parameter GetServiceLinkedRoleDeletionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceLinkedRoleDeletionStatusInput`) /// - /// - Returns: `GetServiceLinkedRoleDeletionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceLinkedRoleDeletionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6080,7 +6000,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceLinkedRoleDeletionStatusOutput.httpOutput(from:), GetServiceLinkedRoleDeletionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6114,9 +6033,9 @@ extension IAMClient { /// /// Retrieves information about the specified IAM user, including the user's creation date, path, unique ID, and ARN. If you do not specify a user name, IAM determines the user name implicitly based on the Amazon Web Services access key ID used to sign the request to this operation. /// - /// - Parameter GetUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserInput`) /// - /// - Returns: `GetUserOutput` : Contains the response to a successful [GetUser](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetUser.html) request. + /// - Returns: Contains the response to a successful [GetUser](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetUser.html) request. (Type: `GetUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6149,7 +6068,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserOutput.httpOutput(from:), GetUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6183,9 +6101,9 @@ extension IAMClient { /// /// Retrieves the specified inline policy document that is embedded in the specified IAM user. Policies returned by this operation are URL-encoded compliant with [RFC 3986](https://tools.ietf.org/html/rfc3986). You can use a URL decoding method to convert the policy back to plain JSON text. For example, if you use Java, you can use the decode method of the java.net.URLDecoder utility class in the Java SDK. Other languages and SDKs provide similar functionality, and some SDKs do this decoding automatically. An IAM user can also have managed policies attached to it. To retrieve a managed policy document that is attached to a user, use [GetPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicy.html) to determine the policy's default version. Then use [GetPolicyVersion](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicyVersion.html) to retrieve the policy document. For more information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter GetUserPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserPolicyInput`) /// - /// - Returns: `GetUserPolicyOutput` : Contains the response to a successful [GetUserPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetUserPolicy.html) request. + /// - Returns: Contains the response to a successful [GetUserPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetUserPolicy.html) request. (Type: `GetUserPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6218,7 +6136,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserPolicyOutput.httpOutput(from:), GetUserPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6252,9 +6169,9 @@ extension IAMClient { /// /// Returns information about the access key IDs associated with the specified IAM user. If there is none, the operation returns an empty list. Although each user is limited to a small number of keys, you can still paginate the results using the MaxItems and Marker parameters. If the UserName is not specified, the user name is determined implicitly based on the Amazon Web Services access key ID used to sign the request. If a temporary access key is used, then UserName is required. If a long-term key is assigned to the user, then UserName is not required. This operation works for access keys under the Amazon Web Services account. If the Amazon Web Services account has no associated users, the root user returns it's own access key IDs by running this command. To ensure the security of your Amazon Web Services account, the secret access key is accessible only during key and user creation. /// - /// - Parameter ListAccessKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessKeysInput`) /// - /// - Returns: `ListAccessKeysOutput` : Contains the response to a successful [ListAccessKeys](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAccessKeys.html) request. + /// - Returns: Contains the response to a successful [ListAccessKeys](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAccessKeys.html) request. (Type: `ListAccessKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6287,7 +6204,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessKeysOutput.httpOutput(from:), ListAccessKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6321,9 +6237,9 @@ extension IAMClient { /// /// Lists the account alias associated with the Amazon Web Services account (Note: you can have only one). For information about using an Amazon Web Services account alias, see [Creating, deleting, and listing an Amazon Web Services account alias](https://docs.aws.amazon.com/IAM/latest/UserGuide/console_account-alias.html#CreateAccountAlias) in the IAM User Guide. /// - /// - Parameter ListAccountAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountAliasesInput`) /// - /// - Returns: `ListAccountAliasesOutput` : Contains the response to a successful [ListAccountAliases](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAccountAliases.html) request. + /// - Returns: Contains the response to a successful [ListAccountAliases](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAccountAliases.html) request. (Type: `ListAccountAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6355,7 +6271,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountAliasesOutput.httpOutput(from:), ListAccountAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6389,9 +6304,9 @@ extension IAMClient { /// /// Lists all managed policies that are attached to the specified IAM group. An IAM group can also have inline policies embedded with it. To list the inline policies for a group, use [ListGroupPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListGroupPolicies.html). For information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. You can paginate the results using the MaxItems and Marker parameters. You can use the PathPrefix parameter to limit the list of policies to only those matching the specified path prefix. If there are no policies attached to the specified group (or none that match the specified path prefix), the operation returns an empty list. /// - /// - Parameter ListAttachedGroupPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttachedGroupPoliciesInput`) /// - /// - Returns: `ListAttachedGroupPoliciesOutput` : Contains the response to a successful [ListAttachedGroupPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAttachedGroupPolicies.html) request. + /// - Returns: Contains the response to a successful [ListAttachedGroupPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAttachedGroupPolicies.html) request. (Type: `ListAttachedGroupPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6425,7 +6340,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttachedGroupPoliciesOutput.httpOutput(from:), ListAttachedGroupPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6459,9 +6373,9 @@ extension IAMClient { /// /// Lists all managed policies that are attached to the specified IAM role. An IAM role can also have inline policies embedded with it. To list the inline policies for a role, use [ListRolePolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListRolePolicies.html). For information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. You can paginate the results using the MaxItems and Marker parameters. You can use the PathPrefix parameter to limit the list of policies to only those matching the specified path prefix. If there are no policies attached to the specified role (or none that match the specified path prefix), the operation returns an empty list. /// - /// - Parameter ListAttachedRolePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttachedRolePoliciesInput`) /// - /// - Returns: `ListAttachedRolePoliciesOutput` : Contains the response to a successful [ListAttachedRolePolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAttachedRolePolicies.html) request. + /// - Returns: Contains the response to a successful [ListAttachedRolePolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAttachedRolePolicies.html) request. (Type: `ListAttachedRolePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6495,7 +6409,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttachedRolePoliciesOutput.httpOutput(from:), ListAttachedRolePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6529,9 +6442,9 @@ extension IAMClient { /// /// Lists all managed policies that are attached to the specified IAM user. An IAM user can also have inline policies embedded with it. To list the inline policies for a user, use [ListUserPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListUserPolicies.html). For information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. You can paginate the results using the MaxItems and Marker parameters. You can use the PathPrefix parameter to limit the list of policies to only those matching the specified path prefix. If there are no policies attached to the specified group (or none that match the specified path prefix), the operation returns an empty list. /// - /// - Parameter ListAttachedUserPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttachedUserPoliciesInput`) /// - /// - Returns: `ListAttachedUserPoliciesOutput` : Contains the response to a successful [ListAttachedUserPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAttachedUserPolicies.html) request. + /// - Returns: Contains the response to a successful [ListAttachedUserPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAttachedUserPolicies.html) request. (Type: `ListAttachedUserPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6565,7 +6478,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttachedUserPoliciesOutput.httpOutput(from:), ListAttachedUserPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6599,9 +6511,9 @@ extension IAMClient { /// /// Lists all IAM users, groups, and roles that the specified managed policy is attached to. You can use the optional EntityFilter parameter to limit the results to a particular type of entity (users, groups, or roles). For example, to list only the roles that are attached to the specified policy, set EntityFilter to Role. You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter ListEntitiesForPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntitiesForPolicyInput`) /// - /// - Returns: `ListEntitiesForPolicyOutput` : Contains the response to a successful [ListEntitiesForPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListEntitiesForPolicy.html) request. + /// - Returns: Contains the response to a successful [ListEntitiesForPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListEntitiesForPolicy.html) request. (Type: `ListEntitiesForPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6635,7 +6547,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntitiesForPolicyOutput.httpOutput(from:), ListEntitiesForPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6669,9 +6580,9 @@ extension IAMClient { /// /// Lists the names of the inline policies that are embedded in the specified IAM group. An IAM group can also have managed policies attached to it. To list the managed policies that are attached to a group, use [ListAttachedGroupPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAttachedGroupPolicies.html). For more information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. You can paginate the results using the MaxItems and Marker parameters. If there are no inline policies embedded with the specified group, the operation returns an empty list. /// - /// - Parameter ListGroupPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupPoliciesInput`) /// - /// - Returns: `ListGroupPoliciesOutput` : Contains the response to a successful [ListGroupPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListGroupPolicies.html) request. + /// - Returns: Contains the response to a successful [ListGroupPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListGroupPolicies.html) request. (Type: `ListGroupPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6704,7 +6615,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupPoliciesOutput.httpOutput(from:), ListGroupPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6738,9 +6648,9 @@ extension IAMClient { /// /// Lists the IAM groups that have the specified path prefix. You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter ListGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsInput`) /// - /// - Returns: `ListGroupsOutput` : Contains the response to a successful [ListGroups](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListGroups.html) request. + /// - Returns: Contains the response to a successful [ListGroups](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListGroups.html) request. (Type: `ListGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6772,7 +6682,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOutput.httpOutput(from:), ListGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6806,9 +6715,9 @@ extension IAMClient { /// /// Lists the IAM groups that the specified IAM user belongs to. You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter ListGroupsForUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsForUserInput`) /// - /// - Returns: `ListGroupsForUserOutput` : Contains the response to a successful [ListGroupsForUser](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListGroupsForUser.html) request. + /// - Returns: Contains the response to a successful [ListGroupsForUser](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListGroupsForUser.html) request. (Type: `ListGroupsForUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6841,7 +6750,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsForUserOutput.httpOutput(from:), ListGroupsForUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6875,9 +6783,9 @@ extension IAMClient { /// /// Lists the tags that are attached to the specified IAM instance profile. The returned list of tags is sorted by tag key. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter ListInstanceProfileTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstanceProfileTagsInput`) /// - /// - Returns: `ListInstanceProfileTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstanceProfileTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6910,7 +6818,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstanceProfileTagsOutput.httpOutput(from:), ListInstanceProfileTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6944,9 +6851,9 @@ extension IAMClient { /// /// Lists the instance profiles that have the specified path prefix. If there are none, the operation returns an empty list. For more information about instance profiles, see [Using instance profiles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_switch-role-ec2_instance-profiles.html) in the IAM User Guide. IAM resource-listing operations return a subset of the available attributes for the resource. For example, this operation does not return tags, even though they are an attribute of the returned object. To view all of the information for an instance profile, see [GetInstanceProfile](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetInstanceProfile.html). You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter ListInstanceProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstanceProfilesInput`) /// - /// - Returns: `ListInstanceProfilesOutput` : Contains the response to a successful [ListInstanceProfiles](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListInstanceProfiles.html) request. + /// - Returns: Contains the response to a successful [ListInstanceProfiles](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListInstanceProfiles.html) request. (Type: `ListInstanceProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6978,7 +6885,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstanceProfilesOutput.httpOutput(from:), ListInstanceProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7012,9 +6918,9 @@ extension IAMClient { /// /// Lists the instance profiles that have the specified associated IAM role. If there are none, the operation returns an empty list. For more information about instance profiles, go to [Using instance profiles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_switch-role-ec2_instance-profiles.html) in the IAM User Guide. You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter ListInstanceProfilesForRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstanceProfilesForRoleInput`) /// - /// - Returns: `ListInstanceProfilesForRoleOutput` : Contains the response to a successful [ListInstanceProfilesForRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListInstanceProfilesForRole.html) request. + /// - Returns: Contains the response to a successful [ListInstanceProfilesForRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListInstanceProfilesForRole.html) request. (Type: `ListInstanceProfilesForRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7047,7 +6953,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstanceProfilesForRoleOutput.httpOutput(from:), ListInstanceProfilesForRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7081,9 +6986,9 @@ extension IAMClient { /// /// Lists the tags that are attached to the specified IAM virtual multi-factor authentication (MFA) device. The returned list of tags is sorted by tag key. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter ListMFADeviceTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMFADeviceTagsInput`) /// - /// - Returns: `ListMFADeviceTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMFADeviceTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7117,7 +7022,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMFADeviceTagsOutput.httpOutput(from:), ListMFADeviceTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7151,9 +7055,9 @@ extension IAMClient { /// /// Lists the MFA devices for an IAM user. If the request includes a IAM user name, then this operation lists all the MFA devices associated with the specified user. If you do not specify a user name, IAM determines the user name implicitly based on the Amazon Web Services access key ID signing the request for this operation. You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter ListMFADevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMFADevicesInput`) /// - /// - Returns: `ListMFADevicesOutput` : Contains the response to a successful [ListMFADevices](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListMFADevices.html) request. + /// - Returns: Contains the response to a successful [ListMFADevices](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListMFADevices.html) request. (Type: `ListMFADevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7186,7 +7090,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMFADevicesOutput.httpOutput(from:), ListMFADevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7220,9 +7123,9 @@ extension IAMClient { /// /// Lists the tags that are attached to the specified OpenID Connect (OIDC)-compatible identity provider. The returned list of tags is sorted by tag key. For more information, see [About web identity federation](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_oidc.html). For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter ListOpenIDConnectProviderTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOpenIDConnectProviderTagsInput`) /// - /// - Returns: `ListOpenIDConnectProviderTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOpenIDConnectProviderTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7256,7 +7159,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOpenIDConnectProviderTagsOutput.httpOutput(from:), ListOpenIDConnectProviderTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7290,9 +7192,9 @@ extension IAMClient { /// /// Lists information about the IAM OpenID Connect (OIDC) provider resource objects defined in the Amazon Web Services account. IAM resource-listing operations return a subset of the available attributes for the resource. For example, this operation does not return tags, even though they are an attribute of the returned object. To view all of the information for an OIDC provider, see [GetOpenIDConnectProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetOpenIDConnectProvider.html). /// - /// - Parameter ListOpenIDConnectProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOpenIDConnectProvidersInput`) /// - /// - Returns: `ListOpenIDConnectProvidersOutput` : Contains the response to a successful [ListOpenIDConnectProviders](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListOpenIDConnectProviders.html) request. + /// - Returns: Contains the response to a successful [ListOpenIDConnectProviders](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListOpenIDConnectProviders.html) request. (Type: `ListOpenIDConnectProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7324,7 +7226,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOpenIDConnectProvidersOutput.httpOutput(from:), ListOpenIDConnectProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7358,9 +7259,9 @@ extension IAMClient { /// /// Lists the centralized root access features enabled for your organization. For more information, see [Centrally manage root access for member accounts](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_root-user.html#id_root-user-access-management). /// - /// - Parameter ListOrganizationsFeaturesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationsFeaturesInput`) /// - /// - Returns: `ListOrganizationsFeaturesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationsFeaturesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7395,7 +7296,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationsFeaturesOutput.httpOutput(from:), ListOrganizationsFeaturesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7429,9 +7329,9 @@ extension IAMClient { /// /// Lists all the managed policies that are available in your Amazon Web Services account, including your own customer-defined managed policies and all Amazon Web Services managed policies. You can filter the list of policies that is returned using the optional OnlyAttached, Scope, and PathPrefix parameters. For example, to list only the customer managed policies in your Amazon Web Services account, set Scope to Local. To list only Amazon Web Services managed policies, set Scope to AWS. You can paginate the results using the MaxItems and Marker parameters. For more information about managed policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. IAM resource-listing operations return a subset of the available attributes for the resource. For example, this operation does not return tags, even though they are an attribute of the returned object. To view all of the information for a customer manged policy, see [GetPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetPolicy.html). /// - /// - Parameter ListPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPoliciesInput`) /// - /// - Returns: `ListPoliciesOutput` : Contains the response to a successful [ListPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListPolicies.html) request. + /// - Returns: Contains the response to a successful [ListPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListPolicies.html) request. (Type: `ListPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7463,7 +7363,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPoliciesOutput.httpOutput(from:), ListPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7506,9 +7405,9 @@ extension IAMClient { /// /// For each managed policy, this operation returns the ARN and policy name. For each inline policy, it returns the policy name and the entity to which it is attached. Inline policies do not have an ARN. For more information about these policy types, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_managed-vs-inline.html) in the IAM User Guide. Policies that are attached to users and roles as permissions boundaries are not returned. To view which managed policy is currently used to set the permissions boundary for a user or role, use the [GetUser](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetUser.html) or [GetRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetRole.html) operations. /// - /// - Parameter ListPoliciesGrantingServiceAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPoliciesGrantingServiceAccessInput`) /// - /// - Returns: `ListPoliciesGrantingServiceAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPoliciesGrantingServiceAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7541,7 +7440,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPoliciesGrantingServiceAccessOutput.httpOutput(from:), ListPoliciesGrantingServiceAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7575,9 +7473,9 @@ extension IAMClient { /// /// Lists the tags that are attached to the specified IAM customer managed policy. The returned list of tags is sorted by tag key. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter ListPolicyTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPolicyTagsInput`) /// - /// - Returns: `ListPolicyTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPolicyTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7611,7 +7509,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPolicyTagsOutput.httpOutput(from:), ListPolicyTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7645,9 +7542,9 @@ extension IAMClient { /// /// Lists information about the versions of the specified managed policy, including the version that is currently set as the policy's default version. For more information about managed policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter ListPolicyVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPolicyVersionsInput`) /// - /// - Returns: `ListPolicyVersionsOutput` : Contains the response to a successful [ListPolicyVersions](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListPolicyVersions.html) request. + /// - Returns: Contains the response to a successful [ListPolicyVersions](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListPolicyVersions.html) request. (Type: `ListPolicyVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7681,7 +7578,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPolicyVersionsOutput.httpOutput(from:), ListPolicyVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7715,9 +7611,9 @@ extension IAMClient { /// /// Lists the names of the inline policies that are embedded in the specified IAM role. An IAM role can also have managed policies attached to it. To list the managed policies that are attached to a role, use [ListAttachedRolePolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAttachedRolePolicies.html). For more information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. You can paginate the results using the MaxItems and Marker parameters. If there are no inline policies embedded with the specified role, the operation returns an empty list. /// - /// - Parameter ListRolePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRolePoliciesInput`) /// - /// - Returns: `ListRolePoliciesOutput` : Contains the response to a successful [ListRolePolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListRolePolicies.html) request. + /// - Returns: Contains the response to a successful [ListRolePolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListRolePolicies.html) request. (Type: `ListRolePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7750,7 +7646,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRolePoliciesOutput.httpOutput(from:), ListRolePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7784,9 +7679,9 @@ extension IAMClient { /// /// Lists the tags that are attached to the specified role. The returned list of tags is sorted by tag key. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter ListRoleTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoleTagsInput`) /// - /// - Returns: `ListRoleTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoleTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7819,7 +7714,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoleTagsOutput.httpOutput(from:), ListRoleTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7862,9 +7756,9 @@ extension IAMClient { /// /// To view all of the information for a role, see [GetRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetRole.html). You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter ListRolesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRolesInput`) /// - /// - Returns: `ListRolesOutput` : Contains the response to a successful [ListRoles](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListRoles.html) request. + /// - Returns: Contains the response to a successful [ListRoles](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListRoles.html) request. (Type: `ListRolesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7896,7 +7790,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRolesOutput.httpOutput(from:), ListRolesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7930,9 +7823,9 @@ extension IAMClient { /// /// Lists the tags that are attached to the specified Security Assertion Markup Language (SAML) identity provider. The returned list of tags is sorted by tag key. For more information, see [About SAML 2.0-based federation](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_saml.html). For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter ListSAMLProviderTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSAMLProviderTagsInput`) /// - /// - Returns: `ListSAMLProviderTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSAMLProviderTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7966,7 +7859,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSAMLProviderTagsOutput.httpOutput(from:), ListSAMLProviderTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8000,9 +7892,9 @@ extension IAMClient { /// /// Lists the SAML provider resource objects defined in IAM in the account. IAM resource-listing operations return a subset of the available attributes for the resource. For example, this operation does not return tags, even though they are an attribute of the returned object. To view all of the information for a SAML provider, see [GetSAMLProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetSAMLProvider.html). This operation requires [Signature Version 4](https://docs.aws.amazon.com/general/latest/gr/signature-version-4.html). /// - /// - Parameter ListSAMLProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSAMLProvidersInput`) /// - /// - Returns: `ListSAMLProvidersOutput` : Contains the response to a successful [ListSAMLProviders](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListSAMLProviders.html) request. + /// - Returns: Contains the response to a successful [ListSAMLProviders](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListSAMLProviders.html) request. (Type: `ListSAMLProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8034,7 +7926,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSAMLProvidersOutput.httpOutput(from:), ListSAMLProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8068,9 +7959,9 @@ extension IAMClient { /// /// Returns information about the SSH public keys associated with the specified IAM user. If none exists, the operation returns an empty list. The SSH public keys returned by this operation are used only for authenticating the IAM user to an CodeCommit repository. For more information about using SSH keys to authenticate to an CodeCommit repository, see [Set up CodeCommit for SSH connections](https://docs.aws.amazon.com/codecommit/latest/userguide/setting-up-credentials-ssh.html) in the CodeCommit User Guide. Although each user is limited to a small number of keys, you can still paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter ListSSHPublicKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSSHPublicKeysInput`) /// - /// - Returns: `ListSSHPublicKeysOutput` : Contains the response to a successful [ListSSHPublicKeys](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListSSHPublicKeys.html) request. + /// - Returns: Contains the response to a successful [ListSSHPublicKeys](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListSSHPublicKeys.html) request. (Type: `ListSSHPublicKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8102,7 +7993,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSSHPublicKeysOutput.httpOutput(from:), ListSSHPublicKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8136,9 +8026,9 @@ extension IAMClient { /// /// Lists the tags that are attached to the specified IAM server certificate. The returned list of tags is sorted by tag key. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. For certificates in a Region supported by Certificate Manager (ACM), we recommend that you don't use IAM server certificates. Instead, use ACM to provision, manage, and deploy your server certificates. For more information about IAM server certificates, [Working with server certificates](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_server-certs.html) in the IAM User Guide. /// - /// - Parameter ListServerCertificateTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServerCertificateTagsInput`) /// - /// - Returns: `ListServerCertificateTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServerCertificateTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8171,7 +8061,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServerCertificateTagsOutput.httpOutput(from:), ListServerCertificateTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8205,9 +8094,9 @@ extension IAMClient { /// /// Lists the server certificates stored in IAM that have the specified path prefix. If none exist, the operation returns an empty list. You can paginate the results using the MaxItems and Marker parameters. For more information about working with server certificates, see [Working with server certificates](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_server-certs.html) in the IAM User Guide. This topic also includes a list of Amazon Web Services services that can use the server certificates that you manage with IAM. IAM resource-listing operations return a subset of the available attributes for the resource. For example, this operation does not return tags, even though they are an attribute of the returned object. To view all of the information for a servercertificate, see [GetServerCertificate](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetServerCertificate.html). /// - /// - Parameter ListServerCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServerCertificatesInput`) /// - /// - Returns: `ListServerCertificatesOutput` : Contains the response to a successful [ListServerCertificates](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListServerCertificates.html) request. + /// - Returns: Contains the response to a successful [ListServerCertificates](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListServerCertificates.html) request. (Type: `ListServerCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8239,7 +8128,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServerCertificatesOutput.httpOutput(from:), ListServerCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8273,9 +8161,9 @@ extension IAMClient { /// /// Returns information about the service-specific credentials associated with the specified IAM user. If none exists, the operation returns an empty list. The service-specific credentials returned by this operation are used only for authenticating the IAM user to a specific service. For more information about using service-specific credentials to authenticate to an Amazon Web Services service, see [Set up service-specific credentials](https://docs.aws.amazon.com/codecommit/latest/userguide/setting-up-gc.html) in the CodeCommit User Guide. /// - /// - Parameter ListServiceSpecificCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceSpecificCredentialsInput`) /// - /// - Returns: `ListServiceSpecificCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceSpecificCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8308,7 +8196,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceSpecificCredentialsOutput.httpOutput(from:), ListServiceSpecificCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8342,9 +8229,9 @@ extension IAMClient { /// /// Returns information about the signing certificates associated with the specified IAM user. If none exists, the operation returns an empty list. Although each user is limited to a small number of signing certificates, you can still paginate the results using the MaxItems and Marker parameters. If the UserName field is not specified, the user name is determined implicitly based on the Amazon Web Services access key ID used to sign the request for this operation. This operation works for access keys under the Amazon Web Services account. Consequently, you can use this operation to manage Amazon Web Services account root user credentials even if the Amazon Web Services account has no associated users. /// - /// - Parameter ListSigningCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSigningCertificatesInput`) /// - /// - Returns: `ListSigningCertificatesOutput` : Contains the response to a successful [ListSigningCertificates](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListSigningCertificates.html) request. + /// - Returns: Contains the response to a successful [ListSigningCertificates](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListSigningCertificates.html) request. (Type: `ListSigningCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8377,7 +8264,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSigningCertificatesOutput.httpOutput(from:), ListSigningCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8411,9 +8297,9 @@ extension IAMClient { /// /// Lists the names of the inline policies embedded in the specified IAM user. An IAM user can also have managed policies attached to it. To list the managed policies that are attached to a user, use [ListAttachedUserPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListAttachedUserPolicies.html). For more information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. You can paginate the results using the MaxItems and Marker parameters. If there are no inline policies embedded with the specified user, the operation returns an empty list. /// - /// - Parameter ListUserPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUserPoliciesInput`) /// - /// - Returns: `ListUserPoliciesOutput` : Contains the response to a successful [ListUserPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListUserPolicies.html) request. + /// - Returns: Contains the response to a successful [ListUserPolicies](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListUserPolicies.html) request. (Type: `ListUserPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8446,7 +8332,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserPoliciesOutput.httpOutput(from:), ListUserPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8480,9 +8365,9 @@ extension IAMClient { /// /// Lists the tags that are attached to the specified IAM user. The returned list of tags is sorted by tag key. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter ListUserTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUserTagsInput`) /// - /// - Returns: `ListUserTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUserTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8515,7 +8400,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserTagsOutput.httpOutput(from:), ListUserTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8556,9 +8440,9 @@ extension IAMClient { /// /// To view all of the information for a user, see [GetUser](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetUser.html). You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : Contains the response to a successful [ListUsers](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListUsers.html) request. + /// - Returns: Contains the response to a successful [ListUsers](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListUsers.html) request. (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8590,7 +8474,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8624,9 +8507,9 @@ extension IAMClient { /// /// Lists the virtual MFA devices defined in the Amazon Web Services account by assignment status. If you do not specify an assignment status, the operation returns a list of all virtual MFA devices. Assignment status can be Assigned, Unassigned, or Any. IAM resource-listing operations return a subset of the available attributes for the resource. For example, this operation does not return tags, even though they are an attribute of the returned object. To view tag information for a virtual MFA device, see [ListMFADeviceTags](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListMFADeviceTags.html). You can paginate the results using the MaxItems and Marker parameters. /// - /// - Parameter ListVirtualMFADevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVirtualMFADevicesInput`) /// - /// - Returns: `ListVirtualMFADevicesOutput` : Contains the response to a successful [ListVirtualMFADevices](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListVirtualMFADevices.html) request. + /// - Returns: Contains the response to a successful [ListVirtualMFADevices](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListVirtualMFADevices.html) request. (Type: `ListVirtualMFADevicesOutput`) public func listVirtualMFADevices(input: ListVirtualMFADevicesInput) async throws -> ListVirtualMFADevicesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8653,7 +8536,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVirtualMFADevicesOutput.httpOutput(from:), ListVirtualMFADevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8687,9 +8569,9 @@ extension IAMClient { /// /// Adds or updates an inline policy document that is embedded in the specified IAM group. A user can also have managed policies attached to it. To attach a managed policy to a group, use [AttachGroupPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_AttachGroupPolicy.html). To create a new managed policy, use [CreatePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreatePolicy.html). For information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. For information about the maximum number of inline policies that you can embed in a group, see [IAM and STS quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. Because policy documents can be large, you should use POST rather than GET when calling PutGroupPolicy. For general information about using the Query API with IAM, see [Making query requests](https://docs.aws.amazon.com/IAM/latest/UserGuide/IAM_UsingQueryAPI.html) in the IAM User Guide. /// - /// - Parameter PutGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutGroupPolicyInput`) /// - /// - Returns: `PutGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8724,7 +8606,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutGroupPolicyOutput.httpOutput(from:), PutGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8758,9 +8639,9 @@ extension IAMClient { /// /// Adds or updates the policy that is specified as the IAM role's permissions boundary. You can use an Amazon Web Services managed policy or a customer managed policy to set the boundary for a role. Use the boundary to control the maximum permissions that the role can have. Setting a permissions boundary is an advanced feature that can affect the permissions for the role. You cannot set the boundary for a service-linked role. Policies used as permissions boundaries do not provide permissions. You must also attach a permissions policy to the role. To learn how the effective permissions for a role are evaluated, see [IAM JSON policy evaluation logic](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_policies_evaluation-logic.html) in the IAM User Guide. /// - /// - Parameter PutRolePermissionsBoundaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRolePermissionsBoundaryInput`) /// - /// - Returns: `PutRolePermissionsBoundaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRolePermissionsBoundaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8796,7 +8677,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRolePermissionsBoundaryOutput.httpOutput(from:), PutRolePermissionsBoundaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8830,9 +8710,9 @@ extension IAMClient { /// /// Adds or updates an inline policy document that is embedded in the specified IAM role. When you embed an inline policy in a role, the inline policy is used as part of the role's access (permissions) policy. The role's trust policy is created at the same time as the role, using [CreateRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreateRole.html). You can update a role's trust policy using [UpdateAssumeRolePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UpdateAssumeRolePolicy.html). For more information about roles, see [IAM roles](https://docs.aws.amazon.com/IAM/latest/UserGuide/roles-toplevel.html) in the IAM User Guide. A role can also have a managed policy attached to it. To attach a managed policy to a role, use [AttachRolePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_AttachRolePolicy.html). To create a new managed policy, use [CreatePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreatePolicy.html). For information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. For information about the maximum number of inline policies that you can embed with a role, see [IAM and STS quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. Because policy documents can be large, you should use POST rather than GET when calling PutRolePolicy. For general information about using the Query API with IAM, see [Making query requests](https://docs.aws.amazon.com/IAM/latest/UserGuide/IAM_UsingQueryAPI.html) in the IAM User Guide. /// - /// - Parameter PutRolePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRolePolicyInput`) /// - /// - Returns: `PutRolePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRolePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8868,7 +8748,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRolePolicyOutput.httpOutput(from:), PutRolePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8902,9 +8781,9 @@ extension IAMClient { /// /// Adds or updates the policy that is specified as the IAM user's permissions boundary. You can use an Amazon Web Services managed policy or a customer managed policy to set the boundary for a user. Use the boundary to control the maximum permissions that the user can have. Setting a permissions boundary is an advanced feature that can affect the permissions for the user. Policies that are used as permissions boundaries do not provide permissions. You must also attach a permissions policy to the user. To learn how the effective permissions for a user are evaluated, see [IAM JSON policy evaluation logic](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_policies_evaluation-logic.html) in the IAM User Guide. /// - /// - Parameter PutUserPermissionsBoundaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutUserPermissionsBoundaryInput`) /// - /// - Returns: `PutUserPermissionsBoundaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutUserPermissionsBoundaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8939,7 +8818,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutUserPermissionsBoundaryOutput.httpOutput(from:), PutUserPermissionsBoundaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8973,9 +8851,9 @@ extension IAMClient { /// /// Adds or updates an inline policy document that is embedded in the specified IAM user. An IAM user can also have a managed policy attached to it. To attach a managed policy to a user, use [AttachUserPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_AttachUserPolicy.html). To create a new managed policy, use [CreatePolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_CreatePolicy.html). For information about policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. For information about the maximum number of inline policies that you can embed in a user, see [IAM and STS quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. Because policy documents can be large, you should use POST rather than GET when calling PutUserPolicy. For general information about using the Query API with IAM, see [Making query requests](https://docs.aws.amazon.com/IAM/latest/UserGuide/IAM_UsingQueryAPI.html) in the IAM User Guide. /// - /// - Parameter PutUserPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutUserPolicyInput`) /// - /// - Returns: `PutUserPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutUserPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9010,7 +8888,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutUserPolicyOutput.httpOutput(from:), PutUserPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9044,9 +8921,9 @@ extension IAMClient { /// /// Removes the specified client ID (also known as audience) from the list of client IDs registered for the specified IAM OpenID Connect (OIDC) provider resource object. This operation is idempotent; it does not fail or return an error if you try to remove a client ID that does not exist. /// - /// - Parameter RemoveClientIDFromOpenIDConnectProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveClientIDFromOpenIDConnectProviderInput`) /// - /// - Returns: `RemoveClientIDFromOpenIDConnectProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveClientIDFromOpenIDConnectProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9080,7 +8957,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveClientIDFromOpenIDConnectProviderOutput.httpOutput(from:), RemoveClientIDFromOpenIDConnectProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9114,9 +8990,9 @@ extension IAMClient { /// /// Removes the specified IAM role from the specified Amazon EC2 instance profile. Make sure that you do not have any Amazon EC2 instances running with the role you are about to remove from the instance profile. Removing a role from an instance profile that is associated with a running instance might break any applications running on the instance. For more information about roles, see [IAM roles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles.html) in the IAM User Guide. For more information about instance profiles, see [Using instance profiles](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_switch-role-ec2_instance-profiles.html) in the IAM User Guide. /// - /// - Parameter RemoveRoleFromInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveRoleFromInstanceProfileInput`) /// - /// - Returns: `RemoveRoleFromInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveRoleFromInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9151,7 +9027,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveRoleFromInstanceProfileOutput.httpOutput(from:), RemoveRoleFromInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9185,9 +9060,9 @@ extension IAMClient { /// /// Removes the specified user from the specified group. /// - /// - Parameter RemoveUserFromGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveUserFromGroupInput`) /// - /// - Returns: `RemoveUserFromGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveUserFromGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9221,7 +9096,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveUserFromGroupOutput.httpOutput(from:), RemoveUserFromGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9255,9 +9129,9 @@ extension IAMClient { /// /// Resets the password for a service-specific credential. The new password is Amazon Web Services generated and cryptographically strong. It cannot be configured by the user. Resetting the password immediately invalidates the previous password associated with this user. /// - /// - Parameter ResetServiceSpecificCredentialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetServiceSpecificCredentialInput`) /// - /// - Returns: `ResetServiceSpecificCredentialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetServiceSpecificCredentialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9289,7 +9163,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetServiceSpecificCredentialOutput.httpOutput(from:), ResetServiceSpecificCredentialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9323,9 +9196,9 @@ extension IAMClient { /// /// Synchronizes the specified MFA device with its IAM resource object on the Amazon Web Services servers. For more information about creating and working with virtual MFA devices, see [Using a virtual MFA device](https://docs.aws.amazon.com/IAM/latest/UserGuide/Using_VirtualMFA.html) in the IAM User Guide. /// - /// - Parameter ResyncMFADeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResyncMFADeviceInput`) /// - /// - Returns: `ResyncMFADeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResyncMFADeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9361,7 +9234,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResyncMFADeviceOutput.httpOutput(from:), ResyncMFADeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9395,9 +9267,9 @@ extension IAMClient { /// /// Sets the specified version of the specified policy as the policy's default (operative) version. This operation affects all users, groups, and roles that the policy is attached to. To list the users, groups, and roles that the policy is attached to, use [ListEntitiesForPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ListEntitiesForPolicy.html). For information about managed policies, see [Managed policies and inline policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/policies-managed-vs-inline.html) in the IAM User Guide. /// - /// - Parameter SetDefaultPolicyVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetDefaultPolicyVersionInput`) /// - /// - Returns: `SetDefaultPolicyVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetDefaultPolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9432,7 +9304,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetDefaultPolicyVersionOutput.httpOutput(from:), SetDefaultPolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9466,9 +9337,9 @@ extension IAMClient { /// /// Sets the specified version of the global endpoint token as the token version used for the Amazon Web Services account. By default, Security Token Service (STS) is available as a global service, and all STS requests go to a single endpoint at https://sts.amazonaws.com. Amazon Web Services recommends using Regional STS endpoints to reduce latency, build in redundancy, and increase session token availability. For information about Regional endpoints for STS, see [Security Token Service endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/sts.html) in the Amazon Web Services General Reference. If you make an STS call to the global endpoint, the resulting session tokens might be valid in some Regions but not others. It depends on the version that is set in this operation. Version 1 tokens are valid only in Amazon Web Services Regions that are available by default. These tokens do not work in manually enabled Regions, such as Asia Pacific (Hong Kong). Version 2 tokens are valid in all Regions. However, version 2 tokens are longer and might affect systems where you temporarily store tokens. For information, see [Activating and deactivating STS in an Amazon Web Services Region](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_temp_enable-regions.html) in the IAM User Guide. To view the current session token version, see the GlobalEndpointTokenVersion entry in the response of the [GetAccountSummary](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetAccountSummary.html) operation. /// - /// - Parameter SetSecurityTokenServicePreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetSecurityTokenServicePreferencesInput`) /// - /// - Returns: `SetSecurityTokenServicePreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetSecurityTokenServicePreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9500,7 +9371,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetSecurityTokenServicePreferencesOutput.httpOutput(from:), SetSecurityTokenServicePreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9534,9 +9404,9 @@ extension IAMClient { /// /// Simulate how a set of IAM policies and optionally a resource-based policy works with a list of API operations and Amazon Web Services resources to determine the policies' effective permissions. The policies are provided as strings. The simulation does not perform the API operations; it only checks the authorization to determine if the simulated policies allow or deny the operations. You can simulate resources that don't exist in your account. If you want to simulate existing policies that are attached to an IAM user, group, or role, use [SimulatePrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulatePrincipalPolicy.html) instead. Context keys are variables that are maintained by Amazon Web Services and its services and which provide details about the context of an API query request. You can use the Condition element of an IAM policy to evaluate context keys. To get the list of context keys that the policies require for correct simulation, use [GetContextKeysForCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForCustomPolicy.html). If the output is long, you can use MaxItems and Marker parameters to paginate the results. The IAM policy simulator evaluates statements in the identity-based policy and the inputs that you provide during simulation. The policy simulator results can differ from your live Amazon Web Services environment. We recommend that you check your policies against your live Amazon Web Services environment after testing using the policy simulator to confirm that you have the desired results. For more information about using the policy simulator, see [Testing IAM policies with the IAM policy simulator ](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_testing-policies.html)in the IAM User Guide. /// - /// - Parameter SimulateCustomPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SimulateCustomPolicyInput`) /// - /// - Returns: `SimulateCustomPolicyOutput` : Contains the response to a successful [SimulatePrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulatePrincipalPolicy.html) or [SimulateCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulateCustomPolicy.html) request. + /// - Returns: Contains the response to a successful [SimulatePrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulatePrincipalPolicy.html) or [SimulateCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulateCustomPolicy.html) request. (Type: `SimulateCustomPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9569,7 +9439,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SimulateCustomPolicyOutput.httpOutput(from:), SimulateCustomPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9603,9 +9472,9 @@ extension IAMClient { /// /// Simulate how a set of IAM policies attached to an IAM entity works with a list of API operations and Amazon Web Services resources to determine the policies' effective permissions. The entity can be an IAM user, group, or role. If you specify a user, then the simulation also includes all of the policies that are attached to groups that the user belongs to. You can simulate resources that don't exist in your account. You can optionally include a list of one or more additional policies specified as strings to include in the simulation. If you want to simulate only policies specified as strings, use [SimulateCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulateCustomPolicy.html) instead. You can also optionally include one resource-based policy to be evaluated with each of the resources included in the simulation for IAM users only. The simulation does not perform the API operations; it only checks the authorization to determine if the simulated policies allow or deny the operations. Note: This operation discloses information about the permissions granted to other users. If you do not want users to see other user's permissions, then consider allowing them to use [SimulateCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulateCustomPolicy.html) instead. Context keys are variables maintained by Amazon Web Services and its services that provide details about the context of an API query request. You can use the Condition element of an IAM policy to evaluate context keys. To get the list of context keys that the policies require for correct simulation, use [GetContextKeysForPrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_GetContextKeysForPrincipalPolicy.html). If the output is long, you can use the MaxItems and Marker parameters to paginate the results. The IAM policy simulator evaluates statements in the identity-based policy and the inputs that you provide during simulation. The policy simulator results can differ from your live Amazon Web Services environment. We recommend that you check your policies against your live Amazon Web Services environment after testing using the policy simulator to confirm that you have the desired results. For more information about using the policy simulator, see [Testing IAM policies with the IAM policy simulator ](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_testing-policies.html)in the IAM User Guide. /// - /// - Parameter SimulatePrincipalPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SimulatePrincipalPolicyInput`) /// - /// - Returns: `SimulatePrincipalPolicyOutput` : Contains the response to a successful [SimulatePrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulatePrincipalPolicy.html) or [SimulateCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulateCustomPolicy.html) request. + /// - Returns: Contains the response to a successful [SimulatePrincipalPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulatePrincipalPolicy.html) or [SimulateCustomPolicy](https://docs.aws.amazon.com/IAM/latest/APIReference/API_SimulateCustomPolicy.html) request. (Type: `SimulatePrincipalPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9639,7 +9508,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SimulatePrincipalPolicyOutput.httpOutput(from:), SimulatePrincipalPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9684,9 +9552,9 @@ extension IAMClient { /// /// * Amazon Web Services always interprets the tag Value as a single string. If you need to store an array, you can store comma-separated values in the string. However, you must interpret the value in your code. /// - /// - Parameter TagInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagInstanceProfileInput`) /// - /// - Returns: `TagInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9722,7 +9590,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagInstanceProfileOutput.httpOutput(from:), TagInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9767,9 +9634,9 @@ extension IAMClient { /// /// * Amazon Web Services always interprets the tag Value as a single string. If you need to store an array, you can store comma-separated values in the string. However, you must interpret the value in your code. /// - /// - Parameter TagMFADeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagMFADeviceInput`) /// - /// - Returns: `TagMFADeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagMFADeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9805,7 +9672,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagMFADeviceOutput.httpOutput(from:), TagMFADeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9850,9 +9716,9 @@ extension IAMClient { /// /// * Amazon Web Services always interprets the tag Value as a single string. If you need to store an array, you can store comma-separated values in the string. However, you must interpret the value in your code. /// - /// - Parameter TagOpenIDConnectProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagOpenIDConnectProviderInput`) /// - /// - Returns: `TagOpenIDConnectProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagOpenIDConnectProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9888,7 +9754,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagOpenIDConnectProviderOutput.httpOutput(from:), TagOpenIDConnectProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9933,9 +9798,9 @@ extension IAMClient { /// /// * Amazon Web Services always interprets the tag Value as a single string. If you need to store an array, you can store comma-separated values in the string. However, you must interpret the value in your code. /// - /// - Parameter TagPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagPolicyInput`) /// - /// - Returns: `TagPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9971,7 +9836,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagPolicyOutput.httpOutput(from:), TagPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10021,9 +9885,9 @@ extension IAMClient { /// /// For more information about tagging, see [Tagging IAM identities](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter TagRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagRoleInput`) /// - /// - Returns: `TagRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10059,7 +9923,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagRoleOutput.httpOutput(from:), TagRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10104,9 +9967,9 @@ extension IAMClient { /// /// * Amazon Web Services always interprets the tag Value as a single string. If you need to store an array, you can store comma-separated values in the string. However, you must interpret the value in your code. /// - /// - Parameter TagSAMLProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagSAMLProviderInput`) /// - /// - Returns: `TagSAMLProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagSAMLProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10142,7 +10005,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagSAMLProviderOutput.httpOutput(from:), TagSAMLProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10189,9 +10051,9 @@ extension IAMClient { /// /// * Amazon Web Services always interprets the tag Value as a single string. If you need to store an array, you can store comma-separated values in the string. However, you must interpret the value in your code. /// - /// - Parameter TagServerCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagServerCertificateInput`) /// - /// - Returns: `TagServerCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagServerCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10227,7 +10089,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagServerCertificateOutput.httpOutput(from:), TagServerCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10277,9 +10138,9 @@ extension IAMClient { /// /// For more information about tagging, see [Tagging IAM identities](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter TagUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagUserInput`) /// - /// - Returns: `TagUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10315,7 +10176,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagUserOutput.httpOutput(from:), TagUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10349,9 +10209,9 @@ extension IAMClient { /// /// Removes the specified tags from the IAM instance profile. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter UntagInstanceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagInstanceProfileInput`) /// - /// - Returns: `UntagInstanceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagInstanceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10386,7 +10246,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagInstanceProfileOutput.httpOutput(from:), UntagInstanceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10420,9 +10279,9 @@ extension IAMClient { /// /// Removes the specified tags from the IAM virtual multi-factor authentication (MFA) device. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter UntagMFADeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagMFADeviceInput`) /// - /// - Returns: `UntagMFADeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagMFADeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10457,7 +10316,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagMFADeviceOutput.httpOutput(from:), UntagMFADeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10491,9 +10349,9 @@ extension IAMClient { /// /// Removes the specified tags from the specified OpenID Connect (OIDC)-compatible identity provider in IAM. For more information about OIDC providers, see [About web identity federation](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_oidc.html). For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter UntagOpenIDConnectProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagOpenIDConnectProviderInput`) /// - /// - Returns: `UntagOpenIDConnectProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagOpenIDConnectProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10528,7 +10386,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagOpenIDConnectProviderOutput.httpOutput(from:), UntagOpenIDConnectProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10562,9 +10419,9 @@ extension IAMClient { /// /// Removes the specified tags from the customer managed policy. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter UntagPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagPolicyInput`) /// - /// - Returns: `UntagPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10599,7 +10456,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagPolicyOutput.httpOutput(from:), UntagPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10633,9 +10489,9 @@ extension IAMClient { /// /// Removes the specified tags from the role. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter UntagRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagRoleInput`) /// - /// - Returns: `UntagRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10669,7 +10525,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagRoleOutput.httpOutput(from:), UntagRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10703,9 +10558,9 @@ extension IAMClient { /// /// Removes the specified tags from the specified Security Assertion Markup Language (SAML) identity provider in IAM. For more information about these providers, see [About web identity federation](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_providers_oidc.html). For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter UntagSAMLProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagSAMLProviderInput`) /// - /// - Returns: `UntagSAMLProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagSAMLProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10740,7 +10595,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagSAMLProviderOutput.httpOutput(from:), UntagSAMLProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10774,9 +10628,9 @@ extension IAMClient { /// /// Removes the specified tags from the IAM server certificate. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. For certificates in a Region supported by Certificate Manager (ACM), we recommend that you don't use IAM server certificates. Instead, use ACM to provision, manage, and deploy your server certificates. For more information about IAM server certificates, [Working with server certificates](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_server-certs.html) in the IAM User Guide. /// - /// - Parameter UntagServerCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagServerCertificateInput`) /// - /// - Returns: `UntagServerCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagServerCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10811,7 +10665,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagServerCertificateOutput.httpOutput(from:), UntagServerCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10845,9 +10698,9 @@ extension IAMClient { /// /// Removes the specified tags from the user. For more information about tagging, see [Tagging IAM resources](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_tags.html) in the IAM User Guide. /// - /// - Parameter UntagUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagUserInput`) /// - /// - Returns: `UntagUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10881,7 +10734,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagUserOutput.httpOutput(from:), UntagUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10915,9 +10767,9 @@ extension IAMClient { /// /// Changes the status of the specified access key from Active to Inactive, or vice versa. This operation can be used to disable a user's key as part of a key rotation workflow. If the UserName is not specified, the user name is determined implicitly based on the Amazon Web Services access key ID used to sign the request. If a temporary access key is used, then UserName is required. If a long-term key is assigned to the user, then UserName is not required. This operation works for access keys under the Amazon Web Services account. Consequently, you can use this operation to manage Amazon Web Services account root user credentials even if the Amazon Web Services account has no associated users. For information about rotating keys, see [Managing keys and certificates](https://docs.aws.amazon.com/IAM/latest/UserGuide/ManagingCredentials.html) in the IAM User Guide. /// - /// - Parameter UpdateAccessKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccessKeyInput`) /// - /// - Returns: `UpdateAccessKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccessKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10952,7 +10804,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccessKeyOutput.httpOutput(from:), UpdateAccessKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10986,9 +10837,9 @@ extension IAMClient { /// /// Updates the password policy settings for the Amazon Web Services account. This operation does not support partial updates. No parameters are required, but if you do not specify a parameter, that parameter's value reverts to its default value. See the Request Parameters section for each parameter's default value. Also note that some parameters do not allow the default parameter to be explicitly set. Instead, to invoke the default value, do not include that parameter when you invoke the operation. For more information about using a password policy, see [Managing an IAM password policy](https://docs.aws.amazon.com/IAM/latest/UserGuide/Using_ManagingPasswordPolicies.html) in the IAM User Guide. /// - /// - Parameter UpdateAccountPasswordPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountPasswordPolicyInput`) /// - /// - Returns: `UpdateAccountPasswordPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountPasswordPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11023,7 +10874,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountPasswordPolicyOutput.httpOutput(from:), UpdateAccountPasswordPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11057,9 +10907,9 @@ extension IAMClient { /// /// Updates the policy that grants an IAM entity permission to assume a role. This is typically referred to as the "role trust policy". For more information about roles, see [Using roles to delegate permissions and federate identities](https://docs.aws.amazon.com/IAM/latest/UserGuide/roles-toplevel.html). /// - /// - Parameter UpdateAssumeRolePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssumeRolePolicyInput`) /// - /// - Returns: `UpdateAssumeRolePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssumeRolePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11095,7 +10945,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssumeRolePolicyOutput.httpOutput(from:), UpdateAssumeRolePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11129,9 +10978,9 @@ extension IAMClient { /// /// Updates the name and/or the path of the specified IAM group. You should understand the implications of changing a group's path or name. For more information, see [Renaming users and groups](https://docs.aws.amazon.com/IAM/latest/UserGuide/Using_WorkingWithGroupsAndUsers.html) in the IAM User Guide. The person making the request (the principal), must have permission to change the role group with the old name and the new name. For example, to change the group named Managers to MGRs, the principal must have a policy that allows them to update both groups. If the principal has permission to update the Managers group, but not the MGRs group, then the update fails. For more information about permissions, see [Access management](https://docs.aws.amazon.com/IAM/latest/UserGuide/access.html). /// - /// - Parameter UpdateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupInput`) /// - /// - Returns: `UpdateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11166,7 +11015,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupOutput.httpOutput(from:), UpdateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11200,9 +11048,9 @@ extension IAMClient { /// /// Changes the password for the specified IAM user. You can use the CLI, the Amazon Web Services API, or the Users page in the IAM console to change the password for any IAM user. Use [ChangePassword](https://docs.aws.amazon.com/IAM/latest/APIReference/API_ChangePassword.html) to change your own password in the My Security Credentials page in the Amazon Web Services Management Console. For more information about modifying passwords, see [Managing passwords](https://docs.aws.amazon.com/IAM/latest/UserGuide/Using_ManagingLogins.html) in the IAM User Guide. /// - /// - Parameter UpdateLoginProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLoginProfileInput`) /// - /// - Returns: `UpdateLoginProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLoginProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11238,7 +11086,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLoginProfileOutput.httpOutput(from:), UpdateLoginProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11272,9 +11119,9 @@ extension IAMClient { /// /// Replaces the existing list of server certificate thumbprints associated with an OpenID Connect (OIDC) provider resource object with a new list of thumbprints. The list that you pass with this operation completely replaces the existing list of thumbprints. (The lists are not merged.) Typically, you need to update a thumbprint only when the identity provider certificate changes, which occurs rarely. However, if the provider's certificate does change, any attempt to assume an IAM role that specifies the OIDC provider as a principal fails until the certificate thumbprint is updated. Amazon Web Services secures communication with OIDC identity providers (IdPs) using our library of trusted root certificate authorities (CAs) to verify the JSON Web Key Set (JWKS) endpoint's TLS certificate. If your OIDC IdP relies on a certificate that is not signed by one of these trusted CAs, only then we secure communication using the thumbprints set in the IdP's configuration. Trust for the OIDC provider is derived from the provider certificate and is validated by the thumbprint. Therefore, it is best to limit access to the UpdateOpenIDConnectProviderThumbprint operation to highly privileged users. /// - /// - Parameter UpdateOpenIDConnectProviderThumbprintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOpenIDConnectProviderThumbprintInput`) /// - /// - Returns: `UpdateOpenIDConnectProviderThumbprintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOpenIDConnectProviderThumbprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11308,7 +11155,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOpenIDConnectProviderThumbprintOutput.httpOutput(from:), UpdateOpenIDConnectProviderThumbprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11342,9 +11188,9 @@ extension IAMClient { /// /// Updates the description or maximum session duration setting of a role. /// - /// - Parameter UpdateRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoleInput`) /// - /// - Returns: `UpdateRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11378,7 +11224,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoleOutput.httpOutput(from:), UpdateRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11412,9 +11257,9 @@ extension IAMClient { /// /// Use [UpdateRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UpdateRole.html) instead. Modifies only the description of a role. This operation performs the same function as the Description parameter in the UpdateRole operation. /// - /// - Parameter UpdateRoleDescriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoleDescriptionInput`) /// - /// - Returns: `UpdateRoleDescriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoleDescriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11448,7 +11293,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoleDescriptionOutput.httpOutput(from:), UpdateRoleDescriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11482,9 +11326,9 @@ extension IAMClient { /// /// Updates the metadata document, SAML encryption settings, and private keys for an existing SAML provider. To rotate private keys, add your new private key and then remove the old key in a separate request. /// - /// - Parameter UpdateSAMLProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSAMLProviderInput`) /// - /// - Returns: `UpdateSAMLProviderOutput` : Contains the response to a successful [UpdateSAMLProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UpdateSAMLProvider.html) request. + /// - Returns: Contains the response to a successful [UpdateSAMLProvider](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UpdateSAMLProvider.html) request. (Type: `UpdateSAMLProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11519,7 +11363,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSAMLProviderOutput.httpOutput(from:), UpdateSAMLProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11553,9 +11396,9 @@ extension IAMClient { /// /// Sets the status of an IAM user's SSH public key to active or inactive. SSH public keys that are inactive cannot be used for authentication. This operation can be used to disable a user's SSH public key as part of a key rotation work flow. The SSH public key affected by this operation is used only for authenticating the associated IAM user to an CodeCommit repository. For more information about using SSH keys to authenticate to an CodeCommit repository, see [Set up CodeCommit for SSH connections](https://docs.aws.amazon.com/codecommit/latest/userguide/setting-up-credentials-ssh.html) in the CodeCommit User Guide. /// - /// - Parameter UpdateSSHPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSSHPublicKeyInput`) /// - /// - Returns: `UpdateSSHPublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSSHPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11588,7 +11431,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSSHPublicKeyOutput.httpOutput(from:), UpdateSSHPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11622,9 +11464,9 @@ extension IAMClient { /// /// Updates the name and/or the path of the specified server certificate stored in IAM. For more information about working with server certificates, see [Working with server certificates](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_server-certs.html) in the IAM User Guide. This topic also includes a list of Amazon Web Services services that can use the server certificates that you manage with IAM. You should understand the implications of changing a server certificate's path or name. For more information, see [Renaming a server certificate](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_server-certs_manage.html#RenamingServerCerts) in the IAM User Guide. The person making the request (the principal), must have permission to change the server certificate with the old name and the new name. For example, to change the certificate named ProductionCert to ProdCert, the principal must have a policy that allows them to update both certificates. If the principal has permission to update the ProductionCert group, but not the ProdCert certificate, then the update fails. For more information about permissions, see [Access management](https://docs.aws.amazon.com/IAM/latest/UserGuide/access.html) in the IAM User Guide. /// - /// - Parameter UpdateServerCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServerCertificateInput`) /// - /// - Returns: `UpdateServerCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServerCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11659,7 +11501,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServerCertificateOutput.httpOutput(from:), UpdateServerCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11693,9 +11534,9 @@ extension IAMClient { /// /// Sets the status of a service-specific credential to Active or Inactive. Service-specific credentials that are inactive cannot be used for authentication to the service. This operation can be used to disable a user's service-specific credential as part of a credential rotation work flow. /// - /// - Parameter UpdateServiceSpecificCredentialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceSpecificCredentialInput`) /// - /// - Returns: `UpdateServiceSpecificCredentialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceSpecificCredentialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11727,7 +11568,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceSpecificCredentialOutput.httpOutput(from:), UpdateServiceSpecificCredentialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11761,9 +11601,9 @@ extension IAMClient { /// /// Changes the status of the specified user signing certificate from active to disabled, or vice versa. This operation can be used to disable an IAM user's signing certificate as part of a certificate rotation work flow. If the UserName field is not specified, the user name is determined implicitly based on the Amazon Web Services access key ID used to sign the request. This operation works for access keys under the Amazon Web Services account. Consequently, you can use this operation to manage Amazon Web Services account root user credentials even if the Amazon Web Services account has no associated users. /// - /// - Parameter UpdateSigningCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSigningCertificateInput`) /// - /// - Returns: `UpdateSigningCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSigningCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11798,7 +11638,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSigningCertificateOutput.httpOutput(from:), UpdateSigningCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11832,9 +11671,9 @@ extension IAMClient { /// /// Updates the name and/or the path of the specified IAM user. You should understand the implications of changing an IAM user's path or name. For more information, see [Renaming an IAM user](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_users_manage.html#id_users_renaming) and [Renaming an IAM group](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_groups_manage_rename.html) in the IAM User Guide. To change a user name, the requester must have appropriate permissions on both the source object and the target object. For example, to change Bob to Robert, the entity making the request must have permission on Bob and Robert, or must have permission on all (*). For more information about permissions, see [Permissions and policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/PermissionsAndPolicies.html). /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11871,7 +11710,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11905,9 +11743,9 @@ extension IAMClient { /// /// Uploads an SSH public key and associates it with the specified IAM user. The SSH public key uploaded by this operation can be used only for authenticating the associated IAM user to an CodeCommit repository. For more information about using SSH keys to authenticate to an CodeCommit repository, see [Set up CodeCommit for SSH connections](https://docs.aws.amazon.com/codecommit/latest/userguide/setting-up-credentials-ssh.html) in the CodeCommit User Guide. /// - /// - Parameter UploadSSHPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UploadSSHPublicKeyInput`) /// - /// - Returns: `UploadSSHPublicKeyOutput` : Contains the response to a successful [UploadSSHPublicKey](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UploadSSHPublicKey.html) request. + /// - Returns: Contains the response to a successful [UploadSSHPublicKey](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UploadSSHPublicKey.html) request. (Type: `UploadSSHPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11943,7 +11781,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadSSHPublicKeyOutput.httpOutput(from:), UploadSSHPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11977,9 +11814,9 @@ extension IAMClient { /// /// Uploads a server certificate entity for the Amazon Web Services account. The server certificate entity includes a public key certificate, a private key, and an optional certificate chain, which should all be PEM-encoded. We recommend that you use [Certificate Manager](https://docs.aws.amazon.com/acm/) to provision, manage, and deploy your server certificates. With ACM you can request a certificate, deploy it to Amazon Web Services resources, and let ACM handle certificate renewals for you. Certificates provided by ACM are free. For more information about using ACM, see the [Certificate Manager User Guide](https://docs.aws.amazon.com/acm/latest/userguide/). For more information about working with server certificates, see [Working with server certificates](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_server-certs.html) in the IAM User Guide. This topic includes a list of Amazon Web Services services that can use the server certificates that you manage with IAM. For information about the number of server certificates you can upload, see [IAM and STS quotas](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_iam-quotas.html) in the IAM User Guide. Because the body of the public key certificate, private key, and the certificate chain can be large, you should use POST rather than GET when calling UploadServerCertificate. For information about setting up signatures and authorization through the API, see [Signing Amazon Web Services API requests](https://docs.aws.amazon.com/general/latest/gr/signing_aws_api_requests.html) in the Amazon Web Services General Reference. For general information about using the Query API with IAM, see [Calling the API by making HTTP query requests](https://docs.aws.amazon.com/IAM/latest/UserGuide/programming.html) in the IAM User Guide. /// - /// - Parameter UploadServerCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UploadServerCertificateInput`) /// - /// - Returns: `UploadServerCertificateOutput` : Contains the response to a successful [UploadServerCertificate](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UploadServerCertificate.html) request. + /// - Returns: Contains the response to a successful [UploadServerCertificate](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UploadServerCertificate.html) request. (Type: `UploadServerCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12017,7 +11854,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadServerCertificateOutput.httpOutput(from:), UploadServerCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12051,9 +11887,9 @@ extension IAMClient { /// /// Uploads an X.509 signing certificate and associates it with the specified IAM user. Some Amazon Web Services services require you to use certificates to validate requests that are signed with a corresponding private key. When you upload the certificate, its default status is Active. For information about when you would use an X.509 signing certificate, see [Managing server certificates in IAM](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_server-certs.html) in the IAM User Guide. If the UserName is not specified, the IAM user name is determined implicitly based on the Amazon Web Services access key ID used to sign the request. This operation works for access keys under the Amazon Web Services account. Consequently, you can use this operation to manage Amazon Web Services account root user credentials even if the Amazon Web Services account has no associated users. Because the body of an X.509 certificate can be large, you should use POST rather than GET when calling UploadSigningCertificate. For information about setting up signatures and authorization through the API, see [Signing Amazon Web Services API requests](https://docs.aws.amazon.com/general/latest/gr/signing_aws_api_requests.html) in the Amazon Web Services General Reference. For general information about using the Query API with IAM, see [Making query requests](https://docs.aws.amazon.com/IAM/latest/UserGuide/IAM_UsingQueryAPI.html) in the IAM User Guide. /// - /// - Parameter UploadSigningCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UploadSigningCertificateInput`) /// - /// - Returns: `UploadSigningCertificateOutput` : Contains the response to a successful [UploadSigningCertificate](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UploadSigningCertificate.html) request. + /// - Returns: Contains the response to a successful [UploadSigningCertificate](https://docs.aws.amazon.com/IAM/latest/APIReference/API_UploadSigningCertificate.html) request. (Type: `UploadSigningCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12092,7 +11928,6 @@ extension IAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadSigningCertificateOutput.httpOutput(from:), UploadSigningCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIVSRealTime/Sources/AWSIVSRealTime/IVSRealTimeClient.swift b/Sources/Services/AWSIVSRealTime/Sources/AWSIVSRealTime/IVSRealTimeClient.swift index af703f6a133..34fc3f39056 100644 --- a/Sources/Services/AWSIVSRealTime/Sources/AWSIVSRealTime/IVSRealTimeClient.swift +++ b/Sources/Services/AWSIVSRealTime/Sources/AWSIVSRealTime/IVSRealTimeClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IVSRealTimeClient: ClientRuntime.Client { public static let clientName = "IVSRealTimeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IVSRealTimeClient.IVSRealTimeClientConfiguration let serviceName = "IVS RealTime" @@ -374,9 +373,9 @@ extension IVSRealTimeClient { /// /// Creates an EncoderConfiguration object. /// - /// - Parameter CreateEncoderConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEncoderConfigurationInput`) /// - /// - Returns: `CreateEncoderConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEncoderConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEncoderConfigurationOutput.httpOutput(from:), CreateEncoderConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension IVSRealTimeClient { /// /// Creates a new IngestConfiguration resource, used to specify the ingest protocol for a stage. /// - /// - Parameter CreateIngestConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIngestConfigurationInput`) /// - /// - Returns: `CreateIngestConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIngestConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIngestConfigurationOutput.httpOutput(from:), CreateIngestConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension IVSRealTimeClient { /// /// Creates an additional token for a specified stage. This can be done after stage creation or when tokens expire. Tokens always are scoped to the stage for which they are created. Encryption keys are owned by Amazon IVS and never used directly by your application. /// - /// - Parameter CreateParticipantTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateParticipantTokenInput`) /// - /// - Returns: `CreateParticipantTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateParticipantTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateParticipantTokenOutput.httpOutput(from:), CreateParticipantTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension IVSRealTimeClient { /// /// Creates a new stage (and optionally participant tokens). /// - /// - Parameter CreateStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStageInput`) /// - /// - Returns: `CreateStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStageOutput.httpOutput(from:), CreateStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension IVSRealTimeClient { /// /// Creates a new storage configuration, used to enable recording to Amazon S3. When a StorageConfiguration is created, IVS will modify the S3 bucketPolicy of the provided bucket. This will ensure that IVS has sufficient permissions to write content to the provided bucket. /// - /// - Parameter CreateStorageConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStorageConfigurationInput`) /// - /// - Returns: `CreateStorageConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStorageConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStorageConfigurationOutput.httpOutput(from:), CreateStorageConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension IVSRealTimeClient { /// /// Deletes an EncoderConfiguration resource. Ensures that no Compositions are using this template; otherwise, returns an error. /// - /// - Parameter DeleteEncoderConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEncoderConfigurationInput`) /// - /// - Returns: `DeleteEncoderConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEncoderConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEncoderConfigurationOutput.httpOutput(from:), DeleteEncoderConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension IVSRealTimeClient { /// /// Deletes a specified IngestConfiguration, so it can no longer be used to broadcast. An IngestConfiguration cannot be deleted if the publisher is actively streaming to a stage, unless force is set to true. /// - /// - Parameter DeleteIngestConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIngestConfigurationInput`) /// - /// - Returns: `DeleteIngestConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIngestConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -849,7 +842,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIngestConfigurationOutput.httpOutput(from:), DeleteIngestConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -881,9 +873,9 @@ extension IVSRealTimeClient { /// /// Deletes the specified public key used to sign stage participant tokens. This invalidates future participant tokens generated using the key pair’s private key. /// - /// - Parameter DeletePublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePublicKeyInput`) /// - /// - Returns: `DeletePublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -921,7 +913,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePublicKeyOutput.httpOutput(from:), DeletePublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +944,9 @@ extension IVSRealTimeClient { /// /// Shuts down and deletes the specified stage (disconnecting all participants). This operation also removes the stageArn from the associated [IngestConfiguration], if there are participants using the IngestConfiguration to publish to the stage. /// - /// - Parameter DeleteStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStageInput`) /// - /// - Returns: `DeleteStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -993,7 +984,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStageOutput.httpOutput(from:), DeleteStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1025,9 +1015,9 @@ extension IVSRealTimeClient { /// /// Deletes the storage configuration for the specified ARN. If you try to delete a storage configuration that is used by a Composition, you will get an error (409 ConflictException). To avoid this, for all Compositions that reference the storage configuration, first use [StopComposition] and wait for it to complete, then use DeleteStorageConfiguration. /// - /// - Parameter DeleteStorageConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStorageConfigurationInput`) /// - /// - Returns: `DeleteStorageConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStorageConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1066,7 +1056,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStorageConfigurationOutput.httpOutput(from:), DeleteStorageConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1098,9 +1087,9 @@ extension IVSRealTimeClient { /// /// Disconnects a specified participant from a specified stage. If the participant is publishing using an [IngestConfiguration], DisconnectParticipant also updates the stageArn in the IngestConfiguration to be an empty string. /// - /// - Parameter DisconnectParticipantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisconnectParticipantInput`) /// - /// - Returns: `DisconnectParticipantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisconnectParticipantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1137,7 +1126,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisconnectParticipantOutput.httpOutput(from:), DisconnectParticipantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1169,9 +1157,9 @@ extension IVSRealTimeClient { /// /// Get information about the specified Composition resource. /// - /// - Parameter GetCompositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCompositionInput`) /// - /// - Returns: `GetCompositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCompositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1210,7 +1198,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCompositionOutput.httpOutput(from:), GetCompositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1242,9 +1229,9 @@ extension IVSRealTimeClient { /// /// Gets information about the specified EncoderConfiguration resource. /// - /// - Parameter GetEncoderConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEncoderConfigurationInput`) /// - /// - Returns: `GetEncoderConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEncoderConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1283,7 +1270,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEncoderConfigurationOutput.httpOutput(from:), GetEncoderConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1315,9 +1301,9 @@ extension IVSRealTimeClient { /// /// Gets information about the specified IngestConfiguration. /// - /// - Parameter GetIngestConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIngestConfigurationInput`) /// - /// - Returns: `GetIngestConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIngestConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1353,7 +1339,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIngestConfigurationOutput.httpOutput(from:), GetIngestConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1385,9 +1370,9 @@ extension IVSRealTimeClient { /// /// Gets information about the specified participant token. /// - /// - Parameter GetParticipantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetParticipantInput`) /// - /// - Returns: `GetParticipantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetParticipantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1423,7 +1408,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetParticipantOutput.httpOutput(from:), GetParticipantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1455,9 +1439,9 @@ extension IVSRealTimeClient { /// /// Gets information for the specified public key. /// - /// - Parameter GetPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPublicKeyInput`) /// - /// - Returns: `GetPublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1493,7 +1477,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPublicKeyOutput.httpOutput(from:), GetPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1525,9 +1508,9 @@ extension IVSRealTimeClient { /// /// Gets information for the specified stage. /// - /// - Parameter GetStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStageInput`) /// - /// - Returns: `GetStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1563,7 +1546,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStageOutput.httpOutput(from:), GetStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1595,9 +1577,9 @@ extension IVSRealTimeClient { /// /// Gets information for the specified stage session. /// - /// - Parameter GetStageSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStageSessionInput`) /// - /// - Returns: `GetStageSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStageSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1633,7 +1615,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStageSessionOutput.httpOutput(from:), GetStageSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1665,9 +1646,9 @@ extension IVSRealTimeClient { /// /// Gets the storage configuration for the specified ARN. /// - /// - Parameter GetStorageConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStorageConfigurationInput`) /// - /// - Returns: `GetStorageConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStorageConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1706,7 +1687,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStorageConfigurationOutput.httpOutput(from:), GetStorageConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1738,9 +1718,9 @@ extension IVSRealTimeClient { /// /// Import a public key to be used for signing stage participant tokens. /// - /// - Parameter ImportPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportPublicKeyInput`) /// - /// - Returns: `ImportPublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1778,7 +1758,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportPublicKeyOutput.httpOutput(from:), ImportPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1810,9 +1789,9 @@ extension IVSRealTimeClient { /// /// Gets summary information about all Compositions in your account, in the AWS region where the API request is processed. /// - /// - Parameter ListCompositionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCompositionsInput`) /// - /// - Returns: `ListCompositionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCompositionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1850,7 +1829,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCompositionsOutput.httpOutput(from:), ListCompositionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1882,9 +1860,9 @@ extension IVSRealTimeClient { /// /// Gets summary information about all EncoderConfigurations in your account, in the AWS region where the API request is processed. /// - /// - Parameter ListEncoderConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEncoderConfigurationsInput`) /// - /// - Returns: `ListEncoderConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEncoderConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1922,7 +1900,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEncoderConfigurationsOutput.httpOutput(from:), ListEncoderConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1954,9 +1931,9 @@ extension IVSRealTimeClient { /// /// Lists all IngestConfigurations in your account, in the AWS region where the API request is processed. /// - /// - Parameter ListIngestConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIngestConfigurationsInput`) /// - /// - Returns: `ListIngestConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIngestConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1991,7 +1968,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIngestConfigurationsOutput.httpOutput(from:), ListIngestConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2023,9 +1999,9 @@ extension IVSRealTimeClient { /// /// Lists events for a specified participant that occurred during a specified stage session. /// - /// - Parameter ListParticipantEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListParticipantEventsInput`) /// - /// - Returns: `ListParticipantEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListParticipantEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2060,7 +2036,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListParticipantEventsOutput.httpOutput(from:), ListParticipantEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2092,9 +2067,9 @@ extension IVSRealTimeClient { /// /// Lists all the replicas for a participant from a source stage. /// - /// - Parameter ListParticipantReplicasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListParticipantReplicasInput`) /// - /// - Returns: `ListParticipantReplicasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListParticipantReplicasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2129,7 +2104,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListParticipantReplicasOutput.httpOutput(from:), ListParticipantReplicasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2161,9 +2135,9 @@ extension IVSRealTimeClient { /// /// Lists all participants in a specified stage session. /// - /// - Parameter ListParticipantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListParticipantsInput`) /// - /// - Returns: `ListParticipantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListParticipantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2198,7 +2172,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListParticipantsOutput.httpOutput(from:), ListParticipantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2230,9 +2203,9 @@ extension IVSRealTimeClient { /// /// Gets summary information about all public keys in your account, in the AWS region where the API request is processed. /// - /// - Parameter ListPublicKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPublicKeysInput`) /// - /// - Returns: `ListPublicKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPublicKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2267,7 +2240,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPublicKeysOutput.httpOutput(from:), ListPublicKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2299,9 +2271,9 @@ extension IVSRealTimeClient { /// /// Gets all sessions for a specified stage. /// - /// - Parameter ListStageSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStageSessionsInput`) /// - /// - Returns: `ListStageSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStageSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2336,7 +2308,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStageSessionsOutput.httpOutput(from:), ListStageSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2368,9 +2339,9 @@ extension IVSRealTimeClient { /// /// Gets summary information about all stages in your account, in the AWS region where the API request is processed. /// - /// - Parameter ListStagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStagesInput`) /// - /// - Returns: `ListStagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2406,7 +2377,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStagesOutput.httpOutput(from:), ListStagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2438,9 +2408,9 @@ extension IVSRealTimeClient { /// /// Gets summary information about all storage configurations in your account, in the AWS region where the API request is processed. /// - /// - Parameter ListStorageConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStorageConfigurationsInput`) /// - /// - Returns: `ListStorageConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStorageConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2478,7 +2448,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStorageConfigurationsOutput.httpOutput(from:), ListStorageConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2510,9 +2479,9 @@ extension IVSRealTimeClient { /// /// Gets information about AWS tags for the specified ARN. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2545,7 +2514,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2587,9 +2555,9 @@ extension IVSRealTimeClient { /// /// * When broadcasting is disconnected and all attempts to reconnect are exhausted. /// - /// - Parameter StartCompositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCompositionInput`) /// - /// - Returns: `StartCompositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCompositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2630,7 +2598,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCompositionOutput.httpOutput(from:), StartCompositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2662,9 +2629,9 @@ extension IVSRealTimeClient { /// /// Starts replicating a publishing participant from a source stage to a destination stage. /// - /// - Parameter StartParticipantReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartParticipantReplicationInput`) /// - /// - Returns: `StartParticipantReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartParticipantReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2704,7 +2671,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartParticipantReplicationOutput.httpOutput(from:), StartParticipantReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2736,9 +2702,9 @@ extension IVSRealTimeClient { /// /// Stops and deletes a Composition resource. Any broadcast from the Composition resource is stopped. /// - /// - Parameter StopCompositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopCompositionInput`) /// - /// - Returns: `StopCompositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopCompositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2777,7 +2743,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopCompositionOutput.httpOutput(from:), StopCompositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2809,9 +2774,9 @@ extension IVSRealTimeClient { /// /// Stops a replicated participant session. /// - /// - Parameter StopParticipantReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopParticipantReplicationInput`) /// - /// - Returns: `StopParticipantReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopParticipantReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2848,7 +2813,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopParticipantReplicationOutput.httpOutput(from:), StopParticipantReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2880,9 +2844,9 @@ extension IVSRealTimeClient { /// /// Adds or updates tags for the AWS resource with the specified ARN. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2918,7 +2882,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2950,9 +2913,9 @@ extension IVSRealTimeClient { /// /// Removes tags from the resource with the specified ARN. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2986,7 +2949,6 @@ extension IVSRealTimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3018,9 +2980,9 @@ extension IVSRealTimeClient { /// /// Updates a specified IngestConfiguration. Only the stage ARN attached to the IngestConfiguration can be updated. An IngestConfiguration that is active cannot be updated. /// - /// - Parameter UpdateIngestConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIngestConfigurationInput`) /// - /// - Returns: `UpdateIngestConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIngestConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3058,7 +3020,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIngestConfigurationOutput.httpOutput(from:), UpdateIngestConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3090,9 +3051,9 @@ extension IVSRealTimeClient { /// /// Updates a stage’s configuration. /// - /// - Parameter UpdateStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStageInput`) /// - /// - Returns: `UpdateStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3131,7 +3092,6 @@ extension IVSRealTimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStageOutput.httpOutput(from:), UpdateStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIdentitystore/Sources/AWSIdentitystore/IdentitystoreClient.swift b/Sources/Services/AWSIdentitystore/Sources/AWSIdentitystore/IdentitystoreClient.swift index cff4345bfd9..499e5abc35b 100644 --- a/Sources/Services/AWSIdentitystore/Sources/AWSIdentitystore/IdentitystoreClient.swift +++ b/Sources/Services/AWSIdentitystore/Sources/AWSIdentitystore/IdentitystoreClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IdentitystoreClient: ClientRuntime.Client { public static let clientName = "IdentitystoreClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IdentitystoreClient.IdentitystoreClientConfiguration let serviceName = "identitystore" @@ -373,9 +372,9 @@ extension IdentitystoreClient { /// /// Creates a group within the specified identity store. /// - /// - Parameter CreateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupInput`) /// - /// - Returns: `CreateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupOutput.httpOutput(from:), CreateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension IdentitystoreClient { /// /// Creates a relationship between a member and a group. The following identifiers must be specified: GroupId, IdentityStoreId, and MemberId. /// - /// - Parameter CreateGroupMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupMembershipInput`) /// - /// - Returns: `CreateGroupMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -496,7 +494,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupMembershipOutput.httpOutput(from:), CreateGroupMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -531,9 +528,9 @@ extension IdentitystoreClient { /// /// Creates a user within the specified identity store. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -575,7 +572,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -610,9 +606,9 @@ extension IdentitystoreClient { /// /// Delete a group within an identity store given GroupId. /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -653,7 +649,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -688,9 +683,9 @@ extension IdentitystoreClient { /// /// Delete a membership within a group given MembershipId. /// - /// - Parameter DeleteGroupMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupMembershipInput`) /// - /// - Returns: `DeleteGroupMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -731,7 +726,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupMembershipOutput.httpOutput(from:), DeleteGroupMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -766,9 +760,9 @@ extension IdentitystoreClient { /// /// Deletes a user within an identity store given UserId. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -809,7 +803,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -844,9 +837,9 @@ extension IdentitystoreClient { /// /// Retrieves the group metadata and attributes from GroupId in an identity store. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter DescribeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGroupInput`) /// - /// - Returns: `DescribeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -882,7 +875,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGroupOutput.httpOutput(from:), DescribeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -917,9 +909,9 @@ extension IdentitystoreClient { /// /// Retrieves membership metadata and attributes from MembershipId in an identity store. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter DescribeGroupMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGroupMembershipInput`) /// - /// - Returns: `DescribeGroupMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGroupMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -955,7 +947,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGroupMembershipOutput.httpOutput(from:), DescribeGroupMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -990,9 +981,9 @@ extension IdentitystoreClient { /// /// Retrieves the user metadata and attributes from the UserId in an identity store. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter DescribeUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserInput`) /// - /// - Returns: `DescribeUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1028,7 +1019,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserOutput.httpOutput(from:), DescribeUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1063,9 +1053,9 @@ extension IdentitystoreClient { /// /// Retrieves GroupId in an identity store. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter GetGroupIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupIdInput`) /// - /// - Returns: `GetGroupIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1101,7 +1091,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupIdOutput.httpOutput(from:), GetGroupIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1136,9 +1125,9 @@ extension IdentitystoreClient { /// /// Retrieves the MembershipId in an identity store. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter GetGroupMembershipIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupMembershipIdInput`) /// - /// - Returns: `GetGroupMembershipIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupMembershipIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1174,7 +1163,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupMembershipIdOutput.httpOutput(from:), GetGroupMembershipIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1209,9 +1197,9 @@ extension IdentitystoreClient { /// /// Retrieves the UserId in an identity store. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter GetUserIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserIdInput`) /// - /// - Returns: `GetUserIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1247,7 +1235,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserIdOutput.httpOutput(from:), GetUserIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1282,9 +1269,9 @@ extension IdentitystoreClient { /// /// Checks the user's membership in all requested groups and returns if the member exists in all queried groups. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter IsMemberInGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `IsMemberInGroupsInput`) /// - /// - Returns: `IsMemberInGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IsMemberInGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1320,7 +1307,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IsMemberInGroupsOutput.httpOutput(from:), IsMemberInGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1355,9 +1341,9 @@ extension IdentitystoreClient { /// /// For the specified group in the specified identity store, returns the list of all GroupMembership objects and returns results in paginated form. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter ListGroupMembershipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupMembershipsInput`) /// - /// - Returns: `ListGroupMembershipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupMembershipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1393,7 +1379,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupMembershipsOutput.httpOutput(from:), ListGroupMembershipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1428,9 +1413,9 @@ extension IdentitystoreClient { /// /// For the specified member in the specified identity store, returns the list of all GroupMembership objects and returns results in paginated form. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter ListGroupMembershipsForMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupMembershipsForMemberInput`) /// - /// - Returns: `ListGroupMembershipsForMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupMembershipsForMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1466,7 +1451,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupMembershipsForMemberOutput.httpOutput(from:), ListGroupMembershipsForMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1501,9 +1485,9 @@ extension IdentitystoreClient { /// /// Lists all groups in the identity store. Returns a paginated list of complete Group objects. Filtering for a Group by the DisplayName attribute is deprecated. Instead, use the GetGroupId API action. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter ListGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsInput`) /// - /// - Returns: `ListGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1539,7 +1523,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOutput.httpOutput(from:), ListGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1574,9 +1557,9 @@ extension IdentitystoreClient { /// /// Lists all users in the identity store. Returns a paginated list of complete User objects. Filtering for a User by the UserName attribute is deprecated. Instead, use the GetUserId API action. If you have administrator access to a member account, you can use this API from the member account. Read about [member accounts](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_accounts_access.html) in the Organizations User Guide. /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1595,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1647,9 +1629,9 @@ extension IdentitystoreClient { /// /// For the specified group in the specified identity store, updates the group metadata and attributes. /// - /// - Parameter UpdateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupInput`) /// - /// - Returns: `UpdateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1691,7 +1673,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupOutput.httpOutput(from:), UpdateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1726,9 +1707,9 @@ extension IdentitystoreClient { /// /// For the specified user in the specified identity store, updates the user metadata and attributes. /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1770,7 +1751,6 @@ extension IdentitystoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSImagebuilder/Sources/AWSImagebuilder/ImagebuilderClient.swift b/Sources/Services/AWSImagebuilder/Sources/AWSImagebuilder/ImagebuilderClient.swift index 43d13bfd73d..1c610fbffb5 100644 --- a/Sources/Services/AWSImagebuilder/Sources/AWSImagebuilder/ImagebuilderClient.swift +++ b/Sources/Services/AWSImagebuilder/Sources/AWSImagebuilder/ImagebuilderClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ImagebuilderClient: ClientRuntime.Client { public static let clientName = "ImagebuilderClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ImagebuilderClient.ImagebuilderClientConfiguration let serviceName = "imagebuilder" @@ -375,9 +374,9 @@ extension ImagebuilderClient { /// /// CancelImageCreation cancels the creation of Image. This operation can only be used on images in a non-terminal state. /// - /// - Parameter CancelImageCreationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelImageCreationInput`) /// - /// - Returns: `CancelImageCreationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelImageCreationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelImageCreationOutput.httpOutput(from:), CancelImageCreationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension ImagebuilderClient { /// /// Cancel a specific image lifecycle policy runtime instance. /// - /// - Parameter CancelLifecycleExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelLifecycleExecutionInput`) /// - /// - Returns: `CancelLifecycleExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelLifecycleExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -495,7 +493,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelLifecycleExecutionOutput.httpOutput(from:), CancelLifecycleExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -531,9 +528,9 @@ extension ImagebuilderClient { /// /// * A URL that points to a YAML document file stored in Amazon S3, using the uri property in the request body. /// - /// - Parameter CreateComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateComponentInput`) /// - /// - Returns: `CreateComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -578,7 +575,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComponentOutput.httpOutput(from:), CreateComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -610,9 +606,9 @@ extension ImagebuilderClient { /// /// Creates a new container recipe. Container recipes define how images are configured, tested, and assessed. /// - /// - Parameter CreateContainerRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContainerRecipeInput`) /// - /// - Returns: `CreateContainerRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContainerRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -657,7 +653,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContainerRecipeOutput.httpOutput(from:), CreateContainerRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -689,9 +684,9 @@ extension ImagebuilderClient { /// /// Creates a new distribution configuration. Distribution configurations define and configure the outputs of your pipeline. /// - /// - Parameter CreateDistributionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDistributionConfigurationInput`) /// - /// - Returns: `CreateDistributionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDistributionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -736,7 +731,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDistributionConfigurationOutput.httpOutput(from:), CreateDistributionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -768,9 +762,9 @@ extension ImagebuilderClient { /// /// Creates a new image. This request will create a new image along with all of the configured output resources defined in the distribution configuration. You must specify exactly one recipe for your image, using either a ContainerRecipeArn or an ImageRecipeArn. /// - /// - Parameter CreateImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImageInput`) /// - /// - Returns: `CreateImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -813,7 +807,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImageOutput.httpOutput(from:), CreateImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -845,9 +838,9 @@ extension ImagebuilderClient { /// /// Creates a new image pipeline. Image pipelines enable you to automate the creation and distribution of images. /// - /// - Parameter CreateImagePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImagePipelineInput`) /// - /// - Returns: `CreateImagePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImagePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -891,7 +884,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImagePipelineOutput.httpOutput(from:), CreateImagePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -923,9 +915,9 @@ extension ImagebuilderClient { /// /// Creates a new image recipe. Image recipes define how images are configured, tested, and assessed. /// - /// - Parameter CreateImageRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImageRecipeInput`) /// - /// - Returns: `CreateImageRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImageRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -970,7 +962,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImageRecipeOutput.httpOutput(from:), CreateImageRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1002,9 +993,9 @@ extension ImagebuilderClient { /// /// Creates a new infrastructure configuration. An infrastructure configuration defines the environment in which your image will be built and tested. /// - /// - Parameter CreateInfrastructureConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInfrastructureConfigurationInput`) /// - /// - Returns: `CreateInfrastructureConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInfrastructureConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1048,7 +1039,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInfrastructureConfigurationOutput.httpOutput(from:), CreateInfrastructureConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1080,9 +1070,9 @@ extension ImagebuilderClient { /// /// Create a lifecycle policy resource. /// - /// - Parameter CreateLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLifecyclePolicyInput`) /// - /// - Returns: `CreateLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1126,7 +1116,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLifecyclePolicyOutput.httpOutput(from:), CreateLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1158,9 +1147,9 @@ extension ImagebuilderClient { /// /// Create a new workflow or a new version of an existing workflow. /// - /// - Parameter CreateWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkflowInput`) /// - /// - Returns: `CreateWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1205,7 +1194,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkflowOutput.httpOutput(from:), CreateWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1237,9 +1225,9 @@ extension ImagebuilderClient { /// /// Deletes a component build version. /// - /// - Parameter DeleteComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteComponentInput`) /// - /// - Returns: `DeleteComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1277,7 +1265,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteComponentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteComponentOutput.httpOutput(from:), DeleteComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1309,9 +1296,9 @@ extension ImagebuilderClient { /// /// Deletes a container recipe. /// - /// - Parameter DeleteContainerRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContainerRecipeInput`) /// - /// - Returns: `DeleteContainerRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContainerRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1349,7 +1336,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteContainerRecipeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContainerRecipeOutput.httpOutput(from:), DeleteContainerRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1381,9 +1367,9 @@ extension ImagebuilderClient { /// /// Deletes a distribution configuration. /// - /// - Parameter DeleteDistributionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDistributionConfigurationInput`) /// - /// - Returns: `DeleteDistributionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDistributionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1421,7 +1407,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDistributionConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDistributionConfigurationOutput.httpOutput(from:), DeleteDistributionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1459,9 +1444,9 @@ extension ImagebuilderClient { /// /// * To delete a container image from Amazon ECR, see [Deleting an image](https://docs.aws.amazon.com/AmazonECR/latest/userguide/delete_image.html) in the Amazon ECR User Guide. /// - /// - Parameter DeleteImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImageInput`) /// - /// - Returns: `DeleteImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1499,7 +1484,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteImageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImageOutput.httpOutput(from:), DeleteImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1531,9 +1515,9 @@ extension ImagebuilderClient { /// /// Deletes an image pipeline. /// - /// - Parameter DeleteImagePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImagePipelineInput`) /// - /// - Returns: `DeleteImagePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImagePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1571,7 +1555,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteImagePipelineInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImagePipelineOutput.httpOutput(from:), DeleteImagePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1603,9 +1586,9 @@ extension ImagebuilderClient { /// /// Deletes an image recipe. /// - /// - Parameter DeleteImageRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImageRecipeInput`) /// - /// - Returns: `DeleteImageRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImageRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1643,7 +1626,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteImageRecipeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImageRecipeOutput.httpOutput(from:), DeleteImageRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1675,9 +1657,9 @@ extension ImagebuilderClient { /// /// Deletes an infrastructure configuration. /// - /// - Parameter DeleteInfrastructureConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInfrastructureConfigurationInput`) /// - /// - Returns: `DeleteInfrastructureConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInfrastructureConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1715,7 +1697,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteInfrastructureConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInfrastructureConfigurationOutput.httpOutput(from:), DeleteInfrastructureConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1747,9 +1728,9 @@ extension ImagebuilderClient { /// /// Delete the specified lifecycle policy resource. /// - /// - Parameter DeleteLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLifecyclePolicyInput`) /// - /// - Returns: `DeleteLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1787,7 +1768,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteLifecyclePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLifecyclePolicyOutput.httpOutput(from:), DeleteLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1819,9 +1799,9 @@ extension ImagebuilderClient { /// /// Deletes a specific workflow resource. /// - /// - Parameter DeleteWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkflowInput`) /// - /// - Returns: `DeleteWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1859,7 +1839,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteWorkflowInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkflowOutput.httpOutput(from:), DeleteWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1891,9 +1870,9 @@ extension ImagebuilderClient { /// /// Gets a component object. /// - /// - Parameter GetComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComponentInput`) /// - /// - Returns: `GetComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1930,7 +1909,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetComponentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComponentOutput.httpOutput(from:), GetComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1962,9 +1940,9 @@ extension ImagebuilderClient { /// /// Gets a component policy. /// - /// - Parameter GetComponentPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComponentPolicyInput`) /// - /// - Returns: `GetComponentPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComponentPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2001,7 +1979,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetComponentPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComponentPolicyOutput.httpOutput(from:), GetComponentPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2033,9 +2010,9 @@ extension ImagebuilderClient { /// /// Retrieves a container recipe. /// - /// - Parameter GetContainerRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContainerRecipeInput`) /// - /// - Returns: `GetContainerRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContainerRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2072,7 +2049,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetContainerRecipeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContainerRecipeOutput.httpOutput(from:), GetContainerRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2104,9 +2080,9 @@ extension ImagebuilderClient { /// /// Retrieves the policy for a container recipe. /// - /// - Parameter GetContainerRecipePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContainerRecipePolicyInput`) /// - /// - Returns: `GetContainerRecipePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContainerRecipePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2143,7 +2119,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetContainerRecipePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContainerRecipePolicyOutput.httpOutput(from:), GetContainerRecipePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2175,9 +2150,9 @@ extension ImagebuilderClient { /// /// Gets a distribution configuration. /// - /// - Parameter GetDistributionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDistributionConfigurationInput`) /// - /// - Returns: `GetDistributionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDistributionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2214,7 +2189,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDistributionConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDistributionConfigurationOutput.httpOutput(from:), GetDistributionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2246,9 +2220,9 @@ extension ImagebuilderClient { /// /// Gets an image. /// - /// - Parameter GetImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImageInput`) /// - /// - Returns: `GetImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2285,7 +2259,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetImageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImageOutput.httpOutput(from:), GetImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2317,9 +2290,9 @@ extension ImagebuilderClient { /// /// Gets an image pipeline. /// - /// - Parameter GetImagePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImagePipelineInput`) /// - /// - Returns: `GetImagePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImagePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2356,7 +2329,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetImagePipelineInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImagePipelineOutput.httpOutput(from:), GetImagePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2388,9 +2360,9 @@ extension ImagebuilderClient { /// /// Gets an image policy. /// - /// - Parameter GetImagePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImagePolicyInput`) /// - /// - Returns: `GetImagePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImagePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2427,7 +2399,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetImagePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImagePolicyOutput.httpOutput(from:), GetImagePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2459,9 +2430,9 @@ extension ImagebuilderClient { /// /// Gets an image recipe. /// - /// - Parameter GetImageRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImageRecipeInput`) /// - /// - Returns: `GetImageRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImageRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2498,7 +2469,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetImageRecipeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImageRecipeOutput.httpOutput(from:), GetImageRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2530,9 +2500,9 @@ extension ImagebuilderClient { /// /// Gets an image recipe policy. /// - /// - Parameter GetImageRecipePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImageRecipePolicyInput`) /// - /// - Returns: `GetImageRecipePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImageRecipePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2569,7 +2539,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetImageRecipePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImageRecipePolicyOutput.httpOutput(from:), GetImageRecipePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2601,9 +2570,9 @@ extension ImagebuilderClient { /// /// Gets an infrastructure configuration. /// - /// - Parameter GetInfrastructureConfigurationInput : GetInfrastructureConfiguration request object. + /// - Parameter input: GetInfrastructureConfiguration request object. (Type: `GetInfrastructureConfigurationInput`) /// - /// - Returns: `GetInfrastructureConfigurationOutput` : GetInfrastructureConfiguration response object. + /// - Returns: GetInfrastructureConfiguration response object. (Type: `GetInfrastructureConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2640,7 +2609,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetInfrastructureConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInfrastructureConfigurationOutput.httpOutput(from:), GetInfrastructureConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2672,9 +2640,9 @@ extension ImagebuilderClient { /// /// Get the runtime information that was logged for a specific runtime instance of the lifecycle policy. /// - /// - Parameter GetLifecycleExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLifecycleExecutionInput`) /// - /// - Returns: `GetLifecycleExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLifecycleExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2711,7 +2679,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLifecycleExecutionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLifecycleExecutionOutput.httpOutput(from:), GetLifecycleExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2743,9 +2710,9 @@ extension ImagebuilderClient { /// /// Get details for the specified image lifecycle policy. /// - /// - Parameter GetLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLifecyclePolicyInput`) /// - /// - Returns: `GetLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2782,7 +2749,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLifecyclePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLifecyclePolicyOutput.httpOutput(from:), GetLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2814,9 +2780,9 @@ extension ImagebuilderClient { /// /// Verify the subscription and perform resource dependency checks on the requested Amazon Web Services Marketplace resource. For Amazon Web Services Marketplace components, the response contains fields to download the components and their artifacts. /// - /// - Parameter GetMarketplaceResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMarketplaceResourceInput`) /// - /// - Returns: `GetMarketplaceResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMarketplaceResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2855,7 +2821,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMarketplaceResourceOutput.httpOutput(from:), GetMarketplaceResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2887,9 +2852,9 @@ extension ImagebuilderClient { /// /// Get a workflow resource object. /// - /// - Parameter GetWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowInput`) /// - /// - Returns: `GetWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2926,7 +2891,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWorkflowInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowOutput.httpOutput(from:), GetWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2958,9 +2922,9 @@ extension ImagebuilderClient { /// /// Get the runtime information that was logged for a specific runtime instance of the workflow. /// - /// - Parameter GetWorkflowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowExecutionInput`) /// - /// - Returns: `GetWorkflowExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2997,7 +2961,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWorkflowExecutionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowExecutionOutput.httpOutput(from:), GetWorkflowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3029,9 +2992,9 @@ extension ImagebuilderClient { /// /// Get the runtime information that was logged for a specific runtime instance of the workflow step. /// - /// - Parameter GetWorkflowStepExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowStepExecutionInput`) /// - /// - Returns: `GetWorkflowStepExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowStepExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3068,7 +3031,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWorkflowStepExecutionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowStepExecutionOutput.httpOutput(from:), GetWorkflowStepExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3100,9 +3062,9 @@ extension ImagebuilderClient { /// /// Imports a component and transforms its data into a component document. /// - /// - Parameter ImportComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportComponentInput`) /// - /// - Returns: `ImportComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3146,7 +3108,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportComponentOutput.httpOutput(from:), ImportComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3180,9 +3141,9 @@ extension ImagebuilderClient { /// /// * Windows 11 Enterprise /// - /// - Parameter ImportDiskImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportDiskImageInput`) /// - /// - Returns: `ImportDiskImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportDiskImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3219,7 +3180,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportDiskImageOutput.httpOutput(from:), ImportDiskImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3251,9 +3211,9 @@ extension ImagebuilderClient { /// /// When you export your virtual machine (VM) from its virtualization environment, that process creates a set of one or more disk container files that act as snapshots of your VM’s environment, settings, and data. The Amazon EC2 API [ImportImage](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_ImportImage.html) action uses those files to import your VM and create an AMI. To import using the CLI command, see [import-image](https://docs.aws.amazon.com/cli/latest/reference/ec2/import-image.html) You can reference the task ID from the VM import to pull in the AMI that the import created as the base image for your Image Builder recipe. /// - /// - Parameter ImportVmImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportVmImageInput`) /// - /// - Returns: `ImportVmImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportVmImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3290,7 +3250,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportVmImageOutput.httpOutput(from:), ImportVmImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3322,9 +3281,9 @@ extension ImagebuilderClient { /// /// Returns the list of component build versions for the specified component version Amazon Resource Name (ARN). /// - /// - Parameter ListComponentBuildVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentBuildVersionsInput`) /// - /// - Returns: `ListComponentBuildVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentBuildVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3364,7 +3323,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentBuildVersionsOutput.httpOutput(from:), ListComponentBuildVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3396,9 +3354,9 @@ extension ImagebuilderClient { /// /// Returns the list of components that can be filtered by name, or by using the listed filters to streamline results. Newly created components can take up to two minutes to appear in the ListComponents API Results. The semantic version has four nodes: ../. You can assign values for the first three, and can filter on all of them. Filtering: With semantic versioning, you have the flexibility to use wildcards (x) to specify the most recent versions or nodes when selecting the base image or components for your recipe. When you use a wildcard in any node, all nodes to the right of the first wildcard must also be wildcards. /// - /// - Parameter ListComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentsInput`) /// - /// - Returns: `ListComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3438,7 +3396,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentsOutput.httpOutput(from:), ListComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3470,9 +3427,9 @@ extension ImagebuilderClient { /// /// Returns a list of container recipes. /// - /// - Parameter ListContainerRecipesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContainerRecipesInput`) /// - /// - Returns: `ListContainerRecipesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContainerRecipesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3512,7 +3469,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContainerRecipesOutput.httpOutput(from:), ListContainerRecipesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3544,9 +3500,9 @@ extension ImagebuilderClient { /// /// Returns a list of distribution configurations. /// - /// - Parameter ListDistributionConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributionConfigurationsInput`) /// - /// - Returns: `ListDistributionConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributionConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3586,7 +3542,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributionConfigurationsOutput.httpOutput(from:), ListDistributionConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3618,9 +3573,9 @@ extension ImagebuilderClient { /// /// Returns a list of image build versions. /// - /// - Parameter ListImageBuildVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImageBuildVersionsInput`) /// - /// - Returns: `ListImageBuildVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImageBuildVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3660,7 +3615,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImageBuildVersionsOutput.httpOutput(from:), ListImageBuildVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3692,9 +3646,9 @@ extension ImagebuilderClient { /// /// List the Packages that are associated with an Image Build Version, as determined by Amazon Web Services Systems Manager Inventory at build time. /// - /// - Parameter ListImagePackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImagePackagesInput`) /// - /// - Returns: `ListImagePackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImagePackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3735,7 +3689,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImagePackagesOutput.httpOutput(from:), ListImagePackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3767,9 +3720,9 @@ extension ImagebuilderClient { /// /// Returns a list of images created by the specified pipeline. /// - /// - Parameter ListImagePipelineImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImagePipelineImagesInput`) /// - /// - Returns: `ListImagePipelineImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImagePipelineImagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3810,7 +3763,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImagePipelineImagesOutput.httpOutput(from:), ListImagePipelineImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3842,9 +3794,9 @@ extension ImagebuilderClient { /// /// Returns a list of image pipelines. /// - /// - Parameter ListImagePipelinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImagePipelinesInput`) /// - /// - Returns: `ListImagePipelinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImagePipelinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3884,7 +3836,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImagePipelinesOutput.httpOutput(from:), ListImagePipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3916,9 +3867,9 @@ extension ImagebuilderClient { /// /// Returns a list of image recipes. /// - /// - Parameter ListImageRecipesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImageRecipesInput`) /// - /// - Returns: `ListImageRecipesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImageRecipesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3958,7 +3909,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImageRecipesOutput.httpOutput(from:), ListImageRecipesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3998,9 +3948,9 @@ extension ImagebuilderClient { /// /// * vulnerabilityId /// - /// - Parameter ListImageScanFindingAggregationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImageScanFindingAggregationsInput`) /// - /// - Returns: `ListImageScanFindingAggregationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImageScanFindingAggregationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4040,7 +3990,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImageScanFindingAggregationsOutput.httpOutput(from:), ListImageScanFindingAggregationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4072,9 +4021,9 @@ extension ImagebuilderClient { /// /// Returns a list of image scan findings for your account. /// - /// - Parameter ListImageScanFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImageScanFindingsInput`) /// - /// - Returns: `ListImageScanFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImageScanFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4114,7 +4063,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImageScanFindingsOutput.httpOutput(from:), ListImageScanFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4146,9 +4094,9 @@ extension ImagebuilderClient { /// /// Returns the list of images that you have access to. Newly created images can take up to two minutes to appear in the ListImages API Results. /// - /// - Parameter ListImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImagesInput`) /// - /// - Returns: `ListImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4188,7 +4136,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImagesOutput.httpOutput(from:), ListImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4220,9 +4167,9 @@ extension ImagebuilderClient { /// /// Returns a list of infrastructure configurations. /// - /// - Parameter ListInfrastructureConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInfrastructureConfigurationsInput`) /// - /// - Returns: `ListInfrastructureConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInfrastructureConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4262,7 +4209,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInfrastructureConfigurationsOutput.httpOutput(from:), ListInfrastructureConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4294,9 +4240,9 @@ extension ImagebuilderClient { /// /// List resources that the runtime instance of the image lifecycle identified for lifecycle actions. /// - /// - Parameter ListLifecycleExecutionResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLifecycleExecutionResourcesInput`) /// - /// - Returns: `ListLifecycleExecutionResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLifecycleExecutionResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4336,7 +4282,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLifecycleExecutionResourcesOutput.httpOutput(from:), ListLifecycleExecutionResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4368,9 +4313,9 @@ extension ImagebuilderClient { /// /// Get the lifecycle runtime history for the specified resource. /// - /// - Parameter ListLifecycleExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLifecycleExecutionsInput`) /// - /// - Returns: `ListLifecycleExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLifecycleExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4410,7 +4355,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLifecycleExecutionsOutput.httpOutput(from:), ListLifecycleExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4442,9 +4386,9 @@ extension ImagebuilderClient { /// /// Get a list of lifecycle policies in your Amazon Web Services account. /// - /// - Parameter ListLifecyclePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLifecyclePoliciesInput`) /// - /// - Returns: `ListLifecyclePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLifecyclePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4484,7 +4428,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLifecyclePoliciesOutput.httpOutput(from:), ListLifecyclePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4516,9 +4459,9 @@ extension ImagebuilderClient { /// /// Returns the list of tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4551,7 +4494,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4583,9 +4525,9 @@ extension ImagebuilderClient { /// /// Get a list of workflow steps that are waiting for action for workflows in your Amazon Web Services account. /// - /// - Parameter ListWaitingWorkflowStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWaitingWorkflowStepsInput`) /// - /// - Returns: `ListWaitingWorkflowStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWaitingWorkflowStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4625,7 +4567,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWaitingWorkflowStepsOutput.httpOutput(from:), ListWaitingWorkflowStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4657,9 +4598,9 @@ extension ImagebuilderClient { /// /// Returns a list of build versions for a specific workflow resource. /// - /// - Parameter ListWorkflowBuildVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowBuildVersionsInput`) /// - /// - Returns: `ListWorkflowBuildVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowBuildVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4699,7 +4640,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowBuildVersionsOutput.httpOutput(from:), ListWorkflowBuildVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4731,9 +4671,9 @@ extension ImagebuilderClient { /// /// Returns a list of workflow runtime instance metadata objects for a specific image build version. /// - /// - Parameter ListWorkflowExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowExecutionsInput`) /// - /// - Returns: `ListWorkflowExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4773,7 +4713,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowExecutionsOutput.httpOutput(from:), ListWorkflowExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4805,9 +4744,9 @@ extension ImagebuilderClient { /// /// Returns runtime data for each step in a runtime instance of the workflow that you specify in the request. /// - /// - Parameter ListWorkflowStepExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowStepExecutionsInput`) /// - /// - Returns: `ListWorkflowStepExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowStepExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4847,7 +4786,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowStepExecutionsOutput.httpOutput(from:), ListWorkflowStepExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4879,9 +4817,9 @@ extension ImagebuilderClient { /// /// Lists workflow build versions based on filtering parameters. /// - /// - Parameter ListWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowsInput`) /// - /// - Returns: `ListWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4921,7 +4859,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowsOutput.httpOutput(from:), ListWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4953,9 +4890,9 @@ extension ImagebuilderClient { /// /// Applies a policy to a component. We recommend that you call the RAM API [CreateResourceShare](https://docs.aws.amazon.com/ram/latest/APIReference/API_CreateResourceShare.html) to share resources. If you call the Image Builder API PutComponentPolicy, you must also call the RAM API [PromoteResourceShareCreatedFromPolicy](https://docs.aws.amazon.com/ram/latest/APIReference/API_PromoteResourceShareCreatedFromPolicy.html) in order for the resource to be visible to all principals with whom the resource is shared. /// - /// - Parameter PutComponentPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutComponentPolicyInput`) /// - /// - Returns: `PutComponentPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutComponentPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4996,7 +4933,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutComponentPolicyOutput.httpOutput(from:), PutComponentPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5028,9 +4964,9 @@ extension ImagebuilderClient { /// /// Applies a policy to a container image. We recommend that you call the RAM API CreateResourceShare (https://docs.aws.amazon.com//ram/latest/APIReference/API_CreateResourceShare.html) to share resources. If you call the Image Builder API PutContainerImagePolicy, you must also call the RAM API PromoteResourceShareCreatedFromPolicy (https://docs.aws.amazon.com//ram/latest/APIReference/API_PromoteResourceShareCreatedFromPolicy.html) in order for the resource to be visible to all principals with whom the resource is shared. /// - /// - Parameter PutContainerRecipePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutContainerRecipePolicyInput`) /// - /// - Returns: `PutContainerRecipePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutContainerRecipePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5071,7 +5007,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutContainerRecipePolicyOutput.httpOutput(from:), PutContainerRecipePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5103,9 +5038,9 @@ extension ImagebuilderClient { /// /// Applies a policy to an image. We recommend that you call the RAM API [CreateResourceShare](https://docs.aws.amazon.com/ram/latest/APIReference/API_CreateResourceShare.html) to share resources. If you call the Image Builder API PutImagePolicy, you must also call the RAM API [PromoteResourceShareCreatedFromPolicy](https://docs.aws.amazon.com/ram/latest/APIReference/API_PromoteResourceShareCreatedFromPolicy.html) in order for the resource to be visible to all principals with whom the resource is shared. /// - /// - Parameter PutImagePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutImagePolicyInput`) /// - /// - Returns: `PutImagePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutImagePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5146,7 +5081,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutImagePolicyOutput.httpOutput(from:), PutImagePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5178,9 +5112,9 @@ extension ImagebuilderClient { /// /// Applies a policy to an image recipe. We recommend that you call the RAM API [CreateResourceShare](https://docs.aws.amazon.com/ram/latest/APIReference/API_CreateResourceShare.html) to share resources. If you call the Image Builder API PutImageRecipePolicy, you must also call the RAM API [PromoteResourceShareCreatedFromPolicy](https://docs.aws.amazon.com/ram/latest/APIReference/API_PromoteResourceShareCreatedFromPolicy.html) in order for the resource to be visible to all principals with whom the resource is shared. /// - /// - Parameter PutImageRecipePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutImageRecipePolicyInput`) /// - /// - Returns: `PutImageRecipePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutImageRecipePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5221,7 +5155,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutImageRecipePolicyOutput.httpOutput(from:), PutImageRecipePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5253,9 +5186,9 @@ extension ImagebuilderClient { /// /// Pauses or resumes image creation when the associated workflow runs a WaitForAction step. /// - /// - Parameter SendWorkflowStepActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendWorkflowStepActionInput`) /// - /// - Returns: `SendWorkflowStepActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendWorkflowStepActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5299,7 +5232,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendWorkflowStepActionOutput.httpOutput(from:), SendWorkflowStepActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5331,9 +5263,9 @@ extension ImagebuilderClient { /// /// Manually triggers a pipeline to create an image. /// - /// - Parameter StartImagePipelineExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImagePipelineExecutionInput`) /// - /// - Returns: `StartImagePipelineExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImagePipelineExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5376,7 +5308,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImagePipelineExecutionOutput.httpOutput(from:), StartImagePipelineExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5408,9 +5339,9 @@ extension ImagebuilderClient { /// /// Begin asynchronous resource state update for lifecycle changes to the specified image resources. /// - /// - Parameter StartResourceStateUpdateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartResourceStateUpdateInput`) /// - /// - Returns: `StartResourceStateUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartResourceStateUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5453,7 +5384,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartResourceStateUpdateOutput.httpOutput(from:), StartResourceStateUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5485,9 +5415,9 @@ extension ImagebuilderClient { /// /// Adds a tag to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5523,7 +5453,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5555,9 +5484,9 @@ extension ImagebuilderClient { /// /// Removes a tag from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5591,7 +5520,6 @@ extension ImagebuilderClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5623,9 +5551,9 @@ extension ImagebuilderClient { /// /// Updates a new distribution configuration. Distribution configurations define and configure the outputs of your pipeline. /// - /// - Parameter UpdateDistributionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDistributionConfigurationInput`) /// - /// - Returns: `UpdateDistributionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDistributionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5668,7 +5596,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDistributionConfigurationOutput.httpOutput(from:), UpdateDistributionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5700,9 +5627,9 @@ extension ImagebuilderClient { /// /// Updates an image pipeline. Image pipelines enable you to automate the creation and distribution of images. You must specify exactly one recipe for your image, using either a containerRecipeArn or an imageRecipeArn. UpdateImagePipeline does not support selective updates for the pipeline. You must specify all of the required properties in the update request, not just the properties that have changed. /// - /// - Parameter UpdateImagePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateImagePipelineInput`) /// - /// - Returns: `UpdateImagePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateImagePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5744,7 +5671,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateImagePipelineOutput.httpOutput(from:), UpdateImagePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5776,9 +5702,9 @@ extension ImagebuilderClient { /// /// Updates a new infrastructure configuration. An infrastructure configuration defines the environment in which your image will be built and tested. /// - /// - Parameter UpdateInfrastructureConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInfrastructureConfigurationInput`) /// - /// - Returns: `UpdateInfrastructureConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInfrastructureConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5820,7 +5746,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInfrastructureConfigurationOutput.httpOutput(from:), UpdateInfrastructureConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5852,9 +5777,9 @@ extension ImagebuilderClient { /// /// Update the specified lifecycle policy. /// - /// - Parameter UpdateLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLifecyclePolicyInput`) /// - /// - Returns: `UpdateLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5897,7 +5822,6 @@ extension ImagebuilderClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLifecyclePolicyOutput.httpOutput(from:), UpdateLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSInspector/Sources/AWSInspector/InspectorClient.swift b/Sources/Services/AWSInspector/Sources/AWSInspector/InspectorClient.swift index 3e304b0b514..92b65788485 100644 --- a/Sources/Services/AWSInspector/Sources/AWSInspector/InspectorClient.swift +++ b/Sources/Services/AWSInspector/Sources/AWSInspector/InspectorClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class InspectorClient: ClientRuntime.Client { public static let clientName = "InspectorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: InspectorClient.InspectorClientConfiguration let serviceName = "Inspector" @@ -374,9 +373,9 @@ extension InspectorClient { /// /// Assigns attributes (key and value pairs) to the findings that are specified by the ARNs of the findings. /// - /// - Parameter AddAttributesToFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddAttributesToFindingsInput`) /// - /// - Returns: `AddAttributesToFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddAttributesToFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddAttributesToFindingsOutput.httpOutput(from:), AddAttributesToFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension InspectorClient { /// /// Creates a new assessment target using the ARN of the resource group that is generated by [CreateResourceGroup]. If resourceGroupArn is not specified, all EC2 instances in the current AWS account and region are included in the assessment target. If the [service-linked role](https://docs.aws.amazon.com/inspector/latest/userguide/inspector_slr.html) isn’t already registered, this action also creates and registers a service-linked role to grant Amazon Inspector access to AWS Services needed to perform security assessments. You can create up to 50 assessment targets per AWS account. You can run up to 500 concurrent agents per AWS account. For more information, see [ Amazon Inspector Assessment Targets](https://docs.aws.amazon.com/inspector/latest/userguide/inspector_applications.html). /// - /// - Parameter CreateAssessmentTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssessmentTargetInput`) /// - /// - Returns: `CreateAssessmentTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssessmentTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssessmentTargetOutput.httpOutput(from:), CreateAssessmentTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension InspectorClient { /// /// Creates an assessment template for the assessment target that is specified by the ARN of the assessment target. If the [service-linked role](https://docs.aws.amazon.com/inspector/latest/userguide/inspector_slr.html) isn’t already registered, this action also creates and registers a service-linked role to grant Amazon Inspector access to AWS Services needed to perform security assessments. /// - /// - Parameter CreateAssessmentTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssessmentTemplateInput`) /// - /// - Returns: `CreateAssessmentTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssessmentTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssessmentTemplateOutput.httpOutput(from:), CreateAssessmentTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension InspectorClient { /// /// Starts the generation of an exclusions preview for the specified assessment template. The exclusions preview lists the potential exclusions (ExclusionPreview) that Inspector can detect before it runs the assessment. /// - /// - Parameter CreateExclusionsPreviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExclusionsPreviewInput`) /// - /// - Returns: `CreateExclusionsPreviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExclusionsPreviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExclusionsPreviewOutput.httpOutput(from:), CreateExclusionsPreviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension InspectorClient { /// /// Creates a resource group using the specified set of tags (key and value pairs) that are used to select the EC2 instances to be included in an Amazon Inspector assessment target. The created resource group is then used to create an Amazon Inspector assessment target. For more information, see [CreateAssessmentTarget]. /// - /// - Parameter CreateResourceGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceGroupInput`) /// - /// - Returns: `CreateResourceGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -708,7 +703,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceGroupOutput.httpOutput(from:), CreateResourceGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension InspectorClient { /// /// Deletes the assessment run that is specified by the ARN of the assessment run. /// - /// - Parameter DeleteAssessmentRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssessmentRunInput`) /// - /// - Returns: `DeleteAssessmentRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssessmentRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -782,7 +776,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssessmentRunOutput.httpOutput(from:), DeleteAssessmentRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -817,9 +810,9 @@ extension InspectorClient { /// /// Deletes the assessment target that is specified by the ARN of the assessment target. /// - /// - Parameter DeleteAssessmentTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssessmentTargetInput`) /// - /// - Returns: `DeleteAssessmentTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssessmentTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -856,7 +849,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssessmentTargetOutput.httpOutput(from:), DeleteAssessmentTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -891,9 +883,9 @@ extension InspectorClient { /// /// Deletes the assessment template that is specified by the ARN of the assessment template. /// - /// - Parameter DeleteAssessmentTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssessmentTemplateInput`) /// - /// - Returns: `DeleteAssessmentTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssessmentTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -930,7 +922,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssessmentTemplateOutput.httpOutput(from:), DeleteAssessmentTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -965,9 +956,9 @@ extension InspectorClient { /// /// Describes the assessment runs that are specified by the ARNs of the assessment runs. /// - /// - Parameter DescribeAssessmentRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssessmentRunsInput`) /// - /// - Returns: `DescribeAssessmentRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssessmentRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1000,7 +991,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssessmentRunsOutput.httpOutput(from:), DescribeAssessmentRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1035,9 +1025,9 @@ extension InspectorClient { /// /// Describes the assessment targets that are specified by the ARNs of the assessment targets. /// - /// - Parameter DescribeAssessmentTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssessmentTargetsInput`) /// - /// - Returns: `DescribeAssessmentTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssessmentTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1070,7 +1060,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssessmentTargetsOutput.httpOutput(from:), DescribeAssessmentTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1105,9 +1094,9 @@ extension InspectorClient { /// /// Describes the assessment templates that are specified by the ARNs of the assessment templates. /// - /// - Parameter DescribeAssessmentTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssessmentTemplatesInput`) /// - /// - Returns: `DescribeAssessmentTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssessmentTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1140,7 +1129,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssessmentTemplatesOutput.httpOutput(from:), DescribeAssessmentTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1175,9 +1163,9 @@ extension InspectorClient { /// /// Describes the IAM role that enables Amazon Inspector to access your AWS account. /// - /// - Parameter DescribeCrossAccountAccessRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCrossAccountAccessRoleInput`) /// - /// - Returns: `DescribeCrossAccountAccessRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCrossAccountAccessRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1209,7 +1197,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCrossAccountAccessRoleOutput.httpOutput(from:), DescribeCrossAccountAccessRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1244,9 +1231,9 @@ extension InspectorClient { /// /// Describes the exclusions that are specified by the exclusions' ARNs. /// - /// - Parameter DescribeExclusionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExclusionsInput`) /// - /// - Returns: `DescribeExclusionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExclusionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1279,7 +1266,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExclusionsOutput.httpOutput(from:), DescribeExclusionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1314,9 +1300,9 @@ extension InspectorClient { /// /// Describes the findings that are specified by the ARNs of the findings. /// - /// - Parameter DescribeFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFindingsInput`) /// - /// - Returns: `DescribeFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1349,7 +1335,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFindingsOutput.httpOutput(from:), DescribeFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1384,9 +1369,9 @@ extension InspectorClient { /// /// Describes the resource groups that are specified by the ARNs of the resource groups. /// - /// - Parameter DescribeResourceGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourceGroupsInput`) /// - /// - Returns: `DescribeResourceGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourceGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1419,7 +1404,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourceGroupsOutput.httpOutput(from:), DescribeResourceGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1454,9 +1438,9 @@ extension InspectorClient { /// /// Describes the rules packages that are specified by the ARNs of the rules packages. /// - /// - Parameter DescribeRulesPackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRulesPackagesInput`) /// - /// - Returns: `DescribeRulesPackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRulesPackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1473,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRulesPackagesOutput.httpOutput(from:), DescribeRulesPackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1524,9 +1507,9 @@ extension InspectorClient { /// /// Produces an assessment report that includes detailed and comprehensive results of a specified assessment run. /// - /// - Parameter GetAssessmentReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssessmentReportInput`) /// - /// - Returns: `GetAssessmentReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssessmentReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1564,7 +1547,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssessmentReportOutput.httpOutput(from:), GetAssessmentReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1599,9 +1581,9 @@ extension InspectorClient { /// /// Retrieves the exclusions preview (a list of ExclusionPreview objects) specified by the preview token. You can obtain the preview token by running the CreateExclusionsPreview API. /// - /// - Parameter GetExclusionsPreviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExclusionsPreviewInput`) /// - /// - Returns: `GetExclusionsPreviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExclusionsPreviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1636,7 +1618,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExclusionsPreviewOutput.httpOutput(from:), GetExclusionsPreviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1671,9 +1652,9 @@ extension InspectorClient { /// /// Information about the data that is collected for the specified assessment run. /// - /// - Parameter GetTelemetryMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTelemetryMetadataInput`) /// - /// - Returns: `GetTelemetryMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTelemetryMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1708,7 +1689,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTelemetryMetadataOutput.httpOutput(from:), GetTelemetryMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1743,9 +1723,9 @@ extension InspectorClient { /// /// Lists the agents of the assessment runs that are specified by the ARNs of the assessment runs. /// - /// - Parameter ListAssessmentRunAgentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssessmentRunAgentsInput`) /// - /// - Returns: `ListAssessmentRunAgentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssessmentRunAgentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1780,7 +1760,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssessmentRunAgentsOutput.httpOutput(from:), ListAssessmentRunAgentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1815,9 +1794,9 @@ extension InspectorClient { /// /// Lists the assessment runs that correspond to the assessment templates that are specified by the ARNs of the assessment templates. /// - /// - Parameter ListAssessmentRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssessmentRunsInput`) /// - /// - Returns: `ListAssessmentRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssessmentRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1852,7 +1831,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssessmentRunsOutput.httpOutput(from:), ListAssessmentRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1887,9 +1865,9 @@ extension InspectorClient { /// /// Lists the ARNs of the assessment targets within this AWS account. For more information about assessment targets, see [Amazon Inspector Assessment Targets](https://docs.aws.amazon.com/inspector/latest/userguide/inspector_applications.html). /// - /// - Parameter ListAssessmentTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssessmentTargetsInput`) /// - /// - Returns: `ListAssessmentTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssessmentTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1923,7 +1901,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssessmentTargetsOutput.httpOutput(from:), ListAssessmentTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1958,9 +1935,9 @@ extension InspectorClient { /// /// Lists the assessment templates that correspond to the assessment targets that are specified by the ARNs of the assessment targets. /// - /// - Parameter ListAssessmentTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssessmentTemplatesInput`) /// - /// - Returns: `ListAssessmentTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssessmentTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1995,7 +1972,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssessmentTemplatesOutput.httpOutput(from:), ListAssessmentTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2030,9 +2006,9 @@ extension InspectorClient { /// /// Lists all the event subscriptions for the assessment template that is specified by the ARN of the assessment template. For more information, see [SubscribeToEvent] and [UnsubscribeFromEvent]. /// - /// - Parameter ListEventSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventSubscriptionsInput`) /// - /// - Returns: `ListEventSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2067,7 +2043,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventSubscriptionsOutput.httpOutput(from:), ListEventSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2102,9 +2077,9 @@ extension InspectorClient { /// /// List exclusions that are generated by the assessment run. /// - /// - Parameter ListExclusionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExclusionsInput`) /// - /// - Returns: `ListExclusionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExclusionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2139,7 +2114,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExclusionsOutput.httpOutput(from:), ListExclusionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2174,9 +2148,9 @@ extension InspectorClient { /// /// Lists findings that are generated by the assessment runs that are specified by the ARNs of the assessment runs. /// - /// - Parameter ListFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFindingsInput`) /// - /// - Returns: `ListFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2211,7 +2185,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingsOutput.httpOutput(from:), ListFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2246,9 +2219,9 @@ extension InspectorClient { /// /// Lists all available Amazon Inspector rules packages. /// - /// - Parameter ListRulesPackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesPackagesInput`) /// - /// - Returns: `ListRulesPackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesPackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2282,7 +2255,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesPackagesOutput.httpOutput(from:), ListRulesPackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2317,9 +2289,9 @@ extension InspectorClient { /// /// Lists all tags associated with an assessment template. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2354,7 +2326,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2389,9 +2360,9 @@ extension InspectorClient { /// /// Previews the agents installed on the EC2 instances that are part of the specified assessment target. /// - /// - Parameter PreviewAgentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PreviewAgentsInput`) /// - /// - Returns: `PreviewAgentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PreviewAgentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2427,7 +2398,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PreviewAgentsOutput.httpOutput(from:), PreviewAgentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2462,9 +2432,9 @@ extension InspectorClient { /// /// Registers the IAM role that grants Amazon Inspector access to AWS Services needed to perform security assessments. /// - /// - Parameter RegisterCrossAccountAccessRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterCrossAccountAccessRoleInput`) /// - /// - Returns: `RegisterCrossAccountAccessRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterCrossAccountAccessRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2500,7 +2470,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterCrossAccountAccessRoleOutput.httpOutput(from:), RegisterCrossAccountAccessRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2535,9 +2504,9 @@ extension InspectorClient { /// /// Removes entire attributes (key and value pairs) from the findings that are specified by the ARNs of the findings where an attribute with the specified key exists. /// - /// - Parameter RemoveAttributesFromFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveAttributesFromFindingsInput`) /// - /// - Returns: `RemoveAttributesFromFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveAttributesFromFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2573,7 +2542,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveAttributesFromFindingsOutput.httpOutput(from:), RemoveAttributesFromFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2608,9 +2576,9 @@ extension InspectorClient { /// /// Sets tags (key and value pairs) to the assessment template that is specified by the ARN of the assessment template. /// - /// - Parameter SetTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetTagsForResourceInput`) /// - /// - Returns: `SetTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2646,7 +2614,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetTagsForResourceOutput.httpOutput(from:), SetTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2681,9 +2648,9 @@ extension InspectorClient { /// /// Starts the assessment run specified by the ARN of the assessment template. For this API to function properly, you must not exceed the limit of running up to 500 concurrent agents per AWS account. /// - /// - Parameter StartAssessmentRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAssessmentRunInput`) /// - /// - Returns: `StartAssessmentRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAssessmentRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2722,7 +2689,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAssessmentRunOutput.httpOutput(from:), StartAssessmentRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2757,9 +2723,9 @@ extension InspectorClient { /// /// Stops the assessment run that is specified by the ARN of the assessment run. /// - /// - Parameter StopAssessmentRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopAssessmentRunInput`) /// - /// - Returns: `StopAssessmentRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopAssessmentRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2795,7 +2761,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopAssessmentRunOutput.httpOutput(from:), StopAssessmentRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2830,9 +2795,9 @@ extension InspectorClient { /// /// Enables the process of sending Amazon Simple Notification Service (SNS) notifications about a specified event to a specified SNS topic. /// - /// - Parameter SubscribeToEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubscribeToEventInput`) /// - /// - Returns: `SubscribeToEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubscribeToEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2869,7 +2834,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubscribeToEventOutput.httpOutput(from:), SubscribeToEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2904,9 +2868,9 @@ extension InspectorClient { /// /// Disables the process of sending Amazon Simple Notification Service (SNS) notifications about a specified event to a specified SNS topic. /// - /// - Parameter UnsubscribeFromEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnsubscribeFromEventInput`) /// - /// - Returns: `UnsubscribeFromEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnsubscribeFromEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2942,7 +2906,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnsubscribeFromEventOutput.httpOutput(from:), UnsubscribeFromEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2977,9 +2940,9 @@ extension InspectorClient { /// /// Updates the assessment target that is specified by the ARN of the assessment target. If resourceGroupArn is not specified, all EC2 instances in the current AWS account and region are included in the assessment target. /// - /// - Parameter UpdateAssessmentTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssessmentTargetInput`) /// - /// - Returns: `UpdateAssessmentTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssessmentTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3015,7 +2978,6 @@ extension InspectorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssessmentTargetOutput.httpOutput(from:), UpdateAssessmentTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSInspector2/Sources/AWSInspector2/Inspector2Client.swift b/Sources/Services/AWSInspector2/Sources/AWSInspector2/Inspector2Client.swift index 1880fcc53a7..cf07667aa87 100644 --- a/Sources/Services/AWSInspector2/Sources/AWSInspector2/Inspector2Client.swift +++ b/Sources/Services/AWSInspector2/Sources/AWSInspector2/Inspector2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class Inspector2Client: ClientRuntime.Client { public static let clientName = "Inspector2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: Inspector2Client.Inspector2ClientConfiguration let serviceName = "Inspector2" @@ -375,9 +374,9 @@ extension Inspector2Client { /// /// Associates an Amazon Web Services account with an Amazon Inspector delegated administrator. An HTTP 200 response indicates the association was successfully started, but doesn’t indicate whether it was completed. You can check if the association completed by using [ListMembers](https://docs.aws.amazon.com/inspector/v2/APIReference/API_ListMembers.html) for multiple accounts or [GetMembers](https://docs.aws.amazon.com/inspector/v2/APIReference/API_GetMember.html) for a single account. /// - /// - Parameter AssociateMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateMemberInput`) /// - /// - Returns: `AssociateMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateMemberOutput.httpOutput(from:), AssociateMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension Inspector2Client { /// /// Associates multiple code repositories with an Amazon Inspector code security scan configuration. /// - /// - Parameter BatchAssociateCodeSecurityScanConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAssociateCodeSecurityScanConfigurationInput`) /// - /// - Returns: `BatchAssociateCodeSecurityScanConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateCodeSecurityScanConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateCodeSecurityScanConfigurationOutput.httpOutput(from:), BatchAssociateCodeSecurityScanConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension Inspector2Client { /// /// Disassociates multiple code repositories from an Amazon Inspector code security scan configuration. /// - /// - Parameter BatchDisassociateCodeSecurityScanConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisassociateCodeSecurityScanConfigurationInput`) /// - /// - Returns: `BatchDisassociateCodeSecurityScanConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateCodeSecurityScanConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateCodeSecurityScanConfigurationOutput.httpOutput(from:), BatchDisassociateCodeSecurityScanConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension Inspector2Client { /// /// Retrieves the Amazon Inspector status of multiple Amazon Web Services accounts within your environment. /// - /// - Parameter BatchGetAccountStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetAccountStatusInput`) /// - /// - Returns: `BatchGetAccountStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetAccountStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetAccountStatusOutput.httpOutput(from:), BatchGetAccountStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension Inspector2Client { /// /// Retrieves code snippets from findings that Amazon Inspector detected code vulnerabilities in. /// - /// - Parameter BatchGetCodeSnippetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetCodeSnippetInput`) /// - /// - Returns: `BatchGetCodeSnippetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetCodeSnippetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetCodeSnippetOutput.httpOutput(from:), BatchGetCodeSnippetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension Inspector2Client { /// /// Gets vulnerability details for findings. /// - /// - Parameter BatchGetFindingDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetFindingDetailsInput`) /// - /// - Returns: `BatchGetFindingDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetFindingDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -775,7 +769,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetFindingDetailsOutput.httpOutput(from:), BatchGetFindingDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension Inspector2Client { /// /// Gets free trial status for multiple Amazon Web Services accounts. /// - /// - Parameter BatchGetFreeTrialInfoInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetFreeTrialInfoInput`) /// - /// - Returns: `BatchGetFreeTrialInfoOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetFreeTrialInfoOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +839,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetFreeTrialInfoOutput.httpOutput(from:), BatchGetFreeTrialInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension Inspector2Client { /// /// Retrieves Amazon Inspector deep inspection activation status of multiple member accounts within your organization. You must be the delegated administrator of an organization in Amazon Inspector to use this API. /// - /// - Parameter BatchGetMemberEc2DeepInspectionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetMemberEc2DeepInspectionStatusInput`) /// - /// - Returns: `BatchGetMemberEc2DeepInspectionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetMemberEc2DeepInspectionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -917,7 +909,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetMemberEc2DeepInspectionStatusOutput.httpOutput(from:), BatchGetMemberEc2DeepInspectionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -949,9 +940,9 @@ extension Inspector2Client { /// /// Activates or deactivates Amazon Inspector deep inspection for the provided member accounts in your organization. You must be the delegated administrator of an organization in Amazon Inspector to use this API. /// - /// - Parameter BatchUpdateMemberEc2DeepInspectionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateMemberEc2DeepInspectionStatusInput`) /// - /// - Returns: `BatchUpdateMemberEc2DeepInspectionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateMemberEc2DeepInspectionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -988,7 +979,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateMemberEc2DeepInspectionStatusOutput.httpOutput(from:), BatchUpdateMemberEc2DeepInspectionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1020,9 +1010,9 @@ extension Inspector2Client { /// /// Cancels the given findings report. /// - /// - Parameter CancelFindingsReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelFindingsReportInput`) /// - /// - Returns: `CancelFindingsReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelFindingsReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1060,7 +1050,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelFindingsReportOutput.httpOutput(from:), CancelFindingsReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1081,9 @@ extension Inspector2Client { /// /// Cancels a software bill of materials (SBOM) report. /// - /// - Parameter CancelSbomExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelSbomExportInput`) /// - /// - Returns: `CancelSbomExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelSbomExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1132,7 +1121,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSbomExportOutput.httpOutput(from:), CancelSbomExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1164,9 +1152,9 @@ extension Inspector2Client { /// /// Creates a CIS scan configuration. /// - /// - Parameter CreateCisScanConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCisScanConfigurationInput`) /// - /// - Returns: `CreateCisScanConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCisScanConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1203,7 +1191,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCisScanConfigurationOutput.httpOutput(from:), CreateCisScanConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1235,9 +1222,9 @@ extension Inspector2Client { /// /// Creates a code security integration with a source code repository provider. After calling the CreateCodeSecurityIntegration operation, you complete authentication and authorization with your provider. Next you call the UpdateCodeSecurityIntegration operation to provide the details to complete the integration setup /// - /// - Parameter CreateCodeSecurityIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCodeSecurityIntegrationInput`) /// - /// - Returns: `CreateCodeSecurityIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCodeSecurityIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1276,7 +1263,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCodeSecurityIntegrationOutput.httpOutput(from:), CreateCodeSecurityIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1308,9 +1294,9 @@ extension Inspector2Client { /// /// Creates a scan configuration for code security scanning. /// - /// - Parameter CreateCodeSecurityScanConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCodeSecurityScanConfigurationInput`) /// - /// - Returns: `CreateCodeSecurityScanConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCodeSecurityScanConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1349,7 +1335,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCodeSecurityScanConfigurationOutput.httpOutput(from:), CreateCodeSecurityScanConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1381,9 +1366,9 @@ extension Inspector2Client { /// /// Creates a filter resource using specified filter criteria. When the filter action is set to SUPPRESS this action creates a suppression rule. /// - /// - Parameter CreateFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFilterInput`) /// - /// - Returns: `CreateFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1422,7 +1407,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFilterOutput.httpOutput(from:), CreateFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1454,9 +1438,9 @@ extension Inspector2Client { /// /// Creates a finding report. By default only ACTIVE findings are returned in the report. To see SUPRESSED or CLOSED findings you must specify a value for the findingStatus filter criteria. /// - /// - Parameter CreateFindingsReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFindingsReportInput`) /// - /// - Returns: `CreateFindingsReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFindingsReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1494,7 +1478,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFindingsReportOutput.httpOutput(from:), CreateFindingsReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1526,9 +1509,9 @@ extension Inspector2Client { /// /// Creates a software bill of materials (SBOM) report. /// - /// - Parameter CreateSbomExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSbomExportInput`) /// - /// - Returns: `CreateSbomExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSbomExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1566,7 +1549,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSbomExportOutput.httpOutput(from:), CreateSbomExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1598,9 +1580,9 @@ extension Inspector2Client { /// /// Deletes a CIS scan configuration. /// - /// - Parameter DeleteCisScanConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCisScanConfigurationInput`) /// - /// - Returns: `DeleteCisScanConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCisScanConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1638,7 +1620,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCisScanConfigurationOutput.httpOutput(from:), DeleteCisScanConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1670,9 +1651,9 @@ extension Inspector2Client { /// /// Deletes a code security integration. /// - /// - Parameter DeleteCodeSecurityIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCodeSecurityIntegrationInput`) /// - /// - Returns: `DeleteCodeSecurityIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCodeSecurityIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1710,7 +1691,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCodeSecurityIntegrationOutput.httpOutput(from:), DeleteCodeSecurityIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1742,9 +1722,9 @@ extension Inspector2Client { /// /// Deletes a code security scan configuration. /// - /// - Parameter DeleteCodeSecurityScanConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCodeSecurityScanConfigurationInput`) /// - /// - Returns: `DeleteCodeSecurityScanConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCodeSecurityScanConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1782,7 +1762,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCodeSecurityScanConfigurationOutput.httpOutput(from:), DeleteCodeSecurityScanConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1814,9 +1793,9 @@ extension Inspector2Client { /// /// Deletes a filter resource. /// - /// - Parameter DeleteFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFilterInput`) /// - /// - Returns: `DeleteFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1854,7 +1833,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFilterOutput.httpOutput(from:), DeleteFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1886,9 +1864,9 @@ extension Inspector2Client { /// /// Describe Amazon Inspector configuration settings for an Amazon Web Services organization. /// - /// - Parameter DescribeOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationConfigurationInput`) /// - /// - Returns: `DescribeOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1922,7 +1900,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationConfigurationOutput.httpOutput(from:), DescribeOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1954,9 +1931,9 @@ extension Inspector2Client { /// /// Disables Amazon Inspector scans for one or more Amazon Web Services accounts. Disabling all scan types in an account disables the Amazon Inspector service. /// - /// - Parameter DisableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableInput`) /// - /// - Returns: `DisableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1994,7 +1971,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableOutput.httpOutput(from:), DisableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2026,9 +2002,9 @@ extension Inspector2Client { /// /// Disables the Amazon Inspector delegated administrator for your organization. /// - /// - Parameter DisableDelegatedAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableDelegatedAdminAccountInput`) /// - /// - Returns: `DisableDelegatedAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableDelegatedAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2067,7 +2043,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableDelegatedAdminAccountOutput.httpOutput(from:), DisableDelegatedAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2099,9 +2074,9 @@ extension Inspector2Client { /// /// Disassociates a member account from an Amazon Inspector delegated administrator. /// - /// - Parameter DisassociateMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMemberInput`) /// - /// - Returns: `DisassociateMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2138,7 +2113,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMemberOutput.httpOutput(from:), DisassociateMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2170,9 +2144,9 @@ extension Inspector2Client { /// /// Enables Amazon Inspector scans for one or more Amazon Web Services accounts. /// - /// - Parameter EnableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableInput`) /// - /// - Returns: `EnableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2211,7 +2185,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableOutput.httpOutput(from:), EnableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2243,9 +2216,9 @@ extension Inspector2Client { /// /// Enables the Amazon Inspector delegated administrator for your Organizations organization. /// - /// - Parameter EnableDelegatedAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableDelegatedAdminAccountInput`) /// - /// - Returns: `EnableDelegatedAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableDelegatedAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2285,7 +2258,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableDelegatedAdminAccountOutput.httpOutput(from:), EnableDelegatedAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2317,9 +2289,9 @@ extension Inspector2Client { /// /// Retrieves a CIS scan report. /// - /// - Parameter GetCisScanReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCisScanReportInput`) /// - /// - Returns: `GetCisScanReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCisScanReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2357,7 +2329,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCisScanReportOutput.httpOutput(from:), GetCisScanReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2389,9 +2360,9 @@ extension Inspector2Client { /// /// Retrieves CIS scan result details. /// - /// - Parameter GetCisScanResultDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCisScanResultDetailsInput`) /// - /// - Returns: `GetCisScanResultDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCisScanResultDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2428,7 +2399,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCisScanResultDetailsOutput.httpOutput(from:), GetCisScanResultDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2460,9 +2430,9 @@ extension Inspector2Client { /// /// Returns a list of clusters and metadata associated with an image. /// - /// - Parameter GetClustersForImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClustersForImageInput`) /// - /// - Returns: `GetClustersForImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClustersForImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2499,7 +2469,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClustersForImageOutput.httpOutput(from:), GetClustersForImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2531,9 +2500,9 @@ extension Inspector2Client { /// /// Retrieves information about a code security integration. /// - /// - Parameter GetCodeSecurityIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCodeSecurityIntegrationInput`) /// - /// - Returns: `GetCodeSecurityIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCodeSecurityIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2571,7 +2540,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCodeSecurityIntegrationOutput.httpOutput(from:), GetCodeSecurityIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2603,9 +2571,9 @@ extension Inspector2Client { /// /// Retrieves information about a specific code security scan. /// - /// - Parameter GetCodeSecurityScanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCodeSecurityScanInput`) /// - /// - Returns: `GetCodeSecurityScanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCodeSecurityScanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2644,7 +2612,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCodeSecurityScanOutput.httpOutput(from:), GetCodeSecurityScanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2676,9 +2643,9 @@ extension Inspector2Client { /// /// Retrieves information about a code security scan configuration. /// - /// - Parameter GetCodeSecurityScanConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCodeSecurityScanConfigurationInput`) /// - /// - Returns: `GetCodeSecurityScanConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCodeSecurityScanConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2716,7 +2683,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCodeSecurityScanConfigurationOutput.httpOutput(from:), GetCodeSecurityScanConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2748,9 +2714,9 @@ extension Inspector2Client { /// /// Retrieves setting configurations for Inspector scans. /// - /// - Parameter GetConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigurationInput`) /// - /// - Returns: `GetConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2783,7 +2749,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationOutput.httpOutput(from:), GetConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2815,9 +2780,9 @@ extension Inspector2Client { /// /// Retrieves information about the Amazon Inspector delegated administrator for your organization. /// - /// - Parameter GetDelegatedAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDelegatedAdminAccountInput`) /// - /// - Returns: `GetDelegatedAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDelegatedAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2852,7 +2817,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDelegatedAdminAccountOutput.httpOutput(from:), GetDelegatedAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2884,9 +2848,9 @@ extension Inspector2Client { /// /// Retrieves the activation status of Amazon Inspector deep inspection and custom paths associated with your account. /// - /// - Parameter GetEc2DeepInspectionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEc2DeepInspectionConfigurationInput`) /// - /// - Returns: `GetEc2DeepInspectionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEc2DeepInspectionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2920,7 +2884,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEc2DeepInspectionConfigurationOutput.httpOutput(from:), GetEc2DeepInspectionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2952,9 +2915,9 @@ extension Inspector2Client { /// /// Gets an encryption key. /// - /// - Parameter GetEncryptionKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEncryptionKeyInput`) /// - /// - Returns: `GetEncryptionKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEncryptionKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2990,7 +2953,6 @@ extension Inspector2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetEncryptionKeyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEncryptionKeyOutput.httpOutput(from:), GetEncryptionKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3022,9 +2984,9 @@ extension Inspector2Client { /// /// Gets the status of a findings report. /// - /// - Parameter GetFindingsReportStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingsReportStatusInput`) /// - /// - Returns: `GetFindingsReportStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingsReportStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3062,7 +3024,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsReportStatusOutput.httpOutput(from:), GetFindingsReportStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3094,9 +3055,9 @@ extension Inspector2Client { /// /// Gets member information for your organization. /// - /// - Parameter GetMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMemberInput`) /// - /// - Returns: `GetMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3134,7 +3095,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMemberOutput.httpOutput(from:), GetMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3166,9 +3126,9 @@ extension Inspector2Client { /// /// Gets details of a software bill of materials (SBOM) report. /// - /// - Parameter GetSbomExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSbomExportInput`) /// - /// - Returns: `GetSbomExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSbomExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3206,7 +3166,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSbomExportOutput.httpOutput(from:), GetSbomExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3238,9 +3197,9 @@ extension Inspector2Client { /// /// Lists the permissions an account has to configure Amazon Inspector. /// - /// - Parameter ListAccountPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountPermissionsInput`) /// - /// - Returns: `ListAccountPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3277,7 +3236,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountPermissionsOutput.httpOutput(from:), ListAccountPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3309,9 +3267,9 @@ extension Inspector2Client { /// /// Lists CIS scan configurations. /// - /// - Parameter ListCisScanConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCisScanConfigurationsInput`) /// - /// - Returns: `ListCisScanConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCisScanConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3348,7 +3306,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCisScanConfigurationsOutput.httpOutput(from:), ListCisScanConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3380,9 +3337,9 @@ extension Inspector2Client { /// /// Lists scan results aggregated by checks. /// - /// - Parameter ListCisScanResultsAggregatedByChecksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCisScanResultsAggregatedByChecksInput`) /// - /// - Returns: `ListCisScanResultsAggregatedByChecksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCisScanResultsAggregatedByChecksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3419,7 +3376,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCisScanResultsAggregatedByChecksOutput.httpOutput(from:), ListCisScanResultsAggregatedByChecksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3451,9 +3407,9 @@ extension Inspector2Client { /// /// Lists scan results aggregated by a target resource. /// - /// - Parameter ListCisScanResultsAggregatedByTargetResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCisScanResultsAggregatedByTargetResourceInput`) /// - /// - Returns: `ListCisScanResultsAggregatedByTargetResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCisScanResultsAggregatedByTargetResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3490,7 +3446,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCisScanResultsAggregatedByTargetResourceOutput.httpOutput(from:), ListCisScanResultsAggregatedByTargetResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3522,9 +3477,9 @@ extension Inspector2Client { /// /// Returns a CIS scan list. /// - /// - Parameter ListCisScansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCisScansInput`) /// - /// - Returns: `ListCisScansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCisScansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3561,7 +3516,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCisScansOutput.httpOutput(from:), ListCisScansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3593,9 +3547,9 @@ extension Inspector2Client { /// /// Lists all code security integrations in your account. /// - /// - Parameter ListCodeSecurityIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCodeSecurityIntegrationsInput`) /// - /// - Returns: `ListCodeSecurityIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCodeSecurityIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3630,7 +3584,6 @@ extension Inspector2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCodeSecurityIntegrationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCodeSecurityIntegrationsOutput.httpOutput(from:), ListCodeSecurityIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3662,9 +3615,9 @@ extension Inspector2Client { /// /// Lists the associations between code repositories and Amazon Inspector code security scan configurations. /// - /// - Parameter ListCodeSecurityScanConfigurationAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCodeSecurityScanConfigurationAssociationsInput`) /// - /// - Returns: `ListCodeSecurityScanConfigurationAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCodeSecurityScanConfigurationAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3703,7 +3656,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCodeSecurityScanConfigurationAssociationsOutput.httpOutput(from:), ListCodeSecurityScanConfigurationAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3735,9 +3687,9 @@ extension Inspector2Client { /// /// Lists all code security scan configurations in your account. /// - /// - Parameter ListCodeSecurityScanConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCodeSecurityScanConfigurationsInput`) /// - /// - Returns: `ListCodeSecurityScanConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCodeSecurityScanConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3773,7 +3725,6 @@ extension Inspector2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCodeSecurityScanConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCodeSecurityScanConfigurationsOutput.httpOutput(from:), ListCodeSecurityScanConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3805,9 +3756,9 @@ extension Inspector2Client { /// /// Lists coverage details for your environment. /// - /// - Parameter ListCoverageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCoverageInput`) /// - /// - Returns: `ListCoverageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCoverageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3843,7 +3794,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCoverageOutput.httpOutput(from:), ListCoverageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3875,9 +3825,9 @@ extension Inspector2Client { /// /// Lists Amazon Inspector coverage statistics for your environment. /// - /// - Parameter ListCoverageStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCoverageStatisticsInput`) /// - /// - Returns: `ListCoverageStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCoverageStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3913,7 +3863,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCoverageStatisticsOutput.httpOutput(from:), ListCoverageStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3945,9 +3894,9 @@ extension Inspector2Client { /// /// Lists information about the Amazon Inspector delegated administrator of your organization. /// - /// - Parameter ListDelegatedAdminAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDelegatedAdminAccountsInput`) /// - /// - Returns: `ListDelegatedAdminAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDelegatedAdminAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3984,7 +3933,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDelegatedAdminAccountsOutput.httpOutput(from:), ListDelegatedAdminAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4016,9 +3964,9 @@ extension Inspector2Client { /// /// Lists the filters associated with your account. /// - /// - Parameter ListFiltersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFiltersInput`) /// - /// - Returns: `ListFiltersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFiltersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4055,7 +4003,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFiltersOutput.httpOutput(from:), ListFiltersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4087,9 +4034,9 @@ extension Inspector2Client { /// /// Lists aggregated finding data for your environment based on specific criteria. /// - /// - Parameter ListFindingAggregationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFindingAggregationsInput`) /// - /// - Returns: `ListFindingAggregationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFindingAggregationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4125,7 +4072,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingAggregationsOutput.httpOutput(from:), ListFindingAggregationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4157,9 +4103,9 @@ extension Inspector2Client { /// /// Lists findings for your environment. /// - /// - Parameter ListFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFindingsInput`) /// - /// - Returns: `ListFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4195,7 +4141,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingsOutput.httpOutput(from:), ListFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4227,9 +4172,9 @@ extension Inspector2Client { /// /// List members associated with the Amazon Inspector delegated administrator for your organization. /// - /// - Parameter ListMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMembersInput`) /// - /// - Returns: `ListMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4266,7 +4211,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMembersOutput.httpOutput(from:), ListMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4298,9 +4242,9 @@ extension Inspector2Client { /// /// Lists all tags attached to a given resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4334,7 +4278,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4366,9 +4309,9 @@ extension Inspector2Client { /// /// Lists the Amazon Inspector usage totals over the last 30 days. /// - /// - Parameter ListUsageTotalsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsageTotalsInput`) /// - /// - Returns: `ListUsageTotalsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsageTotalsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4405,7 +4348,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsageTotalsOutput.httpOutput(from:), ListUsageTotalsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4437,9 +4379,9 @@ extension Inspector2Client { /// /// Resets an encryption key. After the key is reset your resources will be encrypted by an Amazon Web Services owned key. /// - /// - Parameter ResetEncryptionKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetEncryptionKeyInput`) /// - /// - Returns: `ResetEncryptionKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetEncryptionKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4477,7 +4419,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetEncryptionKeyOutput.httpOutput(from:), ResetEncryptionKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4509,9 +4450,9 @@ extension Inspector2Client { /// /// Lists Amazon Inspector coverage details for a specific vulnerability. /// - /// - Parameter SearchVulnerabilitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchVulnerabilitiesInput`) /// - /// - Returns: `SearchVulnerabilitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchVulnerabilitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4548,7 +4489,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchVulnerabilitiesOutput.httpOutput(from:), SearchVulnerabilitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4580,9 +4520,9 @@ extension Inspector2Client { /// /// Sends a CIS session health. This API is used by the Amazon Inspector SSM plugin to communicate with the Amazon Inspector service. The Amazon Inspector SSM plugin calls this API to start a CIS scan session for the scan ID supplied by the service. /// - /// - Parameter SendCisSessionHealthInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendCisSessionHealthInput`) /// - /// - Returns: `SendCisSessionHealthOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendCisSessionHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4620,7 +4560,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendCisSessionHealthOutput.httpOutput(from:), SendCisSessionHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4652,9 +4591,9 @@ extension Inspector2Client { /// /// Sends a CIS session telemetry. This API is used by the Amazon Inspector SSM plugin to communicate with the Amazon Inspector service. The Amazon Inspector SSM plugin calls this API to start a CIS scan session for the scan ID supplied by the service. /// - /// - Parameter SendCisSessionTelemetryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendCisSessionTelemetryInput`) /// - /// - Returns: `SendCisSessionTelemetryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendCisSessionTelemetryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4692,7 +4631,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendCisSessionTelemetryOutput.httpOutput(from:), SendCisSessionTelemetryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4724,9 +4662,9 @@ extension Inspector2Client { /// /// Starts a CIS session. This API is used by the Amazon Inspector SSM plugin to communicate with the Amazon Inspector service. The Amazon Inspector SSM plugin calls this API to start a CIS scan session for the scan ID supplied by the service. /// - /// - Parameter StartCisSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCisSessionInput`) /// - /// - Returns: `StartCisSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCisSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4764,7 +4702,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCisSessionOutput.httpOutput(from:), StartCisSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4796,9 +4733,9 @@ extension Inspector2Client { /// /// Initiates a code security scan on a specified repository. /// - /// - Parameter StartCodeSecurityScanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCodeSecurityScanInput`) /// - /// - Returns: `StartCodeSecurityScanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCodeSecurityScanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4838,7 +4775,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCodeSecurityScanOutput.httpOutput(from:), StartCodeSecurityScanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4870,9 +4806,9 @@ extension Inspector2Client { /// /// Stops a CIS session. This API is used by the Amazon Inspector SSM plugin to communicate with the Amazon Inspector service. The Amazon Inspector SSM plugin calls this API to stop a CIS scan session for the scan ID supplied by the service. /// - /// - Parameter StopCisSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopCisSessionInput`) /// - /// - Returns: `StopCisSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopCisSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4910,7 +4846,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopCisSessionOutput.httpOutput(from:), StopCisSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4942,9 +4877,9 @@ extension Inspector2Client { /// /// Adds tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4982,7 +4917,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5014,9 +4948,9 @@ extension Inspector2Client { /// /// Removes tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5051,7 +4985,6 @@ extension Inspector2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5083,9 +5016,9 @@ extension Inspector2Client { /// /// Updates a CIS scan configuration. /// - /// - Parameter UpdateCisScanConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCisScanConfigurationInput`) /// - /// - Returns: `UpdateCisScanConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCisScanConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5123,7 +5056,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCisScanConfigurationOutput.httpOutput(from:), UpdateCisScanConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5155,9 +5087,9 @@ extension Inspector2Client { /// /// Updates an existing code security integration. After calling the CreateCodeSecurityIntegration operation, you complete authentication and authorization with your provider. Next you call the UpdateCodeSecurityIntegration operation to provide the details to complete the integration setup /// - /// - Parameter UpdateCodeSecurityIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCodeSecurityIntegrationInput`) /// - /// - Returns: `UpdateCodeSecurityIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCodeSecurityIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5196,7 +5128,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCodeSecurityIntegrationOutput.httpOutput(from:), UpdateCodeSecurityIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5228,9 +5159,9 @@ extension Inspector2Client { /// /// Updates an existing code security scan configuration. /// - /// - Parameter UpdateCodeSecurityScanConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCodeSecurityScanConfigurationInput`) /// - /// - Returns: `UpdateCodeSecurityScanConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCodeSecurityScanConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5269,7 +5200,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCodeSecurityScanConfigurationOutput.httpOutput(from:), UpdateCodeSecurityScanConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5301,9 +5231,9 @@ extension Inspector2Client { /// /// Updates setting configurations for your Amazon Inspector account. When you use this API as an Amazon Inspector delegated administrator this updates the setting for all accounts you manage. Member accounts in an organization cannot update this setting. /// - /// - Parameter UpdateConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfigurationInput`) /// - /// - Returns: `UpdateConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5340,7 +5270,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationOutput.httpOutput(from:), UpdateConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5372,9 +5301,9 @@ extension Inspector2Client { /// /// Activates, deactivates Amazon Inspector deep inspection, or updates custom paths for your account. /// - /// - Parameter UpdateEc2DeepInspectionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEc2DeepInspectionConfigurationInput`) /// - /// - Returns: `UpdateEc2DeepInspectionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEc2DeepInspectionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5411,7 +5340,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEc2DeepInspectionConfigurationOutput.httpOutput(from:), UpdateEc2DeepInspectionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5443,9 +5371,9 @@ extension Inspector2Client { /// /// Updates an encryption key. A ResourceNotFoundException means that an Amazon Web Services owned key is being used for encryption. /// - /// - Parameter UpdateEncryptionKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEncryptionKeyInput`) /// - /// - Returns: `UpdateEncryptionKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEncryptionKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5483,7 +5411,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEncryptionKeyOutput.httpOutput(from:), UpdateEncryptionKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5515,9 +5442,9 @@ extension Inspector2Client { /// /// Specifies the action that is to be applied to the findings that match the filter. /// - /// - Parameter UpdateFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFilterInput`) /// - /// - Returns: `UpdateFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5555,7 +5482,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFilterOutput.httpOutput(from:), UpdateFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5587,9 +5513,9 @@ extension Inspector2Client { /// /// Updates the Amazon Inspector deep inspection custom paths for your organization. You must be an Amazon Inspector delegated administrator to use this API. /// - /// - Parameter UpdateOrgEc2DeepInspectionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOrgEc2DeepInspectionConfigurationInput`) /// - /// - Returns: `UpdateOrgEc2DeepInspectionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOrgEc2DeepInspectionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5626,7 +5552,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOrgEc2DeepInspectionConfigurationOutput.httpOutput(from:), UpdateOrgEc2DeepInspectionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5658,9 +5583,9 @@ extension Inspector2Client { /// /// Updates the configurations for your Amazon Inspector organization. /// - /// - Parameter UpdateOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOrganizationConfigurationInput`) /// - /// - Returns: `UpdateOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5697,7 +5622,6 @@ extension Inspector2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOrganizationConfigurationOutput.httpOutput(from:), UpdateOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSInspectorScan/Sources/AWSInspectorScan/InspectorScanClient.swift b/Sources/Services/AWSInspectorScan/Sources/AWSInspectorScan/InspectorScanClient.swift index d7d1892e35e..bbab566afb2 100644 --- a/Sources/Services/AWSInspectorScan/Sources/AWSInspectorScan/InspectorScanClient.swift +++ b/Sources/Services/AWSInspectorScan/Sources/AWSInspectorScan/InspectorScanClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class InspectorScanClient: ClientRuntime.Client { public static let clientName = "InspectorScanClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: InspectorScanClient.InspectorScanClientConfiguration let serviceName = "Inspector Scan" @@ -373,9 +372,9 @@ extension InspectorScanClient { /// /// Scans a provided CycloneDX 1.5 SBOM and reports on any vulnerabilities discovered in that SBOM. You can generate compatible SBOMs for your resources using the [Amazon Inspector SBOM generator]. /// - /// - Parameter ScanSbomInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ScanSbomInput`) /// - /// - Returns: `ScanSbomOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ScanSbomOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension InspectorScanClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ScanSbomOutput.httpOutput(from:), ScanSbomOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSInternetMonitor/Sources/AWSInternetMonitor/InternetMonitorClient.swift b/Sources/Services/AWSInternetMonitor/Sources/AWSInternetMonitor/InternetMonitorClient.swift index 31eb8c91082..1416df6c1fc 100644 --- a/Sources/Services/AWSInternetMonitor/Sources/AWSInternetMonitor/InternetMonitorClient.swift +++ b/Sources/Services/AWSInternetMonitor/Sources/AWSInternetMonitor/InternetMonitorClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class InternetMonitorClient: ClientRuntime.Client { public static let clientName = "InternetMonitorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: InternetMonitorClient.InternetMonitorClientConfiguration let serviceName = "InternetMonitor" @@ -375,9 +374,9 @@ extension InternetMonitorClient { /// /// Creates a monitor in Amazon CloudWatch Internet Monitor. A monitor is built based on information from the application resources that you add: VPCs, Network Load Balancers (NLBs), Amazon CloudFront distributions, and Amazon WorkSpaces directories. Internet Monitor then publishes internet measurements from Amazon Web Services that are specific to the city-networks. That is, the locations and ASNs (typically internet service providers or ISPs), where clients access your application. For more information, see [Using Amazon CloudWatch Internet Monitor](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-InternetMonitor.html) in the Amazon CloudWatch User Guide. When you create a monitor, you choose the percentage of traffic that you want to monitor. You can also set a maximum limit for the number of city-networks where client traffic is monitored, that caps the total traffic that Internet Monitor monitors. A city-network maximum is the limit of city-networks, but you only pay for the number of city-networks that are actually monitored. You can update your monitor at any time to change the percentage of traffic to monitor or the city-networks maximum. For more information, see [Choosing a city-network maximum value](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/IMCityNetworksMaximum.html) in the Amazon CloudWatch User Guide. /// - /// - Parameter CreateMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMonitorInput`) /// - /// - Returns: `CreateMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension InternetMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMonitorOutput.httpOutput(from:), CreateMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension InternetMonitorClient { /// /// Deletes a monitor in Amazon CloudWatch Internet Monitor. /// - /// - Parameter DeleteMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMonitorInput`) /// - /// - Returns: `DeleteMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension InternetMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMonitorOutput.httpOutput(from:), DeleteMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension InternetMonitorClient { /// /// Gets information that Amazon CloudWatch Internet Monitor has created and stored about a health event for a specified monitor. This information includes the impacted locations, and all the information related to the event, by location. The information returned includes the impact on performance, availability, and round-trip time, information about the network providers (ASNs), the event type, and so on. Information rolled up at the global traffic level is also returned, including the impact type and total traffic impact. /// - /// - Parameter GetHealthEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHealthEventInput`) /// - /// - Returns: `GetHealthEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHealthEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension InternetMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetHealthEventInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHealthEventOutput.httpOutput(from:), GetHealthEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension InternetMonitorClient { /// /// Gets information that Amazon CloudWatch Internet Monitor has generated about an internet event. Internet Monitor displays information about recent global health events, called internet events, on a global outages map that is available to all Amazon Web Services customers. The information returned here includes the impacted location, when the event started and (if the event is over) ended, the type of event (PERFORMANCE or AVAILABILITY), and the status (ACTIVE or RESOLVED). /// - /// - Parameter GetInternetEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInternetEventInput`) /// - /// - Returns: `GetInternetEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInternetEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -622,7 +618,6 @@ extension InternetMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInternetEventOutput.httpOutput(from:), GetInternetEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -654,9 +649,9 @@ extension InternetMonitorClient { /// /// Gets information about a monitor in Amazon CloudWatch Internet Monitor based on a monitor name. The information returned includes the Amazon Resource Name (ARN), create time, modified time, resources included in the monitor, and status information. /// - /// - Parameter GetMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMonitorInput`) /// - /// - Returns: `GetMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -691,7 +686,6 @@ extension InternetMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMonitorInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMonitorOutput.httpOutput(from:), GetMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -723,9 +717,9 @@ extension InternetMonitorClient { /// /// Return the data for a query with the Amazon CloudWatch Internet Monitor query interface. Specify the query that you want to return results for by providing a QueryId and a monitor name. For more information about using the query interface, including examples, see [Using the Amazon CloudWatch Internet Monitor query interface](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-IM-view-cw-tools-cwim-query.html) in the Amazon CloudWatch Internet Monitor User Guide. /// - /// - Parameter GetQueryResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryResultsInput`) /// - /// - Returns: `GetQueryResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -761,7 +755,6 @@ extension InternetMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetQueryResultsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryResultsOutput.httpOutput(from:), GetQueryResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension InternetMonitorClient { /// /// * CANCELED: The query was canceled. /// - /// - Parameter GetQueryStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryStatusInput`) /// - /// - Returns: `GetQueryStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension InternetMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryStatusOutput.httpOutput(from:), GetQueryStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -872,9 +864,9 @@ extension InternetMonitorClient { /// /// Lists all health events for a monitor in Amazon CloudWatch Internet Monitor. Returns information for health events including the event start and end times, and the status. Health events that have start times during the time frame that is requested are not included in the list of health events. /// - /// - Parameter ListHealthEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHealthEventsInput`) /// - /// - Returns: `ListHealthEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHealthEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -909,7 +901,6 @@ extension InternetMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHealthEventsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHealthEventsOutput.httpOutput(from:), ListHealthEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -941,9 +932,9 @@ extension InternetMonitorClient { /// /// Lists internet events that cause performance or availability issues for client locations. Amazon CloudWatch Internet Monitor displays information about recent global health events, called internet events, on a global outages map that is available to all Amazon Web Services customers. You can constrain the list of internet events returned by providing a start time and end time to define a total time frame for events you want to list. Both start time and end time specify the time when an event started. End time is optional. If you don't include it, the default end time is the current time. You can also limit the events returned to a specific status (ACTIVE or RESOLVED) or type (PERFORMANCE or AVAILABILITY). /// - /// - Parameter ListInternetEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInternetEventsInput`) /// - /// - Returns: `ListInternetEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInternetEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -978,7 +969,6 @@ extension InternetMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInternetEventsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInternetEventsOutput.httpOutput(from:), ListInternetEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1010,9 +1000,9 @@ extension InternetMonitorClient { /// /// Lists all of your monitors for Amazon CloudWatch Internet Monitor and their statuses, along with the Amazon Resource Name (ARN) and name of each monitor. /// - /// - Parameter ListMonitorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitorsInput`) /// - /// - Returns: `ListMonitorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1047,7 +1037,6 @@ extension InternetMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMonitorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitorsOutput.httpOutput(from:), ListMonitorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1079,9 +1068,9 @@ extension InternetMonitorClient { /// /// Lists the tags for a resource. Tags are supported only for monitors in Amazon CloudWatch Internet Monitor. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1116,7 +1105,6 @@ extension InternetMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1148,9 +1136,9 @@ extension InternetMonitorClient { /// /// Start a query to return data for a specific query type for the Amazon CloudWatch Internet Monitor query interface. Specify a time period for the data that you want returned by using StartTime and EndTime. You filter the query results to return by providing parameters that you specify with FilterParameters. For more information about using the query interface, including examples, see [Using the Amazon CloudWatch Internet Monitor query interface](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-IM-view-cw-tools-cwim-query.html) in the Amazon CloudWatch Internet Monitor User Guide. /// - /// - Parameter StartQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartQueryInput`) /// - /// - Returns: `StartQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1188,7 +1176,6 @@ extension InternetMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartQueryOutput.httpOutput(from:), StartQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1220,9 +1207,9 @@ extension InternetMonitorClient { /// /// Stop a query that is progress for a specific monitor. /// - /// - Parameter StopQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopQueryInput`) /// - /// - Returns: `StopQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1257,7 +1244,6 @@ extension InternetMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopQueryOutput.httpOutput(from:), StopQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1289,9 +1275,9 @@ extension InternetMonitorClient { /// /// Adds a tag to a resource. Tags are supported only for monitors in Amazon CloudWatch Internet Monitor. You can add a maximum of 50 tags in Internet Monitor. A minimum of one tag is required for this call. It returns an error if you use the TagResource request with 0 tags. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1329,7 +1315,6 @@ extension InternetMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1361,9 +1346,9 @@ extension InternetMonitorClient { /// /// Removes a tag from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1399,7 +1384,6 @@ extension InternetMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1431,9 +1415,9 @@ extension InternetMonitorClient { /// /// Updates a monitor. You can update a monitor to change the percentage of traffic to monitor or the maximum number of city-networks (locations and ASNs), to add or remove resources, or to change the status of the monitor. Note that you can't change the name of a monitor. The city-network maximum that you choose is the limit, but you only pay for the number of city-networks that are actually monitored. For more information, see [Choosing a city-network maximum value](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/IMCityNetworksMaximum.html) in the Amazon CloudWatch User Guide. /// - /// - Parameter UpdateMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMonitorInput`) /// - /// - Returns: `UpdateMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1473,7 +1457,6 @@ extension InternetMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMonitorOutput.httpOutput(from:), UpdateMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSInvoicing/Sources/AWSInvoicing/InvoicingClient.swift b/Sources/Services/AWSInvoicing/Sources/AWSInvoicing/InvoicingClient.swift index aebefea7ba5..78491aaecbd 100644 --- a/Sources/Services/AWSInvoicing/Sources/AWSInvoicing/InvoicingClient.swift +++ b/Sources/Services/AWSInvoicing/Sources/AWSInvoicing/InvoicingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class InvoicingClient: ClientRuntime.Client { public static let clientName = "InvoicingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: InvoicingClient.InvoicingClientConfiguration let serviceName = "Invoicing" @@ -374,9 +373,9 @@ extension InvoicingClient { /// /// This gets the invoice profile associated with a set of accounts. The accounts must be linked accounts under the requester management account organization. /// - /// - Parameter BatchGetInvoiceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetInvoiceProfileInput`) /// - /// - Returns: `BatchGetInvoiceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetInvoiceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension InvoicingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetInvoiceProfileOutput.httpOutput(from:), BatchGetInvoiceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension InvoicingClient { /// /// This creates a new invoice unit with the provided definition. /// - /// - Parameter CreateInvoiceUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInvoiceUnitInput`) /// - /// - Returns: `CreateInvoiceUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInvoiceUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension InvoicingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInvoiceUnitOutput.httpOutput(from:), CreateInvoiceUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension InvoicingClient { /// /// This deletes an invoice unit with the provided invoice unit ARN. /// - /// - Parameter DeleteInvoiceUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInvoiceUnitInput`) /// - /// - Returns: `DeleteInvoiceUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInvoiceUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension InvoicingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInvoiceUnitOutput.httpOutput(from:), DeleteInvoiceUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension InvoicingClient { /// /// This retrieves the invoice unit definition. /// - /// - Parameter GetInvoiceUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInvoiceUnitInput`) /// - /// - Returns: `GetInvoiceUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInvoiceUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension InvoicingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInvoiceUnitOutput.httpOutput(from:), GetInvoiceUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension InvoicingClient { /// /// Retrieves your invoice details programmatically, without line item details. /// - /// - Parameter ListInvoiceSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvoiceSummariesInput`) /// - /// - Returns: `ListInvoiceSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvoiceSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension InvoicingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvoiceSummariesOutput.httpOutput(from:), ListInvoiceSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -738,9 +732,9 @@ extension InvoicingClient { /// /// This fetches a list of all invoice unit definitions for a given account, as of the provided AsOf date. /// - /// - Parameter ListInvoiceUnitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvoiceUnitsInput`) /// - /// - Returns: `ListInvoiceUnitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvoiceUnitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -775,7 +769,6 @@ extension InvoicingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvoiceUnitsOutput.httpOutput(from:), ListInvoiceUnitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -810,9 +803,9 @@ extension InvoicingClient { /// /// Lists the tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -848,7 +841,6 @@ extension InvoicingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -883,9 +875,9 @@ extension InvoicingClient { /// /// Adds a tag to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -922,7 +914,6 @@ extension InvoicingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension InvoicingClient { /// /// Removes a tag from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -995,7 +986,6 @@ extension InvoicingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1030,9 +1020,9 @@ extension InvoicingClient { /// /// You can update the invoice unit configuration at any time, and Amazon Web Services will use the latest configuration at the end of the month. /// - /// - Parameter UpdateInvoiceUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInvoiceUnitInput`) /// - /// - Returns: `UpdateInvoiceUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInvoiceUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1068,7 +1058,6 @@ extension InvoicingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInvoiceUnitOutput.httpOutput(from:), UpdateInvoiceUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoT/Sources/AWSIoT/IoTClient.swift b/Sources/Services/AWSIoT/Sources/AWSIoT/IoTClient.swift index 02507379873..938b25273ef 100644 --- a/Sources/Services/AWSIoT/Sources/AWSIoT/IoTClient.swift +++ b/Sources/Services/AWSIoT/Sources/AWSIoT/IoTClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -71,7 +70,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTClient: ClientRuntime.Client { public static let clientName = "IoTClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTClient.IoTClientConfiguration let serviceName = "IoT" @@ -377,9 +376,9 @@ extension IoTClient { /// /// Accepts a pending certificate transfer. The default state of the certificate is INACTIVE. To check for pending certificate transfers, call [ListCertificates] to enumerate your certificates. Requires permission to access the [AcceptCertificateTransfer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter AcceptCertificateTransferInput : The input for the AcceptCertificateTransfer operation. + /// - Parameter input: The input for the AcceptCertificateTransfer operation. (Type: `AcceptCertificateTransferInput`) /// - /// - Returns: `AcceptCertificateTransferOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptCertificateTransferOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AcceptCertificateTransferInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptCertificateTransferOutput.httpOutput(from:), AcceptCertificateTransferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension IoTClient { /// /// Adds a thing to a billing group. Requires permission to access the [AddThingToBillingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter AddThingToBillingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddThingToBillingGroupInput`) /// - /// - Returns: `AddThingToBillingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddThingToBillingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddThingToBillingGroupOutput.httpOutput(from:), AddThingToBillingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension IoTClient { /// /// Adds a thing to a thing group. Requires permission to access the [AddThingToThingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter AddThingToThingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddThingToThingGroupInput`) /// - /// - Returns: `AddThingToThingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddThingToThingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddThingToThingGroupOutput.httpOutput(from:), AddThingToThingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension IoTClient { /// /// Associates the selected software bill of materials (SBOM) with a specific software package version. Requires permission to access the [AssociateSbomWithPackageVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter AssociateSbomWithPackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSbomWithPackageVersionInput`) /// - /// - Returns: `AssociateSbomWithPackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSbomWithPackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSbomWithPackageVersionOutput.httpOutput(from:), AssociateSbomWithPackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -675,9 +670,9 @@ extension IoTClient { /// /// Requires permission to access the [AssociateTargetsWithJob](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter AssociateTargetsWithJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTargetsWithJobInput`) /// - /// - Returns: `AssociateTargetsWithJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTargetsWithJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -716,7 +711,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTargetsWithJobOutput.httpOutput(from:), AssociateTargetsWithJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -748,9 +742,9 @@ extension IoTClient { /// /// Attaches the specified policy to the specified principal (certificate or other credential). Requires permission to access the [AttachPolicy](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter AttachPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachPolicyInput`) /// - /// - Returns: `AttachPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -790,7 +784,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachPolicyOutput.httpOutput(from:), AttachPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -823,9 +816,9 @@ extension IoTClient { /// Attaches the specified policy to the specified principal (certificate or other credential). Note: This action is deprecated and works as expected for backward compatibility, but we won't add enhancements. Use [AttachPolicy] instead. Requires permission to access the [AttachPrincipalPolicy](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. @available(*, deprecated) /// - /// - Parameter AttachPrincipalPolicyInput : The input for the AttachPrincipalPolicy operation. + /// - Parameter input: The input for the AttachPrincipalPolicy operation. (Type: `AttachPrincipalPolicyInput`) /// - /// - Returns: `AttachPrincipalPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachPrincipalPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -863,7 +856,6 @@ extension IoTClient { builder.serialize(ClientRuntime.HeaderMiddleware(AttachPrincipalPolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachPrincipalPolicyOutput.httpOutput(from:), AttachPrincipalPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -895,9 +887,9 @@ extension IoTClient { /// /// Associates a Device Defender security profile with a thing group or this account. Each thing group or account can have up to five security profiles associated with it. Requires permission to access the [AttachSecurityProfile](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter AttachSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachSecurityProfileInput`) /// - /// - Returns: `AttachSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -934,7 +926,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AttachSecurityProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachSecurityProfileOutput.httpOutput(from:), AttachSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -966,9 +957,9 @@ extension IoTClient { /// /// Attaches the specified principal to the specified thing. A principal can be X.509 certificates, Amazon Cognito identities or federated identities. Requires permission to access the [AttachThingPrincipal](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter AttachThingPrincipalInput : The input for the AttachThingPrincipal operation. + /// - Parameter input: The input for the AttachThingPrincipal operation. (Type: `AttachThingPrincipalInput`) /// - /// - Returns: `AttachThingPrincipalOutput` : The output from the AttachThingPrincipal operation. + /// - Returns: The output from the AttachThingPrincipal operation. (Type: `AttachThingPrincipalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1006,7 +997,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AttachThingPrincipalInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachThingPrincipalOutput.httpOutput(from:), AttachThingPrincipalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1038,9 +1028,9 @@ extension IoTClient { /// /// Cancels a mitigation action task that is in progress. If the task is not in progress, an InvalidRequestException occurs. Requires permission to access the [CancelAuditMitigationActionsTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CancelAuditMitigationActionsTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelAuditMitigationActionsTaskInput`) /// - /// - Returns: `CancelAuditMitigationActionsTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelAuditMitigationActionsTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1074,7 +1064,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelAuditMitigationActionsTaskOutput.httpOutput(from:), CancelAuditMitigationActionsTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1106,9 +1095,9 @@ extension IoTClient { /// /// Cancels an audit that is in progress. The audit can be either scheduled or on demand. If the audit isn't in progress, an "InvalidRequestException" occurs. Requires permission to access the [CancelAuditTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CancelAuditTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelAuditTaskInput`) /// - /// - Returns: `CancelAuditTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelAuditTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1142,7 +1131,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelAuditTaskOutput.httpOutput(from:), CancelAuditTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1174,9 +1162,9 @@ extension IoTClient { /// /// Cancels a pending transfer for the specified certificate. Note Only the transfer source account can use this operation to cancel a transfer. (Transfer destinations can use [RejectCertificateTransfer] instead.) After transfer, IoT returns the certificate to the source account in the INACTIVE state. After the destination account has accepted the transfer, the transfer cannot be cancelled. After a certificate transfer is cancelled, the status of the certificate changes from PENDING_TRANSFER to INACTIVE. Requires permission to access the [CancelCertificateTransfer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CancelCertificateTransferInput : The input for the CancelCertificateTransfer operation. + /// - Parameter input: The input for the CancelCertificateTransfer operation. (Type: `CancelCertificateTransferInput`) /// - /// - Returns: `CancelCertificateTransferOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelCertificateTransferOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1213,7 +1201,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelCertificateTransferOutput.httpOutput(from:), CancelCertificateTransferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1245,9 +1232,9 @@ extension IoTClient { /// /// Cancels a Device Defender ML Detect mitigation action. Requires permission to access the [CancelDetectMitigationActionsTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CancelDetectMitigationActionsTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelDetectMitigationActionsTaskInput`) /// - /// - Returns: `CancelDetectMitigationActionsTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelDetectMitigationActionsTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1281,7 +1268,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelDetectMitigationActionsTaskOutput.httpOutput(from:), CancelDetectMitigationActionsTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1313,9 +1299,9 @@ extension IoTClient { /// /// Cancels a job. Requires permission to access the [CancelJob](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CancelJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelJobInput`) /// - /// - Returns: `CancelJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1354,7 +1340,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJobOutput.httpOutput(from:), CancelJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1386,9 +1371,9 @@ extension IoTClient { /// /// Cancels the execution of a job for a given thing. Requires permission to access the [CancelJobExecution](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CancelJobExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelJobExecutionInput`) /// - /// - Returns: `CancelJobExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelJobExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1428,7 +1413,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJobExecutionOutput.httpOutput(from:), CancelJobExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1460,9 +1444,9 @@ extension IoTClient { /// /// Clears the default authorizer. Requires permission to access the [ClearDefaultAuthorizer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ClearDefaultAuthorizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ClearDefaultAuthorizerInput`) /// - /// - Returns: `ClearDefaultAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ClearDefaultAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1498,7 +1482,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ClearDefaultAuthorizerOutput.httpOutput(from:), ClearDefaultAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1530,9 +1513,9 @@ extension IoTClient { /// /// Confirms a topic rule destination. When you create a rule requiring a destination, IoT sends a confirmation message to the endpoint or base address you specify. The message includes a token which you pass back when calling ConfirmTopicRuleDestination to confirm that you own or have access to the endpoint. Requires permission to access the [ConfirmTopicRuleDestination](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ConfirmTopicRuleDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConfirmTopicRuleDestinationInput`) /// - /// - Returns: `ConfirmTopicRuleDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfirmTopicRuleDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1567,7 +1550,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmTopicRuleDestinationOutput.httpOutput(from:), ConfirmTopicRuleDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1599,9 +1581,9 @@ extension IoTClient { /// /// Creates a Device Defender audit suppression. Requires permission to access the [CreateAuditSuppression](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateAuditSuppressionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAuditSuppressionInput`) /// - /// - Returns: `CreateAuditSuppressionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAuditSuppressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1640,7 +1622,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAuditSuppressionOutput.httpOutput(from:), CreateAuditSuppressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1672,9 +1653,9 @@ extension IoTClient { /// /// Creates an authorizer. Requires permission to access the [CreateAuthorizer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateAuthorizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAuthorizerInput`) /// - /// - Returns: `CreateAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1714,7 +1695,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAuthorizerOutput.httpOutput(from:), CreateAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1746,9 +1726,9 @@ extension IoTClient { /// /// Creates a billing group. If this call is made multiple times using the same billing group name and configuration, the call will succeed. If this call is made with the same billing group name but different configuration a ResourceAlreadyExistsException is thrown. Requires permission to access the [CreateBillingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateBillingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBillingGroupInput`) /// - /// - Returns: `CreateBillingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBillingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1785,7 +1765,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBillingGroupOutput.httpOutput(from:), CreateBillingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1817,9 +1796,9 @@ extension IoTClient { /// /// Creates an X.509 certificate using the specified certificate signing request. Requires permission to access the [CreateCertificateFromCsr](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. The CSR must include a public key that is either an RSA key with a length of at least 2048 bits or an ECC key from NIST P-256, NIST P-384, or NIST P-521 curves. For supported certificates, consult [ Certificate signing algorithms supported by IoT](https://docs.aws.amazon.com/iot/latest/developerguide/x509-client-certs.html#x509-cert-algorithms). Reusing the same certificate signing request (CSR) results in a distinct certificate. You can create multiple certificates in a batch by creating a directory, copying multiple .csr files into that directory, and then specifying that directory on the command line. The following commands show how to create a batch of certificates given a batch of CSRs. In the following commands, we assume that a set of CSRs are located inside of the directory my-csr-directory: On Linux and OS X, the command is: $ ls my-csr-directory/ | xargs -I {} aws iot create-certificate-from-csr --certificate-signing-request file://my-csr-directory/{} This command lists all of the CSRs in my-csr-directory and pipes each CSR file name to the aws iot create-certificate-from-csr Amazon Web Services CLI command to create a certificate for the corresponding CSR. You can also run the aws iot create-certificate-from-csr part of the command in parallel to speed up the certificate creation process: $ ls my-csr-directory/ | xargs -P 10 -I {} aws iot create-certificate-from-csr --certificate-signing-request file://my-csr-directory/{} On Windows PowerShell, the command to create certificates for all CSRs in my-csr-directory is: > ls -Name my-csr-directory | %{aws iot create-certificate-from-csr --certificate-signing-request file://my-csr-directory/$_} On a Windows command prompt, the command to create certificates for all CSRs in my-csr-directory is: > forfiles /p my-csr-directory /c "cmd /c aws iot create-certificate-from-csr --certificate-signing-request file://@path" /// - /// - Parameter CreateCertificateFromCsrInput : The input for the CreateCertificateFromCsr operation. + /// - Parameter input: The input for the CreateCertificateFromCsr operation. (Type: `CreateCertificateFromCsrInput`) /// - /// - Returns: `CreateCertificateFromCsrOutput` : The output from the CreateCertificateFromCsr operation. + /// - Returns: The output from the CreateCertificateFromCsr operation. (Type: `CreateCertificateFromCsrOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1858,7 +1837,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCertificateFromCsrOutput.httpOutput(from:), CreateCertificateFromCsrOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1890,9 +1868,9 @@ extension IoTClient { /// /// Creates an Amazon Web Services IoT Core certificate provider. You can use Amazon Web Services IoT Core certificate provider to customize how to sign a certificate signing request (CSR) in IoT fleet provisioning. For more information, see [Customizing certificate signing using Amazon Web Services IoT Core certificate provider](https://docs.aws.amazon.com/iot/latest/developerguide/provisioning-cert-provider.html) from Amazon Web Services IoT Core Developer Guide. Requires permission to access the [CreateCertificateProvider](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. After you create a certificate provider, the behavior of [CreateCertificateFromCsr] API for fleet provisioning(https://docs.aws.amazon.com/iot/latest/developerguide/fleet-provision-api.html#create-cert-csr) will change and all API calls to CreateCertificateFromCsr will invoke the certificate provider to create the certificates. It can take up to a few minutes for this behavior to change after a certificate provider is created. /// - /// - Parameter CreateCertificateProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCertificateProviderInput`) /// - /// - Returns: `CreateCertificateProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCertificateProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1933,7 +1911,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCertificateProviderOutput.httpOutput(from:), CreateCertificateProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1965,9 +1942,9 @@ extension IoTClient { /// /// Creates a command. A command contains reusable configurations that can be applied before they are sent to the devices. /// - /// - Parameter CreateCommandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCommandInput`) /// - /// - Returns: `CreateCommandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCommandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2005,7 +1982,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCommandOutput.httpOutput(from:), CreateCommandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2037,9 +2013,9 @@ extension IoTClient { /// /// Use this API to define a Custom Metric published by your devices to Device Defender. Requires permission to access the [CreateCustomMetric](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateCustomMetricInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomMetricInput`) /// - /// - Returns: `CreateCustomMetricOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomMetricOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2078,7 +2054,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomMetricOutput.httpOutput(from:), CreateCustomMetricOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2110,9 +2085,9 @@ extension IoTClient { /// /// Create a dimension that you can use to limit the scope of a metric used in a security profile for IoT Device Defender. For example, using a TOPIC_FILTER dimension, you can narrow down the scope of the metric only to MQTT topics whose name match the pattern specified in the dimension. Requires permission to access the [CreateDimension](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateDimensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDimensionInput`) /// - /// - Returns: `CreateDimensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDimensionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2151,7 +2126,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDimensionOutput.httpOutput(from:), CreateDimensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2183,9 +2157,9 @@ extension IoTClient { /// /// Creates a domain configuration. Requires permission to access the [CreateDomainConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateDomainConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainConfigurationInput`) /// - /// - Returns: `CreateDomainConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2226,7 +2200,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainConfigurationOutput.httpOutput(from:), CreateDomainConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2258,9 +2231,9 @@ extension IoTClient { /// /// Creates a dynamic thing group. Requires permission to access the [CreateDynamicThingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateDynamicThingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDynamicThingGroupInput`) /// - /// - Returns: `CreateDynamicThingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDynamicThingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2300,7 +2273,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDynamicThingGroupOutput.httpOutput(from:), CreateDynamicThingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2332,9 +2304,9 @@ extension IoTClient { /// /// Creates a fleet metric. Requires permission to access the [CreateFleetMetric](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateFleetMetricInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFleetMetricInput`) /// - /// - Returns: `CreateFleetMetricOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFleetMetricOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2378,7 +2350,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFleetMetricOutput.httpOutput(from:), CreateFleetMetricOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2410,9 +2381,9 @@ extension IoTClient { /// /// Creates a job. Requires permission to access the [CreateJob](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobInput`) /// - /// - Returns: `CreateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2451,7 +2422,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobOutput.httpOutput(from:), CreateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2483,9 +2453,9 @@ extension IoTClient { /// /// Creates a job template. Requires permission to access the [CreateJobTemplate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobTemplateInput`) /// - /// - Returns: `CreateJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2524,7 +2494,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobTemplateOutput.httpOutput(from:), CreateJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2556,9 +2525,9 @@ extension IoTClient { /// /// Creates a 2048-bit RSA key pair and issues an X.509 certificate using the issued public key. You can also call CreateKeysAndCertificate over MQTT from a device, for more information, see [Provisioning MQTT API](https://docs.aws.amazon.com/iot/latest/developerguide/provision-wo-cert.html#provision-mqtt-api). Note This is the only time IoT issues the private key for this certificate, so it is important to keep it in a secure location. Requires permission to access the [CreateKeysAndCertificate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateKeysAndCertificateInput : The input for the CreateKeysAndCertificate operation. Requires permission to access the [CreateKeysAndCertificateRequest](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. + /// - Parameter input: The input for the CreateKeysAndCertificate operation. Requires permission to access the [CreateKeysAndCertificateRequest](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. (Type: `CreateKeysAndCertificateInput`) /// - /// - Returns: `CreateKeysAndCertificateOutput` : The output of the CreateKeysAndCertificate operation. + /// - Returns: The output of the CreateKeysAndCertificate operation. (Type: `CreateKeysAndCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2594,7 +2563,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CreateKeysAndCertificateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKeysAndCertificateOutput.httpOutput(from:), CreateKeysAndCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2626,9 +2594,9 @@ extension IoTClient { /// /// Defines an action that can be applied to audit findings by using StartAuditMitigationActionsTask. Only certain types of mitigation actions can be applied to specific check names. For more information, see [Mitigation actions](https://docs.aws.amazon.com/iot/latest/developerguide/device-defender-mitigation-actions.html). Each mitigation action can apply only one type of change. Requires permission to access the [CreateMitigationAction](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateMitigationActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMitigationActionInput`) /// - /// - Returns: `CreateMitigationActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMitigationActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2666,7 +2634,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMitigationActionOutput.httpOutput(from:), CreateMitigationActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2698,9 +2665,9 @@ extension IoTClient { /// /// Creates an IoT OTA update on a target group of things or groups. Requires permission to access the [CreateOTAUpdate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateOTAUpdateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOTAUpdateInput`) /// - /// - Returns: `CreateOTAUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOTAUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2741,7 +2708,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOTAUpdateOutput.httpOutput(from:), CreateOTAUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2773,9 +2739,9 @@ extension IoTClient { /// /// Creates an IoT software package that can be deployed to your fleet. Requires permission to access the [CreatePackage](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) and [GetIndexingConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) actions. /// - /// - Parameter CreatePackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePackageInput`) /// - /// - Returns: `CreatePackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2815,7 +2781,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePackageOutput.httpOutput(from:), CreatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2847,9 +2812,9 @@ extension IoTClient { /// /// Creates a new version for an existing IoT software package. Requires permission to access the [CreatePackageVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) and [GetIndexingConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) actions. /// - /// - Parameter CreatePackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePackageVersionInput`) /// - /// - Returns: `CreatePackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2889,7 +2854,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePackageVersionOutput.httpOutput(from:), CreatePackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2921,9 +2885,9 @@ extension IoTClient { /// /// Creates an IoT policy. The created policy is the default version for the policy. This operation creates a policy version with a version identifier of 1 and sets 1 as the policy's default version. Requires permission to access the [CreatePolicy](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreatePolicyInput : The input for the CreatePolicy operation. + /// - Parameter input: The input for the CreatePolicy operation. (Type: `CreatePolicyInput`) /// - /// - Returns: `CreatePolicyOutput` : The output from the CreatePolicy operation. + /// - Returns: The output from the CreatePolicy operation. (Type: `CreatePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2963,7 +2927,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePolicyOutput.httpOutput(from:), CreatePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2995,9 +2958,9 @@ extension IoTClient { /// /// Creates a new version of the specified IoT policy. To update a policy, create a new policy version. A managed policy can have up to five versions. If the policy has five versions, you must use [DeletePolicyVersion] to delete an existing version before you create a new one. Optionally, you can set the new version as the policy's default version. The default version is the operative version (that is, the version that is in effect for the certificates to which the policy is attached). Requires permission to access the [CreatePolicyVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreatePolicyVersionInput : The input for the CreatePolicyVersion operation. + /// - Parameter input: The input for the CreatePolicyVersion operation. (Type: `CreatePolicyVersionInput`) /// - /// - Returns: `CreatePolicyVersionOutput` : The output of the CreatePolicyVersion operation. + /// - Returns: The output of the CreatePolicyVersion operation. (Type: `CreatePolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3039,7 +3002,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePolicyVersionOutput.httpOutput(from:), CreatePolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3071,9 +3033,9 @@ extension IoTClient { /// /// Creates a provisioning claim. Requires permission to access the [CreateProvisioningClaim](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateProvisioningClaimInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProvisioningClaimInput`) /// - /// - Returns: `CreateProvisioningClaimOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProvisioningClaimOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3109,7 +3071,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProvisioningClaimOutput.httpOutput(from:), CreateProvisioningClaimOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3141,9 +3102,9 @@ extension IoTClient { /// /// Creates a provisioning template. Requires permission to access the [CreateProvisioningTemplate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateProvisioningTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProvisioningTemplateInput`) /// - /// - Returns: `CreateProvisioningTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProvisioningTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3182,7 +3143,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProvisioningTemplateOutput.httpOutput(from:), CreateProvisioningTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3214,9 +3174,9 @@ extension IoTClient { /// /// Creates a new version of a provisioning template. Requires permission to access the [CreateProvisioningTemplateVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateProvisioningTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProvisioningTemplateVersionInput`) /// - /// - Returns: `CreateProvisioningTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProvisioningTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3257,7 +3217,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProvisioningTemplateVersionOutput.httpOutput(from:), CreateProvisioningTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3289,9 +3248,9 @@ extension IoTClient { /// /// Creates a role alias. Requires permission to access the [CreateRoleAlias](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. The value of [credentialDurationSeconds](https://docs.aws.amazon.com/iot/latest/apireference/API_CreateRoleAlias.html#iot-CreateRoleAlias-request-credentialDurationSeconds) must be less than or equal to the maximum session duration of the IAM role that the role alias references. For more information, see [ Modifying a role maximum session duration (Amazon Web Services API)](https://docs.aws.amazon.com/IAM/latest/UserGuide/roles-managingrole-editing-api.html#roles-modify_max-session-duration-api) from the Amazon Web Services Identity and Access Management User Guide. /// - /// - Parameter CreateRoleAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRoleAliasInput`) /// - /// - Returns: `CreateRoleAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRoleAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3331,7 +3290,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRoleAliasOutput.httpOutput(from:), CreateRoleAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3363,9 +3321,9 @@ extension IoTClient { /// /// Creates a scheduled audit that is run at a specified time interval. Requires permission to access the [CreateScheduledAudit](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateScheduledAuditInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScheduledAuditInput`) /// - /// - Returns: `CreateScheduledAuditOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScheduledAuditOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3403,7 +3361,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScheduledAuditOutput.httpOutput(from:), CreateScheduledAuditOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3435,9 +3392,9 @@ extension IoTClient { /// /// Creates a Device Defender security profile. Requires permission to access the [CreateSecurityProfile](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSecurityProfileInput`) /// - /// - Returns: `CreateSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3474,7 +3431,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSecurityProfileOutput.httpOutput(from:), CreateSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3506,9 +3462,9 @@ extension IoTClient { /// /// Creates a stream for delivering one or more large files in chunks over MQTT. A stream transports data bytes in chunks or blocks packaged as MQTT messages from a source like S3. You can have one or more files associated with a stream. Requires permission to access the [CreateStream](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStreamInput`) /// - /// - Returns: `CreateStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3549,7 +3505,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStreamOutput.httpOutput(from:), CreateStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3581,9 +3536,9 @@ extension IoTClient { /// /// Creates a thing record in the registry. If this call is made multiple times using the same thing name and configuration, the call will succeed. If this call is made with the same thing name but different configuration a ResourceAlreadyExistsException is thrown. This is a control plane operation. See [Authorization](https://docs.aws.amazon.com/iot/latest/developerguide/iot-authorization.html) for information about authorizing control plane actions. Requires permission to access the [CreateThing](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateThingInput : The input for the CreateThing operation. + /// - Parameter input: The input for the CreateThing operation. (Type: `CreateThingInput`) /// - /// - Returns: `CreateThingOutput` : The output of the CreateThing operation. + /// - Returns: The output of the CreateThing operation. (Type: `CreateThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3623,7 +3578,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateThingOutput.httpOutput(from:), CreateThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3655,9 +3609,9 @@ extension IoTClient { /// /// Create a thing group. This is a control plane operation. See [Authorization](https://docs.aws.amazon.com/iot/latest/developerguide/iot-authorization.html) for information about authorizing control plane actions. If the ThingGroup that you create has the exact same attributes as an existing ThingGroup, you will get a 200 success response. Requires permission to access the [CreateThingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateThingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateThingGroupInput`) /// - /// - Returns: `CreateThingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateThingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3694,7 +3648,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateThingGroupOutput.httpOutput(from:), CreateThingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3726,9 +3679,9 @@ extension IoTClient { /// /// Creates a new thing type. If this call is made multiple times using the same thing type name and configuration, the call will succeed. If this call is made with the same thing type name but different configuration a ResourceAlreadyExistsException is thrown. Requires permission to access the [CreateThingType](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateThingTypeInput : The input for the CreateThingType operation. + /// - Parameter input: The input for the CreateThingType operation. (Type: `CreateThingTypeInput`) /// - /// - Returns: `CreateThingTypeOutput` : The output of the CreateThingType operation. + /// - Returns: The output of the CreateThingType operation. (Type: `CreateThingTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3767,7 +3720,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateThingTypeOutput.httpOutput(from:), CreateThingTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3799,9 +3751,9 @@ extension IoTClient { /// /// Creates a rule. Creating rules is an administrator-level action. Any user who has permission to create rules will be able to access data processed by the rule. Requires permission to access the [CreateTopicRule](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateTopicRuleInput : The input for the CreateTopicRule operation. + /// - Parameter input: The input for the CreateTopicRule operation. (Type: `CreateTopicRuleInput`) /// - /// - Returns: `CreateTopicRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTopicRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3842,7 +3794,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTopicRuleOutput.httpOutput(from:), CreateTopicRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3874,9 +3825,9 @@ extension IoTClient { /// /// Creates a topic rule destination. The destination must be confirmed prior to use. Requires permission to access the [CreateTopicRuleDestination](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateTopicRuleDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTopicRuleDestinationInput`) /// - /// - Returns: `CreateTopicRuleDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTopicRuleDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3915,7 +3866,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTopicRuleDestinationOutput.httpOutput(from:), CreateTopicRuleDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3947,9 +3897,9 @@ extension IoTClient { /// /// Restores the default settings for Device Defender audits for this account. Any configuration data you entered is deleted and all audit checks are reset to disabled. Requires permission to access the [DeleteAccountAuditConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteAccountAuditConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountAuditConfigurationInput`) /// - /// - Returns: `DeleteAccountAuditConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountAuditConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3984,7 +3934,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAccountAuditConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountAuditConfigurationOutput.httpOutput(from:), DeleteAccountAuditConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4016,9 +3965,9 @@ extension IoTClient { /// /// Deletes a Device Defender audit suppression. Requires permission to access the [DeleteAuditSuppression](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteAuditSuppressionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAuditSuppressionInput`) /// - /// - Returns: `DeleteAuditSuppressionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAuditSuppressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4054,7 +4003,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAuditSuppressionOutput.httpOutput(from:), DeleteAuditSuppressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4086,9 +4034,9 @@ extension IoTClient { /// /// Deletes an authorizer. Requires permission to access the [DeleteAuthorizer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteAuthorizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAuthorizerInput`) /// - /// - Returns: `DeleteAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4125,7 +4073,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAuthorizerOutput.httpOutput(from:), DeleteAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4157,9 +4104,9 @@ extension IoTClient { /// /// Deletes the billing group. Requires permission to access the [DeleteBillingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteBillingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBillingGroupInput`) /// - /// - Returns: `DeleteBillingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBillingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4194,7 +4141,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBillingGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBillingGroupOutput.httpOutput(from:), DeleteBillingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4226,9 +4172,9 @@ extension IoTClient { /// /// Deletes a registered CA certificate. Requires permission to access the [DeleteCACertificate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteCACertificateInput : Input for the DeleteCACertificate operation. + /// - Parameter input: Input for the DeleteCACertificate operation. (Type: `DeleteCACertificateInput`) /// - /// - Returns: `DeleteCACertificateOutput` : The output for the DeleteCACertificate operation. + /// - Returns: The output for the DeleteCACertificate operation. (Type: `DeleteCACertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4265,7 +4211,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCACertificateOutput.httpOutput(from:), DeleteCACertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4297,9 +4242,9 @@ extension IoTClient { /// /// Deletes the specified certificate. A certificate cannot be deleted if it has a policy or IoT thing attached to it or if its status is set to ACTIVE. To delete a certificate, first use the [DetachPolicy] action to detach all policies. Next, use the [UpdateCertificate] action to set the certificate to the INACTIVE status. Requires permission to access the [DeleteCertificate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteCertificateInput : The input for the DeleteCertificate operation. + /// - Parameter input: The input for the DeleteCertificate operation. (Type: `DeleteCertificateInput`) /// - /// - Returns: `DeleteCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4338,7 +4283,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteCertificateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCertificateOutput.httpOutput(from:), DeleteCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4370,9 +4314,9 @@ extension IoTClient { /// /// Deletes a certificate provider. Requires permission to access the [DeleteCertificateProvider](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. If you delete the certificate provider resource, the behavior of CreateCertificateFromCsr will resume, and IoT will create certificates signed by IoT from a certificate signing request (CSR). /// - /// - Parameter DeleteCertificateProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCertificateProviderInput`) /// - /// - Returns: `DeleteCertificateProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCertificateProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4409,7 +4353,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCertificateProviderOutput.httpOutput(from:), DeleteCertificateProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4441,9 +4384,9 @@ extension IoTClient { /// /// Delete a command resource. /// - /// - Parameter DeleteCommandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCommandInput`) /// - /// - Returns: `DeleteCommandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCommandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4477,7 +4420,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCommandOutput.httpOutput(from:), DeleteCommandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4509,9 +4451,9 @@ extension IoTClient { /// /// Delete a command execution. Only command executions that enter a terminal state can be deleted from your account. /// - /// - Parameter DeleteCommandExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCommandExecutionInput`) /// - /// - Returns: `DeleteCommandExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCommandExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4546,7 +4488,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteCommandExecutionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCommandExecutionOutput.httpOutput(from:), DeleteCommandExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4578,9 +4519,9 @@ extension IoTClient { /// /// Deletes a Device Defender detect custom metric. Requires permission to access the [DeleteCustomMetric](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. Before you can delete a custom metric, you must first remove the custom metric from all security profiles it's a part of. The security profile associated with the custom metric can be found using the [ListSecurityProfiles](https://docs.aws.amazon.com/iot/latest/apireference/API_ListSecurityProfiles.html) API with metricName set to your custom metric name. /// - /// - Parameter DeleteCustomMetricInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomMetricInput`) /// - /// - Returns: `DeleteCustomMetricOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomMetricOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4613,7 +4554,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomMetricOutput.httpOutput(from:), DeleteCustomMetricOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4645,9 +4585,9 @@ extension IoTClient { /// /// Removes the specified dimension from your Amazon Web Services accounts. Requires permission to access the [DeleteDimension](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteDimensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDimensionInput`) /// - /// - Returns: `DeleteDimensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDimensionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4680,7 +4620,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDimensionOutput.httpOutput(from:), DeleteDimensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4712,9 +4651,9 @@ extension IoTClient { /// /// Deletes the specified domain configuration. Requires permission to access the [DeleteDomainConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteDomainConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainConfigurationInput`) /// - /// - Returns: `DeleteDomainConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4750,7 +4689,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainConfigurationOutput.httpOutput(from:), DeleteDomainConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4782,9 +4720,9 @@ extension IoTClient { /// /// Deletes a dynamic thing group. Requires permission to access the [DeleteDynamicThingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteDynamicThingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDynamicThingGroupInput`) /// - /// - Returns: `DeleteDynamicThingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDynamicThingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4819,7 +4757,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDynamicThingGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDynamicThingGroupOutput.httpOutput(from:), DeleteDynamicThingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4851,9 +4788,9 @@ extension IoTClient { /// /// Deletes the specified fleet metric. Returns successfully with no error if the deletion is successful or you specify a fleet metric that doesn't exist. Requires permission to access the [DeleteFleetMetric](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteFleetMetricInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetMetricInput`) /// - /// - Returns: `DeleteFleetMetricOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetMetricOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4890,7 +4827,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteFleetMetricInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetMetricOutput.httpOutput(from:), DeleteFleetMetricOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4922,9 +4858,9 @@ extension IoTClient { /// /// Deletes a job and its related job executions. Deleting a job may take time, depending on the number of job executions created for the job and various other factors. While the job is being deleted, the status of the job will be shown as "DELETION_IN_PROGRESS". Attempting to delete or cancel a job whose status is already "DELETION_IN_PROGRESS" will result in an error. Only 10 jobs may have status "DELETION_IN_PROGRESS" at the same time, or a LimitExceededException will occur. Requires permission to access the [DeleteJob](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJobInput`) /// - /// - Returns: `DeleteJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4961,7 +4897,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobOutput.httpOutput(from:), DeleteJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4993,9 +4928,9 @@ extension IoTClient { /// /// Deletes a job execution. Requires permission to access the [DeleteJobExecution](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteJobExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJobExecutionInput`) /// - /// - Returns: `DeleteJobExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5031,7 +4966,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteJobExecutionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobExecutionOutput.httpOutput(from:), DeleteJobExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5063,9 +4997,9 @@ extension IoTClient { /// /// Deletes the specified job template. /// - /// - Parameter DeleteJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJobTemplateInput`) /// - /// - Returns: `DeleteJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5099,7 +5033,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobTemplateOutput.httpOutput(from:), DeleteJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5131,9 +5064,9 @@ extension IoTClient { /// /// Deletes a defined mitigation action from your Amazon Web Services accounts. Requires permission to access the [DeleteMitigationAction](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteMitigationActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMitigationActionInput`) /// - /// - Returns: `DeleteMitigationActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMitigationActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5166,7 +5099,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMitigationActionOutput.httpOutput(from:), DeleteMitigationActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5198,9 +5130,9 @@ extension IoTClient { /// /// Delete an OTA update. Requires permission to access the [DeleteOTAUpdate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteOTAUpdateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOTAUpdateInput`) /// - /// - Returns: `DeleteOTAUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOTAUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5238,7 +5170,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteOTAUpdateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOTAUpdateOutput.httpOutput(from:), DeleteOTAUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5270,9 +5201,9 @@ extension IoTClient { /// /// Deletes a specific version from a software package. Note: All package versions must be deleted before deleting the software package. Requires permission to access the [DeletePackageVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeletePackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePackageInput`) /// - /// - Returns: `DeletePackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5307,7 +5238,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePackageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePackageOutput.httpOutput(from:), DeletePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5339,9 +5269,9 @@ extension IoTClient { /// /// Deletes a specific version from a software package. Note: If a package version is designated as default, you must remove the designation from the software package using the [UpdatePackage] action. /// - /// - Parameter DeletePackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePackageVersionInput`) /// - /// - Returns: `DeletePackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5376,7 +5306,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePackageVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePackageVersionOutput.httpOutput(from:), DeletePackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5408,9 +5337,9 @@ extension IoTClient { /// /// Deletes the specified policy. A policy cannot be deleted if it has non-default versions or it is attached to any certificate. To delete a policy, use the [DeletePolicyVersion] action to delete all non-default versions of the policy; use the [DetachPolicy] action to detach the policy from any certificate; and then use the DeletePolicy action to delete the policy. When a policy is deleted using DeletePolicy, its default version is deleted with it. Because of the distributed nature of Amazon Web Services, it can take up to five minutes after a policy is detached before it's ready to be deleted. Requires permission to access the [DeletePolicy](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeletePolicyInput : The input for the DeletePolicy operation. + /// - Parameter input: The input for the DeletePolicy operation. (Type: `DeletePolicyInput`) /// - /// - Returns: `DeletePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5447,7 +5376,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyOutput.httpOutput(from:), DeletePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5479,9 +5407,9 @@ extension IoTClient { /// /// Deletes the specified version of the specified policy. You cannot delete the default version of a policy using this action. To delete the default version of a policy, use [DeletePolicy]. To find out which version of a policy is marked as the default version, use ListPolicyVersions. Requires permission to access the [DeletePolicyVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeletePolicyVersionInput : The input for the DeletePolicyVersion operation. + /// - Parameter input: The input for the DeletePolicyVersion operation. (Type: `DeletePolicyVersionInput`) /// - /// - Returns: `DeletePolicyVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5518,7 +5446,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyVersionOutput.httpOutput(from:), DeletePolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5550,9 +5477,9 @@ extension IoTClient { /// /// Deletes a provisioning template. Requires permission to access the [DeleteProvisioningTemplate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteProvisioningTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProvisioningTemplateInput`) /// - /// - Returns: `DeleteProvisioningTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProvisioningTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5589,7 +5516,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProvisioningTemplateOutput.httpOutput(from:), DeleteProvisioningTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5621,9 +5547,9 @@ extension IoTClient { /// /// Deletes a provisioning template version. Requires permission to access the [DeleteProvisioningTemplateVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteProvisioningTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProvisioningTemplateVersionInput`) /// - /// - Returns: `DeleteProvisioningTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProvisioningTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5660,7 +5586,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProvisioningTemplateVersionOutput.httpOutput(from:), DeleteProvisioningTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5692,9 +5617,9 @@ extension IoTClient { /// /// Deletes a CA certificate registration code. Requires permission to access the [DeleteRegistrationCode](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteRegistrationCodeInput : The input for the DeleteRegistrationCode operation. + /// - Parameter input: The input for the DeleteRegistrationCode operation. (Type: `DeleteRegistrationCodeInput`) /// - /// - Returns: `DeleteRegistrationCodeOutput` : The output for the DeleteRegistrationCode operation. + /// - Returns: The output for the DeleteRegistrationCode operation. (Type: `DeleteRegistrationCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5729,7 +5654,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegistrationCodeOutput.httpOutput(from:), DeleteRegistrationCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5761,9 +5685,9 @@ extension IoTClient { /// /// Deletes a role alias Requires permission to access the [DeleteRoleAlias](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteRoleAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRoleAliasInput`) /// - /// - Returns: `DeleteRoleAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRoleAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5800,7 +5724,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRoleAliasOutput.httpOutput(from:), DeleteRoleAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5832,9 +5755,9 @@ extension IoTClient { /// /// Deletes a scheduled audit. Requires permission to access the [DeleteScheduledAudit](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteScheduledAuditInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScheduledAuditInput`) /// - /// - Returns: `DeleteScheduledAuditOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScheduledAuditOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5868,7 +5791,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScheduledAuditOutput.httpOutput(from:), DeleteScheduledAuditOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5900,9 +5822,9 @@ extension IoTClient { /// /// Deletes a Device Defender security profile. Requires permission to access the [DeleteSecurityProfile](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSecurityProfileInput`) /// - /// - Returns: `DeleteSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5937,7 +5859,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteSecurityProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSecurityProfileOutput.httpOutput(from:), DeleteSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5969,9 +5890,9 @@ extension IoTClient { /// /// Deletes a stream. Requires permission to access the [DeleteStream](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStreamInput`) /// - /// - Returns: `DeleteStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6008,7 +5929,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStreamOutput.httpOutput(from:), DeleteStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6040,9 +5960,9 @@ extension IoTClient { /// /// Deletes the specified thing. Returns successfully with no error if the deletion is successful or you specify a thing that doesn't exist. Requires permission to access the [DeleteThing](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteThingInput : The input for the DeleteThing operation. + /// - Parameter input: The input for the DeleteThing operation. (Type: `DeleteThingInput`) /// - /// - Returns: `DeleteThingOutput` : The output of the DeleteThing operation. + /// - Returns: The output of the DeleteThing operation. (Type: `DeleteThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6080,7 +6000,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteThingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThingOutput.httpOutput(from:), DeleteThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6112,9 +6031,9 @@ extension IoTClient { /// /// Deletes a thing group. Requires permission to access the [DeleteThingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteThingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteThingGroupInput`) /// - /// - Returns: `DeleteThingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteThingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6149,7 +6068,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteThingGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThingGroupOutput.httpOutput(from:), DeleteThingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6181,9 +6099,9 @@ extension IoTClient { /// /// Deletes the specified thing type. You cannot delete a thing type if it has things associated with it. To delete a thing type, first mark it as deprecated by calling [DeprecateThingType], then remove any associated things by calling [UpdateThing] to change the thing type on any associated thing, and finally use [DeleteThingType] to delete the thing type. Requires permission to access the [DeleteThingType](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteThingTypeInput : The input for the DeleteThingType operation. + /// - Parameter input: The input for the DeleteThingType operation. (Type: `DeleteThingTypeInput`) /// - /// - Returns: `DeleteThingTypeOutput` : The output for the DeleteThingType operation. + /// - Returns: The output for the DeleteThingType operation. (Type: `DeleteThingTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6219,7 +6137,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThingTypeOutput.httpOutput(from:), DeleteThingTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6251,9 +6168,9 @@ extension IoTClient { /// /// Deletes the rule. Requires permission to access the [DeleteTopicRule](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteTopicRuleInput : The input for the DeleteTopicRule operation. + /// - Parameter input: The input for the DeleteTopicRule operation. (Type: `DeleteTopicRuleInput`) /// - /// - Returns: `DeleteTopicRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTopicRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6288,7 +6205,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTopicRuleOutput.httpOutput(from:), DeleteTopicRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6320,9 +6236,9 @@ extension IoTClient { /// /// Deletes a topic rule destination. Requires permission to access the [DeleteTopicRuleDestination](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteTopicRuleDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTopicRuleDestinationInput`) /// - /// - Returns: `DeleteTopicRuleDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTopicRuleDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6357,7 +6273,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTopicRuleDestinationOutput.httpOutput(from:), DeleteTopicRuleDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6389,9 +6304,9 @@ extension IoTClient { /// /// Deletes a logging level. Requires permission to access the [DeleteV2LoggingLevel](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteV2LoggingLevelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteV2LoggingLevelInput`) /// - /// - Returns: `DeleteV2LoggingLevelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteV2LoggingLevelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6425,7 +6340,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteV2LoggingLevelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteV2LoggingLevelOutput.httpOutput(from:), DeleteV2LoggingLevelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6457,9 +6371,9 @@ extension IoTClient { /// /// Deprecates a thing type. You can not associate new things with deprecated thing type. Requires permission to access the [DeprecateThingType](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeprecateThingTypeInput : The input for the DeprecateThingType operation. + /// - Parameter input: The input for the DeprecateThingType operation. (Type: `DeprecateThingTypeInput`) /// - /// - Returns: `DeprecateThingTypeOutput` : The output for the DeprecateThingType operation. + /// - Returns: The output for the DeprecateThingType operation. (Type: `DeprecateThingTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6498,7 +6412,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprecateThingTypeOutput.httpOutput(from:), DeprecateThingTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6530,9 +6443,9 @@ extension IoTClient { /// /// Gets information about the Device Defender audit settings for this account. Settings include how audit notifications are sent and which audit checks are enabled or disabled. Requires permission to access the [DescribeAccountAuditConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeAccountAuditConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountAuditConfigurationInput`) /// - /// - Returns: `DescribeAccountAuditConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountAuditConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6564,7 +6477,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountAuditConfigurationOutput.httpOutput(from:), DescribeAccountAuditConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6596,9 +6508,9 @@ extension IoTClient { /// /// Gets information about a single audit finding. Properties include the reason for noncompliance, the severity of the issue, and the start time when the audit that returned the finding. Requires permission to access the [DescribeAuditFinding](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeAuditFindingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAuditFindingInput`) /// - /// - Returns: `DescribeAuditFindingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAuditFindingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6632,7 +6544,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAuditFindingOutput.httpOutput(from:), DescribeAuditFindingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6664,9 +6575,9 @@ extension IoTClient { /// /// Gets information about an audit mitigation task that is used to apply mitigation actions to a set of audit findings. Properties include the actions being applied, the audit checks to which they're being applied, the task status, and aggregated task statistics. /// - /// - Parameter DescribeAuditMitigationActionsTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAuditMitigationActionsTaskInput`) /// - /// - Returns: `DescribeAuditMitigationActionsTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAuditMitigationActionsTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6700,7 +6611,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAuditMitigationActionsTaskOutput.httpOutput(from:), DescribeAuditMitigationActionsTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6732,9 +6642,9 @@ extension IoTClient { /// /// Gets information about a Device Defender audit suppression. /// - /// - Parameter DescribeAuditSuppressionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAuditSuppressionInput`) /// - /// - Returns: `DescribeAuditSuppressionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAuditSuppressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6771,7 +6681,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAuditSuppressionOutput.httpOutput(from:), DescribeAuditSuppressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6803,9 +6712,9 @@ extension IoTClient { /// /// Gets information about a Device Defender audit. Requires permission to access the [DescribeAuditTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeAuditTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAuditTaskInput`) /// - /// - Returns: `DescribeAuditTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAuditTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6839,7 +6748,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAuditTaskOutput.httpOutput(from:), DescribeAuditTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6871,9 +6779,9 @@ extension IoTClient { /// /// Describes an authorizer. Requires permission to access the [DescribeAuthorizer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeAuthorizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAuthorizerInput`) /// - /// - Returns: `DescribeAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6909,7 +6817,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAuthorizerOutput.httpOutput(from:), DescribeAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6941,9 +6848,9 @@ extension IoTClient { /// /// Returns information about a billing group. Requires permission to access the [DescribeBillingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeBillingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBillingGroupInput`) /// - /// - Returns: `DescribeBillingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBillingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6977,7 +6884,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBillingGroupOutput.httpOutput(from:), DescribeBillingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7009,9 +6915,9 @@ extension IoTClient { /// /// Describes a registered CA certificate. Requires permission to access the [DescribeCACertificate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeCACertificateInput : The input for the DescribeCACertificate operation. + /// - Parameter input: The input for the DescribeCACertificate operation. (Type: `DescribeCACertificateInput`) /// - /// - Returns: `DescribeCACertificateOutput` : The output from the DescribeCACertificate operation. + /// - Returns: The output from the DescribeCACertificate operation. (Type: `DescribeCACertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7047,7 +6953,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCACertificateOutput.httpOutput(from:), DescribeCACertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7079,9 +6984,9 @@ extension IoTClient { /// /// Gets information about the specified certificate. Requires permission to access the [DescribeCertificate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeCertificateInput : The input for the DescribeCertificate operation. + /// - Parameter input: The input for the DescribeCertificate operation. (Type: `DescribeCertificateInput`) /// - /// - Returns: `DescribeCertificateOutput` : The output of the DescribeCertificate operation. + /// - Returns: The output of the DescribeCertificate operation. (Type: `DescribeCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7117,7 +7022,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCertificateOutput.httpOutput(from:), DescribeCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7149,9 +7053,9 @@ extension IoTClient { /// /// Describes a certificate provider. Requires permission to access the [DescribeCertificateProvider](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeCertificateProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCertificateProviderInput`) /// - /// - Returns: `DescribeCertificateProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCertificateProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7187,7 +7091,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCertificateProviderOutput.httpOutput(from:), DescribeCertificateProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7219,9 +7122,9 @@ extension IoTClient { /// /// Gets information about a Device Defender detect custom metric. Requires permission to access the [DescribeCustomMetric](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeCustomMetricInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomMetricInput`) /// - /// - Returns: `DescribeCustomMetricOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomMetricOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7255,7 +7158,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomMetricOutput.httpOutput(from:), DescribeCustomMetricOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7287,9 +7189,9 @@ extension IoTClient { /// /// Describes the default authorizer. Requires permission to access the [DescribeDefaultAuthorizer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeDefaultAuthorizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDefaultAuthorizerInput`) /// - /// - Returns: `DescribeDefaultAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDefaultAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7325,7 +7227,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDefaultAuthorizerOutput.httpOutput(from:), DescribeDefaultAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7357,9 +7258,9 @@ extension IoTClient { /// /// Gets information about a Device Defender ML Detect mitigation action. Requires permission to access the [DescribeDetectMitigationActionsTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeDetectMitigationActionsTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDetectMitigationActionsTaskInput`) /// - /// - Returns: `DescribeDetectMitigationActionsTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDetectMitigationActionsTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7393,7 +7294,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDetectMitigationActionsTaskOutput.httpOutput(from:), DescribeDetectMitigationActionsTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7425,9 +7325,9 @@ extension IoTClient { /// /// Provides details about a dimension that is defined in your Amazon Web Services accounts. Requires permission to access the [DescribeDimension](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeDimensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDimensionInput`) /// - /// - Returns: `DescribeDimensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDimensionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7461,7 +7361,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDimensionOutput.httpOutput(from:), DescribeDimensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7493,9 +7392,9 @@ extension IoTClient { /// /// Gets summary information about a domain configuration. Requires permission to access the [DescribeDomainConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeDomainConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDomainConfigurationInput`) /// - /// - Returns: `DescribeDomainConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDomainConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7531,7 +7430,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainConfigurationOutput.httpOutput(from:), DescribeDomainConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7563,9 +7461,9 @@ extension IoTClient { /// /// Retrieves the encryption configuration for resources and data of your Amazon Web Services account in Amazon Web Services IoT Core. For more information, see [Key management in IoT](https://docs.aws.amazon.com/iot/latest/developerguide/key-management.html) from the Amazon Web Services IoT Core Developer Guide. /// - /// - Parameter DescribeEncryptionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEncryptionConfigurationInput`) /// - /// - Returns: `DescribeEncryptionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEncryptionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7600,7 +7498,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEncryptionConfigurationOutput.httpOutput(from:), DescribeEncryptionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7632,9 +7529,9 @@ extension IoTClient { /// /// Returns or creates a unique endpoint specific to the Amazon Web Services account making the call. The first time DescribeEndpoint is called, an endpoint is created. All subsequent calls to DescribeEndpoint return the same endpoint. Requires permission to access the [DescribeEndpoint](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeEndpointInput : The input for the DescribeEndpoint operation. + /// - Parameter input: The input for the DescribeEndpoint operation. (Type: `DescribeEndpointInput`) /// - /// - Returns: `DescribeEndpointOutput` : The output from the DescribeEndpoint operation. + /// - Returns: The output from the DescribeEndpoint operation. (Type: `DescribeEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7669,7 +7566,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeEndpointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointOutput.httpOutput(from:), DescribeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7701,9 +7597,9 @@ extension IoTClient { /// /// Describes event configurations. Requires permission to access the [DescribeEventConfigurations](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeEventConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventConfigurationsInput`) /// - /// - Returns: `DescribeEventConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7735,7 +7631,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventConfigurationsOutput.httpOutput(from:), DescribeEventConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7767,9 +7662,9 @@ extension IoTClient { /// /// Gets information about the specified fleet metric. Requires permission to access the [DescribeFleetMetric](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeFleetMetricInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetMetricInput`) /// - /// - Returns: `DescribeFleetMetricOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetMetricOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7805,7 +7700,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetMetricOutput.httpOutput(from:), DescribeFleetMetricOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7837,9 +7731,9 @@ extension IoTClient { /// /// Describes a search index. Requires permission to access the [DescribeIndex](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIndexInput`) /// - /// - Returns: `DescribeIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7875,7 +7769,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIndexOutput.httpOutput(from:), DescribeIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7907,9 +7800,9 @@ extension IoTClient { /// /// Describes a job. Requires permission to access the [DescribeJob](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobInput`) /// - /// - Returns: `DescribeJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7944,7 +7837,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobOutput.httpOutput(from:), DescribeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7976,9 +7868,9 @@ extension IoTClient { /// /// Describes a job execution. Requires permission to access the [DescribeJobExecution](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeJobExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobExecutionInput`) /// - /// - Returns: `DescribeJobExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8013,7 +7905,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeJobExecutionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobExecutionOutput.httpOutput(from:), DescribeJobExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8045,9 +7936,9 @@ extension IoTClient { /// /// Returns information about a job template. /// - /// - Parameter DescribeJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobTemplateInput`) /// - /// - Returns: `DescribeJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8081,7 +7972,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobTemplateOutput.httpOutput(from:), DescribeJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8113,9 +8003,9 @@ extension IoTClient { /// /// View details of a managed job template. /// - /// - Parameter DescribeManagedJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeManagedJobTemplateInput`) /// - /// - Returns: `DescribeManagedJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeManagedJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8150,7 +8040,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeManagedJobTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeManagedJobTemplateOutput.httpOutput(from:), DescribeManagedJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8182,9 +8071,9 @@ extension IoTClient { /// /// Gets information about a mitigation action. Requires permission to access the [DescribeMitigationAction](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeMitigationActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMitigationActionInput`) /// - /// - Returns: `DescribeMitigationActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMitigationActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8218,7 +8107,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMitigationActionOutput.httpOutput(from:), DescribeMitigationActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8250,9 +8138,9 @@ extension IoTClient { /// /// Returns information about a provisioning template. Requires permission to access the [DescribeProvisioningTemplate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeProvisioningTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProvisioningTemplateInput`) /// - /// - Returns: `DescribeProvisioningTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProvisioningTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8287,7 +8175,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProvisioningTemplateOutput.httpOutput(from:), DescribeProvisioningTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8319,9 +8206,9 @@ extension IoTClient { /// /// Returns information about a provisioning template version. Requires permission to access the [DescribeProvisioningTemplateVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeProvisioningTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProvisioningTemplateVersionInput`) /// - /// - Returns: `DescribeProvisioningTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProvisioningTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8356,7 +8243,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProvisioningTemplateVersionOutput.httpOutput(from:), DescribeProvisioningTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8388,9 +8274,9 @@ extension IoTClient { /// /// Describes a role alias. Requires permission to access the [DescribeRoleAlias](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeRoleAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRoleAliasInput`) /// - /// - Returns: `DescribeRoleAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRoleAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8426,7 +8312,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRoleAliasOutput.httpOutput(from:), DescribeRoleAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8458,9 +8343,9 @@ extension IoTClient { /// /// Gets information about a scheduled audit. Requires permission to access the [DescribeScheduledAudit](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeScheduledAuditInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScheduledAuditInput`) /// - /// - Returns: `DescribeScheduledAuditOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScheduledAuditOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8494,7 +8379,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScheduledAuditOutput.httpOutput(from:), DescribeScheduledAuditOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8526,9 +8410,9 @@ extension IoTClient { /// /// Gets information about a Device Defender security profile. Requires permission to access the [DescribeSecurityProfile](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecurityProfileInput`) /// - /// - Returns: `DescribeSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8562,7 +8446,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecurityProfileOutput.httpOutput(from:), DescribeSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8594,9 +8477,9 @@ extension IoTClient { /// /// Gets information about a stream. Requires permission to access the [DescribeStream](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStreamInput`) /// - /// - Returns: `DescribeStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8632,7 +8515,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStreamOutput.httpOutput(from:), DescribeStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8664,9 +8546,9 @@ extension IoTClient { /// /// Gets information about the specified thing. Requires permission to access the [DescribeThing](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeThingInput : The input for the DescribeThing operation. + /// - Parameter input: The input for the DescribeThing operation. (Type: `DescribeThingInput`) /// - /// - Returns: `DescribeThingOutput` : The output from the DescribeThing operation. + /// - Returns: The output from the DescribeThing operation. (Type: `DescribeThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8702,7 +8584,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeThingOutput.httpOutput(from:), DescribeThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8734,9 +8615,9 @@ extension IoTClient { /// /// Describe a thing group. Requires permission to access the [DescribeThingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeThingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeThingGroupInput`) /// - /// - Returns: `DescribeThingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeThingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8770,7 +8651,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeThingGroupOutput.httpOutput(from:), DescribeThingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8802,9 +8682,9 @@ extension IoTClient { /// /// Describes a bulk thing provisioning task. Requires permission to access the [DescribeThingRegistrationTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeThingRegistrationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeThingRegistrationTaskInput`) /// - /// - Returns: `DescribeThingRegistrationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeThingRegistrationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8839,7 +8719,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeThingRegistrationTaskOutput.httpOutput(from:), DescribeThingRegistrationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8871,9 +8750,9 @@ extension IoTClient { /// /// Gets information about the specified thing type. Requires permission to access the [DescribeThingType](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeThingTypeInput : The input for the DescribeThingType operation. + /// - Parameter input: The input for the DescribeThingType operation. (Type: `DescribeThingTypeInput`) /// - /// - Returns: `DescribeThingTypeOutput` : The output for the DescribeThingType operation. + /// - Returns: The output for the DescribeThingType operation. (Type: `DescribeThingTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8909,7 +8788,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeThingTypeOutput.httpOutput(from:), DescribeThingTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8941,9 +8819,9 @@ extension IoTClient { /// /// Detaches a policy from the specified target. Because of the distributed nature of Amazon Web Services, it can take up to five minutes after a policy is detached before it's ready to be deleted. Requires permission to access the [DetachPolicy](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DetachPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachPolicyInput`) /// - /// - Returns: `DetachPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8982,7 +8860,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachPolicyOutput.httpOutput(from:), DetachPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9015,9 +8892,9 @@ extension IoTClient { /// Removes the specified policy from the specified certificate. Note: This action is deprecated and works as expected for backward compatibility, but we won't add enhancements. Use [DetachPolicy] instead. Requires permission to access the [DetachPrincipalPolicy](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. @available(*, deprecated) /// - /// - Parameter DetachPrincipalPolicyInput : The input for the DetachPrincipalPolicy operation. + /// - Parameter input: The input for the DetachPrincipalPolicy operation. (Type: `DetachPrincipalPolicyInput`) /// - /// - Returns: `DetachPrincipalPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachPrincipalPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9054,7 +8931,6 @@ extension IoTClient { builder.serialize(ClientRuntime.HeaderMiddleware(DetachPrincipalPolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachPrincipalPolicyOutput.httpOutput(from:), DetachPrincipalPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9086,9 +8962,9 @@ extension IoTClient { /// /// Disassociates a Device Defender security profile from a thing group or from this account. Requires permission to access the [DetachSecurityProfile](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DetachSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachSecurityProfileInput`) /// - /// - Returns: `DetachSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9123,7 +8999,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DetachSecurityProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachSecurityProfileOutput.httpOutput(from:), DetachSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9155,9 +9030,9 @@ extension IoTClient { /// /// Detaches the specified principal from the specified thing. A principal can be X.509 certificates, IAM users, groups, and roles, Amazon Cognito identities or federated identities. This call is asynchronous. It might take several seconds for the detachment to propagate. Requires permission to access the [DetachThingPrincipal](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DetachThingPrincipalInput : The input for the DetachThingPrincipal operation. + /// - Parameter input: The input for the DetachThingPrincipal operation. (Type: `DetachThingPrincipalInput`) /// - /// - Returns: `DetachThingPrincipalOutput` : The output from the DetachThingPrincipal operation. + /// - Returns: The output from the DetachThingPrincipal operation. (Type: `DetachThingPrincipalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9194,7 +9069,6 @@ extension IoTClient { builder.serialize(ClientRuntime.HeaderMiddleware(DetachThingPrincipalInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachThingPrincipalOutput.httpOutput(from:), DetachThingPrincipalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9226,9 +9100,9 @@ extension IoTClient { /// /// Disables the rule. Requires permission to access the [DisableTopicRule](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DisableTopicRuleInput : The input for the DisableTopicRuleRequest operation. + /// - Parameter input: The input for the DisableTopicRuleRequest operation. (Type: `DisableTopicRuleInput`) /// - /// - Returns: `DisableTopicRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableTopicRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9263,7 +9137,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableTopicRuleOutput.httpOutput(from:), DisableTopicRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9295,9 +9168,9 @@ extension IoTClient { /// /// Disassociates the selected software bill of materials (SBOM) from a specific software package version. Requires permission to access the [DisassociateSbomWithPackageVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DisassociateSbomFromPackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSbomFromPackageVersionInput`) /// - /// - Returns: `DisassociateSbomFromPackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSbomFromPackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9334,7 +9207,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateSbomFromPackageVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSbomFromPackageVersionOutput.httpOutput(from:), DisassociateSbomFromPackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9366,9 +9238,9 @@ extension IoTClient { /// /// Enables the rule. Requires permission to access the [EnableTopicRule](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter EnableTopicRuleInput : The input for the EnableTopicRuleRequest operation. + /// - Parameter input: The input for the EnableTopicRuleRequest operation. (Type: `EnableTopicRuleInput`) /// - /// - Returns: `EnableTopicRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableTopicRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9403,7 +9275,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableTopicRuleOutput.httpOutput(from:), EnableTopicRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9435,9 +9306,9 @@ extension IoTClient { /// /// Returns a Device Defender's ML Detect Security Profile training model's status. Requires permission to access the [GetBehaviorModelTrainingSummaries](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetBehaviorModelTrainingSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBehaviorModelTrainingSummariesInput`) /// - /// - Returns: `GetBehaviorModelTrainingSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBehaviorModelTrainingSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9472,7 +9343,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBehaviorModelTrainingSummariesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBehaviorModelTrainingSummariesOutput.httpOutput(from:), GetBehaviorModelTrainingSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9504,9 +9374,9 @@ extension IoTClient { /// /// Aggregates on indexed data with search queries pertaining to particular fields. Requires permission to access the [GetBucketsAggregation](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetBucketsAggregationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketsAggregationInput`) /// - /// - Returns: `GetBucketsAggregationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketsAggregationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9548,7 +9418,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketsAggregationOutput.httpOutput(from:), GetBucketsAggregationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9580,9 +9449,9 @@ extension IoTClient { /// /// Returns the approximate count of unique values that match the query. Requires permission to access the [GetCardinality](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetCardinalityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCardinalityInput`) /// - /// - Returns: `GetCardinalityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCardinalityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9624,7 +9493,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCardinalityOutput.httpOutput(from:), GetCardinalityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9656,9 +9524,9 @@ extension IoTClient { /// /// Gets information about the specified command. /// - /// - Parameter GetCommandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCommandInput`) /// - /// - Returns: `GetCommandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCommandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9692,7 +9560,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCommandOutput.httpOutput(from:), GetCommandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9724,9 +9591,9 @@ extension IoTClient { /// /// Gets information about the specific command execution on a single device. /// - /// - Parameter GetCommandExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCommandExecutionInput`) /// - /// - Returns: `GetCommandExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCommandExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9761,7 +9628,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCommandExecutionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCommandExecutionOutput.httpOutput(from:), GetCommandExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9793,9 +9659,9 @@ extension IoTClient { /// /// Gets a list of the policies that have an effect on the authorization behavior of the specified device when it connects to the IoT device gateway. Requires permission to access the [GetEffectivePolicies](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetEffectivePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEffectivePoliciesInput`) /// - /// - Returns: `GetEffectivePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEffectivePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9836,7 +9702,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEffectivePoliciesOutput.httpOutput(from:), GetEffectivePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9868,9 +9733,9 @@ extension IoTClient { /// /// Gets the indexing configuration. Requires permission to access the [GetIndexingConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetIndexingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIndexingConfigurationInput`) /// - /// - Returns: `GetIndexingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIndexingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9905,7 +9770,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIndexingConfigurationOutput.httpOutput(from:), GetIndexingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9937,9 +9801,9 @@ extension IoTClient { /// /// Gets a job document. Requires permission to access the [GetJobDocument](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetJobDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobDocumentInput`) /// - /// - Returns: `GetJobDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9974,7 +9838,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetJobDocumentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobDocumentOutput.httpOutput(from:), GetJobDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10006,9 +9869,9 @@ extension IoTClient { /// /// Gets the logging options. NOTE: use of this command is not recommended. Use GetV2LoggingOptions instead. Requires permission to access the [GetLoggingOptions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetLoggingOptionsInput : The input for the GetLoggingOptions operation. + /// - Parameter input: The input for the GetLoggingOptions operation. (Type: `GetLoggingOptionsInput`) /// - /// - Returns: `GetLoggingOptionsOutput` : The output from the GetLoggingOptions operation. + /// - Returns: The output from the GetLoggingOptions operation. (Type: `GetLoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10041,7 +9904,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoggingOptionsOutput.httpOutput(from:), GetLoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10073,9 +9935,9 @@ extension IoTClient { /// /// Gets an OTA update. Requires permission to access the [GetOTAUpdate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetOTAUpdateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOTAUpdateInput`) /// - /// - Returns: `GetOTAUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOTAUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10111,7 +9973,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOTAUpdateOutput.httpOutput(from:), GetOTAUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10143,9 +10004,9 @@ extension IoTClient { /// /// Gets information about the specified software package. Requires permission to access the [GetPackage](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPackageInput`) /// - /// - Returns: `GetPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10179,7 +10040,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPackageOutput.httpOutput(from:), GetPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10211,9 +10071,9 @@ extension IoTClient { /// /// Gets information about the specified software package's configuration. Requires permission to access the [GetPackageConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetPackageConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPackageConfigurationInput`) /// - /// - Returns: `GetPackageConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPackageConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10245,7 +10105,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPackageConfigurationOutput.httpOutput(from:), GetPackageConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10277,9 +10136,9 @@ extension IoTClient { /// /// Gets information about the specified package version. Requires permission to access the [GetPackageVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetPackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPackageVersionInput`) /// - /// - Returns: `GetPackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10313,7 +10172,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPackageVersionOutput.httpOutput(from:), GetPackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10345,9 +10203,9 @@ extension IoTClient { /// /// Groups the aggregated values that match the query into percentile groupings. The default percentile groupings are: 1,5,25,50,75,95,99, although you can specify your own when you call GetPercentiles. This function returns a value for each percentile group specified (or the default percentile groupings). The percentile group "1" contains the aggregated field value that occurs in approximately one percent of the values that match the query. The percentile group "5" contains the aggregated field value that occurs in approximately five percent of the values that match the query, and so on. The result is an approximation, the more values that match the query, the more accurate the percentile values. Requires permission to access the [GetPercentiles](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetPercentilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPercentilesInput`) /// - /// - Returns: `GetPercentilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPercentilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10389,7 +10247,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPercentilesOutput.httpOutput(from:), GetPercentilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10421,9 +10278,9 @@ extension IoTClient { /// /// Gets information about the specified policy with the policy document of the default version. Requires permission to access the [GetPolicy](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetPolicyInput : The input for the GetPolicy operation. + /// - Parameter input: The input for the GetPolicy operation. (Type: `GetPolicyInput`) /// - /// - Returns: `GetPolicyOutput` : The output from the GetPolicy operation. + /// - Returns: The output from the GetPolicy operation. (Type: `GetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10459,7 +10316,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyOutput.httpOutput(from:), GetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10491,9 +10347,9 @@ extension IoTClient { /// /// Gets information about the specified policy version. Requires permission to access the [GetPolicyVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetPolicyVersionInput : The input for the GetPolicyVersion operation. + /// - Parameter input: The input for the GetPolicyVersion operation. (Type: `GetPolicyVersionInput`) /// - /// - Returns: `GetPolicyVersionOutput` : The output from the GetPolicyVersion operation. + /// - Returns: The output from the GetPolicyVersion operation. (Type: `GetPolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10529,7 +10385,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyVersionOutput.httpOutput(from:), GetPolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10561,9 +10416,9 @@ extension IoTClient { /// /// Gets a registration code used to register a CA certificate with IoT. IoT will create a registration code as part of this API call if the registration code doesn't exist or has been deleted. If you already have a registration code, this API call will return the same registration code. Requires permission to access the [GetRegistrationCode](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetRegistrationCodeInput : The input to the GetRegistrationCode operation. + /// - Parameter input: The input to the GetRegistrationCode operation. (Type: `GetRegistrationCodeInput`) /// - /// - Returns: `GetRegistrationCodeOutput` : The output from the GetRegistrationCode operation. + /// - Returns: The output from the GetRegistrationCode operation. (Type: `GetRegistrationCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10598,7 +10453,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegistrationCodeOutput.httpOutput(from:), GetRegistrationCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10630,9 +10484,9 @@ extension IoTClient { /// /// Returns the count, average, sum, minimum, maximum, sum of squares, variance, and standard deviation for the specified aggregated field. If the aggregation field is of type String, only the count statistic is returned. Requires permission to access the [GetStatistics](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStatisticsInput`) /// - /// - Returns: `GetStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10674,7 +10528,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStatisticsOutput.httpOutput(from:), GetStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10706,9 +10559,9 @@ extension IoTClient { /// /// Retrieves the live connectivity status per device. /// - /// - Parameter GetThingConnectivityDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetThingConnectivityDataInput`) /// - /// - Returns: `GetThingConnectivityDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetThingConnectivityDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10745,7 +10598,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetThingConnectivityDataOutput.httpOutput(from:), GetThingConnectivityDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10777,9 +10629,9 @@ extension IoTClient { /// /// Gets information about the rule. Requires permission to access the [GetTopicRule](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetTopicRuleInput : The input for the GetTopicRule operation. + /// - Parameter input: The input for the GetTopicRule operation. (Type: `GetTopicRuleInput`) /// - /// - Returns: `GetTopicRuleOutput` : The output from the GetTopicRule operation. + /// - Returns: The output from the GetTopicRule operation. (Type: `GetTopicRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10813,7 +10665,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTopicRuleOutput.httpOutput(from:), GetTopicRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10845,9 +10696,9 @@ extension IoTClient { /// /// Gets information about a topic rule destination. Requires permission to access the [GetTopicRuleDestination](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetTopicRuleDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTopicRuleDestinationInput`) /// - /// - Returns: `GetTopicRuleDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTopicRuleDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10881,7 +10732,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTopicRuleDestinationOutput.httpOutput(from:), GetTopicRuleDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10913,9 +10763,9 @@ extension IoTClient { /// /// Gets the fine grained logging options. Requires permission to access the [GetV2LoggingOptions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetV2LoggingOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetV2LoggingOptionsInput`) /// - /// - Returns: `GetV2LoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetV2LoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10948,7 +10798,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetV2LoggingOptionsOutput.httpOutput(from:), GetV2LoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10980,9 +10829,9 @@ extension IoTClient { /// /// Lists the active violations for a given Device Defender security profile. Requires permission to access the [ListActiveViolations](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListActiveViolationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListActiveViolationsInput`) /// - /// - Returns: `ListActiveViolationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListActiveViolationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11017,7 +10866,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListActiveViolationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActiveViolationsOutput.httpOutput(from:), ListActiveViolationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11049,9 +10897,9 @@ extension IoTClient { /// /// Lists the policies attached to the specified thing group. Requires permission to access the [ListAttachedPolicies](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListAttachedPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttachedPoliciesInput`) /// - /// - Returns: `ListAttachedPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAttachedPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11089,7 +10937,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAttachedPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttachedPoliciesOutput.httpOutput(from:), ListAttachedPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11121,9 +10968,9 @@ extension IoTClient { /// /// Lists the findings (results) of a Device Defender audit or of the audits performed during a specified time period. (Findings are retained for 90 days.) Requires permission to access the [ListAuditFindings](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListAuditFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAuditFindingsInput`) /// - /// - Returns: `ListAuditFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAuditFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11159,7 +11006,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAuditFindingsOutput.httpOutput(from:), ListAuditFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11191,9 +11037,9 @@ extension IoTClient { /// /// Gets the status of audit mitigation action tasks that were executed. Requires permission to access the [ListAuditMitigationActionsExecutions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListAuditMitigationActionsExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAuditMitigationActionsExecutionsInput`) /// - /// - Returns: `ListAuditMitigationActionsExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAuditMitigationActionsExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11227,7 +11073,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAuditMitigationActionsExecutionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAuditMitigationActionsExecutionsOutput.httpOutput(from:), ListAuditMitigationActionsExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11259,9 +11104,9 @@ extension IoTClient { /// /// Gets a list of audit mitigation action tasks that match the specified filters. Requires permission to access the [ListAuditMitigationActionsTasks](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListAuditMitigationActionsTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAuditMitigationActionsTasksInput`) /// - /// - Returns: `ListAuditMitigationActionsTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAuditMitigationActionsTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11295,7 +11140,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAuditMitigationActionsTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAuditMitigationActionsTasksOutput.httpOutput(from:), ListAuditMitigationActionsTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11327,9 +11171,9 @@ extension IoTClient { /// /// Lists your Device Defender audit listings. Requires permission to access the [ListAuditSuppressions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListAuditSuppressionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAuditSuppressionsInput`) /// - /// - Returns: `ListAuditSuppressionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAuditSuppressionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11365,7 +11209,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAuditSuppressionsOutput.httpOutput(from:), ListAuditSuppressionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11397,9 +11240,9 @@ extension IoTClient { /// /// Lists the Device Defender audits that have been performed during a given time period. Requires permission to access the [ListAuditTasks](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListAuditTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAuditTasksInput`) /// - /// - Returns: `ListAuditTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAuditTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11433,7 +11276,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAuditTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAuditTasksOutput.httpOutput(from:), ListAuditTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11465,9 +11307,9 @@ extension IoTClient { /// /// Lists the authorizers registered in your account. Requires permission to access the [ListAuthorizers](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListAuthorizersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAuthorizersInput`) /// - /// - Returns: `ListAuthorizersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAuthorizersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11503,7 +11345,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAuthorizersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAuthorizersOutput.httpOutput(from:), ListAuthorizersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11535,9 +11376,9 @@ extension IoTClient { /// /// Lists the billing groups you have created. Requires permission to access the [ListBillingGroups](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListBillingGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBillingGroupsInput`) /// - /// - Returns: `ListBillingGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBillingGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11572,7 +11413,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBillingGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBillingGroupsOutput.httpOutput(from:), ListBillingGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11604,9 +11444,9 @@ extension IoTClient { /// /// Lists the CA certificates registered for your Amazon Web Services account. The results are paginated with a default page size of 25. You can use the returned marker to retrieve additional results. Requires permission to access the [ListCACertificates](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListCACertificatesInput : Input for the ListCACertificates operation. + /// - Parameter input: Input for the ListCACertificates operation. (Type: `ListCACertificatesInput`) /// - /// - Returns: `ListCACertificatesOutput` : The output from the ListCACertificates operation. + /// - Returns: The output from the ListCACertificates operation. (Type: `ListCACertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11642,7 +11482,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCACertificatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCACertificatesOutput.httpOutput(from:), ListCACertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11674,9 +11513,9 @@ extension IoTClient { /// /// Lists all your certificate providers in your Amazon Web Services account. Requires permission to access the [ListCertificateProviders](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListCertificateProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCertificateProvidersInput`) /// - /// - Returns: `ListCertificateProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCertificateProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11712,7 +11551,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCertificateProvidersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCertificateProvidersOutput.httpOutput(from:), ListCertificateProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11744,9 +11582,9 @@ extension IoTClient { /// /// Lists the certificates registered in your Amazon Web Services account. The results are paginated with a default page size of 25. You can use the returned marker to retrieve additional results. Requires permission to access the [ListCertificates](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListCertificatesInput : The input for the ListCertificates operation. + /// - Parameter input: The input for the ListCertificates operation. (Type: `ListCertificatesInput`) /// - /// - Returns: `ListCertificatesOutput` : The output of the ListCertificates operation. + /// - Returns: The output of the ListCertificates operation. (Type: `ListCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11782,7 +11620,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCertificatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCertificatesOutput.httpOutput(from:), ListCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11814,9 +11651,9 @@ extension IoTClient { /// /// List the device certificates signed by the specified CA certificate. Requires permission to access the [ListCertificatesByCA](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListCertificatesByCAInput : The input to the ListCertificatesByCA operation. + /// - Parameter input: The input to the ListCertificatesByCA operation. (Type: `ListCertificatesByCAInput`) /// - /// - Returns: `ListCertificatesByCAOutput` : The output of the ListCertificatesByCA operation. + /// - Returns: The output of the ListCertificatesByCA operation. (Type: `ListCertificatesByCAOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11852,7 +11689,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCertificatesByCAInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCertificatesByCAOutput.httpOutput(from:), ListCertificatesByCAOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11891,9 +11727,9 @@ extension IoTClient { /// /// For more information about considerations for using this API, see [List command executions in your account (CLI)](https://docs.aws.amazon.com/iot/latest/developerguide/iot-remote-command-execution-start-monitor.html#iot-remote-command-execution-list-cli). /// - /// - Parameter ListCommandExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCommandExecutionsInput`) /// - /// - Returns: `ListCommandExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCommandExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11931,7 +11767,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCommandExecutionsOutput.httpOutput(from:), ListCommandExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11963,9 +11798,9 @@ extension IoTClient { /// /// List all commands in your account. /// - /// - Parameter ListCommandsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCommandsInput`) /// - /// - Returns: `ListCommandsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCommandsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11999,7 +11834,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCommandsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCommandsOutput.httpOutput(from:), ListCommandsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12031,9 +11865,9 @@ extension IoTClient { /// /// Lists your Device Defender detect custom metrics. Requires permission to access the [ListCustomMetrics](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListCustomMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomMetricsInput`) /// - /// - Returns: `ListCustomMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12067,7 +11901,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCustomMetricsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomMetricsOutput.httpOutput(from:), ListCustomMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12099,9 +11932,9 @@ extension IoTClient { /// /// Lists mitigation actions executions for a Device Defender ML Detect Security Profile. Requires permission to access the [ListDetectMitigationActionsExecutions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListDetectMitigationActionsExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDetectMitigationActionsExecutionsInput`) /// - /// - Returns: `ListDetectMitigationActionsExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDetectMitigationActionsExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12135,7 +11968,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDetectMitigationActionsExecutionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDetectMitigationActionsExecutionsOutput.httpOutput(from:), ListDetectMitigationActionsExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12167,9 +11999,9 @@ extension IoTClient { /// /// List of Device Defender ML Detect mitigation actions tasks. Requires permission to access the [ListDetectMitigationActionsTasks](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListDetectMitigationActionsTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDetectMitigationActionsTasksInput`) /// - /// - Returns: `ListDetectMitigationActionsTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDetectMitigationActionsTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12203,7 +12035,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDetectMitigationActionsTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDetectMitigationActionsTasksOutput.httpOutput(from:), ListDetectMitigationActionsTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12235,9 +12066,9 @@ extension IoTClient { /// /// List the set of dimensions that are defined for your Amazon Web Services accounts. Requires permission to access the [ListDimensions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListDimensionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDimensionsInput`) /// - /// - Returns: `ListDimensionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDimensionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12271,7 +12102,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDimensionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDimensionsOutput.httpOutput(from:), ListDimensionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12303,9 +12133,9 @@ extension IoTClient { /// /// Gets a list of domain configurations for the user. This list is sorted alphabetically by domain configuration name. Requires permission to access the [ListDomainConfigurations](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListDomainConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainConfigurationsInput`) /// - /// - Returns: `ListDomainConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12341,7 +12171,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainConfigurationsOutput.httpOutput(from:), ListDomainConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12373,9 +12202,9 @@ extension IoTClient { /// /// Lists all your fleet metrics. Requires permission to access the [ListFleetMetrics](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListFleetMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFleetMetricsInput`) /// - /// - Returns: `ListFleetMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFleetMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12411,7 +12240,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFleetMetricsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFleetMetricsOutput.httpOutput(from:), ListFleetMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12443,9 +12271,9 @@ extension IoTClient { /// /// Lists the search indices. Requires permission to access the [ListIndices](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListIndicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIndicesInput`) /// - /// - Returns: `ListIndicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIndicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12481,7 +12309,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIndicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIndicesOutput.httpOutput(from:), ListIndicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12513,9 +12340,9 @@ extension IoTClient { /// /// Lists the job executions for a job. Requires permission to access the [ListJobExecutionsForJob](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListJobExecutionsForJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobExecutionsForJobInput`) /// - /// - Returns: `ListJobExecutionsForJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobExecutionsForJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12550,7 +12377,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobExecutionsForJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobExecutionsForJobOutput.httpOutput(from:), ListJobExecutionsForJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12582,9 +12408,9 @@ extension IoTClient { /// /// Lists the job executions for the specified thing. Requires permission to access the [ListJobExecutionsForThing](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListJobExecutionsForThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobExecutionsForThingInput`) /// - /// - Returns: `ListJobExecutionsForThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobExecutionsForThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12619,7 +12445,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobExecutionsForThingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobExecutionsForThingOutput.httpOutput(from:), ListJobExecutionsForThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12651,9 +12476,9 @@ extension IoTClient { /// /// Returns a list of job templates. Requires permission to access the [ListJobTemplates](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListJobTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobTemplatesInput`) /// - /// - Returns: `ListJobTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12687,7 +12512,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobTemplatesOutput.httpOutput(from:), ListJobTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12719,9 +12543,9 @@ extension IoTClient { /// /// Lists jobs. Requires permission to access the [ListJobs](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12756,7 +12580,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12788,9 +12611,9 @@ extension IoTClient { /// /// Returns a list of managed job templates. /// - /// - Parameter ListManagedJobTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedJobTemplatesInput`) /// - /// - Returns: `ListManagedJobTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedJobTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12825,7 +12648,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListManagedJobTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedJobTemplatesOutput.httpOutput(from:), ListManagedJobTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12857,9 +12679,9 @@ extension IoTClient { /// /// Lists the values reported for an IoT Device Defender metric (device-side metric, cloud-side metric, or custom metric) by the given thing during the specified time period. /// - /// - Parameter ListMetricValuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMetricValuesInput`) /// - /// - Returns: `ListMetricValuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMetricValuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12894,7 +12716,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMetricValuesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMetricValuesOutput.httpOutput(from:), ListMetricValuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12926,9 +12747,9 @@ extension IoTClient { /// /// Gets a list of all mitigation actions that match the specified filter criteria. Requires permission to access the [ListMitigationActions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListMitigationActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMitigationActionsInput`) /// - /// - Returns: `ListMitigationActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMitigationActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12962,7 +12783,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMitigationActionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMitigationActionsOutput.httpOutput(from:), ListMitigationActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12994,9 +12814,9 @@ extension IoTClient { /// /// Lists OTA updates. Requires permission to access the [ListOTAUpdates](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListOTAUpdatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOTAUpdatesInput`) /// - /// - Returns: `ListOTAUpdatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOTAUpdatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13032,7 +12852,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOTAUpdatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOTAUpdatesOutput.httpOutput(from:), ListOTAUpdatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13064,9 +12883,9 @@ extension IoTClient { /// /// Lists certificates that are being transferred but not yet accepted. Requires permission to access the [ListOutgoingCertificates](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListOutgoingCertificatesInput : The input to the ListOutgoingCertificates operation. + /// - Parameter input: The input to the ListOutgoingCertificates operation. (Type: `ListOutgoingCertificatesInput`) /// - /// - Returns: `ListOutgoingCertificatesOutput` : The output from the ListOutgoingCertificates operation. + /// - Returns: The output from the ListOutgoingCertificates operation. (Type: `ListOutgoingCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13102,7 +12921,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOutgoingCertificatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOutgoingCertificatesOutput.httpOutput(from:), ListOutgoingCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13134,9 +12952,9 @@ extension IoTClient { /// /// Lists the software package versions associated to the account. Requires permission to access the [ListPackageVersions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListPackageVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackageVersionsInput`) /// - /// - Returns: `ListPackageVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackageVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13170,7 +12988,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackageVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackageVersionsOutput.httpOutput(from:), ListPackageVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13202,9 +13019,9 @@ extension IoTClient { /// /// Lists the software packages associated to the account. Requires permission to access the [ListPackages](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListPackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackagesInput`) /// - /// - Returns: `ListPackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13238,7 +13055,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackagesOutput.httpOutput(from:), ListPackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13270,9 +13086,9 @@ extension IoTClient { /// /// Lists your policies. Requires permission to access the [ListPolicies](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListPoliciesInput : The input for the ListPolicies operation. + /// - Parameter input: The input for the ListPolicies operation. (Type: `ListPoliciesInput`) /// - /// - Returns: `ListPoliciesOutput` : The output from the ListPolicies operation. + /// - Returns: The output from the ListPolicies operation. (Type: `ListPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13308,7 +13124,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPoliciesOutput.httpOutput(from:), ListPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13341,9 +13156,9 @@ extension IoTClient { /// Lists the principals associated with the specified policy. Note: This action is deprecated and works as expected for backward compatibility, but we won't add enhancements. Use [ListTargetsForPolicy] instead. Requires permission to access the [ListPolicyPrincipals](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. @available(*, deprecated) /// - /// - Parameter ListPolicyPrincipalsInput : The input for the ListPolicyPrincipals operation. + /// - Parameter input: The input for the ListPolicyPrincipals operation. (Type: `ListPolicyPrincipalsInput`) /// - /// - Returns: `ListPolicyPrincipalsOutput` : The output from the ListPolicyPrincipals operation. + /// - Returns: The output from the ListPolicyPrincipals operation. (Type: `ListPolicyPrincipalsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13381,7 +13196,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPolicyPrincipalsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPolicyPrincipalsOutput.httpOutput(from:), ListPolicyPrincipalsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13413,9 +13227,9 @@ extension IoTClient { /// /// Lists the versions of the specified policy and identifies the default version. Requires permission to access the [ListPolicyVersions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListPolicyVersionsInput : The input for the ListPolicyVersions operation. + /// - Parameter input: The input for the ListPolicyVersions operation. (Type: `ListPolicyVersionsInput`) /// - /// - Returns: `ListPolicyVersionsOutput` : The output from the ListPolicyVersions operation. + /// - Returns: The output from the ListPolicyVersions operation. (Type: `ListPolicyVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13451,7 +13265,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPolicyVersionsOutput.httpOutput(from:), ListPolicyVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13484,9 +13297,9 @@ extension IoTClient { /// Lists the policies attached to the specified principal. If you use an Cognito identity, the ID must be in [AmazonCognito Identity format](https://docs.aws.amazon.com/cognitoidentity/latest/APIReference/API_GetCredentialsForIdentity.html#API_GetCredentialsForIdentity_RequestSyntax). Note: This action is deprecated and works as expected for backward compatibility, but we won't add enhancements. Use [ListAttachedPolicies] instead. Requires permission to access the [ListPrincipalPolicies](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. @available(*, deprecated) /// - /// - Parameter ListPrincipalPoliciesInput : The input for the ListPrincipalPolicies operation. + /// - Parameter input: The input for the ListPrincipalPolicies operation. (Type: `ListPrincipalPoliciesInput`) /// - /// - Returns: `ListPrincipalPoliciesOutput` : The output from the ListPrincipalPolicies operation. + /// - Returns: The output from the ListPrincipalPolicies operation. (Type: `ListPrincipalPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13524,7 +13337,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPrincipalPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPrincipalPoliciesOutput.httpOutput(from:), ListPrincipalPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13556,9 +13368,9 @@ extension IoTClient { /// /// Lists the things associated with the specified principal. A principal can be X.509 certificates, IAM users, groups, and roles, Amazon Cognito identities or federated identities. Requires permission to access the [ListPrincipalThings](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListPrincipalThingsInput : The input for the ListPrincipalThings operation. + /// - Parameter input: The input for the ListPrincipalThings operation. (Type: `ListPrincipalThingsInput`) /// - /// - Returns: `ListPrincipalThingsOutput` : The output from the ListPrincipalThings operation. + /// - Returns: The output from the ListPrincipalThings operation. (Type: `ListPrincipalThingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13596,7 +13408,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPrincipalThingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPrincipalThingsOutput.httpOutput(from:), ListPrincipalThingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13628,9 +13439,9 @@ extension IoTClient { /// /// Lists the things associated with the specified principal. A principal can be an X.509 certificate or an Amazon Cognito ID. Requires permission to access the [ListPrincipalThings](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListPrincipalThingsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPrincipalThingsV2Input`) /// - /// - Returns: `ListPrincipalThingsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPrincipalThingsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13668,7 +13479,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPrincipalThingsV2Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPrincipalThingsV2Output.httpOutput(from:), ListPrincipalThingsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13700,9 +13510,9 @@ extension IoTClient { /// /// A list of provisioning template versions. Requires permission to access the [ListProvisioningTemplateVersions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListProvisioningTemplateVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProvisioningTemplateVersionsInput`) /// - /// - Returns: `ListProvisioningTemplateVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProvisioningTemplateVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13738,7 +13548,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProvisioningTemplateVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProvisioningTemplateVersionsOutput.httpOutput(from:), ListProvisioningTemplateVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13770,9 +13579,9 @@ extension IoTClient { /// /// Lists the provisioning templates in your Amazon Web Services account. Requires permission to access the [ListProvisioningTemplates](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListProvisioningTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProvisioningTemplatesInput`) /// - /// - Returns: `ListProvisioningTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProvisioningTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13807,7 +13616,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProvisioningTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProvisioningTemplatesOutput.httpOutput(from:), ListProvisioningTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13860,9 +13668,9 @@ extension IoTClient { /// /// This API is similar to DescribeAuditFinding's [RelatedResources](https://docs.aws.amazon.com/iot/latest/apireference/API_DescribeAuditFinding.html) but provides pagination and is not limited to 10 resources. When calling [DescribeAuditFinding](https://docs.aws.amazon.com/iot/latest/apireference/API_DescribeAuditFinding.html) for the intermediate CA revoked for active device certificates check, RelatedResources will not be populated. You must use this API, ListRelatedResourcesForAuditFinding, to list the certificates. /// - /// - Parameter ListRelatedResourcesForAuditFindingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRelatedResourcesForAuditFindingInput`) /// - /// - Returns: `ListRelatedResourcesForAuditFindingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRelatedResourcesForAuditFindingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13897,7 +13705,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRelatedResourcesForAuditFindingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRelatedResourcesForAuditFindingOutput.httpOutput(from:), ListRelatedResourcesForAuditFindingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13929,9 +13736,9 @@ extension IoTClient { /// /// Lists the role aliases registered in your account. Requires permission to access the [ListRoleAliases](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListRoleAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoleAliasesInput`) /// - /// - Returns: `ListRoleAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoleAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13967,7 +13774,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoleAliasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoleAliasesOutput.httpOutput(from:), ListRoleAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13999,9 +13805,9 @@ extension IoTClient { /// /// The validation results for all software bill of materials (SBOM) attached to a specific software package version. Requires permission to access the [ListSbomValidationResults](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListSbomValidationResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSbomValidationResultsInput`) /// - /// - Returns: `ListSbomValidationResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSbomValidationResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14036,7 +13842,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSbomValidationResultsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSbomValidationResultsOutput.httpOutput(from:), ListSbomValidationResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14068,9 +13873,9 @@ extension IoTClient { /// /// Lists all of your scheduled audits. Requires permission to access the [ListScheduledAudits](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListScheduledAuditsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListScheduledAuditsInput`) /// - /// - Returns: `ListScheduledAuditsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListScheduledAuditsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14104,7 +13909,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListScheduledAuditsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScheduledAuditsOutput.httpOutput(from:), ListScheduledAuditsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14136,9 +13940,9 @@ extension IoTClient { /// /// Lists the Device Defender security profiles you've created. You can filter security profiles by dimension or custom metric. Requires permission to access the [ListSecurityProfiles](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. dimensionName and metricName cannot be used in the same request. /// - /// - Parameter ListSecurityProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityProfilesInput`) /// - /// - Returns: `ListSecurityProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14173,7 +13977,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSecurityProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityProfilesOutput.httpOutput(from:), ListSecurityProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14205,9 +14008,9 @@ extension IoTClient { /// /// Lists the Device Defender security profiles attached to a target (thing group). Requires permission to access the [ListSecurityProfilesForTarget](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListSecurityProfilesForTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityProfilesForTargetInput`) /// - /// - Returns: `ListSecurityProfilesForTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityProfilesForTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14242,7 +14045,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSecurityProfilesForTargetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityProfilesForTargetOutput.httpOutput(from:), ListSecurityProfilesForTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14274,9 +14076,9 @@ extension IoTClient { /// /// Lists all of the streams in your Amazon Web Services account. Requires permission to access the [ListStreams](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamsInput`) /// - /// - Returns: `ListStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14312,7 +14114,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStreamsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamsOutput.httpOutput(from:), ListStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14344,9 +14145,9 @@ extension IoTClient { /// /// Lists the tags (metadata) you have assigned to the resource. Requires permission to access the [ListTagsForResource](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14381,7 +14182,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14413,9 +14213,9 @@ extension IoTClient { /// /// List targets for the specified policy. Requires permission to access the [ListTargetsForPolicy](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListTargetsForPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetsForPolicyInput`) /// - /// - Returns: `ListTargetsForPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetsForPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14453,7 +14253,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTargetsForPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetsForPolicyOutput.httpOutput(from:), ListTargetsForPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14485,9 +14284,9 @@ extension IoTClient { /// /// Lists the targets (thing groups) associated with a given Device Defender security profile. Requires permission to access the [ListTargetsForSecurityProfile](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListTargetsForSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetsForSecurityProfileInput`) /// - /// - Returns: `ListTargetsForSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetsForSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14522,7 +14321,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTargetsForSecurityProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetsForSecurityProfileOutput.httpOutput(from:), ListTargetsForSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14554,9 +14352,9 @@ extension IoTClient { /// /// List the thing groups in your account. Requires permission to access the [ListThingGroups](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListThingGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThingGroupsInput`) /// - /// - Returns: `ListThingGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThingGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14591,7 +14389,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThingGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThingGroupsOutput.httpOutput(from:), ListThingGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14623,9 +14420,9 @@ extension IoTClient { /// /// List the thing groups to which the specified thing belongs. Requires permission to access the [ListThingGroupsForThing](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListThingGroupsForThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThingGroupsForThingInput`) /// - /// - Returns: `ListThingGroupsForThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThingGroupsForThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14660,7 +14457,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThingGroupsForThingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThingGroupsForThingOutput.httpOutput(from:), ListThingGroupsForThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14692,9 +14488,9 @@ extension IoTClient { /// /// Lists the principals associated with the specified thing. A principal can be X.509 certificates, IAM users, groups, and roles, Amazon Cognito identities or federated identities. Requires permission to access the [ListThingPrincipals](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListThingPrincipalsInput : The input for the ListThingPrincipal operation. + /// - Parameter input: The input for the ListThingPrincipal operation. (Type: `ListThingPrincipalsInput`) /// - /// - Returns: `ListThingPrincipalsOutput` : The output from the ListThingPrincipals operation. + /// - Returns: The output from the ListThingPrincipals operation. (Type: `ListThingPrincipalsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14731,7 +14527,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThingPrincipalsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThingPrincipalsOutput.httpOutput(from:), ListThingPrincipalsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14763,9 +14558,9 @@ extension IoTClient { /// /// Lists the principals associated with the specified thing. A principal can be an X.509 certificate or an Amazon Cognito ID. Requires permission to access the [ListThingPrincipals](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListThingPrincipalsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThingPrincipalsV2Input`) /// - /// - Returns: `ListThingPrincipalsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThingPrincipalsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14802,7 +14597,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThingPrincipalsV2Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThingPrincipalsV2Output.httpOutput(from:), ListThingPrincipalsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14834,9 +14628,9 @@ extension IoTClient { /// /// Information about the thing registration tasks. /// - /// - Parameter ListThingRegistrationTaskReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThingRegistrationTaskReportsInput`) /// - /// - Returns: `ListThingRegistrationTaskReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThingRegistrationTaskReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14871,7 +14665,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThingRegistrationTaskReportsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThingRegistrationTaskReportsOutput.httpOutput(from:), ListThingRegistrationTaskReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14903,9 +14696,9 @@ extension IoTClient { /// /// List bulk thing provisioning tasks. Requires permission to access the [ListThingRegistrationTasks](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListThingRegistrationTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThingRegistrationTasksInput`) /// - /// - Returns: `ListThingRegistrationTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThingRegistrationTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14940,7 +14733,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThingRegistrationTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThingRegistrationTasksOutput.httpOutput(from:), ListThingRegistrationTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14972,9 +14764,9 @@ extension IoTClient { /// /// Lists the existing thing types. Requires permission to access the [ListThingTypes](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListThingTypesInput : The input for the ListThingTypes operation. + /// - Parameter input: The input for the ListThingTypes operation. (Type: `ListThingTypesInput`) /// - /// - Returns: `ListThingTypesOutput` : The output for the ListThingTypes operation. + /// - Returns: The output for the ListThingTypes operation. (Type: `ListThingTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15010,7 +14802,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThingTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThingTypesOutput.httpOutput(from:), ListThingTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15042,9 +14833,9 @@ extension IoTClient { /// /// Lists your things. Use the attributeName and attributeValue parameters to filter your things. For example, calling ListThings with attributeName=Color and attributeValue=Red retrieves all things in the registry that contain an attribute Color with the value Red. For more information, see [List Things](https://docs.aws.amazon.com/iot/latest/developerguide/thing-registry.html#list-things) from the Amazon Web Services IoT Core Developer Guide. Requires permission to access the [ListThings](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. You will not be charged for calling this API if an Access denied error is returned. You will also not be charged if no attributes or pagination token was provided in request and no pagination token and no results were returned. /// - /// - Parameter ListThingsInput : The input for the ListThings operation. + /// - Parameter input: The input for the ListThings operation. (Type: `ListThingsInput`) /// - /// - Returns: `ListThingsOutput` : The output from the ListThings operation. + /// - Returns: The output from the ListThings operation. (Type: `ListThingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15080,7 +14871,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThingsOutput.httpOutput(from:), ListThingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15112,9 +14902,9 @@ extension IoTClient { /// /// Lists the things you have added to the given billing group. Requires permission to access the [ListThingsInBillingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListThingsInBillingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThingsInBillingGroupInput`) /// - /// - Returns: `ListThingsInBillingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThingsInBillingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15149,7 +14939,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThingsInBillingGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThingsInBillingGroupOutput.httpOutput(from:), ListThingsInBillingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15181,9 +14970,9 @@ extension IoTClient { /// /// Lists the things in the specified group. Requires permission to access the [ListThingsInThingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListThingsInThingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThingsInThingGroupInput`) /// - /// - Returns: `ListThingsInThingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThingsInThingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15218,7 +15007,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThingsInThingGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThingsInThingGroupOutput.httpOutput(from:), ListThingsInThingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15250,9 +15038,9 @@ extension IoTClient { /// /// Lists all the topic rule destinations in your Amazon Web Services account. Requires permission to access the [ListTopicRuleDestinations](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListTopicRuleDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTopicRuleDestinationsInput`) /// - /// - Returns: `ListTopicRuleDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTopicRuleDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15287,7 +15075,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTopicRuleDestinationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTopicRuleDestinationsOutput.httpOutput(from:), ListTopicRuleDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15319,9 +15106,9 @@ extension IoTClient { /// /// Lists the rules for the specific topic. Requires permission to access the [ListTopicRules](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListTopicRulesInput : The input for the ListTopicRules operation. + /// - Parameter input: The input for the ListTopicRules operation. (Type: `ListTopicRulesInput`) /// - /// - Returns: `ListTopicRulesOutput` : The output from the ListTopicRules operation. + /// - Returns: The output from the ListTopicRules operation. (Type: `ListTopicRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15356,7 +15143,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTopicRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTopicRulesOutput.httpOutput(from:), ListTopicRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15388,9 +15174,9 @@ extension IoTClient { /// /// Lists logging levels. Requires permission to access the [ListV2LoggingLevels](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListV2LoggingLevelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListV2LoggingLevelsInput`) /// - /// - Returns: `ListV2LoggingLevelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListV2LoggingLevelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15425,7 +15211,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListV2LoggingLevelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListV2LoggingLevelsOutput.httpOutput(from:), ListV2LoggingLevelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15457,9 +15242,9 @@ extension IoTClient { /// /// Lists the Device Defender security profile violations discovered during the given time period. You can use filters to limit the results to those alerts issued for a particular security profile, behavior, or thing (device). Requires permission to access the [ListViolationEvents](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListViolationEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListViolationEventsInput`) /// - /// - Returns: `ListViolationEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListViolationEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15493,7 +15278,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListViolationEventsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListViolationEventsOutput.httpOutput(from:), ListViolationEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15525,9 +15309,9 @@ extension IoTClient { /// /// Set a verification state and provide a description of that verification state on a violation (detect alarm). /// - /// - Parameter PutVerificationStateOnViolationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVerificationStateOnViolationInput`) /// - /// - Returns: `PutVerificationStateOnViolationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVerificationStateOnViolationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15563,7 +15347,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVerificationStateOnViolationOutput.httpOutput(from:), PutVerificationStateOnViolationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15595,9 +15378,9 @@ extension IoTClient { /// /// Registers a CA certificate with Amazon Web Services IoT Core. There is no limit to the number of CA certificates you can register in your Amazon Web Services account. You can register up to 10 CA certificates with the same CA subject field per Amazon Web Services account. Requires permission to access the [RegisterCACertificate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter RegisterCACertificateInput : The input to the RegisterCACertificate operation. + /// - Parameter input: The input to the RegisterCACertificate operation. (Type: `RegisterCACertificateInput`) /// - /// - Returns: `RegisterCACertificateOutput` : The output from the RegisterCACertificateResponse operation. + /// - Returns: The output from the RegisterCACertificateResponse operation. (Type: `RegisterCACertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15641,7 +15424,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterCACertificateOutput.httpOutput(from:), RegisterCACertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15673,9 +15455,9 @@ extension IoTClient { /// /// Registers a device certificate with IoT in the same [certificate mode](https://docs.aws.amazon.com/iot/latest/apireference/API_CertificateDescription.html#iot-Type-CertificateDescription-certificateMode) as the signing CA. If you have more than one CA certificate that has the same subject field, you must specify the CA certificate that was used to sign the device certificate being registered. Requires permission to access the [RegisterCertificate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter RegisterCertificateInput : The input to the RegisterCertificate operation. + /// - Parameter input: The input to the RegisterCertificate operation. (Type: `RegisterCertificateInput`) /// - /// - Returns: `RegisterCertificateOutput` : The output from the RegisterCertificate operation. + /// - Returns: The output from the RegisterCertificate operation. (Type: `RegisterCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15718,7 +15500,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterCertificateOutput.httpOutput(from:), RegisterCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15750,9 +15531,9 @@ extension IoTClient { /// /// Register a certificate that does not have a certificate authority (CA). For supported certificates, consult [ Certificate signing algorithms supported by IoT](https://docs.aws.amazon.com/iot/latest/developerguide/x509-client-certs.html#x509-cert-algorithms). /// - /// - Parameter RegisterCertificateWithoutCAInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterCertificateWithoutCAInput`) /// - /// - Returns: `RegisterCertificateWithoutCAOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterCertificateWithoutCAOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15793,7 +15574,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterCertificateWithoutCAOutput.httpOutput(from:), RegisterCertificateWithoutCAOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15825,9 +15605,9 @@ extension IoTClient { /// /// Provisions a thing in the device registry. RegisterThing calls other IoT control plane APIs. These calls might exceed your account level [ IoT Throttling Limits](https://docs.aws.amazon.com/general/latest/gr/aws_service_limits.html#limits_iot) and cause throttle errors. Please contact [Amazon Web Services Customer Support](https://console.aws.amazon.com/support/home) to raise your throttling limits if necessary. Requires permission to access the [RegisterThing](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter RegisterThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterThingInput`) /// - /// - Returns: `RegisterThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15867,7 +15647,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterThingOutput.httpOutput(from:), RegisterThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15899,9 +15678,9 @@ extension IoTClient { /// /// Rejects a pending certificate transfer. After IoT rejects a certificate transfer, the certificate status changes from PENDING_TRANSFER to INACTIVE. To check for pending certificate transfers, call [ListCertificates] to enumerate your certificates. This operation can only be called by the transfer destination. After it is called, the certificate will be returned to the source's account in the INACTIVE state. Requires permission to access the [RejectCertificateTransfer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter RejectCertificateTransferInput : The input for the RejectCertificateTransfer operation. + /// - Parameter input: The input for the RejectCertificateTransfer operation. (Type: `RejectCertificateTransferInput`) /// - /// - Returns: `RejectCertificateTransferOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectCertificateTransferOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15941,7 +15720,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectCertificateTransferOutput.httpOutput(from:), RejectCertificateTransferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15973,9 +15751,9 @@ extension IoTClient { /// /// Removes the given thing from the billing group. Requires permission to access the [RemoveThingFromBillingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. This call is asynchronous. It might take several seconds for the detachment to propagate. /// - /// - Parameter RemoveThingFromBillingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveThingFromBillingGroupInput`) /// - /// - Returns: `RemoveThingFromBillingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveThingFromBillingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16012,7 +15790,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveThingFromBillingGroupOutput.httpOutput(from:), RemoveThingFromBillingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16044,9 +15821,9 @@ extension IoTClient { /// /// Remove the specified thing from the specified group. You must specify either a thingGroupArn or a thingGroupName to identify the thing group and either a thingArn or a thingName to identify the thing to remove from the thing group. Requires permission to access the [RemoveThingFromThingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter RemoveThingFromThingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveThingFromThingGroupInput`) /// - /// - Returns: `RemoveThingFromThingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveThingFromThingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16083,7 +15860,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveThingFromThingGroupOutput.httpOutput(from:), RemoveThingFromThingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16115,9 +15891,9 @@ extension IoTClient { /// /// Replaces the rule. You must specify all parameters for the new rule. Creating rules is an administrator-level action. Any user who has permission to create rules will be able to access data processed by the rule. Requires permission to access the [ReplaceTopicRule](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ReplaceTopicRuleInput : The input for the ReplaceTopicRule operation. + /// - Parameter input: The input for the ReplaceTopicRule operation. (Type: `ReplaceTopicRuleInput`) /// - /// - Returns: `ReplaceTopicRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplaceTopicRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16156,7 +15932,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplaceTopicRuleOutput.httpOutput(from:), ReplaceTopicRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16188,9 +15963,9 @@ extension IoTClient { /// /// The query search index. Requires permission to access the [SearchIndex](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter SearchIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchIndexInput`) /// - /// - Returns: `SearchIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16231,7 +16006,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchIndexOutput.httpOutput(from:), SearchIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16263,9 +16037,9 @@ extension IoTClient { /// /// Sets the default authorizer. This will be used if a websocket connection is made without specifying an authorizer. Requires permission to access the [SetDefaultAuthorizer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter SetDefaultAuthorizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetDefaultAuthorizerInput`) /// - /// - Returns: `SetDefaultAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetDefaultAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16305,7 +16079,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetDefaultAuthorizerOutput.httpOutput(from:), SetDefaultAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16337,9 +16110,9 @@ extension IoTClient { /// /// Sets the specified version of the specified policy as the policy's default (operative) version. This action affects all certificates to which the policy is attached. To list the principals the policy is attached to, use the [ListPrincipalPolicies] action. Requires permission to access the [SetDefaultPolicyVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter SetDefaultPolicyVersionInput : The input for the SetDefaultPolicyVersion operation. + /// - Parameter input: The input for the SetDefaultPolicyVersion operation. (Type: `SetDefaultPolicyVersionInput`) /// - /// - Returns: `SetDefaultPolicyVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetDefaultPolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16375,7 +16148,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetDefaultPolicyVersionOutput.httpOutput(from:), SetDefaultPolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16407,9 +16179,9 @@ extension IoTClient { /// /// Sets the logging options. NOTE: use of this command is not recommended. Use SetV2LoggingOptions instead. Requires permission to access the [SetLoggingOptions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter SetLoggingOptionsInput : The input for the SetLoggingOptions operation. + /// - Parameter input: The input for the SetLoggingOptions operation. (Type: `SetLoggingOptionsInput`) /// - /// - Returns: `SetLoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetLoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16445,7 +16217,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetLoggingOptionsOutput.httpOutput(from:), SetLoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16477,9 +16248,9 @@ extension IoTClient { /// /// Sets the logging level. Requires permission to access the [SetV2LoggingLevel](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter SetV2LoggingLevelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetV2LoggingLevelInput`) /// - /// - Returns: `SetV2LoggingLevelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetV2LoggingLevelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16517,7 +16288,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetV2LoggingLevelOutput.httpOutput(from:), SetV2LoggingLevelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16549,9 +16319,9 @@ extension IoTClient { /// /// Sets the logging options for the V2 logging service. Requires permission to access the [SetV2LoggingOptions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter SetV2LoggingOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetV2LoggingOptionsInput`) /// - /// - Returns: `SetV2LoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetV2LoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16587,7 +16357,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetV2LoggingOptionsOutput.httpOutput(from:), SetV2LoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16619,9 +16388,9 @@ extension IoTClient { /// /// Starts a task that applies a set of mitigation actions to the specified target. Requires permission to access the [StartAuditMitigationActionsTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter StartAuditMitigationActionsTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAuditMitigationActionsTaskInput`) /// - /// - Returns: `StartAuditMitigationActionsTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAuditMitigationActionsTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16660,7 +16429,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAuditMitigationActionsTaskOutput.httpOutput(from:), StartAuditMitigationActionsTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16692,9 +16460,9 @@ extension IoTClient { /// /// Starts a Device Defender ML Detect mitigation actions task. Requires permission to access the [StartDetectMitigationActionsTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter StartDetectMitigationActionsTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDetectMitigationActionsTaskInput`) /// - /// - Returns: `StartDetectMitigationActionsTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDetectMitigationActionsTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16733,7 +16501,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDetectMitigationActionsTaskOutput.httpOutput(from:), StartDetectMitigationActionsTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16765,9 +16532,9 @@ extension IoTClient { /// /// Starts an on-demand Device Defender audit. Requires permission to access the [StartOnDemandAuditTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter StartOnDemandAuditTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartOnDemandAuditTaskInput`) /// - /// - Returns: `StartOnDemandAuditTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartOnDemandAuditTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16804,7 +16571,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartOnDemandAuditTaskOutput.httpOutput(from:), StartOnDemandAuditTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16836,9 +16602,9 @@ extension IoTClient { /// /// Creates a bulk thing provisioning task. Requires permission to access the [StartThingRegistrationTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter StartThingRegistrationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartThingRegistrationTaskInput`) /// - /// - Returns: `StartThingRegistrationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartThingRegistrationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16875,7 +16641,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartThingRegistrationTaskOutput.httpOutput(from:), StartThingRegistrationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16907,9 +16672,9 @@ extension IoTClient { /// /// Cancels a bulk thing provisioning task. Requires permission to access the [StopThingRegistrationTask](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter StopThingRegistrationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopThingRegistrationTaskInput`) /// - /// - Returns: `StopThingRegistrationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopThingRegistrationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16944,7 +16709,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopThingRegistrationTaskOutput.httpOutput(from:), StopThingRegistrationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16976,9 +16740,9 @@ extension IoTClient { /// /// Adds to or modifies the tags of the given resource. Tags are metadata which can be used to manage a resource. Requires permission to access the [TagResource](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17016,7 +16780,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17048,9 +16811,9 @@ extension IoTClient { /// /// Tests if a specified principal is authorized to perform an IoT action on a specified resource. Use this to test and debug the authorization behavior of devices that connect to the IoT device gateway. Requires permission to access the [TestAuthorization](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter TestAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestAuthorizationInput`) /// - /// - Returns: `TestAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17091,7 +16854,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestAuthorizationOutput.httpOutput(from:), TestAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17123,9 +16885,9 @@ extension IoTClient { /// /// Tests a custom authorization behavior by invoking a specified custom authorizer. Use this to test and debug the custom authorization behavior of devices that connect to the IoT device gateway. Requires permission to access the [TestInvokeAuthorizer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter TestInvokeAuthorizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestInvokeAuthorizerInput`) /// - /// - Returns: `TestInvokeAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestInvokeAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17165,7 +16927,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestInvokeAuthorizerOutput.httpOutput(from:), TestInvokeAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17201,9 +16962,9 @@ extension IoTClient { /// /// * If the transfer is rejected or cancelled: The certificate is protected by the source account's customer managed key configuration. /// - /// - Parameter TransferCertificateInput : The input for the TransferCertificate operation. + /// - Parameter input: The input for the TransferCertificate operation. (Type: `TransferCertificateInput`) /// - /// - Returns: `TransferCertificateOutput` : The output from the TransferCertificate operation. + /// - Returns: The output from the TransferCertificate operation. (Type: `TransferCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17245,7 +17006,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TransferCertificateOutput.httpOutput(from:), TransferCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17277,9 +17037,9 @@ extension IoTClient { /// /// Removes the given tags (metadata) from the resource. Requires permission to access the [UntagResource](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17316,7 +17076,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17348,9 +17107,9 @@ extension IoTClient { /// /// Configures or reconfigures the Device Defender audit settings for this account. Settings include how audit notifications are sent and which audit checks are enabled or disabled. Requires permission to access the [UpdateAccountAuditConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateAccountAuditConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountAuditConfigurationInput`) /// - /// - Returns: `UpdateAccountAuditConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountAuditConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17386,7 +17145,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountAuditConfigurationOutput.httpOutput(from:), UpdateAccountAuditConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17418,9 +17176,9 @@ extension IoTClient { /// /// Updates a Device Defender audit suppression. /// - /// - Parameter UpdateAuditSuppressionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAuditSuppressionInput`) /// - /// - Returns: `UpdateAuditSuppressionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAuditSuppressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17457,7 +17215,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAuditSuppressionOutput.httpOutput(from:), UpdateAuditSuppressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17489,9 +17246,9 @@ extension IoTClient { /// /// Updates an authorizer. Requires permission to access the [UpdateAuthorizer](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateAuthorizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAuthorizerInput`) /// - /// - Returns: `UpdateAuthorizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAuthorizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17531,7 +17288,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAuthorizerOutput.httpOutput(from:), UpdateAuthorizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17563,9 +17319,9 @@ extension IoTClient { /// /// Updates information about the billing group. Requires permission to access the [UpdateBillingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateBillingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBillingGroupInput`) /// - /// - Returns: `UpdateBillingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBillingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17603,7 +17359,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBillingGroupOutput.httpOutput(from:), UpdateBillingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17635,9 +17390,9 @@ extension IoTClient { /// /// Updates a registered CA certificate. Requires permission to access the [UpdateCACertificate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateCACertificateInput : The input to the UpdateCACertificate operation. + /// - Parameter input: The input to the UpdateCACertificate operation. (Type: `UpdateCACertificateInput`) /// - /// - Returns: `UpdateCACertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCACertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17677,7 +17432,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCACertificateOutput.httpOutput(from:), UpdateCACertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17709,9 +17463,9 @@ extension IoTClient { /// /// Updates the status of the specified certificate. This operation is idempotent. Requires permission to access the [UpdateCertificate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. Certificates must be in the ACTIVE state to authenticate devices that use a certificate to connect to IoT. Within a few minutes of updating a certificate from the ACTIVE state to any other state, IoT disconnects all devices that used that certificate to connect. Devices cannot use a certificate that is not in the ACTIVE state to reconnect. /// - /// - Parameter UpdateCertificateInput : The input for the UpdateCertificate operation. + /// - Parameter input: The input for the UpdateCertificate operation. (Type: `UpdateCertificateInput`) /// - /// - Returns: `UpdateCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17749,7 +17503,6 @@ extension IoTClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UpdateCertificateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCertificateOutput.httpOutput(from:), UpdateCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17781,9 +17534,9 @@ extension IoTClient { /// /// Updates a certificate provider. Requires permission to access the [UpdateCertificateProvider](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateCertificateProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCertificateProviderInput`) /// - /// - Returns: `UpdateCertificateProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCertificateProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17822,7 +17575,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCertificateProviderOutput.httpOutput(from:), UpdateCertificateProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17854,9 +17606,9 @@ extension IoTClient { /// /// Update information about a command or mark a command for deprecation. /// - /// - Parameter UpdateCommandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCommandInput`) /// - /// - Returns: `UpdateCommandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCommandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17894,7 +17646,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCommandOutput.httpOutput(from:), UpdateCommandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17926,9 +17677,9 @@ extension IoTClient { /// /// Updates a Device Defender detect custom metric. Requires permission to access the [UpdateCustomMetric](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateCustomMetricInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCustomMetricInput`) /// - /// - Returns: `UpdateCustomMetricOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCustomMetricOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17965,7 +17716,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomMetricOutput.httpOutput(from:), UpdateCustomMetricOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17997,9 +17747,9 @@ extension IoTClient { /// /// Updates the definition for a dimension. You cannot change the type of a dimension after it is created (you can delete it and recreate it). Requires permission to access the [UpdateDimension](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateDimensionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDimensionInput`) /// - /// - Returns: `UpdateDimensionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDimensionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18036,7 +17786,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDimensionOutput.httpOutput(from:), UpdateDimensionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18068,9 +17817,9 @@ extension IoTClient { /// /// Updates values stored in the domain configuration. Domain configurations for default endpoints can't be updated. Requires permission to access the [UpdateDomainConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateDomainConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDomainConfigurationInput`) /// - /// - Returns: `UpdateDomainConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18110,7 +17859,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainConfigurationOutput.httpOutput(from:), UpdateDomainConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18142,9 +17890,9 @@ extension IoTClient { /// /// Updates a dynamic thing group. Requires permission to access the [UpdateDynamicThingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateDynamicThingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDynamicThingGroupInput`) /// - /// - Returns: `UpdateDynamicThingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDynamicThingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18183,7 +17931,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDynamicThingGroupOutput.httpOutput(from:), UpdateDynamicThingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18215,9 +17962,9 @@ extension IoTClient { /// /// Updates the encryption configuration. By default, all Amazon Web Services IoT Core data at rest is encrypted using Amazon Web Services owned keys. Amazon Web Services IoT Core also supports symmetric customer managed keys from Amazon Web Services Key Management Service (KMS). With customer managed keys, you create, own, and manage the KMS keys in your Amazon Web Services account. For more information, see [Data encryption](https://docs.aws.amazon.com/iot/latest/developerguide/data-encryption.html) in the Amazon Web Services IoT Core Developer Guide. /// - /// - Parameter UpdateEncryptionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEncryptionConfigurationInput`) /// - /// - Returns: `UpdateEncryptionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEncryptionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18255,7 +18002,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEncryptionConfigurationOutput.httpOutput(from:), UpdateEncryptionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18287,9 +18033,9 @@ extension IoTClient { /// /// Updates the event configurations. Requires permission to access the [UpdateEventConfigurations](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateEventConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventConfigurationsInput`) /// - /// - Returns: `UpdateEventConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18325,7 +18071,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventConfigurationsOutput.httpOutput(from:), UpdateEventConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18357,9 +18102,9 @@ extension IoTClient { /// /// Updates the data for a fleet metric. Requires permission to access the [UpdateFleetMetric](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateFleetMetricInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFleetMetricInput`) /// - /// - Returns: `UpdateFleetMetricOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFleetMetricOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18402,7 +18147,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFleetMetricOutput.httpOutput(from:), UpdateFleetMetricOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18434,9 +18178,9 @@ extension IoTClient { /// /// Updates the search configuration. Requires permission to access the [UpdateIndexingConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateIndexingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIndexingConfigurationInput`) /// - /// - Returns: `UpdateIndexingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIndexingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18474,7 +18218,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIndexingConfigurationOutput.httpOutput(from:), UpdateIndexingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18506,9 +18249,9 @@ extension IoTClient { /// /// Updates supported fields of the specified job. Requires permission to access the [UpdateJob](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJobInput`) /// - /// - Returns: `UpdateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18546,7 +18289,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobOutput.httpOutput(from:), UpdateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18578,9 +18320,9 @@ extension IoTClient { /// /// Updates the definition for the specified mitigation action. Requires permission to access the [UpdateMitigationAction](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateMitigationActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMitigationActionInput`) /// - /// - Returns: `UpdateMitigationActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMitigationActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18617,7 +18359,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMitigationActionOutput.httpOutput(from:), UpdateMitigationActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18649,9 +18390,9 @@ extension IoTClient { /// /// Updates the supported fields for a specific software package. Requires permission to access the [UpdatePackage](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) and [GetIndexingConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) actions. /// - /// - Parameter UpdatePackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePackageInput`) /// - /// - Returns: `UpdatePackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18691,7 +18432,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePackageOutput.httpOutput(from:), UpdatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18723,9 +18463,9 @@ extension IoTClient { /// /// Updates the software package configuration. Requires permission to access the [UpdatePackageConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) and [iam:PassRole](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_passrole.html) actions. /// - /// - Parameter UpdatePackageConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePackageConfigurationInput`) /// - /// - Returns: `UpdatePackageConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePackageConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18764,7 +18504,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePackageConfigurationOutput.httpOutput(from:), UpdatePackageConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18796,9 +18535,9 @@ extension IoTClient { /// /// Updates the supported fields for a specific package version. Requires permission to access the [UpdatePackageVersion](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) and [GetIndexingConfiguration](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) actions. /// - /// - Parameter UpdatePackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePackageVersionInput`) /// - /// - Returns: `UpdatePackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18838,7 +18577,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePackageVersionOutput.httpOutput(from:), UpdatePackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18870,9 +18608,9 @@ extension IoTClient { /// /// Updates a provisioning template. Requires permission to access the [UpdateProvisioningTemplate](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateProvisioningTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProvisioningTemplateInput`) /// - /// - Returns: `UpdateProvisioningTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProvisioningTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18910,7 +18648,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProvisioningTemplateOutput.httpOutput(from:), UpdateProvisioningTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18942,9 +18679,9 @@ extension IoTClient { /// /// Updates a role alias. Requires permission to access the [UpdateRoleAlias](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. The value of [credentialDurationSeconds](https://docs.aws.amazon.com/iot/latest/apireference/API_UpdateRoleAlias.html#iot-UpdateRoleAlias-request-credentialDurationSeconds) must be less than or equal to the maximum session duration of the IAM role that the role alias references. For more information, see [ Modifying a role maximum session duration (Amazon Web Services API)](https://docs.aws.amazon.com/IAM/latest/UserGuide/roles-managingrole-editing-api.html#roles-modify_max-session-duration-api) from the Amazon Web Services Identity and Access Management User Guide. /// - /// - Parameter UpdateRoleAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoleAliasInput`) /// - /// - Returns: `UpdateRoleAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoleAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18983,7 +18720,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoleAliasOutput.httpOutput(from:), UpdateRoleAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19015,9 +18751,9 @@ extension IoTClient { /// /// Updates a scheduled audit, including which checks are performed and how often the audit takes place. Requires permission to access the [UpdateScheduledAudit](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateScheduledAuditInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScheduledAuditInput`) /// - /// - Returns: `UpdateScheduledAuditOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScheduledAuditOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19054,7 +18790,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScheduledAuditOutput.httpOutput(from:), UpdateScheduledAuditOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19086,9 +18821,9 @@ extension IoTClient { /// /// Updates a Device Defender security profile. Requires permission to access the [UpdateSecurityProfile](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateSecurityProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecurityProfileInput`) /// - /// - Returns: `UpdateSecurityProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecurityProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19127,7 +18862,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecurityProfileOutput.httpOutput(from:), UpdateSecurityProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19159,9 +18893,9 @@ extension IoTClient { /// /// Updates an existing stream. The stream version will be incremented by one. Requires permission to access the [UpdateStream](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStreamInput`) /// - /// - Returns: `UpdateStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19201,7 +18935,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStreamOutput.httpOutput(from:), UpdateStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19233,9 +18966,9 @@ extension IoTClient { /// /// Updates the data for a thing. Requires permission to access the [UpdateThing](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateThingInput : The input for the UpdateThing operation. + /// - Parameter input: The input for the UpdateThing operation. (Type: `UpdateThingInput`) /// - /// - Returns: `UpdateThingOutput` : The output from the UpdateThing operation. + /// - Returns: The output from the UpdateThing operation. (Type: `UpdateThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19275,7 +19008,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThingOutput.httpOutput(from:), UpdateThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19307,9 +19039,9 @@ extension IoTClient { /// /// Update a thing group. Requires permission to access the [UpdateThingGroup](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateThingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThingGroupInput`) /// - /// - Returns: `UpdateThingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19347,7 +19079,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThingGroupOutput.httpOutput(from:), UpdateThingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19379,9 +19110,9 @@ extension IoTClient { /// /// Updates the groups to which the thing belongs. Requires permission to access the [UpdateThingGroupsForThing](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateThingGroupsForThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThingGroupsForThingInput`) /// - /// - Returns: `UpdateThingGroupsForThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThingGroupsForThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19418,7 +19149,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThingGroupsForThingOutput.httpOutput(from:), UpdateThingGroupsForThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19450,9 +19180,9 @@ extension IoTClient { /// /// Updates a thing type. /// - /// - Parameter UpdateThingTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThingTypeInput`) /// - /// - Returns: `UpdateThingTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThingTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19491,7 +19221,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThingTypeOutput.httpOutput(from:), UpdateThingTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19523,9 +19252,9 @@ extension IoTClient { /// /// Updates a topic rule destination. You use this to change the status, endpoint URL, or confirmation URL of the destination. Requires permission to access the [UpdateTopicRuleDestination](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateTopicRuleDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTopicRuleDestinationInput`) /// - /// - Returns: `UpdateTopicRuleDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTopicRuleDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19563,7 +19292,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTopicRuleDestinationOutput.httpOutput(from:), UpdateTopicRuleDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19595,9 +19323,9 @@ extension IoTClient { /// /// Validates a Device Defender security profile behaviors specification. Requires permission to access the [ValidateSecurityProfileBehaviors](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ValidateSecurityProfileBehaviorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidateSecurityProfileBehaviorsInput`) /// - /// - Returns: `ValidateSecurityProfileBehaviorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidateSecurityProfileBehaviorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19633,7 +19361,6 @@ extension IoTClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateSecurityProfileBehaviorsOutput.httpOutput(from:), ValidateSecurityProfileBehaviorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTAnalytics/Sources/AWSIoTAnalytics/IoTAnalyticsClient.swift b/Sources/Services/AWSIoTAnalytics/Sources/AWSIoTAnalytics/IoTAnalyticsClient.swift index eae302a7406..70c5d4dd39d 100644 --- a/Sources/Services/AWSIoTAnalytics/Sources/AWSIoTAnalytics/IoTAnalyticsClient.swift +++ b/Sources/Services/AWSIoTAnalytics/Sources/AWSIoTAnalytics/IoTAnalyticsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTAnalyticsClient: ClientRuntime.Client { public static let clientName = "IoTAnalyticsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTAnalyticsClient.IoTAnalyticsClientConfiguration let serviceName = "IoTAnalytics" @@ -374,9 +373,9 @@ extension IoTAnalyticsClient { /// /// Sends messages to a channel. /// - /// - Parameter BatchPutMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutMessageInput`) /// - /// - Returns: `BatchPutMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutMessageOutput.httpOutput(from:), BatchPutMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension IoTAnalyticsClient { /// /// Cancels the reprocessing of data through the pipeline. /// - /// - Parameter CancelPipelineReprocessingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelPipelineReprocessingInput`) /// - /// - Returns: `CancelPipelineReprocessingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelPipelineReprocessingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelPipelineReprocessingOutput.httpOutput(from:), CancelPipelineReprocessingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension IoTAnalyticsClient { /// /// Used to create a channel. A channel collects data from an MQTT topic and archives the raw, unprocessed messages before publishing the data to a pipeline. /// - /// - Parameter CreateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelInput`) /// - /// - Returns: `CreateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelOutput.httpOutput(from:), CreateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension IoTAnalyticsClient { /// /// Used to create a dataset. A dataset stores data retrieved from a data store by applying a queryAction (a SQL query) or a containerAction (executing a containerized application). This operation creates the skeleton of a dataset. The dataset can be populated manually by calling CreateDatasetContent or automatically according to a trigger you specify. /// - /// - Parameter CreateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetInput`) /// - /// - Returns: `CreateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetOutput.httpOutput(from:), CreateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension IoTAnalyticsClient { /// /// Creates the content of a dataset by applying a queryAction (a SQL query) or a containerAction (executing a containerized application). /// - /// - Parameter CreateDatasetContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetContentInput`) /// - /// - Returns: `CreateDatasetContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetContentOutput.httpOutput(from:), CreateDatasetContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -733,9 +727,9 @@ extension IoTAnalyticsClient { /// /// Creates a data store, which is a repository for messages. /// - /// - Parameter CreateDatastoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatastoreInput`) /// - /// - Returns: `CreateDatastoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatastoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatastoreOutput.httpOutput(from:), CreateDatastoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension IoTAnalyticsClient { /// /// Creates a pipeline. A pipeline consumes messages from a channel and allows you to process the messages before storing them in a data store. You must specify both a channel and a datastore activity and, optionally, as many as 23 additional activities in the pipelineActivities array. /// - /// - Parameter CreatePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePipelineInput`) /// - /// - Returns: `CreatePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePipelineOutput.httpOutput(from:), CreatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension IoTAnalyticsClient { /// /// Deletes the specified channel. /// - /// - Parameter DeleteChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelInput`) /// - /// - Returns: `DeleteChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -916,7 +908,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelOutput.httpOutput(from:), DeleteChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -948,9 +939,9 @@ extension IoTAnalyticsClient { /// /// Deletes the specified dataset. You do not have to delete the content of the dataset before you perform this operation. /// - /// - Parameter DeleteDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetInput`) /// - /// - Returns: `DeleteDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -985,7 +976,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetOutput.httpOutput(from:), DeleteDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1017,9 +1007,9 @@ extension IoTAnalyticsClient { /// /// Deletes the content of the specified dataset. /// - /// - Parameter DeleteDatasetContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetContentInput`) /// - /// - Returns: `DeleteDatasetContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1055,7 +1045,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDatasetContentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetContentOutput.httpOutput(from:), DeleteDatasetContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1087,9 +1076,9 @@ extension IoTAnalyticsClient { /// /// Deletes the specified data store. /// - /// - Parameter DeleteDatastoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatastoreInput`) /// - /// - Returns: `DeleteDatastoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatastoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1124,7 +1113,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatastoreOutput.httpOutput(from:), DeleteDatastoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1156,9 +1144,9 @@ extension IoTAnalyticsClient { /// /// Deletes the specified pipeline. /// - /// - Parameter DeletePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePipelineInput`) /// - /// - Returns: `DeletePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1193,7 +1181,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePipelineOutput.httpOutput(from:), DeletePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1225,9 +1212,9 @@ extension IoTAnalyticsClient { /// /// Retrieves information about a channel. /// - /// - Parameter DescribeChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChannelInput`) /// - /// - Returns: `DescribeChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1263,7 +1250,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeChannelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelOutput.httpOutput(from:), DescribeChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1295,9 +1281,9 @@ extension IoTAnalyticsClient { /// /// Retrieves information about a dataset. /// - /// - Parameter DescribeDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetInput`) /// - /// - Returns: `DescribeDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1332,7 +1318,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetOutput.httpOutput(from:), DescribeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1364,9 +1349,9 @@ extension IoTAnalyticsClient { /// /// Retrieves information about a data store. /// - /// - Parameter DescribeDatastoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatastoreInput`) /// - /// - Returns: `DescribeDatastoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatastoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1402,7 +1387,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDatastoreInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatastoreOutput.httpOutput(from:), DescribeDatastoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1434,9 +1418,9 @@ extension IoTAnalyticsClient { /// /// Retrieves the current settings of the IoT Analytics logging options. /// - /// - Parameter DescribeLoggingOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLoggingOptionsInput`) /// - /// - Returns: `DescribeLoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1471,7 +1455,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoggingOptionsOutput.httpOutput(from:), DescribeLoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1503,9 +1486,9 @@ extension IoTAnalyticsClient { /// /// Retrieves information about a pipeline. /// - /// - Parameter DescribePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePipelineInput`) /// - /// - Returns: `DescribePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1540,7 +1523,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePipelineOutput.httpOutput(from:), DescribePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1572,9 +1554,9 @@ extension IoTAnalyticsClient { /// /// Retrieves the contents of a dataset as presigned URIs. /// - /// - Parameter GetDatasetContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDatasetContentInput`) /// - /// - Returns: `GetDatasetContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDatasetContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1610,7 +1592,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDatasetContentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDatasetContentOutput.httpOutput(from:), GetDatasetContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1642,9 +1623,9 @@ extension IoTAnalyticsClient { /// /// Retrieves a list of channels. /// - /// - Parameter ListChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsInput`) /// - /// - Returns: `ListChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1679,7 +1660,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsOutput.httpOutput(from:), ListChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1711,9 +1691,9 @@ extension IoTAnalyticsClient { /// /// Lists information about dataset contents that have been created. /// - /// - Parameter ListDatasetContentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetContentsInput`) /// - /// - Returns: `ListDatasetContentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetContentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1749,7 +1729,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDatasetContentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetContentsOutput.httpOutput(from:), ListDatasetContentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1781,9 +1760,9 @@ extension IoTAnalyticsClient { /// /// Retrieves information about datasets. /// - /// - Parameter ListDatasetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetsInput`) /// - /// - Returns: `ListDatasetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1818,7 +1797,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDatasetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetsOutput.httpOutput(from:), ListDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1850,9 +1828,9 @@ extension IoTAnalyticsClient { /// /// Retrieves a list of data stores. /// - /// - Parameter ListDatastoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatastoresInput`) /// - /// - Returns: `ListDatastoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatastoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1887,7 +1865,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDatastoresInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatastoresOutput.httpOutput(from:), ListDatastoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1919,9 +1896,9 @@ extension IoTAnalyticsClient { /// /// Retrieves a list of pipelines. /// - /// - Parameter ListPipelinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipelinesInput`) /// - /// - Returns: `ListPipelinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipelinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1956,7 +1933,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPipelinesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelinesOutput.httpOutput(from:), ListPipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1988,9 +1964,9 @@ extension IoTAnalyticsClient { /// /// Lists the tags (metadata) that you have assigned to the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2027,7 +2003,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2059,9 +2034,9 @@ extension IoTAnalyticsClient { /// /// Sets or updates the IoT Analytics logging options. If you update the value of any loggingOptions field, it takes up to one minute for the change to take effect. Also, if you change the policy attached to the role you specified in the roleArn field (for example, to correct an invalid policy), it takes up to five minutes for that change to take effect. /// - /// - Parameter PutLoggingOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLoggingOptionsInput`) /// - /// - Returns: `PutLoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2098,7 +2073,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLoggingOptionsOutput.httpOutput(from:), PutLoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2130,9 +2104,9 @@ extension IoTAnalyticsClient { /// /// Simulates the results of running a pipeline activity on a message payload. /// - /// - Parameter RunPipelineActivityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RunPipelineActivityInput`) /// - /// - Returns: `RunPipelineActivityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RunPipelineActivityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2169,7 +2143,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RunPipelineActivityOutput.httpOutput(from:), RunPipelineActivityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2201,9 +2174,9 @@ extension IoTAnalyticsClient { /// /// Retrieves a sample of messages from the specified channel ingested during the specified timeframe. Up to 10 messages can be retrieved. /// - /// - Parameter SampleChannelDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SampleChannelDataInput`) /// - /// - Returns: `SampleChannelDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SampleChannelDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2239,7 +2212,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(SampleChannelDataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(SampleChannelDataOutput.httpOutput(from:), SampleChannelDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2271,9 +2243,9 @@ extension IoTAnalyticsClient { /// /// Starts the reprocessing of raw message data through the pipeline. /// - /// - Parameter StartPipelineReprocessingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPipelineReprocessingInput`) /// - /// - Returns: `StartPipelineReprocessingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPipelineReprocessingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2312,7 +2284,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPipelineReprocessingOutput.httpOutput(from:), StartPipelineReprocessingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2344,9 +2315,9 @@ extension IoTAnalyticsClient { /// /// Adds to or modifies the tags of the given resource. Tags are metadata that can be used to manage a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2386,7 +2357,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2418,9 +2388,9 @@ extension IoTAnalyticsClient { /// /// Removes the given tags (metadata) from the resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2457,7 +2427,6 @@ extension IoTAnalyticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2489,9 +2458,9 @@ extension IoTAnalyticsClient { /// /// Used to update the settings of a channel. /// - /// - Parameter UpdateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelInput`) /// - /// - Returns: `UpdateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2529,7 +2498,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelOutput.httpOutput(from:), UpdateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2561,9 +2529,9 @@ extension IoTAnalyticsClient { /// /// Updates the settings of a dataset. /// - /// - Parameter UpdateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatasetInput`) /// - /// - Returns: `UpdateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2601,7 +2569,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatasetOutput.httpOutput(from:), UpdateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2633,9 +2600,9 @@ extension IoTAnalyticsClient { /// /// Used to update the settings of a data store. /// - /// - Parameter UpdateDatastoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatastoreInput`) /// - /// - Returns: `UpdateDatastoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatastoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2673,7 +2640,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatastoreOutput.httpOutput(from:), UpdateDatastoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2705,9 +2671,9 @@ extension IoTAnalyticsClient { /// /// Updates the settings of a pipeline. You must specify both a channel and a datastore activity and, optionally, as many as 23 additional activities in the pipelineActivities array. /// - /// - Parameter UpdatePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePipelineInput`) /// - /// - Returns: `UpdatePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2746,7 +2712,6 @@ extension IoTAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePipelineOutput.httpOutput(from:), UpdatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTDataPlane/Sources/AWSIoTDataPlane/IoTDataPlaneClient.swift b/Sources/Services/AWSIoTDataPlane/Sources/AWSIoTDataPlane/IoTDataPlaneClient.swift index 19b7e5b3e19..ef6967b0d76 100644 --- a/Sources/Services/AWSIoTDataPlane/Sources/AWSIoTDataPlane/IoTDataPlaneClient.swift +++ b/Sources/Services/AWSIoTDataPlane/Sources/AWSIoTDataPlane/IoTDataPlaneClient.swift @@ -22,7 +22,6 @@ import class Smithy.Context import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTDataPlaneClient: ClientRuntime.Client { public static let clientName = "IoTDataPlaneClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTDataPlaneClient.IoTDataPlaneClientConfiguration let serviceName = "IoT Data Plane" @@ -374,9 +373,9 @@ extension IoTDataPlaneClient { /// /// Disconnects a connected MQTT client from Amazon Web Services IoT Core. When you disconnect a client, Amazon Web Services IoT Core closes the client's network connection and optionally cleans the session state. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension IoTDataPlaneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteConnectionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension IoTDataPlaneClient { /// /// Deletes the shadow for the specified thing. Requires permission to access the [DeleteThingShadow](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. For more information, see [DeleteThingShadow](http://docs.aws.amazon.com/iot/latest/developerguide/API_DeleteThingShadow.html) in the IoT Developer Guide. /// - /// - Parameter DeleteThingShadowInput : The input for the DeleteThingShadow operation. + /// - Parameter input: The input for the DeleteThingShadow operation. (Type: `DeleteThingShadowInput`) /// - /// - Returns: `DeleteThingShadowOutput` : The output from the DeleteThingShadow operation. + /// - Returns: The output from the DeleteThingShadow operation. (Type: `DeleteThingShadowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension IoTDataPlaneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteThingShadowInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThingShadowOutput.httpOutput(from:), DeleteThingShadowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension IoTDataPlaneClient { /// /// Gets the details of a single retained message for the specified topic. This action returns the message payload of the retained message, which can incur messaging costs. To list only the topic names of the retained messages, call [ListRetainedMessages](https://docs.aws.amazon.com/iot/latest/apireference/API_iotdata_ListRetainedMessages.html). Requires permission to access the [GetRetainedMessage](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html) action. For more information about messaging costs, see [Amazon Web Services IoT Core pricing - Messaging](http://aws.amazon.com/iot-core/pricing/#Messaging). /// - /// - Parameter GetRetainedMessageInput : The input for the GetRetainedMessage operation. + /// - Parameter input: The input for the GetRetainedMessage operation. (Type: `GetRetainedMessageInput`) /// - /// - Returns: `GetRetainedMessageOutput` : The output from the GetRetainedMessage operation. + /// - Returns: The output from the GetRetainedMessage operation. (Type: `GetRetainedMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension IoTDataPlaneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRetainedMessageOutput.httpOutput(from:), GetRetainedMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension IoTDataPlaneClient { /// /// Gets the shadow for the specified thing. Requires permission to access the [GetThingShadow](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. For more information, see [GetThingShadow](http://docs.aws.amazon.com/iot/latest/developerguide/API_GetThingShadow.html) in the IoT Developer Guide. /// - /// - Parameter GetThingShadowInput : The input for the GetThingShadow operation. + /// - Parameter input: The input for the GetThingShadow operation. (Type: `GetThingShadowInput`) /// - /// - Returns: `GetThingShadowOutput` : The output from the GetThingShadow operation. + /// - Returns: The output from the GetThingShadow operation. (Type: `GetThingShadowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension IoTDataPlaneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetThingShadowInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetThingShadowOutput.httpOutput(from:), GetThingShadowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension IoTDataPlaneClient { /// /// Lists the shadows for the specified thing. Requires permission to access the [ListNamedShadowsForThing](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListNamedShadowsForThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNamedShadowsForThingInput`) /// - /// - Returns: `ListNamedShadowsForThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNamedShadowsForThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension IoTDataPlaneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNamedShadowsForThingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNamedShadowsForThingOutput.httpOutput(from:), ListNamedShadowsForThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -733,9 +727,9 @@ extension IoTDataPlaneClient { /// /// Lists summary information about the retained messages stored for the account. This action returns only the topic names of the retained messages. It doesn't return any message payloads. Although this action doesn't return a message payload, it can still incur messaging costs. To get the message payload of a retained message, call [GetRetainedMessage](https://docs.aws.amazon.com/iot/latest/apireference/API_iotdata_GetRetainedMessage.html) with the topic name of the retained message. Requires permission to access the [ListRetainedMessages](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html) action. For more information about messaging costs, see [Amazon Web Services IoT Core pricing - Messaging](http://aws.amazon.com/iot-core/pricing/#Messaging). /// - /// - Parameter ListRetainedMessagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRetainedMessagesInput`) /// - /// - Returns: `ListRetainedMessagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRetainedMessagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -772,7 +766,6 @@ extension IoTDataPlaneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRetainedMessagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRetainedMessagesOutput.httpOutput(from:), ListRetainedMessagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -804,9 +797,9 @@ extension IoTDataPlaneClient { /// /// Publishes an MQTT message. Requires permission to access the [Publish](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. For more information about MQTT messages, see [MQTT Protocol](http://docs.aws.amazon.com/iot/latest/developerguide/mqtt.html) in the IoT Developer Guide. For more information about messaging costs, see [Amazon Web Services IoT Core pricing - Messaging](http://aws.amazon.com/iot-core/pricing/#Messaging). /// - /// - Parameter PublishInput : The input for the Publish operation. + /// - Parameter input: The input for the Publish operation. (Type: `PublishInput`) /// - /// - Returns: `PublishOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +839,6 @@ extension IoTDataPlaneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishOutput.httpOutput(from:), PublishOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension IoTDataPlaneClient { /// /// Updates the shadow for the specified thing. Requires permission to access the [UpdateThingShadow](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. For more information, see [UpdateThingShadow](http://docs.aws.amazon.com/iot/latest/developerguide/API_UpdateThingShadow.html) in the IoT Developer Guide. /// - /// - Parameter UpdateThingShadowInput : The input for the UpdateThingShadow operation. + /// - Parameter input: The input for the UpdateThingShadow operation. (Type: `UpdateThingShadowInput`) /// - /// - Returns: `UpdateThingShadowOutput` : The output from the UpdateThingShadow operation. + /// - Returns: The output from the UpdateThingShadow operation. (Type: `UpdateThingShadowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -923,7 +915,6 @@ extension IoTDataPlaneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThingShadowOutput.httpOutput(from:), UpdateThingShadowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTEvents/Sources/AWSIoTEvents/IoTEventsClient.swift b/Sources/Services/AWSIoTEvents/Sources/AWSIoTEvents/IoTEventsClient.swift index 29bb91dbb5e..97ed66c2869 100644 --- a/Sources/Services/AWSIoTEvents/Sources/AWSIoTEvents/IoTEventsClient.swift +++ b/Sources/Services/AWSIoTEvents/Sources/AWSIoTEvents/IoTEventsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTEventsClient: ClientRuntime.Client { public static let clientName = "IoTEventsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTEventsClient.IoTEventsClientConfiguration let serviceName = "IoT Events" @@ -374,9 +373,9 @@ extension IoTEventsClient { /// /// Creates an alarm model to monitor an AWS IoT Events input attribute. You can use the alarm to get notified when the value is outside a specified range. For more information, see [Create an alarm model](https://docs.aws.amazon.com/iotevents/latest/developerguide/create-alarms.html) in the AWS IoT Events Developer Guide. /// - /// - Parameter CreateAlarmModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAlarmModelInput`) /// - /// - Returns: `CreateAlarmModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAlarmModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAlarmModelOutput.httpOutput(from:), CreateAlarmModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension IoTEventsClient { /// /// Creates a detector model. /// - /// - Parameter CreateDetectorModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDetectorModelInput`) /// - /// - Returns: `CreateDetectorModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDetectorModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDetectorModelOutput.httpOutput(from:), CreateDetectorModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension IoTEventsClient { /// /// Creates an input. /// - /// - Parameter CreateInputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInputInput`) /// - /// - Returns: `CreateInputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInputOutput.httpOutput(from:), CreateInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension IoTEventsClient { /// /// Deletes an alarm model. Any alarm instances that were created based on this alarm model are also deleted. This action can't be undone. /// - /// - Parameter DeleteAlarmModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAlarmModelInput`) /// - /// - Returns: `DeleteAlarmModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAlarmModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -632,7 +628,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAlarmModelOutput.httpOutput(from:), DeleteAlarmModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -664,9 +659,9 @@ extension IoTEventsClient { /// /// Deletes a detector model. Any active instances of the detector model are also deleted. /// - /// - Parameter DeleteDetectorModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDetectorModelInput`) /// - /// - Returns: `DeleteDetectorModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDetectorModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -702,7 +697,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDetectorModelOutput.httpOutput(from:), DeleteDetectorModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -734,9 +728,9 @@ extension IoTEventsClient { /// /// Deletes an input. /// - /// - Parameter DeleteInputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInputInput`) /// - /// - Returns: `DeleteInputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -772,7 +766,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInputOutput.httpOutput(from:), DeleteInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -804,9 +797,9 @@ extension IoTEventsClient { /// /// Retrieves information about an alarm model. If you don't specify a value for the alarmModelVersion parameter, the latest version is returned. /// - /// - Parameter DescribeAlarmModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAlarmModelInput`) /// - /// - Returns: `DescribeAlarmModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAlarmModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension IoTEventsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAlarmModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAlarmModelOutput.httpOutput(from:), DescribeAlarmModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -874,9 +866,9 @@ extension IoTEventsClient { /// /// Describes a detector model. If the version parameter is not specified, information about the latest version is returned. /// - /// - Parameter DescribeDetectorModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDetectorModelInput`) /// - /// - Returns: `DescribeDetectorModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDetectorModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -912,7 +904,6 @@ extension IoTEventsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDetectorModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDetectorModelOutput.httpOutput(from:), DescribeDetectorModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -944,9 +935,9 @@ extension IoTEventsClient { /// /// Retrieves runtime information about a detector model analysis. After AWS IoT Events starts analyzing your detector model, you have up to 24 hours to retrieve the analysis results. /// - /// - Parameter DescribeDetectorModelAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDetectorModelAnalysisInput`) /// - /// - Returns: `DescribeDetectorModelAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDetectorModelAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -981,7 +972,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDetectorModelAnalysisOutput.httpOutput(from:), DescribeDetectorModelAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1013,9 +1003,9 @@ extension IoTEventsClient { /// /// Describes an input. /// - /// - Parameter DescribeInputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInputInput`) /// - /// - Returns: `DescribeInputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1050,7 +1040,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInputOutput.httpOutput(from:), DescribeInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1082,9 +1071,9 @@ extension IoTEventsClient { /// /// Retrieves the current settings of the AWS IoT Events logging options. /// - /// - Parameter DescribeLoggingOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLoggingOptionsInput`) /// - /// - Returns: `DescribeLoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1120,7 +1109,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoggingOptionsOutput.httpOutput(from:), DescribeLoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1152,9 +1140,9 @@ extension IoTEventsClient { /// /// Retrieves one or more analysis results of the detector model. After AWS IoT Events starts analyzing your detector model, you have up to 24 hours to retrieve the analysis results. /// - /// - Parameter GetDetectorModelAnalysisResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDetectorModelAnalysisResultsInput`) /// - /// - Returns: `GetDetectorModelAnalysisResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDetectorModelAnalysisResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1190,7 +1178,6 @@ extension IoTEventsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDetectorModelAnalysisResultsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDetectorModelAnalysisResultsOutput.httpOutput(from:), GetDetectorModelAnalysisResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1222,9 +1209,9 @@ extension IoTEventsClient { /// /// Lists all the versions of an alarm model. The operation returns only the metadata associated with each alarm model version. /// - /// - Parameter ListAlarmModelVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAlarmModelVersionsInput`) /// - /// - Returns: `ListAlarmModelVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAlarmModelVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1260,7 +1247,6 @@ extension IoTEventsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAlarmModelVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAlarmModelVersionsOutput.httpOutput(from:), ListAlarmModelVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1292,9 +1278,9 @@ extension IoTEventsClient { /// /// Lists the alarm models that you created. The operation returns only the metadata associated with each alarm model. /// - /// - Parameter ListAlarmModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAlarmModelsInput`) /// - /// - Returns: `ListAlarmModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAlarmModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1329,7 +1315,6 @@ extension IoTEventsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAlarmModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAlarmModelsOutput.httpOutput(from:), ListAlarmModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1361,9 +1346,9 @@ extension IoTEventsClient { /// /// Lists all the versions of a detector model. Only the metadata associated with each detector model version is returned. /// - /// - Parameter ListDetectorModelVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDetectorModelVersionsInput`) /// - /// - Returns: `ListDetectorModelVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDetectorModelVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1399,7 +1384,6 @@ extension IoTEventsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDetectorModelVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDetectorModelVersionsOutput.httpOutput(from:), ListDetectorModelVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1431,9 +1415,9 @@ extension IoTEventsClient { /// /// Lists the detector models you have created. Only the metadata associated with each detector model is returned. /// - /// - Parameter ListDetectorModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDetectorModelsInput`) /// - /// - Returns: `ListDetectorModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDetectorModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1468,7 +1452,6 @@ extension IoTEventsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDetectorModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDetectorModelsOutput.httpOutput(from:), ListDetectorModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1500,9 +1483,9 @@ extension IoTEventsClient { /// /// Lists one or more input routings. /// - /// - Parameter ListInputRoutingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInputRoutingsInput`) /// - /// - Returns: `ListInputRoutingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInputRoutingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1540,7 +1523,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInputRoutingsOutput.httpOutput(from:), ListInputRoutingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1572,9 +1554,9 @@ extension IoTEventsClient { /// /// Lists the inputs you have created. /// - /// - Parameter ListInputsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInputsInput`) /// - /// - Returns: `ListInputsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInputsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1609,7 +1591,6 @@ extension IoTEventsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInputsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInputsOutput.httpOutput(from:), ListInputsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1641,9 +1622,9 @@ extension IoTEventsClient { /// /// Lists the tags (metadata) you have assigned to the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1679,7 +1660,6 @@ extension IoTEventsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1711,9 +1691,9 @@ extension IoTEventsClient { /// /// Sets or updates the AWS IoT Events logging options. If you update the value of any loggingOptions field, it takes up to one minute for the change to take effect. If you change the policy attached to the role you specified in the roleArn field (for example, to correct an invalid policy), it takes up to five minutes for that change to take effect. /// - /// - Parameter PutLoggingOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLoggingOptionsInput`) /// - /// - Returns: `PutLoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1752,7 +1732,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLoggingOptionsOutput.httpOutput(from:), PutLoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1784,9 +1763,9 @@ extension IoTEventsClient { /// /// Performs an analysis of your detector model. For more information, see [Troubleshooting a detector model](https://docs.aws.amazon.com/iotevents/latest/developerguide/iotevents-analyze-api.html) in the AWS IoT Events Developer Guide. /// - /// - Parameter StartDetectorModelAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDetectorModelAnalysisInput`) /// - /// - Returns: `StartDetectorModelAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDetectorModelAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1824,7 +1803,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDetectorModelAnalysisOutput.httpOutput(from:), StartDetectorModelAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1856,9 +1834,9 @@ extension IoTEventsClient { /// /// Adds to or modifies the tags of the given resource. Tags are metadata that can be used to manage a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1898,7 +1876,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1930,9 +1907,9 @@ extension IoTEventsClient { /// /// Removes the given tags (metadata) from the resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1968,7 +1945,6 @@ extension IoTEventsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2000,9 +1976,9 @@ extension IoTEventsClient { /// /// Updates an alarm model. Any alarms that were created based on the previous version are deleted and then created again as new data arrives. /// - /// - Parameter UpdateAlarmModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAlarmModelInput`) /// - /// - Returns: `UpdateAlarmModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAlarmModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2041,7 +2017,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAlarmModelOutput.httpOutput(from:), UpdateAlarmModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2073,9 +2048,9 @@ extension IoTEventsClient { /// /// Updates a detector model. Detectors (instances) spawned by the previous version are deleted and then re-created as new inputs arrive. /// - /// - Parameter UpdateDetectorModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDetectorModelInput`) /// - /// - Returns: `UpdateDetectorModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDetectorModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2114,7 +2089,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDetectorModelOutput.httpOutput(from:), UpdateDetectorModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2146,9 +2120,9 @@ extension IoTEventsClient { /// /// Updates an input. /// - /// - Parameter UpdateInputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInputInput`) /// - /// - Returns: `UpdateInputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2187,7 +2161,6 @@ extension IoTEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInputOutput.httpOutput(from:), UpdateInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTEventsData/Sources/AWSIoTEventsData/IoTEventsDataClient.swift b/Sources/Services/AWSIoTEventsData/Sources/AWSIoTEventsData/IoTEventsDataClient.swift index 0f5f60a99d6..d265e658444 100644 --- a/Sources/Services/AWSIoTEventsData/Sources/AWSIoTEventsData/IoTEventsDataClient.swift +++ b/Sources/Services/AWSIoTEventsData/Sources/AWSIoTEventsData/IoTEventsDataClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTEventsDataClient: ClientRuntime.Client { public static let clientName = "IoTEventsDataClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTEventsDataClient.IoTEventsDataClientConfiguration let serviceName = "IoT Events Data" @@ -373,9 +372,9 @@ extension IoTEventsDataClient { /// /// Acknowledges one or more alarms. The alarms change to the ACKNOWLEDGED state after you acknowledge them. /// - /// - Parameter BatchAcknowledgeAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAcknowledgeAlarmInput`) /// - /// - Returns: `BatchAcknowledgeAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAcknowledgeAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension IoTEventsDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAcknowledgeAlarmOutput.httpOutput(from:), BatchAcknowledgeAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension IoTEventsDataClient { /// /// Deletes one or more detectors that were created. When a detector is deleted, its state will be cleared and the detector will be removed from the list of detectors. The deleted detector will no longer appear if referenced in the [ListDetectors](https://docs.aws.amazon.com/iotevents/latest/apireference/API_iotevents-data_ListDetectors.html) API call. /// - /// - Parameter BatchDeleteDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteDetectorInput`) /// - /// - Returns: `BatchDeleteDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension IoTEventsDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteDetectorOutput.httpOutput(from:), BatchDeleteDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension IoTEventsDataClient { /// /// Disables one or more alarms. The alarms change to the DISABLED state after you disable them. /// - /// - Parameter BatchDisableAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisableAlarmInput`) /// - /// - Returns: `BatchDisableAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisableAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension IoTEventsDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisableAlarmOutput.httpOutput(from:), BatchDisableAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension IoTEventsDataClient { /// /// Enables one or more alarms. The alarms change to the NORMAL state after you enable them. /// - /// - Parameter BatchEnableAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchEnableAlarmInput`) /// - /// - Returns: `BatchEnableAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchEnableAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension IoTEventsDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchEnableAlarmOutput.httpOutput(from:), BatchEnableAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -657,9 +652,9 @@ extension IoTEventsDataClient { /// /// Sends a set of messages to the IoT Events system. Each message payload is transformed into the input you specify ("inputName") and ingested into any detectors that monitor that input. If multiple messages are sent, the order in which the messages are processed isn't guaranteed. To guarantee ordering, you must send messages one at a time and wait for a successful response. /// - /// - Parameter BatchPutMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutMessageInput`) /// - /// - Returns: `BatchPutMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension IoTEventsDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutMessageOutput.httpOutput(from:), BatchPutMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension IoTEventsDataClient { /// /// Resets one or more alarms. The alarms return to the NORMAL state after you reset them. /// - /// - Parameter BatchResetAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchResetAlarmInput`) /// - /// - Returns: `BatchResetAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchResetAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension IoTEventsDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchResetAlarmOutput.httpOutput(from:), BatchResetAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension IoTEventsDataClient { /// /// Changes one or more alarms to the snooze mode. The alarms change to the SNOOZE_DISABLED state after you set them to the snooze mode. /// - /// - Parameter BatchSnoozeAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchSnoozeAlarmInput`) /// - /// - Returns: `BatchSnoozeAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchSnoozeAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -838,7 +831,6 @@ extension IoTEventsDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchSnoozeAlarmOutput.httpOutput(from:), BatchSnoozeAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -870,9 +862,9 @@ extension IoTEventsDataClient { /// /// Updates the state, variable values, and timer settings of one or more detectors (instances) of a specified detector model. /// - /// - Parameter BatchUpdateDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateDetectorInput`) /// - /// - Returns: `BatchUpdateDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -909,7 +901,6 @@ extension IoTEventsDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateDetectorOutput.httpOutput(from:), BatchUpdateDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -941,9 +932,9 @@ extension IoTEventsDataClient { /// /// Retrieves information about an alarm. /// - /// - Parameter DescribeAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAlarmInput`) /// - /// - Returns: `DescribeAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -979,7 +970,6 @@ extension IoTEventsDataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAlarmInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAlarmOutput.httpOutput(from:), DescribeAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1011,9 +1001,9 @@ extension IoTEventsDataClient { /// /// Returns information about the specified detector (instance). /// - /// - Parameter DescribeDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDetectorInput`) /// - /// - Returns: `DescribeDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1049,7 +1039,6 @@ extension IoTEventsDataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDetectorInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDetectorOutput.httpOutput(from:), DescribeDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1081,9 +1070,9 @@ extension IoTEventsDataClient { /// /// Lists one or more alarms. The operation returns only the metadata associated with each alarm. /// - /// - Parameter ListAlarmsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAlarmsInput`) /// - /// - Returns: `ListAlarmsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAlarmsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1119,7 +1108,6 @@ extension IoTEventsDataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAlarmsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAlarmsOutput.httpOutput(from:), ListAlarmsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1151,9 +1139,9 @@ extension IoTEventsDataClient { /// /// Lists detectors (the instances of a detector model). /// - /// - Parameter ListDetectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDetectorsInput`) /// - /// - Returns: `ListDetectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDetectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1189,7 +1177,6 @@ extension IoTEventsDataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDetectorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDetectorsOutput.httpOutput(from:), ListDetectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTFleetHub/Sources/AWSIoTFleetHub/IoTFleetHubClient.swift b/Sources/Services/AWSIoTFleetHub/Sources/AWSIoTFleetHub/IoTFleetHubClient.swift index 9eace57cd60..24b38021014 100644 --- a/Sources/Services/AWSIoTFleetHub/Sources/AWSIoTFleetHub/IoTFleetHubClient.swift +++ b/Sources/Services/AWSIoTFleetHub/Sources/AWSIoTFleetHub/IoTFleetHubClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTFleetHubClient: ClientRuntime.Client { public static let clientName = "IoTFleetHubClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTFleetHubClient.IoTFleetHubClientConfiguration let serviceName = "IoTFleetHub" @@ -374,9 +373,9 @@ extension IoTFleetHubClient { /// /// Creates a Fleet Hub for IoT Device Management web application. When creating a Fleet Hub application, you must create an organization instance of IAM Identity Center if you don't already have one. The Fleet Hub application you create must also be in the same Amazon Web Services Region of the organization instance of IAM Identity Center. For more information see [Enabling IAM Identity Center](https://docs.aws.amazon.com/singlesignon/latest/userguide/get-set-up-for-idc.html) and [Organization instances of IAM Identity Center](https://docs.aws.amazon.com/singlesignon/latest/userguide/organization-instances-identity-center.html). /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension IoTFleetHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension IoTFleetHubClient { /// /// Deletes a Fleet Hub for IoT Device Management web application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension IoTFleetHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteApplicationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension IoTFleetHubClient { /// /// Gets information about a Fleet Hub for IoT Device Management web application. /// - /// - Parameter DescribeApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationInput`) /// - /// - Returns: `DescribeApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -552,7 +549,6 @@ extension IoTFleetHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationOutput.httpOutput(from:), DescribeApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -584,9 +580,9 @@ extension IoTFleetHubClient { /// /// Gets a list of Fleet Hub for IoT Device Management web applications for the current account. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -620,7 +616,6 @@ extension IoTFleetHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -652,9 +647,9 @@ extension IoTFleetHubClient { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -687,7 +682,6 @@ extension IoTFleetHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -719,9 +713,9 @@ extension IoTFleetHubClient { /// /// Adds to or modifies the tags of the specified resource. Tags are metadata which can be used to manage a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -757,7 +751,6 @@ extension IoTFleetHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -789,9 +782,9 @@ extension IoTFleetHubClient { /// /// Removes the specified tags (metadata) from the resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -825,7 +818,6 @@ extension IoTFleetHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -857,9 +849,9 @@ extension IoTFleetHubClient { /// /// Updates information about a Fleet Hub for IoT Device Management web application. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -898,7 +890,6 @@ extension IoTFleetHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTFleetWise/Sources/AWSIoTFleetWise/IoTFleetWiseClient.swift b/Sources/Services/AWSIoTFleetWise/Sources/AWSIoTFleetWise/IoTFleetWiseClient.swift index 69701762fa0..125a09d5c0e 100644 --- a/Sources/Services/AWSIoTFleetWise/Sources/AWSIoTFleetWise/IoTFleetWiseClient.swift +++ b/Sources/Services/AWSIoTFleetWise/Sources/AWSIoTFleetWise/IoTFleetWiseClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTFleetWiseClient: ClientRuntime.Client { public static let clientName = "IoTFleetWiseClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTFleetWiseClient.IoTFleetWiseClientConfiguration let serviceName = "IoTFleetWise" @@ -375,9 +374,9 @@ extension IoTFleetWiseClient { /// /// Adds, or associates, a vehicle with a fleet. /// - /// - Parameter AssociateVehicleFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateVehicleFleetInput`) /// - /// - Returns: `AssociateVehicleFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateVehicleFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateVehicleFleetOutput.httpOutput(from:), AssociateVehicleFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension IoTFleetWiseClient { /// /// Creates a group, or batch, of vehicles. You must specify a decoder manifest and a vehicle model (model manifest) for each vehicle. For more information, see [Create multiple vehicles (AWS CLI)](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/create-vehicles-cli.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter BatchCreateVehicleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateVehicleInput`) /// - /// - Returns: `BatchCreateVehicleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateVehicleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateVehicleOutput.httpOutput(from:), BatchCreateVehicleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension IoTFleetWiseClient { /// /// Updates a group, or batch, of vehicles. You must specify a decoder manifest and a vehicle model (model manifest) for each vehicle. For more information, see [Update multiple vehicles (AWS CLI)](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/update-vehicles-cli.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter BatchUpdateVehicleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateVehicleInput`) /// - /// - Returns: `BatchUpdateVehicleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateVehicleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateVehicleOutput.httpOutput(from:), BatchUpdateVehicleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension IoTFleetWiseClient { /// /// Creates an orchestration of data collection rules. The Amazon Web Services IoT FleetWise Edge Agent software running in vehicles uses campaigns to decide how to collect and transfer data to the cloud. You create campaigns in the cloud. After you or your team approve campaigns, Amazon Web Services IoT FleetWise automatically deploys them to vehicles. For more information, see [Collect and transfer data with campaigns](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/campaigns.html) in the Amazon Web Services IoT FleetWise Developer Guide. Access to certain Amazon Web Services IoT FleetWise features is currently gated. For more information, see [Amazon Web Services Region and feature availability](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/fleetwise-regions.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter CreateCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCampaignInput`) /// - /// - Returns: `CreateCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCampaignOutput.httpOutput(from:), CreateCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -678,9 +673,9 @@ extension IoTFleetWiseClient { /// /// * The signal decoders are specified in the model manifest. /// - /// - Parameter CreateDecoderManifestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDecoderManifestInput`) /// - /// - Returns: `CreateDecoderManifestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDecoderManifestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDecoderManifestOutput.httpOutput(from:), CreateDecoderManifestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -754,9 +748,9 @@ extension IoTFleetWiseClient { /// /// Creates a fleet that represents a group of vehicles. You must create both a signal catalog and vehicles before you can create a fleet. For more information, see [Fleets](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/fleets.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter CreateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFleetInput`) /// - /// - Returns: `CreateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -794,7 +788,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFleetOutput.httpOutput(from:), CreateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -829,9 +822,9 @@ extension IoTFleetWiseClient { /// /// Creates a vehicle model (model manifest) that specifies signals (attributes, branches, sensors, and actuators). For more information, see [Vehicle models](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/vehicle-models.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter CreateModelManifestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelManifestInput`) /// - /// - Returns: `CreateModelManifestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelManifestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -870,7 +863,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelManifestOutput.httpOutput(from:), CreateModelManifestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -905,9 +897,9 @@ extension IoTFleetWiseClient { /// /// Creates a collection of standardized signals that can be reused to create vehicle models. /// - /// - Parameter CreateSignalCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSignalCatalogInput`) /// - /// - Returns: `CreateSignalCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSignalCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -946,7 +938,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSignalCatalogOutput.httpOutput(from:), CreateSignalCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -981,9 +972,9 @@ extension IoTFleetWiseClient { /// /// Creates a state template. State templates contain state properties, which are signals that belong to a signal catalog that is synchronized between the Amazon Web Services IoT FleetWise Edge and the Amazon Web Services Cloud. Access to certain Amazon Web Services IoT FleetWise features is currently gated. For more information, see [Amazon Web Services Region and feature availability](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/fleetwise-regions.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter CreateStateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStateTemplateInput`) /// - /// - Returns: `CreateStateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1022,7 +1013,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStateTemplateOutput.httpOutput(from:), CreateStateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1057,9 +1047,9 @@ extension IoTFleetWiseClient { /// /// Creates a vehicle, which is an instance of a vehicle model (model manifest). Vehicles created from the same vehicle model consist of the same signals inherited from the vehicle model. If you have an existing Amazon Web Services IoT thing, you can use Amazon Web Services IoT FleetWise to create a vehicle and collect data from your thing. For more information, see [Create a vehicle (AWS CLI)](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/create-vehicle-cli.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter CreateVehicleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVehicleInput`) /// - /// - Returns: `CreateVehicleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVehicleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1097,7 +1087,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVehicleOutput.httpOutput(from:), CreateVehicleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1132,9 +1121,9 @@ extension IoTFleetWiseClient { /// /// Deletes a data collection campaign. Deleting a campaign suspends all data collection and removes it from any vehicles. /// - /// - Parameter DeleteCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCampaignInput`) /// - /// - Returns: `DeleteCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1170,7 +1159,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCampaignOutput.httpOutput(from:), DeleteCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1205,9 +1193,9 @@ extension IoTFleetWiseClient { /// /// Deletes a decoder manifest. You can't delete a decoder manifest if it has vehicles associated with it. /// - /// - Parameter DeleteDecoderManifestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDecoderManifestInput`) /// - /// - Returns: `DeleteDecoderManifestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDecoderManifestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1243,7 +1231,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDecoderManifestOutput.httpOutput(from:), DeleteDecoderManifestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1278,9 +1265,9 @@ extension IoTFleetWiseClient { /// /// Deletes a fleet. Before you delete a fleet, all vehicles must be dissociated from the fleet. For more information, see [Delete a fleet (AWS CLI)](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/delete-fleet-cli.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter DeleteFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetInput`) /// - /// - Returns: `DeleteFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1315,7 +1302,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetOutput.httpOutput(from:), DeleteFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1350,9 +1336,9 @@ extension IoTFleetWiseClient { /// /// Deletes a vehicle model (model manifest). /// - /// - Parameter DeleteModelManifestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelManifestInput`) /// - /// - Returns: `DeleteModelManifestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelManifestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1388,7 +1374,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelManifestOutput.httpOutput(from:), DeleteModelManifestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1423,9 +1408,9 @@ extension IoTFleetWiseClient { /// /// Deletes a signal catalog. /// - /// - Parameter DeleteSignalCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSignalCatalogInput`) /// - /// - Returns: `DeleteSignalCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSignalCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1461,7 +1446,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSignalCatalogOutput.httpOutput(from:), DeleteSignalCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1480,9 @@ extension IoTFleetWiseClient { /// /// Deletes a state template. /// - /// - Parameter DeleteStateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStateTemplateInput`) /// - /// - Returns: `DeleteStateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1533,7 +1517,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStateTemplateOutput.httpOutput(from:), DeleteStateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1568,9 +1551,9 @@ extension IoTFleetWiseClient { /// /// Deletes a vehicle and removes it from any campaigns. /// - /// - Parameter DeleteVehicleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVehicleInput`) /// - /// - Returns: `DeleteVehicleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVehicleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1605,7 +1588,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVehicleOutput.httpOutput(from:), DeleteVehicleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1640,9 +1622,9 @@ extension IoTFleetWiseClient { /// /// Removes, or disassociates, a vehicle from a fleet. Disassociating a vehicle from a fleet doesn't delete the vehicle. /// - /// - Parameter DisassociateVehicleFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateVehicleFleetInput`) /// - /// - Returns: `DisassociateVehicleFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateVehicleFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1678,7 +1660,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateVehicleFleetOutput.httpOutput(from:), DisassociateVehicleFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1713,9 +1694,9 @@ extension IoTFleetWiseClient { /// /// Retrieves information about a campaign. Access to certain Amazon Web Services IoT FleetWise features is currently gated. For more information, see [Amazon Web Services Region and feature availability](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/fleetwise-regions.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter GetCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCampaignInput`) /// - /// - Returns: `GetCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1751,7 +1732,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignOutput.httpOutput(from:), GetCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1786,9 +1766,9 @@ extension IoTFleetWiseClient { /// /// Retrieves information about a created decoder manifest. /// - /// - Parameter GetDecoderManifestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDecoderManifestInput`) /// - /// - Returns: `GetDecoderManifestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDecoderManifestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1824,7 +1804,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDecoderManifestOutput.httpOutput(from:), GetDecoderManifestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1859,9 +1838,9 @@ extension IoTFleetWiseClient { /// /// Retrieves the encryption configuration for resources and data in Amazon Web Services IoT FleetWise. /// - /// - Parameter GetEncryptionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEncryptionConfigurationInput`) /// - /// - Returns: `GetEncryptionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEncryptionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1897,7 +1876,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEncryptionConfigurationOutput.httpOutput(from:), GetEncryptionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1932,9 +1910,9 @@ extension IoTFleetWiseClient { /// /// Retrieves information about a fleet. /// - /// - Parameter GetFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFleetInput`) /// - /// - Returns: `GetFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1970,7 +1948,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFleetOutput.httpOutput(from:), GetFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2005,9 +1982,9 @@ extension IoTFleetWiseClient { /// /// Retrieves the logging options. /// - /// - Parameter GetLoggingOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoggingOptionsInput`) /// - /// - Returns: `GetLoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2041,7 +2018,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoggingOptionsOutput.httpOutput(from:), GetLoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2076,9 +2052,9 @@ extension IoTFleetWiseClient { /// /// Retrieves information about a vehicle model (model manifest). /// - /// - Parameter GetModelManifestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelManifestInput`) /// - /// - Returns: `GetModelManifestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelManifestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2114,7 +2090,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelManifestOutput.httpOutput(from:), GetModelManifestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2149,9 +2124,9 @@ extension IoTFleetWiseClient { /// /// Retrieves information about the status of registering your Amazon Web Services account, IAM, and Amazon Timestream resources so that Amazon Web Services IoT FleetWise can transfer your vehicle data to the Amazon Web Services Cloud. For more information, including step-by-step procedures, see [Setting up Amazon Web Services IoT FleetWise](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/setting-up.html). This API operation doesn't require input parameters. /// - /// - Parameter GetRegisterAccountStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegisterAccountStatusInput`) /// - /// - Returns: `GetRegisterAccountStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegisterAccountStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2187,7 +2162,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegisterAccountStatusOutput.httpOutput(from:), GetRegisterAccountStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2222,9 +2196,9 @@ extension IoTFleetWiseClient { /// /// Retrieves information about a signal catalog. /// - /// - Parameter GetSignalCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSignalCatalogInput`) /// - /// - Returns: `GetSignalCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSignalCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2260,7 +2234,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSignalCatalogOutput.httpOutput(from:), GetSignalCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2295,9 +2268,9 @@ extension IoTFleetWiseClient { /// /// Retrieves information about a state template. Access to certain Amazon Web Services IoT FleetWise features is currently gated. For more information, see [Amazon Web Services Region and feature availability](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/fleetwise-regions.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter GetStateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStateTemplateInput`) /// - /// - Returns: `GetStateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2333,7 +2306,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStateTemplateOutput.httpOutput(from:), GetStateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2368,9 +2340,9 @@ extension IoTFleetWiseClient { /// /// Retrieves information about a vehicle. /// - /// - Parameter GetVehicleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVehicleInput`) /// - /// - Returns: `GetVehicleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVehicleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2406,7 +2378,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVehicleOutput.httpOutput(from:), GetVehicleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2441,9 +2412,9 @@ extension IoTFleetWiseClient { /// /// Retrieves information about the status of campaigns, decoder manifests, or state templates associated with a vehicle. /// - /// - Parameter GetVehicleStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVehicleStatusInput`) /// - /// - Returns: `GetVehicleStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVehicleStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2480,7 +2451,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVehicleStatusOutput.httpOutput(from:), GetVehicleStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2515,9 +2485,9 @@ extension IoTFleetWiseClient { /// /// Creates a decoder manifest using your existing CAN DBC file from your local device. The CAN signal name must be unique and not repeated across CAN message definitions in a .dbc file. /// - /// - Parameter ImportDecoderManifestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportDecoderManifestInput`) /// - /// - Returns: `ImportDecoderManifestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportDecoderManifestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2556,7 +2526,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportDecoderManifestOutput.httpOutput(from:), ImportDecoderManifestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2591,9 +2560,9 @@ extension IoTFleetWiseClient { /// /// Creates a signal catalog using your existing VSS formatted content from your local device. /// - /// - Parameter ImportSignalCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportSignalCatalogInput`) /// - /// - Returns: `ImportSignalCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportSignalCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2632,7 +2601,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportSignalCatalogOutput.httpOutput(from:), ImportSignalCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2667,9 +2635,9 @@ extension IoTFleetWiseClient { /// /// Lists information about created campaigns. This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListCampaignsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCampaignsInput`) /// - /// - Returns: `ListCampaignsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCampaignsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2705,7 +2673,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCampaignsOutput.httpOutput(from:), ListCampaignsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2740,9 +2707,9 @@ extension IoTFleetWiseClient { /// /// Lists the network interfaces specified in a decoder manifest. This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListDecoderManifestNetworkInterfacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDecoderManifestNetworkInterfacesInput`) /// - /// - Returns: `ListDecoderManifestNetworkInterfacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDecoderManifestNetworkInterfacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2779,7 +2746,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDecoderManifestNetworkInterfacesOutput.httpOutput(from:), ListDecoderManifestNetworkInterfacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2814,9 +2780,9 @@ extension IoTFleetWiseClient { /// /// A list of information about signal decoders specified in a decoder manifest. This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListDecoderManifestSignalsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDecoderManifestSignalsInput`) /// - /// - Returns: `ListDecoderManifestSignalsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDecoderManifestSignalsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2853,7 +2819,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDecoderManifestSignalsOutput.httpOutput(from:), ListDecoderManifestSignalsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2888,9 +2853,9 @@ extension IoTFleetWiseClient { /// /// Lists decoder manifests. This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListDecoderManifestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDecoderManifestsInput`) /// - /// - Returns: `ListDecoderManifestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDecoderManifestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2926,7 +2891,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDecoderManifestsOutput.httpOutput(from:), ListDecoderManifestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2961,9 +2925,9 @@ extension IoTFleetWiseClient { /// /// Retrieves information for each created fleet in an Amazon Web Services account. This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFleetsInput`) /// - /// - Returns: `ListFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFleetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3000,7 +2964,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFleetsOutput.httpOutput(from:), ListFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3035,9 +2998,9 @@ extension IoTFleetWiseClient { /// /// Retrieves a list of IDs for all fleets that the vehicle is associated with. This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListFleetsForVehicleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFleetsForVehicleInput`) /// - /// - Returns: `ListFleetsForVehicleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFleetsForVehicleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3074,7 +3037,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFleetsForVehicleOutput.httpOutput(from:), ListFleetsForVehicleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3109,9 +3071,9 @@ extension IoTFleetWiseClient { /// /// Lists information about nodes specified in a vehicle model (model manifest). This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListModelManifestNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelManifestNodesInput`) /// - /// - Returns: `ListModelManifestNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelManifestNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3149,7 +3111,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelManifestNodesOutput.httpOutput(from:), ListModelManifestNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3184,9 +3145,9 @@ extension IoTFleetWiseClient { /// /// Retrieves a list of vehicle models (model manifests). This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListModelManifestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelManifestsInput`) /// - /// - Returns: `ListModelManifestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelManifestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3222,7 +3183,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelManifestsOutput.httpOutput(from:), ListModelManifestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3257,9 +3217,9 @@ extension IoTFleetWiseClient { /// /// Lists of information about the signals (nodes) specified in a signal catalog. This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListSignalCatalogNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSignalCatalogNodesInput`) /// - /// - Returns: `ListSignalCatalogNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSignalCatalogNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3297,7 +3257,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSignalCatalogNodesOutput.httpOutput(from:), ListSignalCatalogNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3332,9 +3291,9 @@ extension IoTFleetWiseClient { /// /// Lists all the created signal catalogs in an Amazon Web Services account. You can use to list information about each signal (node) specified in a signal catalog. This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListSignalCatalogsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSignalCatalogsInput`) /// - /// - Returns: `ListSignalCatalogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSignalCatalogsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3370,7 +3329,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSignalCatalogsOutput.httpOutput(from:), ListSignalCatalogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3405,9 +3363,9 @@ extension IoTFleetWiseClient { /// /// Lists information about created state templates. Access to certain Amazon Web Services IoT FleetWise features is currently gated. For more information, see [Amazon Web Services Region and feature availability](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/fleetwise-regions.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter ListStateTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStateTemplatesInput`) /// - /// - Returns: `ListStateTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStateTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3443,7 +3401,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStateTemplatesOutput.httpOutput(from:), ListStateTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3478,9 +3435,9 @@ extension IoTFleetWiseClient { /// /// Lists the tags (metadata) you have assigned to the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3517,7 +3474,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3552,9 +3508,9 @@ extension IoTFleetWiseClient { /// /// Retrieves a list of summaries of created vehicles. This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListVehiclesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVehiclesInput`) /// - /// - Returns: `ListVehiclesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVehiclesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3590,7 +3546,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVehiclesOutput.httpOutput(from:), ListVehiclesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3625,9 +3580,9 @@ extension IoTFleetWiseClient { /// /// Retrieves a list of summaries of all vehicles associated with a fleet. This API operation uses pagination. Specify the nextToken parameter in the request to return more results. /// - /// - Parameter ListVehiclesInFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVehiclesInFleetInput`) /// - /// - Returns: `ListVehiclesInFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVehiclesInFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3664,7 +3619,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVehiclesInFleetOutput.httpOutput(from:), ListVehiclesInFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3699,9 +3653,9 @@ extension IoTFleetWiseClient { /// /// Creates or updates the encryption configuration. Amazon Web Services IoT FleetWise can encrypt your data and resources using an Amazon Web Services managed key. Or, you can use a KMS key that you own and manage. For more information, see [Data encryption](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/data-encryption.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter PutEncryptionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEncryptionConfigurationInput`) /// - /// - Returns: `PutEncryptionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEncryptionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3738,7 +3692,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEncryptionConfigurationOutput.httpOutput(from:), PutEncryptionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3773,9 +3726,9 @@ extension IoTFleetWiseClient { /// /// Creates or updates the logging option. /// - /// - Parameter PutLoggingOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLoggingOptionsInput`) /// - /// - Returns: `PutLoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3812,7 +3765,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLoggingOptionsOutput.httpOutput(from:), PutLoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3847,9 +3799,9 @@ extension IoTFleetWiseClient { /// /// This API operation contains deprecated parameters. Register your account again without the Timestream resources parameter so that Amazon Web Services IoT FleetWise can remove the Timestream metadata stored. You should then pass the data destination into the [CreateCampaign](https://docs.aws.amazon.com/iot-fleetwise/latest/APIReference/API_CreateCampaign.html) API operation. You must delete any existing campaigns that include an empty data destination before you register your account again. For more information, see the [DeleteCampaign](https://docs.aws.amazon.com/iot-fleetwise/latest/APIReference/API_DeleteCampaign.html) API operation. If you want to delete the Timestream inline policy from the service-linked role, such as to mitigate an overly permissive policy, you must first delete any existing campaigns. Then delete the service-linked role and register your account again to enable CloudWatch metrics. For more information, see [DeleteServiceLinkedRole](https://docs.aws.amazon.com/IAM/latest/APIReference/API_DeleteServiceLinkedRole.html) in the Identity and Access Management API Reference. Registers your Amazon Web Services account, IAM, and Amazon Timestream resources so Amazon Web Services IoT FleetWise can transfer your vehicle data to the Amazon Web Services Cloud. For more information, including step-by-step procedures, see [Setting up Amazon Web Services IoT FleetWise](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/setting-up.html). An Amazon Web Services account is not the same thing as a "user." An [Amazon Web Services user](https://docs.aws.amazon.com/IAM/latest/UserGuide/introduction_identity-management.html#intro-identity-users) is an identity that you create using Identity and Access Management (IAM) and takes the form of either an [IAM user](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_users.html) or an [IAM role, both with credentials](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles.html). A single Amazon Web Services account can, and typically does, contain many users and roles. /// - /// - Parameter RegisterAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterAccountInput`) /// - /// - Returns: `RegisterAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3886,7 +3838,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterAccountOutput.httpOutput(from:), RegisterAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3921,9 +3872,9 @@ extension IoTFleetWiseClient { /// /// Adds to or modifies the tags of the given resource. Tags are metadata which can be used to manage a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3960,7 +3911,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3995,9 +3945,9 @@ extension IoTFleetWiseClient { /// /// Removes the given tags (metadata) from the resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4034,7 +3984,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4069,9 +4018,9 @@ extension IoTFleetWiseClient { /// /// Updates a campaign. /// - /// - Parameter UpdateCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCampaignInput`) /// - /// - Returns: `UpdateCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4108,7 +4057,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignOutput.httpOutput(from:), UpdateCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4143,9 +4091,9 @@ extension IoTFleetWiseClient { /// /// Updates a decoder manifest. A decoder manifest can only be updated when the status is DRAFT. Only ACTIVE decoder manifests can be associated with vehicles. /// - /// - Parameter UpdateDecoderManifestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDecoderManifestInput`) /// - /// - Returns: `UpdateDecoderManifestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDecoderManifestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4184,7 +4132,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDecoderManifestOutput.httpOutput(from:), UpdateDecoderManifestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4219,9 +4166,9 @@ extension IoTFleetWiseClient { /// /// Updates the description of an existing fleet. /// - /// - Parameter UpdateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFleetInput`) /// - /// - Returns: `UpdateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4258,7 +4205,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFleetOutput.httpOutput(from:), UpdateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4293,9 +4239,9 @@ extension IoTFleetWiseClient { /// /// Updates a vehicle model (model manifest). If created vehicles are associated with a vehicle model, it can't be updated. /// - /// - Parameter UpdateModelManifestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateModelManifestInput`) /// - /// - Returns: `UpdateModelManifestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateModelManifestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4333,7 +4279,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateModelManifestOutput.httpOutput(from:), UpdateModelManifestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4368,9 +4313,9 @@ extension IoTFleetWiseClient { /// /// Updates a signal catalog. /// - /// - Parameter UpdateSignalCatalogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSignalCatalogInput`) /// - /// - Returns: `UpdateSignalCatalogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSignalCatalogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4410,7 +4355,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSignalCatalogOutput.httpOutput(from:), UpdateSignalCatalogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4445,9 +4389,9 @@ extension IoTFleetWiseClient { /// /// Updates a state template. Access to certain Amazon Web Services IoT FleetWise features is currently gated. For more information, see [Amazon Web Services Region and feature availability](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/fleetwise-regions.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter UpdateStateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStateTemplateInput`) /// - /// - Returns: `UpdateStateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4485,7 +4429,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStateTemplateOutput.httpOutput(from:), UpdateStateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4520,9 +4463,9 @@ extension IoTFleetWiseClient { /// /// Updates a vehicle. Access to certain Amazon Web Services IoT FleetWise features is currently gated. For more information, see [Amazon Web Services Region and feature availability](https://docs.aws.amazon.com/iot-fleetwise/latest/developerguide/fleetwise-regions.html) in the Amazon Web Services IoT FleetWise Developer Guide. /// - /// - Parameter UpdateVehicleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVehicleInput`) /// - /// - Returns: `UpdateVehicleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVehicleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4560,7 +4503,6 @@ extension IoTFleetWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVehicleOutput.httpOutput(from:), UpdateVehicleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTJobsDataPlane/Sources/AWSIoTJobsDataPlane/IoTJobsDataPlaneClient.swift b/Sources/Services/AWSIoTJobsDataPlane/Sources/AWSIoTJobsDataPlane/IoTJobsDataPlaneClient.swift index ab4f8f25402..f972e88274e 100644 --- a/Sources/Services/AWSIoTJobsDataPlane/Sources/AWSIoTJobsDataPlane/IoTJobsDataPlaneClient.swift +++ b/Sources/Services/AWSIoTJobsDataPlane/Sources/AWSIoTJobsDataPlane/IoTJobsDataPlaneClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTJobsDataPlaneClient: ClientRuntime.Client { public static let clientName = "IoTJobsDataPlaneClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTJobsDataPlaneClient.IoTJobsDataPlaneClientConfiguration let serviceName = "IoT Jobs Data Plane" @@ -374,9 +373,9 @@ extension IoTJobsDataPlaneClient { /// /// Gets details of a job execution. Requires permission to access the [DescribeJobExecution](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeJobExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobExecutionInput`) /// - /// - Returns: `DescribeJobExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension IoTJobsDataPlaneClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeJobExecutionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobExecutionOutput.httpOutput(from:), DescribeJobExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension IoTJobsDataPlaneClient { /// /// Gets the list of all jobs for a thing that are not in a terminal status. Requires permission to access the [GetPendingJobExecutions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetPendingJobExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPendingJobExecutionsInput`) /// - /// - Returns: `GetPendingJobExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPendingJobExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -482,7 +480,6 @@ extension IoTJobsDataPlaneClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPendingJobExecutionsOutput.httpOutput(from:), GetPendingJobExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -514,9 +511,9 @@ extension IoTJobsDataPlaneClient { /// /// Using the command created with the CreateCommand API, start a command execution on a specific device. /// - /// - Parameter StartCommandExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCommandExecutionInput`) /// - /// - Returns: `StartCommandExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCommandExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension IoTJobsDataPlaneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCommandExecutionOutput.httpOutput(from:), StartCommandExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension IoTJobsDataPlaneClient { /// /// Gets and starts the next pending (status IN_PROGRESS or QUEUED) job execution for a thing. Requires permission to access the [StartNextPendingJobExecution](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter StartNextPendingJobExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartNextPendingJobExecutionInput`) /// - /// - Returns: `StartNextPendingJobExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartNextPendingJobExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension IoTJobsDataPlaneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartNextPendingJobExecutionOutput.httpOutput(from:), StartNextPendingJobExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +655,9 @@ extension IoTJobsDataPlaneClient { /// /// Updates the status of a job execution. Requires permission to access the [UpdateJobExecution](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiotjobsdataplane.html) action. /// - /// - Parameter UpdateJobExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJobExecutionInput`) /// - /// - Returns: `UpdateJobExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension IoTJobsDataPlaneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobExecutionOutput.httpOutput(from:), UpdateJobExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTManagedIntegrations/Sources/AWSIoTManagedIntegrations/IoTManagedIntegrationsClient.swift b/Sources/Services/AWSIoTManagedIntegrations/Sources/AWSIoTManagedIntegrations/IoTManagedIntegrationsClient.swift index 99810089b07..d49b569bd88 100644 --- a/Sources/Services/AWSIoTManagedIntegrations/Sources/AWSIoTManagedIntegrations/IoTManagedIntegrationsClient.swift +++ b/Sources/Services/AWSIoTManagedIntegrations/Sources/AWSIoTManagedIntegrations/IoTManagedIntegrationsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTManagedIntegrationsClient: ClientRuntime.Client { public static let clientName = "IoTManagedIntegrationsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTManagedIntegrationsClient.IoTManagedIntegrationsClientConfiguration let serviceName = "IoT Managed Integrations" @@ -376,9 +375,9 @@ extension IoTManagedIntegrationsClient { /// /// Creates a new account association via the destination id. /// - /// - Parameter CreateAccountAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccountAssociationInput`) /// - /// - Returns: `CreateAccountAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccountAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccountAssociationOutput.httpOutput(from:), CreateAccountAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension IoTManagedIntegrationsClient { /// /// Creates a C2C (cloud-to-cloud) connector. /// - /// - Parameter CreateCloudConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCloudConnectorInput`) /// - /// - Returns: `CreateCloudConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCloudConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCloudConnectorOutput.httpOutput(from:), CreateCloudConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension IoTManagedIntegrationsClient { /// /// Create a connector destination for connecting a cloud-to-cloud (C2C) connector to the customer's Amazon Web Services account. /// - /// - Parameter CreateConnectorDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectorDestinationInput`) /// - /// - Returns: `CreateConnectorDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectorDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectorDestinationOutput.httpOutput(from:), CreateConnectorDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension IoTManagedIntegrationsClient { /// /// Create a product credential locker. This operation will trigger the creation of all the manufacturing resources including the Wi-Fi setup key pair and device certificate. /// - /// - Parameter CreateCredentialLockerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCredentialLockerInput`) /// - /// - Returns: `CreateCredentialLockerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCredentialLockerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -640,7 +636,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCredentialLockerOutput.httpOutput(from:), CreateCredentialLockerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension IoTManagedIntegrationsClient { /// /// Create a destination. IoT managed integrations uses the destination to determine where to deliver notifications for a device. /// - /// - Parameter CreateDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDestinationInput`) /// - /// - Returns: `CreateDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -713,7 +708,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDestinationOutput.httpOutput(from:), CreateDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -745,9 +739,9 @@ extension IoTManagedIntegrationsClient { /// /// Set the event log configuration for the account, resource type, or specific resource. /// - /// - Parameter CreateEventLogConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventLogConfigurationInput`) /// - /// - Returns: `CreateEventLogConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventLogConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -787,7 +781,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventLogConfigurationOutput.httpOutput(from:), CreateEventLogConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -819,9 +812,9 @@ extension IoTManagedIntegrationsClient { /// /// Creates a managed thing. A managed thing contains the device identifier, protocol supported, and capabilities of the device in a protocol-specific format. /// - /// - Parameter CreateManagedThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateManagedThingInput`) /// - /// - Returns: `CreateManagedThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateManagedThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -863,7 +856,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateManagedThingOutput.httpOutput(from:), CreateManagedThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -895,9 +887,9 @@ extension IoTManagedIntegrationsClient { /// /// Creates a notification configuration. A configuration is a connection between an event type and a destination that you have already created. /// - /// - Parameter CreateNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNotificationConfigurationInput`) /// - /// - Returns: `CreateNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -936,7 +928,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNotificationConfigurationOutput.httpOutput(from:), CreateNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -968,9 +959,9 @@ extension IoTManagedIntegrationsClient { /// /// Create an over-the-air (OTA) task to update a device. /// - /// - Parameter CreateOtaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOtaTaskInput`) /// - /// - Returns: `CreateOtaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOtaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1011,7 +1002,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOtaTaskOutput.httpOutput(from:), CreateOtaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1043,9 +1033,9 @@ extension IoTManagedIntegrationsClient { /// /// Create a configuraiton for the over-the-air (OTA) task. /// - /// - Parameter CreateOtaTaskConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOtaTaskConfigurationInput`) /// - /// - Returns: `CreateOtaTaskConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOtaTaskConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1084,7 +1074,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOtaTaskConfigurationOutput.httpOutput(from:), CreateOtaTaskConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1116,9 +1105,9 @@ extension IoTManagedIntegrationsClient { /// /// Create a provisioning profile for a device to execute the provisioning flows using a provisioning template. The provisioning template is a document that defines the set of resources and policies applied to a device during the provisioning process. /// - /// - Parameter CreateProvisioningProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProvisioningProfileInput`) /// - /// - Returns: `CreateProvisioningProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProvisioningProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1160,7 +1149,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProvisioningProfileOutput.httpOutput(from:), CreateProvisioningProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1192,9 +1180,9 @@ extension IoTManagedIntegrationsClient { /// /// Remove a third party account and related devices from an end user. /// - /// - Parameter DeleteAccountAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountAssociationInput`) /// - /// - Returns: `DeleteAccountAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1230,7 +1218,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountAssociationOutput.httpOutput(from:), DeleteAccountAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1262,9 +1249,9 @@ extension IoTManagedIntegrationsClient { /// /// Delete a cloud connector. /// - /// - Parameter DeleteCloudConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCloudConnectorInput`) /// - /// - Returns: `DeleteCloudConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCloudConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1299,7 +1286,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCloudConnectorOutput.httpOutput(from:), DeleteCloudConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1331,9 +1317,9 @@ extension IoTManagedIntegrationsClient { /// /// Delete a connector destination for connecting a cloud-to-cloud (C2C) connector to the customer's Amazon Web Services account. /// - /// - Parameter DeleteConnectorDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectorDestinationInput`) /// - /// - Returns: `DeleteConnectorDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectorDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1368,7 +1354,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectorDestinationOutput.httpOutput(from:), DeleteConnectorDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1400,9 +1385,9 @@ extension IoTManagedIntegrationsClient { /// /// Delete a credential locker. This operation can't be undone and any existing device won't be able to use IoT managed integrations. /// - /// - Parameter DeleteCredentialLockerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCredentialLockerInput`) /// - /// - Returns: `DeleteCredentialLockerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCredentialLockerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1438,7 +1423,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCredentialLockerOutput.httpOutput(from:), DeleteCredentialLockerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1470,9 +1454,9 @@ extension IoTManagedIntegrationsClient { /// /// Deletes a customer-managed destination specified by id. /// - /// - Parameter DeleteDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDestinationInput`) /// - /// - Returns: `DeleteDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1507,7 +1491,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDestinationOutput.httpOutput(from:), DeleteDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1539,9 +1522,9 @@ extension IoTManagedIntegrationsClient { /// /// Delete an event log configuration. /// - /// - Parameter DeleteEventLogConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventLogConfigurationInput`) /// - /// - Returns: `DeleteEventLogConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventLogConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1576,7 +1559,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventLogConfigurationOutput.httpOutput(from:), DeleteEventLogConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1608,9 +1590,9 @@ extension IoTManagedIntegrationsClient { /// /// Delete a managed thing. If a controller is deleted, all of the devices connected to it will have their status changed to PENDING. It is not possible to remove a cloud device. /// - /// - Parameter DeleteManagedThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteManagedThingInput`) /// - /// - Returns: `DeleteManagedThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteManagedThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1649,7 +1631,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteManagedThingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteManagedThingOutput.httpOutput(from:), DeleteManagedThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1681,9 +1662,9 @@ extension IoTManagedIntegrationsClient { /// /// Deletes a notification configuration. /// - /// - Parameter DeleteNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNotificationConfigurationInput`) /// - /// - Returns: `DeleteNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1718,7 +1699,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNotificationConfigurationOutput.httpOutput(from:), DeleteNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1750,9 +1730,9 @@ extension IoTManagedIntegrationsClient { /// /// Delete the over-the-air (OTA) task. /// - /// - Parameter DeleteOtaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOtaTaskInput`) /// - /// - Returns: `DeleteOtaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOtaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1788,7 +1768,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOtaTaskOutput.httpOutput(from:), DeleteOtaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1820,9 +1799,9 @@ extension IoTManagedIntegrationsClient { /// /// Delete the over-the-air (OTA) task configuration. /// - /// - Parameter DeleteOtaTaskConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOtaTaskConfigurationInput`) /// - /// - Returns: `DeleteOtaTaskConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOtaTaskConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1857,7 +1836,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOtaTaskConfigurationOutput.httpOutput(from:), DeleteOtaTaskConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1889,9 +1867,9 @@ extension IoTManagedIntegrationsClient { /// /// Delete a provisioning profile. /// - /// - Parameter DeleteProvisioningProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProvisioningProfileInput`) /// - /// - Returns: `DeleteProvisioningProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProvisioningProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1928,7 +1906,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProvisioningProfileOutput.httpOutput(from:), DeleteProvisioningProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1960,9 +1937,9 @@ extension IoTManagedIntegrationsClient { /// /// Deregisters an account association, removing the connection between a managed thing and a third-party account. /// - /// - Parameter DeregisterAccountAssociationInput : Request for deregister a managed thing from account association + /// - Parameter input: Request for deregister a managed thing from account association (Type: `DeregisterAccountAssociationInput`) /// - /// - Returns: `DeregisterAccountAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterAccountAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2000,7 +1977,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterAccountAssociationOutput.httpOutput(from:), DeregisterAccountAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2032,9 +2008,9 @@ extension IoTManagedIntegrationsClient { /// /// Get an account association for an Amazon Web Services account linked to a customer-managed destination. /// - /// - Parameter GetAccountAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountAssociationInput`) /// - /// - Returns: `GetAccountAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2070,7 +2046,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountAssociationOutput.httpOutput(from:), GetAccountAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2102,9 +2077,9 @@ extension IoTManagedIntegrationsClient { /// /// Gets all the information about a connector for a connector developer. /// - /// - Parameter GetCloudConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCloudConnectorInput`) /// - /// - Returns: `GetCloudConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCloudConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2139,7 +2114,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudConnectorOutput.httpOutput(from:), GetCloudConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2171,9 +2145,9 @@ extension IoTManagedIntegrationsClient { /// /// Get a connector destination of a cloud-to-cloud (C2C) connector connecting to a customer's Amazon Web Services account. /// - /// - Parameter GetConnectorDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectorDestinationInput`) /// - /// - Returns: `GetConnectorDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectorDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2208,7 +2182,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectorDestinationOutput.httpOutput(from:), GetConnectorDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2240,9 +2213,9 @@ extension IoTManagedIntegrationsClient { /// /// Get information on an existing credential locker /// - /// - Parameter GetCredentialLockerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCredentialLockerInput`) /// - /// - Returns: `GetCredentialLockerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCredentialLockerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2278,7 +2251,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCredentialLockerOutput.httpOutput(from:), GetCredentialLockerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2310,9 +2282,9 @@ extension IoTManagedIntegrationsClient { /// /// Returns the IoT managed integrations custom endpoint. /// - /// - Parameter GetCustomEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCustomEndpointInput`) /// - /// - Returns: `GetCustomEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCustomEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2349,7 +2321,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomEndpointOutput.httpOutput(from:), GetCustomEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2381,9 +2352,9 @@ extension IoTManagedIntegrationsClient { /// /// Retrieves information about the default encryption configuration for the Amazon Web Services account in the default or specified region. For more information, see [Key management](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/key-management.html) in the AWS IoT SiteWise User Guide. /// - /// - Parameter GetDefaultEncryptionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDefaultEncryptionConfigurationInput`) /// - /// - Returns: `GetDefaultEncryptionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDefaultEncryptionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2420,7 +2391,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDefaultEncryptionConfigurationOutput.httpOutput(from:), GetDefaultEncryptionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2452,9 +2422,9 @@ extension IoTManagedIntegrationsClient { /// /// Gets a destination by ID. /// - /// - Parameter GetDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDestinationInput`) /// - /// - Returns: `GetDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2489,7 +2459,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDestinationOutput.httpOutput(from:), GetDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2521,9 +2490,9 @@ extension IoTManagedIntegrationsClient { /// /// Get the current state of a device discovery. /// - /// - Parameter GetDeviceDiscoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeviceDiscoveryInput`) /// - /// - Returns: `GetDeviceDiscoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeviceDiscoveryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2560,7 +2529,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceDiscoveryOutput.httpOutput(from:), GetDeviceDiscoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2592,9 +2560,9 @@ extension IoTManagedIntegrationsClient { /// /// Get an event log configuration. /// - /// - Parameter GetEventLogConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventLogConfigurationInput`) /// - /// - Returns: `GetEventLogConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventLogConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2629,7 +2597,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventLogConfigurationOutput.httpOutput(from:), GetEventLogConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2661,9 +2628,9 @@ extension IoTManagedIntegrationsClient { /// /// Get a hub configuration. /// - /// - Parameter GetHubConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHubConfigurationInput`) /// - /// - Returns: `GetHubConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHubConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2699,7 +2666,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHubConfigurationOutput.httpOutput(from:), GetHubConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2731,9 +2697,9 @@ extension IoTManagedIntegrationsClient { /// /// Get the attributes and capabilities associated with a managed thing. /// - /// - Parameter GetManagedThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedThingInput`) /// - /// - Returns: `GetManagedThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2770,7 +2736,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedThingOutput.httpOutput(from:), GetManagedThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2802,9 +2767,9 @@ extension IoTManagedIntegrationsClient { /// /// Get the capabilities for a managed thing using the device ID. /// - /// - Parameter GetManagedThingCapabilitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedThingCapabilitiesInput`) /// - /// - Returns: `GetManagedThingCapabilitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedThingCapabilitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2841,7 +2806,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedThingCapabilitiesOutput.httpOutput(from:), GetManagedThingCapabilitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2873,9 +2837,9 @@ extension IoTManagedIntegrationsClient { /// /// Get the connectivity status of a managed thing. /// - /// - Parameter GetManagedThingConnectivityDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedThingConnectivityDataInput`) /// - /// - Returns: `GetManagedThingConnectivityDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedThingConnectivityDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2912,7 +2876,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedThingConnectivityDataOutput.httpOutput(from:), GetManagedThingConnectivityDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2944,9 +2907,9 @@ extension IoTManagedIntegrationsClient { /// /// Get the metadata information for a managed thing. The managedThingmetadata parameter is used for associating attributes with a managedThing that can be used for grouping over-the-air (OTA) tasks. Name value pairs in metadata can be used in the OtaTargetQueryString parameter for the CreateOtaTask API operation. /// - /// - Parameter GetManagedThingMetaDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedThingMetaDataInput`) /// - /// - Returns: `GetManagedThingMetaDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedThingMetaDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2983,7 +2946,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedThingMetaDataOutput.httpOutput(from:), GetManagedThingMetaDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3015,9 +2977,9 @@ extension IoTManagedIntegrationsClient { /// /// Returns the managed thing state for the given device Id. /// - /// - Parameter GetManagedThingStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedThingStateInput`) /// - /// - Returns: `GetManagedThingStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedThingStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3054,7 +3016,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedThingStateOutput.httpOutput(from:), GetManagedThingStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3086,9 +3047,9 @@ extension IoTManagedIntegrationsClient { /// /// Get a notification configuration. /// - /// - Parameter GetNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNotificationConfigurationInput`) /// - /// - Returns: `GetNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3123,7 +3084,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNotificationConfigurationOutput.httpOutput(from:), GetNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3155,9 +3115,9 @@ extension IoTManagedIntegrationsClient { /// /// Get the over-the-air (OTA) task. /// - /// - Parameter GetOtaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOtaTaskInput`) /// - /// - Returns: `GetOtaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOtaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3192,7 +3152,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOtaTaskOutput.httpOutput(from:), GetOtaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3224,9 +3183,9 @@ extension IoTManagedIntegrationsClient { /// /// Get a configuraiton for the over-the-air (OTA) task. /// - /// - Parameter GetOtaTaskConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOtaTaskConfigurationInput`) /// - /// - Returns: `GetOtaTaskConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOtaTaskConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3261,7 +3220,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOtaTaskConfigurationOutput.httpOutput(from:), GetOtaTaskConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3293,9 +3251,9 @@ extension IoTManagedIntegrationsClient { /// /// Get a provisioning profile by template name. /// - /// - Parameter GetProvisioningProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProvisioningProfileInput`) /// - /// - Returns: `GetProvisioningProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProvisioningProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3332,7 +3290,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProvisioningProfileOutput.httpOutput(from:), GetProvisioningProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3364,9 +3321,9 @@ extension IoTManagedIntegrationsClient { /// /// Get the runtime log configuration for a specific managed thing or for all managed things as a group. /// - /// - Parameter GetRuntimeLogConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuntimeLogConfigurationInput`) /// - /// - Returns: `GetRuntimeLogConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuntimeLogConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3401,7 +3358,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuntimeLogConfigurationOutput.httpOutput(from:), GetRuntimeLogConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3433,9 +3389,9 @@ extension IoTManagedIntegrationsClient { /// /// Gets a schema version with the provided information. /// - /// - Parameter GetSchemaVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaVersionInput`) /// - /// - Returns: `GetSchemaVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3473,7 +3429,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSchemaVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaVersionOutput.httpOutput(from:), GetSchemaVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3505,9 +3460,9 @@ extension IoTManagedIntegrationsClient { /// /// Lists all account associations, with optional filtering by connector destination ID. /// - /// - Parameter ListAccountAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountAssociationsInput`) /// - /// - Returns: `ListAccountAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3543,7 +3498,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccountAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountAssociationsOutput.httpOutput(from:), ListAccountAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3575,9 +3529,9 @@ extension IoTManagedIntegrationsClient { /// /// Returns a list of connectors based on permissions. /// - /// - Parameter ListCloudConnectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCloudConnectorsInput`) /// - /// - Returns: `ListCloudConnectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCloudConnectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3612,7 +3566,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCloudConnectorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCloudConnectorsOutput.httpOutput(from:), ListCloudConnectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3644,9 +3597,9 @@ extension IoTManagedIntegrationsClient { /// /// Lists all connector destinations, with optional filtering by cloud connector ID. /// - /// - Parameter ListConnectorDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorDestinationsInput`) /// - /// - Returns: `ListConnectorDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3681,7 +3634,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectorDestinationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorDestinationsOutput.httpOutput(from:), ListConnectorDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3713,9 +3665,9 @@ extension IoTManagedIntegrationsClient { /// /// List information on an existing credential locker. /// - /// - Parameter ListCredentialLockersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCredentialLockersInput`) /// - /// - Returns: `ListCredentialLockersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCredentialLockersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3751,7 +3703,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCredentialLockersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCredentialLockersOutput.httpOutput(from:), ListCredentialLockersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3783,9 +3734,9 @@ extension IoTManagedIntegrationsClient { /// /// List all destination names under one Amazon Web Services account. /// - /// - Parameter ListDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDestinationsInput`) /// - /// - Returns: `ListDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3820,7 +3771,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDestinationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDestinationsOutput.httpOutput(from:), ListDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3852,9 +3802,9 @@ extension IoTManagedIntegrationsClient { /// /// Lists all device discovery tasks, with optional filtering by type and status. /// - /// - Parameter ListDeviceDiscoveriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeviceDiscoveriesInput`) /// - /// - Returns: `ListDeviceDiscoveriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeviceDiscoveriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3891,7 +3841,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeviceDiscoveriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeviceDiscoveriesOutput.httpOutput(from:), ListDeviceDiscoveriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3923,9 +3872,9 @@ extension IoTManagedIntegrationsClient { /// /// Lists all devices discovered during a specific device discovery task. /// - /// - Parameter ListDiscoveredDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDiscoveredDevicesInput`) /// - /// - Returns: `ListDiscoveredDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDiscoveredDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3963,7 +3912,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDiscoveredDevicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDiscoveredDevicesOutput.httpOutput(from:), ListDiscoveredDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3995,9 +3943,9 @@ extension IoTManagedIntegrationsClient { /// /// List all event log configurations for an account. /// - /// - Parameter ListEventLogConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventLogConfigurationsInput`) /// - /// - Returns: `ListEventLogConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventLogConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4032,7 +3980,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventLogConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventLogConfigurationsOutput.httpOutput(from:), ListEventLogConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4064,9 +4011,9 @@ extension IoTManagedIntegrationsClient { /// /// Lists all account associations for a specific managed thing. /// - /// - Parameter ListManagedThingAccountAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedThingAccountAssociationsInput`) /// - /// - Returns: `ListManagedThingAccountAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedThingAccountAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4101,7 +4048,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListManagedThingAccountAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedThingAccountAssociationsOutput.httpOutput(from:), ListManagedThingAccountAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4133,9 +4079,9 @@ extension IoTManagedIntegrationsClient { /// /// List schemas associated with a managed thing. /// - /// - Parameter ListManagedThingSchemasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedThingSchemasInput`) /// - /// - Returns: `ListManagedThingSchemasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedThingSchemasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4173,7 +4119,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListManagedThingSchemasInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedThingSchemasOutput.httpOutput(from:), ListManagedThingSchemasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4205,9 +4150,9 @@ extension IoTManagedIntegrationsClient { /// /// Listing all managed things with provision for filters. /// - /// - Parameter ListManagedThingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedThingsInput`) /// - /// - Returns: `ListManagedThingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedThingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4244,7 +4189,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListManagedThingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedThingsOutput.httpOutput(from:), ListManagedThingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4276,9 +4220,9 @@ extension IoTManagedIntegrationsClient { /// /// List all notification configurations. /// - /// - Parameter ListNotificationConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotificationConfigurationsInput`) /// - /// - Returns: `ListNotificationConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotificationConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4313,7 +4257,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNotificationConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotificationConfigurationsOutput.httpOutput(from:), ListNotificationConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4345,9 +4288,9 @@ extension IoTManagedIntegrationsClient { /// /// List all of the over-the-air (OTA) task configurations. /// - /// - Parameter ListOtaTaskConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOtaTaskConfigurationsInput`) /// - /// - Returns: `ListOtaTaskConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOtaTaskConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4382,7 +4325,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOtaTaskConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOtaTaskConfigurationsOutput.httpOutput(from:), ListOtaTaskConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4414,9 +4356,9 @@ extension IoTManagedIntegrationsClient { /// /// List all of the over-the-air (OTA) task executions. /// - /// - Parameter ListOtaTaskExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOtaTaskExecutionsInput`) /// - /// - Returns: `ListOtaTaskExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOtaTaskExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4452,7 +4394,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOtaTaskExecutionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOtaTaskExecutionsOutput.httpOutput(from:), ListOtaTaskExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4484,9 +4425,9 @@ extension IoTManagedIntegrationsClient { /// /// List all of the over-the-air (OTA) tasks. /// - /// - Parameter ListOtaTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOtaTasksInput`) /// - /// - Returns: `ListOtaTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOtaTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4522,7 +4463,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOtaTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOtaTasksOutput.httpOutput(from:), ListOtaTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4554,9 +4494,9 @@ extension IoTManagedIntegrationsClient { /// /// List the provisioning profiles within the Amazon Web Services account. /// - /// - Parameter ListProvisioningProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProvisioningProfilesInput`) /// - /// - Returns: `ListProvisioningProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProvisioningProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4593,7 +4533,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProvisioningProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProvisioningProfilesOutput.httpOutput(from:), ListProvisioningProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4625,9 +4564,9 @@ extension IoTManagedIntegrationsClient { /// /// Lists schema versions with the provided information. /// - /// - Parameter ListSchemaVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchemaVersionsInput`) /// - /// - Returns: `ListSchemaVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchemaVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4664,7 +4603,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSchemaVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchemaVersionsOutput.httpOutput(from:), ListSchemaVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4696,9 +4634,9 @@ extension IoTManagedIntegrationsClient { /// /// List tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4732,7 +4670,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4764,9 +4701,9 @@ extension IoTManagedIntegrationsClient { /// /// Sets the default encryption configuration for the Amazon Web Services account. For more information, see [Key management](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/key-management.html) in the AWS IoT SiteWise User Guide. /// - /// - Parameter PutDefaultEncryptionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDefaultEncryptionConfigurationInput`) /// - /// - Returns: `PutDefaultEncryptionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDefaultEncryptionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4806,7 +4743,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDefaultEncryptionConfigurationOutput.httpOutput(from:), PutDefaultEncryptionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4838,9 +4774,9 @@ extension IoTManagedIntegrationsClient { /// /// Update a hub configuration. /// - /// - Parameter PutHubConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutHubConfigurationInput`) /// - /// - Returns: `PutHubConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutHubConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4879,7 +4815,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutHubConfigurationOutput.httpOutput(from:), PutHubConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4911,9 +4846,9 @@ extension IoTManagedIntegrationsClient { /// /// Set the runtime log configuration for a specific managed thing or for all managed things as a group. /// - /// - Parameter PutRuntimeLogConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRuntimeLogConfigurationInput`) /// - /// - Returns: `PutRuntimeLogConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRuntimeLogConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4951,7 +4886,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRuntimeLogConfigurationOutput.httpOutput(from:), PutRuntimeLogConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4983,9 +4917,9 @@ extension IoTManagedIntegrationsClient { /// /// Registers an account association with a managed thing, establishing a connection between a device and a third-party account. /// - /// - Parameter RegisterAccountAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterAccountAssociationInput`) /// - /// - Returns: `RegisterAccountAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterAccountAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5024,7 +4958,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterAccountAssociationOutput.httpOutput(from:), RegisterAccountAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5056,9 +4989,9 @@ extension IoTManagedIntegrationsClient { /// /// Customers can request IoT managed integrations to manage the server trust for them or bring their own external server trusts for the custom domain. Returns an IoT managed integrations endpoint. /// - /// - Parameter RegisterCustomEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterCustomEndpointInput`) /// - /// - Returns: `RegisterCustomEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterCustomEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5095,7 +5028,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterCustomEndpointOutput.httpOutput(from:), RegisterCustomEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5127,9 +5059,9 @@ extension IoTManagedIntegrationsClient { /// /// Reset a runtime log configuration for a specific managed thing or for all managed things as a group. /// - /// - Parameter ResetRuntimeLogConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetRuntimeLogConfigurationInput`) /// - /// - Returns: `ResetRuntimeLogConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetRuntimeLogConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5164,7 +5096,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetRuntimeLogConfigurationOutput.httpOutput(from:), ResetRuntimeLogConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5196,9 +5127,9 @@ extension IoTManagedIntegrationsClient { /// /// Relays third-party device events for a connector such as a new device or a device state change event. /// - /// - Parameter SendConnectorEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendConnectorEventInput`) /// - /// - Returns: `SendConnectorEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendConnectorEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5237,7 +5168,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendConnectorEventOutput.httpOutput(from:), SendConnectorEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5269,9 +5199,9 @@ extension IoTManagedIntegrationsClient { /// /// Send the command to the device represented by the managed thing. /// - /// - Parameter SendManagedThingCommandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendManagedThingCommandInput`) /// - /// - Returns: `SendManagedThingCommandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendManagedThingCommandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5311,7 +5241,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendManagedThingCommandOutput.httpOutput(from:), SendManagedThingCommandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5343,9 +5272,9 @@ extension IoTManagedIntegrationsClient { /// /// Initiates a refresh of an existing account association to update its authorization and connection status. /// - /// - Parameter StartAccountAssociationRefreshInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAccountAssociationRefreshInput`) /// - /// - Returns: `StartAccountAssociationRefreshOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAccountAssociationRefreshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5381,7 +5310,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAccountAssociationRefreshOutput.httpOutput(from:), StartAccountAssociationRefreshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5413,9 +5341,9 @@ extension IoTManagedIntegrationsClient { /// /// This API is used to start device discovery for hub-connected and third-party-connected devices. The authentication material (install code) is passed as a message to the controller telling it to start the discovery. /// - /// - Parameter StartDeviceDiscoveryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDeviceDiscoveryInput`) /// - /// - Returns: `StartDeviceDiscoveryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDeviceDiscoveryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5456,7 +5384,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDeviceDiscoveryOutput.httpOutput(from:), StartDeviceDiscoveryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5488,9 +5415,9 @@ extension IoTManagedIntegrationsClient { /// /// Add tags for the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5528,7 +5455,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5560,9 +5486,9 @@ extension IoTManagedIntegrationsClient { /// /// Remove tags for the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5598,7 +5524,6 @@ extension IoTManagedIntegrationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5630,9 +5555,9 @@ extension IoTManagedIntegrationsClient { /// /// Updates the properties of an existing account association. /// - /// - Parameter UpdateAccountAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountAssociationInput`) /// - /// - Returns: `UpdateAccountAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5672,7 +5597,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountAssociationOutput.httpOutput(from:), UpdateAccountAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5704,9 +5628,9 @@ extension IoTManagedIntegrationsClient { /// /// Update an existing cloud connector. /// - /// - Parameter UpdateCloudConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCloudConnectorInput`) /// - /// - Returns: `UpdateCloudConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCloudConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5744,7 +5668,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCloudConnectorOutput.httpOutput(from:), UpdateCloudConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5776,9 +5699,9 @@ extension IoTManagedIntegrationsClient { /// /// Updates the properties of an existing connector destination. /// - /// - Parameter UpdateConnectorDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectorDestinationInput`) /// - /// - Returns: `UpdateConnectorDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectorDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5816,7 +5739,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectorDestinationOutput.httpOutput(from:), UpdateConnectorDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5848,9 +5770,9 @@ extension IoTManagedIntegrationsClient { /// /// Update a destination specified by id. /// - /// - Parameter UpdateDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDestinationInput`) /// - /// - Returns: `UpdateDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5888,7 +5810,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDestinationOutput.httpOutput(from:), UpdateDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5920,9 +5841,9 @@ extension IoTManagedIntegrationsClient { /// /// Update an event log configuration by log configuration ID. /// - /// - Parameter UpdateEventLogConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventLogConfigurationInput`) /// - /// - Returns: `UpdateEventLogConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventLogConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5960,7 +5881,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventLogConfigurationOutput.httpOutput(from:), UpdateEventLogConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5992,9 +5912,9 @@ extension IoTManagedIntegrationsClient { /// /// Update the attributes and capabilities associated with a managed thing. /// - /// - Parameter UpdateManagedThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateManagedThingInput`) /// - /// - Returns: `UpdateManagedThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateManagedThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6035,7 +5955,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateManagedThingOutput.httpOutput(from:), UpdateManagedThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6067,9 +5986,9 @@ extension IoTManagedIntegrationsClient { /// /// Update a notification configuration. /// - /// - Parameter UpdateNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNotificationConfigurationInput`) /// - /// - Returns: `UpdateNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6107,7 +6026,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNotificationConfigurationOutput.httpOutput(from:), UpdateNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6139,9 +6057,9 @@ extension IoTManagedIntegrationsClient { /// /// Update an over-the-air (OTA) task. /// - /// - Parameter UpdateOtaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOtaTaskInput`) /// - /// - Returns: `UpdateOtaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOtaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6179,7 +6097,6 @@ extension IoTManagedIntegrationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOtaTaskOutput.httpOutput(from:), UpdateOtaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTSecureTunneling/Sources/AWSIoTSecureTunneling/IoTSecureTunnelingClient.swift b/Sources/Services/AWSIoTSecureTunneling/Sources/AWSIoTSecureTunneling/IoTSecureTunnelingClient.swift index f9e9ddd42fc..93e3008f043 100644 --- a/Sources/Services/AWSIoTSecureTunneling/Sources/AWSIoTSecureTunneling/IoTSecureTunnelingClient.swift +++ b/Sources/Services/AWSIoTSecureTunneling/Sources/AWSIoTSecureTunneling/IoTSecureTunnelingClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTSecureTunnelingClient: ClientRuntime.Client { public static let clientName = "IoTSecureTunnelingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTSecureTunnelingClient.IoTSecureTunnelingClientConfiguration let serviceName = "IoTSecureTunneling" @@ -374,9 +373,9 @@ extension IoTSecureTunnelingClient { /// /// Closes a tunnel identified by the unique tunnel id. When a CloseTunnel request is received, we close the WebSocket connections between the client and proxy server so no data can be transmitted. Requires permission to access the [CloseTunnel](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CloseTunnelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CloseTunnelInput`) /// - /// - Returns: `CloseTunnelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CloseTunnelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension IoTSecureTunnelingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CloseTunnelOutput.httpOutput(from:), CloseTunnelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension IoTSecureTunnelingClient { /// /// Gets information about a tunnel identified by the unique tunnel id. Requires permission to access the [DescribeTunnel](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DescribeTunnelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTunnelInput`) /// - /// - Returns: `DescribeTunnelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTunnelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension IoTSecureTunnelingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTunnelOutput.httpOutput(from:), DescribeTunnelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -513,9 +510,9 @@ extension IoTSecureTunnelingClient { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -548,7 +545,6 @@ extension IoTSecureTunnelingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -583,9 +579,9 @@ extension IoTSecureTunnelingClient { /// /// List all tunnels for an Amazon Web Services account. Tunnels are listed by creation time in descending order, newer tunnels will be listed before older tunnels. Requires permission to access the [ListTunnels](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListTunnelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTunnelsInput`) /// - /// - Returns: `ListTunnelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTunnelsOutput`) public func listTunnels(input: ListTunnelsInput) async throws -> ListTunnelsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -613,7 +609,6 @@ extension IoTSecureTunnelingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTunnelsOutput.httpOutput(from:), ListTunnelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -648,9 +643,9 @@ extension IoTSecureTunnelingClient { /// /// Creates a new tunnel, and returns two client access tokens for clients to use to connect to the IoT Secure Tunneling proxy server. Requires permission to access the [OpenTunnel](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter OpenTunnelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `OpenTunnelInput`) /// - /// - Returns: `OpenTunnelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `OpenTunnelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -682,7 +677,6 @@ extension IoTSecureTunnelingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(OpenTunnelOutput.httpOutput(from:), OpenTunnelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -717,9 +711,9 @@ extension IoTSecureTunnelingClient { /// /// Revokes the current client access token (CAT) and returns new CAT for clients to use when reconnecting to secure tunneling to access the same tunnel. Requires permission to access the [RotateTunnelAccessToken](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. Rotating the CAT doesn't extend the tunnel duration. For example, say the tunnel duration is 12 hours and the tunnel has already been open for 4 hours. When you rotate the access tokens, the new tokens that are generated can only be used for the remaining 8 hours. /// - /// - Parameter RotateTunnelAccessTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RotateTunnelAccessTokenInput`) /// - /// - Returns: `RotateTunnelAccessTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RotateTunnelAccessTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -751,7 +745,6 @@ extension IoTSecureTunnelingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RotateTunnelAccessTokenOutput.httpOutput(from:), RotateTunnelAccessTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -786,9 +779,9 @@ extension IoTSecureTunnelingClient { /// /// A resource tag. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -820,7 +813,6 @@ extension IoTSecureTunnelingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -855,9 +847,9 @@ extension IoTSecureTunnelingClient { /// /// Removes a tag from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -889,7 +881,6 @@ extension IoTSecureTunnelingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTSiteWise/Sources/AWSIoTSiteWise/IoTSiteWiseClient.swift b/Sources/Services/AWSIoTSiteWise/Sources/AWSIoTSiteWise/IoTSiteWiseClient.swift index 362ec57eb94..e81ceb96f0c 100644 --- a/Sources/Services/AWSIoTSiteWise/Sources/AWSIoTSiteWise/IoTSiteWiseClient.swift +++ b/Sources/Services/AWSIoTSiteWise/Sources/AWSIoTSiteWise/IoTSiteWiseClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTSiteWiseClient: ClientRuntime.Client { public static let clientName = "IoTSiteWiseClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTSiteWiseClient.IoTSiteWiseClientConfiguration let serviceName = "IoTSiteWise" @@ -376,9 +375,9 @@ extension IoTSiteWiseClient { /// /// Associates a child asset with the given parent asset through a hierarchy defined in the parent asset's model. For more information, see [Associating assets](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/add-associated-assets.html) in the IoT SiteWise User Guide. /// - /// - Parameter AssociateAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAssetsInput`) /// - /// - Returns: `AssociateAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAssetsOutput.httpOutput(from:), AssociateAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension IoTSiteWiseClient { /// /// Associates a time series (data stream) with an asset property. /// - /// - Parameter AssociateTimeSeriesToAssetPropertyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTimeSeriesToAssetPropertyInput`) /// - /// - Returns: `AssociateTimeSeriesToAssetPropertyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTimeSeriesToAssetPropertyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTimeSeriesToAssetPropertyOutput.httpOutput(from:), AssociateTimeSeriesToAssetPropertyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension IoTSiteWiseClient { /// /// Associates a group (batch) of assets with an IoT SiteWise Monitor project. /// - /// - Parameter BatchAssociateProjectAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAssociateProjectAssetsInput`) /// - /// - Returns: `BatchAssociateProjectAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateProjectAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -566,7 +563,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateProjectAssetsOutput.httpOutput(from:), BatchAssociateProjectAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -598,9 +594,9 @@ extension IoTSiteWiseClient { /// /// Disassociates a group (batch) of assets from an IoT SiteWise Monitor project. /// - /// - Parameter BatchDisassociateProjectAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisassociateProjectAssetsInput`) /// - /// - Returns: `BatchDisassociateProjectAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateProjectAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateProjectAssetsOutput.httpOutput(from:), BatchDisassociateProjectAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension IoTSiteWiseClient { /// /// Gets aggregated values (for example, average, minimum, and maximum) for one or more asset properties. For more information, see [Querying aggregates](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/query-industrial-data.html#aggregates) in the IoT SiteWise User Guide. /// - /// - Parameter BatchGetAssetPropertyAggregatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetAssetPropertyAggregatesInput`) /// - /// - Returns: `BatchGetAssetPropertyAggregatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetAssetPropertyAggregatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetAssetPropertyAggregatesOutput.httpOutput(from:), BatchGetAssetPropertyAggregatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension IoTSiteWiseClient { /// /// Gets the current value for one or more asset properties. For more information, see [Querying current values](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/query-industrial-data.html#current-values) in the IoT SiteWise User Guide. /// - /// - Parameter BatchGetAssetPropertyValueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetAssetPropertyValueInput`) /// - /// - Returns: `BatchGetAssetPropertyValueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetAssetPropertyValueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -780,7 +774,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetAssetPropertyValueOutput.httpOutput(from:), BatchGetAssetPropertyValueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -812,9 +805,9 @@ extension IoTSiteWiseClient { /// /// Gets the historical values for one or more asset properties. For more information, see [Querying historical values](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/query-industrial-data.html#historical-values) in the IoT SiteWise User Guide. /// - /// - Parameter BatchGetAssetPropertyValueHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetAssetPropertyValueHistoryInput`) /// - /// - Returns: `BatchGetAssetPropertyValueHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetAssetPropertyValueHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -851,7 +844,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetAssetPropertyValueHistoryOutput.httpOutput(from:), BatchGetAssetPropertyValueHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -890,9 +882,9 @@ extension IoTSiteWiseClient { /// /// With respect to Unix epoch time, IoT SiteWise accepts only TQVs that have a timestamp of no more than 7 days in the past and no more than 10 minutes in the future. IoT SiteWise rejects timestamps outside of the inclusive range of [-7 days, +10 minutes] and returns a TimestampOutOfRangeException error. For each asset property, IoT SiteWise overwrites TQVs with duplicate timestamps unless the newer TQV has a different quality. For example, if you store a TQV {T1, GOOD, V1}, then storing {T1, GOOD, V2} replaces the existing TQV. IoT SiteWise authorizes access to each BatchPutAssetPropertyValue entry individually. For more information, see [BatchPutAssetPropertyValue authorization](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/security_iam_service-with-iam.html#security_iam_service-with-iam-id-based-policies-batchputassetpropertyvalue-action) in the IoT SiteWise User Guide. /// - /// - Parameter BatchPutAssetPropertyValueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutAssetPropertyValueInput`) /// - /// - Returns: `BatchPutAssetPropertyValueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutAssetPropertyValueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -932,7 +924,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutAssetPropertyValueOutput.httpOutput(from:), BatchPutAssetPropertyValueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -964,9 +955,9 @@ extension IoTSiteWiseClient { /// /// Creates an access policy that grants the specified identity (IAM Identity Center user, IAM Identity Center group, or IAM user) access to the specified IoT SiteWise Monitor portal or project resource. Support for access policies that use an SSO Group as the identity is not supported at this time. /// - /// - Parameter CreateAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessPolicyInput`) /// - /// - Returns: `CreateAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1005,7 +996,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessPolicyOutput.httpOutput(from:), CreateAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1037,9 +1027,9 @@ extension IoTSiteWiseClient { /// /// Creates an asset from an existing asset model. For more information, see [Creating assets](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/create-assets.html) in the IoT SiteWise User Guide. /// - /// - Parameter CreateAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssetInput`) /// - /// - Returns: `CreateAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1080,7 +1070,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssetOutput.httpOutput(from:), CreateAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1118,9 +1107,9 @@ extension IoTSiteWiseClient { /// /// * INTERFACE – An interface is a type of model that defines a standard structure that can be applied to different asset models. /// - /// - Parameter CreateAssetModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssetModelInput`) /// - /// - Returns: `CreateAssetModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssetModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1161,7 +1150,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssetModelOutput.httpOutput(from:), CreateAssetModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1193,9 +1181,9 @@ extension IoTSiteWiseClient { /// /// Creates a custom composite model from specified property and hierarchy definitions. There are two types of custom composite models, inline and component-model-based. Use component-model-based custom composite models to define standard, reusable components. A component-model-based custom composite model consists of a name, a description, and the ID of the component model it references. A component-model-based custom composite model has no properties of its own; its referenced component model provides its associated properties to any created assets. For more information, see [Custom composite models (Components)](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/custom-composite-models.html) in the IoT SiteWise User Guide. Use inline custom composite models to organize the properties of an asset model. The properties of inline custom composite models are local to the asset model where they are included and can't be used to create multiple assets. To create a component-model-based model, specify the composedAssetModelId of an existing asset model with assetModelType of COMPONENT_MODEL. To create an inline model, specify the assetModelCompositeModelProperties and don't include an composedAssetModelId. /// - /// - Parameter CreateAssetModelCompositeModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssetModelCompositeModelInput`) /// - /// - Returns: `CreateAssetModelCompositeModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssetModelCompositeModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1238,7 +1226,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssetModelCompositeModelOutput.httpOutput(from:), CreateAssetModelCompositeModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1276,9 +1263,9 @@ extension IoTSiteWiseClient { /// /// * Data older than 7 days does not trigger computations or notifications. /// - /// - Parameter CreateBulkImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBulkImportJobInput`) /// - /// - Returns: `CreateBulkImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBulkImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1318,7 +1305,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBulkImportJobOutput.httpOutput(from:), CreateBulkImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1350,9 +1336,9 @@ extension IoTSiteWiseClient { /// /// Create a computation model with a configuration and data binding. /// - /// - Parameter CreateComputationModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateComputationModelInput`) /// - /// - Returns: `CreateComputationModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateComputationModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1393,7 +1379,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComputationModelOutput.httpOutput(from:), CreateComputationModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1425,9 +1410,9 @@ extension IoTSiteWiseClient { /// /// Creates a dashboard in an IoT SiteWise Monitor project. /// - /// - Parameter CreateDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDashboardInput`) /// - /// - Returns: `CreateDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1466,7 +1451,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDashboardOutput.httpOutput(from:), CreateDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1498,9 +1482,9 @@ extension IoTSiteWiseClient { /// /// Creates a dataset to connect an external datasource. /// - /// - Parameter CreateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetInput`) /// - /// - Returns: `CreateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1541,7 +1525,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetOutput.httpOutput(from:), CreateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1573,9 +1556,9 @@ extension IoTSiteWiseClient { /// /// Creates a gateway, which is a virtual or edge device that delivers industrial data streams from local servers to IoT SiteWise. For more information, see [Ingesting data using a gateway](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/gateway-connector.html) in the IoT SiteWise User Guide. /// - /// - Parameter CreateGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGatewayInput`) /// - /// - Returns: `CreateGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1613,7 +1596,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGatewayOutput.httpOutput(from:), CreateGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1645,9 +1627,9 @@ extension IoTSiteWiseClient { /// /// Creates a portal, which can contain projects and dashboards. IoT SiteWise Monitor uses IAM Identity Center or IAM to authenticate portal users and manage user permissions. Before you can sign in to a new portal, you must add at least one identity to that portal. For more information, see [Adding or removing portal administrators](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/administer-portals.html#portal-change-admins) in the IoT SiteWise User Guide. /// - /// - Parameter CreatePortalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePortalInput`) /// - /// - Returns: `CreatePortalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePortalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1686,7 +1668,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePortalOutput.httpOutput(from:), CreatePortalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1718,9 +1699,9 @@ extension IoTSiteWiseClient { /// /// Creates a project in the specified portal. Make sure that the project name and description don't contain confidential information. /// - /// - Parameter CreateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectInput`) /// - /// - Returns: `CreateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1759,7 +1740,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectOutput.httpOutput(from:), CreateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1791,9 +1771,9 @@ extension IoTSiteWiseClient { /// /// Deletes an access policy that grants the specified identity access to the specified IoT SiteWise Monitor resource. You can use this operation to revoke access to an IoT SiteWise Monitor resource. /// - /// - Parameter DeleteAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessPolicyInput`) /// - /// - Returns: `DeleteAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1829,7 +1809,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAccessPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessPolicyOutput.httpOutput(from:), DeleteAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1861,9 +1840,9 @@ extension IoTSiteWiseClient { /// /// Deletes an asset. This action can't be undone. For more information, see [Deleting assets and models](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/delete-assets-and-models.html) in the IoT SiteWise User Guide. You can't delete an asset that's associated to another asset. For more information, see [DisassociateAssets](https://docs.aws.amazon.com/iot-sitewise/latest/APIReference/API_DisassociateAssets.html). /// - /// - Parameter DeleteAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssetInput`) /// - /// - Returns: `DeleteAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1900,7 +1879,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAssetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssetOutput.httpOutput(from:), DeleteAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1932,9 +1910,9 @@ extension IoTSiteWiseClient { /// /// Deletes an asset model. This action can't be undone. You must delete all assets created from an asset model before you can delete the model. Also, you can't delete an asset model if a parent asset model exists that contains a property formula expression that depends on the asset model that you want to delete. For more information, see [Deleting assets and models](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/delete-assets-and-models.html) in the IoT SiteWise User Guide. /// - /// - Parameter DeleteAssetModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssetModelInput`) /// - /// - Returns: `DeleteAssetModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssetModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1973,7 +1951,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAssetModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssetModelOutput.httpOutput(from:), DeleteAssetModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2005,9 +1982,9 @@ extension IoTSiteWiseClient { /// /// Deletes a composite model. This action can't be undone. You must delete all assets created from a composite model before you can delete the model. Also, you can't delete a composite model if a parent asset model exists that contains a property formula expression that depends on the asset model that you want to delete. For more information, see [Deleting assets and models](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/delete-assets-and-models.html) in the IoT SiteWise User Guide. /// - /// - Parameter DeleteAssetModelCompositeModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssetModelCompositeModelInput`) /// - /// - Returns: `DeleteAssetModelCompositeModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssetModelCompositeModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2046,7 +2023,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAssetModelCompositeModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssetModelCompositeModelOutput.httpOutput(from:), DeleteAssetModelCompositeModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2078,9 +2054,9 @@ extension IoTSiteWiseClient { /// /// Deletes an interface relationship between an asset model and an interface asset model. /// - /// - Parameter DeleteAssetModelInterfaceRelationshipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssetModelInterfaceRelationshipInput`) /// - /// - Returns: `DeleteAssetModelInterfaceRelationshipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssetModelInterfaceRelationshipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2117,7 +2093,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAssetModelInterfaceRelationshipInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssetModelInterfaceRelationshipOutput.httpOutput(from:), DeleteAssetModelInterfaceRelationshipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2149,9 +2124,9 @@ extension IoTSiteWiseClient { /// /// Deletes a computation model. This action can't be undone. /// - /// - Parameter DeleteComputationModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteComputationModelInput`) /// - /// - Returns: `DeleteComputationModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteComputationModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2188,7 +2163,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteComputationModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteComputationModelOutput.httpOutput(from:), DeleteComputationModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2220,9 +2194,9 @@ extension IoTSiteWiseClient { /// /// Deletes a dashboard from IoT SiteWise Monitor. /// - /// - Parameter DeleteDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDashboardInput`) /// - /// - Returns: `DeleteDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2258,7 +2232,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDashboardInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDashboardOutput.httpOutput(from:), DeleteDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2290,9 +2263,9 @@ extension IoTSiteWiseClient { /// /// Deletes a dataset. This cannot be undone. /// - /// - Parameter DeleteDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetInput`) /// - /// - Returns: `DeleteDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2329,7 +2302,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDatasetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetOutput.httpOutput(from:), DeleteDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2361,9 +2333,9 @@ extension IoTSiteWiseClient { /// /// Deletes a gateway from IoT SiteWise. When you delete a gateway, some of the gateway's files remain in your gateway's file system. /// - /// - Parameter DeleteGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGatewayInput`) /// - /// - Returns: `DeleteGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2398,7 +2370,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGatewayOutput.httpOutput(from:), DeleteGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2430,9 +2401,9 @@ extension IoTSiteWiseClient { /// /// Deletes a portal from IoT SiteWise Monitor. /// - /// - Parameter DeletePortalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePortalInput`) /// - /// - Returns: `DeletePortalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePortalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2469,7 +2440,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePortalInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePortalOutput.httpOutput(from:), DeletePortalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2501,9 +2471,9 @@ extension IoTSiteWiseClient { /// /// Deletes a project from IoT SiteWise Monitor. /// - /// - Parameter DeleteProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectInput`) /// - /// - Returns: `DeleteProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2539,7 +2509,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteProjectInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectOutput.httpOutput(from:), DeleteProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2579,9 +2548,9 @@ extension IoTSiteWiseClient { /// /// * The assetId and propertyId that identifies the asset property. /// - /// - Parameter DeleteTimeSeriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTimeSeriesInput`) /// - /// - Returns: `DeleteTimeSeriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTimeSeriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2621,7 +2590,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTimeSeriesOutput.httpOutput(from:), DeleteTimeSeriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2653,9 +2621,9 @@ extension IoTSiteWiseClient { /// /// Describes an access policy, which specifies an identity's access to an IoT SiteWise Monitor portal or project. /// - /// - Parameter DescribeAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccessPolicyInput`) /// - /// - Returns: `DescribeAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2689,7 +2657,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "monitor.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccessPolicyOutput.httpOutput(from:), DescribeAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2721,9 +2688,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about an action. /// - /// - Parameter DescribeActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeActionInput`) /// - /// - Returns: `DescribeActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2757,7 +2724,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeActionOutput.httpOutput(from:), DescribeActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2789,9 +2755,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about an asset. /// - /// - Parameter DescribeAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssetInput`) /// - /// - Returns: `DescribeAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2826,7 +2792,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAssetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssetOutput.httpOutput(from:), DescribeAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2858,9 +2823,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about an asset composite model (also known as an asset component). An AssetCompositeModel is an instance of an AssetModelCompositeModel. If you want to see information about the model this is based on, call [DescribeAssetModelCompositeModel](https://docs.aws.amazon.com/iot-sitewise/latest/APIReference/API_DescribeAssetModelCompositeModel.html). /// - /// - Parameter DescribeAssetCompositeModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssetCompositeModelInput`) /// - /// - Returns: `DescribeAssetCompositeModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssetCompositeModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2894,7 +2859,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssetCompositeModelOutput.httpOutput(from:), DescribeAssetCompositeModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2926,9 +2890,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about an asset model. This includes details about the asset model's properties, hierarchies, composite models, and any interface relationships if the asset model implements interfaces. /// - /// - Parameter DescribeAssetModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssetModelInput`) /// - /// - Returns: `DescribeAssetModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssetModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2963,7 +2927,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAssetModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssetModelOutput.httpOutput(from:), DescribeAssetModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2995,9 +2958,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about an asset model composite model (also known as an asset model component). For more information, see [Custom composite models (Components)](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/custom-composite-models.html) in the IoT SiteWise User Guide. /// - /// - Parameter DescribeAssetModelCompositeModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssetModelCompositeModelInput`) /// - /// - Returns: `DescribeAssetModelCompositeModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssetModelCompositeModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3032,7 +2995,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAssetModelCompositeModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssetModelCompositeModelOutput.httpOutput(from:), DescribeAssetModelCompositeModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3064,9 +3026,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about an interface relationship between an asset model and an interface asset model. /// - /// - Parameter DescribeAssetModelInterfaceRelationshipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssetModelInterfaceRelationshipInput`) /// - /// - Returns: `DescribeAssetModelInterfaceRelationshipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssetModelInterfaceRelationshipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3100,7 +3062,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssetModelInterfaceRelationshipOutput.httpOutput(from:), DescribeAssetModelInterfaceRelationshipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3132,9 +3093,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about an asset property. When you call this operation for an attribute property, this response includes the default attribute value that you define in the asset model. If you update the default value in the model, this operation's response includes the new default value. This operation doesn't return the value of the asset property. To get the value of an asset property, use [GetAssetPropertyValue](https://docs.aws.amazon.com/iot-sitewise/latest/APIReference/API_GetAssetPropertyValue.html). /// - /// - Parameter DescribeAssetPropertyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssetPropertyInput`) /// - /// - Returns: `DescribeAssetPropertyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssetPropertyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3168,7 +3129,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssetPropertyOutput.httpOutput(from:), DescribeAssetPropertyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3200,9 +3160,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about a bulk import job request. For more information, see [Describe a bulk import job (CLI)](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/DescribeBulkImportJob.html) in the Amazon Simple Storage Service User Guide. /// - /// - Parameter DescribeBulkImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBulkImportJobInput`) /// - /// - Returns: `DescribeBulkImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBulkImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3236,7 +3196,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "data.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBulkImportJobOutput.httpOutput(from:), DescribeBulkImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3268,9 +3227,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about a computation model. /// - /// - Parameter DescribeComputationModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeComputationModelInput`) /// - /// - Returns: `DescribeComputationModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeComputationModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3305,7 +3264,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeComputationModelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComputationModelOutput.httpOutput(from:), DescribeComputationModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3337,9 +3295,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about the execution summary of a computation model. /// - /// - Parameter DescribeComputationModelExecutionSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeComputationModelExecutionSummaryInput`) /// - /// - Returns: `DescribeComputationModelExecutionSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeComputationModelExecutionSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3374,7 +3332,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeComputationModelExecutionSummaryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComputationModelExecutionSummaryOutput.httpOutput(from:), DescribeComputationModelExecutionSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3406,9 +3363,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about a dashboard. /// - /// - Parameter DescribeDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDashboardInput`) /// - /// - Returns: `DescribeDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3442,7 +3399,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "monitor.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDashboardOutput.httpOutput(from:), DescribeDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3474,9 +3430,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about a dataset. /// - /// - Parameter DescribeDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetInput`) /// - /// - Returns: `DescribeDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3510,7 +3466,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetOutput.httpOutput(from:), DescribeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3542,9 +3497,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about the default encryption configuration for the Amazon Web Services account in the default or specified Region. For more information, see [Key management](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/key-management.html) in the IoT SiteWise User Guide. /// - /// - Parameter DescribeDefaultEncryptionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDefaultEncryptionConfigurationInput`) /// - /// - Returns: `DescribeDefaultEncryptionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDefaultEncryptionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3577,7 +3532,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDefaultEncryptionConfigurationOutput.httpOutput(from:), DescribeDefaultEncryptionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3609,9 +3563,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about the execution. /// - /// - Parameter DescribeExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExecutionInput`) /// - /// - Returns: `DescribeExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3645,7 +3599,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExecutionOutput.httpOutput(from:), DescribeExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3677,9 +3630,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about a gateway. /// - /// - Parameter DescribeGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGatewayInput`) /// - /// - Returns: `DescribeGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3713,7 +3666,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGatewayOutput.httpOutput(from:), DescribeGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3754,9 +3706,9 @@ extension IoTSiteWiseClient { /// /// After updating a capability configuration, the sync status becomes OUT_OF_SYNC until the gateway processes the configuration.Use DescribeGatewayCapabilityConfiguration to check the sync status and verify the configuration was applied. A gateway can have multiple capability configurations with different namespaces. /// - /// - Parameter DescribeGatewayCapabilityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGatewayCapabilityConfigurationInput`) /// - /// - Returns: `DescribeGatewayCapabilityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGatewayCapabilityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3790,7 +3742,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGatewayCapabilityConfigurationOutput.httpOutput(from:), DescribeGatewayCapabilityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3822,9 +3773,9 @@ extension IoTSiteWiseClient { /// /// Retrieves the current IoT SiteWise logging options. /// - /// - Parameter DescribeLoggingOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLoggingOptionsInput`) /// - /// - Returns: `DescribeLoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3858,7 +3809,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoggingOptionsOutput.httpOutput(from:), DescribeLoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3890,9 +3840,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about a portal. /// - /// - Parameter DescribePortalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePortalInput`) /// - /// - Returns: `DescribePortalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePortalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3926,7 +3876,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "monitor.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePortalOutput.httpOutput(from:), DescribePortalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3958,9 +3907,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about a project. /// - /// - Parameter DescribeProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProjectInput`) /// - /// - Returns: `DescribeProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3994,7 +3943,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "monitor.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProjectOutput.httpOutput(from:), DescribeProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4026,9 +3974,9 @@ extension IoTSiteWiseClient { /// /// Retrieves information about the storage configuration for IoT SiteWise. /// - /// - Parameter DescribeStorageConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStorageConfigurationInput`) /// - /// - Returns: `DescribeStorageConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStorageConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4064,7 +4012,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStorageConfigurationOutput.httpOutput(from:), DescribeStorageConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4104,9 +4051,9 @@ extension IoTSiteWiseClient { /// /// * The assetId and propertyId that identifies the asset property. /// - /// - Parameter DescribeTimeSeriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTimeSeriesInput`) /// - /// - Returns: `DescribeTimeSeriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTimeSeriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4141,7 +4088,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeTimeSeriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTimeSeriesOutput.httpOutput(from:), DescribeTimeSeriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4173,9 +4119,9 @@ extension IoTSiteWiseClient { /// /// Disassociates a child asset from the given parent asset through a hierarchy defined in the parent asset's model. /// - /// - Parameter DisassociateAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAssetsInput`) /// - /// - Returns: `DisassociateAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4214,7 +4160,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAssetsOutput.httpOutput(from:), DisassociateAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4246,9 +4191,9 @@ extension IoTSiteWiseClient { /// /// Disassociates a time series (data stream) from an asset property. /// - /// - Parameter DisassociateTimeSeriesFromAssetPropertyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTimeSeriesFromAssetPropertyInput`) /// - /// - Returns: `DisassociateTimeSeriesFromAssetPropertyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTimeSeriesFromAssetPropertyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4288,7 +4233,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTimeSeriesFromAssetPropertyOutput.httpOutput(from:), DisassociateTimeSeriesFromAssetPropertyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4320,9 +4264,9 @@ extension IoTSiteWiseClient { /// /// Executes an action on a target resource. /// - /// - Parameter ExecuteActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteActionInput`) /// - /// - Returns: `ExecuteActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4361,7 +4305,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteActionOutput.httpOutput(from:), ExecuteActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4393,9 +4336,9 @@ extension IoTSiteWiseClient { /// /// Run SQL queries to retrieve metadata and time-series data from asset models, assets, measurements, metrics, transforms, and aggregates. /// - /// - Parameter ExecuteQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteQueryInput`) /// - /// - Returns: `ExecuteQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4436,7 +4379,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteQueryOutput.httpOutput(from:), ExecuteQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4472,9 +4414,9 @@ extension IoTSiteWiseClient { /// /// * A propertyAlias, which is a data stream alias (for example, /company/windfarm/3/turbine/7/temperature). To define an asset property's alias, see [UpdateAssetProperty](https://docs.aws.amazon.com/iot-sitewise/latest/APIReference/API_UpdateAssetProperty.html). /// - /// - Parameter GetAssetPropertyAggregatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssetPropertyAggregatesInput`) /// - /// - Returns: `GetAssetPropertyAggregatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssetPropertyAggregatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4510,7 +4452,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAssetPropertyAggregatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssetPropertyAggregatesOutput.httpOutput(from:), GetAssetPropertyAggregatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4546,9 +4487,9 @@ extension IoTSiteWiseClient { /// /// * A propertyAlias, which is a data stream alias (for example, /company/windfarm/3/turbine/7/temperature). To define an asset property's alias, see [UpdateAssetProperty](https://docs.aws.amazon.com/iot-sitewise/latest/APIReference/API_UpdateAssetProperty.html). /// - /// - Parameter GetAssetPropertyValueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssetPropertyValueInput`) /// - /// - Returns: `GetAssetPropertyValueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssetPropertyValueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4584,7 +4525,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAssetPropertyValueInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssetPropertyValueOutput.httpOutput(from:), GetAssetPropertyValueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4620,9 +4560,9 @@ extension IoTSiteWiseClient { /// /// * A propertyAlias, which is a data stream alias (for example, /company/windfarm/3/turbine/7/temperature). To define an asset property's alias, see [UpdateAssetProperty](https://docs.aws.amazon.com/iot-sitewise/latest/APIReference/API_UpdateAssetProperty.html). /// - /// - Parameter GetAssetPropertyValueHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssetPropertyValueHistoryInput`) /// - /// - Returns: `GetAssetPropertyValueHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssetPropertyValueHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4658,7 +4598,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAssetPropertyValueHistoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssetPropertyValueHistoryOutput.httpOutput(from:), GetAssetPropertyValueHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4694,9 +4633,9 @@ extension IoTSiteWiseClient { /// /// * A propertyAlias, which is a data stream alias (for example, /company/windfarm/3/turbine/7/temperature). To define an asset property's alias, see [UpdateAssetProperty](https://docs.aws.amazon.com/iot-sitewise/latest/APIReference/API_UpdateAssetProperty.html). /// - /// - Parameter GetInterpolatedAssetPropertyValuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInterpolatedAssetPropertyValuesInput`) /// - /// - Returns: `GetInterpolatedAssetPropertyValuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInterpolatedAssetPropertyValuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4732,7 +4671,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetInterpolatedAssetPropertyValuesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInterpolatedAssetPropertyValuesOutput.httpOutput(from:), GetInterpolatedAssetPropertyValuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4764,9 +4702,9 @@ extension IoTSiteWiseClient { /// /// Invokes SiteWise Assistant to start or continue a conversation. /// - /// - Parameter InvokeAssistantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeAssistantInput`) /// - /// - Returns: `InvokeAssistantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeAssistantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4806,7 +4744,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeAssistantOutput.httpOutput(from:), InvokeAssistantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4838,9 +4775,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of access policies for an identity (an IAM Identity Center user, an IAM Identity Center group, or an IAM user) or an IoT SiteWise Monitor resource (a portal or project). /// - /// - Parameter ListAccessPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessPoliciesInput`) /// - /// - Returns: `ListAccessPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4874,7 +4811,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessPoliciesOutput.httpOutput(from:), ListAccessPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4906,9 +4842,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of actions for a specific target resource. /// - /// - Parameter ListActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListActionsInput`) /// - /// - Returns: `ListActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4943,7 +4879,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListActionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActionsOutput.httpOutput(from:), ListActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4975,9 +4910,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of composite models associated with the asset model /// - /// - Parameter ListAssetModelCompositeModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetModelCompositeModelsInput`) /// - /// - Returns: `ListAssetModelCompositeModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetModelCompositeModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5012,7 +4947,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetModelCompositeModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetModelCompositeModelsOutput.httpOutput(from:), ListAssetModelCompositeModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5044,9 +4978,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of properties associated with an asset model. If you update properties associated with the model before you finish listing all the properties, you need to start all over again. /// - /// - Parameter ListAssetModelPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetModelPropertiesInput`) /// - /// - Returns: `ListAssetModelPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetModelPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5081,7 +5015,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetModelPropertiesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetModelPropertiesOutput.httpOutput(from:), ListAssetModelPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5113,9 +5046,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of summaries of all asset models. /// - /// - Parameter ListAssetModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetModelsInput`) /// - /// - Returns: `ListAssetModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5149,7 +5082,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetModelsOutput.httpOutput(from:), ListAssetModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5181,9 +5113,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of properties associated with an asset. If you update properties associated with the model before you finish listing all the properties, you need to start all over again. /// - /// - Parameter ListAssetPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetPropertiesInput`) /// - /// - Returns: `ListAssetPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5218,7 +5150,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetPropertiesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetPropertiesOutput.httpOutput(from:), ListAssetPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5250,9 +5181,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of asset relationships for an asset. You can use this operation to identify an asset's root asset and all associated assets between that asset and its root. /// - /// - Parameter ListAssetRelationshipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetRelationshipsInput`) /// - /// - Returns: `ListAssetRelationshipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetRelationshipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5287,7 +5218,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetRelationshipsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetRelationshipsOutput.httpOutput(from:), ListAssetRelationshipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5326,9 +5256,9 @@ extension IoTSiteWiseClient { /// /// You can't use this operation to list all assets. To retrieve summaries for all of your assets, use [ListAssetModels](https://docs.aws.amazon.com/iot-sitewise/latest/APIReference/API_ListAssetModels.html) to get all of your asset model IDs. Then, use ListAssets to get all assets for each asset model. /// - /// - Parameter ListAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetsInput`) /// - /// - Returns: `ListAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5363,7 +5293,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetsOutput.httpOutput(from:), ListAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5399,9 +5328,9 @@ extension IoTSiteWiseClient { /// /// * PARENT - List the asset's parent asset. /// - /// - Parameter ListAssociatedAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedAssetsInput`) /// - /// - Returns: `ListAssociatedAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5436,7 +5365,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssociatedAssetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedAssetsOutput.httpOutput(from:), ListAssociatedAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5468,9 +5396,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of bulk import job requests. For more information, see [List bulk import jobs (CLI)](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/ListBulkImportJobs.html) in the IoT SiteWise User Guide. /// - /// - Parameter ListBulkImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBulkImportJobsInput`) /// - /// - Returns: `ListBulkImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBulkImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5505,7 +5433,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBulkImportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBulkImportJobsOutput.httpOutput(from:), ListBulkImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5537,9 +5464,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of composition relationships for an asset model of type COMPONENT_MODEL. /// - /// - Parameter ListCompositionRelationshipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCompositionRelationshipsInput`) /// - /// - Returns: `ListCompositionRelationshipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCompositionRelationshipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5574,7 +5501,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCompositionRelationshipsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCompositionRelationshipsOutput.httpOutput(from:), ListCompositionRelationshipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5606,9 +5532,9 @@ extension IoTSiteWiseClient { /// /// Lists all data binding usages for computation models. This allows to identify where specific data bindings are being utilized across the computation models. This track dependencies between data sources and computation models. /// - /// - Parameter ListComputationModelDataBindingUsagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComputationModelDataBindingUsagesInput`) /// - /// - Returns: `ListComputationModelDataBindingUsagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComputationModelDataBindingUsagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5644,7 +5570,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComputationModelDataBindingUsagesOutput.httpOutput(from:), ListComputationModelDataBindingUsagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5676,9 +5601,9 @@ extension IoTSiteWiseClient { /// /// Lists all distinct resources that are resolved from the executed actions of the computation model. /// - /// - Parameter ListComputationModelResolveToResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComputationModelResolveToResourcesInput`) /// - /// - Returns: `ListComputationModelResolveToResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComputationModelResolveToResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5713,7 +5638,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListComputationModelResolveToResourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComputationModelResolveToResourcesOutput.httpOutput(from:), ListComputationModelResolveToResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5745,9 +5669,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of summaries of all computation models. /// - /// - Parameter ListComputationModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComputationModelsInput`) /// - /// - Returns: `ListComputationModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComputationModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5781,7 +5705,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListComputationModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComputationModelsOutput.httpOutput(from:), ListComputationModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5813,9 +5736,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of dashboards for an IoT SiteWise Monitor project. /// - /// - Parameter ListDashboardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDashboardsInput`) /// - /// - Returns: `ListDashboardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDashboardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5849,7 +5772,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDashboardsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDashboardsOutput.httpOutput(from:), ListDashboardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5881,9 +5803,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of datasets for a specific target resource. /// - /// - Parameter ListDatasetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetsInput`) /// - /// - Returns: `ListDatasetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5917,7 +5839,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDatasetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetsOutput.httpOutput(from:), ListDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5949,9 +5870,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of summaries of all executions. /// - /// - Parameter ListExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExecutionsInput`) /// - /// - Returns: `ListExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5986,7 +5907,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListExecutionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExecutionsOutput.httpOutput(from:), ListExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6018,9 +5938,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of gateways. /// - /// - Parameter ListGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGatewaysInput`) /// - /// - Returns: `ListGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGatewaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6054,7 +5974,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGatewaysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGatewaysOutput.httpOutput(from:), ListGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6086,9 +6005,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of asset models that have a specific interface asset model applied to them. /// - /// - Parameter ListInterfaceRelationshipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInterfaceRelationshipsInput`) /// - /// - Returns: `ListInterfaceRelationshipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInterfaceRelationshipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6123,7 +6042,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInterfaceRelationshipsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInterfaceRelationshipsOutput.httpOutput(from:), ListInterfaceRelationshipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6155,9 +6073,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of IoT SiteWise Monitor portals. /// - /// - Parameter ListPortalsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPortalsInput`) /// - /// - Returns: `ListPortalsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPortalsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6191,7 +6109,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPortalsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPortalsOutput.httpOutput(from:), ListPortalsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6223,9 +6140,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of assets associated with an IoT SiteWise Monitor project. /// - /// - Parameter ListProjectAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectAssetsInput`) /// - /// - Returns: `ListProjectAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6259,7 +6176,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProjectAssetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectAssetsOutput.httpOutput(from:), ListProjectAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6291,9 +6207,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of projects for an IoT SiteWise Monitor portal. /// - /// - Parameter ListProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectsInput`) /// - /// - Returns: `ListProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6327,7 +6243,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProjectsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectsOutput.httpOutput(from:), ListProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6359,9 +6274,9 @@ extension IoTSiteWiseClient { /// /// Retrieves the list of tags for an IoT SiteWise resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6399,7 +6314,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6431,9 +6345,9 @@ extension IoTSiteWiseClient { /// /// Retrieves a paginated list of time series (data streams). /// - /// - Parameter ListTimeSeriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTimeSeriesInput`) /// - /// - Returns: `ListTimeSeriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTimeSeriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6468,7 +6382,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTimeSeriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTimeSeriesOutput.httpOutput(from:), ListTimeSeriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6500,9 +6413,9 @@ extension IoTSiteWiseClient { /// /// Creates or updates an interface relationship between an asset model and an interface asset model. This operation applies an interface to an asset model. /// - /// - Parameter PutAssetModelInterfaceRelationshipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAssetModelInterfaceRelationshipInput`) /// - /// - Returns: `PutAssetModelInterfaceRelationshipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAssetModelInterfaceRelationshipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6542,7 +6455,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAssetModelInterfaceRelationshipOutput.httpOutput(from:), PutAssetModelInterfaceRelationshipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6574,9 +6486,9 @@ extension IoTSiteWiseClient { /// /// Sets the default encryption configuration for the Amazon Web Services account. For more information, see [Key management](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/key-management.html) in the IoT SiteWise User Guide. /// - /// - Parameter PutDefaultEncryptionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDefaultEncryptionConfigurationInput`) /// - /// - Returns: `PutDefaultEncryptionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDefaultEncryptionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6614,7 +6526,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDefaultEncryptionConfigurationOutput.httpOutput(from:), PutDefaultEncryptionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6646,9 +6557,9 @@ extension IoTSiteWiseClient { /// /// Sets logging options for IoT SiteWise. /// - /// - Parameter PutLoggingOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLoggingOptionsInput`) /// - /// - Returns: `PutLoggingOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLoggingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6686,7 +6597,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLoggingOptionsOutput.httpOutput(from:), PutLoggingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6718,9 +6628,9 @@ extension IoTSiteWiseClient { /// /// Configures storage settings for IoT SiteWise. /// - /// - Parameter PutStorageConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutStorageConfigurationInput`) /// - /// - Returns: `PutStorageConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutStorageConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6760,7 +6670,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutStorageConfigurationOutput.httpOutput(from:), PutStorageConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6792,9 +6701,9 @@ extension IoTSiteWiseClient { /// /// Adds tags to an IoT SiteWise resource. If a tag already exists for the resource, this operation updates the tag's value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6836,7 +6745,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6868,9 +6776,9 @@ extension IoTSiteWiseClient { /// /// Removes a tag from an IoT SiteWise resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6908,7 +6816,6 @@ extension IoTSiteWiseClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6940,9 +6847,9 @@ extension IoTSiteWiseClient { /// /// Updates an existing access policy that specifies an identity's access to an IoT SiteWise Monitor portal or project resource. /// - /// - Parameter UpdateAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccessPolicyInput`) /// - /// - Returns: `UpdateAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6980,7 +6887,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccessPolicyOutput.httpOutput(from:), UpdateAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7012,9 +6918,9 @@ extension IoTSiteWiseClient { /// /// Updates an asset's name. For more information, see [Updating assets and models](https://docs.aws.amazon.com/iot-sitewise/latest/userguide/update-assets-and-models.html) in the IoT SiteWise User Guide. /// - /// - Parameter UpdateAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssetInput`) /// - /// - Returns: `UpdateAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7054,7 +6960,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssetOutput.httpOutput(from:), UpdateAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7090,9 +6995,9 @@ extension IoTSiteWiseClient { /// /// * Submit a second UpdateAssetModel request that includes the new property. The new asset property will have the same name as the previous one and IoT SiteWise will generate a new unique id. /// - /// - Parameter UpdateAssetModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssetModelInput`) /// - /// - Returns: `UpdateAssetModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssetModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7135,7 +7040,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssetModelOutput.httpOutput(from:), UpdateAssetModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7171,9 +7075,9 @@ extension IoTSiteWiseClient { /// /// * Submit a second UpdateAssetModelCompositeModel request that includes the new property. The new asset property will have the same name as the previous one and IoT SiteWise will generate a new unique id. /// - /// - Parameter UpdateAssetModelCompositeModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssetModelCompositeModelInput`) /// - /// - Returns: `UpdateAssetModelCompositeModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssetModelCompositeModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7216,7 +7120,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssetModelCompositeModelOutput.httpOutput(from:), UpdateAssetModelCompositeModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7248,9 +7151,9 @@ extension IoTSiteWiseClient { /// /// Updates an asset property's alias and notification state. This operation overwrites the property's existing alias and notification state. To keep your existing property's alias or notification state, you must include the existing values in the UpdateAssetProperty request. For more information, see [DescribeAssetProperty](https://docs.aws.amazon.com/iot-sitewise/latest/APIReference/API_DescribeAssetProperty.html). /// - /// - Parameter UpdateAssetPropertyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssetPropertyInput`) /// - /// - Returns: `UpdateAssetPropertyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssetPropertyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7289,7 +7192,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssetPropertyOutput.httpOutput(from:), UpdateAssetPropertyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7321,9 +7223,9 @@ extension IoTSiteWiseClient { /// /// Updates the computation model. /// - /// - Parameter UpdateComputationModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateComputationModelInput`) /// - /// - Returns: `UpdateComputationModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateComputationModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7364,7 +7266,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateComputationModelOutput.httpOutput(from:), UpdateComputationModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7396,9 +7297,9 @@ extension IoTSiteWiseClient { /// /// Updates an IoT SiteWise Monitor dashboard. /// - /// - Parameter UpdateDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDashboardInput`) /// - /// - Returns: `UpdateDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7436,7 +7337,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDashboardOutput.httpOutput(from:), UpdateDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7468,9 +7368,9 @@ extension IoTSiteWiseClient { /// /// Updates a dataset. /// - /// - Parameter UpdateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatasetInput`) /// - /// - Returns: `UpdateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7510,7 +7410,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatasetOutput.httpOutput(from:), UpdateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7542,9 +7441,9 @@ extension IoTSiteWiseClient { /// /// Updates a gateway's name. /// - /// - Parameter UpdateGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGatewayInput`) /// - /// - Returns: `UpdateGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7582,7 +7481,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewayOutput.httpOutput(from:), UpdateGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7623,9 +7521,9 @@ extension IoTSiteWiseClient { /// /// After updating a capability configuration, the sync status becomes OUT_OF_SYNC until the gateway processes the configuration.Use DescribeGatewayCapabilityConfiguration to check the sync status and verify the configuration was applied. A gateway can have multiple capability configurations with different namespaces. /// - /// - Parameter UpdateGatewayCapabilityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGatewayCapabilityConfigurationInput`) /// - /// - Returns: `UpdateGatewayCapabilityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGatewayCapabilityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7664,7 +7562,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewayCapabilityConfigurationOutput.httpOutput(from:), UpdateGatewayCapabilityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7696,9 +7593,9 @@ extension IoTSiteWiseClient { /// /// Updates an IoT SiteWise Monitor portal. /// - /// - Parameter UpdatePortalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePortalInput`) /// - /// - Returns: `UpdatePortalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePortalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7737,7 +7634,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePortalOutput.httpOutput(from:), UpdatePortalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7769,9 +7665,9 @@ extension IoTSiteWiseClient { /// /// Updates an IoT SiteWise Monitor project. /// - /// - Parameter UpdateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProjectInput`) /// - /// - Returns: `UpdateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7809,7 +7705,6 @@ extension IoTSiteWiseClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectOutput.httpOutput(from:), UpdateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTThingsGraph/Sources/AWSIoTThingsGraph/IoTThingsGraphClient.swift b/Sources/Services/AWSIoTThingsGraph/Sources/AWSIoTThingsGraph/IoTThingsGraphClient.swift index 4b752e62a4a..15050e5f6d5 100644 --- a/Sources/Services/AWSIoTThingsGraph/Sources/AWSIoTThingsGraph/IoTThingsGraphClient.swift +++ b/Sources/Services/AWSIoTThingsGraph/Sources/AWSIoTThingsGraph/IoTThingsGraphClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTThingsGraphClient: ClientRuntime.Client { public static let clientName = "IoTThingsGraphClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTThingsGraphClient.IoTThingsGraphClientConfiguration let serviceName = "IoTThingsGraph" @@ -375,9 +374,9 @@ extension IoTThingsGraphClient { /// Associates a device with a concrete thing that is in the user's registry. A thing can be associated with only one device at a time. If you associate a thing with a new device id, its previous association will be removed. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter AssociateEntityToThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateEntityToThingInput`) /// - /// - Returns: `AssociateEntityToThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateEntityToThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateEntityToThingOutput.httpOutput(from:), AssociateEntityToThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension IoTThingsGraphClient { /// Creates a workflow template. Workflows can be created only in the user's namespace. (The public namespace contains only entities.) The workflow can contain only entities in the specified namespace. The workflow is validated against the entities in the latest version of the user's namespace unless another namespace version is specified in the request. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter CreateFlowTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFlowTemplateInput`) /// - /// - Returns: `CreateFlowTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFlowTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFlowTemplateOutput.httpOutput(from:), CreateFlowTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension IoTThingsGraphClient { /// Creates a system instance. This action validates the system instance, prepares the deployment-related resources. For Greengrass deployments, it updates the Greengrass group that is specified by the greengrassGroupName parameter. It also adds a file to the S3 bucket specified by the s3BucketName parameter. You need to call DeploySystemInstance after running this action. For Greengrass deployments, since this action modifies and adds resources to a Greengrass group and an S3 bucket on the caller's behalf, the calling identity must have write permissions to both the specified Greengrass group and S3 bucket. Otherwise, the call will fail with an authorization error. For cloud deployments, this action requires a flowActionsRoleArn value. This is an IAM role that has permissions to access AWS services, such as AWS Lambda and AWS IoT, that the flow uses when it executes. If the definition document doesn't specify a version of the user's namespace, the latest version will be used by default. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter CreateSystemInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSystemInstanceInput`) /// - /// - Returns: `CreateSystemInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSystemInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSystemInstanceOutput.httpOutput(from:), CreateSystemInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension IoTThingsGraphClient { /// Creates a system. The system is validated against the entities in the latest version of the user's namespace unless another namespace version is specified in the request. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter CreateSystemTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSystemTemplateInput`) /// - /// - Returns: `CreateSystemTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSystemTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSystemTemplateOutput.httpOutput(from:), CreateSystemTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension IoTThingsGraphClient { /// Deletes a workflow. Any new system or deployment that contains this workflow will fail to update or deploy. Existing deployments that contain the workflow will continue to run (since they use a snapshot of the workflow taken at the time of deployment). @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter DeleteFlowTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFlowTemplateInput`) /// - /// - Returns: `DeleteFlowTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFlowTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFlowTemplateOutput.httpOutput(from:), DeleteFlowTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -742,9 +736,9 @@ extension IoTThingsGraphClient { /// Deletes the specified namespace. This action deletes all of the entities in the namespace. Delete the systems and flows that use entities in the namespace before performing this action. This action takes no request parameters. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter DeleteNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNamespaceInput`) /// - /// - Returns: `DeleteNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNamespaceOutput.httpOutput(from:), DeleteNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -813,9 +806,9 @@ extension IoTThingsGraphClient { /// Deletes a system instance. Only system instances that have never been deployed, or that have been undeployed can be deleted. Users can create a new system instance that has the same ID as a deleted system instance. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter DeleteSystemInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSystemInstanceInput`) /// - /// - Returns: `DeleteSystemInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSystemInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -850,7 +843,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSystemInstanceOutput.httpOutput(from:), DeleteSystemInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -886,9 +878,9 @@ extension IoTThingsGraphClient { /// Deletes a system. New deployments can't contain the system after its deletion. Existing deployments that contain the system will continue to work because they use a snapshot of the system that is taken when it is deployed. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter DeleteSystemTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSystemTemplateInput`) /// - /// - Returns: `DeleteSystemTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSystemTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -923,7 +915,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSystemTemplateOutput.httpOutput(from:), DeleteSystemTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -959,9 +950,9 @@ extension IoTThingsGraphClient { /// Greengrass and Cloud Deployments Deploys the system instance to the target specified in CreateSystemInstance. Greengrass Deployments If the system or any workflows and entities have been updated before this action is called, then the deployment will create a new Amazon Simple Storage Service resource file and then deploy it. Since this action creates a Greengrass deployment on the caller's behalf, the calling identity must have write permissions to the specified Greengrass group. Otherwise, the call will fail with an authorization error. For information about the artifacts that get added to your Greengrass core device when you use this API, see [AWS IoT Things Graph and AWS IoT Greengrass](https://docs.aws.amazon.com/thingsgraph/latest/ug/iot-tg-greengrass.html). @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter DeploySystemInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeploySystemInstanceInput`) /// - /// - Returns: `DeploySystemInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeploySystemInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +988,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeploySystemInstanceOutput.httpOutput(from:), DeploySystemInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1033,9 +1023,9 @@ extension IoTThingsGraphClient { /// Deprecates the specified workflow. This action marks the workflow for deletion. Deprecated flows can't be deployed, but existing deployments will continue to run. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter DeprecateFlowTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeprecateFlowTemplateInput`) /// - /// - Returns: `DeprecateFlowTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeprecateFlowTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1070,7 +1060,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprecateFlowTemplateOutput.httpOutput(from:), DeprecateFlowTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1106,9 +1095,9 @@ extension IoTThingsGraphClient { /// Deprecates the specified system. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter DeprecateSystemTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeprecateSystemTemplateInput`) /// - /// - Returns: `DeprecateSystemTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeprecateSystemTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1143,7 +1132,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprecateSystemTemplateOutput.httpOutput(from:), DeprecateSystemTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1179,9 +1167,9 @@ extension IoTThingsGraphClient { /// Gets the latest version of the user's namespace and the public version that it is tracking. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter DescribeNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNamespaceInput`) /// - /// - Returns: `DescribeNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1216,7 +1204,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNamespaceOutput.httpOutput(from:), DescribeNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1252,9 +1239,9 @@ extension IoTThingsGraphClient { /// Dissociates a device entity from a concrete thing. The action takes only the type of the entity that you need to dissociate because only one entity of a particular type can be associated with a thing. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter DissociateEntityFromThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DissociateEntityFromThingInput`) /// - /// - Returns: `DissociateEntityFromThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DissociateEntityFromThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1289,7 +1276,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DissociateEntityFromThingOutput.httpOutput(from:), DissociateEntityFromThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1346,9 +1332,9 @@ extension IoTThingsGraphClient { /// This action doesn't return definitions for systems, flows, and deployments. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter GetEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEntitiesInput`) /// - /// - Returns: `GetEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1383,7 +1369,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEntitiesOutput.httpOutput(from:), GetEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1419,9 +1404,9 @@ extension IoTThingsGraphClient { /// Gets the latest version of the DefinitionDocument and FlowTemplateSummary for the specified workflow. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter GetFlowTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFlowTemplateInput`) /// - /// - Returns: `GetFlowTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFlowTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1456,7 +1441,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFlowTemplateOutput.httpOutput(from:), GetFlowTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1492,9 +1476,9 @@ extension IoTThingsGraphClient { /// Gets revisions of the specified workflow. Only the last 100 revisions are stored. If the workflow has been deprecated, this action will return revisions that occurred before the deprecation. This action won't work for workflows that have been deleted. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter GetFlowTemplateRevisionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFlowTemplateRevisionsInput`) /// - /// - Returns: `GetFlowTemplateRevisionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFlowTemplateRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1529,7 +1513,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFlowTemplateRevisionsOutput.httpOutput(from:), GetFlowTemplateRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1565,9 +1548,9 @@ extension IoTThingsGraphClient { /// Gets the status of a namespace deletion task. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter GetNamespaceDeletionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNamespaceDeletionStatusInput`) /// - /// - Returns: `GetNamespaceDeletionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNamespaceDeletionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1601,7 +1584,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNamespaceDeletionStatusOutput.httpOutput(from:), GetNamespaceDeletionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1637,9 +1619,9 @@ extension IoTThingsGraphClient { /// Gets a system instance. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter GetSystemInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSystemInstanceInput`) /// - /// - Returns: `GetSystemInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSystemInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1674,7 +1656,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSystemInstanceOutput.httpOutput(from:), GetSystemInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1710,9 +1691,9 @@ extension IoTThingsGraphClient { /// Gets a system. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter GetSystemTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSystemTemplateInput`) /// - /// - Returns: `GetSystemTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSystemTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1747,7 +1728,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSystemTemplateOutput.httpOutput(from:), GetSystemTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1783,9 +1763,9 @@ extension IoTThingsGraphClient { /// Gets revisions made to the specified system template. Only the previous 100 revisions are stored. If the system has been deprecated, this action will return the revisions that occurred before its deprecation. This action won't work with systems that have been deleted. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter GetSystemTemplateRevisionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSystemTemplateRevisionsInput`) /// - /// - Returns: `GetSystemTemplateRevisionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSystemTemplateRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1820,7 +1800,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSystemTemplateRevisionsOutput.httpOutput(from:), GetSystemTemplateRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1856,9 +1835,9 @@ extension IoTThingsGraphClient { /// Gets the status of the specified upload. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter GetUploadStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUploadStatusInput`) /// - /// - Returns: `GetUploadStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUploadStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1893,7 +1872,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUploadStatusOutput.httpOutput(from:), GetUploadStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1929,9 +1907,9 @@ extension IoTThingsGraphClient { /// Returns a list of objects that contain information about events in a flow execution. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter ListFlowExecutionMessagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowExecutionMessagesInput`) /// - /// - Returns: `ListFlowExecutionMessagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowExecutionMessagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1966,7 +1944,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowExecutionMessagesOutput.httpOutput(from:), ListFlowExecutionMessagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2002,9 +1979,9 @@ extension IoTThingsGraphClient { /// Lists all tags on an AWS IoT Things Graph resource. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2039,7 +2016,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2075,9 +2051,9 @@ extension IoTThingsGraphClient { /// Searches for entities of the specified type. You can search for entities in your namespace and the public namespace that you're tracking. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter SearchEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchEntitiesInput`) /// - /// - Returns: `SearchEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2111,7 +2087,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchEntitiesOutput.httpOutput(from:), SearchEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2147,9 +2122,9 @@ extension IoTThingsGraphClient { /// Searches for AWS IoT Things Graph workflow execution instances. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter SearchFlowExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchFlowExecutionsInput`) /// - /// - Returns: `SearchFlowExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchFlowExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2184,7 +2159,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchFlowExecutionsOutput.httpOutput(from:), SearchFlowExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2220,9 +2194,9 @@ extension IoTThingsGraphClient { /// Searches for summary information about workflows. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter SearchFlowTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchFlowTemplatesInput`) /// - /// - Returns: `SearchFlowTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchFlowTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2256,7 +2230,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchFlowTemplatesOutput.httpOutput(from:), SearchFlowTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2292,9 +2265,9 @@ extension IoTThingsGraphClient { /// Searches for system instances in the user's account. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter SearchSystemInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchSystemInstancesInput`) /// - /// - Returns: `SearchSystemInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchSystemInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2328,7 +2301,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchSystemInstancesOutput.httpOutput(from:), SearchSystemInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2364,9 +2336,9 @@ extension IoTThingsGraphClient { /// Searches for summary information about systems in the user's account. You can filter by the ID of a workflow to return only systems that use the specified workflow. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter SearchSystemTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchSystemTemplatesInput`) /// - /// - Returns: `SearchSystemTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchSystemTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2400,7 +2372,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchSystemTemplatesOutput.httpOutput(from:), SearchSystemTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2436,9 +2407,9 @@ extension IoTThingsGraphClient { /// Searches for things associated with the specified entity. You can search by both device and device model. For example, if two different devices, camera1 and camera2, implement the camera device model, the user can associate thing1 to camera1 and thing2 to camera2. SearchThings(camera2) will return only thing2, but SearchThings(camera) will return both thing1 and thing2. This action searches for exact matches and doesn't perform partial text matching. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter SearchThingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchThingsInput`) /// - /// - Returns: `SearchThingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchThingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2473,7 +2444,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchThingsOutput.httpOutput(from:), SearchThingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2509,9 +2479,9 @@ extension IoTThingsGraphClient { /// Creates a tag for the specified resource. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2546,7 +2516,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2582,9 +2551,9 @@ extension IoTThingsGraphClient { /// Removes a system instance from its target (Cloud or Greengrass). @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter UndeploySystemInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UndeploySystemInstanceInput`) /// - /// - Returns: `UndeploySystemInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UndeploySystemInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2620,7 +2589,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UndeploySystemInstanceOutput.httpOutput(from:), UndeploySystemInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2656,9 +2624,9 @@ extension IoTThingsGraphClient { /// Removes a tag from the specified resource. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2693,7 +2661,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2729,9 +2696,9 @@ extension IoTThingsGraphClient { /// Updates the specified workflow. All deployed systems and system instances that use the workflow will see the changes in the flow when it is redeployed. If you don't want this behavior, copy the workflow (creating a new workflow with a different ID), and update the copy. The workflow can contain only entities in the specified namespace. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter UpdateFlowTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFlowTemplateInput`) /// - /// - Returns: `UpdateFlowTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFlowTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2766,7 +2733,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFlowTemplateOutput.httpOutput(from:), UpdateFlowTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2802,9 +2768,9 @@ extension IoTThingsGraphClient { /// Updates the specified system. You don't need to run this action after updating a workflow. Any deployment that uses the system will see the changes in the system when it is redeployed. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter UpdateSystemTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSystemTemplateInput`) /// - /// - Returns: `UpdateSystemTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSystemTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2839,7 +2805,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSystemTemplateOutput.httpOutput(from:), UpdateSystemTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2875,9 +2840,9 @@ extension IoTThingsGraphClient { /// Asynchronously uploads one or more entity definitions to the user's namespace. The document parameter is required if syncWithPublicNamespace and deleteExistingEntites are false. If the syncWithPublicNamespace parameter is set to true, the user's namespace will synchronize with the latest version of the public namespace. If deprecateExistingEntities is set to true, all entities in the latest version will be deleted before the new DefinitionDocument is uploaded. When a user uploads entity definitions for the first time, the service creates a new namespace for the user. The new namespace tracks the public namespace. Currently users can have only one namespace. The namespace version increments whenever a user uploads entity definitions that are backwards-incompatible and whenever a user sets the syncWithPublicNamespace parameter or the deprecateExistingEntities parameter to true. The IDs for all of the entities should be in URN format. Each entity must be in the user's namespace. Users can't create entities in the public namespace, but entity definitions can refer to entities in the public namespace. Valid entities are Device, DeviceModel, Service, Capability, State, Action, Event, Property, Mapping, Enum. @available(*, deprecated, message: "since: 2022-08-30") /// - /// - Parameter UploadEntityDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UploadEntityDefinitionsInput`) /// - /// - Returns: `UploadEntityDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UploadEntityDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2911,7 +2876,6 @@ extension IoTThingsGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadEntityDefinitionsOutput.httpOutput(from:), UploadEntityDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTTwinMaker/Sources/AWSIoTTwinMaker/IoTTwinMakerClient.swift b/Sources/Services/AWSIoTTwinMaker/Sources/AWSIoTTwinMaker/IoTTwinMakerClient.swift index 2e8a51ac14e..a910501c55f 100644 --- a/Sources/Services/AWSIoTTwinMaker/Sources/AWSIoTTwinMaker/IoTTwinMakerClient.swift +++ b/Sources/Services/AWSIoTTwinMaker/Sources/AWSIoTTwinMaker/IoTTwinMakerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTTwinMakerClient: ClientRuntime.Client { public static let clientName = "IoTTwinMakerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTTwinMakerClient.IoTTwinMakerClientConfiguration let serviceName = "IoTTwinMaker" @@ -374,9 +373,9 @@ extension IoTTwinMakerClient { /// /// Sets values for multiple time series properties. /// - /// - Parameter BatchPutPropertyValuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutPropertyValuesInput`) /// - /// - Returns: `BatchPutPropertyValuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutPropertyValuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutPropertyValuesOutput.httpOutput(from:), BatchPutPropertyValuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension IoTTwinMakerClient { /// /// Cancels the metadata transfer job. /// - /// - Parameter CancelMetadataTransferJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMetadataTransferJobInput`) /// - /// - Returns: `CancelMetadataTransferJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMetadataTransferJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMetadataTransferJobOutput.httpOutput(from:), CancelMetadataTransferJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension IoTTwinMakerClient { /// /// Creates a component type. /// - /// - Parameter CreateComponentTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateComponentTypeInput`) /// - /// - Returns: `CreateComponentTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateComponentTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComponentTypeOutput.httpOutput(from:), CreateComponentTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension IoTTwinMakerClient { /// /// Creates an entity. /// - /// - Parameter CreateEntityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEntityInput`) /// - /// - Returns: `CreateEntityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEntityOutput.httpOutput(from:), CreateEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension IoTTwinMakerClient { /// /// Creates a new metadata transfer job. /// - /// - Parameter CreateMetadataTransferJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMetadataTransferJobInput`) /// - /// - Returns: `CreateMetadataTransferJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMetadataTransferJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMetadataTransferJobOutput.httpOutput(from:), CreateMetadataTransferJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension IoTTwinMakerClient { /// /// Creates a scene. /// - /// - Parameter CreateSceneInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSceneInput`) /// - /// - Returns: `CreateSceneOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSceneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -776,7 +770,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSceneOutput.httpOutput(from:), CreateSceneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -808,9 +801,9 @@ extension IoTTwinMakerClient { /// /// This action creates a SyncJob. /// - /// - Parameter CreateSyncJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSyncJobInput`) /// - /// - Returns: `CreateSyncJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSyncJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -849,7 +842,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSyncJobOutput.httpOutput(from:), CreateSyncJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -881,9 +873,9 @@ extension IoTTwinMakerClient { /// /// Creates a workplace. /// - /// - Parameter CreateWorkspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkspaceInput`) /// - /// - Returns: `CreateWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -922,7 +914,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspaceOutput.httpOutput(from:), CreateWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -954,9 +945,9 @@ extension IoTTwinMakerClient { /// /// Deletes a component type. /// - /// - Parameter DeleteComponentTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteComponentTypeInput`) /// - /// - Returns: `DeleteComponentTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteComponentTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -991,7 +982,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteComponentTypeOutput.httpOutput(from:), DeleteComponentTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1023,9 +1013,9 @@ extension IoTTwinMakerClient { /// /// Deletes an entity. /// - /// - Parameter DeleteEntityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEntityInput`) /// - /// - Returns: `DeleteEntityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1061,7 +1051,6 @@ extension IoTTwinMakerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteEntityInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEntityOutput.httpOutput(from:), DeleteEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1093,9 +1082,9 @@ extension IoTTwinMakerClient { /// /// Deletes a scene. /// - /// - Parameter DeleteSceneInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSceneInput`) /// - /// - Returns: `DeleteSceneOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSceneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1130,7 +1119,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSceneOutput.httpOutput(from:), DeleteSceneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1162,9 +1150,9 @@ extension IoTTwinMakerClient { /// /// Delete the SyncJob. /// - /// - Parameter DeleteSyncJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSyncJobInput`) /// - /// - Returns: `DeleteSyncJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSyncJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1200,7 +1188,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSyncJobOutput.httpOutput(from:), DeleteSyncJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1232,9 +1219,9 @@ extension IoTTwinMakerClient { /// /// Deletes a workspace. /// - /// - Parameter DeleteWorkspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkspaceInput`) /// - /// - Returns: `DeleteWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1269,7 +1256,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkspaceOutput.httpOutput(from:), DeleteWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1301,9 +1287,9 @@ extension IoTTwinMakerClient { /// /// Run queries to access information from your knowledge graph of entities within individual workspaces. The ExecuteQuery action only works with [Amazon Web Services Java SDK2](https://docs.aws.amazon.com/sdk-for-java/latest/developer-guide/home.html). ExecuteQuery will not work with any Amazon Web Services Java SDK version < 2.x. /// - /// - Parameter ExecuteQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteQueryInput`) /// - /// - Returns: `ExecuteQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1342,7 +1328,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteQueryOutput.httpOutput(from:), ExecuteQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1374,9 +1359,9 @@ extension IoTTwinMakerClient { /// /// Retrieves information about a component type. /// - /// - Parameter GetComponentTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComponentTypeInput`) /// - /// - Returns: `GetComponentTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComponentTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1411,7 +1396,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComponentTypeOutput.httpOutput(from:), GetComponentTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1443,9 +1427,9 @@ extension IoTTwinMakerClient { /// /// Retrieves information about an entity. /// - /// - Parameter GetEntityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEntityInput`) /// - /// - Returns: `GetEntityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1480,7 +1464,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEntityOutput.httpOutput(from:), GetEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1512,9 +1495,9 @@ extension IoTTwinMakerClient { /// /// Gets a nmetadata transfer job. /// - /// - Parameter GetMetadataTransferJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetadataTransferJobInput`) /// - /// - Returns: `GetMetadataTransferJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetadataTransferJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1549,7 +1532,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetadataTransferJobOutput.httpOutput(from:), GetMetadataTransferJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1581,9 +1563,9 @@ extension IoTTwinMakerClient { /// /// Gets the pricing plan. /// - /// - Parameter GetPricingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPricingPlanInput`) /// - /// - Returns: `GetPricingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPricingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1617,7 +1599,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPricingPlanOutput.httpOutput(from:), GetPricingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1649,9 +1630,9 @@ extension IoTTwinMakerClient { /// /// Gets the property values for a component, component type, entity, or workspace. You must specify a value for either componentName, componentTypeId, entityId, or workspaceId. /// - /// - Parameter GetPropertyValueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPropertyValueInput`) /// - /// - Returns: `GetPropertyValueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPropertyValueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1691,7 +1672,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPropertyValueOutput.httpOutput(from:), GetPropertyValueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1723,9 +1703,9 @@ extension IoTTwinMakerClient { /// /// Retrieves information about the history of a time series property value for a component, component type, entity, or workspace. You must specify a value for workspaceId. For entity-specific queries, specify values for componentName and entityId. For cross-entity quries, specify a value for componentTypeId. /// - /// - Parameter GetPropertyValueHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPropertyValueHistoryInput`) /// - /// - Returns: `GetPropertyValueHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPropertyValueHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1765,7 +1745,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPropertyValueHistoryOutput.httpOutput(from:), GetPropertyValueHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1797,9 +1776,9 @@ extension IoTTwinMakerClient { /// /// Retrieves information about a scene. /// - /// - Parameter GetSceneInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSceneInput`) /// - /// - Returns: `GetSceneOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSceneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1834,7 +1813,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSceneOutput.httpOutput(from:), GetSceneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1866,9 +1844,9 @@ extension IoTTwinMakerClient { /// /// Gets the SyncJob. /// - /// - Parameter GetSyncJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSyncJobInput`) /// - /// - Returns: `GetSyncJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSyncJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1905,7 +1883,6 @@ extension IoTTwinMakerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSyncJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSyncJobOutput.httpOutput(from:), GetSyncJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1937,9 +1914,9 @@ extension IoTTwinMakerClient { /// /// Retrieves information about a workspace. /// - /// - Parameter GetWorkspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkspaceInput`) /// - /// - Returns: `GetWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1974,7 +1951,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkspaceOutput.httpOutput(from:), GetWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2006,9 +1982,9 @@ extension IoTTwinMakerClient { /// /// Lists all component types in a workspace. /// - /// - Parameter ListComponentTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentTypesInput`) /// - /// - Returns: `ListComponentTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2045,7 +2021,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentTypesOutput.httpOutput(from:), ListComponentTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2077,9 +2052,9 @@ extension IoTTwinMakerClient { /// /// This API lists the components of an entity. /// - /// - Parameter ListComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentsInput`) /// - /// - Returns: `ListComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2117,7 +2092,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentsOutput.httpOutput(from:), ListComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2149,9 +2123,9 @@ extension IoTTwinMakerClient { /// /// Lists all entities in a workspace. /// - /// - Parameter ListEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntitiesInput`) /// - /// - Returns: `ListEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2188,7 +2162,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntitiesOutput.httpOutput(from:), ListEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2220,9 +2193,9 @@ extension IoTTwinMakerClient { /// /// Lists the metadata transfer jobs. /// - /// - Parameter ListMetadataTransferJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMetadataTransferJobsInput`) /// - /// - Returns: `ListMetadataTransferJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMetadataTransferJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2259,7 +2232,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMetadataTransferJobsOutput.httpOutput(from:), ListMetadataTransferJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2291,9 +2263,9 @@ extension IoTTwinMakerClient { /// /// This API lists the properties of a component. /// - /// - Parameter ListPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPropertiesInput`) /// - /// - Returns: `ListPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2331,7 +2303,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPropertiesOutput.httpOutput(from:), ListPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2363,9 +2334,9 @@ extension IoTTwinMakerClient { /// /// Lists all scenes in a workspace. /// - /// - Parameter ListScenesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListScenesInput`) /// - /// - Returns: `ListScenesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListScenesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2402,7 +2373,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScenesOutput.httpOutput(from:), ListScenesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2434,9 +2404,9 @@ extension IoTTwinMakerClient { /// /// List all SyncJobs. /// - /// - Parameter ListSyncJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSyncJobsInput`) /// - /// - Returns: `ListSyncJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSyncJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2474,7 +2444,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSyncJobsOutput.httpOutput(from:), ListSyncJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2506,9 +2475,9 @@ extension IoTTwinMakerClient { /// /// Lists the sync resources. /// - /// - Parameter ListSyncResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSyncResourcesInput`) /// - /// - Returns: `ListSyncResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSyncResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2546,7 +2515,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSyncResourcesOutput.httpOutput(from:), ListSyncResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2578,9 +2546,9 @@ extension IoTTwinMakerClient { /// /// Lists all tags associated with a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2615,7 +2583,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2647,9 +2614,9 @@ extension IoTTwinMakerClient { /// /// Retrieves information about workspaces in the current account. /// - /// - Parameter ListWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkspacesInput`) /// - /// - Returns: `ListWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkspacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2686,7 +2653,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkspacesOutput.httpOutput(from:), ListWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2718,9 +2684,9 @@ extension IoTTwinMakerClient { /// /// Adds tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2756,7 +2722,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2788,9 +2753,9 @@ extension IoTTwinMakerClient { /// /// Removes tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2823,7 +2788,6 @@ extension IoTTwinMakerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2855,9 +2819,9 @@ extension IoTTwinMakerClient { /// /// Updates information in a component type. /// - /// - Parameter UpdateComponentTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateComponentTypeInput`) /// - /// - Returns: `UpdateComponentTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateComponentTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2896,7 +2860,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateComponentTypeOutput.httpOutput(from:), UpdateComponentTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2928,9 +2891,9 @@ extension IoTTwinMakerClient { /// /// Updates an entity. /// - /// - Parameter UpdateEntityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEntityInput`) /// - /// - Returns: `UpdateEntityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2970,7 +2933,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEntityOutput.httpOutput(from:), UpdateEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3002,9 +2964,9 @@ extension IoTTwinMakerClient { /// /// Update the pricing plan. /// - /// - Parameter UpdatePricingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePricingPlanInput`) /// - /// - Returns: `UpdatePricingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePricingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3041,7 +3003,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePricingPlanOutput.httpOutput(from:), UpdatePricingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3073,9 +3034,9 @@ extension IoTTwinMakerClient { /// /// Updates a scene. /// - /// - Parameter UpdateSceneInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSceneInput`) /// - /// - Returns: `UpdateSceneOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSceneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3113,7 +3074,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSceneOutput.httpOutput(from:), UpdateSceneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3145,9 +3105,9 @@ extension IoTTwinMakerClient { /// /// Updates a workspace. /// - /// - Parameter UpdateWorkspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkspaceInput`) /// - /// - Returns: `UpdateWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3186,7 +3146,6 @@ extension IoTTwinMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkspaceOutput.httpOutput(from:), UpdateWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIoTWireless/Sources/AWSIoTWireless/IoTWirelessClient.swift b/Sources/Services/AWSIoTWireless/Sources/AWSIoTWireless/IoTWirelessClient.swift index 10eed6d3d05..7a03511b5cb 100644 --- a/Sources/Services/AWSIoTWireless/Sources/AWSIoTWireless/IoTWirelessClient.swift +++ b/Sources/Services/AWSIoTWireless/Sources/AWSIoTWireless/IoTWirelessClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -71,7 +70,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IoTWirelessClient: ClientRuntime.Client { public static let clientName = "IoTWirelessClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IoTWirelessClient.IoTWirelessClientConfiguration let serviceName = "IoT Wireless" @@ -377,9 +376,9 @@ extension IoTWirelessClient { /// /// Associates a partner account with your AWS account. /// - /// - Parameter AssociateAwsAccountWithPartnerAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAwsAccountWithPartnerAccountInput`) /// - /// - Returns: `AssociateAwsAccountWithPartnerAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAwsAccountWithPartnerAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAwsAccountWithPartnerAccountOutput.httpOutput(from:), AssociateAwsAccountWithPartnerAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension IoTWirelessClient { /// /// Associate a multicast group with a FUOTA task. /// - /// - Parameter AssociateMulticastGroupWithFuotaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateMulticastGroupWithFuotaTaskInput`) /// - /// - Returns: `AssociateMulticastGroupWithFuotaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateMulticastGroupWithFuotaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateMulticastGroupWithFuotaTaskOutput.httpOutput(from:), AssociateMulticastGroupWithFuotaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension IoTWirelessClient { /// /// Associate a wireless device with a FUOTA task. /// - /// - Parameter AssociateWirelessDeviceWithFuotaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateWirelessDeviceWithFuotaTaskInput`) /// - /// - Returns: `AssociateWirelessDeviceWithFuotaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateWirelessDeviceWithFuotaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateWirelessDeviceWithFuotaTaskOutput.httpOutput(from:), AssociateWirelessDeviceWithFuotaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension IoTWirelessClient { /// /// Associates a wireless device with a multicast group. /// - /// - Parameter AssociateWirelessDeviceWithMulticastGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateWirelessDeviceWithMulticastGroupInput`) /// - /// - Returns: `AssociateWirelessDeviceWithMulticastGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateWirelessDeviceWithMulticastGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateWirelessDeviceWithMulticastGroupOutput.httpOutput(from:), AssociateWirelessDeviceWithMulticastGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension IoTWirelessClient { /// /// Associates a wireless device with a thing. /// - /// - Parameter AssociateWirelessDeviceWithThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateWirelessDeviceWithThingInput`) /// - /// - Returns: `AssociateWirelessDeviceWithThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateWirelessDeviceWithThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateWirelessDeviceWithThingOutput.httpOutput(from:), AssociateWirelessDeviceWithThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension IoTWirelessClient { /// /// Associates a wireless gateway with a certificate. /// - /// - Parameter AssociateWirelessGatewayWithCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateWirelessGatewayWithCertificateInput`) /// - /// - Returns: `AssociateWirelessGatewayWithCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateWirelessGatewayWithCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -784,7 +778,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateWirelessGatewayWithCertificateOutput.httpOutput(from:), AssociateWirelessGatewayWithCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -816,9 +809,9 @@ extension IoTWirelessClient { /// /// Associates a wireless gateway with a thing. /// - /// - Parameter AssociateWirelessGatewayWithThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateWirelessGatewayWithThingInput`) /// - /// - Returns: `AssociateWirelessGatewayWithThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateWirelessGatewayWithThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -857,7 +850,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateWirelessGatewayWithThingOutput.httpOutput(from:), AssociateWirelessGatewayWithThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -889,9 +881,9 @@ extension IoTWirelessClient { /// /// Cancels an existing multicast group session. /// - /// - Parameter CancelMulticastGroupSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMulticastGroupSessionInput`) /// - /// - Returns: `CancelMulticastGroupSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMulticastGroupSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -927,7 +919,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMulticastGroupSessionOutput.httpOutput(from:), CancelMulticastGroupSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -959,9 +950,9 @@ extension IoTWirelessClient { /// /// Creates a new destination that maps a device message to an AWS IoT rule. /// - /// - Parameter CreateDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDestinationInput`) /// - /// - Returns: `CreateDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1001,7 +992,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDestinationOutput.httpOutput(from:), CreateDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1033,9 +1023,9 @@ extension IoTWirelessClient { /// /// Creates a new device profile. /// - /// - Parameter CreateDeviceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeviceProfileInput`) /// - /// - Returns: `CreateDeviceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeviceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1074,7 +1064,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeviceProfileOutput.httpOutput(from:), CreateDeviceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1106,9 +1095,9 @@ extension IoTWirelessClient { /// /// Creates a FUOTA task. /// - /// - Parameter CreateFuotaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFuotaTaskInput`) /// - /// - Returns: `CreateFuotaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFuotaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1148,7 +1137,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFuotaTaskOutput.httpOutput(from:), CreateFuotaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1180,9 +1168,9 @@ extension IoTWirelessClient { /// /// Creates a multicast group. /// - /// - Parameter CreateMulticastGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMulticastGroupInput`) /// - /// - Returns: `CreateMulticastGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMulticastGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1222,7 +1210,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMulticastGroupOutput.httpOutput(from:), CreateMulticastGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1254,9 +1241,9 @@ extension IoTWirelessClient { /// /// Creates a new network analyzer configuration. /// - /// - Parameter CreateNetworkAnalyzerConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNetworkAnalyzerConfigurationInput`) /// - /// - Returns: `CreateNetworkAnalyzerConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNetworkAnalyzerConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1296,7 +1283,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkAnalyzerConfigurationOutput.httpOutput(from:), CreateNetworkAnalyzerConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1328,9 +1314,9 @@ extension IoTWirelessClient { /// /// Creates a new service profile. /// - /// - Parameter CreateServiceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceProfileInput`) /// - /// - Returns: `CreateServiceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1369,7 +1355,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceProfileOutput.httpOutput(from:), CreateServiceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1401,9 +1386,9 @@ extension IoTWirelessClient { /// /// Provisions a wireless device. /// - /// - Parameter CreateWirelessDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWirelessDeviceInput`) /// - /// - Returns: `CreateWirelessDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWirelessDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1443,7 +1428,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWirelessDeviceOutput.httpOutput(from:), CreateWirelessDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1482,9 +1466,9 @@ extension IoTWirelessClient { /// /// To avoid this error, make sure that you use unique identifiers and parameters for each request within the specified time period. /// - /// - Parameter CreateWirelessGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWirelessGatewayInput`) /// - /// - Returns: `CreateWirelessGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWirelessGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1523,7 +1507,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWirelessGatewayOutput.httpOutput(from:), CreateWirelessGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1555,9 +1538,9 @@ extension IoTWirelessClient { /// /// Creates a task for a wireless gateway. /// - /// - Parameter CreateWirelessGatewayTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWirelessGatewayTaskInput`) /// - /// - Returns: `CreateWirelessGatewayTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWirelessGatewayTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1596,7 +1579,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWirelessGatewayTaskOutput.httpOutput(from:), CreateWirelessGatewayTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1628,9 +1610,9 @@ extension IoTWirelessClient { /// /// Creates a gateway task definition. /// - /// - Parameter CreateWirelessGatewayTaskDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWirelessGatewayTaskDefinitionInput`) /// - /// - Returns: `CreateWirelessGatewayTaskDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWirelessGatewayTaskDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1670,7 +1652,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWirelessGatewayTaskDefinitionOutput.httpOutput(from:), CreateWirelessGatewayTaskDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1702,9 +1683,9 @@ extension IoTWirelessClient { /// /// Deletes a destination. /// - /// - Parameter DeleteDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDestinationInput`) /// - /// - Returns: `DeleteDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1740,7 +1721,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDestinationOutput.httpOutput(from:), DeleteDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1772,9 +1752,9 @@ extension IoTWirelessClient { /// /// Deletes a device profile. /// - /// - Parameter DeleteDeviceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeviceProfileInput`) /// - /// - Returns: `DeleteDeviceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeviceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1810,7 +1790,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeviceProfileOutput.httpOutput(from:), DeleteDeviceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1842,9 +1821,9 @@ extension IoTWirelessClient { /// /// Deletes a FUOTA task. /// - /// - Parameter DeleteFuotaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFuotaTaskInput`) /// - /// - Returns: `DeleteFuotaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFuotaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1879,7 +1858,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFuotaTaskOutput.httpOutput(from:), DeleteFuotaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1911,9 +1889,9 @@ extension IoTWirelessClient { /// /// Deletes a multicast group if it is not in use by a FUOTA task. /// - /// - Parameter DeleteMulticastGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMulticastGroupInput`) /// - /// - Returns: `DeleteMulticastGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMulticastGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1949,7 +1927,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMulticastGroupOutput.httpOutput(from:), DeleteMulticastGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1981,9 +1958,9 @@ extension IoTWirelessClient { /// /// Deletes a network analyzer configuration. /// - /// - Parameter DeleteNetworkAnalyzerConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNetworkAnalyzerConfigurationInput`) /// - /// - Returns: `DeleteNetworkAnalyzerConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkAnalyzerConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2019,7 +1996,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkAnalyzerConfigurationOutput.httpOutput(from:), DeleteNetworkAnalyzerConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2051,9 +2027,9 @@ extension IoTWirelessClient { /// /// Remove queued messages from the downlink queue. /// - /// - Parameter DeleteQueuedMessagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueuedMessagesInput`) /// - /// - Returns: `DeleteQueuedMessagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueuedMessagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2089,7 +2065,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteQueuedMessagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueuedMessagesOutput.httpOutput(from:), DeleteQueuedMessagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2121,9 +2096,9 @@ extension IoTWirelessClient { /// /// Deletes a service profile. /// - /// - Parameter DeleteServiceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceProfileInput`) /// - /// - Returns: `DeleteServiceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2159,7 +2134,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceProfileOutput.httpOutput(from:), DeleteServiceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2191,9 +2165,9 @@ extension IoTWirelessClient { /// /// Deletes a wireless device. /// - /// - Parameter DeleteWirelessDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWirelessDeviceInput`) /// - /// - Returns: `DeleteWirelessDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWirelessDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2228,7 +2202,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWirelessDeviceOutput.httpOutput(from:), DeleteWirelessDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2260,9 +2233,9 @@ extension IoTWirelessClient { /// /// Delete an import task. /// - /// - Parameter DeleteWirelessDeviceImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWirelessDeviceImportTaskInput`) /// - /// - Returns: `DeleteWirelessDeviceImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWirelessDeviceImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2298,7 +2271,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWirelessDeviceImportTaskOutput.httpOutput(from:), DeleteWirelessDeviceImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2337,9 +2309,9 @@ extension IoTWirelessClient { /// /// To avoid this error, make sure that you use unique identifiers and parameters for each request within the specified time period. /// - /// - Parameter DeleteWirelessGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWirelessGatewayInput`) /// - /// - Returns: `DeleteWirelessGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWirelessGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2374,7 +2346,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWirelessGatewayOutput.httpOutput(from:), DeleteWirelessGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2406,9 +2377,9 @@ extension IoTWirelessClient { /// /// Deletes a wireless gateway task. /// - /// - Parameter DeleteWirelessGatewayTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWirelessGatewayTaskInput`) /// - /// - Returns: `DeleteWirelessGatewayTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWirelessGatewayTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2443,7 +2414,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWirelessGatewayTaskOutput.httpOutput(from:), DeleteWirelessGatewayTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2475,9 +2445,9 @@ extension IoTWirelessClient { /// /// Deletes a wireless gateway task definition. Deleting this task definition does not affect tasks that are currently in progress. /// - /// - Parameter DeleteWirelessGatewayTaskDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWirelessGatewayTaskDefinitionInput`) /// - /// - Returns: `DeleteWirelessGatewayTaskDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWirelessGatewayTaskDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2512,7 +2482,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWirelessGatewayTaskDefinitionOutput.httpOutput(from:), DeleteWirelessGatewayTaskDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2544,9 +2513,9 @@ extension IoTWirelessClient { /// /// Deregister a wireless device from AWS IoT Wireless. /// - /// - Parameter DeregisterWirelessDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterWirelessDeviceInput`) /// - /// - Returns: `DeregisterWirelessDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterWirelessDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2581,7 +2550,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeregisterWirelessDeviceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterWirelessDeviceOutput.httpOutput(from:), DeregisterWirelessDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2613,9 +2581,9 @@ extension IoTWirelessClient { /// /// Disassociates your AWS account from a partner account. If PartnerAccountId and PartnerType are null, disassociates your AWS account from all partner accounts. /// - /// - Parameter DisassociateAwsAccountFromPartnerAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAwsAccountFromPartnerAccountInput`) /// - /// - Returns: `DisassociateAwsAccountFromPartnerAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAwsAccountFromPartnerAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2650,7 +2618,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateAwsAccountFromPartnerAccountInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAwsAccountFromPartnerAccountOutput.httpOutput(from:), DisassociateAwsAccountFromPartnerAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2682,9 +2649,9 @@ extension IoTWirelessClient { /// /// Disassociates a multicast group from a FUOTA task. /// - /// - Parameter DisassociateMulticastGroupFromFuotaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMulticastGroupFromFuotaTaskInput`) /// - /// - Returns: `DisassociateMulticastGroupFromFuotaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMulticastGroupFromFuotaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2719,7 +2686,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMulticastGroupFromFuotaTaskOutput.httpOutput(from:), DisassociateMulticastGroupFromFuotaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2751,9 +2717,9 @@ extension IoTWirelessClient { /// /// Disassociates a wireless device from a FUOTA task. /// - /// - Parameter DisassociateWirelessDeviceFromFuotaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateWirelessDeviceFromFuotaTaskInput`) /// - /// - Returns: `DisassociateWirelessDeviceFromFuotaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateWirelessDeviceFromFuotaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2789,7 +2755,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateWirelessDeviceFromFuotaTaskOutput.httpOutput(from:), DisassociateWirelessDeviceFromFuotaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2821,9 +2786,9 @@ extension IoTWirelessClient { /// /// Disassociates a wireless device from a multicast group. /// - /// - Parameter DisassociateWirelessDeviceFromMulticastGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateWirelessDeviceFromMulticastGroupInput`) /// - /// - Returns: `DisassociateWirelessDeviceFromMulticastGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateWirelessDeviceFromMulticastGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2858,7 +2823,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateWirelessDeviceFromMulticastGroupOutput.httpOutput(from:), DisassociateWirelessDeviceFromMulticastGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2890,9 +2854,9 @@ extension IoTWirelessClient { /// /// Disassociates a wireless device from its currently associated thing. /// - /// - Parameter DisassociateWirelessDeviceFromThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateWirelessDeviceFromThingInput`) /// - /// - Returns: `DisassociateWirelessDeviceFromThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateWirelessDeviceFromThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2928,7 +2892,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateWirelessDeviceFromThingOutput.httpOutput(from:), DisassociateWirelessDeviceFromThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2960,9 +2923,9 @@ extension IoTWirelessClient { /// /// Disassociates a wireless gateway from its currently associated certificate. /// - /// - Parameter DisassociateWirelessGatewayFromCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateWirelessGatewayFromCertificateInput`) /// - /// - Returns: `DisassociateWirelessGatewayFromCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateWirelessGatewayFromCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2997,7 +2960,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateWirelessGatewayFromCertificateOutput.httpOutput(from:), DisassociateWirelessGatewayFromCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3029,9 +2991,9 @@ extension IoTWirelessClient { /// /// Disassociates a wireless gateway from its currently associated thing. /// - /// - Parameter DisassociateWirelessGatewayFromThingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateWirelessGatewayFromThingInput`) /// - /// - Returns: `DisassociateWirelessGatewayFromThingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateWirelessGatewayFromThingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3067,7 +3029,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateWirelessGatewayFromThingOutput.httpOutput(from:), DisassociateWirelessGatewayFromThingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3099,9 +3060,9 @@ extension IoTWirelessClient { /// /// Gets information about a destination. /// - /// - Parameter GetDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDestinationInput`) /// - /// - Returns: `GetDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3136,7 +3097,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDestinationOutput.httpOutput(from:), GetDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3168,9 +3128,9 @@ extension IoTWirelessClient { /// /// Gets information about a device profile. /// - /// - Parameter GetDeviceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeviceProfileInput`) /// - /// - Returns: `GetDeviceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeviceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3205,7 +3165,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceProfileOutput.httpOutput(from:), GetDeviceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3237,9 +3196,9 @@ extension IoTWirelessClient { /// /// Get the event configuration based on resource types. /// - /// - Parameter GetEventConfigurationByResourceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventConfigurationByResourceTypesInput`) /// - /// - Returns: `GetEventConfigurationByResourceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventConfigurationByResourceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3272,7 +3231,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventConfigurationByResourceTypesOutput.httpOutput(from:), GetEventConfigurationByResourceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3304,9 +3262,9 @@ extension IoTWirelessClient { /// /// Gets information about a FUOTA task. /// - /// - Parameter GetFuotaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFuotaTaskInput`) /// - /// - Returns: `GetFuotaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFuotaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3341,7 +3299,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFuotaTaskOutput.httpOutput(from:), GetFuotaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3373,9 +3330,9 @@ extension IoTWirelessClient { /// /// Returns current default log levels or log levels by resource types. Based on the resource type, log levels can be returned for wireless device, wireless gateway, or FUOTA task log options. /// - /// - Parameter GetLogLevelsByResourceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLogLevelsByResourceTypesInput`) /// - /// - Returns: `GetLogLevelsByResourceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLogLevelsByResourceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3410,7 +3367,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLogLevelsByResourceTypesOutput.httpOutput(from:), GetLogLevelsByResourceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3442,9 +3398,9 @@ extension IoTWirelessClient { /// /// Get the metric configuration status for this AWS account. /// - /// - Parameter GetMetricConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetricConfigurationInput`) /// - /// - Returns: `GetMetricConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetricConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3480,7 +3436,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetricConfigurationOutput.httpOutput(from:), GetMetricConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3512,9 +3467,9 @@ extension IoTWirelessClient { /// /// Get the summary metrics for this AWS account. /// - /// - Parameter GetMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetricsInput`) /// - /// - Returns: `GetMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3553,7 +3508,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetricsOutput.httpOutput(from:), GetMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3585,9 +3539,9 @@ extension IoTWirelessClient { /// /// Gets information about a multicast group. /// - /// - Parameter GetMulticastGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMulticastGroupInput`) /// - /// - Returns: `GetMulticastGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMulticastGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3622,7 +3576,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMulticastGroupOutput.httpOutput(from:), GetMulticastGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3654,9 +3607,9 @@ extension IoTWirelessClient { /// /// Gets information about a multicast group session. /// - /// - Parameter GetMulticastGroupSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMulticastGroupSessionInput`) /// - /// - Returns: `GetMulticastGroupSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMulticastGroupSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3691,7 +3644,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMulticastGroupSessionOutput.httpOutput(from:), GetMulticastGroupSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3723,9 +3675,9 @@ extension IoTWirelessClient { /// /// Get network analyzer configuration. /// - /// - Parameter GetNetworkAnalyzerConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkAnalyzerConfigurationInput`) /// - /// - Returns: `GetNetworkAnalyzerConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkAnalyzerConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3760,7 +3712,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkAnalyzerConfigurationOutput.httpOutput(from:), GetNetworkAnalyzerConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3792,9 +3743,9 @@ extension IoTWirelessClient { /// /// Gets information about a partner account. If PartnerAccountId and PartnerType are null, returns all partner accounts. /// - /// - Parameter GetPartnerAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPartnerAccountInput`) /// - /// - Returns: `GetPartnerAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPartnerAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3829,7 +3780,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPartnerAccountInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPartnerAccountOutput.httpOutput(from:), GetPartnerAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3862,9 +3812,9 @@ extension IoTWirelessClient { /// Get the position information for a given resource. This action is no longer supported. Calls to retrieve the position information should use the [GetResourcePosition](https://docs.aws.amazon.com/iot-wireless/2020-11-22/apireference/API_GetResourcePosition.html) API operation instead. @available(*, deprecated, message: "This operation is no longer supported.") /// - /// - Parameter GetPositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPositionInput`) /// - /// - Returns: `GetPositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3900,7 +3850,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPositionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPositionOutput.httpOutput(from:), GetPositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3933,9 +3882,9 @@ extension IoTWirelessClient { /// Get position configuration for a given resource. This action is no longer supported. Calls to retrieve the position configuration should use the [GetResourcePosition](https://docs.aws.amazon.com/iot-wireless/2020-11-22/apireference/API_GetResourcePosition.html) API operation instead. @available(*, deprecated, message: "This operation is no longer supported.") /// - /// - Parameter GetPositionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPositionConfigurationInput`) /// - /// - Returns: `GetPositionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPositionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3971,7 +3920,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPositionConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPositionConfigurationOutput.httpOutput(from:), GetPositionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4003,9 +3951,9 @@ extension IoTWirelessClient { /// /// Get estimated position information as a payload in GeoJSON format. The payload measurement data is resolved using solvers that are provided by third-party vendors. /// - /// - Parameter GetPositionEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPositionEstimateInput`) /// - /// - Returns: `GetPositionEstimateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPositionEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4043,7 +3991,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPositionEstimateOutput.httpOutput(from:), GetPositionEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4075,9 +4022,9 @@ extension IoTWirelessClient { /// /// Get the event configuration for a particular resource identifier. /// - /// - Parameter GetResourceEventConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceEventConfigurationInput`) /// - /// - Returns: `GetResourceEventConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceEventConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4113,7 +4060,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResourceEventConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceEventConfigurationOutput.httpOutput(from:), GetResourceEventConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4145,9 +4091,9 @@ extension IoTWirelessClient { /// /// Fetches the log-level override, if any, for a given resource ID and resource type.. /// - /// - Parameter GetResourceLogLevelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceLogLevelInput`) /// - /// - Returns: `GetResourceLogLevelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceLogLevelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4183,7 +4129,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResourceLogLevelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceLogLevelOutput.httpOutput(from:), GetResourceLogLevelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4215,9 +4160,9 @@ extension IoTWirelessClient { /// /// Get the position information for a given wireless device or a wireless gateway resource. The position information uses the [ World Geodetic System (WGS84)](https://gisgeography.com/wgs84-world-geodetic-system/). /// - /// - Parameter GetResourcePositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePositionInput`) /// - /// - Returns: `GetResourcePositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4253,7 +4198,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResourcePositionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePositionOutput.httpOutput(from:), GetResourcePositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4285,9 +4229,9 @@ extension IoTWirelessClient { /// /// Gets the account-specific endpoint for Configuration and Update Server (CUPS) protocol or LoRaWAN Network Server (LNS) connections. /// - /// - Parameter GetServiceEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceEndpointInput`) /// - /// - Returns: `GetServiceEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4322,7 +4266,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetServiceEndpointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceEndpointOutput.httpOutput(from:), GetServiceEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4354,9 +4297,9 @@ extension IoTWirelessClient { /// /// Gets information about a service profile. /// - /// - Parameter GetServiceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceProfileInput`) /// - /// - Returns: `GetServiceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4391,7 +4334,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceProfileOutput.httpOutput(from:), GetServiceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4423,9 +4365,9 @@ extension IoTWirelessClient { /// /// Gets information about a wireless device. /// - /// - Parameter GetWirelessDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWirelessDeviceInput`) /// - /// - Returns: `GetWirelessDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWirelessDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4461,7 +4403,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWirelessDeviceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWirelessDeviceOutput.httpOutput(from:), GetWirelessDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4493,9 +4434,9 @@ extension IoTWirelessClient { /// /// Get information about an import task and count of device onboarding summary information for the import task. /// - /// - Parameter GetWirelessDeviceImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWirelessDeviceImportTaskInput`) /// - /// - Returns: `GetWirelessDeviceImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWirelessDeviceImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4531,7 +4472,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWirelessDeviceImportTaskOutput.httpOutput(from:), GetWirelessDeviceImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4563,9 +4503,9 @@ extension IoTWirelessClient { /// /// Gets operating information about a wireless device. /// - /// - Parameter GetWirelessDeviceStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWirelessDeviceStatisticsInput`) /// - /// - Returns: `GetWirelessDeviceStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWirelessDeviceStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4600,7 +4540,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWirelessDeviceStatisticsOutput.httpOutput(from:), GetWirelessDeviceStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4632,9 +4571,9 @@ extension IoTWirelessClient { /// /// Gets information about a wireless gateway. /// - /// - Parameter GetWirelessGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWirelessGatewayInput`) /// - /// - Returns: `GetWirelessGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWirelessGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4670,7 +4609,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWirelessGatewayInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWirelessGatewayOutput.httpOutput(from:), GetWirelessGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4702,9 +4640,9 @@ extension IoTWirelessClient { /// /// Gets the ID of the certificate that is currently associated with a wireless gateway. /// - /// - Parameter GetWirelessGatewayCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWirelessGatewayCertificateInput`) /// - /// - Returns: `GetWirelessGatewayCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWirelessGatewayCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4739,7 +4677,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWirelessGatewayCertificateOutput.httpOutput(from:), GetWirelessGatewayCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4771,9 +4708,9 @@ extension IoTWirelessClient { /// /// Gets the firmware version and other information about a wireless gateway. /// - /// - Parameter GetWirelessGatewayFirmwareInformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWirelessGatewayFirmwareInformationInput`) /// - /// - Returns: `GetWirelessGatewayFirmwareInformationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWirelessGatewayFirmwareInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4808,7 +4745,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWirelessGatewayFirmwareInformationOutput.httpOutput(from:), GetWirelessGatewayFirmwareInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4840,9 +4776,9 @@ extension IoTWirelessClient { /// /// Gets operating information about a wireless gateway. /// - /// - Parameter GetWirelessGatewayStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWirelessGatewayStatisticsInput`) /// - /// - Returns: `GetWirelessGatewayStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWirelessGatewayStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4877,7 +4813,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWirelessGatewayStatisticsOutput.httpOutput(from:), GetWirelessGatewayStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4909,9 +4844,9 @@ extension IoTWirelessClient { /// /// Gets information about a wireless gateway task. /// - /// - Parameter GetWirelessGatewayTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWirelessGatewayTaskInput`) /// - /// - Returns: `GetWirelessGatewayTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWirelessGatewayTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4946,7 +4881,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWirelessGatewayTaskOutput.httpOutput(from:), GetWirelessGatewayTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4978,9 +4912,9 @@ extension IoTWirelessClient { /// /// Gets information about a wireless gateway task definition. /// - /// - Parameter GetWirelessGatewayTaskDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWirelessGatewayTaskDefinitionInput`) /// - /// - Returns: `GetWirelessGatewayTaskDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWirelessGatewayTaskDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5015,7 +4949,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWirelessGatewayTaskDefinitionOutput.httpOutput(from:), GetWirelessGatewayTaskDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5047,9 +4980,9 @@ extension IoTWirelessClient { /// /// Lists the destinations registered to your AWS account. /// - /// - Parameter ListDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDestinationsInput`) /// - /// - Returns: `ListDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5084,7 +5017,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDestinationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDestinationsOutput.httpOutput(from:), ListDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5116,9 +5048,9 @@ extension IoTWirelessClient { /// /// Lists the device profiles registered to your AWS account. /// - /// - Parameter ListDeviceProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeviceProfilesInput`) /// - /// - Returns: `ListDeviceProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeviceProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5153,7 +5085,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeviceProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeviceProfilesOutput.httpOutput(from:), ListDeviceProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5185,9 +5116,9 @@ extension IoTWirelessClient { /// /// List the Sidewalk devices in an import task and their onboarding status. /// - /// - Parameter ListDevicesForWirelessDeviceImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevicesForWirelessDeviceImportTaskInput`) /// - /// - Returns: `ListDevicesForWirelessDeviceImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevicesForWirelessDeviceImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5224,7 +5155,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDevicesForWirelessDeviceImportTaskInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevicesForWirelessDeviceImportTaskOutput.httpOutput(from:), ListDevicesForWirelessDeviceImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5256,9 +5186,9 @@ extension IoTWirelessClient { /// /// List event configurations where at least one event topic has been enabled. /// - /// - Parameter ListEventConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventConfigurationsInput`) /// - /// - Returns: `ListEventConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5293,7 +5223,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventConfigurationsOutput.httpOutput(from:), ListEventConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5325,9 +5254,9 @@ extension IoTWirelessClient { /// /// Lists the FUOTA tasks registered to your AWS account. /// - /// - Parameter ListFuotaTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFuotaTasksInput`) /// - /// - Returns: `ListFuotaTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFuotaTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5362,7 +5291,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFuotaTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFuotaTasksOutput.httpOutput(from:), ListFuotaTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5394,9 +5322,9 @@ extension IoTWirelessClient { /// /// Lists the multicast groups registered to your AWS account. /// - /// - Parameter ListMulticastGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMulticastGroupsInput`) /// - /// - Returns: `ListMulticastGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMulticastGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5431,7 +5359,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMulticastGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMulticastGroupsOutput.httpOutput(from:), ListMulticastGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5463,9 +5390,9 @@ extension IoTWirelessClient { /// /// List all multicast groups associated with a FUOTA task. /// - /// - Parameter ListMulticastGroupsByFuotaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMulticastGroupsByFuotaTaskInput`) /// - /// - Returns: `ListMulticastGroupsByFuotaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMulticastGroupsByFuotaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5501,7 +5428,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMulticastGroupsByFuotaTaskInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMulticastGroupsByFuotaTaskOutput.httpOutput(from:), ListMulticastGroupsByFuotaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5533,9 +5459,9 @@ extension IoTWirelessClient { /// /// Lists the network analyzer configurations. /// - /// - Parameter ListNetworkAnalyzerConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNetworkAnalyzerConfigurationsInput`) /// - /// - Returns: `ListNetworkAnalyzerConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNetworkAnalyzerConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5570,7 +5496,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNetworkAnalyzerConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNetworkAnalyzerConfigurationsOutput.httpOutput(from:), ListNetworkAnalyzerConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5602,9 +5527,9 @@ extension IoTWirelessClient { /// /// Lists the partner accounts associated with your AWS account. /// - /// - Parameter ListPartnerAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPartnerAccountsInput`) /// - /// - Returns: `ListPartnerAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPartnerAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5639,7 +5564,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPartnerAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPartnerAccountsOutput.httpOutput(from:), ListPartnerAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5672,9 +5596,9 @@ extension IoTWirelessClient { /// List position configurations for a given resource, such as positioning solvers. This action is no longer supported. Calls to retrieve position information should use the [GetResourcePosition](https://docs.aws.amazon.com/iot-wireless/2020-11-22/apireference/API_GetResourcePosition.html) API operation instead. @available(*, deprecated, message: "This operation is no longer supported.") /// - /// - Parameter ListPositionConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPositionConfigurationsInput`) /// - /// - Returns: `ListPositionConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPositionConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5709,7 +5633,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPositionConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPositionConfigurationsOutput.httpOutput(from:), ListPositionConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5741,9 +5664,9 @@ extension IoTWirelessClient { /// /// List queued messages in the downlink queue. /// - /// - Parameter ListQueuedMessagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueuedMessagesInput`) /// - /// - Returns: `ListQueuedMessagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueuedMessagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5779,7 +5702,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueuedMessagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueuedMessagesOutput.httpOutput(from:), ListQueuedMessagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5811,9 +5733,9 @@ extension IoTWirelessClient { /// /// Lists the service profiles registered to your AWS account. /// - /// - Parameter ListServiceProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceProfilesInput`) /// - /// - Returns: `ListServiceProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5848,7 +5770,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServiceProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceProfilesOutput.httpOutput(from:), ListServiceProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5880,9 +5801,9 @@ extension IoTWirelessClient { /// /// Lists the tags (metadata) you have assigned to the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5918,7 +5839,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5950,9 +5870,9 @@ extension IoTWirelessClient { /// /// List wireless devices that have been added to an import task. /// - /// - Parameter ListWirelessDeviceImportTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWirelessDeviceImportTasksInput`) /// - /// - Returns: `ListWirelessDeviceImportTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWirelessDeviceImportTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5989,7 +5909,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWirelessDeviceImportTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWirelessDeviceImportTasksOutput.httpOutput(from:), ListWirelessDeviceImportTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6021,9 +5940,9 @@ extension IoTWirelessClient { /// /// Lists the wireless devices registered to your AWS account. /// - /// - Parameter ListWirelessDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWirelessDevicesInput`) /// - /// - Returns: `ListWirelessDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWirelessDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6058,7 +5977,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWirelessDevicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWirelessDevicesOutput.httpOutput(from:), ListWirelessDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6090,9 +6008,9 @@ extension IoTWirelessClient { /// /// List the wireless gateway tasks definitions registered to your AWS account. /// - /// - Parameter ListWirelessGatewayTaskDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWirelessGatewayTaskDefinitionsInput`) /// - /// - Returns: `ListWirelessGatewayTaskDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWirelessGatewayTaskDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6127,7 +6045,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWirelessGatewayTaskDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWirelessGatewayTaskDefinitionsOutput.httpOutput(from:), ListWirelessGatewayTaskDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6159,9 +6076,9 @@ extension IoTWirelessClient { /// /// Lists the wireless gateways registered to your AWS account. /// - /// - Parameter ListWirelessGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWirelessGatewaysInput`) /// - /// - Returns: `ListWirelessGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWirelessGatewaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6196,7 +6113,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWirelessGatewaysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWirelessGatewaysOutput.httpOutput(from:), ListWirelessGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6229,9 +6145,9 @@ extension IoTWirelessClient { /// Put position configuration for a given resource. This action is no longer supported. Calls to update the position configuration should use the [UpdateResourcePosition](https://docs.aws.amazon.com/iot-wireless/2020-11-22/apireference/API_UpdateResourcePosition.html) API operation instead. @available(*, deprecated, message: "This operation is no longer supported.") /// - /// - Parameter PutPositionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPositionConfigurationInput`) /// - /// - Returns: `PutPositionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPositionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6270,7 +6186,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPositionConfigurationOutput.httpOutput(from:), PutPositionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6302,9 +6217,9 @@ extension IoTWirelessClient { /// /// Sets the log-level override for a resource ID and resource type. A limit of 200 log level override can be set per account. /// - /// - Parameter PutResourceLogLevelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourceLogLevelInput`) /// - /// - Returns: `PutResourceLogLevelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourceLogLevelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6343,7 +6258,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourceLogLevelOutput.httpOutput(from:), PutResourceLogLevelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6375,9 +6289,9 @@ extension IoTWirelessClient { /// /// Removes the log-level overrides for all resources; wireless devices, wireless gateways, and FUOTA tasks. /// - /// - Parameter ResetAllResourceLogLevelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetAllResourceLogLevelsInput`) /// - /// - Returns: `ResetAllResourceLogLevelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetAllResourceLogLevelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6412,7 +6326,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetAllResourceLogLevelsOutput.httpOutput(from:), ResetAllResourceLogLevelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6444,9 +6357,9 @@ extension IoTWirelessClient { /// /// Removes the log-level override, if any, for a specific resource ID and resource type. It can be used for a wireless device, a wireless gateway, or a FUOTA task. /// - /// - Parameter ResetResourceLogLevelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetResourceLogLevelInput`) /// - /// - Returns: `ResetResourceLogLevelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetResourceLogLevelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6482,7 +6395,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ResetResourceLogLevelInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetResourceLogLevelOutput.httpOutput(from:), ResetResourceLogLevelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6514,9 +6426,9 @@ extension IoTWirelessClient { /// /// Sends the specified data to a multicast group. /// - /// - Parameter SendDataToMulticastGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendDataToMulticastGroupInput`) /// - /// - Returns: `SendDataToMulticastGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendDataToMulticastGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6555,7 +6467,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendDataToMulticastGroupOutput.httpOutput(from:), SendDataToMulticastGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6587,9 +6498,9 @@ extension IoTWirelessClient { /// /// Sends a decrypted application data frame to a device. /// - /// - Parameter SendDataToWirelessDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendDataToWirelessDeviceInput`) /// - /// - Returns: `SendDataToWirelessDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendDataToWirelessDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6626,7 +6537,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendDataToWirelessDeviceOutput.httpOutput(from:), SendDataToWirelessDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6658,9 +6568,9 @@ extension IoTWirelessClient { /// /// Starts a bulk association of all qualifying wireless devices with a multicast group. /// - /// - Parameter StartBulkAssociateWirelessDeviceWithMulticastGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBulkAssociateWirelessDeviceWithMulticastGroupInput`) /// - /// - Returns: `StartBulkAssociateWirelessDeviceWithMulticastGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBulkAssociateWirelessDeviceWithMulticastGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6698,7 +6608,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBulkAssociateWirelessDeviceWithMulticastGroupOutput.httpOutput(from:), StartBulkAssociateWirelessDeviceWithMulticastGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6730,9 +6639,9 @@ extension IoTWirelessClient { /// /// Starts a bulk disassociatin of all qualifying wireless devices from a multicast group. /// - /// - Parameter StartBulkDisassociateWirelessDeviceFromMulticastGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBulkDisassociateWirelessDeviceFromMulticastGroupInput`) /// - /// - Returns: `StartBulkDisassociateWirelessDeviceFromMulticastGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBulkDisassociateWirelessDeviceFromMulticastGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6770,7 +6679,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBulkDisassociateWirelessDeviceFromMulticastGroupOutput.httpOutput(from:), StartBulkDisassociateWirelessDeviceFromMulticastGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6802,9 +6710,9 @@ extension IoTWirelessClient { /// /// Starts a FUOTA task. /// - /// - Parameter StartFuotaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFuotaTaskInput`) /// - /// - Returns: `StartFuotaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFuotaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6843,7 +6751,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFuotaTaskOutput.httpOutput(from:), StartFuotaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6875,9 +6782,9 @@ extension IoTWirelessClient { /// /// Starts a multicast group session. /// - /// - Parameter StartMulticastGroupSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMulticastGroupSessionInput`) /// - /// - Returns: `StartMulticastGroupSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMulticastGroupSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6916,7 +6823,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMulticastGroupSessionOutput.httpOutput(from:), StartMulticastGroupSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6948,9 +6854,9 @@ extension IoTWirelessClient { /// /// Start import task for a single wireless device. /// - /// - Parameter StartSingleWirelessDeviceImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSingleWirelessDeviceImportTaskInput`) /// - /// - Returns: `StartSingleWirelessDeviceImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSingleWirelessDeviceImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6990,7 +6896,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSingleWirelessDeviceImportTaskOutput.httpOutput(from:), StartSingleWirelessDeviceImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7022,9 +6927,9 @@ extension IoTWirelessClient { /// /// Start import task for provisioning Sidewalk devices in bulk using an S3 CSV file. /// - /// - Parameter StartWirelessDeviceImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartWirelessDeviceImportTaskInput`) /// - /// - Returns: `StartWirelessDeviceImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartWirelessDeviceImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7064,7 +6969,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartWirelessDeviceImportTaskOutput.httpOutput(from:), StartWirelessDeviceImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7096,9 +7000,9 @@ extension IoTWirelessClient { /// /// Adds a tag to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7138,7 +7042,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7170,9 +7073,9 @@ extension IoTWirelessClient { /// /// Simulates a provisioned device by sending an uplink data payload of Hello. /// - /// - Parameter TestWirelessDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestWirelessDeviceInput`) /// - /// - Returns: `TestWirelessDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestWirelessDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7206,7 +7109,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestWirelessDeviceOutput.httpOutput(from:), TestWirelessDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7238,9 +7140,9 @@ extension IoTWirelessClient { /// /// Removes one or more tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7276,7 +7178,6 @@ extension IoTWirelessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7308,9 +7209,9 @@ extension IoTWirelessClient { /// /// Updates properties of a destination. /// - /// - Parameter UpdateDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDestinationInput`) /// - /// - Returns: `UpdateDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7348,7 +7249,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDestinationOutput.httpOutput(from:), UpdateDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7380,9 +7280,9 @@ extension IoTWirelessClient { /// /// Update the event configuration based on resource types. /// - /// - Parameter UpdateEventConfigurationByResourceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventConfigurationByResourceTypesInput`) /// - /// - Returns: `UpdateEventConfigurationByResourceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventConfigurationByResourceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7419,7 +7319,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventConfigurationByResourceTypesOutput.httpOutput(from:), UpdateEventConfigurationByResourceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7451,9 +7350,9 @@ extension IoTWirelessClient { /// /// Updates properties of a FUOTA task. /// - /// - Parameter UpdateFuotaTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFuotaTaskInput`) /// - /// - Returns: `UpdateFuotaTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFuotaTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7492,7 +7391,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFuotaTaskOutput.httpOutput(from:), UpdateFuotaTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7524,9 +7422,9 @@ extension IoTWirelessClient { /// /// Set default log level, or log levels by resource types. This can be for wireless device, wireless gateway, or FUOTA task log options, and is used to control the log messages that'll be displayed in CloudWatch. /// - /// - Parameter UpdateLogLevelsByResourceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLogLevelsByResourceTypesInput`) /// - /// - Returns: `UpdateLogLevelsByResourceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLogLevelsByResourceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7565,7 +7463,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLogLevelsByResourceTypesOutput.httpOutput(from:), UpdateLogLevelsByResourceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7597,9 +7494,9 @@ extension IoTWirelessClient { /// /// Update the summary metric configuration. /// - /// - Parameter UpdateMetricConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMetricConfigurationInput`) /// - /// - Returns: `UpdateMetricConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMetricConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7638,7 +7535,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMetricConfigurationOutput.httpOutput(from:), UpdateMetricConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7670,9 +7566,9 @@ extension IoTWirelessClient { /// /// Updates properties of a multicast group session. /// - /// - Parameter UpdateMulticastGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMulticastGroupInput`) /// - /// - Returns: `UpdateMulticastGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMulticastGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7711,7 +7607,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMulticastGroupOutput.httpOutput(from:), UpdateMulticastGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7743,9 +7638,9 @@ extension IoTWirelessClient { /// /// Update network analyzer configuration. /// - /// - Parameter UpdateNetworkAnalyzerConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNetworkAnalyzerConfigurationInput`) /// - /// - Returns: `UpdateNetworkAnalyzerConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNetworkAnalyzerConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7783,7 +7678,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNetworkAnalyzerConfigurationOutput.httpOutput(from:), UpdateNetworkAnalyzerConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7815,9 +7709,9 @@ extension IoTWirelessClient { /// /// Updates properties of a partner account. /// - /// - Parameter UpdatePartnerAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePartnerAccountInput`) /// - /// - Returns: `UpdatePartnerAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePartnerAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7855,7 +7749,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePartnerAccountOutput.httpOutput(from:), UpdatePartnerAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7888,9 +7781,9 @@ extension IoTWirelessClient { /// Update the position information of a resource. This action is no longer supported. Calls to update the position information should use the [UpdateResourcePosition](https://docs.aws.amazon.com/iot-wireless/2020-11-22/apireference/API_UpdateResourcePosition.html) API operation instead. @available(*, deprecated, message: "This operation is no longer supported.") /// - /// - Parameter UpdatePositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePositionInput`) /// - /// - Returns: `UpdatePositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7929,7 +7822,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePositionOutput.httpOutput(from:), UpdatePositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7961,9 +7853,9 @@ extension IoTWirelessClient { /// /// Update the event configuration for a particular resource identifier. /// - /// - Parameter UpdateResourceEventConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceEventConfigurationInput`) /// - /// - Returns: `UpdateResourceEventConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceEventConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8003,7 +7895,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceEventConfigurationOutput.httpOutput(from:), UpdateResourceEventConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8035,9 +7926,9 @@ extension IoTWirelessClient { /// /// Update the position information of a given wireless device or a wireless gateway resource. The position coordinates are based on the [ World Geodetic System (WGS84)](https://gisgeography.com/wgs84-world-geodetic-system/). /// - /// - Parameter UpdateResourcePositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourcePositionInput`) /// - /// - Returns: `UpdateResourcePositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourcePositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8076,7 +7967,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourcePositionOutput.httpOutput(from:), UpdateResourcePositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8108,9 +7998,9 @@ extension IoTWirelessClient { /// /// Updates properties of a wireless device. /// - /// - Parameter UpdateWirelessDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWirelessDeviceInput`) /// - /// - Returns: `UpdateWirelessDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWirelessDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8148,7 +8038,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWirelessDeviceOutput.httpOutput(from:), UpdateWirelessDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8180,9 +8069,9 @@ extension IoTWirelessClient { /// /// Update an import task to add more devices to the task. /// - /// - Parameter UpdateWirelessDeviceImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWirelessDeviceImportTaskInput`) /// - /// - Returns: `UpdateWirelessDeviceImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWirelessDeviceImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8221,7 +8110,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWirelessDeviceImportTaskOutput.httpOutput(from:), UpdateWirelessDeviceImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8253,9 +8141,9 @@ extension IoTWirelessClient { /// /// Updates properties of a wireless gateway. /// - /// - Parameter UpdateWirelessGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWirelessGatewayInput`) /// - /// - Returns: `UpdateWirelessGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWirelessGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8293,7 +8181,6 @@ extension IoTWirelessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWirelessGatewayOutput.httpOutput(from:), UpdateWirelessGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIotDeviceAdvisor/Sources/AWSIotDeviceAdvisor/IotDeviceAdvisorClient.swift b/Sources/Services/AWSIotDeviceAdvisor/Sources/AWSIotDeviceAdvisor/IotDeviceAdvisorClient.swift index 5383693812e..cc8bb5fa372 100644 --- a/Sources/Services/AWSIotDeviceAdvisor/Sources/AWSIotDeviceAdvisor/IotDeviceAdvisorClient.swift +++ b/Sources/Services/AWSIotDeviceAdvisor/Sources/AWSIotDeviceAdvisor/IotDeviceAdvisorClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IotDeviceAdvisorClient: ClientRuntime.Client { public static let clientName = "IotDeviceAdvisorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IotDeviceAdvisorClient.IotDeviceAdvisorClientConfiguration let serviceName = "IotDeviceAdvisor" @@ -375,9 +374,9 @@ extension IotDeviceAdvisorClient { /// /// Creates a Device Advisor test suite. Requires permission to access the [CreateSuiteDefinition](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter CreateSuiteDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSuiteDefinitionInput`) /// - /// - Returns: `CreateSuiteDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSuiteDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension IotDeviceAdvisorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSuiteDefinitionOutput.httpOutput(from:), CreateSuiteDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension IotDeviceAdvisorClient { /// /// Deletes a Device Advisor test suite. Requires permission to access the [DeleteSuiteDefinition](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter DeleteSuiteDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSuiteDefinitionInput`) /// - /// - Returns: `DeleteSuiteDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSuiteDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -479,7 +477,6 @@ extension IotDeviceAdvisorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSuiteDefinitionOutput.httpOutput(from:), DeleteSuiteDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -511,9 +508,9 @@ extension IotDeviceAdvisorClient { /// /// Gets information about an Device Advisor endpoint. /// - /// - Parameter GetEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEndpointInput`) /// - /// - Returns: `GetEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -547,7 +544,6 @@ extension IotDeviceAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetEndpointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEndpointOutput.httpOutput(from:), GetEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -579,9 +575,9 @@ extension IotDeviceAdvisorClient { /// /// Gets information about a Device Advisor test suite. Requires permission to access the [GetSuiteDefinition](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetSuiteDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSuiteDefinitionInput`) /// - /// - Returns: `GetSuiteDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSuiteDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -615,7 +611,6 @@ extension IotDeviceAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSuiteDefinitionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSuiteDefinitionOutput.httpOutput(from:), GetSuiteDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -647,9 +642,9 @@ extension IotDeviceAdvisorClient { /// /// Gets information about a Device Advisor test suite run. Requires permission to access the [GetSuiteRun](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetSuiteRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSuiteRunInput`) /// - /// - Returns: `GetSuiteRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSuiteRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -682,7 +677,6 @@ extension IotDeviceAdvisorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSuiteRunOutput.httpOutput(from:), GetSuiteRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -714,9 +708,9 @@ extension IotDeviceAdvisorClient { /// /// Gets a report download link for a successful Device Advisor qualifying test suite run. Requires permission to access the [GetSuiteRunReport](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter GetSuiteRunReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSuiteRunReportInput`) /// - /// - Returns: `GetSuiteRunReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSuiteRunReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -749,7 +743,6 @@ extension IotDeviceAdvisorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSuiteRunReportOutput.httpOutput(from:), GetSuiteRunReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -781,9 +774,9 @@ extension IotDeviceAdvisorClient { /// /// Lists the Device Advisor test suites you have created. Requires permission to access the [ListSuiteDefinitions](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListSuiteDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSuiteDefinitionsInput`) /// - /// - Returns: `ListSuiteDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSuiteDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -816,7 +809,6 @@ extension IotDeviceAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSuiteDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSuiteDefinitionsOutput.httpOutput(from:), ListSuiteDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -848,9 +840,9 @@ extension IotDeviceAdvisorClient { /// /// Lists runs of the specified Device Advisor test suite. You can list all runs of the test suite, or the runs of a specific version of the test suite. Requires permission to access the [ListSuiteRuns](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListSuiteRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSuiteRunsInput`) /// - /// - Returns: `ListSuiteRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSuiteRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -883,7 +875,6 @@ extension IotDeviceAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSuiteRunsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSuiteRunsOutput.httpOutput(from:), ListSuiteRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -915,9 +906,9 @@ extension IotDeviceAdvisorClient { /// /// Lists the tags attached to an IoT Device Advisor resource. Requires permission to access the [ListTagsForResource](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -950,7 +941,6 @@ extension IotDeviceAdvisorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -982,9 +972,9 @@ extension IotDeviceAdvisorClient { /// /// Starts a Device Advisor test suite run. Requires permission to access the [StartSuiteRun](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter StartSuiteRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSuiteRunInput`) /// - /// - Returns: `StartSuiteRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSuiteRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1020,7 +1010,6 @@ extension IotDeviceAdvisorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSuiteRunOutput.httpOutput(from:), StartSuiteRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1052,9 +1041,9 @@ extension IotDeviceAdvisorClient { /// /// Stops a Device Advisor test suite run that is currently running. Requires permission to access the [StopSuiteRun](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter StopSuiteRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSuiteRunInput`) /// - /// - Returns: `StopSuiteRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSuiteRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1087,7 +1076,6 @@ extension IotDeviceAdvisorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSuiteRunOutput.httpOutput(from:), StopSuiteRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1119,9 +1107,9 @@ extension IotDeviceAdvisorClient { /// /// Adds to and modifies existing tags of an IoT Device Advisor resource. Requires permission to access the [TagResource](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1157,7 +1145,6 @@ extension IotDeviceAdvisorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1189,9 +1176,9 @@ extension IotDeviceAdvisorClient { /// /// Removes tags from an IoT Device Advisor resource. Requires permission to access the [UntagResource](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1225,7 +1212,6 @@ extension IotDeviceAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1257,9 +1243,9 @@ extension IotDeviceAdvisorClient { /// /// Updates a Device Advisor test suite. Requires permission to access the [UpdateSuiteDefinition](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsiot.html#awsiot-actions-as-permissions) action. /// - /// - Parameter UpdateSuiteDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSuiteDefinitionInput`) /// - /// - Returns: `UpdateSuiteDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSuiteDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1294,7 +1280,6 @@ extension IotDeviceAdvisorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSuiteDefinitionOutput.httpOutput(from:), UpdateSuiteDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIvs/Sources/AWSIvs/IvsClient.swift b/Sources/Services/AWSIvs/Sources/AWSIvs/IvsClient.swift index a17f19572b1..a1f6c23b339 100644 --- a/Sources/Services/AWSIvs/Sources/AWSIvs/IvsClient.swift +++ b/Sources/Services/AWSIvs/Sources/AWSIvs/IvsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IvsClient: ClientRuntime.Client { public static let clientName = "IvsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IvsClient.IvsClientConfiguration let serviceName = "ivs" @@ -373,9 +372,9 @@ extension IvsClient { /// /// Performs [GetChannel] on multiple ARNs simultaneously. /// - /// - Parameter BatchGetChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetChannelInput`) /// - /// - Returns: `BatchGetChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetChannelOutput`) public func batchGetChannel(input: BatchGetChannelInput) async throws -> BatchGetChannelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -404,7 +403,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetChannelOutput.httpOutput(from:), BatchGetChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -436,9 +434,9 @@ extension IvsClient { /// /// Performs [GetStreamKey] on multiple ARNs simultaneously. /// - /// - Parameter BatchGetStreamKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetStreamKeyInput`) /// - /// - Returns: `BatchGetStreamKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetStreamKeyOutput`) public func batchGetStreamKey(input: BatchGetStreamKeyInput) async throws -> BatchGetStreamKeyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -467,7 +465,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetStreamKeyOutput.httpOutput(from:), BatchGetStreamKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -499,9 +496,9 @@ extension IvsClient { /// /// Performs [StartViewerSessionRevocation] on multiple channel ARN and viewer ID pairs simultaneously. /// - /// - Parameter BatchStartViewerSessionRevocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchStartViewerSessionRevocationInput`) /// - /// - Returns: `BatchStartViewerSessionRevocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchStartViewerSessionRevocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -538,7 +535,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchStartViewerSessionRevocationOutput.httpOutput(from:), BatchStartViewerSessionRevocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -570,9 +566,9 @@ extension IvsClient { /// /// Creates a new channel and an associated stream key to start streaming. /// - /// - Parameter CreateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelInput`) /// - /// - Returns: `CreateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -610,7 +606,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelOutput.httpOutput(from:), CreateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -642,9 +637,9 @@ extension IvsClient { /// /// Creates a new playback restriction policy, for constraining playback by countries and/or origins. /// - /// - Parameter CreatePlaybackRestrictionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePlaybackRestrictionPolicyInput`) /// - /// - Returns: `CreatePlaybackRestrictionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePlaybackRestrictionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -682,7 +677,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePlaybackRestrictionPolicyOutput.httpOutput(from:), CreatePlaybackRestrictionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -714,9 +708,9 @@ extension IvsClient { /// /// Creates a new recording configuration, used to enable recording to Amazon S3. Known issue: In the us-east-1 region, if you use the Amazon Web Services CLI to create a recording configuration, it returns success even if the S3 bucket is in a different region. In this case, the state of the recording configuration is CREATE_FAILED (instead of ACTIVE). (In other regions, the CLI correctly returns failure if the bucket is in a different region.) Workaround: Ensure that your S3 bucket is in the same region as the recording configuration. If you create a recording configuration in a different region as your S3 bucket, delete that recording configuration and create a new one with an S3 bucket from the correct region. /// - /// - Parameter CreateRecordingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRecordingConfigurationInput`) /// - /// - Returns: `CreateRecordingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRecordingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -755,7 +749,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRecordingConfigurationOutput.httpOutput(from:), CreateRecordingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -787,9 +780,9 @@ extension IvsClient { /// /// Creates a stream key, used to initiate a stream, for the specified channel ARN. Note that [CreateChannel] creates a stream key. If you subsequently use CreateStreamKey on the same channel, it will fail because a stream key already exists and there is a limit of 1 stream key per channel. To reset the stream key on a channel, use [DeleteStreamKey] and then CreateStreamKey. /// - /// - Parameter CreateStreamKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStreamKeyInput`) /// - /// - Returns: `CreateStreamKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStreamKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -827,7 +820,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStreamKeyOutput.httpOutput(from:), CreateStreamKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -859,9 +851,9 @@ extension IvsClient { /// /// Deletes the specified channel and its associated stream keys. If you try to delete a live channel, you will get an error (409 ConflictException). To delete a channel that is live, call [StopStream], wait for the Amazon EventBridge "Stream End" event (to verify that the stream's state is no longer Live), then call DeleteChannel. (See [ Using EventBridge with Amazon IVS](https://docs.aws.amazon.com/ivs/latest/userguide/eventbridge.html).) /// - /// - Parameter DeleteChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelInput`) /// - /// - Returns: `DeleteChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -899,7 +891,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelOutput.httpOutput(from:), DeleteChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -931,9 +922,9 @@ extension IvsClient { /// /// Deletes a specified authorization key pair. This invalidates future viewer tokens generated using the key pair’s privateKey. For more information, see [Setting Up Private Channels](https://docs.aws.amazon.com/ivs/latest/userguide/private-channels.html) in the Amazon IVS User Guide. /// - /// - Parameter DeletePlaybackKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePlaybackKeyPairInput`) /// - /// - Returns: `DeletePlaybackKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePlaybackKeyPairOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -970,7 +961,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePlaybackKeyPairOutput.httpOutput(from:), DeletePlaybackKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1002,9 +992,9 @@ extension IvsClient { /// /// Deletes the specified playback restriction policy. /// - /// - Parameter DeletePlaybackRestrictionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePlaybackRestrictionPolicyInput`) /// - /// - Returns: `DeletePlaybackRestrictionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePlaybackRestrictionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1042,7 +1032,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePlaybackRestrictionPolicyOutput.httpOutput(from:), DeletePlaybackRestrictionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1074,9 +1063,9 @@ extension IvsClient { /// /// Deletes the recording configuration for the specified ARN. If you try to delete a recording configuration that is associated with a channel, you will get an error (409 ConflictException). To avoid this, for all channels that reference the recording configuration, first use [UpdateChannel] to set the recordingConfigurationArn field to an empty string, then use DeleteRecordingConfiguration. /// - /// - Parameter DeleteRecordingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRecordingConfigurationInput`) /// - /// - Returns: `DeleteRecordingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRecordingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1114,7 +1103,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRecordingConfigurationOutput.httpOutput(from:), DeleteRecordingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1146,9 +1134,9 @@ extension IvsClient { /// /// Deletes the stream key for the specified ARN, so it can no longer be used to stream. /// - /// - Parameter DeleteStreamKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStreamKeyInput`) /// - /// - Returns: `DeleteStreamKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStreamKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1185,7 +1173,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStreamKeyOutput.httpOutput(from:), DeleteStreamKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1217,9 +1204,9 @@ extension IvsClient { /// /// Gets the channel configuration for the specified channel ARN. See also [BatchGetChannel]. /// - /// - Parameter GetChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelInput`) /// - /// - Returns: `GetChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1255,7 +1242,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelOutput.httpOutput(from:), GetChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1287,9 +1273,9 @@ extension IvsClient { /// /// Gets a specified playback authorization key pair and returns the arn and fingerprint. The privateKey held by the caller can be used to generate viewer authorization tokens, to grant viewers access to private channels. For more information, see [Setting Up Private Channels](https://docs.aws.amazon.com/ivs/latest/userguide/private-channels.html) in the Amazon IVS User Guide. /// - /// - Parameter GetPlaybackKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPlaybackKeyPairInput`) /// - /// - Returns: `GetPlaybackKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPlaybackKeyPairOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1325,7 +1311,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlaybackKeyPairOutput.httpOutput(from:), GetPlaybackKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1357,9 +1342,9 @@ extension IvsClient { /// /// Gets the specified playback restriction policy. /// - /// - Parameter GetPlaybackRestrictionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPlaybackRestrictionPolicyInput`) /// - /// - Returns: `GetPlaybackRestrictionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPlaybackRestrictionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1381,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlaybackRestrictionPolicyOutput.httpOutput(from:), GetPlaybackRestrictionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1428,9 +1412,9 @@ extension IvsClient { /// /// Gets the recording configuration for the specified ARN. /// - /// - Parameter GetRecordingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecordingConfigurationInput`) /// - /// - Returns: `GetRecordingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecordingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1467,7 +1451,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecordingConfigurationOutput.httpOutput(from:), GetRecordingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1499,9 +1482,9 @@ extension IvsClient { /// /// Gets information about the active (live) stream on a specified channel. /// - /// - Parameter GetStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStreamInput`) /// - /// - Returns: `GetStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1538,7 +1521,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStreamOutput.httpOutput(from:), GetStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1570,9 +1552,9 @@ extension IvsClient { /// /// Gets stream-key information for a specified ARN. /// - /// - Parameter GetStreamKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStreamKeyInput`) /// - /// - Returns: `GetStreamKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStreamKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1608,7 +1590,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStreamKeyOutput.httpOutput(from:), GetStreamKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1640,9 +1621,9 @@ extension IvsClient { /// /// Gets metadata on a specified stream. /// - /// - Parameter GetStreamSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStreamSessionInput`) /// - /// - Returns: `GetStreamSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStreamSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1678,7 +1659,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStreamSessionOutput.httpOutput(from:), GetStreamSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1710,9 +1690,9 @@ extension IvsClient { /// /// Imports the public portion of a new key pair and returns its arn and fingerprint. The privateKey can then be used to generate viewer authorization tokens, to grant viewers access to private channels. For more information, see [Setting Up Private Channels](https://docs.aws.amazon.com/ivs/latest/userguide/private-channels.html) in the Amazon IVS User Guide. /// - /// - Parameter ImportPlaybackKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportPlaybackKeyPairInput`) /// - /// - Returns: `ImportPlaybackKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportPlaybackKeyPairOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1750,7 +1730,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportPlaybackKeyPairOutput.httpOutput(from:), ImportPlaybackKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1782,9 +1761,9 @@ extension IvsClient { /// /// Gets summary information about all channels in your account, in the Amazon Web Services region where the API request is processed. This list can be filtered to match a specified name or recording-configuration ARN. Filters are mutually exclusive and cannot be used together. If you try to use both filters, you will get an error (409 ConflictException). /// - /// - Parameter ListChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsInput`) /// - /// - Returns: `ListChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1820,7 +1799,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsOutput.httpOutput(from:), ListChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1852,9 +1830,9 @@ extension IvsClient { /// /// Gets summary information about playback key pairs. For more information, see [Setting Up Private Channels](https://docs.aws.amazon.com/ivs/latest/userguide/private-channels.html) in the Amazon IVS User Guide. /// - /// - Parameter ListPlaybackKeyPairsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPlaybackKeyPairsInput`) /// - /// - Returns: `ListPlaybackKeyPairsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPlaybackKeyPairsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1889,7 +1867,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlaybackKeyPairsOutput.httpOutput(from:), ListPlaybackKeyPairsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1921,9 +1898,9 @@ extension IvsClient { /// /// Gets summary information about playback restriction policies. /// - /// - Parameter ListPlaybackRestrictionPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPlaybackRestrictionPoliciesInput`) /// - /// - Returns: `ListPlaybackRestrictionPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPlaybackRestrictionPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1960,7 +1937,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlaybackRestrictionPoliciesOutput.httpOutput(from:), ListPlaybackRestrictionPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1992,9 +1968,9 @@ extension IvsClient { /// /// Gets summary information about all recording configurations in your account, in the Amazon Web Services region where the API request is processed. /// - /// - Parameter ListRecordingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecordingConfigurationsInput`) /// - /// - Returns: `ListRecordingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecordingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2030,7 +2006,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecordingConfigurationsOutput.httpOutput(from:), ListRecordingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2062,9 +2037,9 @@ extension IvsClient { /// /// Gets summary information about stream keys for the specified channel. /// - /// - Parameter ListStreamKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamKeysInput`) /// - /// - Returns: `ListStreamKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2100,7 +2075,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamKeysOutput.httpOutput(from:), ListStreamKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2132,9 +2106,9 @@ extension IvsClient { /// /// Gets a summary of current and previous streams for a specified channel in your account, in the AWS region where the API request is processed. /// - /// - Parameter ListStreamSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamSessionsInput`) /// - /// - Returns: `ListStreamSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2170,7 +2144,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamSessionsOutput.httpOutput(from:), ListStreamSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2202,9 +2175,9 @@ extension IvsClient { /// /// Gets summary information about live streams in your account, in the Amazon Web Services region where the API request is processed. /// - /// - Parameter ListStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamsInput`) /// - /// - Returns: `ListStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2239,7 +2212,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamsOutput.httpOutput(from:), ListStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2271,9 +2243,9 @@ extension IvsClient { /// /// Gets information about Amazon Web Services tags for the specified ARN. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2306,7 +2278,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2338,9 +2309,9 @@ extension IvsClient { /// /// Inserts metadata into the active stream of the specified channel. At most 5 requests per second per channel are allowed, each with a maximum 1 KB payload. (If 5 TPS is not sufficient for your needs, we recommend batching your data into a single PutMetadata call.) At most 155 requests per second per account are allowed. Also see [Embedding Metadata within a Video Stream](https://docs.aws.amazon.com/ivs/latest/userguide/metadata.html) in the Amazon IVS User Guide. /// - /// - Parameter PutMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMetadataInput`) /// - /// - Returns: `PutMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2378,7 +2349,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMetadataOutput.httpOutput(from:), PutMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2410,9 +2380,9 @@ extension IvsClient { /// /// Starts the process of revoking the viewer session associated with a specified channel ARN and viewer ID. Optionally, you can provide a version to revoke viewer sessions less than and including that version. For instructions on associating a viewer ID with a viewer session, see [Setting Up Private Channels](https://docs.aws.amazon.com/ivs/latest/userguide/private-channels.html). /// - /// - Parameter StartViewerSessionRevocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartViewerSessionRevocationInput`) /// - /// - Returns: `StartViewerSessionRevocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartViewerSessionRevocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2451,7 +2421,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartViewerSessionRevocationOutput.httpOutput(from:), StartViewerSessionRevocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2483,9 +2452,9 @@ extension IvsClient { /// /// Disconnects the incoming RTMPS stream for the specified channel. Can be used in conjunction with [DeleteStreamKey] to prevent further streaming to a channel. Many streaming client-software libraries automatically reconnect a dropped RTMPS session, so to stop the stream permanently, you may want to first revoke the streamKey attached to the channel. /// - /// - Parameter StopStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopStreamInput`) /// - /// - Returns: `StopStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2523,7 +2492,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopStreamOutput.httpOutput(from:), StopStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2555,9 +2523,9 @@ extension IvsClient { /// /// Adds or updates tags for the Amazon Web Services resource with the specified ARN. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2593,7 +2561,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2625,9 +2592,9 @@ extension IvsClient { /// /// Removes tags from the resource with the specified ARN. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2661,7 +2628,6 @@ extension IvsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2693,9 +2659,9 @@ extension IvsClient { /// /// Updates a channel's configuration. Live channels cannot be updated. You must stop the ongoing stream, update the channel, and restart the stream for the changes to take effect. /// - /// - Parameter UpdateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelInput`) /// - /// - Returns: `UpdateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2733,7 +2699,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelOutput.httpOutput(from:), UpdateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2765,9 +2730,9 @@ extension IvsClient { /// /// Updates a specified playback restriction policy. /// - /// - Parameter UpdatePlaybackRestrictionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePlaybackRestrictionPolicyInput`) /// - /// - Returns: `UpdatePlaybackRestrictionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePlaybackRestrictionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2805,7 +2770,6 @@ extension IvsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePlaybackRestrictionPolicyOutput.httpOutput(from:), UpdatePlaybackRestrictionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSIvschat/Sources/AWSIvschat/IvschatClient.swift b/Sources/Services/AWSIvschat/Sources/AWSIvschat/IvschatClient.swift index 03b31b3dd36..21a47c0ca34 100644 --- a/Sources/Services/AWSIvschat/Sources/AWSIvschat/IvschatClient.swift +++ b/Sources/Services/AWSIvschat/Sources/AWSIvschat/IvschatClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class IvschatClient: ClientRuntime.Client { public static let clientName = "IvschatClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: IvschatClient.IvschatClientConfiguration let serviceName = "ivschat" @@ -374,9 +373,9 @@ extension IvschatClient { /// /// Creates an encrypted token that is used by a chat participant to establish an individual WebSocket chat connection to a room. When the token is used to connect to chat, the connection is valid for the session duration specified in the request. The token becomes invalid at the token-expiration timestamp included in the response. Use the capabilities field to permit an end user to send messages or moderate a room. The attributes field securely attaches structured data to the chat session; the data is included within each message sent by the end user and received by other participants in the room. Common use cases for attributes include passing end-user profile data like an icon, display name, colors, badges, and other display features. Encryption keys are owned by Amazon IVS Chat and never used directly by your application. /// - /// - Parameter CreateChatTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChatTokenInput`) /// - /// - Returns: `CreateChatTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChatTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChatTokenOutput.httpOutput(from:), CreateChatTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension IvschatClient { /// /// Creates a logging configuration that allows clients to store and record sent messages. /// - /// - Parameter CreateLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLoggingConfigurationInput`) /// - /// - Returns: `CreateLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoggingConfigurationOutput.httpOutput(from:), CreateLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension IvschatClient { /// /// Creates a room that allows clients to connect and pass messages. /// - /// - Parameter CreateRoomInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRoomInput`) /// - /// - Returns: `CreateRoomOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRoomOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRoomOutput.httpOutput(from:), CreateRoomOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension IvschatClient { /// /// Deletes the specified logging configuration. /// - /// - Parameter DeleteLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLoggingConfigurationInput`) /// - /// - Returns: `DeleteLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoggingConfigurationOutput.httpOutput(from:), DeleteLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension IvschatClient { /// /// Sends an event to a specific room which directs clients to delete a specific message; that is, unrender it from view and delete it from the client’s chat history. This event’s EventName is aws:DELETE_MESSAGE. This replicates the [ DeleteMessage](https://docs.aws.amazon.com/ivs/latest/chatmsgapireference/actions-deletemessage-publish.html) WebSocket operation in the Amazon IVS Chat Messaging API. /// - /// - Parameter DeleteMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMessageInput`) /// - /// - Returns: `DeleteMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMessageOutput.httpOutput(from:), DeleteMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension IvschatClient { /// /// Deletes the specified room. /// - /// - Parameter DeleteRoomInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRoomInput`) /// - /// - Returns: `DeleteRoomOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRoomOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRoomOutput.httpOutput(from:), DeleteRoomOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension IvschatClient { /// /// Disconnects all connections using a specified user ID from a room. This replicates the [ DisconnectUser](https://docs.aws.amazon.com/ivs/latest/chatmsgapireference/actions-disconnectuser-publish.html) WebSocket operation in the Amazon IVS Chat Messaging API. /// - /// - Parameter DisconnectUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisconnectUserInput`) /// - /// - Returns: `DisconnectUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisconnectUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +839,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisconnectUserOutput.httpOutput(from:), DisconnectUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension IvschatClient { /// /// Gets the specified logging configuration. /// - /// - Parameter GetLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoggingConfigurationInput`) /// - /// - Returns: `GetLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -916,7 +908,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoggingConfigurationOutput.httpOutput(from:), GetLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -948,9 +939,9 @@ extension IvschatClient { /// /// Gets the specified room. /// - /// - Parameter GetRoomInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRoomInput`) /// - /// - Returns: `GetRoomOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRoomOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -986,7 +977,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRoomOutput.httpOutput(from:), GetRoomOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1018,9 +1008,9 @@ extension IvschatClient { /// /// Gets summary information about all your logging configurations in the AWS region where the API request is processed. /// - /// - Parameter ListLoggingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLoggingConfigurationsInput`) /// - /// - Returns: `ListLoggingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLoggingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1055,7 +1045,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLoggingConfigurationsOutput.httpOutput(from:), ListLoggingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1087,9 +1076,9 @@ extension IvschatClient { /// /// Gets summary information about all your rooms in the AWS region where the API request is processed. Results are sorted in descending order of updateTime. /// - /// - Parameter ListRoomsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoomsInput`) /// - /// - Returns: `ListRoomsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoomsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1125,7 +1114,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoomsOutput.httpOutput(from:), ListRoomsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1157,9 +1145,9 @@ extension IvschatClient { /// /// Gets information about AWS tags for the specified ARN. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1192,7 +1180,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1224,9 +1211,9 @@ extension IvschatClient { /// /// Sends an event to a room. Use this within your application’s business logic to send events to clients of a room; e.g., to notify clients to change the way the chat UI is rendered. /// - /// - Parameter SendEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendEventInput`) /// - /// - Returns: `SendEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1264,7 +1251,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendEventOutput.httpOutput(from:), SendEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1296,9 +1282,9 @@ extension IvschatClient { /// /// Adds or updates tags for the AWS resource with the specified ARN. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1334,7 +1320,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1366,9 +1351,9 @@ extension IvschatClient { /// /// Removes tags from the resource with the specified ARN. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1402,7 +1387,6 @@ extension IvschatClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1434,9 +1418,9 @@ extension IvschatClient { /// /// Updates a specified logging configuration. /// - /// - Parameter UpdateLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLoggingConfigurationInput`) /// - /// - Returns: `UpdateLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1474,7 +1458,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLoggingConfigurationOutput.httpOutput(from:), UpdateLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1506,9 +1489,9 @@ extension IvschatClient { /// /// Updates a room’s configuration. /// - /// - Parameter UpdateRoomInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoomInput`) /// - /// - Returns: `UpdateRoomOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoomOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1545,7 +1528,6 @@ extension IvschatClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoomOutput.httpOutput(from:), UpdateRoomOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKMS/Sources/AWSKMS/KMSClient.swift b/Sources/Services/AWSKMS/Sources/AWSKMS/KMSClient.swift index 9b6802baea9..4aec79ad266 100644 --- a/Sources/Services/AWSKMS/Sources/AWSKMS/KMSClient.swift +++ b/Sources/Services/AWSKMS/Sources/AWSKMS/KMSClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KMSClient: ClientRuntime.Client { public static let clientName = "KMSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KMSClient.KMSClientConfiguration let serviceName = "KMS" @@ -374,9 +373,9 @@ extension KMSClient { /// /// Cancels the deletion of a KMS key. When this operation succeeds, the key state of the KMS key is Disabled. To enable the KMS key, use [EnableKey]. For more information about scheduling and canceling deletion of a KMS key, see [Deleting KMS keys](https://docs.aws.amazon.com/kms/latest/developerguide/deleting-keys.html) in the Key Management Service Developer Guide. The KMS key that you use for this operation must be in a compatible key state. For details, see [Key states of KMS keys](https://docs.aws.amazon.com/kms/latest/developerguide/key-state.html) in the Key Management Service Developer Guide. Cross-account use: No. You cannot perform this operation on a KMS key in a different Amazon Web Services account. Required permissions: [kms:CancelKeyDeletion](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (key policy) Related operations: [ScheduleKeyDeletion] Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter CancelKeyDeletionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelKeyDeletionInput`) /// - /// - Returns: `CancelKeyDeletionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelKeyDeletionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelKeyDeletionOutput.httpOutput(from:), CancelKeyDeletionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -464,9 +462,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ConnectCustomKeyStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConnectCustomKeyStoreInput`) /// - /// - Returns: `ConnectCustomKeyStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConnectCustomKeyStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -521,7 +519,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConnectCustomKeyStoreOutput.httpOutput(from:), ConnectCustomKeyStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -572,9 +569,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter CreateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAliasInput`) /// - /// - Returns: `CreateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -616,7 +613,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAliasOutput.httpOutput(from:), CreateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -671,9 +667,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter CreateCustomKeyStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomKeyStoreInput`) /// - /// - Returns: `CreateCustomKeyStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomKeyStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -730,7 +726,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomKeyStoreOutput.httpOutput(from:), CreateCustomKeyStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -783,9 +778,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter CreateGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGrantInput`) /// - /// - Returns: `CreateGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -829,7 +824,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGrantOutput.httpOutput(from:), CreateGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +867,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter CreateKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKeyInput`) /// - /// - Returns: `CreateKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -938,7 +932,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKeyOutput.httpOutput(from:), CreateKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -997,9 +990,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter DecryptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DecryptInput`) /// - /// - Returns: `DecryptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DecryptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1052,7 +1045,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DecryptOutput.httpOutput(from:), DecryptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1103,9 +1095,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter DeleteAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAliasInput`) /// - /// - Returns: `DeleteAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1144,7 +1136,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAliasOutput.httpOutput(from:), DeleteAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1192,9 +1183,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter DeleteCustomKeyStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomKeyStoreInput`) /// - /// - Returns: `DeleteCustomKeyStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomKeyStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1239,7 +1230,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomKeyStoreOutput.httpOutput(from:), DeleteCustomKeyStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1283,9 +1273,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter DeleteImportedKeyMaterialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImportedKeyMaterialInput`) /// - /// - Returns: `DeleteImportedKeyMaterialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImportedKeyMaterialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1326,7 +1316,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImportedKeyMaterialOutput.httpOutput(from:), DeleteImportedKeyMaterialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1383,9 +1372,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter DeriveSharedSecretInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeriveSharedSecretInput`) /// - /// - Returns: `DeriveSharedSecretOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeriveSharedSecretOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1436,7 +1425,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeriveSharedSecretOutput.httpOutput(from:), DeriveSharedSecretOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1484,9 +1472,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter DescribeCustomKeyStoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomKeyStoresInput`) /// - /// - Returns: `DescribeCustomKeyStoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomKeyStoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1520,7 +1508,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomKeyStoresOutput.httpOutput(from:), DescribeCustomKeyStoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1583,9 +1570,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter DescribeKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeKeyInput`) /// - /// - Returns: `DescribeKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1620,7 +1607,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeKeyOutput.httpOutput(from:), DescribeKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1655,9 +1641,9 @@ extension KMSClient { /// /// Sets the state of a KMS key to disabled. This change temporarily prevents use of the KMS key for [cryptographic operations](https://docs.aws.amazon.com/kms/latest/developerguide/kms-cryptography.html#cryptographic-operations). The KMS key that you use for this operation must be in a compatible key state. For more information about how key state affects the use of a KMS key, see [Key states of KMS keys](https://docs.aws.amazon.com/kms/latest/developerguide/key-state.html) in the Key Management Service Developer Guide . Cross-account use: No. You cannot perform this operation on a KMS key in a different Amazon Web Services account. Required permissions: [kms:DisableKey](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (key policy) Related operations: [EnableKey] Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter DisableKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableKeyInput`) /// - /// - Returns: `DisableKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1697,7 +1683,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableKeyOutput.httpOutput(from:), DisableKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1743,9 +1728,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter DisableKeyRotationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableKeyRotationInput`) /// - /// - Returns: `DisableKeyRotationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableKeyRotationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1787,7 +1772,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableKeyRotationOutput.httpOutput(from:), DisableKeyRotationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1835,9 +1819,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter DisconnectCustomKeyStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisconnectCustomKeyStoreInput`) /// - /// - Returns: `DisconnectCustomKeyStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisconnectCustomKeyStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1881,7 +1865,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisconnectCustomKeyStoreOutput.httpOutput(from:), DisconnectCustomKeyStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1916,9 +1899,9 @@ extension KMSClient { /// /// Sets the key state of a KMS key to enabled. This allows you to use the KMS key for [cryptographic operations](https://docs.aws.amazon.com/kms/latest/developerguide/kms-cryptography.html#cryptographic-operations). The KMS key that you use for this operation must be in a compatible key state. For details, see [Key states of KMS keys](https://docs.aws.amazon.com/kms/latest/developerguide/key-state.html) in the Key Management Service Developer Guide. Cross-account use: No. You cannot perform this operation on a KMS key in a different Amazon Web Services account. Required permissions: [kms:EnableKey](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (key policy) Related operations: [DisableKey] Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter EnableKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableKeyInput`) /// - /// - Returns: `EnableKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1959,7 +1942,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableKeyOutput.httpOutput(from:), EnableKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2005,9 +1987,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter EnableKeyRotationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableKeyRotationInput`) /// - /// - Returns: `EnableKeyRotationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableKeyRotationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2049,7 +2031,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableKeyRotationOutput.httpOutput(from:), EnableKeyRotationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2132,9 +2113,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter EncryptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EncryptInput`) /// - /// - Returns: `EncryptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EncryptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2185,7 +2166,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EncryptOutput.httpOutput(from:), EncryptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2249,9 +2229,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter GenerateDataKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateDataKeyInput`) /// - /// - Returns: `GenerateDataKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateDataKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2302,7 +2282,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateDataKeyOutput.httpOutput(from:), GenerateDataKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2350,9 +2329,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter GenerateDataKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateDataKeyPairInput`) /// - /// - Returns: `GenerateDataKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateDataKeyPairOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2404,7 +2383,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateDataKeyPairOutput.httpOutput(from:), GenerateDataKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2452,9 +2430,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter GenerateDataKeyPairWithoutPlaintextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateDataKeyPairWithoutPlaintextInput`) /// - /// - Returns: `GenerateDataKeyPairWithoutPlaintextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateDataKeyPairWithoutPlaintextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2506,7 +2484,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateDataKeyPairWithoutPlaintextOutput.httpOutput(from:), GenerateDataKeyPairWithoutPlaintextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2554,9 +2531,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter GenerateDataKeyWithoutPlaintextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateDataKeyWithoutPlaintextInput`) /// - /// - Returns: `GenerateDataKeyWithoutPlaintextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateDataKeyWithoutPlaintextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2607,7 +2584,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateDataKeyWithoutPlaintextOutput.httpOutput(from:), GenerateDataKeyWithoutPlaintextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2642,9 +2618,9 @@ extension KMSClient { /// /// Generates a hash-based message authentication code (HMAC) for a message using an HMAC KMS key and a MAC algorithm that the key supports. HMAC KMS keys and the HMAC algorithms that KMS uses conform to industry standards defined in [RFC 2104](https://datatracker.ietf.org/doc/html/rfc2104). You can use value that GenerateMac returns in the [VerifyMac] operation to demonstrate that the original message has not changed. Also, because a secret key is used to create the hash, you can verify that the party that generated the hash has the required secret key. You can also use the raw result to implement HMAC-based algorithms such as key derivation functions. This operation is part of KMS support for HMAC KMS keys. For details, see [HMAC keys in KMS](https://docs.aws.amazon.com/kms/latest/developerguide/hmac.html) in the Key Management Service Developer Guide . Best practices recommend that you limit the time during which any signing mechanism, including an HMAC, is effective. This deters an attack where the actor uses a signed message to establish validity repeatedly or long after the message is superseded. HMAC tags do not include a timestamp, but you can include a timestamp in the token or message to help you detect when its time to refresh the HMAC. The KMS key that you use for this operation must be in a compatible key state. For details, see [Key states of KMS keys](https://docs.aws.amazon.com/kms/latest/developerguide/key-state.html) in the Key Management Service Developer Guide. Cross-account use: Yes. To perform this operation with a KMS key in a different Amazon Web Services account, specify the key ARN or alias ARN in the value of the KeyId parameter. Required permissions: [kms:GenerateMac](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (key policy) Related operations: [VerifyMac] Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter GenerateMacInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateMacInput`) /// - /// - Returns: `GenerateMacOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateMacOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2694,7 +2670,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateMacOutput.httpOutput(from:), GenerateMacOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2729,9 +2704,9 @@ extension KMSClient { /// /// Returns a random byte string that is cryptographically secure. You must use the NumberOfBytes parameter to specify the length of the random byte string. There is no default value for string length. By default, the random byte string is generated in KMS. To generate the byte string in the CloudHSM cluster associated with an CloudHSM key store, use the CustomKeyStoreId parameter. GenerateRandom also supports [Amazon Web Services Nitro Enclaves](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/nitro-enclave.html), which provide an isolated compute environment in Amazon EC2. To call GenerateRandom for a Nitro enclave or NitroTPM, use the [Amazon Web Services Nitro Enclaves SDK](https://docs.aws.amazon.com/enclaves/latest/user/developing-applications.html#sdk) or any Amazon Web Services SDK. Use the Recipient parameter to provide the attestation document for the attested environment. Instead of plaintext bytes, the response includes the plaintext bytes encrypted under the public key from the attestation document (CiphertextForRecipient). For information about the interaction between KMS and Amazon Web Services Nitro Enclaves or Amazon Web Services NitroTPM, see [Cryptographic attestation support in KMS](https://docs.aws.amazon.com/kms/latest/developerguide/cryptographic-attestation.html) in the Key Management Service Developer Guide. For more information about entropy and random number generation, see [Entropy and random number generation](https://docs.aws.amazon.com/kms/latest/developerguide/kms-cryptography.html#entropy-and-random-numbers) in the Key Management Service Developer Guide. Cross-account use: Not applicable. GenerateRandom does not use any account-specific resources, such as KMS keys. Required permissions: [kms:GenerateRandom](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (IAM policy) Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter GenerateRandomInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateRandomInput`) /// - /// - Returns: `GenerateRandomOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateRandomOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2777,7 +2752,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateRandomOutput.httpOutput(from:), GenerateRandomOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2812,9 +2786,9 @@ extension KMSClient { /// /// Gets a key policy attached to the specified KMS key. Cross-account use: No. You cannot perform this operation on a KMS key in a different Amazon Web Services account. Required permissions: [kms:GetKeyPolicy](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (key policy) Related operations: [PutKeyPolicy](https://docs.aws.amazon.com/kms/latest/APIReference/API_PutKeyPolicy.html) Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter GetKeyPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKeyPolicyInput`) /// - /// - Returns: `GetKeyPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKeyPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2854,7 +2828,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKeyPolicyOutput.httpOutput(from:), GetKeyPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2907,9 +2880,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter GetKeyRotationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKeyRotationStatusInput`) /// - /// - Returns: `GetKeyRotationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKeyRotationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2950,7 +2923,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKeyRotationStatusOutput.httpOutput(from:), GetKeyRotationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3008,9 +2980,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter GetParametersForImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetParametersForImportInput`) /// - /// - Returns: `GetParametersForImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetParametersForImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3051,7 +3023,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetParametersForImportOutput.httpOutput(from:), GetParametersForImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3095,9 +3066,9 @@ extension KMSClient { /// /// Although KMS cannot enforce these restrictions on external operations, it is crucial that you use this information to prevent the public key from being used improperly. For example, you can prevent a public signing key from being used encrypt data, or prevent a public key from being used with an encryption algorithm that is not supported by KMS. You can also avoid errors, such as using the wrong signing algorithm in a verification operation. To verify a signature outside of KMS with an SM2 public key (China Regions only), you must specify the distinguishing ID. By default, KMS uses 1234567812345678 as the distinguishing ID. For more information, see [Offline verification with SM2 key pairs](https://docs.aws.amazon.com/kms/latest/developerguide/offline-operations.html#key-spec-sm-offline-verification). The KMS key that you use for this operation must be in a compatible key state. For details, see [Key states of KMS keys](https://docs.aws.amazon.com/kms/latest/developerguide/key-state.html) in the Key Management Service Developer Guide. Cross-account use: Yes. To perform this operation with a KMS key in a different Amazon Web Services account, specify the key ARN or alias ARN in the value of the KeyId parameter. Required permissions: [kms:GetPublicKey](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (key policy) Related operations: [CreateKey] Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter GetPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPublicKeyInput`) /// - /// - Returns: `GetPublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3149,7 +3120,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPublicKeyOutput.httpOutput(from:), GetPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3215,9 +3185,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ImportKeyMaterialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportKeyMaterialInput`) /// - /// - Returns: `ImportKeyMaterialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportKeyMaterialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3262,7 +3232,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportKeyMaterialOutput.httpOutput(from:), ImportKeyMaterialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3306,9 +3275,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ListAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAliasesInput`) /// - /// - Returns: `ListAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3344,7 +3313,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAliasesOutput.httpOutput(from:), ListAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3390,9 +3358,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ListGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGrantsInput`) /// - /// - Returns: `ListGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGrantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3434,7 +3402,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGrantsOutput.httpOutput(from:), ListGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3476,9 +3443,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ListKeyPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeyPoliciesInput`) /// - /// - Returns: `ListKeyPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeyPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3518,7 +3485,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeyPoliciesOutput.httpOutput(from:), ListKeyPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3568,9 +3534,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ListKeyRotationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeyRotationsInput`) /// - /// - Returns: `ListKeyRotationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeyRotationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3611,7 +3577,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeyRotationsOutput.httpOutput(from:), ListKeyRotationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3657,9 +3622,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ListKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeysInput`) /// - /// - Returns: `ListKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3693,7 +3658,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeysOutput.httpOutput(from:), ListKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3739,9 +3703,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ListResourceTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceTagsInput`) /// - /// - Returns: `ListResourceTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3776,7 +3740,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceTagsOutput.httpOutput(from:), ListResourceTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3822,9 +3785,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ListRetirableGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRetirableGrantsInput`) /// - /// - Returns: `ListRetirableGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRetirableGrantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3860,7 +3823,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRetirableGrantsOutput.httpOutput(from:), ListRetirableGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3895,9 +3857,9 @@ extension KMSClient { /// /// Attaches a key policy to the specified KMS key. For more information about key policies, see [Key Policies](https://docs.aws.amazon.com/kms/latest/developerguide/key-policies.html) in the Key Management Service Developer Guide. For help writing and formatting a JSON policy document, see the [IAM JSON Policy Reference](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_policies.html) in the Identity and Access Management User Guide . For examples of adding a key policy in multiple programming languages, see [Use PutKeyPolicy with an Amazon Web Services SDK or CLI](https://docs.aws.amazon.com/kms/latest/developerguide/example_kms_PutKeyPolicy_section.html) in the Key Management Service Developer Guide. Cross-account use: No. You cannot perform this operation on a KMS key in a different Amazon Web Services account. Required permissions: [kms:PutKeyPolicy](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (key policy) Related operations: [GetKeyPolicy] Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter PutKeyPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutKeyPolicyInput`) /// - /// - Returns: `PutKeyPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutKeyPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3940,7 +3902,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutKeyPolicyOutput.httpOutput(from:), PutKeyPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4002,9 +3963,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ReEncryptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReEncryptInput`) /// - /// - Returns: `ReEncryptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReEncryptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4057,7 +4018,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReEncryptOutput.httpOutput(from:), ReEncryptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4108,9 +4068,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ReplicateKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplicateKeyInput`) /// - /// - Returns: `ReplicateKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplicateKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4155,7 +4115,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplicateKeyOutput.httpOutput(from:), ReplicateKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4201,9 +4160,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter RetireGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetireGrantInput`) /// - /// - Returns: `RetireGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetireGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4246,7 +4205,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetireGrantOutput.httpOutput(from:), RetireGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4292,9 +4250,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter RevokeGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeGrantInput`) /// - /// - Returns: `RevokeGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4336,7 +4294,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeGrantOutput.httpOutput(from:), RevokeGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4384,9 +4341,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter RotateKeyOnDemandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RotateKeyOnDemandInput`) /// - /// - Returns: `RotateKeyOnDemandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RotateKeyOnDemandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4430,7 +4387,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RotateKeyOnDemandOutput.httpOutput(from:), RotateKeyOnDemandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4472,9 +4428,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter ScheduleKeyDeletionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ScheduleKeyDeletionInput`) /// - /// - Returns: `ScheduleKeyDeletionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ScheduleKeyDeletionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4514,7 +4470,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ScheduleKeyDeletionOutput.httpOutput(from:), ScheduleKeyDeletionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4558,9 +4513,9 @@ extension KMSClient { /// /// When signing a message, be sure to record the KMS key and the signing algorithm. This information is required to verify the signature. Best practices recommend that you limit the time during which any signature is effective. This deters an attack where the actor uses a signed message to establish validity repeatedly or long after the message is superseded. Signatures do not include a timestamp, but you can include a timestamp in the signed message to help you detect when its time to refresh the signature. To verify the signature that this operation generates, use the [Verify] operation. Or use the [GetPublicKey] operation to download the public key and then use the public key to verify the signature outside of KMS. The KMS key that you use for this operation must be in a compatible key state. For details, see [Key states of KMS keys](https://docs.aws.amazon.com/kms/latest/developerguide/key-state.html) in the Key Management Service Developer Guide. Cross-account use: Yes. To perform this operation with a KMS key in a different Amazon Web Services account, specify the key ARN or alias ARN in the value of the KeyId parameter. Required permissions: [kms:Sign](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (key policy) Related operations: [Verify] Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter SignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SignInput`) /// - /// - Returns: `SignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4611,7 +4566,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SignOutput.httpOutput(from:), SignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4657,9 +4611,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4700,7 +4654,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4746,9 +4699,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4788,7 +4741,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4841,9 +4793,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter UpdateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAliasInput`) /// - /// - Returns: `UpdateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4883,7 +4835,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAliasOutput.httpOutput(from:), UpdateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4931,9 +4882,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter UpdateCustomKeyStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCustomKeyStoreInput`) /// - /// - Returns: `UpdateCustomKeyStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCustomKeyStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5000,7 +4951,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomKeyStoreOutput.httpOutput(from:), UpdateCustomKeyStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5042,9 +4992,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter UpdateKeyDescriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKeyDescriptionInput`) /// - /// - Returns: `UpdateKeyDescriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKeyDescriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5084,7 +5034,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKeyDescriptionOutput.httpOutput(from:), UpdateKeyDescriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5133,9 +5082,9 @@ extension KMSClient { /// /// Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter UpdatePrimaryRegionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePrimaryRegionInput`) /// - /// - Returns: `UpdatePrimaryRegionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePrimaryRegionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5176,7 +5125,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePrimaryRegionOutput.httpOutput(from:), UpdatePrimaryRegionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5211,9 +5159,9 @@ extension KMSClient { /// /// Verifies a digital signature that was generated by the [Sign] operation. Verification confirms that an authorized user signed the message with the specified KMS key and signing algorithm, and the message hasn't changed since it was signed. If the signature is verified, the value of the SignatureValid field in the response is True. If the signature verification fails, the Verify operation fails with an KMSInvalidSignatureException exception. A digital signature is generated by using the private key in an asymmetric KMS key. The signature is verified by using the public key in the same asymmetric KMS key. For information about asymmetric KMS keys, see [Asymmetric KMS keys](https://docs.aws.amazon.com/kms/latest/developerguide/symmetric-asymmetric.html) in the Key Management Service Developer Guide. To use the Verify operation, specify the same asymmetric KMS key, message, and signing algorithm that were used to produce the signature. The message type does not need to be the same as the one used for signing, but it must indicate whether the value of the Message parameter should be hashed as part of the verification process. You can also verify the digital signature by using the public key of the KMS key outside of KMS. Use the [GetPublicKey] operation to download the public key in the asymmetric KMS key and then use the public key to verify the signature outside of KMS. The advantage of using the Verify operation is that it is performed within KMS. As a result, it's easy to call, the operation is performed within the FIPS boundary, it is logged in CloudTrail, and you can use key policy and IAM policy to determine who is authorized to use the KMS key to verify signatures. To verify a signature outside of KMS with an SM2 public key (China Regions only), you must specify the distinguishing ID. By default, KMS uses 1234567812345678 as the distinguishing ID. For more information, see [Offline verification with SM2 key pairs](https://docs.aws.amazon.com/kms/latest/developerguide/offline-operations.html#key-spec-sm-offline-verification). The KMS key that you use for this operation must be in a compatible key state. For details, see [Key states of KMS keys](https://docs.aws.amazon.com/kms/latest/developerguide/key-state.html) in the Key Management Service Developer Guide. Cross-account use: Yes. To perform this operation with a KMS key in a different Amazon Web Services account, specify the key ARN or alias ARN in the value of the KeyId parameter. Required permissions: [kms:Verify](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (key policy) Related operations: [Sign] Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter VerifyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifyInput`) /// - /// - Returns: `VerifyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5265,7 +5213,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyOutput.httpOutput(from:), VerifyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5300,9 +5247,9 @@ extension KMSClient { /// /// Verifies the hash-based message authentication code (HMAC) for a specified message, HMAC KMS key, and MAC algorithm. To verify the HMAC, VerifyMac computes an HMAC using the message, HMAC KMS key, and MAC algorithm that you specify, and compares the computed HMAC to the HMAC that you specify. If the HMACs are identical, the verification succeeds; otherwise, it fails. Verification indicates that the message hasn't changed since the HMAC was calculated, and the specified key was used to generate and verify the HMAC. HMAC KMS keys and the HMAC algorithms that KMS uses conform to industry standards defined in [RFC 2104](https://datatracker.ietf.org/doc/html/rfc2104). This operation is part of KMS support for HMAC KMS keys. For details, see [HMAC keys in KMS](https://docs.aws.amazon.com/kms/latest/developerguide/hmac.html) in the Key Management Service Developer Guide. The KMS key that you use for this operation must be in a compatible key state. For details, see [Key states of KMS keys](https://docs.aws.amazon.com/kms/latest/developerguide/key-state.html) in the Key Management Service Developer Guide. Cross-account use: Yes. To perform this operation with a KMS key in a different Amazon Web Services account, specify the key ARN or alias ARN in the value of the KeyId parameter. Required permissions: [kms:VerifyMac](https://docs.aws.amazon.com/kms/latest/developerguide/kms-api-permissions-reference.html) (key policy) Related operations: [GenerateMac] Eventual consistency: The KMS API follows an eventual consistency model. For more information, see [KMS eventual consistency](https://docs.aws.amazon.com/kms/latest/developerguide/accessing-kms.html#programming-eventual-consistency). /// - /// - Parameter VerifyMacInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifyMacInput`) /// - /// - Returns: `VerifyMacOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyMacOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5353,7 +5300,6 @@ extension KMSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyMacOutput.httpOutput(from:), VerifyMacOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKafka/Sources/AWSKafka/KafkaClient.swift b/Sources/Services/AWSKafka/Sources/AWSKafka/KafkaClient.swift index a1f82272704..905cb717492 100644 --- a/Sources/Services/AWSKafka/Sources/AWSKafka/KafkaClient.swift +++ b/Sources/Services/AWSKafka/Sources/AWSKafka/KafkaClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KafkaClient: ClientRuntime.Client { public static let clientName = "KafkaClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KafkaClient.KafkaClientConfiguration let serviceName = "Kafka" @@ -374,9 +373,9 @@ extension KafkaClient { /// /// Associates one or more Scram Secrets with an Amazon MSK cluster. /// - /// - Parameter BatchAssociateScramSecretInput : Associates sasl scram secrets to cluster. + /// - Parameter input: Associates sasl scram secrets to cluster. (Type: `BatchAssociateScramSecretInput`) /// - /// - Returns: `BatchAssociateScramSecretOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateScramSecretOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateScramSecretOutput.httpOutput(from:), BatchAssociateScramSecretOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension KafkaClient { /// /// Disassociates one or more Scram Secrets from an Amazon MSK cluster. /// - /// - Parameter BatchDisassociateScramSecretInput : Disassociates sasl scram secrets to cluster. + /// - Parameter input: Disassociates sasl scram secrets to cluster. (Type: `BatchDisassociateScramSecretInput`) /// - /// - Returns: `BatchDisassociateScramSecretOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateScramSecretOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateScramSecretOutput.httpOutput(from:), BatchDisassociateScramSecretOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension KafkaClient { /// /// Creates a new MSK cluster. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +561,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension KafkaClient { /// /// Creates a new MSK cluster. /// - /// - Parameter CreateClusterV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterV2Input`) /// - /// - Returns: `CreateClusterV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterV2Output.httpOutput(from:), CreateClusterV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension KafkaClient { /// /// Creates a new MSK configuration. /// - /// - Parameter CreateConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfigurationInput`) /// - /// - Returns: `CreateConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -712,7 +707,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationOutput.httpOutput(from:), CreateConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -744,9 +738,9 @@ extension KafkaClient { /// /// Creates the replicator. /// - /// - Parameter CreateReplicatorInput : Creates a replicator using the specified configuration. + /// - Parameter input: Creates a replicator using the specified configuration. (Type: `CreateReplicatorInput`) /// - /// - Returns: `CreateReplicatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReplicatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -787,7 +781,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplicatorOutput.httpOutput(from:), CreateReplicatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -819,9 +812,9 @@ extension KafkaClient { /// /// Creates a new MSK VPC connection. /// - /// - Parameter CreateVpcConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcConnectionInput`) /// - /// - Returns: `CreateVpcConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -860,7 +853,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcConnectionOutput.httpOutput(from:), CreateVpcConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -892,9 +884,9 @@ extension KafkaClient { /// /// Deletes the MSK cluster specified by the Amazon Resource Name (ARN) in the request. /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -929,7 +921,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteClusterInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -961,9 +952,9 @@ extension KafkaClient { /// /// Deletes the MSK cluster policy specified by the Amazon Resource Name (ARN) in the request. /// - /// - Parameter DeleteClusterPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterPolicyInput`) /// - /// - Returns: `DeleteClusterPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +988,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterPolicyOutput.httpOutput(from:), DeleteClusterPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1029,9 +1019,9 @@ extension KafkaClient { /// /// Deletes an MSK Configuration. /// - /// - Parameter DeleteConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfigurationInput`) /// - /// - Returns: `DeleteConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1065,7 +1055,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationOutput.httpOutput(from:), DeleteConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1097,9 +1086,9 @@ extension KafkaClient { /// /// Deletes a replicator. /// - /// - Parameter DeleteReplicatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReplicatorInput`) /// - /// - Returns: `DeleteReplicatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReplicatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1137,7 +1126,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteReplicatorInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicatorOutput.httpOutput(from:), DeleteReplicatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1169,9 +1157,9 @@ extension KafkaClient { /// /// Deletes a MSK VPC connection. /// - /// - Parameter DeleteVpcConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcConnectionInput`) /// - /// - Returns: `DeleteVpcConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1205,7 +1193,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcConnectionOutput.httpOutput(from:), DeleteVpcConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1237,9 +1224,9 @@ extension KafkaClient { /// /// Returns a description of the MSK cluster whose Amazon Resource Name (ARN) is specified in the request. /// - /// - Parameter DescribeClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterInput`) /// - /// - Returns: `DescribeClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1274,7 +1261,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterOutput.httpOutput(from:), DescribeClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1306,9 +1292,9 @@ extension KafkaClient { /// /// Returns a description of the cluster operation specified by the ARN. /// - /// - Parameter DescribeClusterOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterOperationInput`) /// - /// - Returns: `DescribeClusterOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1343,7 +1329,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterOperationOutput.httpOutput(from:), DescribeClusterOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1375,9 +1360,9 @@ extension KafkaClient { /// /// Returns a description of the cluster operation specified by the ARN. /// - /// - Parameter DescribeClusterOperationV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterOperationV2Input`) /// - /// - Returns: `DescribeClusterOperationV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterOperationV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1414,7 +1399,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterOperationV2Output.httpOutput(from:), DescribeClusterOperationV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1446,9 +1430,9 @@ extension KafkaClient { /// /// Returns a description of the MSK cluster whose Amazon Resource Name (ARN) is specified in the request. /// - /// - Parameter DescribeClusterV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterV2Input`) /// - /// - Returns: `DescribeClusterV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1483,7 +1467,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterV2Output.httpOutput(from:), DescribeClusterV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1515,9 +1498,9 @@ extension KafkaClient { /// /// Returns a description of this MSK configuration. /// - /// - Parameter DescribeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConfigurationInput`) /// - /// - Returns: `DescribeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1553,7 +1536,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationOutput.httpOutput(from:), DescribeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1585,9 +1567,9 @@ extension KafkaClient { /// /// Returns a description of this revision of the configuration. /// - /// - Parameter DescribeConfigurationRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConfigurationRevisionInput`) /// - /// - Returns: `DescribeConfigurationRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConfigurationRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1623,7 +1605,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationRevisionOutput.httpOutput(from:), DescribeConfigurationRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1655,9 +1636,9 @@ extension KafkaClient { /// /// Describes a replicator. /// - /// - Parameter DescribeReplicatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReplicatorInput`) /// - /// - Returns: `DescribeReplicatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReplicatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1694,7 +1675,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicatorOutput.httpOutput(from:), DescribeReplicatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1726,9 +1706,9 @@ extension KafkaClient { /// /// Returns a description of this MSK VPC connection. /// - /// - Parameter DescribeVpcConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcConnectionInput`) /// - /// - Returns: `DescribeVpcConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1764,7 +1744,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcConnectionOutput.httpOutput(from:), DescribeVpcConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1796,9 +1775,9 @@ extension KafkaClient { /// /// A list of brokers that a client application can use to bootstrap. This list doesn't necessarily include all of the brokers in the cluster. The following Python 3.6 example shows how you can use the Amazon Resource Name (ARN) of a cluster to get its bootstrap brokers. If you don't know the ARN of your cluster, you can use the ListClusters operation to get the ARNs of all the clusters in this account and Region. /// - /// - Parameter GetBootstrapBrokersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBootstrapBrokersInput`) /// - /// - Returns: `GetBootstrapBrokersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBootstrapBrokersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1833,7 +1812,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBootstrapBrokersOutput.httpOutput(from:), GetBootstrapBrokersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1865,9 +1843,9 @@ extension KafkaClient { /// /// Get the MSK cluster policy specified by the Amazon Resource Name (ARN) in the request. /// - /// - Parameter GetClusterPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClusterPolicyInput`) /// - /// - Returns: `GetClusterPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClusterPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1901,7 +1879,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClusterPolicyOutput.httpOutput(from:), GetClusterPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1933,9 +1910,9 @@ extension KafkaClient { /// /// Gets the Apache Kafka versions to which you can update the MSK cluster. /// - /// - Parameter GetCompatibleKafkaVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCompatibleKafkaVersionsInput`) /// - /// - Returns: `GetCompatibleKafkaVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCompatibleKafkaVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1973,7 +1950,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCompatibleKafkaVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCompatibleKafkaVersionsOutput.httpOutput(from:), GetCompatibleKafkaVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2005,9 +1981,9 @@ extension KafkaClient { /// /// Returns a list of all the VPC connections in this Region. /// - /// - Parameter ListClientVpcConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClientVpcConnectionsInput`) /// - /// - Returns: `ListClientVpcConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClientVpcConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2043,7 +2019,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClientVpcConnectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClientVpcConnectionsOutput.httpOutput(from:), ListClientVpcConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2075,9 +2050,9 @@ extension KafkaClient { /// /// Returns a list of all the operations that have been performed on the specified MSK cluster. /// - /// - Parameter ListClusterOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClusterOperationsInput`) /// - /// - Returns: `ListClusterOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClusterOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2112,7 +2087,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClusterOperationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClusterOperationsOutput.httpOutput(from:), ListClusterOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2144,9 +2118,9 @@ extension KafkaClient { /// /// Returns a list of all the operations that have been performed on the specified MSK cluster. /// - /// - Parameter ListClusterOperationsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClusterOperationsV2Input`) /// - /// - Returns: `ListClusterOperationsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClusterOperationsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2184,7 +2158,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClusterOperationsV2Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClusterOperationsV2Output.httpOutput(from:), ListClusterOperationsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2216,9 +2189,9 @@ extension KafkaClient { /// /// Returns a list of all the MSK clusters in the current Region. /// - /// - Parameter ListClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2253,7 +2226,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClustersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2285,9 +2257,9 @@ extension KafkaClient { /// /// Returns a list of all the MSK clusters in the current Region. /// - /// - Parameter ListClustersV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClustersV2Input`) /// - /// - Returns: `ListClustersV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClustersV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2322,7 +2294,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClustersV2Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersV2Output.httpOutput(from:), ListClustersV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2354,9 +2325,9 @@ extension KafkaClient { /// /// Returns a list of all the MSK configurations in this Region. /// - /// - Parameter ListConfigurationRevisionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationRevisionsInput`) /// - /// - Returns: `ListConfigurationRevisionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2393,7 +2364,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfigurationRevisionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationRevisionsOutput.httpOutput(from:), ListConfigurationRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2425,9 +2395,9 @@ extension KafkaClient { /// /// Returns a list of all the MSK configurations in this Region. /// - /// - Parameter ListConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationsInput`) /// - /// - Returns: `ListConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2463,7 +2433,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationsOutput.httpOutput(from:), ListConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2495,9 +2464,9 @@ extension KafkaClient { /// /// Returns a list of Apache Kafka versions. /// - /// - Parameter ListKafkaVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKafkaVersionsInput`) /// - /// - Returns: `ListKafkaVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKafkaVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2532,7 +2501,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKafkaVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKafkaVersionsOutput.httpOutput(from:), ListKafkaVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2564,9 +2532,9 @@ extension KafkaClient { /// /// Returns a list of the broker nodes in the cluster. /// - /// - Parameter ListNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNodesInput`) /// - /// - Returns: `ListNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2601,7 +2569,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNodesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNodesOutput.httpOutput(from:), ListNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2633,9 +2600,9 @@ extension KafkaClient { /// /// Lists the replicators. /// - /// - Parameter ListReplicatorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReplicatorsInput`) /// - /// - Returns: `ListReplicatorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReplicatorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2673,7 +2640,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReplicatorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReplicatorsOutput.httpOutput(from:), ListReplicatorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2705,9 +2671,9 @@ extension KafkaClient { /// /// Returns a list of the Scram Secrets associated with an Amazon MSK cluster. /// - /// - Parameter ListScramSecretsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListScramSecretsInput`) /// - /// - Returns: `ListScramSecretsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListScramSecretsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2745,7 +2711,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListScramSecretsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScramSecretsOutput.httpOutput(from:), ListScramSecretsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2777,9 +2742,9 @@ extension KafkaClient { /// /// Returns a list of the tags associated with the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2812,7 +2777,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2844,9 +2808,9 @@ extension KafkaClient { /// /// Returns a list of all the VPC connections in this Region. /// - /// - Parameter ListVpcConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVpcConnectionsInput`) /// - /// - Returns: `ListVpcConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVpcConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2882,7 +2846,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVpcConnectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcConnectionsOutput.httpOutput(from:), ListVpcConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2914,9 +2877,9 @@ extension KafkaClient { /// /// Creates or updates the MSK cluster policy specified by the cluster Amazon Resource Name (ARN) in the request. /// - /// - Parameter PutClusterPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutClusterPolicyInput`) /// - /// - Returns: `PutClusterPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutClusterPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2952,7 +2915,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutClusterPolicyOutput.httpOutput(from:), PutClusterPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2984,9 +2946,9 @@ extension KafkaClient { /// /// Reboots brokers. /// - /// - Parameter RebootBrokerInput : Reboots a node. + /// - Parameter input: Reboots a node. (Type: `RebootBrokerInput`) /// - /// - Returns: `RebootBrokerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootBrokerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3026,7 +2988,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootBrokerOutput.httpOutput(from:), RebootBrokerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3058,9 +3019,9 @@ extension KafkaClient { /// /// Returns empty response. /// - /// - Parameter RejectClientVpcConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectClientVpcConnectionInput`) /// - /// - Returns: `RejectClientVpcConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectClientVpcConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3098,7 +3059,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectClientVpcConnectionOutput.httpOutput(from:), RejectClientVpcConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3130,9 +3090,9 @@ extension KafkaClient { /// /// Adds tags to the specified MSK resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3168,7 +3128,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3200,9 +3159,9 @@ extension KafkaClient { /// /// Removes the tags associated with the keys that are provided in the query. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3236,7 +3195,6 @@ extension KafkaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3268,9 +3226,9 @@ extension KafkaClient { /// /// Updates the number of broker nodes in the cluster. /// - /// - Parameter UpdateBrokerCountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBrokerCountInput`) /// - /// - Returns: `UpdateBrokerCountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBrokerCountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3308,7 +3266,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBrokerCountOutput.httpOutput(from:), UpdateBrokerCountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3340,9 +3297,9 @@ extension KafkaClient { /// /// Updates the EBS storage associated with MSK brokers. /// - /// - Parameter UpdateBrokerStorageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBrokerStorageInput`) /// - /// - Returns: `UpdateBrokerStorageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBrokerStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3380,7 +3337,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBrokerStorageOutput.httpOutput(from:), UpdateBrokerStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3412,9 +3368,9 @@ extension KafkaClient { /// /// Updates EC2 instance type. /// - /// - Parameter UpdateBrokerTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBrokerTypeInput`) /// - /// - Returns: `UpdateBrokerTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBrokerTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3454,7 +3410,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBrokerTypeOutput.httpOutput(from:), UpdateBrokerTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3486,9 +3441,9 @@ extension KafkaClient { /// /// Updates the cluster with the configuration that is specified in the request body. /// - /// - Parameter UpdateClusterConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterConfigurationInput`) /// - /// - Returns: `UpdateClusterConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3527,7 +3482,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterConfigurationOutput.httpOutput(from:), UpdateClusterConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3559,9 +3513,9 @@ extension KafkaClient { /// /// Updates the Apache Kafka version for the cluster. /// - /// - Parameter UpdateClusterKafkaVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterKafkaVersionInput`) /// - /// - Returns: `UpdateClusterKafkaVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterKafkaVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3601,7 +3555,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterKafkaVersionOutput.httpOutput(from:), UpdateClusterKafkaVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3633,9 +3586,9 @@ extension KafkaClient { /// /// Updates an MSK configuration. /// - /// - Parameter UpdateConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfigurationInput`) /// - /// - Returns: `UpdateConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3674,7 +3627,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationOutput.httpOutput(from:), UpdateConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3706,9 +3658,9 @@ extension KafkaClient { /// /// Updates the cluster's connectivity configuration. /// - /// - Parameter UpdateConnectivityInput : Request body for UpdateConnectivity. + /// - Parameter input: Request body for UpdateConnectivity. (Type: `UpdateConnectivityInput`) /// - /// - Returns: `UpdateConnectivityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectivityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3747,7 +3699,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectivityOutput.httpOutput(from:), UpdateConnectivityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3779,9 +3730,9 @@ extension KafkaClient { /// /// Updates the monitoring settings for the cluster. You can use this operation to specify which Apache Kafka metrics you want Amazon MSK to send to Amazon CloudWatch. You can also specify settings for open monitoring with Prometheus. /// - /// - Parameter UpdateMonitoringInput : Request body for UpdateMonitoring. + /// - Parameter input: Request body for UpdateMonitoring. (Type: `UpdateMonitoringInput`) /// - /// - Returns: `UpdateMonitoringOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMonitoringOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3819,7 +3770,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMonitoringOutput.httpOutput(from:), UpdateMonitoringOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3851,9 +3801,9 @@ extension KafkaClient { /// /// Updates replication info of a replicator. /// - /// - Parameter UpdateReplicationInfoInput : Update information relating to replication between a given source and target Kafka cluster. + /// - Parameter input: Update information relating to replication between a given source and target Kafka cluster. (Type: `UpdateReplicationInfoInput`) /// - /// - Returns: `UpdateReplicationInfoOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReplicationInfoOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3893,7 +3843,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReplicationInfoOutput.httpOutput(from:), UpdateReplicationInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3925,9 +3874,9 @@ extension KafkaClient { /// /// Updates the security settings for the cluster. You can use this operation to specify encryption and authentication on existing clusters. /// - /// - Parameter UpdateSecurityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecurityInput`) /// - /// - Returns: `UpdateSecurityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecurityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3967,7 +3916,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecurityOutput.httpOutput(from:), UpdateSecurityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3999,9 +3947,9 @@ extension KafkaClient { /// /// Updates cluster broker volume size (or) sets cluster storage mode to TIERED. /// - /// - Parameter UpdateStorageInput : Request object for UpdateStorage api. Its used to update the storage attributes for the cluster. + /// - Parameter input: Request object for UpdateStorage api. Its used to update the storage attributes for the cluster. (Type: `UpdateStorageInput`) /// - /// - Returns: `UpdateStorageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4041,7 +3989,6 @@ extension KafkaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStorageOutput.httpOutput(from:), UpdateStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKafkaConnect/Sources/AWSKafkaConnect/KafkaConnectClient.swift b/Sources/Services/AWSKafkaConnect/Sources/AWSKafkaConnect/KafkaConnectClient.swift index 88c47be2cef..d805c5d6bf2 100644 --- a/Sources/Services/AWSKafkaConnect/Sources/AWSKafkaConnect/KafkaConnectClient.swift +++ b/Sources/Services/AWSKafkaConnect/Sources/AWSKafkaConnect/KafkaConnectClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KafkaConnectClient: ClientRuntime.Client { public static let clientName = "KafkaConnectClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KafkaConnectClient.KafkaConnectClientConfiguration let serviceName = "KafkaConnect" @@ -374,9 +373,9 @@ extension KafkaConnectClient { /// /// Creates a connector using the specified properties. /// - /// - Parameter CreateConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectorInput`) /// - /// - Returns: `CreateConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectorOutput.httpOutput(from:), CreateConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension KafkaConnectClient { /// /// Creates a custom plugin using the specified properties. /// - /// - Parameter CreateCustomPluginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomPluginInput`) /// - /// - Returns: `CreateCustomPluginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomPluginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomPluginOutput.httpOutput(from:), CreateCustomPluginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension KafkaConnectClient { /// /// Creates a worker configuration using the specified properties. /// - /// - Parameter CreateWorkerConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkerConfigurationInput`) /// - /// - Returns: `CreateWorkerConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkerConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkerConfigurationOutput.httpOutput(from:), CreateWorkerConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension KafkaConnectClient { /// /// Deletes the specified connector. /// - /// - Parameter DeleteConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectorInput`) /// - /// - Returns: `DeleteConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -639,7 +635,6 @@ extension KafkaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteConnectorInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectorOutput.httpOutput(from:), DeleteConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -671,9 +666,9 @@ extension KafkaConnectClient { /// /// Deletes a custom plugin. /// - /// - Parameter DeleteCustomPluginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomPluginInput`) /// - /// - Returns: `DeleteCustomPluginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomPluginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -710,7 +705,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomPluginOutput.httpOutput(from:), DeleteCustomPluginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -742,9 +736,9 @@ extension KafkaConnectClient { /// /// Deletes the specified worker configuration. /// - /// - Parameter DeleteWorkerConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkerConfigurationInput`) /// - /// - Returns: `DeleteWorkerConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkerConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -781,7 +775,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkerConfigurationOutput.httpOutput(from:), DeleteWorkerConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -813,9 +806,9 @@ extension KafkaConnectClient { /// /// Returns summary information about the connector. /// - /// - Parameter DescribeConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectorInput`) /// - /// - Returns: `DescribeConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectorOutput.httpOutput(from:), DescribeConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -884,9 +876,9 @@ extension KafkaConnectClient { /// /// Returns information about the specified connector's operations. /// - /// - Parameter DescribeConnectorOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectorOperationInput`) /// - /// - Returns: `DescribeConnectorOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectorOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -923,7 +915,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectorOperationOutput.httpOutput(from:), DescribeConnectorOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -955,9 +946,9 @@ extension KafkaConnectClient { /// /// A summary description of the custom plugin. /// - /// - Parameter DescribeCustomPluginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomPluginInput`) /// - /// - Returns: `DescribeCustomPluginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomPluginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -994,7 +985,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomPluginOutput.httpOutput(from:), DescribeCustomPluginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1026,9 +1016,9 @@ extension KafkaConnectClient { /// /// Returns information about a worker configuration. /// - /// - Parameter DescribeWorkerConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkerConfigurationInput`) /// - /// - Returns: `DescribeWorkerConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkerConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1065,7 +1055,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkerConfigurationOutput.httpOutput(from:), DescribeWorkerConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1097,9 +1086,9 @@ extension KafkaConnectClient { /// /// Lists information about a connector's operation(s). /// - /// - Parameter ListConnectorOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorOperationsInput`) /// - /// - Returns: `ListConnectorOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1137,7 +1126,6 @@ extension KafkaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectorOperationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorOperationsOutput.httpOutput(from:), ListConnectorOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1169,9 +1157,9 @@ extension KafkaConnectClient { /// /// Returns a list of all the connectors in this account and Region. The list is limited to connectors whose name starts with the specified prefix. The response also includes a description of each of the listed connectors. /// - /// - Parameter ListConnectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorsInput`) /// - /// - Returns: `ListConnectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1209,7 +1197,6 @@ extension KafkaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorsOutput.httpOutput(from:), ListConnectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1241,9 +1228,9 @@ extension KafkaConnectClient { /// /// Returns a list of all of the custom plugins in this account and Region. /// - /// - Parameter ListCustomPluginsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomPluginsInput`) /// - /// - Returns: `ListCustomPluginsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomPluginsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1281,7 +1268,6 @@ extension KafkaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCustomPluginsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomPluginsOutput.httpOutput(from:), ListCustomPluginsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1313,9 +1299,9 @@ extension KafkaConnectClient { /// /// Lists all the tags attached to the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1352,7 +1338,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1384,9 +1369,9 @@ extension KafkaConnectClient { /// /// Returns a list of all of the worker configurations in this account and Region. /// - /// - Parameter ListWorkerConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkerConfigurationsInput`) /// - /// - Returns: `ListWorkerConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkerConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1424,7 +1409,6 @@ extension KafkaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkerConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkerConfigurationsOutput.httpOutput(from:), ListWorkerConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1456,9 +1440,9 @@ extension KafkaConnectClient { /// /// Attaches tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1499,7 +1483,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1531,9 +1514,9 @@ extension KafkaConnectClient { /// /// Removes tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1571,7 +1554,6 @@ extension KafkaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1603,9 +1585,9 @@ extension KafkaConnectClient { /// /// Updates the specified connector. /// - /// - Parameter UpdateConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectorInput`) /// - /// - Returns: `UpdateConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1646,7 +1628,6 @@ extension KafkaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectorOutput.httpOutput(from:), UpdateConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKendra/Sources/AWSKendra/KendraClient.swift b/Sources/Services/AWSKendra/Sources/AWSKendra/KendraClient.swift index 4f3f6d599e1..9d5739b9521 100644 --- a/Sources/Services/AWSKendra/Sources/AWSKendra/KendraClient.swift +++ b/Sources/Services/AWSKendra/Sources/AWSKendra/KendraClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KendraClient: ClientRuntime.Client { public static let clientName = "KendraClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KendraClient.KendraClientConfiguration let serviceName = "kendra" @@ -375,9 +374,9 @@ extension KendraClient { /// /// Grants users or groups in your IAM Identity Center identity source access to your Amazon Kendra experience. You can create an Amazon Kendra experience such as a search application. For more information on creating a search application experience, see [Building a search experience with no code](https://docs.aws.amazon.com/kendra/latest/dg/deploying-search-experience-no-code.html). /// - /// - Parameter AssociateEntitiesToExperienceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateEntitiesToExperienceInput`) /// - /// - Returns: `AssociateEntitiesToExperienceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateEntitiesToExperienceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateEntitiesToExperienceOutput.httpOutput(from:), AssociateEntitiesToExperienceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension KendraClient { /// /// Defines the specific permissions of users or groups in your IAM Identity Center identity source with access to your Amazon Kendra experience. You can create an Amazon Kendra experience such as a search application. For more information on creating a search application experience, see [Building a search experience with no code](https://docs.aws.amazon.com/kendra/latest/dg/deploying-search-experience-no-code.html). /// - /// - Parameter AssociatePersonasToEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociatePersonasToEntitiesInput`) /// - /// - Returns: `AssociatePersonasToEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociatePersonasToEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePersonasToEntitiesOutput.httpOutput(from:), AssociatePersonasToEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension KendraClient { /// /// Removes one or more documents from an index. The documents must have been added with the BatchPutDocument API. The documents are deleted asynchronously. You can see the progress of the deletion by using Amazon Web Services CloudWatch. Any error messages related to the processing of the batch are sent to your Amazon Web Services CloudWatch log. You can also use the BatchGetDocumentStatus API to monitor the progress of deleting your documents. Deleting documents from an index using BatchDeleteDocument could take up to an hour or more, depending on the number of documents you want to delete. /// - /// - Parameter BatchDeleteDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteDocumentInput`) /// - /// - Returns: `BatchDeleteDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteDocumentOutput.httpOutput(from:), BatchDeleteDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension KendraClient { /// /// Removes one or more sets of featured results. Features results are placed above all other results for certain queries. If there's an exact match of a query, then one or more specific documents are featured in the search results. /// - /// - Parameter BatchDeleteFeaturedResultsSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteFeaturedResultsSetInput`) /// - /// - Returns: `BatchDeleteFeaturedResultsSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteFeaturedResultsSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteFeaturedResultsSetOutput.httpOutput(from:), BatchDeleteFeaturedResultsSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension KendraClient { /// /// Returns the indexing status for one or more documents submitted with the [ BatchPutDocument](https://docs.aws.amazon.com/kendra/latest/dg/API_BatchPutDocument.html) API. When you use the BatchPutDocument API, documents are indexed asynchronously. You can use the BatchGetDocumentStatus API to get the current status of a list of documents so that you can determine if they have been successfully indexed. You can also use the BatchGetDocumentStatus API to check the status of the [ BatchDeleteDocument](https://docs.aws.amazon.com/kendra/latest/dg/API_BatchDeleteDocument.html) API. When a document is deleted from the index, Amazon Kendra returns NOT_FOUND as the status. /// - /// - Parameter BatchGetDocumentStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetDocumentStatusInput`) /// - /// - Returns: `BatchGetDocumentStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetDocumentStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetDocumentStatusOutput.httpOutput(from:), BatchGetDocumentStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -744,9 +738,9 @@ extension KendraClient { /// /// Adds one or more documents to an index. The BatchPutDocument API enables you to ingest inline documents or a set of documents stored in an Amazon S3 bucket. Use this API to ingest your text and unstructured text into an index, add custom attributes to the documents, and to attach an access control list to the documents added to the index. The documents are indexed asynchronously. You can see the progress of the batch using Amazon Web Services CloudWatch. Any error messages related to processing the batch are sent to your Amazon Web Services CloudWatch log. You can also use the BatchGetDocumentStatus API to monitor the progress of indexing your documents. For an example of ingesting inline documents using Python and Java SDKs, see [Adding files directly to an index](https://docs.aws.amazon.com/kendra/latest/dg/in-adding-binary-doc.html). /// - /// - Parameter BatchPutDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutDocumentInput`) /// - /// - Returns: `BatchPutDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -784,7 +778,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutDocumentOutput.httpOutput(from:), BatchPutDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -819,9 +812,9 @@ extension KendraClient { /// /// Clears existing query suggestions from an index. This deletes existing suggestions only, not the queries in the query log. After you clear suggestions, Amazon Kendra learns new suggestions based on new queries added to the query log from the time you cleared suggestions. If you do not see any new suggestions, then please allow Amazon Kendra to collect enough queries to learn new suggestions. ClearQuerySuggestions is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter ClearQuerySuggestionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ClearQuerySuggestionsInput`) /// - /// - Returns: `ClearQuerySuggestionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ClearQuerySuggestionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -858,7 +851,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ClearQuerySuggestionsOutput.httpOutput(from:), ClearQuerySuggestionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -893,9 +885,9 @@ extension KendraClient { /// /// Creates an access configuration for your documents. This includes user and group access information for your documents. This is useful for user context filtering, where search results are filtered based on the user or their group access to documents. You can use this to re-configure your existing document level access control without indexing all of your documents again. For example, your index contains top-secret company documents that only certain employees or users should access. One of these users leaves the company or switches to a team that should be blocked from accessing top-secret documents. The user still has access to top-secret documents because the user had access when your documents were previously indexed. You can create a specific access control configuration for the user with deny access. You can later update the access control configuration to allow access if the user returns to the company and re-joins the 'top-secret' team. You can re-configure access control for your documents as circumstances change. To apply your access control configuration to certain documents, you call the [BatchPutDocument](https://docs.aws.amazon.com/kendra/latest/dg/API_BatchPutDocument.html) API with the AccessControlConfigurationId included in the [Document](https://docs.aws.amazon.com/kendra/latest/dg/API_Document.html) object. If you use an S3 bucket as a data source, you update the .metadata.json with the AccessControlConfigurationId and synchronize your data source. Amazon Kendra currently only supports access control configuration for S3 data sources and documents indexed using the BatchPutDocument API. You can't configure access control using CreateAccessControlConfiguration for an Amazon Kendra Gen AI Enterprise Edition index. Amazon Kendra will return a ValidationException error for a Gen_AI_ENTERPRISE_EDITION index. /// - /// - Parameter CreateAccessControlConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessControlConfigurationInput`) /// - /// - Returns: `CreateAccessControlConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessControlConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -934,7 +926,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessControlConfigurationOutput.httpOutput(from:), CreateAccessControlConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -969,9 +960,9 @@ extension KendraClient { /// /// Creates a data source connector that you want to use with an Amazon Kendra index. You specify a name, data source connector type and description for your data source. You also specify configuration information for the data source connector. CreateDataSource is a synchronous operation. The operation returns 200 if the data source was successfully created. Otherwise, an exception is raised. For an example of creating an index and data source using the Python SDK, see [Getting started with Python SDK](https://docs.aws.amazon.com/kendra/latest/dg/gs-python.html). For an example of creating an index and data source using the Java SDK, see [Getting started with Java SDK](https://docs.aws.amazon.com/kendra/latest/dg/gs-java.html). /// - /// - Parameter CreateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSourceInput`) /// - /// - Returns: `CreateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1011,7 +1002,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSourceOutput.httpOutput(from:), CreateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1046,9 +1036,9 @@ extension KendraClient { /// /// Creates an Amazon Kendra experience such as a search application. For more information on creating a search application experience, including using the Python and Java SDKs, see [Building a search experience with no code](https://docs.aws.amazon.com/kendra/latest/dg/deploying-search-experience-no-code.html). /// - /// - Parameter CreateExperienceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExperienceInput`) /// - /// - Returns: `CreateExperienceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExperienceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1087,7 +1077,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExperienceOutput.httpOutput(from:), CreateExperienceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1122,9 +1111,9 @@ extension KendraClient { /// /// Creates a set of frequently ask questions (FAQs) using a specified FAQ file stored in an Amazon S3 bucket. Adding FAQs to an index is an asynchronous operation. For an example of adding an FAQ to an index using Python and Java SDKs, see [Using your FAQ file](https://docs.aws.amazon.com/kendra/latest/dg/in-creating-faq.html#using-faq-file). /// - /// - Parameter CreateFaqInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFaqInput`) /// - /// - Returns: `CreateFaqOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFaqOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1163,7 +1152,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFaqOutput.httpOutput(from:), CreateFaqOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1198,9 +1186,9 @@ extension KendraClient { /// /// Creates a set of featured results to display at the top of the search results page. Featured results are placed above all other results for certain queries. You map specific queries to specific documents for featuring in the results. If a query contains an exact match, then one or more specific documents are featured in the search results. You can create up to 50 sets of featured results per index. You can request to increase this limit by contacting [Support](http://aws.amazon.com/contact-us/). /// - /// - Parameter CreateFeaturedResultsSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFeaturedResultsSetInput`) /// - /// - Returns: `CreateFeaturedResultsSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFeaturedResultsSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1238,7 +1226,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFeaturedResultsSetOutput.httpOutput(from:), CreateFeaturedResultsSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1273,9 +1260,9 @@ extension KendraClient { /// /// Creates an Amazon Kendra index. Index creation is an asynchronous API. To determine if index creation has completed, check the Status field returned from a call to DescribeIndex. The Status field is set to ACTIVE when the index is ready to use. Once the index is active, you can index your documents using the BatchPutDocument API or using one of the supported [data sources](https://docs.aws.amazon.com/kendra/latest/dg/data-sources.html). For an example of creating an index and data source using the Python SDK, see [Getting started with Python SDK](https://docs.aws.amazon.com/kendra/latest/dg/gs-python.html). For an example of creating an index and data source using the Java SDK, see [Getting started with Java SDK](https://docs.aws.amazon.com/kendra/latest/dg/gs-java.html). /// - /// - Parameter CreateIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIndexInput`) /// - /// - Returns: `CreateIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1314,7 +1301,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIndexOutput.httpOutput(from:), CreateIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1349,9 +1335,9 @@ extension KendraClient { /// /// Creates a block list to exlcude certain queries from suggestions. Any query that contains words or phrases specified in the block list is blocked or filtered out from being shown as a suggestion. You need to provide the file location of your block list text file in your S3 bucket. In your text file, enter each block word or phrase on a separate line. For information on the current quota limits for block lists, see [Quotas for Amazon Kendra](https://docs.aws.amazon.com/kendra/latest/dg/quotas.html). CreateQuerySuggestionsBlockList is currently not supported in the Amazon Web Services GovCloud (US-West) region. For an example of creating a block list for query suggestions using the Python SDK, see [Query suggestions block list](https://docs.aws.amazon.com/kendra/latest/dg/query-suggestions.html#query-suggestions-blocklist). /// - /// - Parameter CreateQuerySuggestionsBlockListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQuerySuggestionsBlockListInput`) /// - /// - Returns: `CreateQuerySuggestionsBlockListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQuerySuggestionsBlockListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1390,7 +1376,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQuerySuggestionsBlockListOutput.httpOutput(from:), CreateQuerySuggestionsBlockListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1425,9 +1410,9 @@ extension KendraClient { /// /// Creates a thesaurus for an index. The thesaurus contains a list of synonyms in Solr format. For an example of adding a thesaurus file to an index, see [Adding custom synonyms to an index](https://docs.aws.amazon.com/kendra/latest/dg/index-synonyms-adding-thesaurus-file.html). /// - /// - Parameter CreateThesaurusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateThesaurusInput`) /// - /// - Returns: `CreateThesaurusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateThesaurusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1466,7 +1451,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateThesaurusOutput.httpOutput(from:), CreateThesaurusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1501,9 +1485,9 @@ extension KendraClient { /// /// Deletes an access control configuration that you created for your documents in an index. This includes user and group access information for your documents. This is useful for user context filtering, where search results are filtered based on the user or their group access to documents. /// - /// - Parameter DeleteAccessControlConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessControlConfigurationInput`) /// - /// - Returns: `DeleteAccessControlConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessControlConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1540,7 +1524,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessControlConfigurationOutput.httpOutput(from:), DeleteAccessControlConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1575,9 +1558,9 @@ extension KendraClient { /// /// Deletes an Amazon Kendra data source connector. An exception is not thrown if the data source is already being deleted. While the data source is being deleted, the Status field returned by a call to the DescribeDataSource API is set to DELETING. For more information, see [Deleting Data Sources](https://docs.aws.amazon.com/kendra/latest/dg/delete-data-source.html). Deleting an entire data source or re-syncing your index after deleting specific documents from a data source could take up to an hour or more, depending on the number of documents you want to delete. /// - /// - Parameter DeleteDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataSourceInput`) /// - /// - Returns: `DeleteDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1614,7 +1597,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSourceOutput.httpOutput(from:), DeleteDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1649,9 +1631,9 @@ extension KendraClient { /// /// Deletes your Amazon Kendra experience such as a search application. For more information on creating a search application experience, see [Building a search experience with no code](https://docs.aws.amazon.com/kendra/latest/dg/deploying-search-experience-no-code.html). /// - /// - Parameter DeleteExperienceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExperienceInput`) /// - /// - Returns: `DeleteExperienceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExperienceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1688,7 +1670,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExperienceOutput.httpOutput(from:), DeleteExperienceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1723,9 +1704,9 @@ extension KendraClient { /// /// Removes a FAQ from an index. /// - /// - Parameter DeleteFaqInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFaqInput`) /// - /// - Returns: `DeleteFaqOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFaqOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1762,7 +1743,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFaqOutput.httpOutput(from:), DeleteFaqOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1797,9 +1777,9 @@ extension KendraClient { /// /// Deletes an Amazon Kendra index. An exception is not thrown if the index is already being deleted. While the index is being deleted, the Status field returned by a call to the DescribeIndex API is set to DELETING. /// - /// - Parameter DeleteIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIndexInput`) /// - /// - Returns: `DeleteIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1836,7 +1816,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIndexOutput.httpOutput(from:), DeleteIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1871,9 +1850,9 @@ extension KendraClient { /// /// Deletes a group so that all users that belong to the group can no longer access documents only available to that group. For example, after deleting the group "Summer Interns", all interns who belonged to that group no longer see intern-only documents in their search results. If you want to delete or replace users or sub groups of a group, you need to use the PutPrincipalMapping operation. For example, if a user in the group "Engineering" leaves the engineering team and another user takes their place, you provide an updated list of users or sub groups that belong to the "Engineering" group when calling PutPrincipalMapping. You can update your internal list of users or sub groups and input this list when calling PutPrincipalMapping. DeletePrincipalMapping is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter DeletePrincipalMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePrincipalMappingInput`) /// - /// - Returns: `DeletePrincipalMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePrincipalMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1910,7 +1889,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePrincipalMappingOutput.httpOutput(from:), DeletePrincipalMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1945,9 +1923,9 @@ extension KendraClient { /// /// Deletes a block list used for query suggestions for an index. A deleted block list might not take effect right away. Amazon Kendra needs to refresh the entire suggestions list to add back the queries that were previously blocked. DeleteQuerySuggestionsBlockList is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter DeleteQuerySuggestionsBlockListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQuerySuggestionsBlockListInput`) /// - /// - Returns: `DeleteQuerySuggestionsBlockListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQuerySuggestionsBlockListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1984,7 +1962,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQuerySuggestionsBlockListOutput.httpOutput(from:), DeleteQuerySuggestionsBlockListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2019,9 +1996,9 @@ extension KendraClient { /// /// Deletes an Amazon Kendra thesaurus. /// - /// - Parameter DeleteThesaurusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteThesaurusInput`) /// - /// - Returns: `DeleteThesaurusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteThesaurusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2058,7 +2035,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThesaurusOutput.httpOutput(from:), DeleteThesaurusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2093,9 +2069,9 @@ extension KendraClient { /// /// Gets information about an access control configuration that you created for your documents in an index. This includes user and group access information for your documents. This is useful for user context filtering, where search results are filtered based on the user or their group access to documents. /// - /// - Parameter DescribeAccessControlConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccessControlConfigurationInput`) /// - /// - Returns: `DescribeAccessControlConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccessControlConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2131,7 +2107,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccessControlConfigurationOutput.httpOutput(from:), DescribeAccessControlConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2166,9 +2141,9 @@ extension KendraClient { /// /// Gets information about an Amazon Kendra data source connector. /// - /// - Parameter DescribeDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataSourceInput`) /// - /// - Returns: `DescribeDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2204,7 +2179,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataSourceOutput.httpOutput(from:), DescribeDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2239,9 +2213,9 @@ extension KendraClient { /// /// Gets information about your Amazon Kendra experience such as a search application. For more information on creating a search application experience, see [Building a search experience with no code](https://docs.aws.amazon.com/kendra/latest/dg/deploying-search-experience-no-code.html). /// - /// - Parameter DescribeExperienceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExperienceInput`) /// - /// - Returns: `DescribeExperienceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExperienceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2277,7 +2251,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExperienceOutput.httpOutput(from:), DescribeExperienceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2312,9 +2285,9 @@ extension KendraClient { /// /// Gets information about a FAQ. /// - /// - Parameter DescribeFaqInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFaqInput`) /// - /// - Returns: `DescribeFaqOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFaqOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2350,7 +2323,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFaqOutput.httpOutput(from:), DescribeFaqOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2385,9 +2357,9 @@ extension KendraClient { /// /// Gets information about a set of featured results. Features results are placed above all other results for certain queries. If there's an exact match of a query, then one or more specific documents are featured in the search results. /// - /// - Parameter DescribeFeaturedResultsSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFeaturedResultsSetInput`) /// - /// - Returns: `DescribeFeaturedResultsSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFeaturedResultsSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2423,7 +2395,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFeaturedResultsSetOutput.httpOutput(from:), DescribeFeaturedResultsSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2458,9 +2429,9 @@ extension KendraClient { /// /// Gets information about an Amazon Kendra index. /// - /// - Parameter DescribeIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIndexInput`) /// - /// - Returns: `DescribeIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2496,7 +2467,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIndexOutput.httpOutput(from:), DescribeIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2531,9 +2501,9 @@ extension KendraClient { /// /// Describes the processing of PUT and DELETE actions for mapping users to their groups. This includes information on the status of actions currently processing or yet to be processed, when actions were last updated, when actions were received by Amazon Kendra, the latest action that should process and apply after other actions, and useful error messages if an action could not be processed. DescribePrincipalMapping is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter DescribePrincipalMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePrincipalMappingInput`) /// - /// - Returns: `DescribePrincipalMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePrincipalMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2569,7 +2539,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePrincipalMappingOutput.httpOutput(from:), DescribePrincipalMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2604,9 +2573,9 @@ extension KendraClient { /// /// Gets information about a block list used for query suggestions for an index. This is used to check the current settings that are applied to a block list. DescribeQuerySuggestionsBlockList is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter DescribeQuerySuggestionsBlockListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQuerySuggestionsBlockListInput`) /// - /// - Returns: `DescribeQuerySuggestionsBlockListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQuerySuggestionsBlockListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2642,7 +2611,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQuerySuggestionsBlockListOutput.httpOutput(from:), DescribeQuerySuggestionsBlockListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2677,9 +2645,9 @@ extension KendraClient { /// /// Gets information on the settings of query suggestions for an index. This is used to check the current settings applied to query suggestions. DescribeQuerySuggestionsConfig is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter DescribeQuerySuggestionsConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQuerySuggestionsConfigInput`) /// - /// - Returns: `DescribeQuerySuggestionsConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQuerySuggestionsConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2715,7 +2683,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQuerySuggestionsConfigOutput.httpOutput(from:), DescribeQuerySuggestionsConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2750,9 +2717,9 @@ extension KendraClient { /// /// Gets information about an Amazon Kendra thesaurus. /// - /// - Parameter DescribeThesaurusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeThesaurusInput`) /// - /// - Returns: `DescribeThesaurusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeThesaurusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2788,7 +2755,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeThesaurusOutput.httpOutput(from:), DescribeThesaurusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2823,9 +2789,9 @@ extension KendraClient { /// /// Prevents users or groups in your IAM Identity Center identity source from accessing your Amazon Kendra experience. You can create an Amazon Kendra experience such as a search application. For more information on creating a search application experience, see [Building a search experience with no code](https://docs.aws.amazon.com/kendra/latest/dg/deploying-search-experience-no-code.html). /// - /// - Parameter DisassociateEntitiesFromExperienceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateEntitiesFromExperienceInput`) /// - /// - Returns: `DisassociateEntitiesFromExperienceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateEntitiesFromExperienceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2861,7 +2827,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateEntitiesFromExperienceOutput.httpOutput(from:), DisassociateEntitiesFromExperienceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2896,9 +2861,9 @@ extension KendraClient { /// /// Removes the specific permissions of users or groups in your IAM Identity Center identity source with access to your Amazon Kendra experience. You can create an Amazon Kendra experience such as a search application. For more information on creating a search application experience, see [Building a search experience with no code](https://docs.aws.amazon.com/kendra/latest/dg/deploying-search-experience-no-code.html). /// - /// - Parameter DisassociatePersonasFromEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociatePersonasFromEntitiesInput`) /// - /// - Returns: `DisassociatePersonasFromEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociatePersonasFromEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2934,7 +2899,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociatePersonasFromEntitiesOutput.httpOutput(from:), DisassociatePersonasFromEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2969,9 +2933,9 @@ extension KendraClient { /// /// Fetches the queries that are suggested to your users. GetQuerySuggestions is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter GetQuerySuggestionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQuerySuggestionsInput`) /// - /// - Returns: `GetQuerySuggestionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQuerySuggestionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3009,7 +2973,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQuerySuggestionsOutput.httpOutput(from:), GetQuerySuggestionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3044,9 +3007,9 @@ extension KendraClient { /// /// Retrieves search metrics data. The data provides a snapshot of how your users interact with your search application and how effective the application is. /// - /// - Parameter GetSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSnapshotsInput`) /// - /// - Returns: `GetSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3081,7 +3044,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSnapshotsOutput.httpOutput(from:), GetSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3116,9 +3078,9 @@ extension KendraClient { /// /// Lists one or more access control configurations for an index. This includes user and group access information for your documents. This is useful for user context filtering, where search results are filtered based on the user or their group access to documents. /// - /// - Parameter ListAccessControlConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessControlConfigurationsInput`) /// - /// - Returns: `ListAccessControlConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessControlConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3154,7 +3116,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessControlConfigurationsOutput.httpOutput(from:), ListAccessControlConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3189,9 +3150,9 @@ extension KendraClient { /// /// Gets statistics about synchronizing a data source connector. /// - /// - Parameter ListDataSourceSyncJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSourceSyncJobsInput`) /// - /// - Returns: `ListDataSourceSyncJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSourceSyncJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3228,7 +3189,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourceSyncJobsOutput.httpOutput(from:), ListDataSourceSyncJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3263,9 +3223,9 @@ extension KendraClient { /// /// Lists the data source connectors that you have created. /// - /// - Parameter ListDataSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSourcesInput`) /// - /// - Returns: `ListDataSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3301,7 +3261,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourcesOutput.httpOutput(from:), ListDataSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3336,9 +3295,9 @@ extension KendraClient { /// /// Lists specific permissions of users and groups with access to your Amazon Kendra experience. /// - /// - Parameter ListEntityPersonasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntityPersonasInput`) /// - /// - Returns: `ListEntityPersonasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntityPersonasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3374,7 +3333,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntityPersonasOutput.httpOutput(from:), ListEntityPersonasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3409,9 +3367,9 @@ extension KendraClient { /// /// Lists users or groups in your IAM Identity Center identity source that are granted access to your Amazon Kendra experience. You can create an Amazon Kendra experience such as a search application. For more information on creating a search application experience, see [Building a search experience with no code](https://docs.aws.amazon.com/kendra/latest/dg/deploying-search-experience-no-code.html). /// - /// - Parameter ListExperienceEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExperienceEntitiesInput`) /// - /// - Returns: `ListExperienceEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExperienceEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3447,7 +3405,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExperienceEntitiesOutput.httpOutput(from:), ListExperienceEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3482,9 +3439,9 @@ extension KendraClient { /// /// Lists one or more Amazon Kendra experiences. You can create an Amazon Kendra experience such as a search application. For more information on creating a search application experience, see [Building a search experience with no code](https://docs.aws.amazon.com/kendra/latest/dg/deploying-search-experience-no-code.html). /// - /// - Parameter ListExperiencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExperiencesInput`) /// - /// - Returns: `ListExperiencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExperiencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3520,7 +3477,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExperiencesOutput.httpOutput(from:), ListExperiencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3555,9 +3511,9 @@ extension KendraClient { /// /// Gets a list of FAQs associated with an index. /// - /// - Parameter ListFaqsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFaqsInput`) /// - /// - Returns: `ListFaqsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFaqsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3593,7 +3549,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFaqsOutput.httpOutput(from:), ListFaqsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3628,9 +3583,9 @@ extension KendraClient { /// /// Lists all your sets of featured results for a given index. Features results are placed above all other results for certain queries. If there's an exact match of a query, then one or more specific documents are featured in the search results. /// - /// - Parameter ListFeaturedResultsSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFeaturedResultsSetsInput`) /// - /// - Returns: `ListFeaturedResultsSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFeaturedResultsSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3666,7 +3621,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFeaturedResultsSetsOutput.httpOutput(from:), ListFeaturedResultsSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3701,9 +3655,9 @@ extension KendraClient { /// /// Provides a list of groups that are mapped to users before a given ordering or timestamp identifier. ListGroupsOlderThanOrderingId is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter ListGroupsOlderThanOrderingIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsOlderThanOrderingIdInput`) /// - /// - Returns: `ListGroupsOlderThanOrderingIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsOlderThanOrderingIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3740,7 +3694,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOlderThanOrderingIdOutput.httpOutput(from:), ListGroupsOlderThanOrderingIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3775,9 +3728,9 @@ extension KendraClient { /// /// Lists the Amazon Kendra indexes that you created. /// - /// - Parameter ListIndicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIndicesInput`) /// - /// - Returns: `ListIndicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIndicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3812,7 +3765,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIndicesOutput.httpOutput(from:), ListIndicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3847,9 +3799,9 @@ extension KendraClient { /// /// Lists the block lists used for query suggestions for an index. For information on the current quota limits for block lists, see [Quotas for Amazon Kendra](https://docs.aws.amazon.com/kendra/latest/dg/quotas.html). ListQuerySuggestionsBlockLists is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter ListQuerySuggestionsBlockListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQuerySuggestionsBlockListsInput`) /// - /// - Returns: `ListQuerySuggestionsBlockListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQuerySuggestionsBlockListsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3885,7 +3837,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQuerySuggestionsBlockListsOutput.httpOutput(from:), ListQuerySuggestionsBlockListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3920,9 +3871,9 @@ extension KendraClient { /// /// Gets a list of tags associated with a resource. Indexes, FAQs, data sources, and other resources can have tags associated with them. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3958,7 +3909,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3993,9 +3943,9 @@ extension KendraClient { /// /// Lists the thesauri for an index. /// - /// - Parameter ListThesauriInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThesauriInput`) /// - /// - Returns: `ListThesauriOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThesauriOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4031,7 +3981,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThesauriOutput.httpOutput(from:), ListThesauriOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4066,9 +4015,9 @@ extension KendraClient { /// /// Maps users to their groups so that you only need to provide the user ID when you issue the query. You can also map sub groups to groups. For example, the group "Company Intellectual Property Teams" includes sub groups "Research" and "Engineering". These sub groups include their own list of users or people who work in these teams. Only users who work in research and engineering, and therefore belong in the intellectual property group, can see top-secret company documents in their search results. This is useful for user context filtering, where search results are filtered based on the user or their group access to documents. For more information, see [Filtering on user context](https://docs.aws.amazon.com/kendra/latest/dg/user-context-filter.html). If more than five PUT actions for a group are currently processing, a validation exception is thrown. /// - /// - Parameter PutPrincipalMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPrincipalMappingInput`) /// - /// - Returns: `PutPrincipalMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPrincipalMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4106,7 +4055,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPrincipalMappingOutput.httpOutput(from:), PutPrincipalMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4150,9 +4098,9 @@ extension KendraClient { /// /// You can specify that the query return only one type of result using the QueryResultTypeFilter parameter. Each query returns the 100 most relevant results. If you filter result type to only question-answers, a maximum of four results are returned. If you filter result type to only answers, a maximum of three results are returned. If you're using an Amazon Kendra Gen AI Enterprise Edition index, you can only use ATTRIBUTE_FILTER to filter search results by user context. If you're using an Amazon Kendra Gen AI Enterprise Edition index and you try to use USER_TOKEN to configure user context policy, Amazon Kendra returns a ValidationException error. /// - /// - Parameter QueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `QueryInput`) /// - /// - Returns: `QueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `QueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4190,7 +4138,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QueryOutput.httpOutput(from:), QueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4236,9 +4183,9 @@ extension KendraClient { /// /// You can also include certain fields in the response that might provide useful additional information. The Retrieve API shares the number of [query capacity units](https://docs.aws.amazon.com/kendra/latest/APIReference/API_CapacityUnitsConfiguration.html) that you set for your index. For more information on what's included in a single capacity unit and the default base capacity for an index, see [Adjusting capacity](https://docs.aws.amazon.com/kendra/latest/dg/adjusting-capacity.html). If you're using an Amazon Kendra Gen AI Enterprise Edition index, you can only use ATTRIBUTE_FILTER to filter search results by user context. If you're using an Amazon Kendra Gen AI Enterprise Edition index and you try to use USER_TOKEN to configure user context policy, Amazon Kendra returns a ValidationException error. /// - /// - Parameter RetrieveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetrieveInput`) /// - /// - Returns: `RetrieveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetrieveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4276,7 +4223,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetrieveOutput.httpOutput(from:), RetrieveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4311,9 +4257,9 @@ extension KendraClient { /// /// Starts a synchronization job for a data source connector. If a synchronization job is already in progress, Amazon Kendra returns a ResourceInUseException exception. Re-syncing your data source with your index after modifying, adding, or deleting documents from your data source respository could take up to an hour or more, depending on the number of documents to sync. /// - /// - Parameter StartDataSourceSyncJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDataSourceSyncJobInput`) /// - /// - Returns: `StartDataSourceSyncJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDataSourceSyncJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4351,7 +4297,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDataSourceSyncJobOutput.httpOutput(from:), StartDataSourceSyncJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4386,9 +4331,9 @@ extension KendraClient { /// /// Stops a synchronization job that is currently running. You can't stop a scheduled synchronization job. /// - /// - Parameter StopDataSourceSyncJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDataSourceSyncJobInput`) /// - /// - Returns: `StopDataSourceSyncJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDataSourceSyncJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4424,7 +4369,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDataSourceSyncJobOutput.httpOutput(from:), StopDataSourceSyncJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4459,9 +4403,9 @@ extension KendraClient { /// /// Enables you to provide feedback to Amazon Kendra to improve the performance of your index. SubmitFeedback is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter SubmitFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubmitFeedbackInput`) /// - /// - Returns: `SubmitFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubmitFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4498,7 +4442,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitFeedbackOutput.httpOutput(from:), SubmitFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4533,9 +4476,9 @@ extension KendraClient { /// /// Adds the specified tag to the specified index, FAQ, data source, or other resource. If the tag already exists, the existing value is replaced with the new value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4571,7 +4514,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4606,9 +4548,9 @@ extension KendraClient { /// /// Removes a tag from an index, FAQ, data source, or other resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4644,7 +4586,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4679,9 +4620,9 @@ extension KendraClient { /// /// Updates an access control configuration for your documents in an index. This includes user and group access information for your documents. This is useful for user context filtering, where search results are filtered based on the user or their group access to documents. You can update an access control configuration you created without indexing all of your documents again. For example, your index contains top-secret company documents that only certain employees or users should access. You created an 'allow' access control configuration for one user who recently joined the 'top-secret' team, switching from a team with 'deny' access to top-secret documents. However, the user suddenly returns to their previous team and should no longer have access to top secret documents. You can update the access control configuration to re-configure access control for your documents as circumstances change. You call the [BatchPutDocument](https://docs.aws.amazon.com/kendra/latest/dg/API_BatchPutDocument.html) API to apply the updated access control configuration, with the AccessControlConfigurationId included in the [Document](https://docs.aws.amazon.com/kendra/latest/dg/API_Document.html) object. If you use an S3 bucket as a data source, you synchronize your data source to apply the AccessControlConfigurationId in the .metadata.json file. Amazon Kendra currently only supports access control configuration for S3 data sources and documents indexed using the BatchPutDocument API. You can't configure access control using CreateAccessControlConfiguration for an Amazon Kendra Gen AI Enterprise Edition index. Amazon Kendra will return a ValidationException error for a Gen_AI_ENTERPRISE_EDITION index. /// - /// - Parameter UpdateAccessControlConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccessControlConfigurationInput`) /// - /// - Returns: `UpdateAccessControlConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccessControlConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4719,7 +4660,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccessControlConfigurationOutput.httpOutput(from:), UpdateAccessControlConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4754,9 +4694,9 @@ extension KendraClient { /// /// Updates an Amazon Kendra data source connector. /// - /// - Parameter UpdateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSourceInput`) /// - /// - Returns: `UpdateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4793,7 +4733,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSourceOutput.httpOutput(from:), UpdateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4828,9 +4767,9 @@ extension KendraClient { /// /// Updates your Amazon Kendra experience such as a search application. For more information on creating a search application experience, see [Building a search experience with no code](https://docs.aws.amazon.com/kendra/latest/dg/deploying-search-experience-no-code.html). /// - /// - Parameter UpdateExperienceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateExperienceInput`) /// - /// - Returns: `UpdateExperienceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateExperienceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4867,7 +4806,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateExperienceOutput.httpOutput(from:), UpdateExperienceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4902,9 +4840,9 @@ extension KendraClient { /// /// Updates a set of featured results. Features results are placed above all other results for certain queries. You map specific queries to specific documents for featuring in the results. If a query contains an exact match of a query, then one or more specific documents are featured in the search results. /// - /// - Parameter UpdateFeaturedResultsSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFeaturedResultsSetInput`) /// - /// - Returns: `UpdateFeaturedResultsSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFeaturedResultsSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4941,7 +4879,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFeaturedResultsSetOutput.httpOutput(from:), UpdateFeaturedResultsSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4976,9 +4913,9 @@ extension KendraClient { /// /// Updates an Amazon Kendra index. /// - /// - Parameter UpdateIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIndexInput`) /// - /// - Returns: `UpdateIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5016,7 +4953,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIndexOutput.httpOutput(from:), UpdateIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5051,9 +4987,9 @@ extension KendraClient { /// /// Updates a block list used for query suggestions for an index. Updates to a block list might not take effect right away. Amazon Kendra needs to refresh the entire suggestions list to apply any updates to the block list. Other changes not related to the block list apply immediately. If a block list is updating, then you need to wait for the first update to finish before submitting another update. Amazon Kendra supports partial updates, so you only need to provide the fields you want to update. UpdateQuerySuggestionsBlockList is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter UpdateQuerySuggestionsBlockListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQuerySuggestionsBlockListInput`) /// - /// - Returns: `UpdateQuerySuggestionsBlockListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQuerySuggestionsBlockListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5090,7 +5026,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQuerySuggestionsBlockListOutput.httpOutput(from:), UpdateQuerySuggestionsBlockListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5125,9 +5060,9 @@ extension KendraClient { /// /// Updates the settings of query suggestions for an index. Amazon Kendra supports partial updates, so you only need to provide the fields you want to update. If an update is currently processing, you need to wait for the update to finish before making another update. Updates to query suggestions settings might not take effect right away. The time for your updated settings to take effect depends on the updates made and the number of search queries in your index. You can still enable/disable query suggestions at any time. UpdateQuerySuggestionsConfig is currently not supported in the Amazon Web Services GovCloud (US-West) region. /// - /// - Parameter UpdateQuerySuggestionsConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQuerySuggestionsConfigInput`) /// - /// - Returns: `UpdateQuerySuggestionsConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQuerySuggestionsConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5164,7 +5099,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQuerySuggestionsConfigOutput.httpOutput(from:), UpdateQuerySuggestionsConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5199,9 +5133,9 @@ extension KendraClient { /// /// Updates a thesaurus for an index. /// - /// - Parameter UpdateThesaurusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThesaurusInput`) /// - /// - Returns: `UpdateThesaurusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThesaurusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5238,7 +5172,6 @@ extension KendraClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThesaurusOutput.httpOutput(from:), UpdateThesaurusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKendraRanking/Sources/AWSKendraRanking/KendraRankingClient.swift b/Sources/Services/AWSKendraRanking/Sources/AWSKendraRanking/KendraRankingClient.swift index 348603c2822..399795d900d 100644 --- a/Sources/Services/AWSKendraRanking/Sources/AWSKendraRanking/KendraRankingClient.swift +++ b/Sources/Services/AWSKendraRanking/Sources/AWSKendraRanking/KendraRankingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KendraRankingClient: ClientRuntime.Client { public static let clientName = "KendraRankingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KendraRankingClient.KendraRankingClientConfiguration let serviceName = "Kendra Ranking" @@ -376,9 +375,9 @@ extension KendraRankingClient { /// /// Creates a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. You set the number of capacity units that you require for Amazon Kendra Intelligent Ranking to rescore or re-rank a search service's results. For an example of using the CreateRescoreExecutionPlan API, including using the Python and Java SDKs, see [Semantically ranking a search service's results](https://docs.aws.amazon.com/kendra/latest/dg/search-service-rerank.html). /// - /// - Parameter CreateRescoreExecutionPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRescoreExecutionPlanInput`) /// - /// - Returns: `CreateRescoreExecutionPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRescoreExecutionPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension KendraRankingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRescoreExecutionPlanOutput.httpOutput(from:), CreateRescoreExecutionPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension KendraRankingClient { /// /// Deletes a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. /// - /// - Parameter DeleteRescoreExecutionPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRescoreExecutionPlanInput`) /// - /// - Returns: `DeleteRescoreExecutionPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRescoreExecutionPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension KendraRankingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRescoreExecutionPlanOutput.httpOutput(from:), DeleteRescoreExecutionPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension KendraRankingClient { /// /// Gets information about a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. /// - /// - Parameter DescribeRescoreExecutionPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRescoreExecutionPlanInput`) /// - /// - Returns: `DescribeRescoreExecutionPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRescoreExecutionPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension KendraRankingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRescoreExecutionPlanOutput.httpOutput(from:), DescribeRescoreExecutionPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -598,9 +594,9 @@ extension KendraRankingClient { /// /// Lists your rescore execution plans. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. /// - /// - Parameter ListRescoreExecutionPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRescoreExecutionPlansInput`) /// - /// - Returns: `ListRescoreExecutionPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRescoreExecutionPlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -636,7 +632,6 @@ extension KendraRankingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRescoreExecutionPlansOutput.httpOutput(from:), ListRescoreExecutionPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -671,9 +666,9 @@ extension KendraRankingClient { /// /// Gets a list of tags associated with a specified resource. A rescore execution plan is an example of a resource that can have tags associated with it. /// - /// - Parameter ListTagsForResourceInput : The request information for listing tags associated with a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. + /// - Parameter input: The request information for listing tags associated with a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : If the action is successful, the service sends back an HTTP 200 response. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension KendraRankingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -744,9 +738,9 @@ extension KendraRankingClient { /// /// Rescores or re-ranks search results from a search service such as OpenSearch (self managed). You use the semantic search capabilities of Amazon Kendra Intelligent Ranking to improve the search service's results. /// - /// - Parameter RescoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RescoreInput`) /// - /// - Returns: `RescoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RescoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -783,7 +777,6 @@ extension KendraRankingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RescoreOutput.httpOutput(from:), RescoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -818,9 +811,9 @@ extension KendraRankingClient { /// /// Adds a specified tag to a specified rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. If the tag already exists, the existing value is replaced with the new value. /// - /// - Parameter TagResourceInput : The request information for tagging a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. + /// - Parameter input: The request information for tagging a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -856,7 +849,6 @@ extension KendraRankingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -891,9 +883,9 @@ extension KendraRankingClient { /// /// Removes a tag from a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore operation. /// - /// - Parameter UntagResourceInput : The request information to remove a tag from a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. + /// - Parameter input: The request information to remove a tag from a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -929,7 +921,6 @@ extension KendraRankingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -964,9 +955,9 @@ extension KendraRankingClient { /// /// Updates a rescore execution plan. A rescore execution plan is an Amazon Kendra Intelligent Ranking resource used for provisioning the Rescore API. You can update the number of capacity units you require for Amazon Kendra Intelligent Ranking to rescore or re-rank a search service's results. /// - /// - Parameter UpdateRescoreExecutionPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRescoreExecutionPlanInput`) /// - /// - Returns: `UpdateRescoreExecutionPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRescoreExecutionPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1004,7 +995,6 @@ extension KendraRankingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRescoreExecutionPlanOutput.httpOutput(from:), UpdateRescoreExecutionPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKeyspaces/Sources/AWSKeyspaces/KeyspacesClient.swift b/Sources/Services/AWSKeyspaces/Sources/AWSKeyspaces/KeyspacesClient.swift index 3f1e496fe5c..4bc41235772 100644 --- a/Sources/Services/AWSKeyspaces/Sources/AWSKeyspaces/KeyspacesClient.swift +++ b/Sources/Services/AWSKeyspaces/Sources/AWSKeyspaces/KeyspacesClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KeyspacesClient: ClientRuntime.Client { public static let clientName = "KeyspacesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KeyspacesClient.KeyspacesClientConfiguration let serviceName = "Keyspaces" @@ -374,9 +373,9 @@ extension KeyspacesClient { /// /// The CreateKeyspace operation adds a new keyspace to your account. In an Amazon Web Services account, keyspace names must be unique within each Region. CreateKeyspace is an asynchronous operation. You can monitor the creation status of the new keyspace by using the GetKeyspace operation. For more information, see [Create a keyspace](https://docs.aws.amazon.com/keyspaces/latest/devguide/getting-started.keyspaces.html) in the Amazon Keyspaces Developer Guide. /// - /// - Parameter CreateKeyspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKeyspaceInput`) /// - /// - Returns: `CreateKeyspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKeyspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKeyspaceOutput.httpOutput(from:), CreateKeyspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension KeyspacesClient { /// /// The CreateTable operation adds a new table to the specified keyspace. Within a keyspace, table names must be unique. CreateTable is an asynchronous operation. When the request is received, the status of the table is set to CREATING. You can monitor the creation status of the new table by using the GetTable operation, which returns the current status of the table. You can start using a table when the status is ACTIVE. For more information, see [Create a table](https://docs.aws.amazon.com/keyspaces/latest/devguide/getting-started.tables.html) in the Amazon Keyspaces Developer Guide. /// - /// - Parameter CreateTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTableInput`) /// - /// - Returns: `CreateTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTableOutput.httpOutput(from:), CreateTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension KeyspacesClient { /// /// The CreateType operation creates a new user-defined type in the specified keyspace. To configure the required permissions, see [Permissions to create a UDT](https://docs.aws.amazon.com/keyspaces/latest/devguide/configure-udt-permissions.html#udt-permissions-create) in the Amazon Keyspaces Developer Guide. For more information, see [User-defined types (UDTs)](https://docs.aws.amazon.com/keyspaces/latest/devguide/udts.html) in the Amazon Keyspaces Developer Guide. /// - /// - Parameter CreateTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTypeInput`) /// - /// - Returns: `CreateTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTypeOutput.httpOutput(from:), CreateTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension KeyspacesClient { /// /// The DeleteKeyspace operation deletes a keyspace and all of its tables. /// - /// - Parameter DeleteKeyspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKeyspaceInput`) /// - /// - Returns: `DeleteKeyspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKeyspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKeyspaceOutput.httpOutput(from:), DeleteKeyspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension KeyspacesClient { /// /// The DeleteTable operation deletes a table and all of its data. After a DeleteTable request is received, the specified table is in the DELETING state until Amazon Keyspaces completes the deletion. If the table is in the ACTIVE state, you can delete it. If a table is either in the CREATING or UPDATING states, then Amazon Keyspaces returns a ResourceInUseException. If the specified table does not exist, Amazon Keyspaces returns a ResourceNotFoundException. If the table is already in the DELETING state, no error is returned. /// - /// - Parameter DeleteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTableInput`) /// - /// - Returns: `DeleteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -708,7 +703,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTableOutput.httpOutput(from:), DeleteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension KeyspacesClient { /// /// The DeleteType operation deletes a user-defined type (UDT). You can only delete a type that is not used in a table or another UDT. To configure the required permissions, see [Permissions to delete a UDT](https://docs.aws.amazon.com/keyspaces/latest/devguide/configure-udt-permissions.html#udt-permissions-drop) in the Amazon Keyspaces Developer Guide. /// - /// - Parameter DeleteTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTypeInput`) /// - /// - Returns: `DeleteTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -782,7 +776,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTypeOutput.httpOutput(from:), DeleteTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -817,9 +810,9 @@ extension KeyspacesClient { /// /// Returns the name of the specified keyspace, the Amazon Resource Name (ARN), the replication strategy, the Amazon Web Services Regions of a multi-Region keyspace, and the status of newly added Regions after an UpdateKeyspace operation. /// - /// - Parameter GetKeyspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKeyspaceInput`) /// - /// - Returns: `GetKeyspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKeyspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -855,7 +848,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKeyspaceOutput.httpOutput(from:), GetKeyspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -890,9 +882,9 @@ extension KeyspacesClient { /// /// Returns information about the table, including the table's name and current status, the keyspace name, configuration settings, and metadata. To read table metadata using GetTable, the IAM principal needs Select action permissions for the table and the system keyspace. /// - /// - Parameter GetTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableInput`) /// - /// - Returns: `GetTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -928,7 +920,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableOutput.httpOutput(from:), GetTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -967,9 +958,9 @@ extension KeyspacesClient { /// /// * application-autoscaling:DescribeScalingPolicies /// - /// - Parameter GetTableAutoScalingSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableAutoScalingSettingsInput`) /// - /// - Returns: `GetTableAutoScalingSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableAutoScalingSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1005,7 +996,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableAutoScalingSettingsOutput.httpOutput(from:), GetTableAutoScalingSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1040,9 +1030,9 @@ extension KeyspacesClient { /// /// The GetType operation returns information about the type, for example the field definitions, the timestamp when the type was last modified, the level of nesting, the status, and details about if the type is used in other types and tables. To read keyspace metadata using GetType, the IAM principal needs Select action permissions for the system keyspace. To configure the required permissions, see [Permissions to view a UDT](https://docs.aws.amazon.com/keyspaces/latest/devguide/configure-udt-permissions.html#udt-permissions-view) in the Amazon Keyspaces Developer Guide. /// - /// - Parameter GetTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTypeInput`) /// - /// - Returns: `GetTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1078,7 +1068,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTypeOutput.httpOutput(from:), GetTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1113,9 +1102,9 @@ extension KeyspacesClient { /// /// The ListKeyspaces operation returns a list of keyspaces. /// - /// - Parameter ListKeyspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeyspacesInput`) /// - /// - Returns: `ListKeyspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeyspacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1151,7 +1140,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeyspacesOutput.httpOutput(from:), ListKeyspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1186,9 +1174,9 @@ extension KeyspacesClient { /// /// The ListTables operation returns a list of tables for a specified keyspace. To read keyspace metadata using ListTables, the IAM principal needs Select action permissions for the system keyspace. /// - /// - Parameter ListTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTablesInput`) /// - /// - Returns: `ListTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1224,7 +1212,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTablesOutput.httpOutput(from:), ListTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1259,9 +1246,9 @@ extension KeyspacesClient { /// /// Returns a list of all tags associated with the specified Amazon Keyspaces resource. To read keyspace metadata using ListTagsForResource, the IAM principal needs Select action permissions for the specified resource and the system keyspace. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1297,7 +1284,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1332,9 +1318,9 @@ extension KeyspacesClient { /// /// The ListTypes operation returns a list of types for a specified keyspace. To read keyspace metadata using ListTypes, the IAM principal needs Select action permissions for the system keyspace. To configure the required permissions, see [Permissions to view a UDT](https://docs.aws.amazon.com/keyspaces/latest/devguide/configure-udt-permissions.html#udt-permissions-view) in the Amazon Keyspaces Developer Guide. /// - /// - Parameter ListTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTypesInput`) /// - /// - Returns: `ListTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1370,7 +1356,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTypesOutput.httpOutput(from:), ListTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1422,9 +1407,9 @@ extension KeyspacesClient { /// /// * Amazon CloudWatch metrics and alarms /// - /// - Parameter RestoreTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreTableInput`) /// - /// - Returns: `RestoreTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1461,7 +1446,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreTableOutput.httpOutput(from:), RestoreTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1480,9 @@ extension KeyspacesClient { /// /// Associates a set of tags with a Amazon Keyspaces resource. You can then activate these user-defined tags so that they appear on the Cost Management Console for cost allocation tracking. For more information, see [Adding tags and labels to Amazon Keyspaces resources](https://docs.aws.amazon.com/keyspaces/latest/devguide/tagging-keyspaces.html) in the Amazon Keyspaces Developer Guide. For IAM policy examples that show how to control access to Amazon Keyspaces resources based on tags, see [Amazon Keyspaces resource access based on tags](https://docs.aws.amazon.com/keyspaces/latest/devguide/security_iam_id-based-policy-examples.html#security_iam_id-based-policy-examples-tags) in the Amazon Keyspaces Developer Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1535,7 +1519,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1570,9 +1553,9 @@ extension KeyspacesClient { /// /// Removes the association of tags from a Amazon Keyspaces resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1609,7 +1592,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1685,9 +1667,9 @@ extension KeyspacesClient { /// /// For more information, see [Configure the IAM permissions required to add an Amazon Web Services Region to a keyspace](https://docs.aws.amazon.com/keyspaces/latest/devguide/howitworks_replication_permissions_addReplica.html) in the Amazon Keyspaces Developer Guide. /// - /// - Parameter UpdateKeyspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKeyspaceInput`) /// - /// - Returns: `UpdateKeyspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKeyspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1724,7 +1706,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKeyspaceOutput.httpOutput(from:), UpdateKeyspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1759,9 +1740,9 @@ extension KeyspacesClient { /// /// Adds new columns to the table or updates one of the table's settings, for example capacity mode, auto scaling, encryption, point-in-time recovery, or ttl settings. Note that you can only update one specific table setting per update operation. /// - /// - Parameter UpdateTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTableInput`) /// - /// - Returns: `UpdateTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1798,7 +1779,6 @@ extension KeyspacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTableOutput.httpOutput(from:), UpdateTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKeyspacesStreams/Sources/AWSKeyspacesStreams/KeyspacesStreamsClient.swift b/Sources/Services/AWSKeyspacesStreams/Sources/AWSKeyspacesStreams/KeyspacesStreamsClient.swift index fad8e1f6712..7d225531320 100644 --- a/Sources/Services/AWSKeyspacesStreams/Sources/AWSKeyspacesStreams/KeyspacesStreamsClient.swift +++ b/Sources/Services/AWSKeyspacesStreams/Sources/AWSKeyspacesStreams/KeyspacesStreamsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KeyspacesStreamsClient: ClientRuntime.Client { public static let clientName = "KeyspacesStreamsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KeyspacesStreamsClient.KeyspacesStreamsClientConfiguration let serviceName = "KeyspacesStreams" @@ -374,9 +373,9 @@ extension KeyspacesStreamsClient { /// /// Retrieves data records from a specified shard in an Amazon Keyspaces data stream. This operation returns a collection of data records from the shard, including the primary key columns and information about modifications made to the captured table data. Each record represents a single data modification in the Amazon Keyspaces table and includes metadata about when the change occurred. /// - /// - Parameter GetRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecordsInput`) /// - /// - Returns: `GetRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension KeyspacesStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecordsOutput.httpOutput(from:), GetRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension KeyspacesStreamsClient { /// /// Returns a shard iterator that serves as a bookmark for reading data from a specific position in an Amazon Keyspaces data stream's shard. The shard iterator specifies the shard position from which to start reading data records sequentially. You can specify whether to begin reading at the latest record, the oldest record, or at a particular sequence number within the shard. /// - /// - Parameter GetShardIteratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetShardIteratorInput`) /// - /// - Returns: `GetShardIteratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetShardIteratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension KeyspacesStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetShardIteratorOutput.httpOutput(from:), GetShardIteratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension KeyspacesStreamsClient { /// /// Returns detailed information about a specific data capture stream for an Amazon Keyspaces table. The information includes the stream's Amazon Resource Name (ARN), creation time, current status, retention period, shard composition, and associated table details. This operation helps you monitor and manage the configuration of your Amazon Keyspaces data streams. /// - /// - Parameter GetStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStreamInput`) /// - /// - Returns: `GetStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension KeyspacesStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStreamOutput.httpOutput(from:), GetStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension KeyspacesStreamsClient { /// /// Returns a list of all data capture streams associated with your Amazon Keyspaces account or for a specific keyspace or table. The response includes information such as stream ARNs, table associations, creation timestamps, and current status. This operation helps you discover and manage all active data streams in your Amazon Keyspaces environment. /// - /// - Parameter ListStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamsInput`) /// - /// - Returns: `ListStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension KeyspacesStreamsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamsOutput.httpOutput(from:), ListStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKinesis/Sources/AWSKinesis/KinesisClient.swift b/Sources/Services/AWSKinesis/Sources/AWSKinesis/KinesisClient.swift index 10fd378848d..c884bac9357 100644 --- a/Sources/Services/AWSKinesis/Sources/AWSKinesis/KinesisClient.swift +++ b/Sources/Services/AWSKinesis/Sources/AWSKinesis/KinesisClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KinesisClient: ClientRuntime.Client { public static let clientName = "KinesisClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KinesisClient.KinesisClientConfiguration let serviceName = "Kinesis" @@ -374,9 +373,9 @@ extension KinesisClient { /// /// Adds or updates tags for the specified Kinesis data stream. You can assign up to 50 tags to a data stream. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. If tags have already been assigned to the stream, AddTagsToStream overwrites any existing tags that correspond to the specified tag keys. [AddTagsToStream] has a limit of five transactions per second per account. /// - /// - Parameter AddTagsToStreamInput : Represents the input for AddTagsToStream. + /// - Parameter input: Represents the input for AddTagsToStream. (Type: `AddTagsToStreamInput`) /// - /// - Returns: `AddTagsToStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsToStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToStreamOutput.httpOutput(from:), AddTagsToStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -454,9 +452,9 @@ extension KinesisClient { /// /// For the default shard limit for an Amazon Web Services account, see [Amazon Kinesis Data Streams Limits](https://docs.aws.amazon.com/kinesis/latest/dev/service-sizes-and-limits.html) in the Amazon Kinesis Data Streams Developer Guide. To increase this limit, [contact Amazon Web Services Support](https://docs.aws.amazon.com/general/latest/gr/aws_service_limits.html). You can use [DescribeStreamSummary] to check the stream status, which is returned in StreamStatus. [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 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. /// - /// - Parameter CreateStreamInput : Represents the input for CreateStream. + /// - Parameter input: Represents the input for CreateStream. (Type: `CreateStreamInput`) /// - /// - Returns: `CreateStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStreamOutput.httpOutput(from:), CreateStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension KinesisClient { /// /// Decreases the Kinesis data stream's retention period, which is the length of time data records are accessible after they are added to the stream. The minimum value of a stream's retention period is 24 hours. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. This operation may result in lost data. For example, if the stream's retention period is 48 hours and is decreased to 24 hours, any data already in the stream that is older than 24 hours is inaccessible. /// - /// - Parameter DecreaseStreamRetentionPeriodInput : Represents the input for [DecreaseStreamRetentionPeriod]. + /// - Parameter input: Represents the input for [DecreaseStreamRetentionPeriod]. (Type: `DecreaseStreamRetentionPeriodInput`) /// - /// - Returns: `DecreaseStreamRetentionPeriodOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DecreaseStreamRetentionPeriodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DecreaseStreamRetentionPeriodOutput.httpOutput(from:), DecreaseStreamRetentionPeriodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -602,9 +598,9 @@ extension KinesisClient { /// /// * Consumer pattern: ^(arn):aws.*:kinesis:.*:\d{12}:.*stream\/[a-zA-Z0-9_.-]+\/consumer\/[a-zA-Z0-9_.-]+:[0-9]+ /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -640,7 +636,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -675,9 +670,9 @@ extension KinesisClient { /// /// Deletes a Kinesis data stream and all its shards and data. You must shut down any applications that are operating on the stream before you delete the stream. If an application attempts to operate on a deleted stream, it receives the exception ResourceNotFoundException. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. If the stream is in the ACTIVE state, you can delete it. After a DeleteStream request, the specified stream is in the DELETING state until Kinesis Data Streams completes the deletion. Note: Kinesis Data Streams might continue to accept data read and write operations, such as [PutRecord], [PutRecords], and [GetRecords], on a stream in the DELETING state until the stream deletion is complete. When you delete a stream, any shards in that stream are also deleted, and any tags are dissociated from the stream. You can use the [DescribeStreamSummary] operation to check the state of the stream, which is returned in StreamStatus. [DeleteStream] has a limit of five transactions per second per account. /// - /// - Parameter DeleteStreamInput : Represents the input for [DeleteStream]. + /// - Parameter input: Represents the input for [DeleteStream]. (Type: `DeleteStreamInput`) /// - /// - Returns: `DeleteStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -713,7 +708,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStreamOutput.httpOutput(from:), DeleteStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -748,9 +742,9 @@ extension KinesisClient { /// /// To deregister a consumer, provide its ARN. Alternatively, you can provide the ARN of the data stream and the name you gave the consumer when you registered it. You may also provide all three parameters, as long as they don't conflict with each other. If you don't know the name or ARN of the consumer that you want to deregister, you can use the [ListStreamConsumers] operation to get a list of the descriptions of all the consumers that are currently registered with a given data stream. The description of a consumer contains its name and ARN. This operation has a limit of five transactions per second per stream. /// - /// - Parameter DeregisterStreamConsumerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterStreamConsumerInput`) /// - /// - Returns: `DeregisterStreamConsumerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterStreamConsumerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -784,7 +778,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterStreamConsumerOutput.httpOutput(from:), DeregisterStreamConsumerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -819,9 +812,9 @@ extension KinesisClient { /// /// Describes the shard limits and usage for the account. If you update your account limits, the old limits might be returned for a few minutes. This operation has a limit of one transaction per second per account. /// - /// - Parameter DescribeLimitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLimitsInput`) /// - /// - Returns: `DescribeLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -853,7 +846,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLimitsOutput.httpOutput(from:), DescribeLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -888,9 +880,9 @@ extension KinesisClient { /// /// Describes the specified Kinesis data stream. This API has been revised. It's highly recommended that you use the [DescribeStreamSummary] API to get a summarized description of the specified Kinesis data stream and the [ListShards] API to list the shards in a specified data stream and obtain information about each shard. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. The information returned includes the stream name, Amazon Resource Name (ARN), creation time, enhanced metric configuration, and shard map. The shard map is an array of shard objects. For each shard object, there is the hash key and sequence number ranges that the shard spans, and the IDs of any earlier shards that played in a role in creating the shard. Every record ingested in the stream is identified by a sequence number, which is assigned when the record is put into the stream. You can limit the number of shards returned by each call. For more information, see [Retrieving Shards from a Stream](https://docs.aws.amazon.com/kinesis/latest/dev/kinesis-using-sdk-java-retrieve-shards.html) in the Amazon Kinesis Data Streams Developer Guide. There are no guarantees about the chronological order shards returned. To process shards in chronological order, use the ID of the parent shard to track the lineage to the oldest shard. This operation has a limit of 10 transactions per second per account. /// - /// - Parameter DescribeStreamInput : Represents the input for DescribeStream. + /// - Parameter input: Represents the input for DescribeStream. (Type: `DescribeStreamInput`) /// - /// - Returns: `DescribeStreamOutput` : Represents the output for DescribeStream. + /// - Returns: Represents the output for DescribeStream. (Type: `DescribeStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +917,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStreamOutput.httpOutput(from:), DescribeStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -960,9 +951,9 @@ extension KinesisClient { /// /// To get the description of a registered consumer, provide the ARN of the consumer. Alternatively, you can provide the ARN of the data stream and the name you gave the consumer when you registered it. You may also provide all three parameters, as long as they don't conflict with each other. If you don't know the name or ARN of the consumer that you want to describe, you can use the [ListStreamConsumers] operation to get a list of the descriptions of all the consumers that are currently registered with a given data stream. This operation has a limit of 20 transactions per second per stream. When making a cross-account call with DescribeStreamConsumer, make sure to provide the ARN of the consumer. /// - /// - Parameter DescribeStreamConsumerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStreamConsumerInput`) /// - /// - Returns: `DescribeStreamConsumerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStreamConsumerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -996,7 +987,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStreamConsumerOutput.httpOutput(from:), DescribeStreamConsumerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1031,9 +1021,9 @@ extension KinesisClient { /// /// Provides a summarized description of the specified Kinesis data stream without the shard list. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. The information returned includes the stream name, Amazon Resource Name (ARN), status, record retention period, approximate creation time, monitoring, encryption details, and open shard count. [DescribeStreamSummary] has a limit of 20 transactions per second per account. /// - /// - Parameter DescribeStreamSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStreamSummaryInput`) /// - /// - Returns: `DescribeStreamSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStreamSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1068,7 +1058,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStreamSummaryOutput.httpOutput(from:), DescribeStreamSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1103,9 +1092,9 @@ extension KinesisClient { /// /// Disables enhanced monitoring. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. /// - /// - Parameter DisableEnhancedMonitoringInput : Represents the input for [DisableEnhancedMonitoring]. + /// - Parameter input: Represents the input for [DisableEnhancedMonitoring]. (Type: `DisableEnhancedMonitoringInput`) /// - /// - Returns: `DisableEnhancedMonitoringOutput` : Represents the output for [EnableEnhancedMonitoring] and [DisableEnhancedMonitoring]. + /// - Returns: Represents the output for [EnableEnhancedMonitoring] and [DisableEnhancedMonitoring]. (Type: `DisableEnhancedMonitoringOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1141,7 +1130,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableEnhancedMonitoringOutput.httpOutput(from:), DisableEnhancedMonitoringOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1176,9 +1164,9 @@ extension KinesisClient { /// /// Enables enhanced Kinesis data stream monitoring for shard-level metrics. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. /// - /// - Parameter EnableEnhancedMonitoringInput : Represents the input for [EnableEnhancedMonitoring]. + /// - Parameter input: Represents the input for [EnableEnhancedMonitoring]. (Type: `EnableEnhancedMonitoringInput`) /// - /// - Returns: `EnableEnhancedMonitoringOutput` : Represents the output for [EnableEnhancedMonitoring] and [DisableEnhancedMonitoring]. + /// - Returns: Represents the output for [EnableEnhancedMonitoring] and [DisableEnhancedMonitoring]. (Type: `EnableEnhancedMonitoringOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1214,7 +1202,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableEnhancedMonitoringOutput.httpOutput(from:), EnableEnhancedMonitoringOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1249,9 +1236,9 @@ extension KinesisClient { /// /// Gets data records from a Kinesis data stream's shard. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. Specify a shard iterator using the ShardIterator parameter. The shard iterator specifies the position in the shard from which you want to start reading data records sequentially. If there are no records available in the portion of the shard that the iterator points to, [GetRecords] returns an empty list. It might take multiple calls to get to a portion of the shard that contains records. You can scale by provisioning multiple shards per stream while considering service limits (for more information, see [Amazon Kinesis Data Streams Limits](https://docs.aws.amazon.com/kinesis/latest/dev/service-sizes-and-limits.html) in the Amazon Kinesis Data Streams Developer Guide). Your application should have one thread per shard, each reading continuously from its stream. To read from a stream continually, call [GetRecords] in a loop. Use [GetShardIterator] to get the shard iterator to specify in the first [GetRecords] call. [GetRecords] returns a new shard iterator in NextShardIterator. Specify the shard iterator returned in NextShardIterator in subsequent calls to [GetRecords]. If the shard has been closed, the shard iterator can't return more data and [GetRecords] returns null in NextShardIterator. You can terminate the loop when the shard is closed, or when the shard iterator reaches the record with the sequence number or other attribute that marks it as the last record to process. Each data record can be up to 1 MiB in size, and each shard can read up to 2 MiB per second. You can ensure that your calls don't exceed the maximum supported size or throughput by using the Limit parameter to specify the maximum number of records that [GetRecords] can return. Consider your average record size when determining this limit. The maximum number of records that can be returned per call is 10,000. The size of the data returned by [GetRecords] varies depending on the utilization of the shard. It is recommended that consumer applications retrieve records via the GetRecords command using the 5 TPS limit to remain caught up. Retrieving records less frequently can lead to consumer applications falling behind. The maximum size of data that [GetRecords] can return is 10 MiB. If a call returns this amount of data, subsequent calls made within the next 5 seconds throw ProvisionedThroughputExceededException. If there is insufficient provisioned throughput on the stream, subsequent calls made within the next 1 second throw ProvisionedThroughputExceededException. [GetRecords] doesn't return any data when it throws an exception. For this reason, we recommend that you wait 1 second between calls to [GetRecords]. However, it's possible that the application will get exceptions for longer than 1 second. To detect whether the application is falling behind in processing, you can use the MillisBehindLatest response attribute. You can also monitor the stream using CloudWatch metrics and other mechanisms (see [Monitoring](https://docs.aws.amazon.com/kinesis/latest/dev/monitoring.html) in the Amazon Kinesis Data Streams Developer Guide). Each Amazon Kinesis record includes a value, ApproximateArrivalTimestamp, that is set when a stream successfully receives and stores a record. This is commonly referred to as a server-side time stamp, whereas a client-side time stamp is set when a data producer creates or sends the record to a stream (a data producer is any data source putting data records into a stream, for example with [PutRecords]). The time stamp has millisecond precision. There are no guarantees about the time stamp accuracy, or that the time stamp is always increasing. For example, records in a shard or across a stream might have time stamps that are out of order. This operation has a limit of five transactions per second per shard. /// - /// - Parameter GetRecordsInput : Represents the input for [GetRecords]. + /// - Parameter input: Represents the input for [GetRecords]. (Type: `GetRecordsInput`) /// - /// - Returns: `GetRecordsOutput` : Represents the output for [GetRecords]. + /// - Returns: Represents the output for [GetRecords]. (Type: `GetRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1294,7 +1281,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecordsOutput.httpOutput(from:), GetRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1333,9 +1319,9 @@ extension KinesisClient { /// /// * Consumer pattern: ^(arn):aws.*:kinesis:.*:\d{12}:.*stream\/[a-zA-Z0-9_.-]+\/consumer\/[a-zA-Z0-9_.-]+:[0-9]+ /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1371,7 +1357,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1406,9 +1391,9 @@ extension KinesisClient { /// /// Gets an Amazon Kinesis shard iterator. A shard iterator expires 5 minutes after it is returned to the requester. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. A shard iterator specifies the shard position from which to start reading data records sequentially. The position is specified using the sequence number of a data record in a shard. A sequence number is the identifier associated with every record ingested in the stream, and is assigned when a record is put into the stream. Each stream has one or more shards. You must specify the shard iterator type. For example, you can set the ShardIteratorType parameter to read exactly from the position denoted by a specific sequence number by using the AT_SEQUENCE_NUMBER shard iterator type. Alternatively, the parameter can read right after the sequence number by using the AFTER_SEQUENCE_NUMBER shard iterator type, using sequence numbers returned by earlier calls to [PutRecord], [PutRecords], [GetRecords], or [DescribeStream]. In the request, you can specify the shard iterator type AT_TIMESTAMP to read records from an arbitrary point in time, TRIM_HORIZON to cause ShardIterator to point to the last untrimmed record in the shard in the system (the oldest data record in the shard), or LATEST so that you always read the most recent data in the shard. When you read repeatedly from a stream, use a [GetShardIterator] request to get the first shard iterator for use in your first [GetRecords] request and for subsequent reads use the shard iterator returned by the [GetRecords] request in NextShardIterator. A new shard iterator is returned by every [GetRecords] request in NextShardIterator, which you use in the ShardIterator parameter of the next [GetRecords] request. If a [GetShardIterator] request is made too often, you receive a ProvisionedThroughputExceededException. For more information about throughput limits, see [GetRecords], and [Streams Limits](https://docs.aws.amazon.com/kinesis/latest/dev/service-sizes-and-limits.html) in the Amazon Kinesis Data Streams Developer Guide. If the shard is closed, [GetShardIterator] returns a valid iterator for the last sequence number of the shard. A shard can be closed as a result of using [SplitShard] or [MergeShards]. [GetShardIterator] has a limit of five transactions per second per account per open shard. /// - /// - Parameter GetShardIteratorInput : Represents the input for GetShardIterator. + /// - Parameter input: Represents the input for GetShardIterator. (Type: `GetShardIteratorInput`) /// - /// - Returns: `GetShardIteratorOutput` : Represents the output for GetShardIterator. + /// - Returns: Represents the output for GetShardIterator. (Type: `GetShardIteratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1444,7 +1429,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetShardIteratorOutput.httpOutput(from:), GetShardIteratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1479,9 +1463,9 @@ extension KinesisClient { /// /// Increases the Kinesis data stream's retention period, which is the length of time data records are accessible after they are added to the stream. The maximum value of a stream's retention period is 8760 hours (365 days). When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. If you choose a longer stream retention period, this operation increases the time period during which records that have not yet expired are accessible. However, it does not make previous, expired data (older than the stream's previous retention period) accessible after the operation has been called. For example, if a stream's retention period is set to 24 hours and is increased to 168 hours, any data that is older than 24 hours remains inaccessible to consumer applications. /// - /// - Parameter IncreaseStreamRetentionPeriodInput : Represents the input for [IncreaseStreamRetentionPeriod]. + /// - Parameter input: Represents the input for [IncreaseStreamRetentionPeriod]. (Type: `IncreaseStreamRetentionPeriodInput`) /// - /// - Returns: `IncreaseStreamRetentionPeriodOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IncreaseStreamRetentionPeriodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1517,7 +1501,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IncreaseStreamRetentionPeriodOutput.httpOutput(from:), IncreaseStreamRetentionPeriodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1552,9 +1535,9 @@ extension KinesisClient { /// /// Lists the shards in a stream and provides information about each shard. This operation has a limit of 1000 transactions per second per data stream. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. This action does not list expired shards. For information about expired shards, see [Data Routing, Data Persistence, and Shard State after a Reshard](https://docs.aws.amazon.com/streams/latest/dev/kinesis-using-sdk-java-after-resharding.html#kinesis-using-sdk-java-resharding-data-routing). This API is a new operation that is used by the Amazon Kinesis Client Library (KCL). If you have a fine-grained IAM policy that only allows specific operations, you must update your policy to allow calls to this API. For more information, see [Controlling Access to Amazon Kinesis Data Streams Resources Using IAM](https://docs.aws.amazon.com/streams/latest/dev/controlling-access.html). /// - /// - Parameter ListShardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListShardsInput`) /// - /// - Returns: `ListShardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListShardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1591,7 +1574,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListShardsOutput.httpOutput(from:), ListShardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1626,9 +1608,9 @@ extension KinesisClient { /// /// Lists the consumers registered to receive data from a stream using enhanced fan-out, and provides information about each consumer. This operation has a limit of 5 transactions per second per stream. /// - /// - Parameter ListStreamConsumersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamConsumersInput`) /// - /// - Returns: `ListStreamConsumersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamConsumersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1664,7 +1646,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamConsumersOutput.httpOutput(from:), ListStreamConsumersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1699,9 +1680,9 @@ extension KinesisClient { /// /// Lists your Kinesis data streams. The number of streams may be too large to return from a single call to ListStreams. You can limit the number of returned streams using the Limit parameter. If you do not specify a value for the Limit parameter, Kinesis Data Streams uses the default limit, which is currently 100. You can detect if there are more streams available to list by using the HasMoreStreams flag from the returned output. If there are more streams available, you can request more streams by using the name of the last stream returned by the ListStreams request in the ExclusiveStartStreamName parameter in a subsequent request to ListStreams. The group of stream names returned by the subsequent request is then added to the list. You can continue this process until all the stream names have been collected in the list. [ListStreams] has a limit of five transactions per second per account. /// - /// - Parameter ListStreamsInput : Represents the input for ListStreams. + /// - Parameter input: Represents the input for ListStreams. (Type: `ListStreamsInput`) /// - /// - Returns: `ListStreamsOutput` : Represents the output for ListStreams. + /// - Returns: Represents the output for ListStreams. (Type: `ListStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1735,7 +1716,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamsOutput.httpOutput(from:), ListStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1770,9 +1750,9 @@ extension KinesisClient { /// /// 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](https://docs.aws.amazon.com/streams/latest/dev/tagging.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1808,7 +1788,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1843,9 +1822,9 @@ extension KinesisClient { /// /// Lists the tags for the specified Kinesis data stream. This operation has a limit of five transactions per second per account. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. /// - /// - Parameter ListTagsForStreamInput : Represents the input for ListTagsForStream. + /// - Parameter input: Represents the input for ListTagsForStream. (Type: `ListTagsForStreamInput`) /// - /// - Returns: `ListTagsForStreamOutput` : Represents the output for ListTagsForStream. + /// - Returns: Represents the output for ListTagsForStream. (Type: `ListTagsForStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1880,7 +1859,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForStreamOutput.httpOutput(from:), ListTagsForStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1915,9 +1893,9 @@ extension KinesisClient { /// /// Merges two adjacent shards in a Kinesis data stream and combines them into a single shard to reduce the stream's capacity to ingest and transport data. This API is only supported for the data streams with the provisioned capacity mode. Two shards are considered adjacent if the union of the hash key ranges for the two shards form a contiguous set with no gaps. For example, if you have two shards, one with a hash key range of 276...381 and the other with a hash key range of 382...454, then you could merge these two shards into a single shard that would have a hash key range of 276...454. After the merge, the single child shard receives data for all hash key values covered by the two parent shards. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. MergeShards is called when there is a need to reduce the overall capacity of a stream because of excess capacity that is not being used. You must specify the shard to be merged and the adjacent shard for a stream. For more information about merging shards, see [Merge Two Shards](https://docs.aws.amazon.com/kinesis/latest/dev/kinesis-using-sdk-java-resharding-merge.html) in the Amazon Kinesis Data Streams Developer Guide. If the stream is in the ACTIVE state, you can call MergeShards. If a stream is in the CREATING, UPDATING, or DELETING state, MergeShards returns a ResourceInUseException. If the specified stream does not exist, MergeShards returns a ResourceNotFoundException. You can use [DescribeStreamSummary] to check the state of the stream, which is returned in StreamStatus. MergeShards is an asynchronous operation. Upon receiving a MergeShards request, Amazon Kinesis Data Streams immediately returns a response and sets the StreamStatus to UPDATING. After the operation is completed, Kinesis Data Streams sets the StreamStatus to ACTIVE. Read and write operations continue to work while the stream is in the UPDATING state. You use [DescribeStreamSummary] and the [ListShards] APIs to determine the shard IDs that are specified in the MergeShards request. If you try to operate on too many streams in parallel using [CreateStream], [DeleteStream], MergeShards, or [SplitShard], you receive a LimitExceededException. MergeShards has a limit of five transactions per second per account. /// - /// - Parameter MergeShardsInput : Represents the input for MergeShards. + /// - Parameter input: Represents the input for MergeShards. (Type: `MergeShardsInput`) /// - /// - Returns: `MergeShardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MergeShardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1954,7 +1932,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MergeShardsOutput.httpOutput(from:), MergeShardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1989,9 +1966,9 @@ extension KinesisClient { /// /// Writes a single data record into an Amazon Kinesis data stream. Call PutRecord to send data into the stream for real-time ingestion and subsequent processing, one record at a time. Each shard can support writes up to 1,000 records per second, up to a maximum data write total of 1 MiB per second. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. You must specify the name of the stream that captures, stores, and transports the data; a partition key; and the data blob itself. The data blob can be any type of data; for example, a segment from a log file, geographic/location data, website clickstream data, and so on. The partition key is used by Kinesis Data Streams to distribute data across shards. Kinesis Data Streams segregates the data records that belong to a stream into multiple shards, using the partition key associated with each data record to determine the shard to which a given data record belongs. Partition keys are Unicode strings, with a maximum length limit of 256 characters for each key. An MD5 hash function is used to map partition keys to 128-bit integer values and to map associated data records to shards using the hash key ranges of the shards. You can override hashing the partition key to determine the shard by explicitly specifying a hash value using the ExplicitHashKey parameter. For more information, see [Adding Data to a Stream](https://docs.aws.amazon.com/kinesis/latest/dev/developing-producers-with-sdk.html#kinesis-using-sdk-java-add-data-to-stream) in the Amazon Kinesis Data Streams Developer Guide. PutRecord returns the shard ID of where the data record was placed and the sequence number that was assigned to the data record. Sequence numbers increase over time and are specific to a shard within a stream, not across all shards within a stream. To guarantee strictly increasing ordering, write serially to a shard and use the SequenceNumberForOrdering parameter. For more information, see [Adding Data to a Stream](https://docs.aws.amazon.com/kinesis/latest/dev/developing-producers-with-sdk.html#kinesis-using-sdk-java-add-data-to-stream) in the Amazon Kinesis Data Streams Developer Guide. After you write a record to a stream, you cannot modify that record or its order within the stream. If a PutRecord request cannot be processed because of insufficient provisioned throughput on the shard involved in the request, PutRecord throws ProvisionedThroughputExceededException. By default, data records are accessible for 24 hours from the time that they are added to a stream. You can use [IncreaseStreamRetentionPeriod] or [DecreaseStreamRetentionPeriod] to modify this retention period. /// - /// - Parameter PutRecordInput : Represents the input for PutRecord. + /// - Parameter input: Represents the input for PutRecord. (Type: `PutRecordInput`) /// - /// - Returns: `PutRecordOutput` : Represents the output for PutRecord. + /// - Returns: Represents the output for PutRecord. (Type: `PutRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2033,7 +2010,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRecordOutput.httpOutput(from:), PutRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2068,9 +2044,9 @@ extension KinesisClient { /// /// Writes multiple data records into a Kinesis data stream in a single call (also referred to as a PutRecords request). Use this operation to send data into the stream for data ingestion and processing. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. Each PutRecords request can support up to 500 records. Each record in the request can be as large as 1 MiB, up to a limit of 5 MiB for the entire request, including partition keys. Each shard can support writes up to 1,000 records per second, up to a maximum data write total of 1 MiB per second. You must specify the name of the stream that captures, stores, and transports the data; and an array of request Records, with each record in the array requiring a partition key and data blob. The record size limit applies to the total size of the partition key and data blob. The data blob can be any type of data; for example, a segment from a log file, geographic/location data, website clickstream data, and so on. The partition key is used by Kinesis Data Streams as input to a hash function that maps the partition key and associated data to a specific shard. An MD5 hash function is used to map partition keys to 128-bit integer values and to map associated data records to shards. As a result of this hashing mechanism, all data records with the same partition key map to the same shard within the stream. For more information, see [Adding Data to a Stream](https://docs.aws.amazon.com/kinesis/latest/dev/developing-producers-with-sdk.html#kinesis-using-sdk-java-add-data-to-stream) in the Amazon Kinesis Data Streams Developer Guide. Each record in the Records array may include an optional parameter, ExplicitHashKey, which overrides the partition key to shard mapping. This parameter allows a data producer to determine explicitly the shard where the record is stored. For more information, see [Adding Multiple Records with PutRecords](https://docs.aws.amazon.com/kinesis/latest/dev/developing-producers-with-sdk.html#kinesis-using-sdk-java-putrecords) in the Amazon Kinesis Data Streams Developer Guide. The PutRecords response includes an array of response Records. Each record in the response array directly correlates with a record in the request array using natural ordering, from the top to the bottom of the request and response. The response Records array always includes the same number of records as the request array. The response Records array includes both successfully and unsuccessfully processed records. Kinesis Data Streams attempts to process all records in each PutRecords request. A single record failure does not stop the processing of subsequent records. As a result, PutRecords doesn't guarantee the ordering of records. If you need to read records in the same order they are written to the stream, use [PutRecord] instead of PutRecords, and write to the same shard. A successfully processed record includes ShardId and SequenceNumber values. The ShardId parameter identifies the shard in the stream where the record is stored. The SequenceNumber parameter is an identifier assigned to the put record, unique to all records in the stream. An unsuccessfully processed record includes ErrorCode and ErrorMessage values. ErrorCode reflects the type of error and can be one of the following values: ProvisionedThroughputExceededException or InternalFailure. ErrorMessage provides more detailed information about the ProvisionedThroughputExceededException exception including the account ID, stream name, and shard ID of the record that was throttled. For more information about partially successful responses, see [Adding Multiple Records with PutRecords](https://docs.aws.amazon.com/kinesis/latest/dev/kinesis-using-sdk-java-add-data-to-stream.html#kinesis-using-sdk-java-putrecords) in the Amazon Kinesis Data Streams Developer Guide. After you write a record to a stream, you cannot modify that record or its order within the stream. By default, data records are accessible for 24 hours from the time that they are added to a stream. You can use [IncreaseStreamRetentionPeriod] or [DecreaseStreamRetentionPeriod] to modify this retention period. /// - /// - Parameter PutRecordsInput : A PutRecords request. + /// - Parameter input: A PutRecords request. (Type: `PutRecordsInput`) /// - /// - Returns: `PutRecordsOutput` : PutRecords results. + /// - Returns: PutRecords results. (Type: `PutRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2112,7 +2088,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRecordsOutput.httpOutput(from:), PutRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2154,9 +2129,9 @@ extension KinesisClient { /// /// For more information, see [Controlling Access to Amazon Kinesis Data Streams Resources Using IAM](https://docs.aws.amazon.com/streams/latest/dev/controlling-access.html). /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2192,7 +2167,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2227,9 +2201,9 @@ extension KinesisClient { /// /// Registers a consumer with a Kinesis data stream. When you use this operation, the consumer you register can then call [SubscribeToShard] to receive data 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 Using the Kinesis Data Streams API](https://docs.aws.amazon.com/streams/latest/dev/building-enhanced-consumers-api.html). The use of this operation has a limit of five transactions per second per account. Also, only 5 consumers can be created simultaneously. In other words, you cannot have more than 5 consumers in a CREATING status at the same time. Registering a 6th consumer while there are 5 in a CREATING status results in a LimitExceededException. /// - /// - Parameter RegisterStreamConsumerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterStreamConsumerInput`) /// - /// - Returns: `RegisterStreamConsumerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterStreamConsumerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2264,7 +2238,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterStreamConsumerOutput.httpOutput(from:), RegisterStreamConsumerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2299,9 +2272,9 @@ extension KinesisClient { /// /// Removes tags from the specified Kinesis data stream. Removed tags are deleted and cannot be recovered after this operation successfully completes. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. If you specify a tag that does not exist, it is ignored. [RemoveTagsFromStream] has a limit of five transactions per second per account. /// - /// - Parameter RemoveTagsFromStreamInput : Represents the input for RemoveTagsFromStream. + /// - Parameter input: Represents the input for RemoveTagsFromStream. (Type: `RemoveTagsFromStreamInput`) /// - /// - Returns: `RemoveTagsFromStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsFromStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2337,7 +2310,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromStreamOutput.httpOutput(from:), RemoveTagsFromStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2372,9 +2344,9 @@ extension KinesisClient { /// /// Splits a shard into two new shards in the Kinesis data stream, to increase the stream's capacity to ingest and transport data. SplitShard is called when there is a need to increase the overall capacity of a stream because of an expected increase in the volume of data records being ingested. This API is only supported for the data streams with the provisioned capacity mode. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. You can also use SplitShard when a shard appears to be approaching its maximum utilization; for example, the producers sending data into the specific shard are suddenly sending more than previously anticipated. You can also call SplitShard to increase stream capacity, so that more Kinesis Data Streams applications can simultaneously read data from the stream for real-time processing. You must specify the shard to be split and the new hash key, which is the position in the shard where the shard gets split in two. In many cases, the new hash key might be the average of the beginning and ending hash key, but it can be any hash key value in the range being mapped into the shard. For more information, see [Split a Shard](https://docs.aws.amazon.com/kinesis/latest/dev/kinesis-using-sdk-java-resharding-split.html) in the Amazon Kinesis Data Streams Developer Guide. You can use [DescribeStreamSummary] and the [ListShards] APIs to determine the shard ID and hash key values for the ShardToSplit and NewStartingHashKey parameters that are specified in the SplitShard request. SplitShard is an asynchronous operation. Upon receiving a SplitShard request, Kinesis Data Streams immediately returns a response and sets the stream status to UPDATING. After the operation is completed, Kinesis Data Streams sets the stream status to ACTIVE. Read and write operations continue to work while the stream is in the UPDATING state. You can use [DescribeStreamSummary] to check the status of the stream, which is returned in StreamStatus. If the stream is in the ACTIVE state, you can call SplitShard. If the specified stream does not exist, [DescribeStreamSummary] returns a ResourceNotFoundException. If you try to create more shards than are authorized for your account, you receive a LimitExceededException. For the default shard limit for an Amazon Web Services account, see [Kinesis Data Streams Limits](https://docs.aws.amazon.com/kinesis/latest/dev/service-sizes-and-limits.html) in the Amazon Kinesis Data Streams Developer Guide. To increase this limit, [contact Amazon Web Services Support](https://docs.aws.amazon.com/general/latest/gr/aws_service_limits.html). If you try to operate on too many streams simultaneously using [CreateStream], [DeleteStream], [MergeShards], and/or [SplitShard], you receive a LimitExceededException. SplitShard has a limit of five transactions per second per account. /// - /// - Parameter SplitShardInput : Represents the input for SplitShard. + /// - Parameter input: Represents the input for SplitShard. (Type: `SplitShardInput`) /// - /// - Returns: `SplitShardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SplitShardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2411,7 +2383,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SplitShardOutput.httpOutput(from:), SplitShardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2446,9 +2417,9 @@ extension KinesisClient { /// /// Enables or updates server-side encryption using an Amazon Web Services KMS key for a specified stream. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. Starting encryption is an asynchronous operation. Upon receiving the request, Kinesis Data Streams returns immediately and sets the status of the stream to UPDATING. After the update is complete, Kinesis Data Streams sets the status of the stream back to ACTIVE. Updating or applying encryption normally takes a few seconds to complete, but it can take minutes. You can continue to read and write data to your stream while its status is UPDATING. Once the status of the stream is ACTIVE, encryption begins for records written to the stream. API Limits: You can successfully apply a new Amazon Web Services KMS key for server-side encryption 25 times in a rolling 24-hour period. Note: It can take up to 5 seconds after the stream is in an ACTIVE status before all records written to the stream are encrypted. After you enable encryption, you can verify that encryption is applied by inspecting the API response from PutRecord or PutRecords. /// - /// - Parameter StartStreamEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartStreamEncryptionInput`) /// - /// - Returns: `StartStreamEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartStreamEncryptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2490,7 +2461,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartStreamEncryptionOutput.httpOutput(from:), StartStreamEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2525,9 +2495,9 @@ extension KinesisClient { /// /// Disables server-side encryption for a specified stream. When invoking this API, you must use either the StreamARN or the StreamName parameter, or both. It is recommended that you use the StreamARN input parameter when you invoke this API. Stopping encryption is an asynchronous operation. Upon receiving the request, Kinesis Data Streams returns immediately and sets the status of the stream to UPDATING. After the update is complete, Kinesis Data Streams sets the status of the stream back to ACTIVE. Stopping encryption normally takes a few seconds to complete, but it can take minutes. You can continue to read and write data to your stream while its status is UPDATING. Once the status of the stream is ACTIVE, records written to the stream are no longer encrypted by Kinesis Data Streams. API Limits: You can successfully disable server-side encryption 25 times in a rolling 24-hour period. Note: It can take up to 5 seconds after the stream is in an ACTIVE status before all records written to the stream are no longer subject to encryption. After you disabled encryption, you can verify that encryption is not applied by inspecting the API response from PutRecord or PutRecords. /// - /// - Parameter StopStreamEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopStreamEncryptionInput`) /// - /// - Returns: `StopStreamEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopStreamEncryptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2563,7 +2533,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopStreamEncryptionOutput.httpOutput(from:), StopStreamEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2598,9 +2567,9 @@ extension KinesisClient { /// /// This operation establishes an HTTP/2 connection between the consumer you specify in the ConsumerARN parameter and the shard you specify in the ShardId parameter. After the connection is successfully established, Kinesis Data Streams pushes records from the shard to the consumer over this connection. Before you call this operation, call [RegisterStreamConsumer] to register the consumer with Kinesis Data Streams. When the SubscribeToShard call succeeds, your consumer starts receiving events of type [SubscribeToShardEvent] over the HTTP/2 connection for up to 5 minutes, after which time you need to call SubscribeToShard again to renew the subscription if you want to continue to receive records. You can make one call to SubscribeToShard per second per registered consumer per shard. For example, if you have a 4000 shard stream and two registered stream consumers, you can make one SubscribeToShard request per second for each combination of shard and registered consumer, allowing you to subscribe both consumers to all 4000 shards in one second. If you call SubscribeToShard again with the same ConsumerARN and ShardId within 5 seconds of a successful call, you'll get a ResourceInUseException. If you call SubscribeToShard 5 seconds or more after a successful call, the second call takes over the subscription and the previous connection expires or fails with a ResourceInUseException. For an example of how to use this operation, see [Enhanced Fan-Out Using the Kinesis Data Streams API](https://docs.aws.amazon.com/streams/latest/dev/building-enhanced-consumers-api.html). /// - /// - Parameter SubscribeToShardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubscribeToShardInput`) /// - /// - Returns: `SubscribeToShardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubscribeToShardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2636,7 +2605,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubscribeToShardOutput.httpOutput(from:), SubscribeToShardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2671,9 +2639,9 @@ extension KinesisClient { /// /// 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. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2709,7 +2677,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2744,9 +2711,9 @@ extension KinesisClient { /// /// Removes tags from the specified Kinesis resource. Removed tags are deleted and can't be recovered after this operation completes successfully. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2782,7 +2749,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2834,9 +2800,9 @@ extension KinesisClient { /// /// For the default limits for an Amazon Web Services account, see [Streams Limits](https://docs.aws.amazon.com/kinesis/latest/dev/service-sizes-and-limits.html) in the Amazon Kinesis Data Streams Developer Guide. To request an increase in the call rate limit, the shard limit for this API, or your overall shard limit, use the [limits form](https://console.aws.amazon.com/support/v1#/case/create?issueType=service-limit-increase&limitType=service-code-kinesis). /// - /// - Parameter UpdateShardCountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateShardCountInput`) /// - /// - Returns: `UpdateShardCountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateShardCountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2873,7 +2839,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateShardCountOutput.httpOutput(from:), UpdateShardCountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2908,9 +2873,9 @@ extension KinesisClient { /// /// Updates the capacity mode of the data stream. Currently, in Kinesis Data Streams, you can choose between an on-demand capacity mode and a provisioned capacity mode for your data stream. /// - /// - Parameter UpdateStreamModeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStreamModeInput`) /// - /// - Returns: `UpdateStreamModeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStreamModeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2945,7 +2910,6 @@ extension KinesisClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStreamModeOutput.httpOutput(from:), UpdateStreamModeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKinesisAnalytics/Sources/AWSKinesisAnalytics/KinesisAnalyticsClient.swift b/Sources/Services/AWSKinesisAnalytics/Sources/AWSKinesisAnalytics/KinesisAnalyticsClient.swift index 7792df0999b..bd4347381ea 100644 --- a/Sources/Services/AWSKinesisAnalytics/Sources/AWSKinesisAnalytics/KinesisAnalyticsClient.swift +++ b/Sources/Services/AWSKinesisAnalytics/Sources/AWSKinesisAnalytics/KinesisAnalyticsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KinesisAnalyticsClient: ClientRuntime.Client { public static let clientName = "KinesisAnalyticsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KinesisAnalyticsClient.KinesisAnalyticsClientConfiguration let serviceName = "Kinesis Analytics" @@ -374,9 +373,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Adds a CloudWatch log stream to monitor application configuration errors. For more information about using CloudWatch log streams with Amazon Kinesis Analytics applications, see [Working with Amazon CloudWatch Logs](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/cloudwatch-logs.html). /// - /// - Parameter AddApplicationCloudWatchLoggingOptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddApplicationCloudWatchLoggingOptionInput`) /// - /// - Returns: `AddApplicationCloudWatchLoggingOptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddApplicationCloudWatchLoggingOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationCloudWatchLoggingOptionOutput.httpOutput(from:), AddApplicationCloudWatchLoggingOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Adds a streaming source to your Amazon Kinesis application. For conceptual information, see [Configuring Application Input](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/how-it-works-input.html). You can add a streaming source either when you create an application or you can use this operation to add a streaming source after you create an application. For more information, see [CreateApplication](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_CreateApplication.html). Any configuration update, including adding a streaming source using this operation, results in a new version of the application. You can use the [DescribeApplication](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_DescribeApplication.html) operation to find the current application version. This operation requires permissions to perform the kinesisanalytics:AddApplicationInput action. /// - /// - Parameter AddApplicationInputInput : + /// - Parameter input: (Type: `AddApplicationInputInput`) /// - /// - Returns: `AddApplicationInputOutput` : + /// - Returns: (Type: `AddApplicationInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationInputOutput.httpOutput(from:), AddApplicationInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Adds an [InputProcessingConfiguration](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_InputProcessingConfiguration.html) to an application. An input processor preprocesses records on the input stream before the application's SQL code executes. Currently, the only input processor available is [AWS Lambda](https://docs.aws.amazon.com/lambda/). /// - /// - Parameter AddApplicationInputProcessingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddApplicationInputProcessingConfigurationInput`) /// - /// - Returns: `AddApplicationInputProcessingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddApplicationInputProcessingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationInputProcessingConfigurationOutput.httpOutput(from:), AddApplicationInputProcessingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Adds an external destination to your Amazon Kinesis Analytics application. If you want Amazon Kinesis Analytics to deliver data from an in-application stream within your application to an external destination (such as an Amazon Kinesis stream, an Amazon Kinesis Firehose delivery stream, or an AWS Lambda function), you add the relevant configuration to your application using this operation. You can configure one or more outputs for your application. Each output configuration maps an in-application stream and an external destination. You can use one of the output configurations to deliver data from your in-application error stream to an external destination so that you can analyze the errors. For more information, see [Understanding Application Output (Destination)](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/how-it-works-output.html). Any configuration update, including adding a streaming source using this operation, results in a new version of the application. You can use the [DescribeApplication](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_DescribeApplication.html) operation to find the current application version. For the limits on the number of application inputs and outputs you can configure, see [Limits](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/limits.html). This operation requires permissions to perform the kinesisanalytics:AddApplicationOutput action. /// - /// - Parameter AddApplicationOutputInput : + /// - Parameter input: (Type: `AddApplicationOutputInput`) /// - /// - Returns: `AddApplicationOutputOutput` : + /// - Returns: (Type: `AddApplicationOutputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -632,7 +628,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationOutputOutput.httpOutput(from:), AddApplicationOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Adds a reference data source to an existing application. Amazon Kinesis Analytics reads reference data (that is, an Amazon S3 object) and creates an in-application table within your application. In the request, you provide the source (S3 bucket name and object key name), name of the in-application table to create, and the necessary mapping information that describes how data in Amazon S3 object maps to columns in the resulting in-application table. For conceptual information, see [Configuring Application Input](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/how-it-works-input.html). For the limits on data sources you can add to your application, see [Limits](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/limits.html). This operation requires permissions to perform the kinesisanalytics:AddApplicationOutput action. /// - /// - Parameter AddApplicationReferenceDataSourceInput : + /// - Parameter input: (Type: `AddApplicationReferenceDataSourceInput`) /// - /// - Returns: `AddApplicationReferenceDataSourceOutput` : + /// - Returns: (Type: `AddApplicationReferenceDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationReferenceDataSourceOutput.httpOutput(from:), AddApplicationReferenceDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -740,9 +734,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Creates an Amazon Kinesis Analytics application. You can configure each application with one streaming source as input, application code to process the input, and up to three destinations where you want Amazon Kinesis Analytics to write the output data from your application. For an overview, see [How it Works](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/how-it-works.html). In the input configuration, you map the streaming source to an in-application stream, which you can think of as a constantly updating table. In the mapping, you must provide a schema for the in-application stream and map each data column in the in-application stream to a data element in the streaming source. Your application code is one or more SQL statements that read input data, transform it, and generate output. Your application code can create one or more SQL artifacts like SQL streams or pumps. In the output configuration, you can configure the application to write data from in-application streams created in your applications to up to three destinations. To read data from your source stream or write data to destination streams, Amazon Kinesis Analytics needs your permissions. You grant these permissions by creating IAM roles. This operation requires permissions to perform the kinesisanalytics:CreateApplication action. For introductory exercises to create an Amazon Kinesis Analytics application, see [Getting Started](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/getting-started.html). /// - /// - Parameter CreateApplicationInput : TBD + /// - Parameter input: TBD (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : TBD + /// - Returns: TBD (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -779,7 +773,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -814,9 +807,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Deletes the specified application. Amazon Kinesis Analytics halts application execution and deletes the application, including any application artifacts (such as in-application streams, reference table, and application code). This operation requires permissions to perform the kinesisanalytics:DeleteApplication action. /// - /// - Parameter DeleteApplicationInput : + /// - Parameter input: (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : + /// - Returns: (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -851,7 +844,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -886,9 +878,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Deletes a CloudWatch log stream from an application. For more information about using CloudWatch log streams with Amazon Kinesis Analytics applications, see [Working with Amazon CloudWatch Logs](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/cloudwatch-logs.html). /// - /// - Parameter DeleteApplicationCloudWatchLoggingOptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationCloudWatchLoggingOptionInput`) /// - /// - Returns: `DeleteApplicationCloudWatchLoggingOptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationCloudWatchLoggingOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -924,7 +916,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationCloudWatchLoggingOptionOutput.httpOutput(from:), DeleteApplicationCloudWatchLoggingOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -959,9 +950,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Deletes an [InputProcessingConfiguration](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_InputProcessingConfiguration.html) from an input. /// - /// - Parameter DeleteApplicationInputProcessingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInputProcessingConfigurationInput`) /// - /// - Returns: `DeleteApplicationInputProcessingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationInputProcessingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +988,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationInputProcessingConfigurationOutput.httpOutput(from:), DeleteApplicationInputProcessingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1032,9 +1022,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Deletes output destination configuration from your application configuration. Amazon Kinesis Analytics will no longer write data from the corresponding in-application stream to the external output destination. This operation requires permissions to perform the kinesisanalytics:DeleteApplicationOutput action. /// - /// - Parameter DeleteApplicationOutputInput : + /// - Parameter input: (Type: `DeleteApplicationOutputInput`) /// - /// - Returns: `DeleteApplicationOutputOutput` : + /// - Returns: (Type: `DeleteApplicationOutputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1070,7 +1060,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutputOutput.httpOutput(from:), DeleteApplicationOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1105,9 +1094,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Deletes a reference data source configuration from the specified application configuration. If the application is running, Amazon Kinesis Analytics immediately removes the in-application table that you created using the [AddApplicationReferenceDataSource](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_AddApplicationReferenceDataSource.html) operation. This operation requires permissions to perform the kinesisanalytics.DeleteApplicationReferenceDataSource action. /// - /// - Parameter DeleteApplicationReferenceDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationReferenceDataSourceInput`) /// - /// - Returns: `DeleteApplicationReferenceDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationReferenceDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1143,7 +1132,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationReferenceDataSourceOutput.httpOutput(from:), DeleteApplicationReferenceDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1178,9 +1166,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Returns information about a specific Amazon Kinesis Analytics application. If you want to retrieve a list of all applications in your account, use the [ListApplications](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_ListApplications.html) operation. This operation requires permissions to perform the kinesisanalytics:DescribeApplication action. You can use DescribeApplication to get the current application versionId, which you need to call other operations such as Update. /// - /// - Parameter DescribeApplicationInput : + /// - Parameter input: (Type: `DescribeApplicationInput`) /// - /// - Returns: `DescribeApplicationOutput` : + /// - Returns: (Type: `DescribeApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1213,7 +1201,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationOutput.httpOutput(from:), DescribeApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1248,9 +1235,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Infers a schema by evaluating sample records on the specified streaming source (Amazon Kinesis stream or Amazon Kinesis Firehose delivery stream) or S3 object. In the response, the operation returns the inferred schema and also the sample records that the operation used to infer the schema. You can use the inferred schema when configuring a streaming source for your application. For conceptual information, see [Configuring Application Input](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/how-it-works-input.html). Note that when you create an application using the Amazon Kinesis Analytics console, the console uses this operation to infer a schema and show it in the console user interface. This operation requires permissions to perform the kinesisanalytics:DiscoverInputSchema action. /// - /// - Parameter DiscoverInputSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DiscoverInputSchemaInput`) /// - /// - Returns: `DiscoverInputSchemaOutput` : + /// - Returns: (Type: `DiscoverInputSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1288,7 +1275,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DiscoverInputSchemaOutput.httpOutput(from:), DiscoverInputSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1326,9 +1312,9 @@ extension KinesisAnalyticsClient { /// /// you can send another request by adding the ExclusiveStartApplicationName in the request body, and set the value of this to the last application name from the previous response. If you want detailed information about a specific application, use [DescribeApplication](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_DescribeApplication.html). This operation requires permissions to perform the kinesisanalytics:ListApplications action. /// - /// - Parameter ListApplicationsInput : + /// - Parameter input: (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : + /// - Returns: (Type: `ListApplicationsOutput`) public func listApplications(input: ListApplicationsInput) async throws -> ListApplicationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1355,7 +1341,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1390,9 +1375,9 @@ extension KinesisAnalyticsClient { /// /// Retrieves the list of key-value tags assigned to the application. For more information, see [Using Tagging](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/how-tagging.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1426,7 +1411,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1461,9 +1445,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Starts the specified Amazon Kinesis Analytics application. After creating an application, you must exclusively call this operation to start your application. After the application starts, it begins consuming the input data, processes it, and writes the output to the configured destination. The application status must be READY for you to start an application. You can get the application status in the console or using the [DescribeApplication](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_DescribeApplication.html) operation. After you start the application, you can stop the application from processing the input by calling the [StopApplication](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_StopApplication.html) operation. This operation requires permissions to perform the kinesisanalytics:StartApplication action. /// - /// - Parameter StartApplicationInput : + /// - Parameter input: (Type: `StartApplicationInput`) /// - /// - Returns: `StartApplicationOutput` : + /// - Returns: (Type: `StartApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1499,7 +1483,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartApplicationOutput.httpOutput(from:), StartApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1534,9 +1517,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Stops the application from processing input data. You can stop an application only if it is in the running state. You can use the [DescribeApplication](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/API_DescribeApplication.html) operation to find the application state. After the application is stopped, Amazon Kinesis Analytics stops reading data from the input, the application stops processing data, and there is no output written to the destination. This operation requires permissions to perform the kinesisanalytics:StopApplication action. /// - /// - Parameter StopApplicationInput : + /// - Parameter input: (Type: `StopApplicationInput`) /// - /// - Returns: `StopApplicationOutput` : + /// - Returns: (Type: `StopApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1570,7 +1553,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopApplicationOutput.httpOutput(from:), StopApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1605,9 +1587,9 @@ extension KinesisAnalyticsClient { /// /// Adds one or more key-value tags to a Kinesis Analytics application. Note that the maximum number of application tags includes system tags. The maximum number of user-defined application tags is 50. For more information, see [Using Tagging](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/how-tagging.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1643,7 +1625,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1678,9 +1659,9 @@ extension KinesisAnalyticsClient { /// /// Removes one or more tags from a Kinesis Analytics application. For more information, see [Using Tagging](https://docs.aws.amazon.com/kinesisanalytics/latest/dev/how-tagging.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1716,7 +1697,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1751,9 +1731,9 @@ extension KinesisAnalyticsClient { /// /// This documentation is for version 1 of the Amazon Kinesis Data Analytics API, which only supports SQL applications. Version 2 of the API supports SQL and Java applications. For more information about version 2, see [Amazon Kinesis Data Analytics API V2 Documentation]. Updates an existing Amazon Kinesis Analytics application. Using this API, you can update application code, input configuration, and output configuration. Note that Amazon Kinesis Analytics updates the CurrentApplicationVersionId each time you update your application. This operation requires permission for the kinesisanalytics:UpdateApplication action. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1790,7 +1770,6 @@ extension KinesisAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKinesisAnalyticsV2/Sources/AWSKinesisAnalyticsV2/KinesisAnalyticsV2Client.swift b/Sources/Services/AWSKinesisAnalyticsV2/Sources/AWSKinesisAnalyticsV2/KinesisAnalyticsV2Client.swift index 0266628b5c9..9dd4b4e142f 100644 --- a/Sources/Services/AWSKinesisAnalyticsV2/Sources/AWSKinesisAnalyticsV2/KinesisAnalyticsV2Client.swift +++ b/Sources/Services/AWSKinesisAnalyticsV2/Sources/AWSKinesisAnalyticsV2/KinesisAnalyticsV2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KinesisAnalyticsV2Client: ClientRuntime.Client { public static let clientName = "KinesisAnalyticsV2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KinesisAnalyticsV2Client.KinesisAnalyticsV2ClientConfiguration let serviceName = "Kinesis Analytics V2" @@ -374,9 +373,9 @@ extension KinesisAnalyticsV2Client { /// /// Adds an Amazon CloudWatch log stream to monitor application configuration errors. /// - /// - Parameter AddApplicationCloudWatchLoggingOptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddApplicationCloudWatchLoggingOptionInput`) /// - /// - Returns: `AddApplicationCloudWatchLoggingOptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddApplicationCloudWatchLoggingOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationCloudWatchLoggingOptionOutput.httpOutput(from:), AddApplicationCloudWatchLoggingOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension KinesisAnalyticsV2Client { /// /// Adds a streaming source to your SQL-based Kinesis Data Analytics application. You can add a streaming source when you create an application, or you can use this operation to add a streaming source after you create an application. For more information, see [CreateApplication]. Any configuration update, including adding a streaming source using this operation, results in a new version of the application. You can use the [DescribeApplication] operation to find the current application version. /// - /// - Parameter AddApplicationInputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddApplicationInputInput`) /// - /// - Returns: `AddApplicationInputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddApplicationInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationInputOutput.httpOutput(from:), AddApplicationInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension KinesisAnalyticsV2Client { /// /// Adds an [InputProcessingConfiguration] to a SQL-based Kinesis Data Analytics application. An input processor pre-processes records on the input stream before the application's SQL code executes. Currently, the only input processor available is [Amazon Lambda](https://docs.aws.amazon.com/lambda/). /// - /// - Parameter AddApplicationInputProcessingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddApplicationInputProcessingConfigurationInput`) /// - /// - Returns: `AddApplicationInputProcessingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddApplicationInputProcessingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationInputProcessingConfigurationOutput.httpOutput(from:), AddApplicationInputProcessingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension KinesisAnalyticsV2Client { /// /// Adds an external destination to your SQL-based Kinesis Data Analytics application. If you want Kinesis Data Analytics to deliver data from an in-application stream within your application to an external destination (such as an Kinesis data stream, a Kinesis Data Firehose delivery stream, or an Amazon Lambda function), you add the relevant configuration to your application using this operation. You can configure one or more outputs for your application. Each output configuration maps an in-application stream and an external destination. You can use one of the output configurations to deliver data from your in-application error stream to an external destination so that you can analyze the errors. Any configuration update, including adding a streaming source using this operation, results in a new version of the application. You can use the [DescribeApplication] operation to find the current application version. /// - /// - Parameter AddApplicationOutputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddApplicationOutputInput`) /// - /// - Returns: `AddApplicationOutputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddApplicationOutputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationOutputOutput.httpOutput(from:), AddApplicationOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -668,9 +663,9 @@ extension KinesisAnalyticsV2Client { /// /// Adds a reference data source to an existing SQL-based Kinesis Data Analytics application. Kinesis Data Analytics reads reference data (that is, an Amazon S3 object) and creates an in-application table within your application. In the request, you provide the source (S3 bucket name and object key name), name of the in-application table to create, and the necessary mapping information that describes how data in an Amazon S3 object maps to columns in the resulting in-application table. /// - /// - Parameter AddApplicationReferenceDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddApplicationReferenceDataSourceInput`) /// - /// - Returns: `AddApplicationReferenceDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddApplicationReferenceDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationReferenceDataSourceOutput.httpOutput(from:), AddApplicationReferenceDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -745,9 +739,9 @@ extension KinesisAnalyticsV2Client { /// /// * When a VPC is added to a Managed Service for Apache Flink application, the application can no longer be accessed from the Internet directly. To enable Internet access to the application, add an Internet gateway to your VPC. /// - /// - Parameter AddApplicationVpcConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddApplicationVpcConfigurationInput`) /// - /// - Returns: `AddApplicationVpcConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddApplicationVpcConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -783,7 +777,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddApplicationVpcConfigurationOutput.httpOutput(from:), AddApplicationVpcConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -818,9 +811,9 @@ extension KinesisAnalyticsV2Client { /// /// Creates a Managed Service for Apache Flink application. For information about creating a Managed Service for Apache Flink application, see [Creating an Application](https://docs.aws.amazon.com/kinesisanalytics/latest/java/getting-started.html). /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -859,7 +852,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -894,9 +886,9 @@ extension KinesisAnalyticsV2Client { /// /// Creates and returns a URL that you can use to connect to an application's extension. The IAM role or user used to call this API defines the permissions to access the extension. After the presigned URL is created, no additional permission is required to access this URL. IAM authorization policies for this API are also enforced for every HTTP request that attempts to connect to the extension. You control the amount of time that the URL will be valid using the SessionExpirationDurationInSeconds parameter. If you do not provide this parameter, the returned URL is valid for twelve hours. The URL that you get from a call to CreateApplicationPresignedUrl must be used within 3 minutes to be valid. If you first try to use the URL after the 3-minute limit expires, the service returns an HTTP 403 Forbidden error. /// - /// - Parameter CreateApplicationPresignedUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationPresignedUrlInput`) /// - /// - Returns: `CreateApplicationPresignedUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationPresignedUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -930,7 +922,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationPresignedUrlOutput.httpOutput(from:), CreateApplicationPresignedUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -965,9 +956,9 @@ extension KinesisAnalyticsV2Client { /// /// Creates a snapshot of the application's state data. /// - /// - Parameter CreateApplicationSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationSnapshotInput`) /// - /// - Returns: `CreateApplicationSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1005,7 +996,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationSnapshotOutput.httpOutput(from:), CreateApplicationSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1040,9 +1030,9 @@ extension KinesisAnalyticsV2Client { /// /// Deletes the specified application. Managed Service for Apache Flink halts application execution and deletes the application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1079,7 +1069,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1114,9 +1103,9 @@ extension KinesisAnalyticsV2Client { /// /// Deletes an Amazon CloudWatch log stream from an SQL-based Kinesis Data Analytics application. /// - /// - Parameter DeleteApplicationCloudWatchLoggingOptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationCloudWatchLoggingOptionInput`) /// - /// - Returns: `DeleteApplicationCloudWatchLoggingOptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationCloudWatchLoggingOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1153,7 +1142,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationCloudWatchLoggingOptionOutput.httpOutput(from:), DeleteApplicationCloudWatchLoggingOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1188,9 +1176,9 @@ extension KinesisAnalyticsV2Client { /// /// Deletes an [InputProcessingConfiguration] from an input. /// - /// - Parameter DeleteApplicationInputProcessingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInputProcessingConfigurationInput`) /// - /// - Returns: `DeleteApplicationInputProcessingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationInputProcessingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1226,7 +1214,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationInputProcessingConfigurationOutput.httpOutput(from:), DeleteApplicationInputProcessingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1261,9 +1248,9 @@ extension KinesisAnalyticsV2Client { /// /// Deletes the output destination configuration from your SQL-based Kinesis Data Analytics application's configuration. Kinesis Data Analytics will no longer write data from the corresponding in-application stream to the external output destination. /// - /// - Parameter DeleteApplicationOutputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationOutputInput`) /// - /// - Returns: `DeleteApplicationOutputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1299,7 +1286,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutputOutput.httpOutput(from:), DeleteApplicationOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1334,9 +1320,9 @@ extension KinesisAnalyticsV2Client { /// /// Deletes a reference data source configuration from the specified SQL-based Kinesis Data Analytics application's configuration. If the application is running, Kinesis Data Analytics immediately removes the in-application table that you created using the [AddApplicationReferenceDataSource] operation. /// - /// - Parameter DeleteApplicationReferenceDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationReferenceDataSourceInput`) /// - /// - Returns: `DeleteApplicationReferenceDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationReferenceDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1372,7 +1358,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationReferenceDataSourceOutput.httpOutput(from:), DeleteApplicationReferenceDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1407,9 +1392,9 @@ extension KinesisAnalyticsV2Client { /// /// Deletes a snapshot of application state. /// - /// - Parameter DeleteApplicationSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationSnapshotInput`) /// - /// - Returns: `DeleteApplicationSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1446,7 +1431,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationSnapshotOutput.httpOutput(from:), DeleteApplicationSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1481,9 +1465,9 @@ extension KinesisAnalyticsV2Client { /// /// Removes a VPC configuration from a Managed Service for Apache Flink application. /// - /// - Parameter DeleteApplicationVpcConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationVpcConfigurationInput`) /// - /// - Returns: `DeleteApplicationVpcConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationVpcConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1519,7 +1503,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationVpcConfigurationOutput.httpOutput(from:), DeleteApplicationVpcConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1554,9 +1537,9 @@ extension KinesisAnalyticsV2Client { /// /// Returns information about a specific Managed Service for Apache Flink application. If you want to retrieve a list of all applications in your account, use the [ListApplications] operation. /// - /// - Parameter DescribeApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationInput`) /// - /// - Returns: `DescribeApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1590,7 +1573,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationOutput.httpOutput(from:), DescribeApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1625,9 +1607,9 @@ extension KinesisAnalyticsV2Client { /// /// Provides a detailed description of a specified application operation. To see a list of all the operations of an application, invoke the [ListApplicationOperations] operation. This operation is supported only for Managed Service for Apache Flink. /// - /// - Parameter DescribeApplicationOperationInput : A request for information about a specific operation that was performed on a Managed Service for Apache Flink application. + /// - Parameter input: A request for information about a specific operation that was performed on a Managed Service for Apache Flink application. (Type: `DescribeApplicationOperationInput`) /// - /// - Returns: `DescribeApplicationOperationOutput` : Provides details of the operation that corresponds to the operation ID on a Managed Service for Apache Flink application. + /// - Returns: Provides details of the operation that corresponds to the operation ID on a Managed Service for Apache Flink application. (Type: `DescribeApplicationOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1661,7 +1643,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationOperationOutput.httpOutput(from:), DescribeApplicationOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1696,9 +1677,9 @@ extension KinesisAnalyticsV2Client { /// /// Returns information about a snapshot of application state data. /// - /// - Parameter DescribeApplicationSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationSnapshotInput`) /// - /// - Returns: `DescribeApplicationSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1732,7 +1713,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationSnapshotOutput.httpOutput(from:), DescribeApplicationSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1767,9 +1747,9 @@ extension KinesisAnalyticsV2Client { /// /// Provides a detailed description of a specified version of the application. To see a list of all the versions of an application, invoke the [ListApplicationVersions] operation. This operation is supported only for Managed Service for Apache Flink. /// - /// - Parameter DescribeApplicationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationVersionInput`) /// - /// - Returns: `DescribeApplicationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1803,7 +1783,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationVersionOutput.httpOutput(from:), DescribeApplicationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1838,9 +1817,9 @@ extension KinesisAnalyticsV2Client { /// /// Infers a schema for a SQL-based Kinesis Data Analytics application by evaluating sample records on the specified streaming source (Kinesis data stream or Kinesis Data Firehose delivery stream) or Amazon S3 object. In the response, the operation returns the inferred schema and also the sample records that the operation used to infer the schema. You can use the inferred schema when configuring a streaming source for your application. When you create an application using the Kinesis Data Analytics console, the console uses this operation to infer a schema and show it in the console user interface. /// - /// - Parameter DiscoverInputSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DiscoverInputSchemaInput`) /// - /// - Returns: `DiscoverInputSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DiscoverInputSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1877,7 +1856,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DiscoverInputSchemaOutput.httpOutput(from:), DiscoverInputSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1912,9 +1890,9 @@ extension KinesisAnalyticsV2Client { /// /// Lists all the operations performed for the specified application such as UpdateApplication, StartApplication etc. The response also includes a summary of the operation. To get the complete description of a specific operation, invoke the [DescribeApplicationOperation] operation. This operation is supported only for Managed Service for Apache Flink. /// - /// - Parameter ListApplicationOperationsInput : A request for a list of operations performed on an application. + /// - Parameter input: A request for a list of operations performed on an application. (Type: `ListApplicationOperationsInput`) /// - /// - Returns: `ListApplicationOperationsOutput` : A response that returns a list of operations for an application. + /// - Returns: A response that returns a list of operations for an application. (Type: `ListApplicationOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1948,7 +1926,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationOperationsOutput.httpOutput(from:), ListApplicationOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1983,9 +1960,9 @@ extension KinesisAnalyticsV2Client { /// /// Lists information about the current application snapshots. /// - /// - Parameter ListApplicationSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationSnapshotsInput`) /// - /// - Returns: `ListApplicationSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2018,7 +1995,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationSnapshotsOutput.httpOutput(from:), ListApplicationSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2053,9 +2029,9 @@ extension KinesisAnalyticsV2Client { /// /// Lists all the versions for the specified application, including versions that were rolled back. The response also includes a summary of the configuration associated with each version. To get the complete description of a specific application version, invoke the [DescribeApplicationVersion] operation. This operation is supported only for Managed Service for Apache Flink. /// - /// - Parameter ListApplicationVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationVersionsInput`) /// - /// - Returns: `ListApplicationVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2089,7 +2065,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationVersionsOutput.httpOutput(from:), ListApplicationVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2124,9 +2099,9 @@ extension KinesisAnalyticsV2Client { /// /// Returns a list of Managed Service for Apache Flink applications in your account. For each application, the response includes the application name, Amazon Resource Name (ARN), and status. If you want detailed information about a specific application, use [DescribeApplication]. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2158,7 +2133,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2193,9 +2167,9 @@ extension KinesisAnalyticsV2Client { /// /// Retrieves the list of key-value tags assigned to the application. For more information, see [Using Tagging](https://docs.aws.amazon.com/kinesisanalytics/latest/java/how-tagging.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2229,7 +2203,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2264,9 +2237,9 @@ extension KinesisAnalyticsV2Client { /// /// Reverts the application to the previous running version. You can roll back an application if you suspect it is stuck in a transient status or in the running status. You can roll back an application only if it is in the UPDATING, AUTOSCALING, or RUNNING statuses. When you rollback an application, it loads state data from the last successful snapshot. If the application has no snapshots, Managed Service for Apache Flink rejects the rollback request. /// - /// - Parameter RollbackApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RollbackApplicationInput`) /// - /// - Returns: `RollbackApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RollbackApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2303,7 +2276,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RollbackApplicationOutput.httpOutput(from:), RollbackApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2338,9 +2310,9 @@ extension KinesisAnalyticsV2Client { /// /// Starts the specified Managed Service for Apache Flink application. After creating an application, you must exclusively call this operation to start your application. /// - /// - Parameter StartApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartApplicationInput`) /// - /// - Returns: `StartApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2376,7 +2348,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartApplicationOutput.httpOutput(from:), StartApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2411,9 +2382,9 @@ extension KinesisAnalyticsV2Client { /// /// Stops the application from processing data. You can stop an application only if it is in the running status, unless you set the Force parameter to true. You can use the [DescribeApplication] operation to find the application status. Managed Service for Apache Flink takes a snapshot when the application is stopped, unless Force is set to true. /// - /// - Parameter StopApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopApplicationInput`) /// - /// - Returns: `StopApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2450,7 +2421,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopApplicationOutput.httpOutput(from:), StopApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2485,9 +2455,9 @@ extension KinesisAnalyticsV2Client { /// /// Adds one or more key-value tags to a Managed Service for Apache Flink application. Note that the maximum number of application tags includes system tags. The maximum number of user-defined application tags is 50. For more information, see [Using Tagging](https://docs.aws.amazon.com/kinesisanalytics/latest/java/how-tagging.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2523,7 +2493,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2558,9 +2527,9 @@ extension KinesisAnalyticsV2Client { /// /// Removes one or more tags from a Managed Service for Apache Flink application. For more information, see [Using Tagging](https://docs.aws.amazon.com/kinesisanalytics/latest/java/how-tagging.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2596,7 +2565,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2631,9 +2599,9 @@ extension KinesisAnalyticsV2Client { /// /// Updates an existing Managed Service for Apache Flink application. Using this operation, you can update application code, input configuration, and output configuration. Managed Service for Apache Flink updates the ApplicationVersionId each time you update your application. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2672,7 +2640,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2707,9 +2674,9 @@ extension KinesisAnalyticsV2Client { /// /// Updates the maintenance configuration of the Managed Service for Apache Flink application. You can invoke this operation on an application that is in one of the two following states: READY or RUNNING. If you invoke it when the application is in a state other than these two states, it throws a ResourceInUseException. The service makes use of the updated configuration the next time it schedules maintenance for the application. If you invoke this operation after the service schedules maintenance, the service will apply the configuration update the next time it schedules maintenance for the application. This means that you might not see the maintenance configuration update applied to the maintenance process that follows a successful invocation of this operation, but to the following maintenance process instead. To see the current maintenance configuration of your application, invoke the [DescribeApplication] operation. For information about application maintenance, see [Managed Service for Apache Flink for Apache Flink Maintenance](https://docs.aws.amazon.com/kinesisanalytics/latest/java/maintenance.html). This operation is supported only for Managed Service for Apache Flink. /// - /// - Parameter UpdateApplicationMaintenanceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationMaintenanceConfigurationInput`) /// - /// - Returns: `UpdateApplicationMaintenanceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationMaintenanceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2745,7 +2712,6 @@ extension KinesisAnalyticsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationMaintenanceConfigurationOutput.httpOutput(from:), UpdateApplicationMaintenanceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKinesisVideo/Sources/AWSKinesisVideo/KinesisVideoClient.swift b/Sources/Services/AWSKinesisVideo/Sources/AWSKinesisVideo/KinesisVideoClient.swift index 12d20be027f..08e02737f58 100644 --- a/Sources/Services/AWSKinesisVideo/Sources/AWSKinesisVideo/KinesisVideoClient.swift +++ b/Sources/Services/AWSKinesisVideo/Sources/AWSKinesisVideo/KinesisVideoClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KinesisVideoClient: ClientRuntime.Client { public static let clientName = "KinesisVideoClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KinesisVideoClient.KinesisVideoClientConfiguration let serviceName = "Kinesis Video" @@ -373,9 +372,9 @@ extension KinesisVideoClient { /// /// Creates a signaling channel. CreateSignalingChannel is an asynchronous operation. /// - /// - Parameter CreateSignalingChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSignalingChannelInput`) /// - /// - Returns: `CreateSignalingChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSignalingChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -420,7 +419,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSignalingChannelOutput.httpOutput(from:), CreateSignalingChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension KinesisVideoClient { /// /// Creates a new Kinesis video stream. When you create a new stream, Kinesis Video Streams assigns it a version number. When you change the stream's metadata, Kinesis Video Streams updates the version. CreateStream is an asynchronous operation. For information about how the service works, see [How it Works](https://docs.aws.amazon.com/kinesisvideostreams/latest/dg/how-it-works.html). You must have permissions for the KinesisVideo:CreateStream action. /// - /// - Parameter CreateStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStreamInput`) /// - /// - Returns: `CreateStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -500,7 +498,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStreamOutput.httpOutput(from:), CreateStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -532,9 +529,9 @@ extension KinesisVideoClient { /// /// An asynchronous API that deletes a stream’s existing edge configuration, as well as the corresponding media from the Edge Agent. When you invoke this API, the sync status is set to DELETING. A deletion process starts, in which active edge jobs are stopped and all media is deleted from the edge device. The time to delete varies, depending on the total amount of stored media. If the deletion process fails, the sync status changes to DELETE_FAILED. You will need to re-try the deletion. When the deletion process has completed successfully, the edge configuration is no longer accessible. /// - /// - Parameter DeleteEdgeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEdgeConfigurationInput`) /// - /// - Returns: `DeleteEdgeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEdgeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -572,7 +569,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEdgeConfigurationOutput.httpOutput(from:), DeleteEdgeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -604,9 +600,9 @@ extension KinesisVideoClient { /// /// Deletes a specified signaling channel. DeleteSignalingChannel is an asynchronous operation. If you don't specify the channel's current version, the most recent version is deleted. /// - /// - Parameter DeleteSignalingChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSignalingChannelInput`) /// - /// - Returns: `DeleteSignalingChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSignalingChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -651,7 +647,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSignalingChannelOutput.httpOutput(from:), DeleteSignalingChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -683,9 +678,9 @@ extension KinesisVideoClient { /// /// Deletes a Kinesis video stream and the data contained in the stream. This method marks the stream for deletion, and makes the data in the stream inaccessible immediately. To ensure that you have the latest version of the stream before deleting it, you can specify the stream version. Kinesis Video Streams assigns a version to each stream. When you update a stream, Kinesis Video Streams assigns a new version number. To get the latest stream version, use the DescribeStream API. This operation requires permission for the KinesisVideo:DeleteStream action. /// - /// - Parameter DeleteStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStreamInput`) /// - /// - Returns: `DeleteStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -730,7 +725,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStreamOutput.httpOutput(from:), DeleteStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -762,9 +756,9 @@ extension KinesisVideoClient { /// /// Describes a stream’s edge configuration that was set using the StartEdgeConfigurationUpdate API and the latest status of the edge agent's recorder and uploader jobs. Use this API to get the status of the configuration to determine if the configuration is in sync with the Edge Agent. Use this API to evaluate the health of the Edge Agent. /// - /// - Parameter DescribeEdgeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEdgeConfigurationInput`) /// - /// - Returns: `DescribeEdgeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEdgeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -802,7 +796,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEdgeConfigurationOutput.httpOutput(from:), DescribeEdgeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -834,9 +827,9 @@ extension KinesisVideoClient { /// /// Gets the ImageGenerationConfiguration for a given Kinesis video stream. /// - /// - Parameter DescribeImageGenerationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageGenerationConfigurationInput`) /// - /// - Returns: `DescribeImageGenerationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageGenerationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -873,7 +866,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageGenerationConfigurationOutput.httpOutput(from:), DescribeImageGenerationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -905,9 +897,9 @@ extension KinesisVideoClient { /// /// Returns the most current information about the stream. The streamName or streamARN should be provided in the input. /// - /// - Parameter DescribeMappedResourceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMappedResourceConfigurationInput`) /// - /// - Returns: `DescribeMappedResourceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMappedResourceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -944,7 +936,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMappedResourceConfigurationOutput.httpOutput(from:), DescribeMappedResourceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -976,9 +967,9 @@ extension KinesisVideoClient { /// /// Returns the most current information about the channel. Specify the ChannelName or ChannelARN in the input. /// - /// - Parameter DescribeMediaStorageConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMediaStorageConfigurationInput`) /// - /// - Returns: `DescribeMediaStorageConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMediaStorageConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1015,7 +1006,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMediaStorageConfigurationOutput.httpOutput(from:), DescribeMediaStorageConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1047,9 +1037,9 @@ extension KinesisVideoClient { /// /// Gets the NotificationConfiguration for a given Kinesis video stream. /// - /// - Parameter DescribeNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNotificationConfigurationInput`) /// - /// - Returns: `DescribeNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1086,7 +1076,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNotificationConfigurationOutput.httpOutput(from:), DescribeNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1118,9 +1107,9 @@ extension KinesisVideoClient { /// /// Returns the most current information about the signaling channel. You must specify either the name or the Amazon Resource Name (ARN) of the channel that you want to describe. /// - /// - Parameter DescribeSignalingChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSignalingChannelInput`) /// - /// - Returns: `DescribeSignalingChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSignalingChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1157,7 +1146,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSignalingChannelOutput.httpOutput(from:), DescribeSignalingChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1189,9 +1177,9 @@ extension KinesisVideoClient { /// /// Returns the most current information about the specified stream. You must specify either the StreamName or the StreamARN. /// - /// - Parameter DescribeStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStreamInput`) /// - /// - Returns: `DescribeStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1228,7 +1216,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStreamOutput.httpOutput(from:), DescribeStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1260,9 +1247,9 @@ extension KinesisVideoClient { /// /// Gets an endpoint for a specified stream for either reading or writing. Use this endpoint in your application to read from the specified stream (using the GetMedia or GetMediaForFragmentList operations) or write to it (using the PutMedia operation). The returned endpoint does not have the API name appended. The client needs to add the API name to the returned endpoint. In the request, specify the stream either by StreamName or StreamARN. /// - /// - Parameter GetDataEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataEndpointInput`) /// - /// - Returns: `GetDataEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1299,7 +1286,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataEndpointOutput.httpOutput(from:), GetDataEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1331,9 +1317,9 @@ extension KinesisVideoClient { /// /// Provides an endpoint for the specified signaling channel to send and receive messages. This API uses the SingleMasterChannelEndpointConfiguration input parameter, which consists of the Protocols and Role properties. Protocols is used to determine the communication mechanism. For example, if you specify WSS as the protocol, this API produces a secure websocket endpoint. If you specify HTTPS as the protocol, this API generates an HTTPS endpoint. Role determines the messaging permissions. A MASTER role results in this API generating an endpoint that a client can use to communicate with any of the viewers on the channel. A VIEWER role results in this API generating an endpoint that a client can use to communicate only with a MASTER. /// - /// - Parameter GetSignalingChannelEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSignalingChannelEndpointInput`) /// - /// - Returns: `GetSignalingChannelEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSignalingChannelEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1377,7 +1363,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSignalingChannelEndpointOutput.httpOutput(from:), GetSignalingChannelEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1409,9 +1394,9 @@ extension KinesisVideoClient { /// /// Returns an array of edge configurations associated with the specified Edge Agent. In the request, you must specify the Edge Agent HubDeviceArn. /// - /// - Parameter ListEdgeAgentConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEdgeAgentConfigurationsInput`) /// - /// - Returns: `ListEdgeAgentConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEdgeAgentConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1447,7 +1432,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEdgeAgentConfigurationsOutput.httpOutput(from:), ListEdgeAgentConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1479,9 +1463,9 @@ extension KinesisVideoClient { /// /// Returns an array of ChannelInfo objects. Each object describes a signaling channel. To retrieve only those channels that satisfy a specific condition, you can specify a ChannelNameCondition. /// - /// - Parameter ListSignalingChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSignalingChannelsInput`) /// - /// - Returns: `ListSignalingChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSignalingChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1517,7 +1501,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSignalingChannelsOutput.httpOutput(from:), ListSignalingChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1549,9 +1532,9 @@ extension KinesisVideoClient { /// /// Returns an array of StreamInfo objects. Each object describes a stream. To retrieve only streams that satisfy a specific condition, you can specify a StreamNameCondition. /// - /// - Parameter ListStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamsInput`) /// - /// - Returns: `ListStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1586,7 +1569,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamsOutput.httpOutput(from:), ListStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1618,9 +1600,9 @@ extension KinesisVideoClient { /// /// Returns a list of tags associated with the specified signaling channel. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1657,7 +1639,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1689,9 +1670,9 @@ extension KinesisVideoClient { /// /// Returns a list of tags associated with the specified stream. In the request, you must specify either the StreamName or the StreamARN. /// - /// - Parameter ListTagsForStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForStreamInput`) /// - /// - Returns: `ListTagsForStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1729,7 +1710,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForStreamOutput.httpOutput(from:), ListTagsForStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1761,9 +1741,9 @@ extension KinesisVideoClient { /// /// An asynchronous API that updates a stream’s existing edge configuration. The Kinesis Video Stream will sync the stream’s edge configuration with the Edge Agent IoT Greengrass component that runs on an IoT Hub Device, setup at your premise. The time to sync can vary and depends on the connectivity of the Hub Device. The SyncStatus will be updated as the edge configuration is acknowledged, and synced with the Edge Agent. If this API is invoked for the first time, a new edge configuration will be created for the stream, and the sync status will be set to SYNCING. You will have to wait for the sync status to reach a terminal state such as: IN_SYNC, or SYNC_FAILED, before using this API again. If you invoke this API during the syncing process, a ResourceInUseException will be thrown. The connectivity of the stream’s edge configuration and the Edge Agent will be retried for 15 minutes. After 15 minutes, the status will transition into the SYNC_FAILED state. To move an edge configuration from one device to another, use [DeleteEdgeConfiguration] to delete the current edge configuration. You can then invoke StartEdgeConfigurationUpdate with an updated Hub Device ARN. /// - /// - Parameter StartEdgeConfigurationUpdateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEdgeConfigurationUpdateInput`) /// - /// - Returns: `StartEdgeConfigurationUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEdgeConfigurationUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1808,7 +1788,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEdgeConfigurationUpdateOutput.httpOutput(from:), StartEdgeConfigurationUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1840,9 +1819,9 @@ extension KinesisVideoClient { /// /// Adds one or more tags to a signaling channel. A tag is a key-value pair (the value is optional) that you can define and assign to Amazon Web Services resources. If you specify a tag that already exists, the tag value is replaced with the value that you specify in the request. For more information, see [Using Cost Allocation Tags](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/cost-alloc-tags.html) in the Billing and Cost Management and Cost Management User Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1880,7 +1859,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1912,9 +1890,9 @@ extension KinesisVideoClient { /// /// Adds one or more tags to a stream. A tag is a key-value pair (the value is optional) that you can define and assign to Amazon Web Services resources. If you specify a tag that already exists, the tag value is replaced with the value that you specify in the request. For more information, see [Using Cost Allocation Tags](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/cost-alloc-tags.html) in the Billing and Cost Management and Cost Management User Guide. You must provide either the StreamName or the StreamARN. This operation requires permission for the KinesisVideo:TagStream action. A Kinesis video stream can support up to 50 tags. /// - /// - Parameter TagStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagStreamInput`) /// - /// - Returns: `TagStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1953,7 +1931,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagStreamOutput.httpOutput(from:), TagStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1985,9 +1962,9 @@ extension KinesisVideoClient { /// /// Removes one or more tags from a signaling channel. In the request, specify only a tag key or keys; don't specify the value. If you specify a tag key that does not exist, it's ignored. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2024,7 +2001,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2056,9 +2032,9 @@ extension KinesisVideoClient { /// /// Removes one or more tags from a stream. In the request, specify only a tag key or keys; don't specify the value. If you specify a tag key that does not exist, it's ignored. In the request, you must provide the StreamName or StreamARN. /// - /// - Parameter UntagStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagStreamInput`) /// - /// - Returns: `UntagStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2096,7 +2072,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagStreamOutput.httpOutput(from:), UntagStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2132,9 +2107,9 @@ extension KinesisVideoClient { /// /// * If the data retention period is decreased, existing data is retained for the new retention period. For example, if the data retention period is decreased from seven hours to one hour, all existing data is retained for one hour, and any data older than one hour is deleted immediately. /// - /// - Parameter UpdateDataRetentionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataRetentionInput`) /// - /// - Returns: `UpdateDataRetentionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataRetentionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2179,7 +2154,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataRetentionOutput.httpOutput(from:), UpdateDataRetentionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2211,9 +2185,9 @@ extension KinesisVideoClient { /// /// Updates the StreamInfo and ImageProcessingConfiguration fields. /// - /// - Parameter UpdateImageGenerationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateImageGenerationConfigurationInput`) /// - /// - Returns: `UpdateImageGenerationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateImageGenerationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2258,7 +2232,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateImageGenerationConfigurationOutput.httpOutput(from:), UpdateImageGenerationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2297,9 +2270,9 @@ extension KinesisVideoClient { /// /// If StorageStatus is enabled, direct peer-to-peer (master-viewer) connections no longer occur. Peers connect directly to the storage session. You must call the JoinStorageSession API to trigger an SDP offer send and establish a connection between a peer and the storage session. /// - /// - Parameter UpdateMediaStorageConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMediaStorageConfigurationInput`) /// - /// - Returns: `UpdateMediaStorageConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMediaStorageConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2344,7 +2317,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMediaStorageConfigurationOutput.httpOutput(from:), UpdateMediaStorageConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2376,9 +2348,9 @@ extension KinesisVideoClient { /// /// Updates the notification information for a stream. /// - /// - Parameter UpdateNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNotificationConfigurationInput`) /// - /// - Returns: `UpdateNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2423,7 +2395,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNotificationConfigurationOutput.httpOutput(from:), UpdateNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2455,9 +2426,9 @@ extension KinesisVideoClient { /// /// Updates the existing signaling channel. This is an asynchronous operation and takes time to complete. If the MessageTtlSeconds value is updated (either increased or reduced), it only applies to new messages sent via this channel after it's been updated. Existing messages are still expired as per the previous MessageTtlSeconds value. /// - /// - Parameter UpdateSignalingChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSignalingChannelInput`) /// - /// - Returns: `UpdateSignalingChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSignalingChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2502,7 +2473,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSignalingChannelOutput.httpOutput(from:), UpdateSignalingChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2534,9 +2504,9 @@ extension KinesisVideoClient { /// /// Updates stream metadata, such as the device name and media type. You must provide the stream name or the Amazon Resource Name (ARN) of the stream. To make sure that you have the latest version of the stream before updating it, you can specify the stream version. Kinesis Video Streams assigns a version to each stream. When you update a stream, Kinesis Video Streams assigns a new version number. To get the latest stream version, use the DescribeStream API. UpdateStream is an asynchronous operation, and takes time to complete. /// - /// - Parameter UpdateStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStreamInput`) /// - /// - Returns: `UpdateStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2581,7 +2551,6 @@ extension KinesisVideoClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStreamOutput.httpOutput(from:), UpdateStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKinesisVideoArchivedMedia/Sources/AWSKinesisVideoArchivedMedia/KinesisVideoArchivedMediaClient.swift b/Sources/Services/AWSKinesisVideoArchivedMedia/Sources/AWSKinesisVideoArchivedMedia/KinesisVideoArchivedMediaClient.swift index aa129fa1409..c96ece2a9e4 100644 --- a/Sources/Services/AWSKinesisVideoArchivedMedia/Sources/AWSKinesisVideoArchivedMedia/KinesisVideoArchivedMediaClient.swift +++ b/Sources/Services/AWSKinesisVideoArchivedMedia/Sources/AWSKinesisVideoArchivedMedia/KinesisVideoArchivedMediaClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KinesisVideoArchivedMediaClient: ClientRuntime.Client { public static let clientName = "KinesisVideoArchivedMediaClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KinesisVideoArchivedMediaClient.KinesisVideoArchivedMediaClientConfiguration let serviceName = "Kinesis Video Archived Media" @@ -385,9 +384,9 @@ extension KinesisVideoArchivedMediaClient { /// /// You can monitor the amount of outgoing data by monitoring the GetClip.OutgoingBytes Amazon CloudWatch metric. For information about using CloudWatch to monitor Kinesis Video Streams, see [Monitoring Kinesis Video Streams](http://docs.aws.amazon.com/kinesisvideostreams/latest/dg/monitoring.html). For pricing information, see [Amazon Kinesis Video Streams Pricing](https://aws.amazon.com/kinesis/video-streams/pricing/) and [ Amazon Web Services Pricing](https://aws.amazon.com/pricing/). Charges for outgoing Amazon Web Services data apply. /// - /// - Parameter GetClipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClipInput`) /// - /// - Returns: `GetClipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -429,7 +428,6 @@ extension KinesisVideoArchivedMediaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClipOutput.httpOutput(from:), GetClipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -499,9 +497,9 @@ extension KinesisVideoArchivedMediaClient { /// /// Both the HTTP status code and the ErrorType header can be utilized to make programmatic decisions about whether errors are retry-able and under what conditions, as well as provide information on what actions the client programmer might need to take in order to successfully try again. For more information, see the Errors section at the bottom of this topic, as well as [Common Errors](https://docs.aws.amazon.com/kinesisvideostreams/latest/dg/CommonErrors.html). /// - /// - Parameter GetDASHStreamingSessionURLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDASHStreamingSessionURLInput`) /// - /// - Returns: `GetDASHStreamingSessionURLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDASHStreamingSessionURLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -542,7 +540,6 @@ extension KinesisVideoArchivedMediaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDASHStreamingSessionURLOutput.httpOutput(from:), GetDASHStreamingSessionURLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -616,9 +613,9 @@ extension KinesisVideoArchivedMediaClient { /// /// Both the HTTP status code and the ErrorType header can be utilized to make programmatic decisions about whether errors are retry-able and under what conditions, as well as provide information on what actions the client programmer might need to take in order to successfully try again. For more information, see the Errors section at the bottom of this topic, as well as [Common Errors](https://docs.aws.amazon.com/kinesisvideostreams/latest/dg/CommonErrors.html). /// - /// - Parameter GetHLSStreamingSessionURLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHLSStreamingSessionURLInput`) /// - /// - Returns: `GetHLSStreamingSessionURLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHLSStreamingSessionURLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -659,7 +656,6 @@ extension KinesisVideoArchivedMediaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHLSStreamingSessionURLOutput.httpOutput(from:), GetHLSStreamingSessionURLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -691,9 +687,9 @@ extension KinesisVideoArchivedMediaClient { /// /// Retrieves a list of images corresponding to each timestamp for a given time range, sampling interval, and image format configuration. /// - /// - Parameter GetImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImagesInput`) /// - /// - Returns: `GetImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -731,7 +727,6 @@ extension KinesisVideoArchivedMediaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImagesOutput.httpOutput(from:), GetImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -770,9 +765,9 @@ extension KinesisVideoArchivedMediaClient { /// /// Both the HTTP status code and the ErrorType header can be utilized to make programmatic decisions about whether errors are retry-able and under what conditions, as well as provide information on what actions the client programmer might need to take in order to successfully try again. For more information, see the Errors section at the bottom of this topic, as well as [Common Errors](https://docs.aws.amazon.com/kinesisvideostreams/latest/dg/CommonErrors.html). /// - /// - Parameter GetMediaForFragmentListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMediaForFragmentListInput`) /// - /// - Returns: `GetMediaForFragmentListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMediaForFragmentListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -809,7 +804,6 @@ extension KinesisVideoArchivedMediaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMediaForFragmentListOutput.httpOutput(from:), GetMediaForFragmentListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -848,9 +842,9 @@ extension KinesisVideoArchivedMediaClient { /// /// Both the HTTP status code and the ErrorType header can be utilized to make programmatic decisions about whether errors are retry-able and under what conditions, as well as provide information on what actions the client programmer might need to take in order to successfully try again. For more information, see the Errors section at the bottom of this topic, as well as [Common Errors](https://docs.aws.amazon.com/kinesisvideostreams/latest/dg/CommonErrors.html). /// - /// - Parameter ListFragmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFragmentsInput`) /// - /// - Returns: `ListFragmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFragmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -887,7 +881,6 @@ extension KinesisVideoArchivedMediaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFragmentsOutput.httpOutput(from:), ListFragmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKinesisVideoMedia/Sources/AWSKinesisVideoMedia/KinesisVideoMediaClient.swift b/Sources/Services/AWSKinesisVideoMedia/Sources/AWSKinesisVideoMedia/KinesisVideoMediaClient.swift index b0ee8f09199..3a18d367b09 100644 --- a/Sources/Services/AWSKinesisVideoMedia/Sources/AWSKinesisVideoMedia/KinesisVideoMediaClient.swift +++ b/Sources/Services/AWSKinesisVideoMedia/Sources/AWSKinesisVideoMedia/KinesisVideoMediaClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KinesisVideoMediaClient: ClientRuntime.Client { public static let clientName = "KinesisVideoMediaClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KinesisVideoMediaClient.KinesisVideoMediaClientConfiguration let serviceName = "Kinesis Video Media" @@ -387,9 +386,9 @@ extension KinesisVideoMediaClient { /// /// Both the HTTP status code and the ErrorType header can be utilized to make programmatic decisions about whether errors are retry-able and under what conditions, as well as provide information on what actions the client programmer might need to take in order to successfully try again. For more information, see the Errors section at the bottom of this topic, as well as [Common Errors](https://docs.aws.amazon.com/kinesisvideostreams/latest/dg/CommonErrors.html). /// - /// - Parameter GetMediaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMediaInput`) /// - /// - Returns: `GetMediaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMediaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -428,7 +427,6 @@ extension KinesisVideoMediaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMediaOutput.httpOutput(from:), GetMediaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKinesisVideoSignaling/Sources/AWSKinesisVideoSignaling/KinesisVideoSignalingClient.swift b/Sources/Services/AWSKinesisVideoSignaling/Sources/AWSKinesisVideoSignaling/KinesisVideoSignalingClient.swift index 6bba1ba1416..d75e1d79000 100644 --- a/Sources/Services/AWSKinesisVideoSignaling/Sources/AWSKinesisVideoSignaling/KinesisVideoSignalingClient.swift +++ b/Sources/Services/AWSKinesisVideoSignaling/Sources/AWSKinesisVideoSignaling/KinesisVideoSignalingClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KinesisVideoSignalingClient: ClientRuntime.Client { public static let clientName = "KinesisVideoSignalingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KinesisVideoSignalingClient.KinesisVideoSignalingClientConfiguration let serviceName = "Kinesis Video Signaling" @@ -372,9 +371,9 @@ extension KinesisVideoSignalingClient { /// /// Gets the Interactive Connectivity Establishment (ICE) server configuration information, including URIs, username, and password which can be used to configure the WebRTC connection. The ICE component uses this configuration information to setup the WebRTC connection, including authenticating with the Traversal Using Relays around NAT (TURN) relay server. TURN is a protocol that is used to improve the connectivity of peer-to-peer applications. By providing a cloud-based relay service, TURN ensures that a connection can be established even when one or more peers are incapable of a direct peer-to-peer connection. For more information, see [A REST API For Access To TURN Services](https://tools.ietf.org/html/draft-uberti-rtcweb-turn-rest-00). You can invoke this API to establish a fallback mechanism in case either of the peers is unable to establish a direct peer-to-peer connection over a signaling channel. You must specify either a signaling channel ARN or the client ID in order to invoke this API. /// - /// - Parameter GetIceServerConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIceServerConfigInput`) /// - /// - Returns: `GetIceServerConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIceServerConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension KinesisVideoSignalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIceServerConfigOutput.httpOutput(from:), GetIceServerConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension KinesisVideoSignalingClient { /// /// This API allows you to connect WebRTC-enabled devices with Alexa display devices. When invoked, it sends the Alexa Session Description Protocol (SDP) offer to the master peer. The offer is delivered as soon as the master is connected to the specified signaling channel. This API returns the SDP answer from the connected master. If the master is not connected to the signaling channel, redelivery requests are made until the message expires. /// - /// - Parameter SendAlexaOfferToMasterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendAlexaOfferToMasterInput`) /// - /// - Returns: `SendAlexaOfferToMasterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendAlexaOfferToMasterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension KinesisVideoSignalingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendAlexaOfferToMasterOutput.httpOutput(from:), SendAlexaOfferToMasterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSKinesisVideoWebRTCStorage/Sources/AWSKinesisVideoWebRTCStorage/KinesisVideoWebRTCStorageClient.swift b/Sources/Services/AWSKinesisVideoWebRTCStorage/Sources/AWSKinesisVideoWebRTCStorage/KinesisVideoWebRTCStorageClient.swift index 19ef9dca462..b1cb0a6141e 100644 --- a/Sources/Services/AWSKinesisVideoWebRTCStorage/Sources/AWSKinesisVideoWebRTCStorage/KinesisVideoWebRTCStorageClient.swift +++ b/Sources/Services/AWSKinesisVideoWebRTCStorage/Sources/AWSKinesisVideoWebRTCStorage/KinesisVideoWebRTCStorageClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class KinesisVideoWebRTCStorageClient: ClientRuntime.Client { public static let clientName = "KinesisVideoWebRTCStorageClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: KinesisVideoWebRTCStorageClient.KinesisVideoWebRTCStorageClientConfiguration let serviceName = "Kinesis Video WebRTC Storage" @@ -385,9 +384,9 @@ extension KinesisVideoWebRTCStorageClient { /// /// * Concurrent calls - Concurrent calls are allowed. An offer is sent once per each call. /// - /// - Parameter JoinStorageSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `JoinStorageSessionInput`) /// - /// - Returns: `JoinStorageSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `JoinStorageSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -424,7 +423,6 @@ extension KinesisVideoWebRTCStorageClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(JoinStorageSessionOutput.httpOutput(from:), JoinStorageSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -456,9 +454,9 @@ extension KinesisVideoWebRTCStorageClient { /// /// Join the ongoing one way-video and/or multi-way audio WebRTC session as a viewer for an input channel. If there’s no existing session for the channel, create a new streaming session and provide the Amazon Resource Name (ARN) of the signaling channel (channelArn) and client id (clientId). Currently for SINGLE_MASTER type, a video producing device is able to ingest both audio and video media into a stream, while viewers can only ingest audio. Both a video producing device and viewers can join a session first and wait for other participants. While participants are having peer to peer conversations through WebRTC, the ingested media session will be stored into the Kinesis Video Stream. Multiple viewers are able to playback real-time media. Customers can also use existing Kinesis Video Streams features like HLS or DASH playback, Image generation, and more with ingested WebRTC media. If there’s an existing session with the same clientId that's found in the join session request, the new request takes precedence. /// - /// - Parameter JoinStorageSessionAsViewerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `JoinStorageSessionAsViewerInput`) /// - /// - Returns: `JoinStorageSessionAsViewerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `JoinStorageSessionAsViewerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -495,7 +493,6 @@ extension KinesisVideoWebRTCStorageClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(JoinStorageSessionAsViewerOutput.httpOutput(from:), JoinStorageSessionAsViewerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLakeFormation/Sources/AWSLakeFormation/LakeFormationClient.swift b/Sources/Services/AWSLakeFormation/Sources/AWSLakeFormation/LakeFormationClient.swift index a9aebbdd6b4..e6579a4e4a8 100644 --- a/Sources/Services/AWSLakeFormation/Sources/AWSLakeFormation/LakeFormationClient.swift +++ b/Sources/Services/AWSLakeFormation/Sources/AWSLakeFormation/LakeFormationClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LakeFormationClient: ClientRuntime.Client { public static let clientName = "LakeFormationClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LakeFormationClient.LakeFormationClientConfiguration let serviceName = "LakeFormation" @@ -374,9 +373,9 @@ extension LakeFormationClient { /// /// Attaches one or more LF-tags to an existing resource. /// - /// - Parameter AddLFTagsToResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddLFTagsToResourceInput`) /// - /// - Returns: `AddLFTagsToResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddLFTagsToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddLFTagsToResourceOutput.httpOutput(from:), AddLFTagsToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension LakeFormationClient { /// /// Allows a caller to assume an IAM role decorated as the SAML user specified in the SAML assertion included in the request. This decoration allows Lake Formation to enforce access policies against the SAML users and groups. This API operation requires SAML federation setup in the caller’s account as it can only be called with valid SAML assertions. Lake Formation does not scope down the permission of the assumed role. All permissions attached to the role via the SAML federation setup will be included in the role session. This decorated role is expected to access data in Amazon S3 by getting temporary access from Lake Formation which is authorized via the virtual API GetDataAccess. Therefore, all SAML roles that can be assumed via AssumeDecoratedRoleWithSAML must at a minimum include lakeformation:GetDataAccess in their role policies. A typical IAM policy attached to such a role would look as follows: /// - /// - Parameter AssumeDecoratedRoleWithSAMLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeDecoratedRoleWithSAMLInput`) /// - /// - Returns: `AssumeDecoratedRoleWithSAMLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssumeDecoratedRoleWithSAMLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeDecoratedRoleWithSAMLOutput.httpOutput(from:), AssumeDecoratedRoleWithSAMLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension LakeFormationClient { /// /// Batch operation to grant permissions to the principal. /// - /// - Parameter BatchGrantPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGrantPermissionsInput`) /// - /// - Returns: `BatchGrantPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGrantPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGrantPermissionsOutput.httpOutput(from:), BatchGrantPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension LakeFormationClient { /// /// Batch operation to revoke permissions from the principal. /// - /// - Parameter BatchRevokePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchRevokePermissionsInput`) /// - /// - Returns: `BatchRevokePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchRevokePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchRevokePermissionsOutput.httpOutput(from:), BatchRevokePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -657,9 +652,9 @@ extension LakeFormationClient { /// /// Attempts to cancel the specified transaction. Returns an exception if the transaction was previously committed. /// - /// - Parameter CancelTransactionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelTransactionInput`) /// - /// - Returns: `CancelTransactionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelTransactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -699,7 +694,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelTransactionOutput.httpOutput(from:), CancelTransactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +725,9 @@ extension LakeFormationClient { /// /// Attempts to commit the specified transaction. Returns an exception if the transaction was previously aborted. This API action is idempotent if called multiple times for the same transaction. /// - /// - Parameter CommitTransactionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CommitTransactionInput`) /// - /// - Returns: `CommitTransactionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CommitTransactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -772,7 +766,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CommitTransactionOutput.httpOutput(from:), CommitTransactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -804,9 +797,9 @@ extension LakeFormationClient { /// /// Creates a data cell filter to allow one to grant access to certain columns on certain rows. /// - /// - Parameter CreateDataCellsFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataCellsFilterInput`) /// - /// - Returns: `CreateDataCellsFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataCellsFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +839,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataCellsFilterOutput.httpOutput(from:), CreateDataCellsFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +870,9 @@ extension LakeFormationClient { /// /// Creates an LF-tag with the specified name and values. /// - /// - Parameter CreateLFTagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLFTagInput`) /// - /// - Returns: `CreateLFTagOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLFTagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +911,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLFTagOutput.httpOutput(from:), CreateLFTagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -951,9 +942,9 @@ extension LakeFormationClient { /// /// Creates a new LF-Tag expression with the provided name, description, catalog ID, and expression body. This call fails if a LF-Tag expression with the same name already exists in the caller’s account or if the underlying LF-Tags don't exist. To call this API operation, caller needs the following Lake Formation permissions: CREATE_LF_TAG_EXPRESSION on the root catalog resource. GRANT_WITH_LF_TAG_EXPRESSION on all underlying LF-Tag key:value pairs included in the expression. /// - /// - Parameter CreateLFTagExpressionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLFTagExpressionInput`) /// - /// - Returns: `CreateLFTagExpressionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLFTagExpressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -992,7 +983,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLFTagExpressionOutput.httpOutput(from:), CreateLFTagExpressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1024,9 +1014,9 @@ extension LakeFormationClient { /// /// Creates an IAM Identity Center connection with Lake Formation to allow IAM Identity Center users and groups to access Data Catalog resources. /// - /// - Parameter CreateLakeFormationIdentityCenterConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLakeFormationIdentityCenterConfigurationInput`) /// - /// - Returns: `CreateLakeFormationIdentityCenterConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLakeFormationIdentityCenterConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1065,7 +1055,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLakeFormationIdentityCenterConfigurationOutput.httpOutput(from:), CreateLakeFormationIdentityCenterConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1097,9 +1086,9 @@ extension LakeFormationClient { /// /// Enforce Lake Formation permissions for the given databases, tables, and principals. /// - /// - Parameter CreateLakeFormationOptInInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLakeFormationOptInInput`) /// - /// - Returns: `CreateLakeFormationOptInOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLakeFormationOptInOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1139,7 +1128,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLakeFormationOptInOutput.httpOutput(from:), CreateLakeFormationOptInOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1171,9 +1159,9 @@ extension LakeFormationClient { /// /// Deletes a data cell filter. /// - /// - Parameter DeleteDataCellsFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataCellsFilterInput`) /// - /// - Returns: `DeleteDataCellsFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataCellsFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1211,7 +1199,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataCellsFilterOutput.httpOutput(from:), DeleteDataCellsFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1243,9 +1230,9 @@ extension LakeFormationClient { /// /// Deletes the specified LF-tag given a key name. If the input parameter tag key was not found, then the operation will throw an exception. When you delete an LF-tag, the LFTagPolicy attached to the LF-tag becomes invalid. If the deleted LF-tag was still assigned to any resource, the tag policy attach to the deleted LF-tag will no longer be applied to the resource. /// - /// - Parameter DeleteLFTagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLFTagInput`) /// - /// - Returns: `DeleteLFTagOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLFTagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1283,7 +1270,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLFTagOutput.httpOutput(from:), DeleteLFTagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1315,9 +1301,9 @@ extension LakeFormationClient { /// /// Deletes the LF-Tag expression. The caller must be a data lake admin or have DROP permissions on the LF-Tag expression. Deleting a LF-Tag expression will also delete all LFTagPolicy permissions referencing the LF-Tag expression. /// - /// - Parameter DeleteLFTagExpressionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLFTagExpressionInput`) /// - /// - Returns: `DeleteLFTagExpressionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLFTagExpressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1355,7 +1341,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLFTagExpressionOutput.httpOutput(from:), DeleteLFTagExpressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1387,9 +1372,9 @@ extension LakeFormationClient { /// /// Deletes an IAM Identity Center connection with Lake Formation. /// - /// - Parameter DeleteLakeFormationIdentityCenterConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLakeFormationIdentityCenterConfigurationInput`) /// - /// - Returns: `DeleteLakeFormationIdentityCenterConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLakeFormationIdentityCenterConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1428,7 +1413,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLakeFormationIdentityCenterConfigurationOutput.httpOutput(from:), DeleteLakeFormationIdentityCenterConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1460,9 +1444,9 @@ extension LakeFormationClient { /// /// Remove the Lake Formation permissions enforcement of the given databases, tables, and principals. /// - /// - Parameter DeleteLakeFormationOptInInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLakeFormationOptInInput`) /// - /// - Returns: `DeleteLakeFormationOptInOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLakeFormationOptInOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1501,7 +1485,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLakeFormationOptInOutput.httpOutput(from:), DeleteLakeFormationOptInOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1533,9 +1516,9 @@ extension LakeFormationClient { /// /// For a specific governed table, provides a list of Amazon S3 objects that will be written during the current transaction and that can be automatically deleted if the transaction is canceled. Without this call, no Amazon S3 objects are automatically deleted when a transaction cancels. The Glue ETL library function write_dynamic_frame.from_catalog() includes an option to automatically call DeleteObjectsOnCancel before writes. For more information, see [Rolling Back Amazon S3 Writes](https://docs.aws.amazon.com/lake-formation/latest/dg/transactions-data-operations.html#rolling-back-writes). /// - /// - Parameter DeleteObjectsOnCancelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteObjectsOnCancelInput`) /// - /// - Returns: `DeleteObjectsOnCancelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteObjectsOnCancelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1576,7 +1559,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteObjectsOnCancelOutput.httpOutput(from:), DeleteObjectsOnCancelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1608,9 +1590,9 @@ extension LakeFormationClient { /// /// Deregisters the resource as managed by the Data Catalog. When you deregister a path, Lake Formation removes the path from the inline policy attached to your service-linked role. /// - /// - Parameter DeregisterResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterResourceInput`) /// - /// - Returns: `DeregisterResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1647,7 +1629,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterResourceOutput.httpOutput(from:), DeregisterResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1679,9 +1660,9 @@ extension LakeFormationClient { /// /// Retrieves the instance ARN and application ARN for the connection. /// - /// - Parameter DescribeLakeFormationIdentityCenterConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLakeFormationIdentityCenterConfigurationInput`) /// - /// - Returns: `DescribeLakeFormationIdentityCenterConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLakeFormationIdentityCenterConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1719,7 +1700,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLakeFormationIdentityCenterConfigurationOutput.httpOutput(from:), DescribeLakeFormationIdentityCenterConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1751,9 +1731,9 @@ extension LakeFormationClient { /// /// Retrieves the current data access role for the given resource registered in Lake Formation. /// - /// - Parameter DescribeResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourceInput`) /// - /// - Returns: `DescribeResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1790,7 +1770,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourceOutput.httpOutput(from:), DescribeResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1822,9 +1801,9 @@ extension LakeFormationClient { /// /// Returns the details of a single transaction. /// - /// - Parameter DescribeTransactionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransactionInput`) /// - /// - Returns: `DescribeTransactionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1861,7 +1840,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransactionOutput.httpOutput(from:), DescribeTransactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1893,9 +1871,9 @@ extension LakeFormationClient { /// /// Indicates to the service that the specified transaction is still active and should not be treated as idle and aborted. Write transactions that remain idle for a long period are automatically aborted unless explicitly extended. /// - /// - Parameter ExtendTransactionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExtendTransactionInput`) /// - /// - Returns: `ExtendTransactionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExtendTransactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1935,7 +1913,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExtendTransactionOutput.httpOutput(from:), ExtendTransactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1967,9 +1944,9 @@ extension LakeFormationClient { /// /// Returns a data cells filter. /// - /// - Parameter GetDataCellsFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataCellsFilterInput`) /// - /// - Returns: `GetDataCellsFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataCellsFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2007,7 +1984,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataCellsFilterOutput.httpOutput(from:), GetDataCellsFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2039,9 +2015,9 @@ extension LakeFormationClient { /// /// Returns the identity of the invoking principal. /// - /// - Parameter GetDataLakePrincipalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataLakePrincipalInput`) /// - /// - Returns: `GetDataLakePrincipalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataLakePrincipalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2074,7 +2050,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataLakePrincipalOutput.httpOutput(from:), GetDataLakePrincipalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2106,9 +2081,9 @@ extension LakeFormationClient { /// /// Retrieves the list of the data lake administrators of a Lake Formation-managed data lake. /// - /// - Parameter GetDataLakeSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataLakeSettingsInput`) /// - /// - Returns: `GetDataLakeSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataLakeSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2144,7 +2119,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataLakeSettingsOutput.httpOutput(from:), GetDataLakeSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2176,9 +2150,9 @@ extension LakeFormationClient { /// /// Returns the Lake Formation permissions for a specified table or database resource located at a path in Amazon S3. GetEffectivePermissionsForPath will not return databases and tables if the catalog is encrypted. /// - /// - Parameter GetEffectivePermissionsForPathInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEffectivePermissionsForPathInput`) /// - /// - Returns: `GetEffectivePermissionsForPathOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEffectivePermissionsForPathOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2215,7 +2189,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEffectivePermissionsForPathOutput.httpOutput(from:), GetEffectivePermissionsForPathOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2247,9 +2220,9 @@ extension LakeFormationClient { /// /// Returns an LF-tag definition. /// - /// - Parameter GetLFTagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLFTagInput`) /// - /// - Returns: `GetLFTagOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLFTagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2287,7 +2260,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLFTagOutput.httpOutput(from:), GetLFTagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2319,9 +2291,9 @@ extension LakeFormationClient { /// /// Returns the details about the LF-Tag expression. The caller must be a data lake admin or must have DESCRIBE permission on the LF-Tag expression resource. /// - /// - Parameter GetLFTagExpressionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLFTagExpressionInput`) /// - /// - Returns: `GetLFTagExpressionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLFTagExpressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2359,7 +2331,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLFTagExpressionOutput.httpOutput(from:), GetLFTagExpressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2391,9 +2362,9 @@ extension LakeFormationClient { /// /// Returns the state of a query previously submitted. Clients are expected to poll GetQueryState to monitor the current state of the planning before retrieving the work units. A query state is only visible to the principal that made the initial call to StartQueryPlanning. /// - /// - Parameter GetQueryStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryStateInput`) /// - /// - Returns: `GetQueryStateOutput` : A structure for the output. + /// - Returns: A structure for the output. (Type: `GetQueryStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2429,7 +2400,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryStateOutput.httpOutput(from:), GetQueryStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2461,9 +2431,9 @@ extension LakeFormationClient { /// /// Retrieves statistics on the planning and execution of a query. /// - /// - Parameter GetQueryStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryStatisticsInput`) /// - /// - Returns: `GetQueryStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2502,7 +2472,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryStatisticsOutput.httpOutput(from:), GetQueryStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2534,9 +2503,9 @@ extension LakeFormationClient { /// /// Returns the LF-tags applied to a resource. /// - /// - Parameter GetResourceLFTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceLFTagsInput`) /// - /// - Returns: `GetResourceLFTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceLFTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2575,7 +2544,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceLFTagsOutput.httpOutput(from:), GetResourceLFTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2607,9 +2575,9 @@ extension LakeFormationClient { /// /// Returns the set of Amazon S3 objects that make up the specified governed table. A transaction ID or timestamp can be specified for time-travel queries. /// - /// - Parameter GetTableObjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableObjectsInput`) /// - /// - Returns: `GetTableObjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableObjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2649,7 +2617,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableObjectsOutput.httpOutput(from:), GetTableObjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2681,9 +2648,9 @@ extension LakeFormationClient { /// /// This API is identical to GetTemporaryTableCredentials except that this is used when the target Data Catalog resource is of type Partition. Lake Formation restricts the permission of the vended credentials with the same scope down policy which restricts access to a single Amazon S3 prefix. /// - /// - Parameter GetTemporaryGluePartitionCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemporaryGluePartitionCredentialsInput`) /// - /// - Returns: `GetTemporaryGluePartitionCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemporaryGluePartitionCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2722,7 +2689,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemporaryGluePartitionCredentialsOutput.httpOutput(from:), GetTemporaryGluePartitionCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2754,9 +2720,9 @@ extension LakeFormationClient { /// /// Allows a caller in a secure environment to assume a role with permission to access Amazon S3. In order to vend such credentials, Lake Formation assumes the role associated with a registered location, for example an Amazon S3 bucket, with a scope down policy which restricts the access to a single prefix. To call this API, the role that the service assumes must have lakeformation:GetDataAccess permission on the resource. /// - /// - Parameter GetTemporaryGlueTableCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemporaryGlueTableCredentialsInput`) /// - /// - Returns: `GetTemporaryGlueTableCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemporaryGlueTableCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2795,7 +2761,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemporaryGlueTableCredentialsOutput.httpOutput(from:), GetTemporaryGlueTableCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2827,9 +2792,9 @@ extension LakeFormationClient { /// /// Returns the work units resulting from the query. Work units can be executed in any order and in parallel. /// - /// - Parameter GetWorkUnitResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkUnitResultsInput`) /// - /// - Returns: `GetWorkUnitResultsOutput` : A structure for the output. + /// - Returns: A structure for the output. (Type: `GetWorkUnitResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2867,7 +2832,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkUnitResultsOutput.httpOutput(from:), GetWorkUnitResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2899,9 +2863,9 @@ extension LakeFormationClient { /// /// Retrieves the work units generated by the StartQueryPlanning operation. /// - /// - Parameter GetWorkUnitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkUnitsInput`) /// - /// - Returns: `GetWorkUnitsOutput` : A structure for the output. + /// - Returns: A structure for the output. (Type: `GetWorkUnitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2939,7 +2903,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkUnitsOutput.httpOutput(from:), GetWorkUnitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2971,9 +2934,9 @@ extension LakeFormationClient { /// /// Grants permissions to the principal to access metadata in the Data Catalog and data organized in underlying data storage such as Amazon S3. For information about permissions, see [Security and Access Control to Metadata and Data](https://docs.aws.amazon.com/lake-formation/latest/dg/security-data-access.html). /// - /// - Parameter GrantPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GrantPermissionsInput`) /// - /// - Returns: `GrantPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GrantPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3009,7 +2972,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GrantPermissionsOutput.httpOutput(from:), GrantPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3041,9 +3003,9 @@ extension LakeFormationClient { /// /// Lists all the data cell filters on a table. /// - /// - Parameter ListDataCellsFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataCellsFilterInput`) /// - /// - Returns: `ListDataCellsFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataCellsFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3080,7 +3042,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataCellsFilterOutput.httpOutput(from:), ListDataCellsFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3112,9 +3073,9 @@ extension LakeFormationClient { /// /// Returns the LF-Tag expressions in caller’s account filtered based on caller's permissions. Data Lake and read only admins implicitly can see all tag expressions in their account, else caller needs DESCRIBE permissions on tag expression. /// - /// - Parameter ListLFTagExpressionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLFTagExpressionsInput`) /// - /// - Returns: `ListLFTagExpressionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLFTagExpressionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3152,7 +3113,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLFTagExpressionsOutput.httpOutput(from:), ListLFTagExpressionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3184,9 +3144,9 @@ extension LakeFormationClient { /// /// Lists LF-tags that the requester has permission to view. /// - /// - Parameter ListLFTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLFTagsInput`) /// - /// - Returns: `ListLFTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLFTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3224,7 +3184,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLFTagsOutput.httpOutput(from:), ListLFTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3256,9 +3215,9 @@ extension LakeFormationClient { /// /// Retrieve the current list of resources and principals that are opt in to enforce Lake Formation permissions. /// - /// - Parameter ListLakeFormationOptInsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLakeFormationOptInsInput`) /// - /// - Returns: `ListLakeFormationOptInsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLakeFormationOptInsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3295,7 +3254,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLakeFormationOptInsOutput.httpOutput(from:), ListLakeFormationOptInsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3327,9 +3285,9 @@ extension LakeFormationClient { /// /// Returns a list of the principal permissions on the resource, filtered by the permissions of the caller. For example, if you are granted an ALTER permission, you are able to see only the principal permissions for ALTER. This operation returns only those permissions that have been explicitly granted. For information about permissions, see [Security and Access Control to Metadata and Data](https://docs.aws.amazon.com/lake-formation/latest/dg/security-data-access.html). /// - /// - Parameter ListPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionsInput`) /// - /// - Returns: `ListPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3365,7 +3323,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionsOutput.httpOutput(from:), ListPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3397,9 +3354,9 @@ extension LakeFormationClient { /// /// Lists the resources registered to be managed by the Data Catalog. /// - /// - Parameter ListResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcesInput`) /// - /// - Returns: `ListResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3435,7 +3392,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcesOutput.httpOutput(from:), ListResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3467,9 +3423,9 @@ extension LakeFormationClient { /// /// Returns the configuration of all storage optimizers associated with a specified table. /// - /// - Parameter ListTableStorageOptimizersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTableStorageOptimizersInput`) /// - /// - Returns: `ListTableStorageOptimizersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTableStorageOptimizersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3506,7 +3462,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTableStorageOptimizersOutput.httpOutput(from:), ListTableStorageOptimizersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3538,9 +3493,9 @@ extension LakeFormationClient { /// /// Returns metadata about transactions and their status. To prevent the response from growing indefinitely, only uncommitted transactions and those available for time-travel queries are returned. This operation can help you identify uncommitted transactions or to get information about transactions. /// - /// - Parameter ListTransactionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTransactionsInput`) /// - /// - Returns: `ListTransactionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTransactionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3576,7 +3531,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTransactionsOutput.httpOutput(from:), ListTransactionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3608,9 +3562,9 @@ extension LakeFormationClient { /// /// Sets the list of data lake administrators who have admin privileges on all resources managed by Lake Formation. For more information on admin privileges, see [Granting Lake Formation Permissions](https://docs.aws.amazon.com/lake-formation/latest/dg/lake-formation-permissions.html). This API replaces the current list of data lake admins with the new list being passed. To add an admin, fetch the current list and add the new admin to that list and pass that list in this API. /// - /// - Parameter PutDataLakeSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDataLakeSettingsInput`) /// - /// - Returns: `PutDataLakeSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDataLakeSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3645,7 +3599,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDataLakeSettingsOutput.httpOutput(from:), PutDataLakeSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3677,9 +3630,9 @@ extension LakeFormationClient { /// /// Registers the resource as managed by the Data Catalog. To add or update data, Lake Formation needs read/write access to the chosen data location. Choose a role that you know has permission to do this, or choose the AWSServiceRoleForLakeFormationDataAccess service-linked role. When you register the first Amazon S3 path, the service-linked role and a new inline policy are created on your behalf. Lake Formation adds the first path to the inline policy and attaches it to the service-linked role. When you register subsequent paths, Lake Formation adds the path to the existing policy. The following request registers a new location and gives Lake Formation permission to use the service-linked role to access that location. ResourceArn = arn:aws:s3:::my-bucket/ UseServiceLinkedRole = true If UseServiceLinkedRole is not set to true, you must provide or set the RoleArn: arn:aws:iam::12345:role/my-data-access-role /// - /// - Parameter RegisterResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterResourceInput`) /// - /// - Returns: `RegisterResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3719,7 +3672,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterResourceOutput.httpOutput(from:), RegisterResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3751,9 +3703,9 @@ extension LakeFormationClient { /// /// Removes an LF-tag from the resource. Only database, table, or tableWithColumns resource are allowed. To tag columns, use the column inclusion list in tableWithColumns to specify column input. /// - /// - Parameter RemoveLFTagsFromResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveLFTagsFromResourceInput`) /// - /// - Returns: `RemoveLFTagsFromResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveLFTagsFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3793,7 +3745,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveLFTagsFromResourceOutput.httpOutput(from:), RemoveLFTagsFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3825,9 +3776,9 @@ extension LakeFormationClient { /// /// Revokes permissions to the principal to access metadata in the Data Catalog and data organized in underlying data storage such as Amazon S3. /// - /// - Parameter RevokePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokePermissionsInput`) /// - /// - Returns: `RevokePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3863,7 +3814,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokePermissionsOutput.httpOutput(from:), RevokePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3895,9 +3845,9 @@ extension LakeFormationClient { /// /// This operation allows a search on DATABASE resources by TagCondition. This operation is used by admins who want to grant user permissions on certain TagConditions. Before making a grant, the admin can use SearchDatabasesByTags to find all resources where the given TagConditions are valid to verify whether the returned resources can be shared. /// - /// - Parameter SearchDatabasesByLFTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchDatabasesByLFTagsInput`) /// - /// - Returns: `SearchDatabasesByLFTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchDatabasesByLFTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3936,7 +3886,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchDatabasesByLFTagsOutput.httpOutput(from:), SearchDatabasesByLFTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3968,9 +3917,9 @@ extension LakeFormationClient { /// /// This operation allows a search on TABLE resources by LFTags. This will be used by admins who want to grant user permissions on certain LF-tags. Before making a grant, the admin can use SearchTablesByLFTags to find all resources where the given LFTags are valid to verify whether the returned resources can be shared. /// - /// - Parameter SearchTablesByLFTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchTablesByLFTagsInput`) /// - /// - Returns: `SearchTablesByLFTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchTablesByLFTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4009,7 +3958,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchTablesByLFTagsOutput.httpOutput(from:), SearchTablesByLFTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4041,9 +3989,9 @@ extension LakeFormationClient { /// /// Submits a request to process a query statement. This operation generates work units that can be retrieved with the GetWorkUnits operation as soon as the query state is WORKUNITS_AVAILABLE or FINISHED. /// - /// - Parameter StartQueryPlanningInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartQueryPlanningInput`) /// - /// - Returns: `StartQueryPlanningOutput` : A structure for the output. + /// - Returns: A structure for the output. (Type: `StartQueryPlanningOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4080,7 +4028,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartQueryPlanningOutput.httpOutput(from:), StartQueryPlanningOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4112,9 +4059,9 @@ extension LakeFormationClient { /// /// Starts a new transaction and returns its transaction ID. Transaction IDs are opaque objects that you can use to identify a transaction. /// - /// - Parameter StartTransactionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTransactionInput`) /// - /// - Returns: `StartTransactionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTransactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4149,7 +4096,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTransactionOutput.httpOutput(from:), StartTransactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4181,9 +4127,9 @@ extension LakeFormationClient { /// /// Updates a data cell filter. /// - /// - Parameter UpdateDataCellsFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataCellsFilterInput`) /// - /// - Returns: `UpdateDataCellsFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataCellsFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4222,7 +4168,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataCellsFilterOutput.httpOutput(from:), UpdateDataCellsFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4254,9 +4199,9 @@ extension LakeFormationClient { /// /// Updates the list of possible values for the specified LF-tag key. If the LF-tag does not exist, the operation throws an EntityNotFoundException. The values in the delete key values will be deleted from list of possible values. If any value in the delete key values is attached to a resource, then API errors out with a 400 Exception - "Update not allowed". Untag the attribute before deleting the LF-tag key's value. /// - /// - Parameter UpdateLFTagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLFTagInput`) /// - /// - Returns: `UpdateLFTagOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLFTagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4295,7 +4240,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLFTagOutput.httpOutput(from:), UpdateLFTagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4327,9 +4271,9 @@ extension LakeFormationClient { /// /// Updates the name of the LF-Tag expression to the new description and expression body provided. Updating a LF-Tag expression immediately changes the permission boundaries of all existing LFTagPolicy permission grants that reference the given LF-Tag expression. /// - /// - Parameter UpdateLFTagExpressionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLFTagExpressionInput`) /// - /// - Returns: `UpdateLFTagExpressionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLFTagExpressionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4368,7 +4312,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLFTagExpressionOutput.httpOutput(from:), UpdateLFTagExpressionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4400,9 +4343,9 @@ extension LakeFormationClient { /// /// Updates the IAM Identity Center connection parameters. /// - /// - Parameter UpdateLakeFormationIdentityCenterConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLakeFormationIdentityCenterConfigurationInput`) /// - /// - Returns: `UpdateLakeFormationIdentityCenterConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLakeFormationIdentityCenterConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4441,7 +4384,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLakeFormationIdentityCenterConfigurationOutput.httpOutput(from:), UpdateLakeFormationIdentityCenterConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4473,9 +4415,9 @@ extension LakeFormationClient { /// /// Updates the data access role used for vending access to the given (registered) resource in Lake Formation. /// - /// - Parameter UpdateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceInput`) /// - /// - Returns: `UpdateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4512,7 +4454,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceOutput.httpOutput(from:), UpdateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4544,9 +4485,9 @@ extension LakeFormationClient { /// /// Updates the manifest of Amazon S3 objects that make up the specified governed table. /// - /// - Parameter UpdateTableObjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTableObjectsInput`) /// - /// - Returns: `UpdateTableObjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTableObjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4588,7 +4529,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTableObjectsOutput.httpOutput(from:), UpdateTableObjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4620,9 +4560,9 @@ extension LakeFormationClient { /// /// Updates the configuration of the storage optimizers for a table. /// - /// - Parameter UpdateTableStorageOptimizerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTableStorageOptimizerInput`) /// - /// - Returns: `UpdateTableStorageOptimizerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTableStorageOptimizerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4659,7 +4599,6 @@ extension LakeFormationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTableStorageOptimizerOutput.httpOutput(from:), UpdateTableStorageOptimizerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLambda/Sources/AWSLambda/LambdaClient.swift b/Sources/Services/AWSLambda/Sources/AWSLambda/LambdaClient.swift index 9d43a8938f7..3cea8a39eb2 100644 --- a/Sources/Services/AWSLambda/Sources/AWSLambda/LambdaClient.swift +++ b/Sources/Services/AWSLambda/Sources/AWSLambda/LambdaClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -73,7 +72,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LambdaClient: ClientRuntime.Client { public static let clientName = "LambdaClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LambdaClient.LambdaClientConfiguration let serviceName = "Lambda" @@ -379,9 +378,9 @@ extension LambdaClient { /// /// Adds permissions to the resource-based policy of a version of an [Lambda layer](https://docs.aws.amazon.com/lambda/latest/dg/configuration-layers.html). Use this action to grant layer usage permission to other accounts. You can grant permission to a single account, all accounts in an organization, or all Amazon Web Services accounts. To revoke permission, call [RemoveLayerVersionPermission] with the statement ID that you specified when you added it. /// - /// - Parameter AddLayerVersionPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddLayerVersionPermissionInput`) /// - /// - Returns: `AddLayerVersionPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddLayerVersionPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -426,7 +425,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddLayerVersionPermissionOutput.httpOutput(from:), AddLayerVersionPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -458,9 +456,9 @@ extension LambdaClient { /// /// Grants a [principal](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_policies_elements_principal.html#Principal_specifying) permission to use a function. You can apply the policy at the function level, or specify a qualifier to restrict access to a single version or alias. If you use a qualifier, the invoker must use the full Amazon Resource Name (ARN) of that version or alias to invoke the function. Note: Lambda does not support adding policies to version $LATEST. To grant permission to another account, specify the account ID as the Principal. To grant permission to an organization defined in Organizations, specify the organization ID as the PrincipalOrgID. For Amazon Web Services services, the principal is a domain-style identifier that the service defines, such as s3.amazonaws.com or sns.amazonaws.com. For Amazon Web Services services, you can also specify the ARN of the associated resource as the SourceArn. If you grant permission to a service principal without specifying the source, other accounts could potentially configure resources in their account to invoke your Lambda function. This operation adds a statement to a resource-based permissions policy for the function. For more information about function policies, see [Using resource-based policies for Lambda](https://docs.aws.amazon.com/lambda/latest/dg/access-control-resource-based.html). /// - /// - Parameter AddPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddPermissionInput`) /// - /// - Returns: `AddPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -505,7 +503,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddPermissionOutput.httpOutput(from:), AddPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -537,9 +534,9 @@ extension LambdaClient { /// /// Creates an [alias](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html) for a Lambda function version. Use aliases to provide clients with a function identifier that you can update to invoke a different version. You can also map an alias to split invocation requests between two versions. Use the RoutingConfig parameter to specify a second version and the percentage of invocation requests that it receives. /// - /// - Parameter CreateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAliasInput`) /// - /// - Returns: `CreateAliasOutput` : Provides configuration information about a Lambda function [alias](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html). + /// - Returns: Provides configuration information about a Lambda function [alias](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html). (Type: `CreateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -577,7 +574,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAliasOutput.httpOutput(from:), CreateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -609,9 +605,9 @@ extension LambdaClient { /// /// Creates a code signing configuration. A [code signing configuration](https://docs.aws.amazon.com/lambda/latest/dg/configuration-codesigning.html) defines a list of allowed signing profiles and defines the code-signing validation policy (action to be taken if deployment validation checks fail). /// - /// - Parameter CreateCodeSigningConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCodeSigningConfigInput`) /// - /// - Returns: `CreateCodeSigningConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCodeSigningConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -646,7 +642,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCodeSigningConfigOutput.httpOutput(from:), CreateCodeSigningConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -725,9 +720,9 @@ extension LambdaClient { /// /// * [ Amazon DocumentDB](https://docs.aws.amazon.com/lambda/latest/dg/with-documentdb.html#docdb-configuration) /// - /// - Parameter CreateEventSourceMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventSourceMappingInput`) /// - /// - Returns: `CreateEventSourceMappingOutput` : A mapping between an Amazon Web Services resource and a Lambda function. For details, see [CreateEventSourceMapping]. + /// - Returns: A mapping between an Amazon Web Services resource and a Lambda function. For details, see [CreateEventSourceMapping]. (Type: `CreateEventSourceMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -765,7 +760,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventSourceMappingOutput.httpOutput(from:), CreateEventSourceMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -797,9 +791,9 @@ extension LambdaClient { /// /// Creates a Lambda function. To create a function, you need a [deployment package](https://docs.aws.amazon.com/lambda/latest/dg/gettingstarted-package.html) and an [execution role](https://docs.aws.amazon.com/lambda/latest/dg/intro-permission-model.html#lambda-intro-execution-role). The deployment package is a .zip file archive or container image that contains your function code. The execution role grants the function permission to use Amazon Web Services services, such as Amazon CloudWatch Logs for log streaming and X-Ray for request tracing. If the deployment package is a [container image](https://docs.aws.amazon.com/lambda/latest/dg/lambda-images.html), then you set the package type to Image. For a container image, the code property must include the URI of a container image in the Amazon ECR registry. You do not need to specify the handler and runtime properties. If the deployment package is a [.zip file archive](https://docs.aws.amazon.com/lambda/latest/dg/gettingstarted-package.html#gettingstarted-package-zip), then you set the package type to Zip. For a .zip file archive, the code property specifies the location of the .zip file. You must also specify the handler and runtime properties. The code in the deployment package must be compatible with the target instruction set architecture of the function (x86-64 or arm64). If you do not specify the architecture, then the default value is x86-64. When you create a function, Lambda provisions an instance of the function and its supporting resources. If your function connects to a VPC, this process can take a minute or so. During this time, you can't invoke or modify the function. The State, StateReason, and StateReasonCode fields in the response from [GetFunctionConfiguration] indicate when the function is ready to invoke. For more information, see [Lambda function states](https://docs.aws.amazon.com/lambda/latest/dg/functions-states.html). A function has an unpublished version, and can have published versions and aliases. The unpublished version changes when you update your function's code and configuration. A published version is a snapshot of your function code and configuration that can't be changed. An alias is a named resource that maps to a version, and can be changed to map to a different version. Use the Publish parameter to create version 1 of your function from its initial configuration. The other parameters let you configure version-specific and function-level settings. You can modify version-specific settings later with [UpdateFunctionConfiguration]. Function-level settings apply to both the unpublished and published versions of the function, and include tags ([TagResource]) and per-function concurrency limits ([PutFunctionConcurrency]). You can use code signing if your deployment package is a .zip file archive. To enable code signing for this function, specify the ARN of a code-signing configuration. When a user attempts to deploy a code package with [UpdateFunctionCode], Lambda checks that the code package has a valid signature from a trusted publisher. The code-signing configuration includes set of signing profiles, which define the trusted publishers for this function. If another Amazon Web Services account or an Amazon Web Services service invokes your function, use [AddPermission] to grant permission by creating a resource-based Identity and Access Management (IAM) policy. You can grant permissions at the function level, on a version, or on an alias. To invoke your function directly, use [Invoke]. To invoke your function in response to events in other Amazon Web Services services, create an event source mapping ([CreateEventSourceMapping]), or configure a function trigger in the other service. For more information, see [Invoking Lambda functions](https://docs.aws.amazon.com/lambda/latest/dg/lambda-invocation.html). /// - /// - Parameter CreateFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFunctionInput`) /// - /// - Returns: `CreateFunctionOutput` : Details about a function's configuration. + /// - Returns: Details about a function's configuration. (Type: `CreateFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -841,7 +835,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFunctionOutput.httpOutput(from:), CreateFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +866,9 @@ extension LambdaClient { /// /// Creates a Lambda function URL with the specified configuration parameters. A function URL is a dedicated HTTP(S) endpoint that you can use to invoke your function. /// - /// - Parameter CreateFunctionUrlConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFunctionUrlConfigInput`) /// - /// - Returns: `CreateFunctionUrlConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFunctionUrlConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +907,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFunctionUrlConfigOutput.httpOutput(from:), CreateFunctionUrlConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +938,9 @@ extension LambdaClient { /// /// Deletes a Lambda function [alias](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html). /// - /// - Parameter DeleteAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAliasInput`) /// - /// - Returns: `DeleteAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -982,7 +974,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAliasOutput.httpOutput(from:), DeleteAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1014,9 +1005,9 @@ extension LambdaClient { /// /// Deletes the code signing configuration. You can delete the code signing configuration only if no function is using it. /// - /// - Parameter DeleteCodeSigningConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCodeSigningConfigInput`) /// - /// - Returns: `DeleteCodeSigningConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCodeSigningConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1050,7 +1041,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCodeSigningConfigOutput.httpOutput(from:), DeleteCodeSigningConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1082,9 +1072,9 @@ extension LambdaClient { /// /// Deletes an [event source mapping](https://docs.aws.amazon.com/lambda/latest/dg/intro-invocation-modes.html). You can get the identifier of a mapping from the output of [ListEventSourceMappings]. When you delete an event source mapping, it enters a Deleting state and might not be completely deleted for several seconds. /// - /// - Parameter DeleteEventSourceMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventSourceMappingInput`) /// - /// - Returns: `DeleteEventSourceMappingOutput` : A mapping between an Amazon Web Services resource and a Lambda function. For details, see [CreateEventSourceMapping]. + /// - Returns: A mapping between an Amazon Web Services resource and a Lambda function. For details, see [CreateEventSourceMapping]. (Type: `DeleteEventSourceMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1120,7 +1110,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventSourceMappingOutput.httpOutput(from:), DeleteEventSourceMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1152,9 +1141,9 @@ extension LambdaClient { /// /// Deletes a Lambda function. To delete a specific function version, use the Qualifier parameter. Otherwise, all versions and aliases are deleted. This doesn't require the user to have explicit permissions for [DeleteAlias]. To delete Lambda event source mappings that invoke a function, use [DeleteEventSourceMapping]. For Amazon Web Services services and resources that invoke your function directly, delete the trigger in the service where you originally configured it. /// - /// - Parameter DeleteFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFunctionInput`) /// - /// - Returns: `DeleteFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1190,7 +1179,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteFunctionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFunctionOutput.httpOutput(from:), DeleteFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1222,9 +1210,9 @@ extension LambdaClient { /// /// Removes the code signing configuration from the function. /// - /// - Parameter DeleteFunctionCodeSigningConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFunctionCodeSigningConfigInput`) /// - /// - Returns: `DeleteFunctionCodeSigningConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFunctionCodeSigningConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1260,7 +1248,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFunctionCodeSigningConfigOutput.httpOutput(from:), DeleteFunctionCodeSigningConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1292,9 +1279,9 @@ extension LambdaClient { /// /// Removes a concurrent execution limit from a function. /// - /// - Parameter DeleteFunctionConcurrencyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFunctionConcurrencyInput`) /// - /// - Returns: `DeleteFunctionConcurrencyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFunctionConcurrencyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1329,7 +1316,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFunctionConcurrencyOutput.httpOutput(from:), DeleteFunctionConcurrencyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1361,9 +1347,9 @@ extension LambdaClient { /// /// Deletes the configuration for asynchronous invocation for a function, version, or alias. To configure options for asynchronous invocation, use [PutFunctionEventInvokeConfig]. /// - /// - Parameter DeleteFunctionEventInvokeConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFunctionEventInvokeConfigInput`) /// - /// - Returns: `DeleteFunctionEventInvokeConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFunctionEventInvokeConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1399,7 +1385,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteFunctionEventInvokeConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFunctionEventInvokeConfigOutput.httpOutput(from:), DeleteFunctionEventInvokeConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1431,9 +1416,9 @@ extension LambdaClient { /// /// Deletes a Lambda function URL. When you delete a function URL, you can't recover it. Creating a new function URL results in a different URL address. /// - /// - Parameter DeleteFunctionUrlConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFunctionUrlConfigInput`) /// - /// - Returns: `DeleteFunctionUrlConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFunctionUrlConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1468,7 +1453,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteFunctionUrlConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFunctionUrlConfigOutput.httpOutput(from:), DeleteFunctionUrlConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1500,9 +1484,9 @@ extension LambdaClient { /// /// Deletes a version of an [Lambda layer](https://docs.aws.amazon.com/lambda/latest/dg/configuration-layers.html). Deleted versions can no longer be viewed or added to functions. To avoid breaking functions, a copy of the version remains in Lambda until no functions refer to it. /// - /// - Parameter DeleteLayerVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLayerVersionInput`) /// - /// - Returns: `DeleteLayerVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLayerVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1534,7 +1518,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLayerVersionOutput.httpOutput(from:), DeleteLayerVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1566,9 +1549,9 @@ extension LambdaClient { /// /// Deletes the provisioned concurrency configuration for a function. /// - /// - Parameter DeleteProvisionedConcurrencyConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProvisionedConcurrencyConfigInput`) /// - /// - Returns: `DeleteProvisionedConcurrencyConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProvisionedConcurrencyConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1604,7 +1587,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteProvisionedConcurrencyConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProvisionedConcurrencyConfigOutput.httpOutput(from:), DeleteProvisionedConcurrencyConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1636,9 +1618,9 @@ extension LambdaClient { /// /// Retrieves details about your account's [limits](https://docs.aws.amazon.com/lambda/latest/dg/limits.html) and usage in an Amazon Web Services Region. /// - /// - Parameter GetAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountSettingsInput`) /// - /// - Returns: `GetAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1670,7 +1652,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSettingsOutput.httpOutput(from:), GetAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1702,9 +1683,9 @@ extension LambdaClient { /// /// Returns details about a Lambda function [alias](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html). /// - /// - Parameter GetAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAliasInput`) /// - /// - Returns: `GetAliasOutput` : Provides configuration information about a Lambda function [alias](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html). + /// - Returns: Provides configuration information about a Lambda function [alias](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html). (Type: `GetAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1738,7 +1719,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAliasOutput.httpOutput(from:), GetAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1770,9 +1750,9 @@ extension LambdaClient { /// /// Returns information about the specified code signing configuration. /// - /// - Parameter GetCodeSigningConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCodeSigningConfigInput`) /// - /// - Returns: `GetCodeSigningConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCodeSigningConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1805,7 +1785,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCodeSigningConfigOutput.httpOutput(from:), GetCodeSigningConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1837,9 +1816,9 @@ extension LambdaClient { /// /// Returns details about an event source mapping. You can get the identifier of a mapping from the output of [ListEventSourceMappings]. /// - /// - Parameter GetEventSourceMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventSourceMappingInput`) /// - /// - Returns: `GetEventSourceMappingOutput` : A mapping between an Amazon Web Services resource and a Lambda function. For details, see [CreateEventSourceMapping]. + /// - Returns: A mapping between an Amazon Web Services resource and a Lambda function. For details, see [CreateEventSourceMapping]. (Type: `GetEventSourceMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1873,7 +1852,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventSourceMappingOutput.httpOutput(from:), GetEventSourceMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1905,9 +1883,9 @@ extension LambdaClient { /// /// Returns information about the function or function version, with a link to download the deployment package that's valid for 10 minutes. If you specify a function version, only details that are specific to that version are returned. /// - /// - Parameter GetFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionInput`) /// - /// - Returns: `GetFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1942,7 +1920,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFunctionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionOutput.httpOutput(from:), GetFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1974,9 +1951,9 @@ extension LambdaClient { /// /// Returns the code signing configuration for the specified function. /// - /// - Parameter GetFunctionCodeSigningConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionCodeSigningConfigInput`) /// - /// - Returns: `GetFunctionCodeSigningConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFunctionCodeSigningConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2010,7 +1987,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionCodeSigningConfigOutput.httpOutput(from:), GetFunctionCodeSigningConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2042,9 +2018,9 @@ extension LambdaClient { /// /// Returns details about the reserved concurrency configuration for a function. To set a concurrency limit for a function, use [PutFunctionConcurrency]. /// - /// - Parameter GetFunctionConcurrencyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionConcurrencyInput`) /// - /// - Returns: `GetFunctionConcurrencyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFunctionConcurrencyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2078,7 +2054,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionConcurrencyOutput.httpOutput(from:), GetFunctionConcurrencyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2110,9 +2085,9 @@ extension LambdaClient { /// /// Returns the version-specific settings of a Lambda function or version. The output includes only options that can vary between versions of a function. To modify these settings, use [UpdateFunctionConfiguration]. To get all of a function's details, including function-level settings, use [GetFunction]. /// - /// - Parameter GetFunctionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionConfigurationInput`) /// - /// - Returns: `GetFunctionConfigurationOutput` : Details about a function's configuration. + /// - Returns: Details about a function's configuration. (Type: `GetFunctionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2147,7 +2122,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFunctionConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionConfigurationOutput.httpOutput(from:), GetFunctionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2179,9 +2153,9 @@ extension LambdaClient { /// /// Retrieves the configuration for asynchronous invocation for a function, version, or alias. To configure options for asynchronous invocation, use [PutFunctionEventInvokeConfig]. /// - /// - Parameter GetFunctionEventInvokeConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionEventInvokeConfigInput`) /// - /// - Returns: `GetFunctionEventInvokeConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFunctionEventInvokeConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2216,7 +2190,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFunctionEventInvokeConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionEventInvokeConfigOutput.httpOutput(from:), GetFunctionEventInvokeConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2248,9 +2221,9 @@ extension LambdaClient { /// /// Returns your function's [recursive loop detection](https://docs.aws.amazon.com/lambda/latest/dg/invocation-recursion.html) configuration. /// - /// - Parameter GetFunctionRecursionConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionRecursionConfigInput`) /// - /// - Returns: `GetFunctionRecursionConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFunctionRecursionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2284,7 +2257,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionRecursionConfigOutput.httpOutput(from:), GetFunctionRecursionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2316,9 +2288,9 @@ extension LambdaClient { /// /// Returns details about a Lambda function URL. /// - /// - Parameter GetFunctionUrlConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFunctionUrlConfigInput`) /// - /// - Returns: `GetFunctionUrlConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFunctionUrlConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2353,7 +2325,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFunctionUrlConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFunctionUrlConfigOutput.httpOutput(from:), GetFunctionUrlConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2385,9 +2356,9 @@ extension LambdaClient { /// /// Returns information about a version of an [Lambda layer](https://docs.aws.amazon.com/lambda/latest/dg/configuration-layers.html), with a link to download the layer archive that's valid for 10 minutes. /// - /// - Parameter GetLayerVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLayerVersionInput`) /// - /// - Returns: `GetLayerVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLayerVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2421,7 +2392,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLayerVersionOutput.httpOutput(from:), GetLayerVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2453,9 +2423,9 @@ extension LambdaClient { /// /// Returns information about a version of an [Lambda layer](https://docs.aws.amazon.com/lambda/latest/dg/configuration-layers.html), with a link to download the layer archive that's valid for 10 minutes. /// - /// - Parameter GetLayerVersionByArnInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLayerVersionByArnInput`) /// - /// - Returns: `GetLayerVersionByArnOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLayerVersionByArnOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2490,7 +2460,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLayerVersionByArnInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLayerVersionByArnOutput.httpOutput(from:), GetLayerVersionByArnOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2522,9 +2491,9 @@ extension LambdaClient { /// /// Returns the permission policy for a version of an [Lambda layer](https://docs.aws.amazon.com/lambda/latest/dg/configuration-layers.html). For more information, see [AddLayerVersionPermission]. /// - /// - Parameter GetLayerVersionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLayerVersionPolicyInput`) /// - /// - Returns: `GetLayerVersionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLayerVersionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2558,7 +2527,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLayerVersionPolicyOutput.httpOutput(from:), GetLayerVersionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2590,9 +2558,9 @@ extension LambdaClient { /// /// Returns the [resource-based IAM policy](https://docs.aws.amazon.com/lambda/latest/dg/access-control-resource-based.html) for a function, version, or alias. /// - /// - Parameter GetPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyInput`) /// - /// - Returns: `GetPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2627,7 +2595,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyOutput.httpOutput(from:), GetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2659,9 +2626,9 @@ extension LambdaClient { /// /// Retrieves the provisioned concurrency configuration for a function's alias or version. /// - /// - Parameter GetProvisionedConcurrencyConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProvisionedConcurrencyConfigInput`) /// - /// - Returns: `GetProvisionedConcurrencyConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProvisionedConcurrencyConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2697,7 +2664,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetProvisionedConcurrencyConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProvisionedConcurrencyConfigOutput.httpOutput(from:), GetProvisionedConcurrencyConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2729,9 +2695,9 @@ extension LambdaClient { /// /// Retrieves the runtime management configuration for a function's version. If the runtime update mode is Manual, this includes the ARN of the runtime version and the runtime update mode. If the runtime update mode is Auto or Function update, this includes the runtime update mode and null is returned for the ARN. For more information, see [Runtime updates](https://docs.aws.amazon.com/lambda/latest/dg/runtimes-update.html). /// - /// - Parameter GetRuntimeManagementConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuntimeManagementConfigInput`) /// - /// - Returns: `GetRuntimeManagementConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuntimeManagementConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2766,7 +2732,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRuntimeManagementConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuntimeManagementConfigOutput.httpOutput(from:), GetRuntimeManagementConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2798,9 +2763,9 @@ extension LambdaClient { /// /// Invokes a Lambda function. You can invoke a function synchronously (and wait for the response), or asynchronously. By default, Lambda invokes your function synchronously (i.e. theInvocationType is RequestResponse). To invoke a function asynchronously, set InvocationType to Event. Lambda passes the ClientContext object to your function for synchronous invocations only. For [synchronous invocation](https://docs.aws.amazon.com/lambda/latest/dg/invocation-sync.html), details about the function response, including errors, are included in the response body and headers. For either invocation type, you can find more information in the [execution log](https://docs.aws.amazon.com/lambda/latest/dg/monitoring-functions.html) and [trace](https://docs.aws.amazon.com/lambda/latest/dg/lambda-x-ray.html). When an error occurs, your function may be invoked multiple times. Retry behavior varies by error type, client, event source, and invocation type. For example, if you invoke a function asynchronously and it returns an error, Lambda executes the function up to two more times. For more information, see [Error handling and automatic retries in Lambda](https://docs.aws.amazon.com/lambda/latest/dg/invocation-retries.html). For [asynchronous invocation](https://docs.aws.amazon.com/lambda/latest/dg/invocation-async.html), Lambda adds events to a queue before sending them to your function. If your function does not have enough capacity to keep up with the queue, events may be lost. Occasionally, your function may receive the same event multiple times, even if no error occurs. To retain events that were not processed, configure your function with a [dead-letter queue](https://docs.aws.amazon.com/lambda/latest/dg/invocation-async.html#invocation-dlq). The status code in the API response doesn't reflect function errors. Error codes are reserved for errors that prevent your function from executing, such as permissions errors, [quota](https://docs.aws.amazon.com/lambda/latest/dg/gettingstarted-limits.html) errors, or issues with your function's code and configuration. For example, Lambda returns TooManyRequestsException if running the function would cause you to exceed a concurrency limit at either the account level (ConcurrentInvocationLimitExceeded) or function level (ReservedFunctionConcurrentInvocationLimitExceeded). For functions with a long timeout, your client might disconnect during synchronous invocation while it waits for a response. Configure your HTTP client, SDK, firewall, proxy, or operating system to allow for long connections with timeout or keep-alive settings. This operation requires permission for the [lambda:InvokeFunction](https://docs.aws.amazon.com/IAM/latest/UserGuide/list_awslambda.html) action. For details on how to set up permissions for cross-account invocations, see [Granting function access to other accounts](https://docs.aws.amazon.com/lambda/latest/dg/access-control-resource-based.html#permissions-resource-xaccountinvoke). /// - /// - Parameter InvokeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeInput`) /// - /// - Returns: `InvokeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2865,7 +2830,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeOutput.httpOutput(from:), InvokeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2898,9 +2862,9 @@ extension LambdaClient { /// For asynchronous function invocation, use [Invoke]. Invokes a function asynchronously. If you do use the InvokeAsync action, note that it doesn't support the use of X-Ray active tracing. Trace ID is not propagated to the function, even if X-Ray active tracing is turned on. @available(*, deprecated) /// - /// - Parameter InvokeAsyncInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeAsyncInput`) /// - /// - Returns: `InvokeAsyncOutput` : A success response (202 Accepted) indicates that the request is queued for invocation. + /// - Returns: A success response (202 Accepted) indicates that the request is queued for invocation. (Type: `InvokeAsyncOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2938,7 +2902,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeAsyncOutput.httpOutput(from:), InvokeAsyncOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2970,9 +2933,9 @@ extension LambdaClient { /// /// Configure your Lambda functions to stream response payloads back to clients. For more information, see [Configuring a Lambda function to stream responses](https://docs.aws.amazon.com/lambda/latest/dg/configuration-response-streaming.html). This operation requires permission for the [lambda:InvokeFunction](https://docs.aws.amazon.com/IAM/latest/UserGuide/list_awslambda.html) action. For details on how to set up permissions for cross-account invocations, see [Granting function access to other accounts](https://docs.aws.amazon.com/lambda/latest/dg/access-control-resource-based.html#permissions-resource-xaccountinvoke). /// - /// - Parameter InvokeWithResponseStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeWithResponseStreamInput`) /// - /// - Returns: `InvokeWithResponseStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeWithResponseStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3037,7 +3000,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeWithResponseStreamOutput.httpOutput(from:), InvokeWithResponseStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3069,9 +3031,9 @@ extension LambdaClient { /// /// Returns a list of [aliases](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html) for a Lambda function. /// - /// - Parameter ListAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAliasesInput`) /// - /// - Returns: `ListAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3106,7 +3068,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAliasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAliasesOutput.httpOutput(from:), ListAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3138,9 +3099,9 @@ extension LambdaClient { /// /// Returns a list of [code signing configurations](https://docs.aws.amazon.com/lambda/latest/dg/configuring-codesigning.html). A request returns up to 10,000 configurations per call. You can use the MaxItems parameter to return fewer configurations per call. /// - /// - Parameter ListCodeSigningConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCodeSigningConfigsInput`) /// - /// - Returns: `ListCodeSigningConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCodeSigningConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3173,7 +3134,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCodeSigningConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCodeSigningConfigsOutput.httpOutput(from:), ListCodeSigningConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3205,9 +3165,9 @@ extension LambdaClient { /// /// Lists event source mappings. Specify an EventSourceArn to show only event source mappings for a single event source. /// - /// - Parameter ListEventSourceMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventSourceMappingsInput`) /// - /// - Returns: `ListEventSourceMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventSourceMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3242,7 +3202,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventSourceMappingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventSourceMappingsOutput.httpOutput(from:), ListEventSourceMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3274,9 +3233,9 @@ extension LambdaClient { /// /// Retrieves a list of configurations for asynchronous invocation for a function. To configure options for asynchronous invocation, use [PutFunctionEventInvokeConfig]. /// - /// - Parameter ListFunctionEventInvokeConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFunctionEventInvokeConfigsInput`) /// - /// - Returns: `ListFunctionEventInvokeConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFunctionEventInvokeConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3311,7 +3270,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFunctionEventInvokeConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFunctionEventInvokeConfigsOutput.httpOutput(from:), ListFunctionEventInvokeConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3343,9 +3301,9 @@ extension LambdaClient { /// /// Returns a list of Lambda function URLs for the specified function. /// - /// - Parameter ListFunctionUrlConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFunctionUrlConfigsInput`) /// - /// - Returns: `ListFunctionUrlConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFunctionUrlConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3380,7 +3338,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFunctionUrlConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFunctionUrlConfigsOutput.httpOutput(from:), ListFunctionUrlConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3412,9 +3369,9 @@ extension LambdaClient { /// /// Returns a list of Lambda functions, with the version-specific configuration of each. Lambda returns up to 50 functions per call. Set FunctionVersion to ALL to include all published versions of each function in addition to the unpublished version. The ListFunctions operation returns a subset of the [FunctionConfiguration] fields. To get the additional fields (State, StateReasonCode, StateReason, LastUpdateStatus, LastUpdateStatusReason, LastUpdateStatusReasonCode, RuntimeVersionConfig) for a function or version, use [GetFunction]. /// - /// - Parameter ListFunctionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFunctionsInput`) /// - /// - Returns: `ListFunctionsOutput` : A list of Lambda functions. + /// - Returns: A list of Lambda functions. (Type: `ListFunctionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3448,7 +3405,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFunctionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFunctionsOutput.httpOutput(from:), ListFunctionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3480,9 +3436,9 @@ extension LambdaClient { /// /// List the functions that use the specified code signing configuration. You can use this method prior to deleting a code signing configuration, to verify that no functions are using it. /// - /// - Parameter ListFunctionsByCodeSigningConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFunctionsByCodeSigningConfigInput`) /// - /// - Returns: `ListFunctionsByCodeSigningConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFunctionsByCodeSigningConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3516,7 +3472,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFunctionsByCodeSigningConfigInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFunctionsByCodeSigningConfigOutput.httpOutput(from:), ListFunctionsByCodeSigningConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3548,9 +3503,9 @@ extension LambdaClient { /// /// Lists the versions of an [Lambda layer](https://docs.aws.amazon.com/lambda/latest/dg/configuration-layers.html). Versions that have been deleted aren't listed. Specify a [runtime identifier](https://docs.aws.amazon.com/lambda/latest/dg/lambda-runtimes.html) to list only versions that indicate that they're compatible with that runtime. Specify a compatible architecture to include only layer versions that are compatible with that architecture. /// - /// - Parameter ListLayerVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLayerVersionsInput`) /// - /// - Returns: `ListLayerVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLayerVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3585,7 +3540,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLayerVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLayerVersionsOutput.httpOutput(from:), ListLayerVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3617,9 +3571,9 @@ extension LambdaClient { /// /// Lists [Lambda layers](https://docs.aws.amazon.com/lambda/latest/dg/invocation-layers.html) and shows information about the latest version of each. Specify a [runtime identifier](https://docs.aws.amazon.com/lambda/latest/dg/lambda-runtimes.html) to list only layers that indicate that they're compatible with that runtime. Specify a compatible architecture to include only layers that are compatible with that [instruction set architecture](https://docs.aws.amazon.com/lambda/latest/dg/foundation-arch.html). /// - /// - Parameter ListLayersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLayersInput`) /// - /// - Returns: `ListLayersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLayersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3653,7 +3607,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLayersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLayersOutput.httpOutput(from:), ListLayersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3685,9 +3638,9 @@ extension LambdaClient { /// /// Retrieves a list of provisioned concurrency configurations for a function. /// - /// - Parameter ListProvisionedConcurrencyConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProvisionedConcurrencyConfigsInput`) /// - /// - Returns: `ListProvisionedConcurrencyConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProvisionedConcurrencyConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3722,7 +3675,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProvisionedConcurrencyConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProvisionedConcurrencyConfigsOutput.httpOutput(from:), ListProvisionedConcurrencyConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3754,9 +3706,9 @@ extension LambdaClient { /// /// Returns a function, event source mapping, or code signing configuration's [tags](https://docs.aws.amazon.com/lambda/latest/dg/tagging.html). You can also view function tags with [GetFunction]. /// - /// - Parameter ListTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3790,7 +3742,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3822,9 +3773,9 @@ extension LambdaClient { /// /// Returns a list of [versions](https://docs.aws.amazon.com/lambda/latest/dg/versioning-aliases.html), with the version-specific configuration of each. Lambda returns up to 50 versions per call. /// - /// - Parameter ListVersionsByFunctionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVersionsByFunctionInput`) /// - /// - Returns: `ListVersionsByFunctionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVersionsByFunctionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3859,7 +3810,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVersionsByFunctionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVersionsByFunctionOutput.httpOutput(from:), ListVersionsByFunctionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3891,9 +3841,9 @@ extension LambdaClient { /// /// Creates an [Lambda layer](https://docs.aws.amazon.com/lambda/latest/dg/configuration-layers.html) from a ZIP archive. Each time you call PublishLayerVersion with the same layer name, a new version is created. Add layers to your function with [CreateFunction] or [UpdateFunctionConfiguration]. /// - /// - Parameter PublishLayerVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishLayerVersionInput`) /// - /// - Returns: `PublishLayerVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishLayerVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3931,7 +3881,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishLayerVersionOutput.httpOutput(from:), PublishLayerVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3963,9 +3912,9 @@ extension LambdaClient { /// /// Creates a [version](https://docs.aws.amazon.com/lambda/latest/dg/versioning-aliases.html) from the current code and configuration of a function. Use versions to create a snapshot of your function code and configuration that doesn't change. Lambda doesn't publish a version if the function's configuration and code haven't changed since the last version. Use [UpdateFunctionCode] or [UpdateFunctionConfiguration] to update the function before publishing a version. Clients can invoke versions directly or with an alias. To create an alias, use [CreateAlias]. /// - /// - Parameter PublishVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishVersionInput`) /// - /// - Returns: `PublishVersionOutput` : Details about a function's configuration. + /// - Returns: Details about a function's configuration. (Type: `PublishVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4009,7 +3958,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishVersionOutput.httpOutput(from:), PublishVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4041,9 +3989,9 @@ extension LambdaClient { /// /// Update the code signing configuration for the function. Changes to the code signing configuration take effect the next time a user tries to deploy a code package to the function. /// - /// - Parameter PutFunctionCodeSigningConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFunctionCodeSigningConfigInput`) /// - /// - Returns: `PutFunctionCodeSigningConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFunctionCodeSigningConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4082,7 +4030,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFunctionCodeSigningConfigOutput.httpOutput(from:), PutFunctionCodeSigningConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4114,9 +4061,9 @@ extension LambdaClient { /// /// Sets the maximum number of simultaneous executions for a function, and reserves capacity for that concurrency level. Concurrency settings apply to the function as a whole, including all published versions and the unpublished version. Reserving concurrency both ensures that your function has capacity to process the specified number of events simultaneously, and prevents it from scaling beyond that level. Use [GetFunction] to see the current setting for a function. Use [GetAccountSettings] to see your Regional concurrency limit. You can reserve concurrency for as many functions as you like, as long as you leave at least 100 simultaneous executions unreserved for functions that aren't configured with a per-function limit. For more information, see [Lambda function scaling](https://docs.aws.amazon.com/lambda/latest/dg/invocation-scaling.html). /// - /// - Parameter PutFunctionConcurrencyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFunctionConcurrencyInput`) /// - /// - Returns: `PutFunctionConcurrencyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFunctionConcurrencyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4154,7 +4101,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFunctionConcurrencyOutput.httpOutput(from:), PutFunctionConcurrencyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4186,9 +4132,9 @@ extension LambdaClient { /// /// Configures options for [asynchronous invocation](https://docs.aws.amazon.com/lambda/latest/dg/invocation-async.html) on a function, version, or alias. If a configuration already exists for a function, version, or alias, this operation overwrites it. If you exclude any settings, they are removed. To set one option without affecting existing settings for other options, use [UpdateFunctionEventInvokeConfig]. By default, Lambda retries an asynchronous invocation twice if the function returns an error. It retains events in a queue for up to six hours. When an event fails all processing attempts or stays in the asynchronous invocation queue for too long, Lambda discards it. To retain discarded events, configure a dead-letter queue with [UpdateFunctionConfiguration]. To send an invocation record to a queue, topic, S3 bucket, function, or event bus, specify a [destination](https://docs.aws.amazon.com/lambda/latest/dg/invocation-async.html#invocation-async-destinations). You can configure separate destinations for successful invocations (on-success) and events that fail all processing attempts (on-failure). You can configure destinations in addition to or instead of a dead-letter queue. S3 buckets are supported only for on-failure destinations. To retain records of successful invocations, use another destination type. /// - /// - Parameter PutFunctionEventInvokeConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFunctionEventInvokeConfigInput`) /// - /// - Returns: `PutFunctionEventInvokeConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFunctionEventInvokeConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4227,7 +4173,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFunctionEventInvokeConfigOutput.httpOutput(from:), PutFunctionEventInvokeConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4259,9 +4204,9 @@ extension LambdaClient { /// /// Sets your function's [recursive loop detection](https://docs.aws.amazon.com/lambda/latest/dg/invocation-recursion.html) configuration. When you configure a Lambda function to output to the same service or resource that invokes the function, it's possible to create an infinite recursive loop. For example, a Lambda function might write a message to an Amazon Simple Queue Service (Amazon SQS) queue, which then invokes the same function. This invocation causes the function to write another message to the queue, which in turn invokes the function again. Lambda can detect certain types of recursive loops shortly after they occur. When Lambda detects a recursive loop and your function's recursive loop detection configuration is set to Terminate, it stops your function being invoked and notifies you. /// - /// - Parameter PutFunctionRecursionConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFunctionRecursionConfigInput`) /// - /// - Returns: `PutFunctionRecursionConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFunctionRecursionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4299,7 +4244,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFunctionRecursionConfigOutput.httpOutput(from:), PutFunctionRecursionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4331,9 +4275,9 @@ extension LambdaClient { /// /// Adds a provisioned concurrency configuration to a function's alias or version. /// - /// - Parameter PutProvisionedConcurrencyConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutProvisionedConcurrencyConfigInput`) /// - /// - Returns: `PutProvisionedConcurrencyConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutProvisionedConcurrencyConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4372,7 +4316,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutProvisionedConcurrencyConfigOutput.httpOutput(from:), PutProvisionedConcurrencyConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4404,9 +4347,9 @@ extension LambdaClient { /// /// Sets the runtime management configuration for a function's version. For more information, see [Runtime updates](https://docs.aws.amazon.com/lambda/latest/dg/runtimes-update.html). /// - /// - Parameter PutRuntimeManagementConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRuntimeManagementConfigInput`) /// - /// - Returns: `PutRuntimeManagementConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRuntimeManagementConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4445,7 +4388,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRuntimeManagementConfigOutput.httpOutput(from:), PutRuntimeManagementConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4477,9 +4419,9 @@ extension LambdaClient { /// /// Removes a statement from the permissions policy for a version of an [Lambda layer](https://docs.aws.amazon.com/lambda/latest/dg/configuration-layers.html). For more information, see [AddLayerVersionPermission]. /// - /// - Parameter RemoveLayerVersionPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveLayerVersionPermissionInput`) /// - /// - Returns: `RemoveLayerVersionPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveLayerVersionPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4519,7 +4461,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RemoveLayerVersionPermissionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveLayerVersionPermissionOutput.httpOutput(from:), RemoveLayerVersionPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4551,9 +4492,9 @@ extension LambdaClient { /// /// Revokes function-use permission from an Amazon Web Services service or another Amazon Web Services account. You can get the ID of the statement from the output of [GetPolicy]. /// - /// - Parameter RemovePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemovePermissionInput`) /// - /// - Returns: `RemovePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemovePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4593,7 +4534,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RemovePermissionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemovePermissionOutput.httpOutput(from:), RemovePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4625,9 +4565,9 @@ extension LambdaClient { /// /// Adds [tags](https://docs.aws.amazon.com/lambda/latest/dg/tagging.html) to a function, event source mapping, or code signing configuration. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4665,7 +4605,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4697,9 +4636,9 @@ extension LambdaClient { /// /// Removes [tags](https://docs.aws.amazon.com/lambda/latest/dg/tagging.html) from a function, event source mapping, or code signing configuration. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4735,7 +4674,6 @@ extension LambdaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4767,9 +4705,9 @@ extension LambdaClient { /// /// Updates the configuration of a Lambda function [alias](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html). /// - /// - Parameter UpdateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAliasInput`) /// - /// - Returns: `UpdateAliasOutput` : Provides configuration information about a Lambda function [alias](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html). + /// - Returns: Provides configuration information about a Lambda function [alias](https://docs.aws.amazon.com/lambda/latest/dg/configuration-aliases.html). (Type: `UpdateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4812,7 +4750,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAliasOutput.httpOutput(from:), UpdateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4844,9 +4781,9 @@ extension LambdaClient { /// /// Update the code signing configuration. Changes to the code signing configuration take effect the next time a user tries to deploy a code package to the function. /// - /// - Parameter UpdateCodeSigningConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCodeSigningConfigInput`) /// - /// - Returns: `UpdateCodeSigningConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCodeSigningConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4882,7 +4819,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCodeSigningConfigOutput.httpOutput(from:), UpdateCodeSigningConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4961,9 +4897,9 @@ extension LambdaClient { /// /// * [ Amazon DocumentDB](https://docs.aws.amazon.com/lambda/latest/dg/with-documentdb.html#docdb-configuration) /// - /// - Parameter UpdateEventSourceMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventSourceMappingInput`) /// - /// - Returns: `UpdateEventSourceMappingOutput` : A mapping between an Amazon Web Services resource and a Lambda function. For details, see [CreateEventSourceMapping]. + /// - Returns: A mapping between an Amazon Web Services resource and a Lambda function. For details, see [CreateEventSourceMapping]. (Type: `UpdateEventSourceMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5002,7 +4938,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventSourceMappingOutput.httpOutput(from:), UpdateEventSourceMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5034,9 +4969,9 @@ extension LambdaClient { /// /// Updates a Lambda function's code. If code signing is enabled for the function, the code package must be signed by a trusted publisher. For more information, see [Configuring code signing for Lambda](https://docs.aws.amazon.com/lambda/latest/dg/configuration-codesigning.html). If the function's package type is Image, then you must specify the code package in ImageUri as the URI of a [container image](https://docs.aws.amazon.com/lambda/latest/dg/lambda-images.html) in the Amazon ECR registry. If the function's package type is Zip, then you must specify the deployment package as a [.zip file archive](https://docs.aws.amazon.com/lambda/latest/dg/gettingstarted-package.html#gettingstarted-package-zip). Enter the Amazon S3 bucket and key of the code .zip file location. You can also provide the function code inline using the ZipFile field. The code in the deployment package must be compatible with the target instruction set architecture of the function (x86-64 or arm64). The function's code is locked when you publish a version. You can't modify the code of a published version, only the unpublished version. For a function defined as a container image, Lambda resolves the image tag to an image digest. In Amazon ECR, if you update the image tag to a new image, Lambda does not automatically update the function. /// - /// - Parameter UpdateFunctionCodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFunctionCodeInput`) /// - /// - Returns: `UpdateFunctionCodeOutput` : Details about a function's configuration. + /// - Returns: Details about a function's configuration. (Type: `UpdateFunctionCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5083,7 +5018,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFunctionCodeOutput.httpOutput(from:), UpdateFunctionCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5115,9 +5049,9 @@ extension LambdaClient { /// /// Modify the version-specific settings of a Lambda function. When you update a function, Lambda provisions an instance of the function and its supporting resources. If your function connects to a VPC, this process can take a minute. During this time, you can't modify the function, but you can still invoke it. The LastUpdateStatus, LastUpdateStatusReason, and LastUpdateStatusReasonCode fields in the response from [GetFunctionConfiguration] indicate when the update is complete and the function is processing events with the new configuration. For more information, see [Lambda function states](https://docs.aws.amazon.com/lambda/latest/dg/functions-states.html). These settings can vary between versions of a function and are locked when you publish a version. You can't modify the configuration of a published version, only the unpublished version. To configure function concurrency, use [PutFunctionConcurrency]. To grant invoke permissions to an Amazon Web Services account or Amazon Web Services service, use [AddPermission]. /// - /// - Parameter UpdateFunctionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFunctionConfigurationInput`) /// - /// - Returns: `UpdateFunctionConfigurationOutput` : Details about a function's configuration. + /// - Returns: Details about a function's configuration. (Type: `UpdateFunctionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5163,7 +5097,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFunctionConfigurationOutput.httpOutput(from:), UpdateFunctionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5195,9 +5128,9 @@ extension LambdaClient { /// /// Updates the configuration for asynchronous invocation for a function, version, or alias. To configure options for asynchronous invocation, use [PutFunctionEventInvokeConfig]. /// - /// - Parameter UpdateFunctionEventInvokeConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFunctionEventInvokeConfigInput`) /// - /// - Returns: `UpdateFunctionEventInvokeConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFunctionEventInvokeConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5236,7 +5169,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFunctionEventInvokeConfigOutput.httpOutput(from:), UpdateFunctionEventInvokeConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5268,9 +5200,9 @@ extension LambdaClient { /// /// Updates the configuration for a Lambda function URL. /// - /// - Parameter UpdateFunctionUrlConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFunctionUrlConfigInput`) /// - /// - Returns: `UpdateFunctionUrlConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFunctionUrlConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5309,7 +5241,6 @@ extension LambdaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFunctionUrlConfigOutput.httpOutput(from:), UpdateFunctionUrlConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLaunchWizard/Sources/AWSLaunchWizard/LaunchWizardClient.swift b/Sources/Services/AWSLaunchWizard/Sources/AWSLaunchWizard/LaunchWizardClient.swift index caaff3f8442..67acef7c1fb 100644 --- a/Sources/Services/AWSLaunchWizard/Sources/AWSLaunchWizard/LaunchWizardClient.swift +++ b/Sources/Services/AWSLaunchWizard/Sources/AWSLaunchWizard/LaunchWizardClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LaunchWizardClient: ClientRuntime.Client { public static let clientName = "LaunchWizardClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LaunchWizardClient.LaunchWizardClientConfiguration let serviceName = "Launch Wizard" @@ -373,9 +372,9 @@ extension LaunchWizardClient { /// /// Creates a deployment for the given workload. Deployments created by this operation are not available in the Launch Wizard console to use the Clone deployment action on. /// - /// - Parameter CreateDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeploymentInput`) /// - /// - Returns: `CreateDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentOutput.httpOutput(from:), CreateDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension LaunchWizardClient { /// /// Deletes a deployment. /// - /// - Parameter DeleteDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeploymentInput`) /// - /// - Returns: `DeleteDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeploymentOutput.httpOutput(from:), DeleteDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension LaunchWizardClient { /// /// Returns information about the deployment. /// - /// - Parameter GetDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentInput`) /// - /// - Returns: `GetDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentOutput.httpOutput(from:), GetDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +581,9 @@ extension LaunchWizardClient { /// /// Returns information about a workload. /// - /// - Parameter GetWorkloadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkloadInput`) /// - /// - Returns: `GetWorkloadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkloadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -623,7 +619,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkloadOutput.httpOutput(from:), GetWorkloadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -655,9 +650,9 @@ extension LaunchWizardClient { /// /// Returns details for a given workload and deployment pattern, including the available specifications. You can use the [ListWorkloads](https://docs.aws.amazon.com/launchwizard/latest/APIReference/API_ListWorkloads.html) operation to discover the available workload names and the [ListWorkloadDeploymentPatterns](https://docs.aws.amazon.com/launchwizard/latest/APIReference/API_ListWorkloadDeploymentPatterns.html) operation to discover the available deployment pattern names of a given workload. /// - /// - Parameter GetWorkloadDeploymentPatternInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkloadDeploymentPatternInput`) /// - /// - Returns: `GetWorkloadDeploymentPatternOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkloadDeploymentPatternOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -693,7 +688,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkloadDeploymentPatternOutput.httpOutput(from:), GetWorkloadDeploymentPatternOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -725,9 +719,9 @@ extension LaunchWizardClient { /// /// Lists the events of a deployment. /// - /// - Parameter ListDeploymentEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeploymentEventsInput`) /// - /// - Returns: `ListDeploymentEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeploymentEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -763,7 +757,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentEventsOutput.httpOutput(from:), ListDeploymentEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -795,9 +788,9 @@ extension LaunchWizardClient { /// /// Lists the deployments that have been created. /// - /// - Parameter ListDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeploymentsInput`) /// - /// - Returns: `ListDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -832,7 +825,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentsOutput.httpOutput(from:), ListDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -864,9 +856,9 @@ extension LaunchWizardClient { /// /// Lists the tags associated with a specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -899,7 +891,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -931,9 +922,9 @@ extension LaunchWizardClient { /// /// Lists the workload deployment patterns for a given workload name. You can use the [ListWorkloads](https://docs.aws.amazon.com/launchwizard/latest/APIReference/API_ListWorkloads.html) operation to discover the available workload names. /// - /// - Parameter ListWorkloadDeploymentPatternsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkloadDeploymentPatternsInput`) /// - /// - Returns: `ListWorkloadDeploymentPatternsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkloadDeploymentPatternsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -969,7 +960,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkloadDeploymentPatternsOutput.httpOutput(from:), ListWorkloadDeploymentPatternsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1001,9 +991,9 @@ extension LaunchWizardClient { /// /// Lists the available workload names. You can use the [ListWorkloadDeploymentPatterns](https://docs.aws.amazon.com/launchwizard/latest/APIReference/API_ListWorkloadDeploymentPatterns.html) operation to discover the available deployment patterns for a given workload. /// - /// - Parameter ListWorkloadsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkloadsInput`) /// - /// - Returns: `ListWorkloadsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkloadsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1038,7 +1028,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkloadsOutput.httpOutput(from:), ListWorkloadsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1070,9 +1059,9 @@ extension LaunchWizardClient { /// /// Adds the specified tags to the given resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1108,7 +1097,6 @@ extension LaunchWizardClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1140,9 +1128,9 @@ extension LaunchWizardClient { /// /// Removes the specified tags from the given resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1176,7 +1164,6 @@ extension LaunchWizardClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLexModelBuildingService/Sources/AWSLexModelBuildingService/LexModelBuildingClient.swift b/Sources/Services/AWSLexModelBuildingService/Sources/AWSLexModelBuildingService/LexModelBuildingClient.swift index f5c231b7fe7..f0490e1ae4e 100644 --- a/Sources/Services/AWSLexModelBuildingService/Sources/AWSLexModelBuildingService/LexModelBuildingClient.swift +++ b/Sources/Services/AWSLexModelBuildingService/Sources/AWSLexModelBuildingService/LexModelBuildingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LexModelBuildingClient: ClientRuntime.Client { public static let clientName = "LexModelBuildingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LexModelBuildingClient.LexModelBuildingClientConfiguration let serviceName = "Lex Model Building" @@ -374,9 +373,9 @@ extension LexModelBuildingClient { /// /// Creates a new version of the bot based on the $LATEST version. If the $LATEST version of this resource hasn't changed since you created the last version, Amazon Lex doesn't create a new version. It returns the last created version. You can update only the $LATEST version of the bot. You can't update the numbered versions that you create with the CreateBotVersion operation. When you create the first version of a bot, Amazon Lex sets the version to 1. Subsequent versions increment by 1. For more information, see [versioning-intro]. This operation requires permission for the lex:CreateBotVersion action. /// - /// - Parameter CreateBotVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBotVersionInput`) /// - /// - Returns: `CreateBotVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBotVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBotVersionOutput.httpOutput(from:), CreateBotVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension LexModelBuildingClient { /// /// Creates a new version of an intent based on the $LATEST version of the intent. If the $LATEST version of this intent hasn't changed since you last updated it, Amazon Lex doesn't create a new version. It returns the last version you created. You can update only the $LATEST version of the intent. You can't update the numbered versions that you create with the CreateIntentVersion operation. When you create a version of an intent, Amazon Lex sets the version to 1. Subsequent versions increment by 1. For more information, see [versioning-intro]. This operation requires permissions to perform the lex:CreateIntentVersion action. /// - /// - Parameter CreateIntentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIntentVersionInput`) /// - /// - Returns: `CreateIntentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIntentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntentVersionOutput.httpOutput(from:), CreateIntentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension LexModelBuildingClient { /// /// Creates a new version of a slot type based on the $LATEST version of the specified slot type. If the $LATEST version of this resource has not changed since the last version that you created, Amazon Lex doesn't create a new version. It returns the last version that you created. You can update only the $LATEST version of a slot type. You can't update the numbered versions that you create with the CreateSlotTypeVersion operation. When you create a version of a slot type, Amazon Lex sets the version to 1. Subsequent versions increment by 1. For more information, see [versioning-intro]. This operation requires permissions for the lex:CreateSlotTypeVersion action. /// - /// - Parameter CreateSlotTypeVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSlotTypeVersionInput`) /// - /// - Returns: `CreateSlotTypeVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSlotTypeVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSlotTypeVersionOutput.httpOutput(from:), CreateSlotTypeVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension LexModelBuildingClient { /// /// Deletes all versions of the bot, including the $LATEST version. To delete a specific version of the bot, use the [DeleteBotVersion] operation. The DeleteBot operation doesn't immediately remove the bot schema. Instead, it is marked for deletion and removed later. Amazon Lex stores utterances indefinitely for improving the ability of your bot to respond to user inputs. These utterances are not removed when the bot is deleted. To remove the utterances, use the [DeleteUtterances] operation. If a bot has an alias, you can't delete it. Instead, the DeleteBot operation returns a ResourceInUseException exception that includes a reference to the alias that refers to the bot. To remove the reference to the bot, delete the alias. If you get the same exception again, delete the referring alias until the DeleteBot operation is successful. This operation requires permissions for the lex:DeleteBot action. /// - /// - Parameter DeleteBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBotInput`) /// - /// - Returns: `DeleteBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBotOutput.httpOutput(from:), DeleteBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension LexModelBuildingClient { /// /// Deletes an alias for the specified bot. You can't delete an alias that is used in the association between a bot and a messaging channel. If an alias is used in a channel association, the DeleteBot operation returns a ResourceInUseException exception that includes a reference to the channel association that refers to the bot. You can remove the reference to the alias by deleting the channel association. If you get the same exception again, delete the referring association until the DeleteBotAlias operation is successful. /// - /// - Parameter DeleteBotAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBotAliasInput`) /// - /// - Returns: `DeleteBotAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBotAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBotAliasOutput.httpOutput(from:), DeleteBotAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension LexModelBuildingClient { /// /// Deletes the association between an Amazon Lex bot and a messaging platform. This operation requires permission for the lex:DeleteBotChannelAssociation action. /// - /// - Parameter DeleteBotChannelAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBotChannelAssociationInput`) /// - /// - Returns: `DeleteBotChannelAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBotChannelAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +772,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBotChannelAssociationOutput.httpOutput(from:), DeleteBotChannelAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -810,9 +803,9 @@ extension LexModelBuildingClient { /// /// Deletes a specific version of a bot. To delete all versions of a bot, use the [DeleteBot] operation. This operation requires permissions for the lex:DeleteBotVersion action. /// - /// - Parameter DeleteBotVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBotVersionInput`) /// - /// - Returns: `DeleteBotVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBotVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBotVersionOutput.httpOutput(from:), DeleteBotVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -884,9 +876,9 @@ extension LexModelBuildingClient { /// /// Deletes all versions of the intent, including the $LATEST version. To delete a specific version of the intent, use the [DeleteIntentVersion] operation. You can delete a version of an intent only if it is not referenced. To delete an intent that is referred to in one or more bots (see [how-it-works]), you must remove those references first. If you get the ResourceInUseException exception, it provides an example reference that shows where the intent is referenced. To remove the reference to the intent, either update the bot or delete it. If you get the same exception when you attempt to delete the intent again, repeat until the intent has no references and the call to DeleteIntent is successful. This operation requires permission for the lex:DeleteIntent action. /// - /// - Parameter DeleteIntentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntentInput`) /// - /// - Returns: `DeleteIntentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -926,7 +918,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntentOutput.httpOutput(from:), DeleteIntentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -958,9 +949,9 @@ extension LexModelBuildingClient { /// /// Deletes a specific version of an intent. To delete all versions of a intent, use the [DeleteIntent] operation. This operation requires permissions for the lex:DeleteIntentVersion action. /// - /// - Parameter DeleteIntentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntentVersionInput`) /// - /// - Returns: `DeleteIntentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1000,7 +991,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntentVersionOutput.httpOutput(from:), DeleteIntentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1032,9 +1022,9 @@ extension LexModelBuildingClient { /// /// Deletes all versions of the slot type, including the $LATEST version. To delete a specific version of the slot type, use the [DeleteSlotTypeVersion] operation. You can delete a version of a slot type only if it is not referenced. To delete a slot type that is referred to in one or more intents, you must remove those references first. If you get the ResourceInUseException exception, the exception provides an example reference that shows the intent where the slot type is referenced. To remove the reference to the slot type, either update the intent or delete it. If you get the same exception when you attempt to delete the slot type again, repeat until the slot type has no references and the DeleteSlotType call is successful. This operation requires permission for the lex:DeleteSlotType action. /// - /// - Parameter DeleteSlotTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSlotTypeInput`) /// - /// - Returns: `DeleteSlotTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSlotTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1074,7 +1064,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSlotTypeOutput.httpOutput(from:), DeleteSlotTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1106,9 +1095,9 @@ extension LexModelBuildingClient { /// /// Deletes a specific version of a slot type. To delete all versions of a slot type, use the [DeleteSlotType] operation. This operation requires permissions for the lex:DeleteSlotTypeVersion action. /// - /// - Parameter DeleteSlotTypeVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSlotTypeVersionInput`) /// - /// - Returns: `DeleteSlotTypeVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSlotTypeVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1148,7 +1137,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSlotTypeVersionOutput.httpOutput(from:), DeleteSlotTypeVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1180,9 +1168,9 @@ extension LexModelBuildingClient { /// /// Deletes stored utterances. Amazon Lex stores the utterances that users send to your bot. Utterances are stored for 15 days for use with the [GetUtterancesView] operation, and then stored indefinitely for use in improving the ability of your bot to respond to user input. Use the DeleteUtterances operation to manually delete stored utterances for a specific user. When you use the DeleteUtterances operation, utterances stored for improving your bot's ability to respond to user input are deleted immediately. Utterances stored for use with the GetUtterancesView operation are deleted after 15 days. This operation requires permissions for the lex:DeleteUtterances action. /// - /// - Parameter DeleteUtterancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUtterancesInput`) /// - /// - Returns: `DeleteUtterancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUtterancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1216,7 +1204,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUtterancesOutput.httpOutput(from:), DeleteUtterancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1248,9 +1235,9 @@ extension LexModelBuildingClient { /// /// Returns metadata information for a specific bot. You must provide the bot name and the bot version or alias. This operation requires permissions for the lex:GetBot action. /// - /// - Parameter GetBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBotInput`) /// - /// - Returns: `GetBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1284,7 +1271,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBotOutput.httpOutput(from:), GetBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1316,9 +1302,9 @@ extension LexModelBuildingClient { /// /// Returns information about an Amazon Lex bot alias. For more information about aliases, see [versioning-aliases]. This operation requires permissions for the lex:GetBotAlias action. /// - /// - Parameter GetBotAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBotAliasInput`) /// - /// - Returns: `GetBotAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBotAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1352,7 +1338,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBotAliasOutput.httpOutput(from:), GetBotAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1384,9 +1369,9 @@ extension LexModelBuildingClient { /// /// Returns a list of aliases for a specified Amazon Lex bot. This operation requires permissions for the lex:GetBotAliases action. /// - /// - Parameter GetBotAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBotAliasesInput`) /// - /// - Returns: `GetBotAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBotAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1420,7 +1405,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBotAliasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBotAliasesOutput.httpOutput(from:), GetBotAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1452,9 +1436,9 @@ extension LexModelBuildingClient { /// /// Returns information about the association between an Amazon Lex bot and a messaging platform. This operation requires permissions for the lex:GetBotChannelAssociation action. /// - /// - Parameter GetBotChannelAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBotChannelAssociationInput`) /// - /// - Returns: `GetBotChannelAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBotChannelAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1488,7 +1472,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBotChannelAssociationOutput.httpOutput(from:), GetBotChannelAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1520,9 +1503,9 @@ extension LexModelBuildingClient { /// /// Returns a list of all of the channels associated with the specified bot. The GetBotChannelAssociations operation requires permissions for the lex:GetBotChannelAssociations action. /// - /// - Parameter GetBotChannelAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBotChannelAssociationsInput`) /// - /// - Returns: `GetBotChannelAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBotChannelAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1556,7 +1539,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBotChannelAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBotChannelAssociationsOutput.httpOutput(from:), GetBotChannelAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1588,9 +1570,9 @@ extension LexModelBuildingClient { /// /// Gets information about all of the versions of a bot. The GetBotVersions operation returns a BotMetadata object for each version of a bot. For example, if a bot has three numbered versions, the GetBotVersions operation returns four BotMetadata objects in the response, one for each numbered version and one for the $LATEST version. The GetBotVersions operation always returns at least one version, the $LATEST version. This operation requires permissions for the lex:GetBotVersions action. /// - /// - Parameter GetBotVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBotVersionsInput`) /// - /// - Returns: `GetBotVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBotVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1625,7 +1607,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBotVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBotVersionsOutput.httpOutput(from:), GetBotVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1664,9 +1645,9 @@ extension LexModelBuildingClient { /// /// This operation requires permission for the lex:GetBots action. /// - /// - Parameter GetBotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBotsInput`) /// - /// - Returns: `GetBotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1701,7 +1682,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBotsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBotsOutput.httpOutput(from:), GetBotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1733,9 +1713,9 @@ extension LexModelBuildingClient { /// /// Returns information about a built-in intent. This operation requires permission for the lex:GetBuiltinIntent action. /// - /// - Parameter GetBuiltinIntentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBuiltinIntentInput`) /// - /// - Returns: `GetBuiltinIntentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBuiltinIntentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1769,7 +1749,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBuiltinIntentOutput.httpOutput(from:), GetBuiltinIntentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1801,9 +1780,9 @@ extension LexModelBuildingClient { /// /// Gets a list of built-in intents that meet the specified criteria. This operation requires permission for the lex:GetBuiltinIntents action. /// - /// - Parameter GetBuiltinIntentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBuiltinIntentsInput`) /// - /// - Returns: `GetBuiltinIntentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBuiltinIntentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1837,7 +1816,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBuiltinIntentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBuiltinIntentsOutput.httpOutput(from:), GetBuiltinIntentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1869,9 +1847,9 @@ extension LexModelBuildingClient { /// /// Gets a list of built-in slot types that meet the specified criteria. For a list of built-in slot types, see [Slot Type Reference](https://developer.amazon.com/public/solutions/alexa/alexa-skills-kit/docs/built-in-intent-ref/slot-type-reference) in the Alexa Skills Kit. This operation requires permission for the lex:GetBuiltInSlotTypes action. /// - /// - Parameter GetBuiltinSlotTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBuiltinSlotTypesInput`) /// - /// - Returns: `GetBuiltinSlotTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBuiltinSlotTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1905,7 +1883,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBuiltinSlotTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBuiltinSlotTypesOutput.httpOutput(from:), GetBuiltinSlotTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1937,9 +1914,9 @@ extension LexModelBuildingClient { /// /// Exports the contents of a Amazon Lex resource in a specified format. /// - /// - Parameter GetExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExportInput`) /// - /// - Returns: `GetExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1974,7 +1951,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetExportInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExportOutput.httpOutput(from:), GetExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2006,9 +1982,9 @@ extension LexModelBuildingClient { /// /// Gets information about an import job started with the StartImport operation. /// - /// - Parameter GetImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImportInput`) /// - /// - Returns: `GetImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2042,7 +2018,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImportOutput.httpOutput(from:), GetImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2074,9 +2049,9 @@ extension LexModelBuildingClient { /// /// Returns information about an intent. In addition to the intent name, you must specify the intent version. This operation requires permissions to perform the lex:GetIntent action. /// - /// - Parameter GetIntentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntentInput`) /// - /// - Returns: `GetIntentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2110,7 +2085,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntentOutput.httpOutput(from:), GetIntentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2142,9 +2116,9 @@ extension LexModelBuildingClient { /// /// Gets information about all of the versions of an intent. The GetIntentVersions operation returns an IntentMetadata object for each version of an intent. For example, if an intent has three numbered versions, the GetIntentVersions operation returns four IntentMetadata objects in the response, one for each numbered version and one for the $LATEST version. The GetIntentVersions operation always returns at least one version, the $LATEST version. This operation requires permissions for the lex:GetIntentVersions action. /// - /// - Parameter GetIntentVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntentVersionsInput`) /// - /// - Returns: `GetIntentVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntentVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2179,7 +2153,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetIntentVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntentVersionsOutput.httpOutput(from:), GetIntentVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2218,9 +2191,9 @@ extension LexModelBuildingClient { /// /// The operation requires permission for the lex:GetIntents action. /// - /// - Parameter GetIntentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIntentsInput`) /// - /// - Returns: `GetIntentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIntentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2255,7 +2228,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetIntentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIntentsOutput.httpOutput(from:), GetIntentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2287,9 +2259,9 @@ extension LexModelBuildingClient { /// /// Provides details about an ongoing or complete migration from an Amazon Lex V1 bot to an Amazon Lex V2 bot. Use this operation to view the migration alerts and warnings related to the migration. /// - /// - Parameter GetMigrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMigrationInput`) /// - /// - Returns: `GetMigrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMigrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2323,7 +2295,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMigrationOutput.httpOutput(from:), GetMigrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2355,9 +2326,9 @@ extension LexModelBuildingClient { /// /// Gets a list of migrations between Amazon Lex V1 and Amazon Lex V2. /// - /// - Parameter GetMigrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMigrationsInput`) /// - /// - Returns: `GetMigrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMigrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2391,7 +2362,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMigrationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMigrationsOutput.httpOutput(from:), GetMigrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2423,9 +2393,9 @@ extension LexModelBuildingClient { /// /// Returns information about a specific version of a slot type. In addition to specifying the slot type name, you must specify the slot type version. This operation requires permissions for the lex:GetSlotType action. /// - /// - Parameter GetSlotTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSlotTypeInput`) /// - /// - Returns: `GetSlotTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSlotTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2459,7 +2429,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSlotTypeOutput.httpOutput(from:), GetSlotTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2491,9 +2460,9 @@ extension LexModelBuildingClient { /// /// Gets information about all versions of a slot type. The GetSlotTypeVersions operation returns a SlotTypeMetadata object for each version of a slot type. For example, if a slot type has three numbered versions, the GetSlotTypeVersions operation returns four SlotTypeMetadata objects in the response, one for each numbered version and one for the $LATEST version. The GetSlotTypeVersions operation always returns at least one version, the $LATEST version. This operation requires permissions for the lex:GetSlotTypeVersions action. /// - /// - Parameter GetSlotTypeVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSlotTypeVersionsInput`) /// - /// - Returns: `GetSlotTypeVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSlotTypeVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2528,7 +2497,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSlotTypeVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSlotTypeVersionsOutput.httpOutput(from:), GetSlotTypeVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2567,9 +2535,9 @@ extension LexModelBuildingClient { /// /// The operation requires permission for the lex:GetSlotTypes action. /// - /// - Parameter GetSlotTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSlotTypesInput`) /// - /// - Returns: `GetSlotTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSlotTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2604,7 +2572,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSlotTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSlotTypesOutput.httpOutput(from:), GetSlotTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2636,9 +2603,9 @@ extension LexModelBuildingClient { /// /// Use the GetUtterancesView operation to get information about the utterances that your users have made to your bot. You can use this list to tune the utterances that your bot responds to. For example, say that you have created a bot to order flowers. After your users have used your bot for a while, use the GetUtterancesView operation to see the requests that they have made and whether they have been successful. You might find that the utterance "I want flowers" is not being recognized. You could add this utterance to the OrderFlowers intent so that your bot recognizes that utterance. After you publish a new version of a bot, you can get information about the old version and the new so that you can compare the performance across the two versions. Utterance statistics are generated once a day. Data is available for the last 15 days. You can request information for up to 5 versions of your bot in each request. Amazon Lex returns the most frequent utterances received by the bot in the last 15 days. The response contains information about a maximum of 100 utterances for each version. If you set childDirected field to true when you created your bot, if you are using slot obfuscation with one or more slots, or if you opted out of participating in improving Amazon Lex, utterances are not available. This operation requires permissions for the lex:GetUtterancesView action. /// - /// - Parameter GetUtterancesViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUtterancesViewInput`) /// - /// - Returns: `GetUtterancesViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUtterancesViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2672,7 +2639,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetUtterancesViewInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUtterancesViewOutput.httpOutput(from:), GetUtterancesViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2704,9 +2670,9 @@ extension LexModelBuildingClient { /// /// Gets a list of tags associated with the specified resource. Only bots, bot aliases, and bot channels can have tags associated with them. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2740,7 +2706,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2772,9 +2737,9 @@ extension LexModelBuildingClient { /// /// Creates an Amazon Lex conversational bot or replaces an existing bot. When you create or update a bot you are only required to specify a name, a locale, and whether the bot is directed toward children under age 13. You can use this to add intents later, or to remove intents from an existing bot. When you create a bot with the minimum information, the bot is created or updated but Amazon Lex returns the response FAILED. You can build the bot after you add one or more intents. For more information about Amazon Lex bots, see [how-it-works]. If you specify the name of an existing bot, the fields in the request replace the existing values in the $LATEST version of the bot. Amazon Lex removes any fields that you don't provide values for in the request, except for the idleTTLInSeconds and privacySettings fields, which are set to their default values. If you don't specify values for required fields, Amazon Lex throws an exception. This operation requires permissions for the lex:PutBot action. For more information, see [security-iam]. /// - /// - Parameter PutBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBotInput`) /// - /// - Returns: `PutBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2812,7 +2777,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBotOutput.httpOutput(from:), PutBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2844,9 +2808,9 @@ extension LexModelBuildingClient { /// /// Creates an alias for the specified version of the bot or replaces an alias for the specified bot. To change the version of the bot that the alias points to, replace the alias. For more information about aliases, see [versioning-aliases]. This operation requires permissions for the lex:PutBotAlias action. /// - /// - Parameter PutBotAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBotAliasInput`) /// - /// - Returns: `PutBotAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBotAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2884,7 +2848,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBotAliasOutput.httpOutput(from:), PutBotAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2936,9 +2899,9 @@ extension LexModelBuildingClient { /// /// If you specify an existing intent name to update the intent, Amazon Lex replaces the values in the $LATEST version of the intent with the values in the request. Amazon Lex removes fields that you don't provide in the request. If you don't specify the required fields, Amazon Lex throws an exception. When you update the $LATEST version of an intent, the status field of any bot that uses the $LATEST version of the intent is set to NOT_BUILT. For more information, see [how-it-works]. This operation requires permissions for the lex:PutIntent action. /// - /// - Parameter PutIntentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutIntentInput`) /// - /// - Returns: `PutIntentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutIntentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2976,7 +2939,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutIntentOutput.httpOutput(from:), PutIntentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3008,9 +2970,9 @@ extension LexModelBuildingClient { /// /// Creates a custom slot type or replaces an existing custom slot type. To create a custom slot type, specify a name for the slot type and a set of enumeration values, which are the values that a slot of this type can assume. For more information, see [how-it-works]. If you specify the name of an existing slot type, the fields in the request replace the existing values in the $LATEST version of the slot type. Amazon Lex removes the fields that you don't provide in the request. If you don't specify required fields, Amazon Lex throws an exception. When you update the $LATEST version of a slot type, if a bot uses the $LATEST version of an intent that contains the slot type, the bot's status field is set to NOT_BUILT. This operation requires permissions for the lex:PutSlotType action. /// - /// - Parameter PutSlotTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSlotTypeInput`) /// - /// - Returns: `PutSlotTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSlotTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3048,7 +3010,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSlotTypeOutput.httpOutput(from:), PutSlotTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3080,9 +3041,9 @@ extension LexModelBuildingClient { /// /// Starts a job to import a resource to Amazon Lex. /// - /// - Parameter StartImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImportInput`) /// - /// - Returns: `StartImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3118,7 +3079,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImportOutput.httpOutput(from:), StartImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3150,9 +3110,9 @@ extension LexModelBuildingClient { /// /// Starts migrating a bot from Amazon Lex V1 to Amazon Lex V2. Migrate your bot when you want to take advantage of the new features of Amazon Lex V2. For more information, see [Migrating a bot](https://docs.aws.amazon.com/lex/latest/dg/migrate.html) in the Amazon Lex developer guide. /// - /// - Parameter StartMigrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMigrationInput`) /// - /// - Returns: `StartMigrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMigrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3190,7 +3150,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMigrationOutput.httpOutput(from:), StartMigrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3222,9 +3181,9 @@ extension LexModelBuildingClient { /// /// Adds the specified tags to the specified resource. If a tag key already exists, the existing value is replaced with the new value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3262,7 +3221,6 @@ extension LexModelBuildingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3294,9 +3252,9 @@ extension LexModelBuildingClient { /// /// Removes tags from a bot, bot alias or bot channel. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3332,7 +3290,6 @@ extension LexModelBuildingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLexModelsV2/Sources/AWSLexModelsV2/LexModelsV2Client.swift b/Sources/Services/AWSLexModelsV2/Sources/AWSLexModelsV2/LexModelsV2Client.swift index 01bd0cbf6a3..61d45264b12 100644 --- a/Sources/Services/AWSLexModelsV2/Sources/AWSLexModelsV2/LexModelsV2Client.swift +++ b/Sources/Services/AWSLexModelsV2/Sources/AWSLexModelsV2/LexModelsV2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LexModelsV2Client: ClientRuntime.Client { public static let clientName = "LexModelsV2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LexModelsV2Client.LexModelsV2ClientConfiguration let serviceName = "Lex Models V2" @@ -374,9 +373,9 @@ extension LexModelsV2Client { /// /// Create a batch of custom vocabulary items for a given bot locale's custom vocabulary. /// - /// - Parameter BatchCreateCustomVocabularyItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateCustomVocabularyItemInput`) /// - /// - Returns: `BatchCreateCustomVocabularyItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateCustomVocabularyItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateCustomVocabularyItemOutput.httpOutput(from:), BatchCreateCustomVocabularyItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension LexModelsV2Client { /// /// Delete a batch of custom vocabulary items for a given bot locale's custom vocabulary. /// - /// - Parameter BatchDeleteCustomVocabularyItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteCustomVocabularyItemInput`) /// - /// - Returns: `BatchDeleteCustomVocabularyItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteCustomVocabularyItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteCustomVocabularyItemOutput.httpOutput(from:), BatchDeleteCustomVocabularyItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension LexModelsV2Client { /// /// Update a batch of custom vocabulary items for a given bot locale's custom vocabulary. /// - /// - Parameter BatchUpdateCustomVocabularyItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateCustomVocabularyItemInput`) /// - /// - Returns: `BatchUpdateCustomVocabularyItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateCustomVocabularyItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateCustomVocabularyItemOutput.httpOutput(from:), BatchUpdateCustomVocabularyItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension LexModelsV2Client { /// /// Builds a bot, its intents, and its slot types into a specific locale. A bot can be built into multiple locales. At runtime the locale is used to choose a specific build of the bot. /// - /// - Parameter BuildBotLocaleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BuildBotLocaleInput`) /// - /// - Returns: `BuildBotLocaleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BuildBotLocaleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BuildBotLocaleOutput.httpOutput(from:), BuildBotLocaleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +655,9 @@ extension LexModelsV2Client { /// /// Creates an Amazon Lex conversational bot. /// - /// - Parameter CreateBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBotInput`) /// - /// - Returns: `CreateBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBotOutput.httpOutput(from:), CreateBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -733,9 +727,9 @@ extension LexModelsV2Client { /// /// Creates an alias for the specified version of a bot. Use an alias to enable you to change the version of a bot without updating applications that use the bot. For example, you can create an alias called "PROD" that your applications use to call the Amazon Lex bot. /// - /// - Parameter CreateBotAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBotAliasInput`) /// - /// - Returns: `CreateBotAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBotAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBotAliasOutput.httpOutput(from:), CreateBotAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension LexModelsV2Client { /// /// Creates a locale in the bot. The locale contains the intents and slot types that the bot uses in conversations with users in the specified language and locale. You must add a locale to a bot before you can add intents and slot types to the bot. /// - /// - Parameter CreateBotLocaleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBotLocaleInput`) /// - /// - Returns: `CreateBotLocaleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBotLocaleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBotLocaleOutput.httpOutput(from:), CreateBotLocaleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension LexModelsV2Client { /// /// Action to create a replication of the source bot in the secondary region. /// - /// - Parameter CreateBotReplicaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBotReplicaInput`) /// - /// - Returns: `CreateBotReplicaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBotReplicaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -920,7 +912,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBotReplicaOutput.httpOutput(from:), CreateBotReplicaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -952,9 +943,9 @@ extension LexModelsV2Client { /// /// Creates an immutable version of the bot. When you create the first version of a bot, Amazon Lex sets the version number to 1. Subsequent bot versions increase in an increment of 1. The version number will always represent the total number of versions created of the bot, not the current number of versions. If a bot version is deleted, that bot version number will not be reused. /// - /// - Parameter CreateBotVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBotVersionInput`) /// - /// - Returns: `CreateBotVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBotVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -993,7 +984,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBotVersionOutput.httpOutput(from:), CreateBotVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1025,9 +1015,9 @@ extension LexModelsV2Client { /// /// Creates a zip archive containing the contents of a bot or a bot locale. The archive contains a directory structure that contains JSON files that define the bot. You can create an archive that contains the complete definition of a bot, or you can specify that the archive contain only the definition of a single bot locale. For more information about exporting bots, and about the structure of the export archive, see [ Importing and exporting bots ](https://docs.aws.amazon.com/lexv2/latest/dg/importing-exporting.html) /// - /// - Parameter CreateExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExportInput`) /// - /// - Returns: `CreateExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1066,7 +1056,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExportOutput.httpOutput(from:), CreateExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1110,9 +1099,9 @@ extension LexModelsV2Client { /// /// * A follow-up prompt that asks the user for additional activity. For example, "Do you want a drink with your pizza?" /// - /// - Parameter CreateIntentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIntentInput`) /// - /// - Returns: `CreateIntentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIntentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1151,7 +1140,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntentOutput.httpOutput(from:), CreateIntentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1183,9 +1171,9 @@ extension LexModelsV2Client { /// /// Creates a new resource policy with the specified policy statements. /// - /// - Parameter CreateResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourcePolicyInput`) /// - /// - Returns: `CreateResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1224,7 +1212,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourcePolicyOutput.httpOutput(from:), CreateResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1256,9 +1243,9 @@ extension LexModelsV2Client { /// /// Adds a new resource policy statement to a bot or bot alias. If a resource policy exists, the statement is added to the current resource policy. If a policy doesn't exist, a new policy is created. You can't create a resource policy statement that allows cross-account access. You need to add the CreateResourcePolicy or UpdateResourcePolicy action to the bot role in order to call the API. /// - /// - Parameter CreateResourcePolicyStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourcePolicyStatementInput`) /// - /// - Returns: `CreateResourcePolicyStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourcePolicyStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1299,7 +1286,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourcePolicyStatementOutput.httpOutput(from:), CreateResourcePolicyStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1331,9 +1317,9 @@ extension LexModelsV2Client { /// /// Creates a slot in an intent. A slot is a variable needed to fulfill an intent. For example, an OrderPizza intent might need slots for size, crust, and number of pizzas. For each slot, you define one or more utterances that Amazon Lex uses to elicit a response from the user. /// - /// - Parameter CreateSlotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSlotInput`) /// - /// - Returns: `CreateSlotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSlotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1372,7 +1358,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSlotOutput.httpOutput(from:), CreateSlotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1404,9 +1389,9 @@ extension LexModelsV2Client { /// /// Creates a custom slot type To create a custom slot type, specify a name for the slot type and a set of enumeration values, the values that a slot of this type can assume. /// - /// - Parameter CreateSlotTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSlotTypeInput`) /// - /// - Returns: `CreateSlotTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSlotTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1445,7 +1430,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSlotTypeOutput.httpOutput(from:), CreateSlotTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1477,9 +1461,9 @@ extension LexModelsV2Client { /// /// Create a report that describes the differences between the bot and the test set. /// - /// - Parameter CreateTestSetDiscrepancyReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTestSetDiscrepancyReportInput`) /// - /// - Returns: `CreateTestSetDiscrepancyReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTestSetDiscrepancyReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1518,7 +1502,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTestSetDiscrepancyReportOutput.httpOutput(from:), CreateTestSetDiscrepancyReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1550,9 +1533,9 @@ extension LexModelsV2Client { /// /// Gets a pre-signed S3 write URL that you use to upload the zip archive when importing a bot or a bot locale. /// - /// - Parameter CreateUploadUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUploadUrlInput`) /// - /// - Returns: `CreateUploadUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUploadUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1587,7 +1570,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUploadUrlOutput.httpOutput(from:), CreateUploadUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1619,9 +1601,9 @@ extension LexModelsV2Client { /// /// Deletes all versions of a bot, including the Draft version. To delete a specific version, use the DeleteBotVersion operation. When you delete a bot, all of the resources contained in the bot are also deleted. Deleting a bot removes all locales, intents, slot, and slot types defined for the bot. If a bot has an alias, the DeleteBot operation returns a ResourceInUseException exception. If you want to delete the bot and the alias, set the skipResourceInUseCheck parameter to true. /// - /// - Parameter DeleteBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBotInput`) /// - /// - Returns: `DeleteBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1658,7 +1640,6 @@ extension LexModelsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBotInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBotOutput.httpOutput(from:), DeleteBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1690,9 +1671,9 @@ extension LexModelsV2Client { /// /// Deletes the specified bot alias. /// - /// - Parameter DeleteBotAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBotAliasInput`) /// - /// - Returns: `DeleteBotAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBotAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1729,7 +1710,6 @@ extension LexModelsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBotAliasInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBotAliasOutput.httpOutput(from:), DeleteBotAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1761,9 +1741,9 @@ extension LexModelsV2Client { /// /// Removes a locale from a bot. When you delete a locale, all intents, slots, and slot types defined for the locale are also deleted. /// - /// - Parameter DeleteBotLocaleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBotLocaleInput`) /// - /// - Returns: `DeleteBotLocaleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBotLocaleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1799,7 +1779,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBotLocaleOutput.httpOutput(from:), DeleteBotLocaleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1831,9 +1810,9 @@ extension LexModelsV2Client { /// /// The action to delete the replicated bot in the secondary region. /// - /// - Parameter DeleteBotReplicaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBotReplicaInput`) /// - /// - Returns: `DeleteBotReplicaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBotReplicaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1869,7 +1848,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBotReplicaOutput.httpOutput(from:), DeleteBotReplicaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1901,9 +1879,9 @@ extension LexModelsV2Client { /// /// Deletes a specific version of a bot. To delete all versions of a bot, use the [DeleteBot](https://docs.aws.amazon.com/lexv2/latest/APIReference/API_DeleteBot.html) operation. /// - /// - Parameter DeleteBotVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBotVersionInput`) /// - /// - Returns: `DeleteBotVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBotVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1940,7 +1918,6 @@ extension LexModelsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBotVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBotVersionOutput.httpOutput(from:), DeleteBotVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1972,9 +1949,9 @@ extension LexModelsV2Client { /// /// Removes a custom vocabulary from the specified locale in the specified bot. /// - /// - Parameter DeleteCustomVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomVocabularyInput`) /// - /// - Returns: `DeleteCustomVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2010,7 +1987,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomVocabularyOutput.httpOutput(from:), DeleteCustomVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2042,9 +2018,9 @@ extension LexModelsV2Client { /// /// Removes a previous export and the associated files stored in an S3 bucket. /// - /// - Parameter DeleteExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExportInput`) /// - /// - Returns: `DeleteExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2079,7 +2055,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExportOutput.httpOutput(from:), DeleteExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2111,9 +2086,9 @@ extension LexModelsV2Client { /// /// Removes a previous import and the associated file stored in an S3 bucket. /// - /// - Parameter DeleteImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImportInput`) /// - /// - Returns: `DeleteImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2148,7 +2123,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImportOutput.httpOutput(from:), DeleteImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2180,9 +2154,9 @@ extension LexModelsV2Client { /// /// Removes the specified intent. Deleting an intent also deletes the slots associated with the intent. /// - /// - Parameter DeleteIntentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntentInput`) /// - /// - Returns: `DeleteIntentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2218,7 +2192,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntentOutput.httpOutput(from:), DeleteIntentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2250,9 +2223,9 @@ extension LexModelsV2Client { /// /// Removes an existing policy from a bot or bot alias. If the resource doesn't have a policy attached, Amazon Lex returns an exception. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2287,7 +2260,6 @@ extension LexModelsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteResourcePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2319,9 +2291,9 @@ extension LexModelsV2Client { /// /// Deletes a policy statement from a resource policy. If you delete the last statement from a policy, the policy is deleted. If you specify a statement ID that doesn't exist in the policy, or if the bot or bot alias doesn't have a policy attached, Amazon Lex returns an exception. You need to add the DeleteResourcePolicy or UpdateResourcePolicy action to the bot role in order to call the API. /// - /// - Parameter DeleteResourcePolicyStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyStatementInput`) /// - /// - Returns: `DeleteResourcePolicyStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2356,7 +2328,6 @@ extension LexModelsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteResourcePolicyStatementInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyStatementOutput.httpOutput(from:), DeleteResourcePolicyStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2388,9 +2359,9 @@ extension LexModelsV2Client { /// /// Deletes the specified slot from an intent. /// - /// - Parameter DeleteSlotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSlotInput`) /// - /// - Returns: `DeleteSlotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSlotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2426,7 +2397,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSlotOutput.httpOutput(from:), DeleteSlotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2458,9 +2428,9 @@ extension LexModelsV2Client { /// /// Deletes a slot type from a bot locale. If a slot is using the slot type, Amazon Lex throws a ResourceInUseException exception. To avoid the exception, set the skipResourceInUseCheck parameter to true. /// - /// - Parameter DeleteSlotTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSlotTypeInput`) /// - /// - Returns: `DeleteSlotTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSlotTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2497,7 +2467,6 @@ extension LexModelsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteSlotTypeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSlotTypeOutput.httpOutput(from:), DeleteSlotTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2529,9 +2498,9 @@ extension LexModelsV2Client { /// /// The action to delete the selected test set. /// - /// - Parameter DeleteTestSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTestSetInput`) /// - /// - Returns: `DeleteTestSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTestSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2567,7 +2536,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTestSetOutput.httpOutput(from:), DeleteTestSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2599,9 +2567,9 @@ extension LexModelsV2Client { /// /// Deletes stored utterances. Amazon Lex stores the utterances that users send to your bot. Utterances are stored for 15 days for use with the [ListAggregatedUtterances](https://docs.aws.amazon.com/lexv2/latest/APIReference/API_ListAggregatedUtterances.html) operation, and then stored indefinitely for use in improving the ability of your bot to respond to user input.. Use the DeleteUtterances operation to manually delete utterances for a specific session. When you use the DeleteUtterances operation, utterances stored for improving your bot's ability to respond to user input are deleted immediately. Utterances stored for use with the ListAggregatedUtterances operation are deleted after 15 days. /// - /// - Parameter DeleteUtterancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUtterancesInput`) /// - /// - Returns: `DeleteUtterancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUtterancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2635,7 +2603,6 @@ extension LexModelsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteUtterancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUtterancesOutput.httpOutput(from:), DeleteUtterancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2667,9 +2634,9 @@ extension LexModelsV2Client { /// /// Provides metadata information about a bot. /// - /// - Parameter DescribeBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBotInput`) /// - /// - Returns: `DescribeBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2704,7 +2671,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBotOutput.httpOutput(from:), DescribeBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2736,9 +2702,9 @@ extension LexModelsV2Client { /// /// Get information about a specific bot alias. /// - /// - Parameter DescribeBotAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBotAliasInput`) /// - /// - Returns: `DescribeBotAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBotAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2773,7 +2739,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBotAliasOutput.httpOutput(from:), DescribeBotAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2805,9 +2770,9 @@ extension LexModelsV2Client { /// /// Describes the settings that a bot has for a specific locale. /// - /// - Parameter DescribeBotLocaleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBotLocaleInput`) /// - /// - Returns: `DescribeBotLocaleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBotLocaleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2842,7 +2807,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBotLocaleOutput.httpOutput(from:), DescribeBotLocaleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2874,9 +2838,9 @@ extension LexModelsV2Client { /// /// Provides metadata information about a bot recommendation. This information will enable you to get a description on the request inputs, to download associated transcripts after processing is complete, and to download intents and slot-types generated by the bot recommendation. /// - /// - Parameter DescribeBotRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBotRecommendationInput`) /// - /// - Returns: `DescribeBotRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBotRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2910,7 +2874,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBotRecommendationOutput.httpOutput(from:), DescribeBotRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2942,9 +2905,9 @@ extension LexModelsV2Client { /// /// Monitors the bot replication status through the UI console. /// - /// - Parameter DescribeBotReplicaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBotReplicaInput`) /// - /// - Returns: `DescribeBotReplicaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBotReplicaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2979,7 +2942,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBotReplicaOutput.httpOutput(from:), DescribeBotReplicaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3011,9 +2973,9 @@ extension LexModelsV2Client { /// /// Returns information about a request to generate a bot through natural language description, made through the StartBotResource API. Use the generatedBotLocaleUrl to retrieve the Amazon S3 object containing the bot locale configuration. You can then modify and import this configuration. /// - /// - Parameter DescribeBotResourceGenerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBotResourceGenerationInput`) /// - /// - Returns: `DescribeBotResourceGenerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBotResourceGenerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3047,7 +3009,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBotResourceGenerationOutput.httpOutput(from:), DescribeBotResourceGenerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3079,9 +3040,9 @@ extension LexModelsV2Client { /// /// Provides metadata about a version of a bot. /// - /// - Parameter DescribeBotVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBotVersionInput`) /// - /// - Returns: `DescribeBotVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBotVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3116,7 +3077,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBotVersionOutput.httpOutput(from:), DescribeBotVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3148,9 +3108,9 @@ extension LexModelsV2Client { /// /// Provides metadata information about a custom vocabulary. /// - /// - Parameter DescribeCustomVocabularyMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomVocabularyMetadataInput`) /// - /// - Returns: `DescribeCustomVocabularyMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomVocabularyMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3185,7 +3145,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomVocabularyMetadataOutput.httpOutput(from:), DescribeCustomVocabularyMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3217,9 +3176,9 @@ extension LexModelsV2Client { /// /// Gets information about a specific export. /// - /// - Parameter DescribeExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExportInput`) /// - /// - Returns: `DescribeExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3253,7 +3212,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExportOutput.httpOutput(from:), DescribeExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3285,9 +3243,9 @@ extension LexModelsV2Client { /// /// Gets information about a specific import. /// - /// - Parameter DescribeImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImportInput`) /// - /// - Returns: `DescribeImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3321,7 +3279,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImportOutput.httpOutput(from:), DescribeImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3353,9 +3310,9 @@ extension LexModelsV2Client { /// /// Returns metadata about an intent. /// - /// - Parameter DescribeIntentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIntentInput`) /// - /// - Returns: `DescribeIntentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIntentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3390,7 +3347,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIntentOutput.httpOutput(from:), DescribeIntentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3422,9 +3378,9 @@ extension LexModelsV2Client { /// /// Gets the resource policy and policy revision for a bot or bot alias. /// - /// - Parameter DescribeResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourcePolicyInput`) /// - /// - Returns: `DescribeResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3457,7 +3413,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourcePolicyOutput.httpOutput(from:), DescribeResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3489,9 +3444,9 @@ extension LexModelsV2Client { /// /// Gets metadata information about a slot. /// - /// - Parameter DescribeSlotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSlotInput`) /// - /// - Returns: `DescribeSlotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSlotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3526,7 +3481,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSlotOutput.httpOutput(from:), DescribeSlotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3558,9 +3512,9 @@ extension LexModelsV2Client { /// /// Gets metadata information about a slot type. /// - /// - Parameter DescribeSlotTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSlotTypeInput`) /// - /// - Returns: `DescribeSlotTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSlotTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3595,7 +3549,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSlotTypeOutput.httpOutput(from:), DescribeSlotTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3627,9 +3580,9 @@ extension LexModelsV2Client { /// /// Gets metadata information about the test execution. /// - /// - Parameter DescribeTestExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTestExecutionInput`) /// - /// - Returns: `DescribeTestExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTestExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3664,7 +3617,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTestExecutionOutput.httpOutput(from:), DescribeTestExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3696,9 +3648,9 @@ extension LexModelsV2Client { /// /// Gets metadata information about the test set. /// - /// - Parameter DescribeTestSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTestSetInput`) /// - /// - Returns: `DescribeTestSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTestSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3733,7 +3685,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTestSetOutput.httpOutput(from:), DescribeTestSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3765,9 +3716,9 @@ extension LexModelsV2Client { /// /// Gets metadata information about the test set discrepancy report. /// - /// - Parameter DescribeTestSetDiscrepancyReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTestSetDiscrepancyReportInput`) /// - /// - Returns: `DescribeTestSetDiscrepancyReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTestSetDiscrepancyReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3802,7 +3753,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTestSetDiscrepancyReportOutput.httpOutput(from:), DescribeTestSetDiscrepancyReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3834,9 +3784,9 @@ extension LexModelsV2Client { /// /// Gets metadata information about the test set generation. /// - /// - Parameter DescribeTestSetGenerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTestSetGenerationInput`) /// - /// - Returns: `DescribeTestSetGenerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTestSetGenerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3871,7 +3821,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTestSetGenerationOutput.httpOutput(from:), DescribeTestSetGenerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3903,9 +3852,9 @@ extension LexModelsV2Client { /// /// Generates sample utterances for an intent. /// - /// - Parameter GenerateBotElementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateBotElementInput`) /// - /// - Returns: `GenerateBotElementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateBotElementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3945,7 +3894,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateBotElementOutput.httpOutput(from:), GenerateBotElementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3977,9 +3925,9 @@ extension LexModelsV2Client { /// /// The pre-signed Amazon S3 URL to download the test execution result artifacts. /// - /// - Parameter GetTestExecutionArtifactsUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTestExecutionArtifactsUrlInput`) /// - /// - Returns: `GetTestExecutionArtifactsUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTestExecutionArtifactsUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4014,7 +3962,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTestExecutionArtifactsUrlOutput.httpOutput(from:), GetTestExecutionArtifactsUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4052,9 +3999,9 @@ extension LexModelsV2Client { /// /// * You opted out of participating in improving Amazon Lex. /// - /// - Parameter ListAggregatedUtterancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAggregatedUtterancesInput`) /// - /// - Returns: `ListAggregatedUtterancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAggregatedUtterancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4091,7 +4038,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAggregatedUtterancesOutput.httpOutput(from:), ListAggregatedUtterancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4123,9 +4069,9 @@ extension LexModelsV2Client { /// /// The action to list the replicated bots created from the source bot alias. /// - /// - Parameter ListBotAliasReplicasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotAliasReplicasInput`) /// - /// - Returns: `ListBotAliasReplicasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotAliasReplicasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4162,7 +4108,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotAliasReplicasOutput.httpOutput(from:), ListBotAliasReplicasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4194,9 +4139,9 @@ extension LexModelsV2Client { /// /// Gets a list of aliases for the specified bot. /// - /// - Parameter ListBotAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotAliasesInput`) /// - /// - Returns: `ListBotAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4233,7 +4178,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotAliasesOutput.httpOutput(from:), ListBotAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4265,9 +4209,9 @@ extension LexModelsV2Client { /// /// Gets a list of locales for the specified bot. /// - /// - Parameter ListBotLocalesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotLocalesInput`) /// - /// - Returns: `ListBotLocalesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotLocalesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4304,7 +4248,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotLocalesOutput.httpOutput(from:), ListBotLocalesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4336,9 +4279,9 @@ extension LexModelsV2Client { /// /// Get a list of bot recommendations that meet the specified criteria. /// - /// - Parameter ListBotRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotRecommendationsInput`) /// - /// - Returns: `ListBotRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4375,7 +4318,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotRecommendationsOutput.httpOutput(from:), ListBotRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4407,9 +4349,9 @@ extension LexModelsV2Client { /// /// The action to list the replicated bots. /// - /// - Parameter ListBotReplicasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotReplicasInput`) /// - /// - Returns: `ListBotReplicasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotReplicasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4443,7 +4385,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotReplicasOutput.httpOutput(from:), ListBotReplicasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4475,9 +4416,9 @@ extension LexModelsV2Client { /// /// Lists the generation requests made for a bot locale. /// - /// - Parameter ListBotResourceGenerationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotResourceGenerationsInput`) /// - /// - Returns: `ListBotResourceGenerationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotResourceGenerationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4514,7 +4455,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotResourceGenerationsOutput.httpOutput(from:), ListBotResourceGenerationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4546,9 +4486,9 @@ extension LexModelsV2Client { /// /// Contains information about all the versions replication statuses applicable for Global Resiliency. /// - /// - Parameter ListBotVersionReplicasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotVersionReplicasInput`) /// - /// - Returns: `ListBotVersionReplicasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotVersionReplicasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4585,7 +4525,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotVersionReplicasOutput.httpOutput(from:), ListBotVersionReplicasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4617,9 +4556,9 @@ extension LexModelsV2Client { /// /// Gets information about all of the versions of a bot. The ListBotVersions operation returns a summary of each version of a bot. For example, if a bot has three numbered versions, the ListBotVersions operation returns for summaries, one for each numbered version and one for the DRAFT version. The ListBotVersions operation always returns at least one version, the DRAFT version. /// - /// - Parameter ListBotVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotVersionsInput`) /// - /// - Returns: `ListBotVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4656,7 +4595,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotVersionsOutput.httpOutput(from:), ListBotVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4688,9 +4626,9 @@ extension LexModelsV2Client { /// /// Gets a list of available bots. /// - /// - Parameter ListBotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBotsInput`) /// - /// - Returns: `ListBotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4727,7 +4665,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBotsOutput.httpOutput(from:), ListBotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4759,9 +4696,9 @@ extension LexModelsV2Client { /// /// Gets a list of built-in intents provided by Amazon Lex that you can use in your bot. To use a built-in intent as a the base for your own intent, include the built-in intent signature in the parentIntentSignature parameter when you call the CreateIntent operation. For more information, see [CreateIntent](https://docs.aws.amazon.com/lexv2/latest/APIReference/API_CreateIntent.html). /// - /// - Parameter ListBuiltInIntentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBuiltInIntentsInput`) /// - /// - Returns: `ListBuiltInIntentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBuiltInIntentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4798,7 +4735,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBuiltInIntentsOutput.httpOutput(from:), ListBuiltInIntentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4830,9 +4766,9 @@ extension LexModelsV2Client { /// /// Gets a list of built-in slot types that meet the specified criteria. /// - /// - Parameter ListBuiltInSlotTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBuiltInSlotTypesInput`) /// - /// - Returns: `ListBuiltInSlotTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBuiltInSlotTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4869,7 +4805,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBuiltInSlotTypesOutput.httpOutput(from:), ListBuiltInSlotTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4901,9 +4836,9 @@ extension LexModelsV2Client { /// /// Paginated list of custom vocabulary items for a given bot locale's custom vocabulary. /// - /// - Parameter ListCustomVocabularyItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomVocabularyItemsInput`) /// - /// - Returns: `ListCustomVocabularyItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomVocabularyItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4941,7 +4876,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomVocabularyItemsOutput.httpOutput(from:), ListCustomVocabularyItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4973,9 +4907,9 @@ extension LexModelsV2Client { /// /// Lists the exports for a bot, bot locale, or custom vocabulary. Exports are kept in the list for 7 days. /// - /// - Parameter ListExportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExportsInput`) /// - /// - Returns: `ListExportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5011,7 +4945,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExportsOutput.httpOutput(from:), ListExportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5043,9 +4976,9 @@ extension LexModelsV2Client { /// /// Lists the imports for a bot, bot locale, or custom vocabulary. Imports are kept in the list for 7 days. /// - /// - Parameter ListImportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImportsInput`) /// - /// - Returns: `ListImportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5081,7 +5014,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportsOutput.httpOutput(from:), ListImportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5127,9 +5059,9 @@ extension LexModelsV2Client { /// /// Note that an order field exists in both binBy and metrics. You can specify only one order in a given request. /// - /// - Parameter ListIntentMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIntentMetricsInput`) /// - /// - Returns: `ListIntentMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIntentMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5167,7 +5099,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIntentMetricsOutput.httpOutput(from:), ListIntentMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5206,9 +5137,9 @@ extension LexModelsV2Client { /// /// Use the optional filters field to filter the results. /// - /// - Parameter ListIntentPathsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIntentPathsInput`) /// - /// - Returns: `ListIntentPathsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIntentPathsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5246,7 +5177,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIntentPathsOutput.httpOutput(from:), ListIntentPathsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5292,9 +5222,9 @@ extension LexModelsV2Client { /// /// Note that an order field exists in both binBy and metrics. You can only specify one order in a given request. /// - /// - Parameter ListIntentStageMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIntentStageMetricsInput`) /// - /// - Returns: `ListIntentStageMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIntentStageMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5332,7 +5262,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIntentStageMetricsOutput.httpOutput(from:), ListIntentStageMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5364,9 +5293,9 @@ extension LexModelsV2Client { /// /// Get a list of intents that meet the specified criteria. /// - /// - Parameter ListIntentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIntentsInput`) /// - /// - Returns: `ListIntentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIntentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5403,7 +5332,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIntentsOutput.httpOutput(from:), ListIntentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5435,9 +5363,9 @@ extension LexModelsV2Client { /// /// Gets a list of recommended intents provided by the bot recommendation that you can use in your bot. Intents in the response are ordered by relevance. /// - /// - Parameter ListRecommendedIntentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendedIntentsInput`) /// - /// - Returns: `ListRecommendedIntentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendedIntentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5475,7 +5403,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendedIntentsOutput.httpOutput(from:), ListRecommendedIntentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5511,9 +5438,9 @@ extension LexModelsV2Client { /// /// * Use the maxResults field to limit the number of results to return in a single response and the nextToken field to return the next batch of results if the response does not return the full set of results. /// - /// - Parameter ListSessionAnalyticsDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionAnalyticsDataInput`) /// - /// - Returns: `ListSessionAnalyticsDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionAnalyticsDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5551,7 +5478,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionAnalyticsDataOutput.httpOutput(from:), ListSessionAnalyticsDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5597,9 +5523,9 @@ extension LexModelsV2Client { /// /// Note that an order field exists in both binBy and metrics. Currently, you can specify it in either field, but not in both. /// - /// - Parameter ListSessionMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionMetricsInput`) /// - /// - Returns: `ListSessionMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5637,7 +5563,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionMetricsOutput.httpOutput(from:), ListSessionMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5669,9 +5594,9 @@ extension LexModelsV2Client { /// /// Gets a list of slot types that match the specified criteria. /// - /// - Parameter ListSlotTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSlotTypesInput`) /// - /// - Returns: `ListSlotTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSlotTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5708,7 +5633,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSlotTypesOutput.httpOutput(from:), ListSlotTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5740,9 +5664,9 @@ extension LexModelsV2Client { /// /// Gets a list of slots that match the specified criteria. /// - /// - Parameter ListSlotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSlotsInput`) /// - /// - Returns: `ListSlotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSlotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5779,7 +5703,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSlotsOutput.httpOutput(from:), ListSlotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5811,9 +5734,9 @@ extension LexModelsV2Client { /// /// Gets a list of tags associated with a resource. Only bots, bot aliases, and bot channels can have tags associated with them. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5847,7 +5770,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5879,9 +5801,9 @@ extension LexModelsV2Client { /// /// Gets a list of test execution result items. /// - /// - Parameter ListTestExecutionResultItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestExecutionResultItemsInput`) /// - /// - Returns: `ListTestExecutionResultItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestExecutionResultItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5919,7 +5841,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestExecutionResultItemsOutput.httpOutput(from:), ListTestExecutionResultItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5951,9 +5872,9 @@ extension LexModelsV2Client { /// /// The list of test set executions. /// - /// - Parameter ListTestExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestExecutionsInput`) /// - /// - Returns: `ListTestExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5990,7 +5911,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestExecutionsOutput.httpOutput(from:), ListTestExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6022,9 +5942,9 @@ extension LexModelsV2Client { /// /// The list of test set records. /// - /// - Parameter ListTestSetRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestSetRecordsInput`) /// - /// - Returns: `ListTestSetRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestSetRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6062,7 +5982,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestSetRecordsOutput.httpOutput(from:), ListTestSetRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6094,9 +6013,9 @@ extension LexModelsV2Client { /// /// The list of the test sets /// - /// - Parameter ListTestSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestSetsInput`) /// - /// - Returns: `ListTestSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6133,7 +6052,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestSetsOutput.httpOutput(from:), ListTestSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6174,9 +6092,9 @@ extension LexModelsV2Client { /// /// * Use the maxResults field to limit the number of results to return in a single response and the nextToken field to return the next batch of results if the response does not return the full set of results. /// - /// - Parameter ListUtteranceAnalyticsDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUtteranceAnalyticsDataInput`) /// - /// - Returns: `ListUtteranceAnalyticsDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUtteranceAnalyticsDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6214,7 +6132,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUtteranceAnalyticsDataOutput.httpOutput(from:), ListUtteranceAnalyticsDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6260,9 +6177,9 @@ extension LexModelsV2Client { /// /// Note that an order field exists in both binBy and metrics. Currently, you can specify it in either field, but not in both. /// - /// - Parameter ListUtteranceMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUtteranceMetricsInput`) /// - /// - Returns: `ListUtteranceMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUtteranceMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6300,7 +6217,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUtteranceMetricsOutput.httpOutput(from:), ListUtteranceMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6332,9 +6248,9 @@ extension LexModelsV2Client { /// /// Search for associated transcripts that meet the specified criteria. /// - /// - Parameter SearchAssociatedTranscriptsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchAssociatedTranscriptsInput`) /// - /// - Returns: `SearchAssociatedTranscriptsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchAssociatedTranscriptsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6372,7 +6288,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchAssociatedTranscriptsOutput.httpOutput(from:), SearchAssociatedTranscriptsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6404,9 +6319,9 @@ extension LexModelsV2Client { /// /// Use this to provide your transcript data, and to start the bot recommendation process. /// - /// - Parameter StartBotRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBotRecommendationInput`) /// - /// - Returns: `StartBotRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBotRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6446,7 +6361,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBotRecommendationOutput.httpOutput(from:), StartBotRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6478,9 +6392,9 @@ extension LexModelsV2Client { /// /// Starts a request for the descriptive bot builder to generate a bot locale configuration based on the prompt you provide it. After you make this call, use the DescribeBotResourceGeneration operation to check on the status of the generation and for the generatedBotLocaleUrl when the generation is complete. Use that value to retrieve the Amazon S3 object containing the bot locale configuration. You can then modify and import this configuration. /// - /// - Parameter StartBotResourceGenerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBotResourceGenerationInput`) /// - /// - Returns: `StartBotResourceGenerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBotResourceGenerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6519,7 +6433,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBotResourceGenerationOutput.httpOutput(from:), StartBotResourceGenerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6551,9 +6464,9 @@ extension LexModelsV2Client { /// /// Starts importing a bot, bot locale, or custom vocabulary from a zip archive that you uploaded to an S3 bucket. /// - /// - Parameter StartImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImportInput`) /// - /// - Returns: `StartImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6592,7 +6505,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImportOutput.httpOutput(from:), StartImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6624,9 +6536,9 @@ extension LexModelsV2Client { /// /// The action to start test set execution. /// - /// - Parameter StartTestExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTestExecutionInput`) /// - /// - Returns: `StartTestExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTestExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6665,7 +6577,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTestExecutionOutput.httpOutput(from:), StartTestExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6697,9 +6608,9 @@ extension LexModelsV2Client { /// /// The action to start the generation of test set. /// - /// - Parameter StartTestSetGenerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTestSetGenerationInput`) /// - /// - Returns: `StartTestSetGenerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTestSetGenerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6738,7 +6649,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTestSetGenerationOutput.httpOutput(from:), StartTestSetGenerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6770,9 +6680,9 @@ extension LexModelsV2Client { /// /// Stop an already running Bot Recommendation request. /// - /// - Parameter StopBotRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopBotRecommendationInput`) /// - /// - Returns: `StopBotRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopBotRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6809,7 +6719,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopBotRecommendationOutput.httpOutput(from:), StopBotRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6841,9 +6750,9 @@ extension LexModelsV2Client { /// /// Adds the specified tags to the specified resource. If a tag key already exists, the existing value is replaced with the new value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6880,7 +6789,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6912,9 +6820,9 @@ extension LexModelsV2Client { /// /// Removes tags from a bot, bot alias, or bot channel. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6949,7 +6857,6 @@ extension LexModelsV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6981,9 +6888,9 @@ extension LexModelsV2Client { /// /// Updates the configuration of an existing bot. /// - /// - Parameter UpdateBotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBotInput`) /// - /// - Returns: `UpdateBotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7022,7 +6929,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBotOutput.httpOutput(from:), UpdateBotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7054,9 +6960,9 @@ extension LexModelsV2Client { /// /// Updates the configuration of an existing bot alias. /// - /// - Parameter UpdateBotAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBotAliasInput`) /// - /// - Returns: `UpdateBotAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBotAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7095,7 +7001,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBotAliasOutput.httpOutput(from:), UpdateBotAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7127,9 +7032,9 @@ extension LexModelsV2Client { /// /// Updates the settings that a bot has for a specific locale. /// - /// - Parameter UpdateBotLocaleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBotLocaleInput`) /// - /// - Returns: `UpdateBotLocaleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBotLocaleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7168,7 +7073,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBotLocaleOutput.httpOutput(from:), UpdateBotLocaleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7200,9 +7104,9 @@ extension LexModelsV2Client { /// /// Updates an existing bot recommendation request. /// - /// - Parameter UpdateBotRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBotRecommendationInput`) /// - /// - Returns: `UpdateBotRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBotRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7242,7 +7146,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBotRecommendationOutput.httpOutput(from:), UpdateBotRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7274,9 +7177,9 @@ extension LexModelsV2Client { /// /// Updates the password used to protect an export zip archive. The password is not required. If you don't supply a password, Amazon Lex generates a zip file that is not protected by a password. This is the archive that is available at the pre-signed S3 URL provided by the [DescribeExport](https://docs.aws.amazon.com/lexv2/latest/APIReference/API_DescribeExport.html) operation. /// - /// - Parameter UpdateExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateExportInput`) /// - /// - Returns: `UpdateExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7315,7 +7218,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateExportOutput.httpOutput(from:), UpdateExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7347,9 +7249,9 @@ extension LexModelsV2Client { /// /// Updates the settings for an intent. /// - /// - Parameter UpdateIntentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIntentInput`) /// - /// - Returns: `UpdateIntentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIntentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7388,7 +7290,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIntentOutput.httpOutput(from:), UpdateIntentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7420,9 +7321,9 @@ extension LexModelsV2Client { /// /// Replaces the existing resource policy for a bot or bot alias with a new one. If the policy doesn't exist, Amazon Lex returns an exception. /// - /// - Parameter UpdateResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourcePolicyInput`) /// - /// - Returns: `UpdateResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7462,7 +7363,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourcePolicyOutput.httpOutput(from:), UpdateResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7494,9 +7394,9 @@ extension LexModelsV2Client { /// /// Updates the settings for a slot. /// - /// - Parameter UpdateSlotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSlotInput`) /// - /// - Returns: `UpdateSlotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSlotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7535,7 +7435,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSlotOutput.httpOutput(from:), UpdateSlotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7567,9 +7466,9 @@ extension LexModelsV2Client { /// /// Updates the configuration of an existing slot type. /// - /// - Parameter UpdateSlotTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSlotTypeInput`) /// - /// - Returns: `UpdateSlotTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSlotTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7608,7 +7507,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSlotTypeOutput.httpOutput(from:), UpdateSlotTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7640,9 +7538,9 @@ extension LexModelsV2Client { /// /// The action to update the test set. /// - /// - Parameter UpdateTestSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTestSetInput`) /// - /// - Returns: `UpdateTestSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTestSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7681,7 +7579,6 @@ extension LexModelsV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTestSetOutput.httpOutput(from:), UpdateTestSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLexRuntimeService/Sources/AWSLexRuntimeService/LexRuntimeClient.swift b/Sources/Services/AWSLexRuntimeService/Sources/AWSLexRuntimeService/LexRuntimeClient.swift index ebbe329f5b7..8e68b0304c7 100644 --- a/Sources/Services/AWSLexRuntimeService/Sources/AWSLexRuntimeService/LexRuntimeClient.swift +++ b/Sources/Services/AWSLexRuntimeService/Sources/AWSLexRuntimeService/LexRuntimeClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -71,7 +70,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LexRuntimeClient: ClientRuntime.Client { public static let clientName = "LexRuntimeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LexRuntimeClient.LexRuntimeClientConfiguration let serviceName = "Lex Runtime" @@ -377,9 +376,9 @@ extension LexRuntimeClient { /// /// Removes session information for a specified bot, alias, and user ID. /// - /// - Parameter DeleteSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSessionInput`) /// - /// - Returns: `DeleteSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension LexRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSessionOutput.httpOutput(from:), DeleteSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension LexRuntimeClient { /// /// Returns session information for a specified bot, alias, and user ID. /// - /// - Parameter GetSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionInput`) /// - /// - Returns: `GetSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension LexRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSessionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionOutput.httpOutput(from:), GetSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -544,9 +541,9 @@ extension LexRuntimeClient { /// /// In addition, Amazon Lex also returns your application-specific sessionAttributes. For more information, see [Managing Conversation Context](https://docs.aws.amazon.com/lex/latest/dg/context-mgmt.html). /// - /// - Parameter PostContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PostContentInput`) /// - /// - Returns: `PostContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PostContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -597,7 +594,6 @@ extension LexRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware(requiresLength: false, unsignedPayload: true)) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostContentOutput.httpOutput(from:), PostContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +654,9 @@ extension LexRuntimeClient { /// /// In addition, Amazon Lex also returns your application-specific sessionAttributes. For more information, see [Managing Conversation Context](https://docs.aws.amazon.com/lex/latest/dg/context-mgmt.html). /// - /// - Parameter PostTextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PostTextInput`) /// - /// - Returns: `PostTextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PostTextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -707,7 +703,6 @@ extension LexRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostTextOutput.httpOutput(from:), PostTextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,9 +734,9 @@ extension LexRuntimeClient { /// /// Creates a new session or modifies an existing session with an Amazon Lex bot. Use this operation to enable your application to set the state of the bot. For more information, see [Managing Sessions](https://docs.aws.amazon.com/lex/latest/dg/how-session-api.html). /// - /// - Parameter PutSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSessionInput`) /// - /// - Returns: `PutSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -789,7 +784,6 @@ extension LexRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSessionOutput.httpOutput(from:), PutSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLexRuntimeV2/Sources/AWSLexRuntimeV2/LexRuntimeV2Client.swift b/Sources/Services/AWSLexRuntimeV2/Sources/AWSLexRuntimeV2/LexRuntimeV2Client.swift index 94bc6573b32..127451f3b03 100644 --- a/Sources/Services/AWSLexRuntimeV2/Sources/AWSLexRuntimeV2/LexRuntimeV2Client.swift +++ b/Sources/Services/AWSLexRuntimeV2/Sources/AWSLexRuntimeV2/LexRuntimeV2Client.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -72,7 +71,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LexRuntimeV2Client: ClientRuntime.Client { public static let clientName = "LexRuntimeV2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LexRuntimeV2Client.LexRuntimeV2ClientConfiguration let serviceName = "Lex Runtime V2" @@ -378,9 +377,9 @@ extension LexRuntimeV2Client { /// /// Removes session information for a specified bot, alias, and user ID. You can use this operation to restart a conversation with a bot. When you remove a session, the entire history of the session is removed so that you can start again. You don't need to delete a session. Sessions have a time limit and will expire. Set the session time limit when you create the bot. The default is 5 minutes, but you can specify anything between 1 minute and 24 hours. If you specify a bot or alias ID that doesn't exist, you receive a BadRequestException. If the locale doesn't exist in the bot, or if the locale hasn't been enables for the alias, you receive a BadRequestException. /// - /// - Parameter DeleteSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSessionInput`) /// - /// - Returns: `DeleteSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension LexRuntimeV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSessionOutput.httpOutput(from:), DeleteSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension LexRuntimeV2Client { /// /// Returns session information for a specified bot, alias, and user. For example, you can use this operation to retrieve session information for a user that has left a long-running session in use. If the bot, alias, or session identifier doesn't exist, Amazon Lex V2 returns a BadRequestException. If the locale doesn't exist or is not enabled for the alias, you receive a BadRequestException. /// - /// - Parameter GetSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionInput`) /// - /// - Returns: `GetSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension LexRuntimeV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionOutput.httpOutput(from:), GetSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension LexRuntimeV2Client { /// /// Creates a new session or modifies an existing session with an Amazon Lex V2 bot. Use this operation to enable your application to set the state of the bot. /// - /// - Parameter PutSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSessionInput`) /// - /// - Returns: `PutSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension LexRuntimeV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSessionOutput.httpOutput(from:), PutSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -602,9 +598,9 @@ extension LexRuntimeV2Client { /// /// For more information, see [Completion message](https://docs.aws.amazon.com/lexv2/latest/dg/streaming-progress.html#progress-complete.html). /// - /// - Parameter RecognizeTextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RecognizeTextInput`) /// - /// - Returns: `RecognizeTextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RecognizeTextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -645,7 +641,6 @@ extension LexRuntimeV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RecognizeTextOutput.httpOutput(from:), RecognizeTextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -706,9 +701,9 @@ extension LexRuntimeV2Client { /// /// For more information, see [Completion message](https://docs.aws.amazon.com/lexv2/latest/dg/streaming-progress.html#progress-complete.html). /// - /// - Parameter RecognizeUtteranceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RecognizeUtteranceInput`) /// - /// - Returns: `RecognizeUtteranceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RecognizeUtteranceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -750,7 +745,6 @@ extension LexRuntimeV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware(requiresLength: false, unsignedPayload: true)) builder.deserialize(ClientRuntime.DeserializeMiddleware(RecognizeUtteranceOutput.httpOutput(from:), RecognizeUtteranceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -797,9 +791,9 @@ extension LexRuntimeV2Client { /// /// * [AWS SDK for Ruby V3](https://docs.aws.amazon.com/goto/SdkForRubyV3/runtime.lex.v2-2020-08-07/StartConversation) /// - /// - Parameter StartConversationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartConversationInput`) /// - /// - Returns: `StartConversationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartConversationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -838,7 +832,6 @@ extension LexRuntimeV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartConversationOutput.httpOutput(from:), StartConversationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLicenseManager/Sources/AWSLicenseManager/LicenseManagerClient.swift b/Sources/Services/AWSLicenseManager/Sources/AWSLicenseManager/LicenseManagerClient.swift index 3bc558d24ef..67924360402 100644 --- a/Sources/Services/AWSLicenseManager/Sources/AWSLicenseManager/LicenseManagerClient.swift +++ b/Sources/Services/AWSLicenseManager/Sources/AWSLicenseManager/LicenseManagerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LicenseManagerClient: ClientRuntime.Client { public static let clientName = "LicenseManagerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LicenseManagerClient.LicenseManagerClientConfiguration let serviceName = "License Manager" @@ -374,9 +373,9 @@ extension LicenseManagerClient { /// /// Accepts the specified grant. /// - /// - Parameter AcceptGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptGrantInput`) /// - /// - Returns: `AcceptGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptGrantOutput.httpOutput(from:), AcceptGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension LicenseManagerClient { /// /// Checks in the specified license. Check in a license when it is no longer in use. /// - /// - Parameter CheckInLicenseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CheckInLicenseInput`) /// - /// - Returns: `CheckInLicenseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CheckInLicenseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckInLicenseOutput.httpOutput(from:), CheckInLicenseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension LicenseManagerClient { /// /// Checks out the specified license for offline use. /// - /// - Parameter CheckoutBorrowLicenseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CheckoutBorrowLicenseInput`) /// - /// - Returns: `CheckoutBorrowLicenseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CheckoutBorrowLicenseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -569,7 +566,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckoutBorrowLicenseOutput.httpOutput(from:), CheckoutBorrowLicenseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -604,9 +600,9 @@ extension LicenseManagerClient { /// /// Checks out the specified license. If the account that created the license is the same that is performing the check out, you must specify the account as the beneficiary. /// - /// - Parameter CheckoutLicenseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CheckoutLicenseInput`) /// - /// - Returns: `CheckoutLicenseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CheckoutLicenseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -647,7 +643,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckoutLicenseOutput.httpOutput(from:), CheckoutLicenseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -682,9 +677,9 @@ extension LicenseManagerClient { /// /// Creates a grant for the specified license. A grant shares the use of license entitlements with a specific Amazon Web Services account, an organization, or an organizational unit (OU). For more information, see [Granted licenses in License Manager](https://docs.aws.amazon.com/license-manager/latest/userguide/granted-licenses.html) in the License Manager User Guide. /// - /// - Parameter CreateGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGrantInput`) /// - /// - Returns: `CreateGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -722,7 +717,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGrantOutput.httpOutput(from:), CreateGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -757,9 +751,9 @@ extension LicenseManagerClient { /// /// Creates a new version of the specified grant. For more information, see [Granted licenses in License Manager](https://docs.aws.amazon.com/license-manager/latest/userguide/granted-licenses.html) in the License Manager User Guide. /// - /// - Parameter CreateGrantVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGrantVersionInput`) /// - /// - Returns: `CreateGrantVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGrantVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -797,7 +791,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGrantVersionOutput.httpOutput(from:), CreateGrantVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -832,9 +825,9 @@ extension LicenseManagerClient { /// /// Creates a license. /// - /// - Parameter CreateLicenseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLicenseInput`) /// - /// - Returns: `CreateLicenseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLicenseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -872,7 +865,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLicenseOutput.httpOutput(from:), CreateLicenseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -907,9 +899,9 @@ extension LicenseManagerClient { /// /// Creates a license configuration. A license configuration is an abstraction of a customer license agreement that can be consumed and enforced by License Manager. Components include specifications for the license type (licensing by instance, socket, CPU, or vCPU), allowed tenancy (shared tenancy, Dedicated Instance, Dedicated Host, or all of these), license affinity to host (how long a license must be associated with a host), and the number of licenses purchased and used. /// - /// - Parameter CreateLicenseConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLicenseConfigurationInput`) /// - /// - Returns: `CreateLicenseConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLicenseConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -946,7 +938,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLicenseConfigurationOutput.httpOutput(from:), CreateLicenseConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -981,9 +972,9 @@ extension LicenseManagerClient { /// /// Creates a new license conversion task. /// - /// - Parameter CreateLicenseConversionTaskForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLicenseConversionTaskForResourceInput`) /// - /// - Returns: `CreateLicenseConversionTaskForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLicenseConversionTaskForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1020,7 +1011,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLicenseConversionTaskForResourceOutput.httpOutput(from:), CreateLicenseConversionTaskForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1055,9 +1045,9 @@ extension LicenseManagerClient { /// /// Creates a report generator. /// - /// - Parameter CreateLicenseManagerReportGeneratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLicenseManagerReportGeneratorInput`) /// - /// - Returns: `CreateLicenseManagerReportGeneratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLicenseManagerReportGeneratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1096,7 +1086,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLicenseManagerReportGeneratorOutput.httpOutput(from:), CreateLicenseManagerReportGeneratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1131,9 +1120,9 @@ extension LicenseManagerClient { /// /// Creates a new version of the specified license. /// - /// - Parameter CreateLicenseVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLicenseVersionInput`) /// - /// - Returns: `CreateLicenseVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLicenseVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1172,7 +1161,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLicenseVersionOutput.httpOutput(from:), CreateLicenseVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1207,9 +1195,9 @@ extension LicenseManagerClient { /// /// Creates a long-lived token. A refresh token is a JWT token used to get an access token. With an access token, you can call AssumeRoleWithWebIdentity to get role credentials that you can use to call License Manager to manage the specified license. /// - /// - Parameter CreateTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTokenInput`) /// - /// - Returns: `CreateTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1248,7 +1236,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTokenOutput.httpOutput(from:), CreateTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1283,9 +1270,9 @@ extension LicenseManagerClient { /// /// Deletes the specified grant. /// - /// - Parameter DeleteGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGrantInput`) /// - /// - Returns: `DeleteGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1323,7 +1310,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGrantOutput.httpOutput(from:), DeleteGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1358,9 +1344,9 @@ extension LicenseManagerClient { /// /// Deletes the specified license. /// - /// - Parameter DeleteLicenseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLicenseInput`) /// - /// - Returns: `DeleteLicenseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLicenseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1399,7 +1385,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLicenseOutput.httpOutput(from:), DeleteLicenseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1434,9 +1419,9 @@ extension LicenseManagerClient { /// /// Deletes the specified license configuration. You cannot delete a license configuration that is in use. /// - /// - Parameter DeleteLicenseConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLicenseConfigurationInput`) /// - /// - Returns: `DeleteLicenseConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLicenseConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1472,7 +1457,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLicenseConfigurationOutput.httpOutput(from:), DeleteLicenseConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1507,9 +1491,9 @@ extension LicenseManagerClient { /// /// Deletes the specified report generator. This action deletes the report generator, which stops it from generating future reports. The action cannot be reversed. It has no effect on the previous reports from this generator. /// - /// - Parameter DeleteLicenseManagerReportGeneratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLicenseManagerReportGeneratorInput`) /// - /// - Returns: `DeleteLicenseManagerReportGeneratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLicenseManagerReportGeneratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1548,7 +1532,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLicenseManagerReportGeneratorOutput.httpOutput(from:), DeleteLicenseManagerReportGeneratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1583,9 +1566,9 @@ extension LicenseManagerClient { /// /// Deletes the specified token. Must be called in the license home Region. /// - /// - Parameter DeleteTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTokenInput`) /// - /// - Returns: `DeleteTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1623,7 +1606,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTokenOutput.httpOutput(from:), DeleteTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1658,9 +1640,9 @@ extension LicenseManagerClient { /// /// Extends the expiration date for license consumption. /// - /// - Parameter ExtendLicenseConsumptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExtendLicenseConsumptionInput`) /// - /// - Returns: `ExtendLicenseConsumptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExtendLicenseConsumptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1698,7 +1680,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExtendLicenseConsumptionOutput.httpOutput(from:), ExtendLicenseConsumptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1733,9 +1714,9 @@ extension LicenseManagerClient { /// /// Gets a temporary access token to use with AssumeRoleWithWebIdentity. Access tokens are valid for one hour. /// - /// - Parameter GetAccessTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessTokenInput`) /// - /// - Returns: `GetAccessTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1771,7 +1752,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessTokenOutput.httpOutput(from:), GetAccessTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1806,9 +1786,9 @@ extension LicenseManagerClient { /// /// Gets detailed information about the specified grant. /// - /// - Parameter GetGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGrantInput`) /// - /// - Returns: `GetGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1846,7 +1826,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGrantOutput.httpOutput(from:), GetGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1881,9 +1860,9 @@ extension LicenseManagerClient { /// /// Gets detailed information about the specified license. /// - /// - Parameter GetLicenseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLicenseInput`) /// - /// - Returns: `GetLicenseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLicenseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1920,7 +1899,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLicenseOutput.httpOutput(from:), GetLicenseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1955,9 +1933,9 @@ extension LicenseManagerClient { /// /// Gets detailed information about the specified license configuration. /// - /// - Parameter GetLicenseConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLicenseConfigurationInput`) /// - /// - Returns: `GetLicenseConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLicenseConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1993,7 +1971,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLicenseConfigurationOutput.httpOutput(from:), GetLicenseConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2028,9 +2005,9 @@ extension LicenseManagerClient { /// /// Gets information about the specified license type conversion task. /// - /// - Parameter GetLicenseConversionTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLicenseConversionTaskInput`) /// - /// - Returns: `GetLicenseConversionTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLicenseConversionTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2066,7 +2043,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLicenseConversionTaskOutput.httpOutput(from:), GetLicenseConversionTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2101,9 +2077,9 @@ extension LicenseManagerClient { /// /// Gets information about the specified report generator. /// - /// - Parameter GetLicenseManagerReportGeneratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLicenseManagerReportGeneratorInput`) /// - /// - Returns: `GetLicenseManagerReportGeneratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLicenseManagerReportGeneratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2142,7 +2118,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLicenseManagerReportGeneratorOutput.httpOutput(from:), GetLicenseManagerReportGeneratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2177,9 +2152,9 @@ extension LicenseManagerClient { /// /// Gets detailed information about the usage of the specified license. /// - /// - Parameter GetLicenseUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLicenseUsageInput`) /// - /// - Returns: `GetLicenseUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLicenseUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2216,7 +2191,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLicenseUsageOutput.httpOutput(from:), GetLicenseUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2251,9 +2225,9 @@ extension LicenseManagerClient { /// /// Gets the License Manager settings for the current Region. /// - /// - Parameter GetServiceSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceSettingsInput`) /// - /// - Returns: `GetServiceSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2288,7 +2262,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceSettingsOutput.httpOutput(from:), GetServiceSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2323,9 +2296,9 @@ extension LicenseManagerClient { /// /// Lists the resource associations for the specified license configuration. Resource associations need not consume licenses from a license configuration. For example, an AMI or a stopped instance might not consume a license (depending on the license rules). /// - /// - Parameter ListAssociationsForLicenseConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociationsForLicenseConfigurationInput`) /// - /// - Returns: `ListAssociationsForLicenseConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociationsForLicenseConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2362,7 +2335,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociationsForLicenseConfigurationOutput.httpOutput(from:), ListAssociationsForLicenseConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2397,9 +2369,9 @@ extension LicenseManagerClient { /// /// Lists the grants distributed for the specified license. /// - /// - Parameter ListDistributedGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDistributedGrantsInput`) /// - /// - Returns: `ListDistributedGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDistributedGrantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2437,7 +2409,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDistributedGrantsOutput.httpOutput(from:), ListDistributedGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2472,9 +2443,9 @@ extension LicenseManagerClient { /// /// Lists the license configuration operations that failed. /// - /// - Parameter ListFailuresForLicenseConfigurationOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFailuresForLicenseConfigurationOperationsInput`) /// - /// - Returns: `ListFailuresForLicenseConfigurationOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFailuresForLicenseConfigurationOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2510,7 +2481,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFailuresForLicenseConfigurationOperationsOutput.httpOutput(from:), ListFailuresForLicenseConfigurationOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2545,9 +2515,9 @@ extension LicenseManagerClient { /// /// Lists the license configurations for your account. /// - /// - Parameter ListLicenseConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLicenseConfigurationsInput`) /// - /// - Returns: `ListLicenseConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLicenseConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2584,7 +2554,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLicenseConfigurationsOutput.httpOutput(from:), ListLicenseConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2619,9 +2588,9 @@ extension LicenseManagerClient { /// /// Lists the license type conversion tasks for your account. /// - /// - Parameter ListLicenseConversionTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLicenseConversionTasksInput`) /// - /// - Returns: `ListLicenseConversionTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLicenseConversionTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2657,7 +2626,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLicenseConversionTasksOutput.httpOutput(from:), ListLicenseConversionTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2692,9 +2660,9 @@ extension LicenseManagerClient { /// /// Lists the report generators for your account. /// - /// - Parameter ListLicenseManagerReportGeneratorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLicenseManagerReportGeneratorsInput`) /// - /// - Returns: `ListLicenseManagerReportGeneratorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLicenseManagerReportGeneratorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2733,7 +2701,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLicenseManagerReportGeneratorsOutput.httpOutput(from:), ListLicenseManagerReportGeneratorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2768,9 +2735,9 @@ extension LicenseManagerClient { /// /// Describes the license configurations for the specified resource. /// - /// - Parameter ListLicenseSpecificationsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLicenseSpecificationsForResourceInput`) /// - /// - Returns: `ListLicenseSpecificationsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLicenseSpecificationsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2806,7 +2773,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLicenseSpecificationsForResourceOutput.httpOutput(from:), ListLicenseSpecificationsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2841,9 +2807,9 @@ extension LicenseManagerClient { /// /// Lists all versions of the specified license. /// - /// - Parameter ListLicenseVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLicenseVersionsInput`) /// - /// - Returns: `ListLicenseVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLicenseVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2879,7 +2845,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLicenseVersionsOutput.httpOutput(from:), ListLicenseVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2914,9 +2879,9 @@ extension LicenseManagerClient { /// /// Lists the licenses for your account. /// - /// - Parameter ListLicensesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLicensesInput`) /// - /// - Returns: `ListLicensesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLicensesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2953,7 +2918,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLicensesOutput.httpOutput(from:), ListLicensesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2988,9 +2952,9 @@ extension LicenseManagerClient { /// /// Lists grants that are received. Received grants are grants created while specifying the recipient as this Amazon Web Services account, your organization, or an organizational unit (OU) to which this member account belongs. /// - /// - Parameter ListReceivedGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReceivedGrantsInput`) /// - /// - Returns: `ListReceivedGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReceivedGrantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3028,7 +2992,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReceivedGrantsOutput.httpOutput(from:), ListReceivedGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3063,9 +3026,9 @@ extension LicenseManagerClient { /// /// Lists the grants received for all accounts in the organization. /// - /// - Parameter ListReceivedGrantsForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReceivedGrantsForOrganizationInput`) /// - /// - Returns: `ListReceivedGrantsForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReceivedGrantsForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3103,7 +3066,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReceivedGrantsForOrganizationOutput.httpOutput(from:), ListReceivedGrantsForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3138,9 +3100,9 @@ extension LicenseManagerClient { /// /// Lists received licenses. /// - /// - Parameter ListReceivedLicensesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReceivedLicensesInput`) /// - /// - Returns: `ListReceivedLicensesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReceivedLicensesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3178,7 +3140,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReceivedLicensesOutput.httpOutput(from:), ListReceivedLicensesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3213,9 +3174,9 @@ extension LicenseManagerClient { /// /// Lists the licenses received for all accounts in the organization. /// - /// - Parameter ListReceivedLicensesForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReceivedLicensesForOrganizationInput`) /// - /// - Returns: `ListReceivedLicensesForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReceivedLicensesForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3253,7 +3214,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReceivedLicensesForOrganizationOutput.httpOutput(from:), ListReceivedLicensesForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3288,9 +3248,9 @@ extension LicenseManagerClient { /// /// Lists resources managed using Systems Manager inventory. /// - /// - Parameter ListResourceInventoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceInventoryInput`) /// - /// - Returns: `ListResourceInventoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceInventoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3328,7 +3288,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceInventoryOutput.httpOutput(from:), ListResourceInventoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3363,9 +3322,9 @@ extension LicenseManagerClient { /// /// Lists the tags for the specified resource. For more information about tagging support in License Manager, see the [TagResource](https://docs.aws.amazon.com/license-manager/latest/APIReference/API_TagResource.html) operation. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3401,7 +3360,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3436,9 +3394,9 @@ extension LicenseManagerClient { /// /// Lists your tokens. /// - /// - Parameter ListTokensInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTokensInput`) /// - /// - Returns: `ListTokensOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTokensOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3474,7 +3432,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTokensOutput.httpOutput(from:), ListTokensOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3509,9 +3466,9 @@ extension LicenseManagerClient { /// /// Lists all license usage records for a license configuration, displaying license consumption details by resource at a selected point in time. Use this action to audit the current license consumption for any license inventory and configuration. /// - /// - Parameter ListUsageForLicenseConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsageForLicenseConfigurationInput`) /// - /// - Returns: `ListUsageForLicenseConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsageForLicenseConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3548,7 +3505,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsageForLicenseConfigurationOutput.httpOutput(from:), ListUsageForLicenseConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3583,9 +3539,9 @@ extension LicenseManagerClient { /// /// Rejects the specified grant. /// - /// - Parameter RejectGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectGrantInput`) /// - /// - Returns: `RejectGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3623,7 +3579,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectGrantOutput.httpOutput(from:), RejectGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3666,9 +3621,9 @@ extension LicenseManagerClient { /// /// * Report generators /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3704,7 +3659,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3739,9 +3693,9 @@ extension LicenseManagerClient { /// /// Removes the specified tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3777,7 +3731,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3812,9 +3765,9 @@ extension LicenseManagerClient { /// /// Modifies the attributes of an existing license configuration. /// - /// - Parameter UpdateLicenseConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLicenseConfigurationInput`) /// - /// - Returns: `UpdateLicenseConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLicenseConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3852,7 +3805,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLicenseConfigurationOutput.httpOutput(from:), UpdateLicenseConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3887,9 +3839,9 @@ extension LicenseManagerClient { /// /// Updates a report generator. After you make changes to a report generator, it starts generating new reports within 60 minutes of being updated. /// - /// - Parameter UpdateLicenseManagerReportGeneratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLicenseManagerReportGeneratorInput`) /// - /// - Returns: `UpdateLicenseManagerReportGeneratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLicenseManagerReportGeneratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3928,7 +3880,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLicenseManagerReportGeneratorOutput.httpOutput(from:), UpdateLicenseManagerReportGeneratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3963,9 +3914,9 @@ extension LicenseManagerClient { /// /// Adds or removes the specified license configurations for the specified Amazon Web Services resource. You can update the license specifications of AMIs, instances, and hosts. You cannot update the license specifications for launch templates and CloudFormation templates, as they send license configurations to the operation that creates the resource. /// - /// - Parameter UpdateLicenseSpecificationsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLicenseSpecificationsForResourceInput`) /// - /// - Returns: `UpdateLicenseSpecificationsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLicenseSpecificationsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4004,7 +3955,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLicenseSpecificationsForResourceOutput.httpOutput(from:), UpdateLicenseSpecificationsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4039,9 +3989,9 @@ extension LicenseManagerClient { /// /// Updates License Manager settings for the current Region. /// - /// - Parameter UpdateServiceSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceSettingsInput`) /// - /// - Returns: `UpdateServiceSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4077,7 +4027,6 @@ extension LicenseManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceSettingsOutput.httpOutput(from:), UpdateServiceSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLicenseManagerLinuxSubscriptions/Sources/AWSLicenseManagerLinuxSubscriptions/LicenseManagerLinuxSubscriptionsClient.swift b/Sources/Services/AWSLicenseManagerLinuxSubscriptions/Sources/AWSLicenseManagerLinuxSubscriptions/LicenseManagerLinuxSubscriptionsClient.swift index 5d07166d85e..98b4cd95a9e 100644 --- a/Sources/Services/AWSLicenseManagerLinuxSubscriptions/Sources/AWSLicenseManagerLinuxSubscriptions/LicenseManagerLinuxSubscriptionsClient.swift +++ b/Sources/Services/AWSLicenseManagerLinuxSubscriptions/Sources/AWSLicenseManagerLinuxSubscriptions/LicenseManagerLinuxSubscriptionsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LicenseManagerLinuxSubscriptionsClient: ClientRuntime.Client { public static let clientName = "LicenseManagerLinuxSubscriptionsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LicenseManagerLinuxSubscriptionsClient.LicenseManagerLinuxSubscriptionsClientConfiguration let serviceName = "License Manager Linux Subscriptions" @@ -373,9 +372,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// Remove a third-party subscription provider from the Bring Your Own License (BYOL) subscriptions registered to your account. /// - /// - Parameter DeregisterSubscriptionProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterSubscriptionProviderInput`) /// - /// - Returns: `DeregisterSubscriptionProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterSubscriptionProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterSubscriptionProviderOutput.httpOutput(from:), DeregisterSubscriptionProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// Get details for a Bring Your Own License (BYOL) subscription that's registered to your account. /// - /// - Parameter GetRegisteredSubscriptionProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegisteredSubscriptionProviderInput`) /// - /// - Returns: `GetRegisteredSubscriptionProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegisteredSubscriptionProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegisteredSubscriptionProviderOutput.httpOutput(from:), GetRegisteredSubscriptionProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// Lists the Linux subscriptions service settings for your account. /// - /// - Parameter GetServiceSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceSettingsInput`) /// - /// - Returns: `GetServiceSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -550,7 +547,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceSettingsOutput.httpOutput(from:), GetServiceSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -582,9 +578,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// Lists the running Amazon EC2 instances that were discovered with commercial Linux subscriptions. /// - /// - Parameter ListLinuxSubscriptionInstancesInput : NextToken length limit is half of ddb accepted limit. Increase this limit if parameters in request increases. + /// - Parameter input: NextToken length limit is half of ddb accepted limit. Increase this limit if parameters in request increases. (Type: `ListLinuxSubscriptionInstancesInput`) /// - /// - Returns: `ListLinuxSubscriptionInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLinuxSubscriptionInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -620,7 +616,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLinuxSubscriptionInstancesOutput.httpOutput(from:), ListLinuxSubscriptionInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -652,9 +647,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// Lists the Linux subscriptions that have been discovered. If you have linked your organization, the returned results will include data aggregated across your accounts in Organizations. /// - /// - Parameter ListLinuxSubscriptionsInput : NextToken length limit is half of ddb accepted limit. Increase this limit if parameters in request increases. + /// - Parameter input: NextToken length limit is half of ddb accepted limit. Increase this limit if parameters in request increases. (Type: `ListLinuxSubscriptionsInput`) /// - /// - Returns: `ListLinuxSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLinuxSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -690,7 +685,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLinuxSubscriptionsOutput.httpOutput(from:), ListLinuxSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// List Bring Your Own License (BYOL) subscription registration resources for your account. /// - /// - Parameter ListRegisteredSubscriptionProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegisteredSubscriptionProvidersInput`) /// - /// - Returns: `ListRegisteredSubscriptionProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegisteredSubscriptionProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -760,7 +754,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegisteredSubscriptionProvidersOutput.httpOutput(from:), ListRegisteredSubscriptionProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -792,9 +785,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// List the metadata tags that are assigned to the specified Amazon Web Services resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -827,7 +820,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -859,9 +851,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// Register the supported third-party subscription provider for your Bring Your Own License (BYOL) subscription. /// - /// - Parameter RegisterSubscriptionProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterSubscriptionProviderInput`) /// - /// - Returns: `RegisterSubscriptionProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterSubscriptionProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -897,7 +889,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterSubscriptionProviderOutput.httpOutput(from:), RegisterSubscriptionProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -929,9 +920,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// Add metadata tags to the specified Amazon Web Services resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -967,7 +958,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -999,9 +989,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// Remove one or more metadata tag from the specified Amazon Web Services resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1034,7 +1024,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1066,9 +1055,9 @@ extension LicenseManagerLinuxSubscriptionsClient { /// /// Updates the service settings for Linux subscriptions. /// - /// - Parameter UpdateServiceSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceSettingsInput`) /// - /// - Returns: `UpdateServiceSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1104,7 +1093,6 @@ extension LicenseManagerLinuxSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceSettingsOutput.httpOutput(from:), UpdateServiceSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLicenseManagerUserSubscriptions/Sources/AWSLicenseManagerUserSubscriptions/LicenseManagerUserSubscriptionsClient.swift b/Sources/Services/AWSLicenseManagerUserSubscriptions/Sources/AWSLicenseManagerUserSubscriptions/LicenseManagerUserSubscriptionsClient.swift index 2443fee5e7a..284d02d6475 100644 --- a/Sources/Services/AWSLicenseManagerUserSubscriptions/Sources/AWSLicenseManagerUserSubscriptions/LicenseManagerUserSubscriptionsClient.swift +++ b/Sources/Services/AWSLicenseManagerUserSubscriptions/Sources/AWSLicenseManagerUserSubscriptions/LicenseManagerUserSubscriptionsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LicenseManagerUserSubscriptionsClient: ClientRuntime.Client { public static let clientName = "LicenseManagerUserSubscriptionsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LicenseManagerUserSubscriptionsClient.LicenseManagerUserSubscriptionsClientConfiguration let serviceName = "License Manager User Subscriptions" @@ -373,9 +372,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Associates the user to an EC2 instance to utilize user-based subscriptions. Your estimated bill for charges on the number of users and related costs will take 48 hours to appear for billing periods that haven't closed (marked as Pending billing status) in Amazon Web Services Billing. For more information, see [Viewing your monthly charges](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/invoice.html) in the Amazon Web Services Billing User Guide. /// - /// - Parameter AssociateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateUserInput`) /// - /// - Returns: `AssociateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateUserOutput.httpOutput(from:), AssociateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Creates a network endpoint for the Remote Desktop Services (RDS) license server. /// - /// - Parameter CreateLicenseServerEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLicenseServerEndpointInput`) /// - /// - Returns: `CreateLicenseServerEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLicenseServerEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLicenseServerEndpointOutput.httpOutput(from:), CreateLicenseServerEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Deletes a LicenseServerEndpoint resource. /// - /// - Parameter DeleteLicenseServerEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLicenseServerEndpointInput`) /// - /// - Returns: `DeleteLicenseServerEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLicenseServerEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLicenseServerEndpointOutput.httpOutput(from:), DeleteLicenseServerEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Deregisters the Active Directory identity provider from License Manager user-based subscriptions. /// - /// - Parameter DeregisterIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterIdentityProviderInput`) /// - /// - Returns: `DeregisterIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterIdentityProviderOutput.httpOutput(from:), DeregisterIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Disassociates the user from an EC2 instance providing user-based subscriptions. /// - /// - Parameter DisassociateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateUserInput`) /// - /// - Returns: `DisassociateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateUserOutput.httpOutput(from:), DisassociateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Lists the Active Directory identity providers for user-based subscriptions. /// - /// - Parameter ListIdentityProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdentityProvidersInput`) /// - /// - Returns: `ListIdentityProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdentityProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -785,7 +779,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentityProvidersOutput.httpOutput(from:), ListIdentityProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -817,9 +810,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Lists the EC2 instances providing user-based subscriptions. /// - /// - Parameter ListInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstancesInput`) /// - /// - Returns: `ListInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -859,7 +852,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstancesOutput.httpOutput(from:), ListInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -891,9 +883,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// List the Remote Desktop Services (RDS) License Server endpoints /// - /// - Parameter ListLicenseServerEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLicenseServerEndpointsInput`) /// - /// - Returns: `ListLicenseServerEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLicenseServerEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -932,7 +924,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLicenseServerEndpointsOutput.httpOutput(from:), ListLicenseServerEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -964,9 +955,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Lists the user-based subscription products available from an identity provider. /// - /// - Parameter ListProductSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProductSubscriptionsInput`) /// - /// - Returns: `ListProductSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProductSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1006,7 +997,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProductSubscriptionsOutput.httpOutput(from:), ListProductSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1038,9 +1028,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Returns the list of tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1073,7 +1063,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1105,9 +1094,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Lists user associations for an identity provider. /// - /// - Parameter ListUserAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUserAssociationsInput`) /// - /// - Returns: `ListUserAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUserAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1147,7 +1136,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserAssociationsOutput.httpOutput(from:), ListUserAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1179,9 +1167,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Registers an identity provider for user-based subscriptions. /// - /// - Parameter RegisterIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterIdentityProviderInput`) /// - /// - Returns: `RegisterIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1221,7 +1209,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterIdentityProviderOutput.httpOutput(from:), RegisterIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1253,9 +1240,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Starts a product subscription for a user with the specified identity provider. Your estimated bill for charges on the number of users and related costs will take 48 hours to appear for billing periods that haven't closed (marked as Pending billing status) in Amazon Web Services Billing. For more information, see [Viewing your monthly charges](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/invoice.html) in the Amazon Web Services Billing User Guide. /// - /// - Parameter StartProductSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartProductSubscriptionInput`) /// - /// - Returns: `StartProductSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartProductSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1295,7 +1282,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartProductSubscriptionOutput.httpOutput(from:), StartProductSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1327,9 +1313,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Stops a product subscription for a user with the specified identity provider. /// - /// - Parameter StopProductSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopProductSubscriptionInput`) /// - /// - Returns: `StopProductSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopProductSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1369,7 +1355,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopProductSubscriptionOutput.httpOutput(from:), StopProductSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1401,9 +1386,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Adds tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1439,7 +1424,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1471,9 +1455,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Removes tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1506,7 +1490,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1538,9 +1521,9 @@ extension LicenseManagerUserSubscriptionsClient { /// /// Updates additional product configuration settings for the registered identity provider. /// - /// - Parameter UpdateIdentityProviderSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIdentityProviderSettingsInput`) /// - /// - Returns: `UpdateIdentityProviderSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIdentityProviderSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1577,7 +1560,6 @@ extension LicenseManagerUserSubscriptionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIdentityProviderSettingsOutput.httpOutput(from:), UpdateIdentityProviderSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLightsail/Sources/AWSLightsail/LightsailClient.swift b/Sources/Services/AWSLightsail/Sources/AWSLightsail/LightsailClient.swift index 7248b2ac71c..d29f8d26cb0 100644 --- a/Sources/Services/AWSLightsail/Sources/AWSLightsail/LightsailClient.swift +++ b/Sources/Services/AWSLightsail/Sources/AWSLightsail/LightsailClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LightsailClient: ClientRuntime.Client { public static let clientName = "LightsailClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LightsailClient.LightsailClientConfiguration let serviceName = "Lightsail" @@ -375,9 +374,9 @@ extension LightsailClient { /// /// Allocates a static IP address. /// - /// - Parameter AllocateStaticIpInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AllocateStaticIpInput`) /// - /// - Returns: `AllocateStaticIpOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AllocateStaticIpOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AllocateStaticIpOutput.httpOutput(from:), AllocateStaticIpOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension LightsailClient { /// /// Attaches an SSL/TLS certificate to your Amazon Lightsail content delivery network (CDN) distribution. After the certificate is attached, your distribution accepts HTTPS traffic for all of the domains that are associated with the certificate. Use the CreateCertificate action to create a certificate that you can attach to your distribution. Only certificates created in the us-east-1 Amazon Web Services Region can be attached to Lightsail distributions. Lightsail distributions are global resources that can reference an origin in any Amazon Web Services Region, and distribute its content globally. However, all distributions are located in the us-east-1 Region. /// - /// - Parameter AttachCertificateToDistributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachCertificateToDistributionInput`) /// - /// - Returns: `AttachCertificateToDistributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachCertificateToDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachCertificateToDistributionOutput.httpOutput(from:), AttachCertificateToDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension LightsailClient { /// /// Attaches a block storage disk to a running or stopped Lightsail instance and exposes it to the instance with the specified disk name. The attach disk operation supports tag-based access control via resource tags applied to the resource identified by disk name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter AttachDiskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachDiskInput`) /// - /// - Returns: `AttachDiskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachDiskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -566,7 +563,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachDiskOutput.httpOutput(from:), AttachDiskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension LightsailClient { /// /// Attaches one or more Lightsail instances to a load balancer. After some time, the instances are attached to the load balancer and the health check status is available. The attach instances to load balancer operation supports tag-based access control via resource tags applied to the resource identified by load balancer name. For more information, see the [Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter AttachInstancesToLoadBalancerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachInstancesToLoadBalancerInput`) /// - /// - Returns: `AttachInstancesToLoadBalancerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachInstancesToLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -642,7 +638,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachInstancesToLoadBalancerOutput.httpOutput(from:), AttachInstancesToLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -677,9 +672,9 @@ extension LightsailClient { /// /// Attaches a Transport Layer Security (TLS) certificate to your load balancer. TLS is just an updated, more secure version of Secure Socket Layer (SSL). Once you create and validate your certificate, you can attach it to your load balancer. You can also use this API to rotate the certificates on your account. Use the AttachLoadBalancerTlsCertificate action with the non-attached certificate, and it will replace the existing one and become the attached certificate. The AttachLoadBalancerTlsCertificate operation supports tag-based access control via resource tags applied to the resource identified by load balancer name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter AttachLoadBalancerTlsCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachLoadBalancerTlsCertificateInput`) /// - /// - Returns: `AttachLoadBalancerTlsCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachLoadBalancerTlsCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -718,7 +713,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachLoadBalancerTlsCertificateOutput.httpOutput(from:), AttachLoadBalancerTlsCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -753,9 +747,9 @@ extension LightsailClient { /// /// Attaches a static IP address to a specific Amazon Lightsail instance. /// - /// - Parameter AttachStaticIpInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachStaticIpInput`) /// - /// - Returns: `AttachStaticIpOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachStaticIpOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -794,7 +788,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachStaticIpOutput.httpOutput(from:), AttachStaticIpOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -829,9 +822,9 @@ extension LightsailClient { /// /// Closes ports for a specific Amazon Lightsail instance. The CloseInstancePublicPorts action supports tag-based access control via resource tags applied to the resource identified by instanceName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CloseInstancePublicPortsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CloseInstancePublicPortsInput`) /// - /// - Returns: `CloseInstancePublicPortsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CloseInstancePublicPortsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -870,7 +863,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CloseInstancePublicPortsOutput.httpOutput(from:), CloseInstancePublicPortsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -905,9 +897,9 @@ extension LightsailClient { /// /// Copies a manual snapshot of an instance or disk as another manual snapshot, or copies an automatic snapshot of an instance or disk as a manual snapshot. This operation can also be used to copy a manual or automatic snapshot of an instance or a disk from one Amazon Web Services Region to another in Amazon Lightsail. When copying a manual snapshot, be sure to define the source region, source snapshot name, and target snapshot name parameters. When copying an automatic snapshot, be sure to define the source region, source resource name, target snapshot name, and either the restore date or the use latest restorable auto snapshot parameters. /// - /// - Parameter CopySnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopySnapshotInput`) /// - /// - Returns: `CopySnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopySnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -946,7 +938,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopySnapshotOutput.httpOutput(from:), CopySnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -981,9 +972,9 @@ extension LightsailClient { /// /// Creates an Amazon Lightsail bucket. A bucket is a cloud storage resource available in the Lightsail object storage service. Use buckets to store objects such as data and its descriptive metadata. For more information about buckets, see [Buckets in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/buckets-in-amazon-lightsail) in the Amazon Lightsail Developer Guide. /// - /// - Parameter CreateBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBucketInput`) /// - /// - Returns: `CreateBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1019,7 +1010,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBucketOutput.httpOutput(from:), CreateBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1044,9 @@ extension LightsailClient { /// /// Creates a new access key for the specified Amazon Lightsail bucket. Access keys consist of an access key ID and corresponding secret access key. Access keys grant full programmatic access to the specified bucket and its objects. You can have a maximum of two access keys per bucket. Use the [GetBucketAccessKeys](https://docs.aws.amazon.com/lightsail/2016-11-28/api-reference/API_GetBucketAccessKeys.html) action to get a list of current access keys for a specific bucket. For more information about access keys, see [Creating access keys for a bucket in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-creating-bucket-access-keys) in the Amazon Lightsail Developer Guide. The secretAccessKey value is returned only in response to the CreateBucketAccessKey action. You can get a secret access key only when you first create an access key; you cannot get the secret access key later. If you lose the secret access key, you must create a new access key. /// - /// - Parameter CreateBucketAccessKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBucketAccessKeyInput`) /// - /// - Returns: `CreateBucketAccessKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBucketAccessKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1093,7 +1083,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBucketAccessKeyOutput.httpOutput(from:), CreateBucketAccessKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1128,9 +1117,9 @@ extension LightsailClient { /// /// Creates an SSL/TLS certificate for an Amazon Lightsail content delivery network (CDN) distribution and a container service. After the certificate is valid, use the AttachCertificateToDistribution action to use the certificate and its domains with your distribution. Or use the UpdateContainerService action to use the certificate and its domains with your container service. Only certificates created in the us-east-1 Amazon Web Services Region can be attached to Lightsail distributions. Lightsail distributions are global resources that can reference an origin in any Amazon Web Services Region, and distribute its content globally. However, all distributions are located in the us-east-1 Region. /// - /// - Parameter CreateCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCertificateInput`) /// - /// - Returns: `CreateCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1167,7 +1156,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCertificateOutput.httpOutput(from:), CreateCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1202,9 +1190,9 @@ extension LightsailClient { /// /// Creates an AWS CloudFormation stack, which creates a new Amazon EC2 instance from an exported Amazon Lightsail snapshot. This operation results in a CloudFormation stack record that can be used to track the AWS CloudFormation stack created. Use the get cloud formation stack records operation to get a list of the CloudFormation stacks created. Wait until after your new Amazon EC2 instance is created before running the create cloud formation stack operation again with the same export snapshot record. /// - /// - Parameter CreateCloudFormationStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCloudFormationStackInput`) /// - /// - Returns: `CreateCloudFormationStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCloudFormationStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1243,7 +1231,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCloudFormationStackOutput.httpOutput(from:), CreateCloudFormationStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1278,9 +1265,9 @@ extension LightsailClient { /// /// Creates an email or SMS text message contact method. A contact method is used to send you notifications about your Amazon Lightsail resources. You can add one email address and one mobile phone number contact method in each Amazon Web Services Region. However, SMS text messaging is not supported in some Amazon Web Services Regions, and SMS text messages cannot be sent to some countries/regions. For more information, see [Notifications in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-notifications). /// - /// - Parameter CreateContactMethodInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContactMethodInput`) /// - /// - Returns: `CreateContactMethodOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContactMethodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1318,7 +1305,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContactMethodOutput.httpOutput(from:), CreateContactMethodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1353,9 +1339,9 @@ extension LightsailClient { /// /// Creates an Amazon Lightsail container service. A Lightsail container service is a compute resource to which you can deploy containers. For more information, see [Container services in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-container-services) in the Lightsail Dev Guide. /// - /// - Parameter CreateContainerServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContainerServiceInput`) /// - /// - Returns: `CreateContainerServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContainerServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1392,7 +1378,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContainerServiceOutput.httpOutput(from:), CreateContainerServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1427,9 +1412,9 @@ extension LightsailClient { /// /// Creates a deployment for your Amazon Lightsail container service. A deployment specifies the containers that will be launched on the container service and their settings, such as the ports to open, the environment variables to apply, and the launch command to run. It also specifies the container that will serve as the public endpoint of the deployment and its settings, such as the HTTP or HTTPS port to use, and the health check configuration. You can deploy containers to your container service using container images from a public registry such as Amazon ECR Public, or from your local machine. For more information, see [Creating container images for your Amazon Lightsail container services](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-creating-container-images) in the Amazon Lightsail Developer Guide. /// - /// - Parameter CreateContainerServiceDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContainerServiceDeploymentInput`) /// - /// - Returns: `CreateContainerServiceDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContainerServiceDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1466,7 +1451,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContainerServiceDeploymentOutput.httpOutput(from:), CreateContainerServiceDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1501,9 +1485,9 @@ extension LightsailClient { /// /// Creates a temporary set of log in credentials that you can use to log in to the Docker process on your local machine. After you're logged in, you can use the native Docker commands to push your local container images to the container image registry of your Amazon Lightsail account so that you can use them with your Lightsail container service. The log in credentials expire 12 hours after they are created, at which point you will need to create a new set of log in credentials. You can only push container images to the container service registry of your Lightsail account. You cannot pull container images or perform any other container image management actions on the container service registry. After you push your container images to the container image registry of your Lightsail account, use the RegisterContainerImage action to register the pushed images to a specific Lightsail container service. This action is not required if you install and use the Lightsail Control (lightsailctl) plugin to push container images to your Lightsail container service. For more information, see [Pushing and managing container images on your Amazon Lightsail container services](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-pushing-container-images) in the Amazon Lightsail Developer Guide. /// - /// - Parameter CreateContainerServiceRegistryLoginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContainerServiceRegistryLoginInput`) /// - /// - Returns: `CreateContainerServiceRegistryLoginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContainerServiceRegistryLoginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1540,7 +1524,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContainerServiceRegistryLoginOutput.httpOutput(from:), CreateContainerServiceRegistryLoginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1575,9 +1558,9 @@ extension LightsailClient { /// /// Creates a block storage disk that can be attached to an Amazon Lightsail instance in the same Availability Zone (us-east-2a). The create disk operation supports tag-based access control via request tags. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateDiskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDiskInput`) /// - /// - Returns: `CreateDiskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDiskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1616,7 +1599,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDiskOutput.httpOutput(from:), CreateDiskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1651,9 +1633,9 @@ extension LightsailClient { /// /// Creates a block storage disk from a manual or automatic snapshot of a disk. The resulting disk can be attached to an Amazon Lightsail instance in the same Availability Zone (us-east-2a). The create disk from snapshot operation supports tag-based access control via request tags and resource tags applied to the resource identified by disk snapshot name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateDiskFromSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDiskFromSnapshotInput`) /// - /// - Returns: `CreateDiskFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDiskFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1692,7 +1674,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDiskFromSnapshotOutput.httpOutput(from:), CreateDiskFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1727,9 +1708,9 @@ extension LightsailClient { /// /// Creates a snapshot of a block storage disk. You can use snapshots for backups, to make copies of disks, and to save data before shutting down a Lightsail instance. You can take a snapshot of an attached disk that is in use; however, snapshots only capture data that has been written to your disk at the time the snapshot command is issued. This may exclude any data that has been cached by any applications or the operating system. If you can pause any file systems on the disk long enough to take a snapshot, your snapshot should be complete. Nevertheless, if you cannot pause all file writes to the disk, you should unmount the disk from within the Lightsail instance, issue the create disk snapshot command, and then remount the disk to ensure a consistent and complete snapshot. You may remount and use your disk while the snapshot status is pending. You can also use this operation to create a snapshot of an instance's system volume. You might want to do this, for example, to recover data from the system volume of a botched instance or to create a backup of the system volume like you would for a block storage disk. To create a snapshot of a system volume, just define the instance name parameter when issuing the snapshot command, and a snapshot of the defined instance's system volume will be created. After the snapshot is available, you can create a block storage disk from the snapshot and attach it to a running instance to access the data on the disk. The create disk snapshot operation supports tag-based access control via request tags. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateDiskSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDiskSnapshotInput`) /// - /// - Returns: `CreateDiskSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDiskSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1768,7 +1749,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDiskSnapshotOutput.httpOutput(from:), CreateDiskSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1803,9 +1783,9 @@ extension LightsailClient { /// /// Creates an Amazon Lightsail content delivery network (CDN) distribution. A distribution is a globally distributed network of caching servers that improve the performance of your website or web application hosted on a Lightsail instance. For more information, see [Content delivery networks in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-content-delivery-network-distributions). /// - /// - Parameter CreateDistributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDistributionInput`) /// - /// - Returns: `CreateDistributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1842,7 +1822,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDistributionOutput.httpOutput(from:), CreateDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1877,9 +1856,9 @@ extension LightsailClient { /// /// Creates a domain resource for the specified domain (example.com). The create domain operation supports tag-based access control via request tags. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainInput`) /// - /// - Returns: `CreateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1918,7 +1897,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainOutput.httpOutput(from:), CreateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1953,9 +1931,9 @@ extension LightsailClient { /// /// Creates one of the following domain name system (DNS) records in a domain DNS zone: Address (A), canonical name (CNAME), mail exchanger (MX), name server (NS), start of authority (SOA), service locator (SRV), or text (TXT). The create domain entry operation supports tag-based access control via resource tags applied to the resource identified by domain name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateDomainEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainEntryInput`) /// - /// - Returns: `CreateDomainEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1994,7 +1972,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainEntryOutput.httpOutput(from:), CreateDomainEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2029,9 +2006,9 @@ extension LightsailClient { /// /// Creates two URLs that are used to access a virtual computer’s graphical user interface (GUI) session. The primary URL initiates a web-based Amazon DCV session to the virtual computer's application. The secondary URL initiates a web-based Amazon DCV session to the virtual computer's operating session. Use StartGUISession to open the session. /// - /// - Parameter CreateGUISessionAccessDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGUISessionAccessDetailsInput`) /// - /// - Returns: `CreateGUISessionAccessDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGUISessionAccessDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2068,7 +2045,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGUISessionAccessDetailsOutput.httpOutput(from:), CreateGUISessionAccessDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2103,9 +2079,9 @@ extension LightsailClient { /// /// Creates a snapshot of a specific virtual private server, or instance. You can use a snapshot to create a new instance that is based on that snapshot. The create instance snapshot operation supports tag-based access control via request tags. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateInstanceSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstanceSnapshotInput`) /// - /// - Returns: `CreateInstanceSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstanceSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2144,7 +2120,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceSnapshotOutput.httpOutput(from:), CreateInstanceSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2179,9 +2154,9 @@ extension LightsailClient { /// /// Creates one or more Amazon Lightsail instances. The create instances operation supports tag-based access control via request tags. For more information, see the [Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstancesInput`) /// - /// - Returns: `CreateInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2220,7 +2195,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstancesOutput.httpOutput(from:), CreateInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2255,9 +2229,9 @@ extension LightsailClient { /// /// Creates one or more new instances from a manual or automatic snapshot of an instance. The create instances from snapshot operation supports tag-based access control via request tags and resource tags applied to the resource identified by instance snapshot name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateInstancesFromSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstancesFromSnapshotInput`) /// - /// - Returns: `CreateInstancesFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstancesFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2296,7 +2270,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstancesFromSnapshotOutput.httpOutput(from:), CreateInstancesFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2331,9 +2304,9 @@ extension LightsailClient { /// /// Creates a custom SSH key pair that you can use with an Amazon Lightsail instance. Use the [DownloadDefaultKeyPair](https://docs.aws.amazon.com/lightsail/2016-11-28/api-reference/API_DownloadDefaultKeyPair.html) action to create a Lightsail default key pair in an Amazon Web Services Region where a default key pair does not currently exist. The create key pair operation supports tag-based access control via request tags. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKeyPairInput`) /// - /// - Returns: `CreateKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKeyPairOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2372,7 +2345,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKeyPairOutput.httpOutput(from:), CreateKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2407,9 +2379,9 @@ extension LightsailClient { /// /// Creates a Lightsail load balancer. To learn more about deciding whether to load balance your application, see [Configure your Lightsail instances for load balancing](https://docs.aws.amazon.com/lightsail/latest/userguide/configure-lightsail-instances-for-load-balancing). You can create up to 5 load balancers per AWS Region in your account. When you create a load balancer, you can specify a unique name and port settings. To change additional load balancer settings, use the UpdateLoadBalancerAttribute operation. The create load balancer operation supports tag-based access control via request tags. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateLoadBalancerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLoadBalancerInput`) /// - /// - Returns: `CreateLoadBalancerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2448,7 +2420,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoadBalancerOutput.httpOutput(from:), CreateLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2483,9 +2454,9 @@ extension LightsailClient { /// /// Creates an SSL/TLS certificate for an Amazon Lightsail load balancer. TLS is just an updated, more secure version of Secure Socket Layer (SSL). The CreateLoadBalancerTlsCertificate operation supports tag-based access control via resource tags applied to the resource identified by load balancer name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateLoadBalancerTlsCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLoadBalancerTlsCertificateInput`) /// - /// - Returns: `CreateLoadBalancerTlsCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLoadBalancerTlsCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2524,7 +2495,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLoadBalancerTlsCertificateOutput.httpOutput(from:), CreateLoadBalancerTlsCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2559,9 +2529,9 @@ extension LightsailClient { /// /// Creates a new database in Amazon Lightsail. The create relational database operation supports tag-based access control via request tags. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateRelationalDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRelationalDatabaseInput`) /// - /// - Returns: `CreateRelationalDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRelationalDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2600,7 +2570,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRelationalDatabaseOutput.httpOutput(from:), CreateRelationalDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2635,9 +2604,9 @@ extension LightsailClient { /// /// Creates a new database from an existing database snapshot in Amazon Lightsail. You can create a new database from a snapshot in if something goes wrong with your original database, or to change it to a different plan, such as a high availability or standard plan. The create relational database from snapshot operation supports tag-based access control via request tags and resource tags applied to the resource identified by relationalDatabaseSnapshotName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateRelationalDatabaseFromSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRelationalDatabaseFromSnapshotInput`) /// - /// - Returns: `CreateRelationalDatabaseFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRelationalDatabaseFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2676,7 +2645,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRelationalDatabaseFromSnapshotOutput.httpOutput(from:), CreateRelationalDatabaseFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2711,9 +2679,9 @@ extension LightsailClient { /// /// Creates a snapshot of your database in Amazon Lightsail. You can use snapshots for backups, to make copies of a database, and to save data before deleting a database. The create relational database snapshot operation supports tag-based access control via request tags. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter CreateRelationalDatabaseSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRelationalDatabaseSnapshotInput`) /// - /// - Returns: `CreateRelationalDatabaseSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRelationalDatabaseSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2752,7 +2720,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRelationalDatabaseSnapshotOutput.httpOutput(from:), CreateRelationalDatabaseSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2787,9 +2754,9 @@ extension LightsailClient { /// /// Deletes an alarm. An alarm is used to monitor a single metric for one of your resources. When a metric condition is met, the alarm can notify you by email, SMS text message, and a banner displayed on the Amazon Lightsail console. For more information, see [Alarms in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-alarms). /// - /// - Parameter DeleteAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAlarmInput`) /// - /// - Returns: `DeleteAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2827,7 +2794,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAlarmOutput.httpOutput(from:), DeleteAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2862,9 +2828,9 @@ extension LightsailClient { /// /// Deletes an automatic snapshot of an instance or disk. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-configuring-automatic-snapshots). /// - /// - Parameter DeleteAutoSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAutoSnapshotInput`) /// - /// - Returns: `DeleteAutoSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAutoSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2902,7 +2868,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAutoSnapshotOutput.httpOutput(from:), DeleteAutoSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2937,9 +2902,9 @@ extension LightsailClient { /// /// Deletes a Amazon Lightsail bucket. When you delete your bucket, the bucket name is released and can be reused for a new bucket in your account or another Amazon Web Services account. /// - /// - Parameter DeleteBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketInput`) /// - /// - Returns: `DeleteBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2976,7 +2941,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketOutput.httpOutput(from:), DeleteBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3011,9 +2975,9 @@ extension LightsailClient { /// /// Deletes an access key for the specified Amazon Lightsail bucket. We recommend that you delete an access key if the secret access key is compromised. For more information about access keys, see [Creating access keys for a bucket in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-creating-bucket-access-keys) in the Amazon Lightsail Developer Guide. /// - /// - Parameter DeleteBucketAccessKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketAccessKeyInput`) /// - /// - Returns: `DeleteBucketAccessKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketAccessKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3050,7 +3014,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketAccessKeyOutput.httpOutput(from:), DeleteBucketAccessKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3085,9 +3048,9 @@ extension LightsailClient { /// /// Deletes an SSL/TLS certificate for your Amazon Lightsail content delivery network (CDN) distribution. Certificates that are currently attached to a distribution cannot be deleted. Use the DetachCertificateFromDistribution action to detach a certificate from a distribution. /// - /// - Parameter DeleteCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCertificateInput`) /// - /// - Returns: `DeleteCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3124,7 +3087,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCertificateOutput.httpOutput(from:), DeleteCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3159,9 +3121,9 @@ extension LightsailClient { /// /// Deletes a contact method. A contact method is used to send you notifications about your Amazon Lightsail resources. You can add one email address and one mobile phone number contact method in each Amazon Web Services Region. However, SMS text messaging is not supported in some Amazon Web Services Regions, and SMS text messages cannot be sent to some countries/regions. For more information, see [Notifications in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-notifications). /// - /// - Parameter DeleteContactMethodInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContactMethodInput`) /// - /// - Returns: `DeleteContactMethodOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContactMethodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3199,7 +3161,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContactMethodOutput.httpOutput(from:), DeleteContactMethodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3234,9 +3195,9 @@ extension LightsailClient { /// /// Deletes a container image that is registered to your Amazon Lightsail container service. /// - /// - Parameter DeleteContainerImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContainerImageInput`) /// - /// - Returns: `DeleteContainerImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContainerImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3273,7 +3234,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContainerImageOutput.httpOutput(from:), DeleteContainerImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3308,9 +3268,9 @@ extension LightsailClient { /// /// Deletes your Amazon Lightsail container service. /// - /// - Parameter DeleteContainerServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContainerServiceInput`) /// - /// - Returns: `DeleteContainerServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContainerServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3347,7 +3307,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContainerServiceOutput.httpOutput(from:), DeleteContainerServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3382,9 +3341,9 @@ extension LightsailClient { /// /// Deletes the specified block storage disk. The disk must be in the available state (not attached to a Lightsail instance). The disk may remain in the deleting state for several minutes. The delete disk operation supports tag-based access control via resource tags applied to the resource identified by disk name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteDiskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDiskInput`) /// - /// - Returns: `DeleteDiskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDiskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3423,7 +3382,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDiskOutput.httpOutput(from:), DeleteDiskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3458,9 +3416,9 @@ extension LightsailClient { /// /// Deletes the specified disk snapshot. When you make periodic snapshots of a disk, the snapshots are incremental, and only the blocks on the device that have changed since your last snapshot are saved in the new snapshot. When you delete a snapshot, only the data not needed for any other snapshot is removed. So regardless of which prior snapshots have been deleted, all active snapshots will have access to all the information needed to restore the disk. The delete disk snapshot operation supports tag-based access control via resource tags applied to the resource identified by disk snapshot name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteDiskSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDiskSnapshotInput`) /// - /// - Returns: `DeleteDiskSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDiskSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3499,7 +3457,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDiskSnapshotOutput.httpOutput(from:), DeleteDiskSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3534,9 +3491,9 @@ extension LightsailClient { /// /// Deletes your Amazon Lightsail content delivery network (CDN) distribution. /// - /// - Parameter DeleteDistributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDistributionInput`) /// - /// - Returns: `DeleteDistributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3573,7 +3530,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDistributionOutput.httpOutput(from:), DeleteDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3608,9 +3564,9 @@ extension LightsailClient { /// /// Deletes the specified domain recordset and all of its domain records. The delete domain operation supports tag-based access control via resource tags applied to the resource identified by domain name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainInput`) /// - /// - Returns: `DeleteDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3649,7 +3605,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainOutput.httpOutput(from:), DeleteDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3684,9 +3639,9 @@ extension LightsailClient { /// /// Deletes a specific domain entry. The delete domain entry operation supports tag-based access control via resource tags applied to the resource identified by domain name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteDomainEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainEntryInput`) /// - /// - Returns: `DeleteDomainEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3725,7 +3680,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainEntryOutput.httpOutput(from:), DeleteDomainEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3760,9 +3714,9 @@ extension LightsailClient { /// /// Deletes an Amazon Lightsail instance. The delete instance operation supports tag-based access control via resource tags applied to the resource identified by instance name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInstanceInput`) /// - /// - Returns: `DeleteInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3801,7 +3755,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceOutput.httpOutput(from:), DeleteInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3836,9 +3789,9 @@ extension LightsailClient { /// /// Deletes a specific snapshot of a virtual private server (or instance). The delete instance snapshot operation supports tag-based access control via resource tags applied to the resource identified by instance snapshot name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteInstanceSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInstanceSnapshotInput`) /// - /// - Returns: `DeleteInstanceSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3877,7 +3830,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceSnapshotOutput.httpOutput(from:), DeleteInstanceSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3912,9 +3864,9 @@ extension LightsailClient { /// /// Deletes the specified key pair by removing the public key from Amazon Lightsail. You can delete key pairs that were created using the [ImportKeyPair](https://docs.aws.amazon.com/lightsail/2016-11-28/api-reference/API_ImportKeyPair.html) and [CreateKeyPair](https://docs.aws.amazon.com/lightsail/2016-11-28/api-reference/API_CreateKeyPair.html) actions, as well as the Lightsail default key pair. A new default key pair will not be created unless you launch an instance without specifying a custom key pair, or you call the [DownloadDefaultKeyPair](https://docs.aws.amazon.com/lightsail/2016-11-28/api-reference/API_DownloadDefaultKeyPair.html) API. The delete key pair operation supports tag-based access control via resource tags applied to the resource identified by key pair name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKeyPairInput`) /// - /// - Returns: `DeleteKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKeyPairOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3953,7 +3905,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKeyPairOutput.httpOutput(from:), DeleteKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3988,9 +3939,9 @@ extension LightsailClient { /// /// Deletes the known host key or certificate used by the Amazon Lightsail browser-based SSH or RDP clients to authenticate an instance. This operation enables the Lightsail browser-based SSH or RDP clients to connect to the instance after a host key mismatch. Perform this operation only if you were expecting the host key or certificate mismatch or if you are familiar with the new host key or certificate on the instance. For more information, see [Troubleshooting connection issues when using the Amazon Lightsail browser-based SSH or RDP client](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-troubleshooting-browser-based-ssh-rdp-client-connection). /// - /// - Parameter DeleteKnownHostKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKnownHostKeysInput`) /// - /// - Returns: `DeleteKnownHostKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKnownHostKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4029,7 +3980,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKnownHostKeysOutput.httpOutput(from:), DeleteKnownHostKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4064,9 +4014,9 @@ extension LightsailClient { /// /// Deletes a Lightsail load balancer and all its associated SSL/TLS certificates. Once the load balancer is deleted, you will need to create a new load balancer, create a new certificate, and verify domain ownership again. The delete load balancer operation supports tag-based access control via resource tags applied to the resource identified by load balancer name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteLoadBalancerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLoadBalancerInput`) /// - /// - Returns: `DeleteLoadBalancerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4105,7 +4055,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoadBalancerOutput.httpOutput(from:), DeleteLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4140,9 +4089,9 @@ extension LightsailClient { /// /// Deletes an SSL/TLS certificate associated with a Lightsail load balancer. The DeleteLoadBalancerTlsCertificate operation supports tag-based access control via resource tags applied to the resource identified by load balancer name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteLoadBalancerTlsCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLoadBalancerTlsCertificateInput`) /// - /// - Returns: `DeleteLoadBalancerTlsCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLoadBalancerTlsCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4181,7 +4130,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoadBalancerTlsCertificateOutput.httpOutput(from:), DeleteLoadBalancerTlsCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4216,9 +4164,9 @@ extension LightsailClient { /// /// Deletes a database in Amazon Lightsail. The delete relational database operation supports tag-based access control via resource tags applied to the resource identified by relationalDatabaseName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteRelationalDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRelationalDatabaseInput`) /// - /// - Returns: `DeleteRelationalDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRelationalDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4257,7 +4205,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRelationalDatabaseOutput.httpOutput(from:), DeleteRelationalDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4292,9 +4239,9 @@ extension LightsailClient { /// /// Deletes a database snapshot in Amazon Lightsail. The delete relational database snapshot operation supports tag-based access control via resource tags applied to the resource identified by relationalDatabaseName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DeleteRelationalDatabaseSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRelationalDatabaseSnapshotInput`) /// - /// - Returns: `DeleteRelationalDatabaseSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRelationalDatabaseSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4333,7 +4280,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRelationalDatabaseSnapshotOutput.httpOutput(from:), DeleteRelationalDatabaseSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4368,9 +4314,9 @@ extension LightsailClient { /// /// Detaches an SSL/TLS certificate from your Amazon Lightsail content delivery network (CDN) distribution. After the certificate is detached, your distribution stops accepting traffic for all of the domains that are associated with the certificate. /// - /// - Parameter DetachCertificateFromDistributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachCertificateFromDistributionInput`) /// - /// - Returns: `DetachCertificateFromDistributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachCertificateFromDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4407,7 +4353,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachCertificateFromDistributionOutput.httpOutput(from:), DetachCertificateFromDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4442,9 +4387,9 @@ extension LightsailClient { /// /// Detaches a stopped block storage disk from a Lightsail instance. Make sure to unmount any file systems on the device within your operating system before stopping the instance and detaching the disk. The detach disk operation supports tag-based access control via resource tags applied to the resource identified by disk name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DetachDiskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachDiskInput`) /// - /// - Returns: `DetachDiskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachDiskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4483,7 +4428,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachDiskOutput.httpOutput(from:), DetachDiskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4518,9 +4462,9 @@ extension LightsailClient { /// /// Detaches the specified instances from a Lightsail load balancer. This operation waits until the instances are no longer needed before they are detached from the load balancer. The detach instances from load balancer operation supports tag-based access control via resource tags applied to the resource identified by load balancer name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter DetachInstancesFromLoadBalancerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachInstancesFromLoadBalancerInput`) /// - /// - Returns: `DetachInstancesFromLoadBalancerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachInstancesFromLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4559,7 +4503,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachInstancesFromLoadBalancerOutput.httpOutput(from:), DetachInstancesFromLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4594,9 +4537,9 @@ extension LightsailClient { /// /// Detaches a static IP from the Amazon Lightsail instance to which it is attached. /// - /// - Parameter DetachStaticIpInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachStaticIpInput`) /// - /// - Returns: `DetachStaticIpOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachStaticIpOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4635,7 +4578,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachStaticIpOutput.httpOutput(from:), DetachStaticIpOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4670,9 +4612,9 @@ extension LightsailClient { /// /// Disables an add-on for an Amazon Lightsail resource. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-configuring-automatic-snapshots). /// - /// - Parameter DisableAddOnInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableAddOnInput`) /// - /// - Returns: `DisableAddOnOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableAddOnOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4710,7 +4652,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableAddOnOutput.httpOutput(from:), DisableAddOnOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4745,9 +4686,9 @@ extension LightsailClient { /// /// Downloads the regional Amazon Lightsail default key pair. This action also creates a Lightsail default key pair if a default key pair does not currently exist in the Amazon Web Services Region. /// - /// - Parameter DownloadDefaultKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DownloadDefaultKeyPairInput`) /// - /// - Returns: `DownloadDefaultKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DownloadDefaultKeyPairOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4786,7 +4727,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DownloadDefaultKeyPairOutput.httpOutput(from:), DownloadDefaultKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4821,9 +4761,9 @@ extension LightsailClient { /// /// Enables or modifies an add-on for an Amazon Lightsail resource. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-configuring-automatic-snapshots). /// - /// - Parameter EnableAddOnInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableAddOnInput`) /// - /// - Returns: `EnableAddOnOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableAddOnOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4861,7 +4801,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableAddOnOutput.httpOutput(from:), EnableAddOnOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4896,9 +4835,9 @@ extension LightsailClient { /// /// Exports an Amazon Lightsail instance or block storage disk snapshot to Amazon Elastic Compute Cloud (Amazon EC2). This operation results in an export snapshot record that can be used with the create cloud formation stack operation to create new Amazon EC2 instances. Exported instance snapshots appear in Amazon EC2 as Amazon Machine Images (AMIs), and the instance system disk appears as an Amazon Elastic Block Store (Amazon EBS) volume. Exported disk snapshots appear in Amazon EC2 as Amazon EBS volumes. Snapshots are exported to the same Amazon Web Services Region in Amazon EC2 as the source Lightsail snapshot. The export snapshot operation supports tag-based access control via resource tags applied to the resource identified by source snapshot name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). Use the get instance snapshots or get disk snapshots operations to get a list of snapshots that you can export to Amazon EC2. /// - /// - Parameter ExportSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportSnapshotInput`) /// - /// - Returns: `ExportSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4937,7 +4876,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportSnapshotOutput.httpOutput(from:), ExportSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4972,9 +4910,9 @@ extension LightsailClient { /// /// Returns the names of all active (not deleted) resources. /// - /// - Parameter GetActiveNamesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetActiveNamesInput`) /// - /// - Returns: `GetActiveNamesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetActiveNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5013,7 +4951,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetActiveNamesOutput.httpOutput(from:), GetActiveNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5048,9 +4985,9 @@ extension LightsailClient { /// /// Returns information about the configured alarms. Specify an alarm name in your request to return information about a specific alarm, or specify a monitored resource name to return information about all alarms for a specific resource. An alarm is used to monitor a single metric for one of your resources. When a metric condition is met, the alarm can notify you by email, SMS text message, and a banner displayed on the Amazon Lightsail console. For more information, see [Alarms in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-alarms). /// - /// - Parameter GetAlarmsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAlarmsInput`) /// - /// - Returns: `GetAlarmsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAlarmsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5089,7 +5026,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAlarmsOutput.httpOutput(from:), GetAlarmsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5124,9 +5060,9 @@ extension LightsailClient { /// /// Returns the available automatic snapshots for an instance or disk. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-configuring-automatic-snapshots). /// - /// - Parameter GetAutoSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutoSnapshotsInput`) /// - /// - Returns: `GetAutoSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutoSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5164,7 +5100,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutoSnapshotsOutput.httpOutput(from:), GetAutoSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5199,9 +5134,9 @@ extension LightsailClient { /// /// Returns the list of available instance images, or blueprints. You can use a blueprint to create a new instance already running a specific operating system, as well as a preinstalled app or development stack. The software each instance is running depends on the blueprint image you choose. Use active blueprints when creating new instances. Inactive blueprints are listed to support customers with existing instances and are not necessarily available to create new instances. Blueprints are marked inactive when they become outdated due to operating system updates or new application releases. /// - /// - Parameter GetBlueprintsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBlueprintsInput`) /// - /// - Returns: `GetBlueprintsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBlueprintsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5240,7 +5175,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBlueprintsOutput.httpOutput(from:), GetBlueprintsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5275,9 +5209,9 @@ extension LightsailClient { /// /// Returns the existing access key IDs for the specified Amazon Lightsail bucket. This action does not return the secret access key value of an access key. You can get a secret access key only when you create it from the response of the [CreateBucketAccessKey](https://docs.aws.amazon.com/lightsail/2016-11-28/api-reference/API_CreateBucketAccessKey.html) action. If you lose the secret access key, you must create a new access key. /// - /// - Parameter GetBucketAccessKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketAccessKeysInput`) /// - /// - Returns: `GetBucketAccessKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketAccessKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5314,7 +5248,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketAccessKeysOutput.httpOutput(from:), GetBucketAccessKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5349,9 +5282,9 @@ extension LightsailClient { /// /// Returns the bundles that you can apply to a Amazon Lightsail bucket. The bucket bundle specifies the monthly cost, storage quota, and data transfer quota for a bucket. Use the [UpdateBucketBundle](https://docs.aws.amazon.com/lightsail/2016-11-28/api-reference/API_UpdateBucketBundle.html) action to update the bundle for a bucket. /// - /// - Parameter GetBucketBundlesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketBundlesInput`) /// - /// - Returns: `GetBucketBundlesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketBundlesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5387,7 +5320,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketBundlesOutput.httpOutput(from:), GetBucketBundlesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5422,9 +5354,9 @@ extension LightsailClient { /// /// Returns the data points of a specific metric for an Amazon Lightsail bucket. Metrics report the utilization of a bucket. View and collect metric data regularly to monitor the number of objects stored in a bucket (including object versions) and the storage space used by those objects. /// - /// - Parameter GetBucketMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketMetricDataInput`) /// - /// - Returns: `GetBucketMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5461,7 +5393,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketMetricDataOutput.httpOutput(from:), GetBucketMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5496,9 +5427,9 @@ extension LightsailClient { /// /// Returns information about one or more Amazon Lightsail buckets. The information returned includes the synchronization status of the Amazon Simple Storage Service (Amazon S3) account-level block public access feature for your Lightsail buckets. For more information about buckets, see [Buckets in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/buckets-in-amazon-lightsail) in the Amazon Lightsail Developer Guide. /// - /// - Parameter GetBucketsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketsInput`) /// - /// - Returns: `GetBucketsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5535,7 +5466,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketsOutput.httpOutput(from:), GetBucketsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5570,9 +5500,9 @@ extension LightsailClient { /// /// Returns the bundles that you can apply to an Amazon Lightsail instance when you create it. A bundle describes the specifications of an instance, such as the monthly cost, amount of memory, the number of vCPUs, amount of storage space, and monthly network data transfer quota. Bundles are referred to as instance plans in the Lightsail console. /// - /// - Parameter GetBundlesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBundlesInput`) /// - /// - Returns: `GetBundlesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBundlesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5611,7 +5541,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBundlesOutput.httpOutput(from:), GetBundlesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5646,9 +5575,9 @@ extension LightsailClient { /// /// Returns information about one or more Amazon Lightsail SSL/TLS certificates. To get a summary of a certificate, omit includeCertificateDetails from your request. The response will include only the certificate Amazon Resource Name (ARN), certificate name, domain name, and tags. /// - /// - Parameter GetCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCertificatesInput`) /// - /// - Returns: `GetCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5685,7 +5614,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCertificatesOutput.httpOutput(from:), GetCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5720,9 +5648,9 @@ extension LightsailClient { /// /// Returns the CloudFormation stack record created as a result of the create cloud formation stack operation. An AWS CloudFormation stack is used to create a new Amazon EC2 instance from an exported Lightsail snapshot. /// - /// - Parameter GetCloudFormationStackRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCloudFormationStackRecordsInput`) /// - /// - Returns: `GetCloudFormationStackRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCloudFormationStackRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5761,7 +5689,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudFormationStackRecordsOutput.httpOutput(from:), GetCloudFormationStackRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5796,9 +5723,9 @@ extension LightsailClient { /// /// Returns information about the configured contact methods. Specify a protocol in your request to return information about a specific contact method. A contact method is used to send you notifications about your Amazon Lightsail resources. You can add one email address and one mobile phone number contact method in each Amazon Web Services Region. However, SMS text messaging is not supported in some Amazon Web Services Regions, and SMS text messages cannot be sent to some countries/regions. For more information, see [Notifications in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-notifications). /// - /// - Parameter GetContactMethodsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContactMethodsInput`) /// - /// - Returns: `GetContactMethodsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContactMethodsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5837,7 +5764,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContactMethodsOutput.httpOutput(from:), GetContactMethodsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5872,9 +5798,9 @@ extension LightsailClient { /// /// Returns information about Amazon Lightsail containers, such as the current version of the Lightsail Control (lightsailctl) plugin. /// - /// - Parameter GetContainerAPIMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContainerAPIMetadataInput`) /// - /// - Returns: `GetContainerAPIMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContainerAPIMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5909,7 +5835,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContainerAPIMetadataOutput.httpOutput(from:), GetContainerAPIMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5944,9 +5869,9 @@ extension LightsailClient { /// /// Returns the container images that are registered to your Amazon Lightsail container service. If you created a deployment on your Lightsail container service that uses container images from a public registry like Docker Hub, those images are not returned as part of this action. Those images are not registered to your Lightsail container service. /// - /// - Parameter GetContainerImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContainerImagesInput`) /// - /// - Returns: `GetContainerImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContainerImagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5983,7 +5908,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContainerImagesOutput.httpOutput(from:), GetContainerImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6018,9 +5942,9 @@ extension LightsailClient { /// /// Returns the log events of a container of your Amazon Lightsail container service. If your container service has more than one node (i.e., a scale greater than 1), then the log events that are returned for the specified container are merged from all nodes on your container service. Container logs are retained for a certain amount of time. For more information, see [Amazon Lightsail endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/lightsail.html) in the Amazon Web Services General Reference. /// - /// - Parameter GetContainerLogInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContainerLogInput`) /// - /// - Returns: `GetContainerLogOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContainerLogOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6058,7 +5982,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContainerLogOutput.httpOutput(from:), GetContainerLogOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6093,9 +6016,9 @@ extension LightsailClient { /// /// Returns the deployments for your Amazon Lightsail container service A deployment specifies the settings, such as the ports and launch command, of containers that are deployed to your container service. The deployments are ordered by version in ascending order. The newest version is listed at the top of the response. A set number of deployments are kept before the oldest one is replaced with the newest one. For more information, see [Amazon Lightsail endpoints and quotas](https://docs.aws.amazon.com/general/latest/gr/lightsail.html) in the Amazon Web Services General Reference. /// - /// - Parameter GetContainerServiceDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContainerServiceDeploymentsInput`) /// - /// - Returns: `GetContainerServiceDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContainerServiceDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6132,7 +6055,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContainerServiceDeploymentsOutput.httpOutput(from:), GetContainerServiceDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6167,9 +6089,9 @@ extension LightsailClient { /// /// Returns the data points of a specific metric of your Amazon Lightsail container service. Metrics report the utilization of your resources. Monitor and collect metric data regularly to maintain the reliability, availability, and performance of your resources. /// - /// - Parameter GetContainerServiceMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContainerServiceMetricDataInput`) /// - /// - Returns: `GetContainerServiceMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContainerServiceMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6207,7 +6129,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContainerServiceMetricDataOutput.httpOutput(from:), GetContainerServiceMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6242,9 +6163,9 @@ extension LightsailClient { /// /// Returns the list of powers that can be specified for your Amazon Lightsail container services. The power specifies the amount of memory, the number of vCPUs, and the base price of the container service. /// - /// - Parameter GetContainerServicePowersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContainerServicePowersInput`) /// - /// - Returns: `GetContainerServicePowersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContainerServicePowersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6281,7 +6202,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContainerServicePowersOutput.httpOutput(from:), GetContainerServicePowersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6316,9 +6236,9 @@ extension LightsailClient { /// /// Returns information about one or more of your Amazon Lightsail container services. /// - /// - Parameter GetContainerServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContainerServicesInput`) /// - /// - Returns: `GetContainerServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContainerServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6356,7 +6276,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContainerServicesOutput.httpOutput(from:), GetContainerServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6391,9 +6310,9 @@ extension LightsailClient { /// /// Retrieves information about the cost estimate for a specified resource. A cost estimate will not generate for a resource that has been deleted. /// - /// - Parameter GetCostEstimateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCostEstimateInput`) /// - /// - Returns: `GetCostEstimateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCostEstimateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6430,7 +6349,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCostEstimateOutput.httpOutput(from:), GetCostEstimateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6465,9 +6383,9 @@ extension LightsailClient { /// /// Returns information about a specific block storage disk. /// - /// - Parameter GetDiskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDiskInput`) /// - /// - Returns: `GetDiskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDiskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6506,7 +6424,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDiskOutput.httpOutput(from:), GetDiskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6541,9 +6458,9 @@ extension LightsailClient { /// /// Returns information about a specific block storage disk snapshot. /// - /// - Parameter GetDiskSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDiskSnapshotInput`) /// - /// - Returns: `GetDiskSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDiskSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6582,7 +6499,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDiskSnapshotOutput.httpOutput(from:), GetDiskSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6617,9 +6533,9 @@ extension LightsailClient { /// /// Returns information about all block storage disk snapshots in your AWS account and region. /// - /// - Parameter GetDiskSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDiskSnapshotsInput`) /// - /// - Returns: `GetDiskSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDiskSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6658,7 +6574,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDiskSnapshotsOutput.httpOutput(from:), GetDiskSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6693,9 +6608,9 @@ extension LightsailClient { /// /// Returns information about all block storage disks in your AWS account and region. /// - /// - Parameter GetDisksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDisksInput`) /// - /// - Returns: `GetDisksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDisksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6734,7 +6649,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDisksOutput.httpOutput(from:), GetDisksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6769,9 +6683,9 @@ extension LightsailClient { /// /// Returns the bundles that can be applied to your Amazon Lightsail content delivery network (CDN) distributions. A distribution bundle specifies the monthly network transfer quota and monthly cost of your distribution. /// - /// - Parameter GetDistributionBundlesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDistributionBundlesInput`) /// - /// - Returns: `GetDistributionBundlesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDistributionBundlesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6808,7 +6722,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDistributionBundlesOutput.httpOutput(from:), GetDistributionBundlesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6843,9 +6756,9 @@ extension LightsailClient { /// /// Returns the timestamp and status of the last cache reset of a specific Amazon Lightsail content delivery network (CDN) distribution. /// - /// - Parameter GetDistributionLatestCacheResetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDistributionLatestCacheResetInput`) /// - /// - Returns: `GetDistributionLatestCacheResetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDistributionLatestCacheResetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6882,7 +6795,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDistributionLatestCacheResetOutput.httpOutput(from:), GetDistributionLatestCacheResetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6917,9 +6829,9 @@ extension LightsailClient { /// /// Returns the data points of a specific metric for an Amazon Lightsail content delivery network (CDN) distribution. Metrics report the utilization of your resources, and the error counts generated by them. Monitor and collect metric data regularly to maintain the reliability, availability, and performance of your resources. /// - /// - Parameter GetDistributionMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDistributionMetricDataInput`) /// - /// - Returns: `GetDistributionMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDistributionMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6956,7 +6868,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDistributionMetricDataOutput.httpOutput(from:), GetDistributionMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6991,9 +6902,9 @@ extension LightsailClient { /// /// Returns information about one or more of your Amazon Lightsail content delivery network (CDN) distributions. /// - /// - Parameter GetDistributionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDistributionsInput`) /// - /// - Returns: `GetDistributionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDistributionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7030,7 +6941,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDistributionsOutput.httpOutput(from:), GetDistributionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7065,9 +6975,9 @@ extension LightsailClient { /// /// Returns information about a specific domain recordset. /// - /// - Parameter GetDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainInput`) /// - /// - Returns: `GetDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7106,7 +7016,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainOutput.httpOutput(from:), GetDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7141,9 +7050,9 @@ extension LightsailClient { /// /// Returns a list of all domains in the user's account. /// - /// - Parameter GetDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainsInput`) /// - /// - Returns: `GetDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7182,7 +7091,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainsOutput.httpOutput(from:), GetDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7217,9 +7125,9 @@ extension LightsailClient { /// /// Returns all export snapshot records created as a result of the export snapshot operation. An export snapshot record can be used to create a new Amazon EC2 instance and its related resources with the [CreateCloudFormationStack](https://docs.aws.amazon.com/lightsail/2016-11-28/api-reference/API_CreateCloudFormationStack.html) action. /// - /// - Parameter GetExportSnapshotRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExportSnapshotRecordsInput`) /// - /// - Returns: `GetExportSnapshotRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExportSnapshotRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7258,7 +7166,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExportSnapshotRecordsOutput.httpOutput(from:), GetExportSnapshotRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7293,9 +7200,9 @@ extension LightsailClient { /// /// Returns information about a specific Amazon Lightsail instance, which is a virtual private server. /// - /// - Parameter GetInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceInput`) /// - /// - Returns: `GetInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7334,7 +7241,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceOutput.httpOutput(from:), GetInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7369,9 +7275,9 @@ extension LightsailClient { /// /// Returns temporary SSH keys you can use to connect to a specific virtual private server, or instance. The get instance access details operation supports tag-based access control via resource tags applied to the resource identified by instance name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter GetInstanceAccessDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceAccessDetailsInput`) /// - /// - Returns: `GetInstanceAccessDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceAccessDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7410,7 +7316,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceAccessDetailsOutput.httpOutput(from:), GetInstanceAccessDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7445,9 +7350,9 @@ extension LightsailClient { /// /// Returns the data points for the specified Amazon Lightsail instance metric, given an instance name. Metrics report the utilization of your resources, and the error counts generated by them. Monitor and collect metric data regularly to maintain the reliability, availability, and performance of your resources. /// - /// - Parameter GetInstanceMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceMetricDataInput`) /// - /// - Returns: `GetInstanceMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7486,7 +7391,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceMetricDataOutput.httpOutput(from:), GetInstanceMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7521,9 +7425,9 @@ extension LightsailClient { /// /// Returns the firewall port states for a specific Amazon Lightsail instance, the IP addresses allowed to connect to the instance through the ports, and the protocol. /// - /// - Parameter GetInstancePortStatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstancePortStatesInput`) /// - /// - Returns: `GetInstancePortStatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstancePortStatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7562,7 +7466,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstancePortStatesOutput.httpOutput(from:), GetInstancePortStatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7597,9 +7500,9 @@ extension LightsailClient { /// /// Returns information about a specific instance snapshot. /// - /// - Parameter GetInstanceSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceSnapshotInput`) /// - /// - Returns: `GetInstanceSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7638,7 +7541,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceSnapshotOutput.httpOutput(from:), GetInstanceSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7673,9 +7575,9 @@ extension LightsailClient { /// /// Returns all instance snapshots for the user's account. /// - /// - Parameter GetInstanceSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceSnapshotsInput`) /// - /// - Returns: `GetInstanceSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7714,7 +7616,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceSnapshotsOutput.httpOutput(from:), GetInstanceSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7749,9 +7650,9 @@ extension LightsailClient { /// /// Returns the state of a specific instance. Works on one instance at a time. /// - /// - Parameter GetInstanceStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceStateInput`) /// - /// - Returns: `GetInstanceStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7790,7 +7691,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceStateOutput.httpOutput(from:), GetInstanceStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7825,9 +7725,9 @@ extension LightsailClient { /// /// Returns information about all Amazon Lightsail virtual private servers, or instances. /// - /// - Parameter GetInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstancesInput`) /// - /// - Returns: `GetInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7866,7 +7766,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstancesOutput.httpOutput(from:), GetInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7901,9 +7800,9 @@ extension LightsailClient { /// /// Returns information about a specific key pair. /// - /// - Parameter GetKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKeyPairInput`) /// - /// - Returns: `GetKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKeyPairOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7942,7 +7841,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKeyPairOutput.httpOutput(from:), GetKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7977,9 +7875,9 @@ extension LightsailClient { /// /// Returns information about all key pairs in the user's account. /// - /// - Parameter GetKeyPairsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKeyPairsInput`) /// - /// - Returns: `GetKeyPairsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKeyPairsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8018,7 +7916,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKeyPairsOutput.httpOutput(from:), GetKeyPairsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8053,9 +7950,9 @@ extension LightsailClient { /// /// Returns information about the specified Lightsail load balancer. /// - /// - Parameter GetLoadBalancerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoadBalancerInput`) /// - /// - Returns: `GetLoadBalancerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoadBalancerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8094,7 +7991,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoadBalancerOutput.httpOutput(from:), GetLoadBalancerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8129,9 +8025,9 @@ extension LightsailClient { /// /// Returns information about health metrics for your Lightsail load balancer. Metrics report the utilization of your resources, and the error counts generated by them. Monitor and collect metric data regularly to maintain the reliability, availability, and performance of your resources. /// - /// - Parameter GetLoadBalancerMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoadBalancerMetricDataInput`) /// - /// - Returns: `GetLoadBalancerMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoadBalancerMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8170,7 +8066,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoadBalancerMetricDataOutput.httpOutput(from:), GetLoadBalancerMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8205,9 +8100,9 @@ extension LightsailClient { /// /// Returns information about the TLS certificates that are associated with the specified Lightsail load balancer. TLS is just an updated, more secure version of Secure Socket Layer (SSL). You can have a maximum of 2 certificates associated with a Lightsail load balancer. One is active and the other is inactive. /// - /// - Parameter GetLoadBalancerTlsCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoadBalancerTlsCertificatesInput`) /// - /// - Returns: `GetLoadBalancerTlsCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoadBalancerTlsCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8246,7 +8141,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoadBalancerTlsCertificatesOutput.httpOutput(from:), GetLoadBalancerTlsCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8281,9 +8175,9 @@ extension LightsailClient { /// /// Returns a list of TLS security policies that you can apply to Lightsail load balancers. For more information about load balancer TLS security policies, see [Configuring TLS security policies on your Amazon Lightsail load balancers](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-configure-load-balancer-tls-security-policy) in the Amazon Lightsail Developer Guide. /// - /// - Parameter GetLoadBalancerTlsPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoadBalancerTlsPoliciesInput`) /// - /// - Returns: `GetLoadBalancerTlsPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoadBalancerTlsPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8320,7 +8214,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoadBalancerTlsPoliciesOutput.httpOutput(from:), GetLoadBalancerTlsPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8355,9 +8248,9 @@ extension LightsailClient { /// /// Returns information about all load balancers in an account. /// - /// - Parameter GetLoadBalancersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoadBalancersInput`) /// - /// - Returns: `GetLoadBalancersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoadBalancersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8396,7 +8289,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoadBalancersOutput.httpOutput(from:), GetLoadBalancersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8431,9 +8323,9 @@ extension LightsailClient { /// /// Returns information about a specific operation. Operations include events such as when you create an instance, allocate a static IP, attach a static IP, and so on. /// - /// - Parameter GetOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOperationInput`) /// - /// - Returns: `GetOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8472,7 +8364,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOperationOutput.httpOutput(from:), GetOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8507,9 +8398,9 @@ extension LightsailClient { /// /// Returns information about all operations. Results are returned from oldest to newest, up to a maximum of 200. Results can be paged by making each subsequent call to GetOperations use the maximum (last) statusChangedAt value from the previous request. /// - /// - Parameter GetOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOperationsInput`) /// - /// - Returns: `GetOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8548,7 +8439,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOperationsOutput.httpOutput(from:), GetOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8583,9 +8473,9 @@ extension LightsailClient { /// /// Gets operations for a specific resource (an instance or a static IP). /// - /// - Parameter GetOperationsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOperationsForResourceInput`) /// - /// - Returns: `GetOperationsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOperationsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8624,7 +8514,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOperationsForResourceOutput.httpOutput(from:), GetOperationsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8659,9 +8548,9 @@ extension LightsailClient { /// /// Returns a list of all valid regions for Amazon Lightsail. Use the include availability zones parameter to also return the Availability Zones in a region. /// - /// - Parameter GetRegionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegionsInput`) /// - /// - Returns: `GetRegionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8700,7 +8589,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegionsOutput.httpOutput(from:), GetRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8735,9 +8623,9 @@ extension LightsailClient { /// /// Returns information about a specific database in Amazon Lightsail. /// - /// - Parameter GetRelationalDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseInput`) /// - /// - Returns: `GetRelationalDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8776,7 +8664,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseOutput.httpOutput(from:), GetRelationalDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8811,9 +8698,9 @@ extension LightsailClient { /// /// Returns a list of available database blueprints in Amazon Lightsail. A blueprint describes the major engine version of a database. You can use a blueprint ID to create a new database that runs a specific database engine. /// - /// - Parameter GetRelationalDatabaseBlueprintsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseBlueprintsInput`) /// - /// - Returns: `GetRelationalDatabaseBlueprintsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseBlueprintsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8852,7 +8739,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseBlueprintsOutput.httpOutput(from:), GetRelationalDatabaseBlueprintsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8887,9 +8773,9 @@ extension LightsailClient { /// /// Returns the list of bundles that are available in Amazon Lightsail. A bundle describes the performance specifications for a database. You can use a bundle ID to create a new database with explicit performance specifications. /// - /// - Parameter GetRelationalDatabaseBundlesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseBundlesInput`) /// - /// - Returns: `GetRelationalDatabaseBundlesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseBundlesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8928,7 +8814,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseBundlesOutput.httpOutput(from:), GetRelationalDatabaseBundlesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8963,9 +8848,9 @@ extension LightsailClient { /// /// Returns a list of events for a specific database in Amazon Lightsail. /// - /// - Parameter GetRelationalDatabaseEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseEventsInput`) /// - /// - Returns: `GetRelationalDatabaseEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9004,7 +8889,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseEventsOutput.httpOutput(from:), GetRelationalDatabaseEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9039,9 +8923,9 @@ extension LightsailClient { /// /// Returns a list of log events for a database in Amazon Lightsail. /// - /// - Parameter GetRelationalDatabaseLogEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseLogEventsInput`) /// - /// - Returns: `GetRelationalDatabaseLogEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseLogEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9080,7 +8964,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseLogEventsOutput.httpOutput(from:), GetRelationalDatabaseLogEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9115,9 +8998,9 @@ extension LightsailClient { /// /// Returns a list of available log streams for a specific database in Amazon Lightsail. /// - /// - Parameter GetRelationalDatabaseLogStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseLogStreamsInput`) /// - /// - Returns: `GetRelationalDatabaseLogStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseLogStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9156,7 +9039,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseLogStreamsOutput.httpOutput(from:), GetRelationalDatabaseLogStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9191,9 +9073,9 @@ extension LightsailClient { /// /// Returns the current, previous, or pending versions of the master user password for a Lightsail database. The GetRelationalDatabaseMasterUserPassword operation supports tag-based access control via resource tags applied to the resource identified by relationalDatabaseName. /// - /// - Parameter GetRelationalDatabaseMasterUserPasswordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseMasterUserPasswordInput`) /// - /// - Returns: `GetRelationalDatabaseMasterUserPasswordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseMasterUserPasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9232,7 +9114,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseMasterUserPasswordOutput.httpOutput(from:), GetRelationalDatabaseMasterUserPasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9267,9 +9148,9 @@ extension LightsailClient { /// /// Returns the data points of the specified metric for a database in Amazon Lightsail. Metrics report the utilization of your resources, and the error counts generated by them. Monitor and collect metric data regularly to maintain the reliability, availability, and performance of your resources. /// - /// - Parameter GetRelationalDatabaseMetricDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseMetricDataInput`) /// - /// - Returns: `GetRelationalDatabaseMetricDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9308,7 +9189,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseMetricDataOutput.httpOutput(from:), GetRelationalDatabaseMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9343,9 +9223,9 @@ extension LightsailClient { /// /// Returns all of the runtime parameters offered by the underlying database software, or engine, for a specific database in Amazon Lightsail. In addition to the parameter names and values, this operation returns other information about each parameter. This information includes whether changes require a reboot, whether the parameter is modifiable, the allowed values, and the data types. /// - /// - Parameter GetRelationalDatabaseParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseParametersInput`) /// - /// - Returns: `GetRelationalDatabaseParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9384,7 +9264,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseParametersOutput.httpOutput(from:), GetRelationalDatabaseParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9419,9 +9298,9 @@ extension LightsailClient { /// /// Returns information about a specific database snapshot in Amazon Lightsail. /// - /// - Parameter GetRelationalDatabaseSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseSnapshotInput`) /// - /// - Returns: `GetRelationalDatabaseSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9460,7 +9339,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseSnapshotOutput.httpOutput(from:), GetRelationalDatabaseSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9495,9 +9373,9 @@ extension LightsailClient { /// /// Returns information about all of your database snapshots in Amazon Lightsail. /// - /// - Parameter GetRelationalDatabaseSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabaseSnapshotsInput`) /// - /// - Returns: `GetRelationalDatabaseSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabaseSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9536,7 +9414,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabaseSnapshotsOutput.httpOutput(from:), GetRelationalDatabaseSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9571,9 +9448,9 @@ extension LightsailClient { /// /// Returns information about all of your databases in Amazon Lightsail. /// - /// - Parameter GetRelationalDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelationalDatabasesInput`) /// - /// - Returns: `GetRelationalDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelationalDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9612,7 +9489,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelationalDatabasesOutput.httpOutput(from:), GetRelationalDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9647,9 +9523,9 @@ extension LightsailClient { /// /// Returns detailed information for five of the most recent SetupInstanceHttps requests that were ran on the target instance. /// - /// - Parameter GetSetupHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSetupHistoryInput`) /// - /// - Returns: `GetSetupHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSetupHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9686,7 +9562,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSetupHistoryOutput.httpOutput(from:), GetSetupHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9721,9 +9596,9 @@ extension LightsailClient { /// /// Returns information about an Amazon Lightsail static IP. /// - /// - Parameter GetStaticIpInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStaticIpInput`) /// - /// - Returns: `GetStaticIpOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStaticIpOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9762,7 +9637,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStaticIpOutput.httpOutput(from:), GetStaticIpOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9797,9 +9671,9 @@ extension LightsailClient { /// /// Returns information about all static IPs in the user's account. /// - /// - Parameter GetStaticIpsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStaticIpsInput`) /// - /// - Returns: `GetStaticIpsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStaticIpsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9838,7 +9712,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStaticIpsOutput.httpOutput(from:), GetStaticIpsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9873,9 +9746,9 @@ extension LightsailClient { /// /// Imports a public SSH key from a specific key pair. /// - /// - Parameter ImportKeyPairInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportKeyPairInput`) /// - /// - Returns: `ImportKeyPairOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportKeyPairOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9914,7 +9787,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportKeyPairOutput.httpOutput(from:), ImportKeyPairOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9949,9 +9821,9 @@ extension LightsailClient { /// /// Returns a Boolean value indicating whether your Lightsail VPC is peered. /// - /// - Parameter IsVpcPeeredInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `IsVpcPeeredInput`) /// - /// - Returns: `IsVpcPeeredOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IsVpcPeeredOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9990,7 +9862,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IsVpcPeeredOutput.httpOutput(from:), IsVpcPeeredOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10025,9 +9896,9 @@ extension LightsailClient { /// /// Opens ports for a specific Amazon Lightsail instance, and specifies the IP addresses allowed to connect to the instance through the ports, and the protocol. The OpenInstancePublicPorts action supports tag-based access control via resource tags applied to the resource identified by instanceName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter OpenInstancePublicPortsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `OpenInstancePublicPortsInput`) /// - /// - Returns: `OpenInstancePublicPortsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `OpenInstancePublicPortsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10066,7 +9937,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(OpenInstancePublicPortsOutput.httpOutput(from:), OpenInstancePublicPortsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10101,9 +9971,9 @@ extension LightsailClient { /// /// Peers the Lightsail VPC with the user's default VPC. /// - /// - Parameter PeerVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PeerVpcInput`) /// - /// - Returns: `PeerVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PeerVpcOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10142,7 +10012,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PeerVpcOutput.httpOutput(from:), PeerVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10177,9 +10046,9 @@ extension LightsailClient { /// /// Creates or updates an alarm, and associates it with the specified metric. An alarm is used to monitor a single metric for one of your resources. When a metric condition is met, the alarm can notify you by email, SMS text message, and a banner displayed on the Amazon Lightsail console. For more information, see [Alarms in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-alarms). When this action creates an alarm, the alarm state is immediately set to INSUFFICIENT_DATA. The alarm is then evaluated and its state is set appropriately. Any actions associated with the new state are then executed. When you update an existing alarm, its state is left unchanged, but the update completely overwrites the previous configuration of the alarm. The alarm is then evaluated with the updated configuration. /// - /// - Parameter PutAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAlarmInput`) /// - /// - Returns: `PutAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10217,7 +10086,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAlarmOutput.httpOutput(from:), PutAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10252,9 +10120,9 @@ extension LightsailClient { /// /// Opens ports for a specific Amazon Lightsail instance, and specifies the IP addresses allowed to connect to the instance through the ports, and the protocol. This action also closes all currently open ports that are not included in the request. Include all of the ports and the protocols you want to open in your PutInstancePublicPortsrequest. Or use the OpenInstancePublicPorts action to open ports without closing currently open ports. The PutInstancePublicPorts action supports tag-based access control via resource tags applied to the resource identified by instanceName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter PutInstancePublicPortsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutInstancePublicPortsInput`) /// - /// - Returns: `PutInstancePublicPortsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutInstancePublicPortsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10293,7 +10161,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutInstancePublicPortsOutput.httpOutput(from:), PutInstancePublicPortsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10328,9 +10195,9 @@ extension LightsailClient { /// /// Restarts a specific instance. The reboot instance operation supports tag-based access control via resource tags applied to the resource identified by instance name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter RebootInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootInstanceInput`) /// - /// - Returns: `RebootInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10369,7 +10236,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootInstanceOutput.httpOutput(from:), RebootInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10404,9 +10270,9 @@ extension LightsailClient { /// /// Restarts a specific database in Amazon Lightsail. The reboot relational database operation supports tag-based access control via resource tags applied to the resource identified by relationalDatabaseName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter RebootRelationalDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootRelationalDatabaseInput`) /// - /// - Returns: `RebootRelationalDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootRelationalDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10445,7 +10311,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootRelationalDatabaseOutput.httpOutput(from:), RebootRelationalDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10480,9 +10345,9 @@ extension LightsailClient { /// /// Registers a container image to your Amazon Lightsail container service. This action is not required if you install and use the Lightsail Control (lightsailctl) plugin to push container images to your Lightsail container service. For more information, see [Pushing and managing container images on your Amazon Lightsail container services](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-pushing-container-images) in the Amazon Lightsail Developer Guide. /// - /// - Parameter RegisterContainerImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterContainerImageInput`) /// - /// - Returns: `RegisterContainerImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterContainerImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10519,7 +10384,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterContainerImageOutput.httpOutput(from:), RegisterContainerImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10554,9 +10418,9 @@ extension LightsailClient { /// /// Deletes a specific static IP from your account. /// - /// - Parameter ReleaseStaticIpInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReleaseStaticIpInput`) /// - /// - Returns: `ReleaseStaticIpOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReleaseStaticIpOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10595,7 +10459,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReleaseStaticIpOutput.httpOutput(from:), ReleaseStaticIpOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10630,9 +10493,9 @@ extension LightsailClient { /// /// Deletes currently cached content from your Amazon Lightsail content delivery network (CDN) distribution. After resetting the cache, the next time a content request is made, your distribution pulls, serves, and caches it from the origin. /// - /// - Parameter ResetDistributionCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetDistributionCacheInput`) /// - /// - Returns: `ResetDistributionCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetDistributionCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10669,7 +10532,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetDistributionCacheOutput.httpOutput(from:), ResetDistributionCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10704,9 +10566,9 @@ extension LightsailClient { /// /// Sends a verification request to an email contact method to ensure it's owned by the requester. SMS contact methods don't need to be verified. A contact method is used to send you notifications about your Amazon Lightsail resources. You can add one email address and one mobile phone number contact method in each Amazon Web Services Region. However, SMS text messaging is not supported in some Amazon Web Services Regions, and SMS text messages cannot be sent to some countries/regions. For more information, see [Notifications in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-notifications). A verification request is sent to the contact method when you initially create it. Use this action to send another verification request if a previous verification request was deleted, or has expired. Notifications are not sent to an email contact method until after it is verified, and confirmed as valid. /// - /// - Parameter SendContactMethodVerificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendContactMethodVerificationInput`) /// - /// - Returns: `SendContactMethodVerificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendContactMethodVerificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10744,7 +10606,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendContactMethodVerificationOutput.httpOutput(from:), SendContactMethodVerificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10779,9 +10640,9 @@ extension LightsailClient { /// /// Sets the IP address type for an Amazon Lightsail resource. Use this action to enable dual-stack for a resource, which enables IPv4 and IPv6 for the specified resource. Alternately, you can use this action to disable dual-stack, and enable IPv4 only. /// - /// - Parameter SetIpAddressTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetIpAddressTypeInput`) /// - /// - Returns: `SetIpAddressTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetIpAddressTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10820,7 +10681,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetIpAddressTypeOutput.httpOutput(from:), SetIpAddressTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10855,9 +10715,9 @@ extension LightsailClient { /// /// Sets the Amazon Lightsail resources that can access the specified Lightsail bucket. Lightsail buckets currently support setting access for Lightsail instances in the same Amazon Web Services Region. /// - /// - Parameter SetResourceAccessForBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetResourceAccessForBucketInput`) /// - /// - Returns: `SetResourceAccessForBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetResourceAccessForBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10894,7 +10754,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetResourceAccessForBucketOutput.httpOutput(from:), SetResourceAccessForBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10929,9 +10788,9 @@ extension LightsailClient { /// /// Creates an SSL/TLS certificate that secures traffic for your website. After the certificate is created, it is installed on the specified Lightsail instance. If you provide more than one domain name in the request, at least one name must be less than or equal to 63 characters in length. /// - /// - Parameter SetupInstanceHttpsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetupInstanceHttpsInput`) /// - /// - Returns: `SetupInstanceHttpsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetupInstanceHttpsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10968,7 +10827,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetupInstanceHttpsOutput.httpOutput(from:), SetupInstanceHttpsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11003,9 +10861,9 @@ extension LightsailClient { /// /// Initiates a graphical user interface (GUI) session that’s used to access a virtual computer’s operating system and application. The session will be active for 1 hour. Use this action to resume the session after it expires. /// - /// - Parameter StartGUISessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartGUISessionInput`) /// - /// - Returns: `StartGUISessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartGUISessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11042,7 +10900,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartGUISessionOutput.httpOutput(from:), StartGUISessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11077,9 +10934,9 @@ extension LightsailClient { /// /// Starts a specific Amazon Lightsail instance from a stopped state. To restart an instance, use the reboot instance operation. When you start a stopped instance, Lightsail assigns a new public IP address to the instance. To use the same IP address after stopping and starting an instance, create a static IP address and attach it to the instance. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/lightsail-create-static-ip). The start instance operation supports tag-based access control via resource tags applied to the resource identified by instance name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter StartInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartInstanceInput`) /// - /// - Returns: `StartInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11118,7 +10975,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInstanceOutput.httpOutput(from:), StartInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11153,9 +11009,9 @@ extension LightsailClient { /// /// Starts a specific database from a stopped state in Amazon Lightsail. To restart a database, use the reboot relational database operation. The start relational database operation supports tag-based access control via resource tags applied to the resource identified by relationalDatabaseName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter StartRelationalDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRelationalDatabaseInput`) /// - /// - Returns: `StartRelationalDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRelationalDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11194,7 +11050,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRelationalDatabaseOutput.httpOutput(from:), StartRelationalDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11229,9 +11084,9 @@ extension LightsailClient { /// /// Terminates a web-based Amazon DCV session that’s used to access a virtual computer’s operating system or application. The session will close and any unsaved data will be lost. /// - /// - Parameter StopGUISessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopGUISessionInput`) /// - /// - Returns: `StopGUISessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopGUISessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11268,7 +11123,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopGUISessionOutput.httpOutput(from:), StopGUISessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11303,9 +11157,9 @@ extension LightsailClient { /// /// Stops a specific Amazon Lightsail instance that is currently running. When you start a stopped instance, Lightsail assigns a new public IP address to the instance. To use the same IP address after stopping and starting an instance, create a static IP address and attach it to the instance. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/lightsail-create-static-ip). The stop instance operation supports tag-based access control via resource tags applied to the resource identified by instance name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter StopInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopInstanceInput`) /// - /// - Returns: `StopInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11344,7 +11198,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopInstanceOutput.httpOutput(from:), StopInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11379,9 +11232,9 @@ extension LightsailClient { /// /// Stops a specific database that is currently running in Amazon Lightsail. If you don't manually start your database instance after it has been stopped for seven consecutive days, Amazon Lightsail automatically starts it for you. This action helps ensure that your database instance doesn't fall behind on any required maintenance updates. The stop relational database operation supports tag-based access control via resource tags applied to the resource identified by relationalDatabaseName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter StopRelationalDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopRelationalDatabaseInput`) /// - /// - Returns: `StopRelationalDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopRelationalDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11420,7 +11273,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopRelationalDatabaseOutput.httpOutput(from:), StopRelationalDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11455,9 +11307,9 @@ extension LightsailClient { /// /// Adds one or more tags to the specified Amazon Lightsail resource. 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 the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-tags). The tag resource operation supports tag-based access control via request tags and resource tags applied to the resource identified by resource name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11496,7 +11348,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11531,9 +11382,9 @@ extension LightsailClient { /// /// Tests an alarm by displaying a banner on the Amazon Lightsail console. If a notification trigger is configured for the specified alarm, the test also sends a notification to the notification protocol (Email and/or SMS) configured for the alarm. An alarm is used to monitor a single metric for one of your resources. When a metric condition is met, the alarm can notify you by email, SMS text message, and a banner displayed on the Amazon Lightsail console. For more information, see [Alarms in Amazon Lightsail](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-alarms). /// - /// - Parameter TestAlarmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestAlarmInput`) /// - /// - Returns: `TestAlarmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestAlarmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11572,7 +11423,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestAlarmOutput.httpOutput(from:), TestAlarmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11607,9 +11457,9 @@ extension LightsailClient { /// /// Unpeers the Lightsail VPC from the user's default VPC. /// - /// - Parameter UnpeerVpcInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnpeerVpcInput`) /// - /// - Returns: `UnpeerVpcOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnpeerVpcOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11648,7 +11498,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnpeerVpcOutput.httpOutput(from:), UnpeerVpcOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11683,9 +11532,9 @@ extension LightsailClient { /// /// Deletes the specified set of tag keys and their values from the specified Amazon Lightsail resource. The untag resource operation supports tag-based access control via request tags and resource tags applied to the resource identified by resource name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11724,7 +11573,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11759,9 +11607,9 @@ extension LightsailClient { /// /// Updates an existing Amazon Lightsail bucket. Use this action to update the configuration of an existing bucket, such as versioning, public accessibility, and the Amazon Web Services accounts that can access the bucket. /// - /// - Parameter UpdateBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBucketInput`) /// - /// - Returns: `UpdateBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11798,7 +11646,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBucketOutput.httpOutput(from:), UpdateBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11833,9 +11680,9 @@ extension LightsailClient { /// /// Updates the bundle, or storage plan, of an existing Amazon Lightsail bucket. A bucket bundle specifies the monthly cost, storage space, and data transfer quota for a bucket. You can update a bucket's bundle only one time within a monthly Amazon Web Services billing cycle. To determine if you can update a bucket's bundle, use the [GetBuckets](https://docs.aws.amazon.com/lightsail/2016-11-28/api-reference/API_GetBuckets.html) action. The ableToUpdateBundle parameter in the response will indicate whether you can currently update a bucket's bundle. Update a bucket's bundle if it's consistently going over its storage space or data transfer quota, or if a bucket's usage is consistently in the lower range of its storage space or data transfer quota. Due to the unpredictable usage fluctuations that a bucket might experience, we strongly recommend that you update a bucket's bundle only as a long-term strategy, instead of as a short-term, monthly cost-cutting measure. Choose a bucket bundle that will provide the bucket with ample storage space and data transfer for a long time to come. /// - /// - Parameter UpdateBucketBundleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBucketBundleInput`) /// - /// - Returns: `UpdateBucketBundleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBucketBundleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11872,7 +11719,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBucketBundleOutput.httpOutput(from:), UpdateBucketBundleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11907,9 +11753,9 @@ extension LightsailClient { /// /// Updates the configuration of your Amazon Lightsail container service, such as its power, scale, and public domain names. /// - /// - Parameter UpdateContainerServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContainerServiceInput`) /// - /// - Returns: `UpdateContainerServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContainerServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11946,7 +11792,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContainerServiceOutput.httpOutput(from:), UpdateContainerServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11981,9 +11826,9 @@ extension LightsailClient { /// /// Updates an existing Amazon Lightsail content delivery network (CDN) distribution. Use this action to update the configuration of your existing distribution. /// - /// - Parameter UpdateDistributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDistributionInput`) /// - /// - Returns: `UpdateDistributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDistributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12020,7 +11865,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDistributionOutput.httpOutput(from:), UpdateDistributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12055,9 +11899,9 @@ extension LightsailClient { /// /// Updates the bundle of your Amazon Lightsail content delivery network (CDN) distribution. A distribution bundle specifies the monthly network transfer quota and monthly cost of your distribution. Update your distribution's bundle if your distribution is going over its monthly network transfer quota and is incurring an overage fee. You can update your distribution's bundle only one time within your monthly Amazon Web Services billing cycle. To determine if you can update your distribution's bundle, use the GetDistributions action. The ableToUpdateBundle parameter in the result will indicate whether you can currently update your distribution's bundle. /// - /// - Parameter UpdateDistributionBundleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDistributionBundleInput`) /// - /// - Returns: `UpdateDistributionBundleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDistributionBundleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12094,7 +11938,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDistributionBundleOutput.httpOutput(from:), UpdateDistributionBundleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12129,9 +11972,9 @@ extension LightsailClient { /// /// Updates a domain recordset after it is created. The update domain entry operation supports tag-based access control via resource tags applied to the resource identified by domain name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter UpdateDomainEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDomainEntryInput`) /// - /// - Returns: `UpdateDomainEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12170,7 +12013,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainEntryOutput.httpOutput(from:), UpdateDomainEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12205,9 +12047,9 @@ extension LightsailClient { /// /// Modifies the Amazon Lightsail instance metadata parameters on a running or stopped instance. When you modify the parameters on a running instance, the GetInstance or GetInstances API operation initially responds with a state of pending. After the parameter modifications are successfully applied, the state changes to applied in subsequent GetInstance or GetInstances API calls. For more information, see [Use IMDSv2 with an Amazon Lightsail instance](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-configuring-instance-metadata-service) in the Amazon Lightsail Developer Guide. /// - /// - Parameter UpdateInstanceMetadataOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInstanceMetadataOptionsInput`) /// - /// - Returns: `UpdateInstanceMetadataOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInstanceMetadataOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12246,7 +12088,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInstanceMetadataOptionsOutput.httpOutput(from:), UpdateInstanceMetadataOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12281,9 +12122,9 @@ extension LightsailClient { /// /// Updates the specified attribute for a load balancer. You can only update one attribute at a time. The update load balancer attribute operation supports tag-based access control via resource tags applied to the resource identified by load balancer name. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter UpdateLoadBalancerAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLoadBalancerAttributeInput`) /// - /// - Returns: `UpdateLoadBalancerAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLoadBalancerAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12322,7 +12163,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLoadBalancerAttributeOutput.httpOutput(from:), UpdateLoadBalancerAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12357,9 +12197,9 @@ extension LightsailClient { /// /// Allows the update of one or more attributes of a database in Amazon Lightsail. Updates are applied immediately, or in cases where the updates could result in an outage, are applied during the database's predefined maintenance window. The update relational database operation supports tag-based access control via resource tags applied to the resource identified by relationalDatabaseName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter UpdateRelationalDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRelationalDatabaseInput`) /// - /// - Returns: `UpdateRelationalDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRelationalDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12398,7 +12238,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRelationalDatabaseOutput.httpOutput(from:), UpdateRelationalDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12433,9 +12272,9 @@ extension LightsailClient { /// /// Allows the update of one or more parameters of a database in Amazon Lightsail. Parameter updates don't cause outages; therefore, their application is not subject to the preferred maintenance window. However, there are two ways in which parameter updates are applied: dynamic or pending-reboot. Parameters marked with a dynamic apply type are applied immediately. Parameters marked with a pending-reboot apply type are applied only after the database is rebooted using the reboot relational database operation. The update relational database parameters operation supports tag-based access control via resource tags applied to the resource identified by relationalDatabaseName. For more information, see the [Amazon Lightsail Developer Guide](https://docs.aws.amazon.com/lightsail/latest/userguide/amazon-lightsail-controlling-access-using-tags). /// - /// - Parameter UpdateRelationalDatabaseParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRelationalDatabaseParametersInput`) /// - /// - Returns: `UpdateRelationalDatabaseParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRelationalDatabaseParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12474,7 +12313,6 @@ extension LightsailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRelationalDatabaseParametersOutput.httpOutput(from:), UpdateRelationalDatabaseParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLocation/Sources/AWSLocation/LocationClient.swift b/Sources/Services/AWSLocation/Sources/AWSLocation/LocationClient.swift index c34b601c1d9..c97e4e73cf3 100644 --- a/Sources/Services/AWSLocation/Sources/AWSLocation/LocationClient.swift +++ b/Sources/Services/AWSLocation/Sources/AWSLocation/LocationClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LocationClient: ClientRuntime.Client { public static let clientName = "LocationClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LocationClient.LocationClientConfiguration let serviceName = "Location" @@ -374,9 +373,9 @@ extension LocationClient { /// /// Creates an association between a geofence collection and a tracker resource. This allows the tracker resource to communicate location data to the linked geofence collection. You can associate up to five geofence collections to each tracker resource. Currently not supported — Cross-account configurations, such as creating associations between a tracker resource in one account and a geofence collection in another account. /// - /// - Parameter AssociateTrackerConsumerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTrackerConsumerInput`) /// - /// - Returns: `AssociateTrackerConsumerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTrackerConsumerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTrackerConsumerOutput.httpOutput(from:), AssociateTrackerConsumerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension LocationClient { /// /// Deletes the position history of one or more devices from a tracker resource. /// - /// - Parameter BatchDeleteDevicePositionHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteDevicePositionHistoryInput`) /// - /// - Returns: `BatchDeleteDevicePositionHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteDevicePositionHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteDevicePositionHistoryOutput.httpOutput(from:), BatchDeleteDevicePositionHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension LocationClient { /// /// Deletes a batch of geofences from a geofence collection. This operation deletes the resource permanently. /// - /// - Parameter BatchDeleteGeofenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteGeofenceInput`) /// - /// - Returns: `BatchDeleteGeofenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteGeofenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteGeofenceOutput.httpOutput(from:), BatchDeleteGeofenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension LocationClient { /// /// The last geofence that a device was observed within is tracked for 30 days after the most recent device position update. Geofence evaluation uses the given device position. It does not account for the optional Accuracy of a DevicePositionUpdate. The DeviceID is used as a string to represent the device. You do not need to have a Tracker associated with the DeviceID. /// - /// - Parameter BatchEvaluateGeofencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchEvaluateGeofencesInput`) /// - /// - Returns: `BatchEvaluateGeofencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchEvaluateGeofencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -639,7 +635,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchEvaluateGeofencesOutput.httpOutput(from:), BatchEvaluateGeofencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -671,9 +666,9 @@ extension LocationClient { /// /// Lists the latest device positions for requested devices. /// - /// - Parameter BatchGetDevicePositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetDevicePositionInput`) /// - /// - Returns: `BatchGetDevicePositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetDevicePositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetDevicePositionOutput.httpOutput(from:), BatchGetDevicePositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension LocationClient { /// /// A batch request for storing geofence geometries into a given geofence collection, or updates the geometry of an existing geofence if a geofence ID is included in the request. /// - /// - Parameter BatchPutGeofenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutGeofenceInput`) /// - /// - Returns: `BatchPutGeofenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutGeofenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -783,7 +777,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutGeofenceOutput.httpOutput(from:), BatchPutGeofenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -815,9 +808,9 @@ extension LocationClient { /// /// Uploads position update data for one or more devices to a tracker resource (up to 10 devices per batch). Amazon Location uses the data when it reports the last known device position and position history. Amazon Location retains location data for 30 days. Position updates are handled based on the PositionFiltering property of the tracker. When PositionFiltering is set to TimeBased, updates are evaluated against linked geofence collections, and location data is stored at a maximum of one position per 30 second interval. If your update frequency is more often than every 30 seconds, only one update per 30 seconds is stored for each unique device ID. When PositionFiltering is set to DistanceBased filtering, location data is stored and evaluated against linked geofence collections only if the device has moved more than 30 m (98.4 ft). When PositionFiltering is set to AccuracyBased filtering, location data is stored and evaluated against linked geofence collections only if the device has moved more than the measured accuracy. For example, if two consecutive updates from a device have a horizontal accuracy of 5 m and 10 m, the second update is neither stored or evaluated if the device has moved less than 15 m. If PositionFiltering is set to AccuracyBased filtering, Amazon Location uses the default value { "Horizontal": 0} when accuracy is not provided on a DevicePositionUpdate. /// - /// - Parameter BatchUpdateDevicePositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateDevicePositionInput`) /// - /// - Returns: `BatchUpdateDevicePositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateDevicePositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -855,7 +848,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateDevicePositionOutput.httpOutput(from:), BatchUpdateDevicePositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -891,9 +883,9 @@ extension LocationClient { /// /// * [Specifying a travel mode](https://docs.aws.amazon.com/location/previous/developerguide/travel-mode.html) using TravelMode sets the transportation mode used to calculate the routes. This also lets you specify additional route preferences in CarModeOptions if traveling by Car, or TruckModeOptions if traveling by Truck. If you specify walking for the travel mode and your data provider is Esri, the start and destination must be within 40km. /// - /// - Parameter CalculateRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CalculateRouteInput`) /// - /// - Returns: `CalculateRouteOutput` : Returns the result of the route calculation. Metadata includes legs and route summary. + /// - Returns: Returns the result of the route calculation. Metadata includes legs and route summary. (Type: `CalculateRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -932,7 +924,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CalculateRouteOutput.httpOutput(from:), CalculateRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -968,9 +959,9 @@ extension LocationClient { /// /// * [Specifying a travel mode](https://docs.aws.amazon.com/location/previous/developerguide/travel-mode.html) using TravelMode sets the transportation mode used to calculate the routes. This also lets you specify additional route preferences in CarModeOptions if traveling by Car, or TruckModeOptions if traveling by Truck. /// - /// - Parameter CalculateRouteMatrixInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CalculateRouteMatrixInput`) /// - /// - Returns: `CalculateRouteMatrixOutput` : Returns the result of the route matrix calculation. + /// - Returns: Returns the result of the route matrix calculation. (Type: `CalculateRouteMatrixOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1009,7 +1000,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CalculateRouteMatrixOutput.httpOutput(from:), CalculateRouteMatrixOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1041,9 +1031,9 @@ extension LocationClient { /// /// Creates a geofence collection, which manages and stores geofences. /// - /// - Parameter CreateGeofenceCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGeofenceCollectionInput`) /// - /// - Returns: `CreateGeofenceCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGeofenceCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1082,7 +1072,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGeofenceCollectionOutput.httpOutput(from:), CreateGeofenceCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1114,9 +1103,9 @@ extension LocationClient { /// /// Creates an API key resource in your Amazon Web Services account, which lets you grant actions for Amazon Location resources to the API key bearer. For more information, see [Using API keys](https://docs.aws.amazon.com/location/previous/developerguide/using-apikeys.html). /// - /// - Parameter CreateKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKeyInput`) /// - /// - Returns: `CreateKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1155,7 +1144,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKeyOutput.httpOutput(from:), CreateKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1187,9 +1175,9 @@ extension LocationClient { /// /// Creates a map resource in your Amazon Web Services account, which provides map tiles of different styles sourced from global location data providers. If your application is tracking or routing assets you use in your business, such as delivery vehicles or employees, you must not use Esri as your geolocation provider. See section 82 of the [Amazon Web Services service terms](http://aws.amazon.com/service-terms) for more details. /// - /// - Parameter CreateMapInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMapInput`) /// - /// - Returns: `CreateMapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1228,7 +1216,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMapOutput.httpOutput(from:), CreateMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1260,9 +1247,9 @@ extension LocationClient { /// /// Creates a place index resource in your Amazon Web Services account. Use a place index resource to geocode addresses and other text queries by using the SearchPlaceIndexForText operation, and reverse geocode coordinates by using the SearchPlaceIndexForPosition operation, and enable autosuggestions by using the SearchPlaceIndexForSuggestions operation. If your application is tracking or routing assets you use in your business, such as delivery vehicles or employees, you must not use Esri as your geolocation provider. See section 82 of the [Amazon Web Services service terms](http://aws.amazon.com/service-terms) for more details. /// - /// - Parameter CreatePlaceIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePlaceIndexInput`) /// - /// - Returns: `CreatePlaceIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePlaceIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1301,7 +1288,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePlaceIndexOutput.httpOutput(from:), CreatePlaceIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1333,9 +1319,9 @@ extension LocationClient { /// /// Creates a route calculator resource in your Amazon Web Services account. You can send requests to a route calculator resource to estimate travel time, distance, and get directions. A route calculator sources traffic and road network data from your chosen data provider. If your application is tracking or routing assets you use in your business, such as delivery vehicles or employees, you must not use Esri as your geolocation provider. See section 82 of the [Amazon Web Services service terms](http://aws.amazon.com/service-terms) for more details. /// - /// - Parameter CreateRouteCalculatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRouteCalculatorInput`) /// - /// - Returns: `CreateRouteCalculatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRouteCalculatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1374,7 +1360,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRouteCalculatorOutput.httpOutput(from:), CreateRouteCalculatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1406,9 +1391,9 @@ extension LocationClient { /// /// Creates a tracker resource in your Amazon Web Services account, which lets you retrieve current and historical location of devices. /// - /// - Parameter CreateTrackerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrackerInput`) /// - /// - Returns: `CreateTrackerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrackerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1447,7 +1432,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrackerOutput.httpOutput(from:), CreateTrackerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1479,9 +1463,9 @@ extension LocationClient { /// /// Deletes a geofence collection from your Amazon Web Services account. This operation deletes the resource permanently. If the geofence collection is the target of a tracker resource, the devices will no longer be monitored. /// - /// - Parameter DeleteGeofenceCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGeofenceCollectionInput`) /// - /// - Returns: `DeleteGeofenceCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGeofenceCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1516,7 +1500,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.geofencing.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGeofenceCollectionOutput.httpOutput(from:), DeleteGeofenceCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1548,9 +1531,9 @@ extension LocationClient { /// /// Deletes the specified API key. The API key must have been deactivated more than 90 days previously. /// - /// - Parameter DeleteKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKeyInput`) /// - /// - Returns: `DeleteKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1586,7 +1569,6 @@ extension LocationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteKeyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKeyOutput.httpOutput(from:), DeleteKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1618,9 +1600,9 @@ extension LocationClient { /// /// Deletes a map resource from your Amazon Web Services account. This operation deletes the resource permanently. If the map is being used in an application, the map may not render. /// - /// - Parameter DeleteMapInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMapInput`) /// - /// - Returns: `DeleteMapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1655,7 +1637,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.maps.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMapOutput.httpOutput(from:), DeleteMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1687,9 +1668,9 @@ extension LocationClient { /// /// Deletes a place index resource from your Amazon Web Services account. This operation deletes the resource permanently. /// - /// - Parameter DeletePlaceIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePlaceIndexInput`) /// - /// - Returns: `DeletePlaceIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePlaceIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1724,7 +1705,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.places.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePlaceIndexOutput.httpOutput(from:), DeletePlaceIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1756,9 +1736,9 @@ extension LocationClient { /// /// Deletes a route calculator resource from your Amazon Web Services account. This operation deletes the resource permanently. /// - /// - Parameter DeleteRouteCalculatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteCalculatorInput`) /// - /// - Returns: `DeleteRouteCalculatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteCalculatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1793,7 +1773,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.routes.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteCalculatorOutput.httpOutput(from:), DeleteRouteCalculatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1825,9 +1804,9 @@ extension LocationClient { /// /// Deletes a tracker resource from your Amazon Web Services account. This operation deletes the resource permanently. If the tracker resource is in use, you may encounter an error. Make sure that the target resource isn't a dependency for your applications. /// - /// - Parameter DeleteTrackerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrackerInput`) /// - /// - Returns: `DeleteTrackerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrackerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1862,7 +1841,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.tracking.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrackerOutput.httpOutput(from:), DeleteTrackerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1894,9 +1872,9 @@ extension LocationClient { /// /// Retrieves the geofence collection details. /// - /// - Parameter DescribeGeofenceCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGeofenceCollectionInput`) /// - /// - Returns: `DescribeGeofenceCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGeofenceCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1931,7 +1909,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.geofencing.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGeofenceCollectionOutput.httpOutput(from:), DescribeGeofenceCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1963,9 +1940,9 @@ extension LocationClient { /// /// Retrieves the API key resource details. /// - /// - Parameter DescribeKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeKeyInput`) /// - /// - Returns: `DescribeKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2000,7 +1977,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.metadata.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeKeyOutput.httpOutput(from:), DescribeKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2032,9 +2008,9 @@ extension LocationClient { /// /// Retrieves the map resource details. /// - /// - Parameter DescribeMapInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMapInput`) /// - /// - Returns: `DescribeMapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2069,7 +2045,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.maps.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMapOutput.httpOutput(from:), DescribeMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2101,9 +2076,9 @@ extension LocationClient { /// /// Retrieves the place index resource details. /// - /// - Parameter DescribePlaceIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePlaceIndexInput`) /// - /// - Returns: `DescribePlaceIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePlaceIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2138,7 +2113,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.places.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePlaceIndexOutput.httpOutput(from:), DescribePlaceIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2170,9 +2144,9 @@ extension LocationClient { /// /// Retrieves the route calculator resource details. /// - /// - Parameter DescribeRouteCalculatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRouteCalculatorInput`) /// - /// - Returns: `DescribeRouteCalculatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRouteCalculatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2207,7 +2181,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.routes.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRouteCalculatorOutput.httpOutput(from:), DescribeRouteCalculatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2239,9 +2212,9 @@ extension LocationClient { /// /// Retrieves the tracker resource details. /// - /// - Parameter DescribeTrackerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrackerInput`) /// - /// - Returns: `DescribeTrackerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrackerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2276,7 +2249,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.tracking.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrackerOutput.httpOutput(from:), DescribeTrackerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2308,9 +2280,9 @@ extension LocationClient { /// /// Removes the association between a tracker resource and a geofence collection. Once you unlink a tracker resource from a geofence collection, the tracker positions will no longer be automatically evaluated against geofences. /// - /// - Parameter DisassociateTrackerConsumerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTrackerConsumerInput`) /// - /// - Returns: `DisassociateTrackerConsumerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTrackerConsumerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2345,7 +2317,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.tracking.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTrackerConsumerOutput.httpOutput(from:), DisassociateTrackerConsumerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2377,9 +2348,9 @@ extension LocationClient { /// /// This action forecasts future geofence events that are likely to occur within a specified time horizon if a device continues moving at its current speed. Each forecasted event is associated with a geofence from a provided geofence collection. A forecast event can have one of the following states: ENTER: The device position is outside the referenced geofence, but the device may cross into the geofence during the forecasting time horizon if it maintains its current speed. EXIT: The device position is inside the referenced geofence, but the device may leave the geofence during the forecasted time horizon if the device maintains it's current speed. IDLE:The device is inside the geofence, and it will remain inside the geofence through the end of the time horizon if the device maintains it's current speed. Heading direction is not considered in the current version. The API takes a conservative approach and includes events that can occur for any heading. /// - /// - Parameter ForecastGeofenceEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ForecastGeofenceEventsInput`) /// - /// - Returns: `ForecastGeofenceEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ForecastGeofenceEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2417,7 +2388,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ForecastGeofenceEventsOutput.httpOutput(from:), ForecastGeofenceEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2449,9 +2419,9 @@ extension LocationClient { /// /// Retrieves a device's most recent position according to its sample time. Device positions are deleted after 30 days. /// - /// - Parameter GetDevicePositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDevicePositionInput`) /// - /// - Returns: `GetDevicePositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDevicePositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2486,7 +2456,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "tracking.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDevicePositionOutput.httpOutput(from:), GetDevicePositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2518,9 +2487,9 @@ extension LocationClient { /// /// Retrieves the device position history from a tracker resource within a specified range of time. Device positions are deleted after 30 days. /// - /// - Parameter GetDevicePositionHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDevicePositionHistoryInput`) /// - /// - Returns: `GetDevicePositionHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDevicePositionHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2558,7 +2527,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDevicePositionHistoryOutput.httpOutput(from:), GetDevicePositionHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2590,9 +2558,9 @@ extension LocationClient { /// /// Retrieves the geofence details from a geofence collection. The returned geometry will always match the geometry format used when the geofence was created. /// - /// - Parameter GetGeofenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGeofenceInput`) /// - /// - Returns: `GetGeofenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGeofenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2627,7 +2595,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "geofencing.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGeofenceOutput.httpOutput(from:), GetGeofenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2659,9 +2626,9 @@ extension LocationClient { /// /// Retrieves glyphs used to display labels on a map. /// - /// - Parameter GetMapGlyphsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMapGlyphsInput`) /// - /// - Returns: `GetMapGlyphsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMapGlyphsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2697,7 +2664,6 @@ extension LocationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMapGlyphsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMapGlyphsOutput.httpOutput(from:), GetMapGlyphsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2729,9 +2695,9 @@ extension LocationClient { /// /// Retrieves the sprite sheet corresponding to a map resource. The sprite sheet is a PNG image paired with a JSON document describing the offsets of individual icons that will be displayed on a rendered map. /// - /// - Parameter GetMapSpritesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMapSpritesInput`) /// - /// - Returns: `GetMapSpritesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMapSpritesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2767,7 +2733,6 @@ extension LocationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMapSpritesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMapSpritesOutput.httpOutput(from:), GetMapSpritesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2799,9 +2764,9 @@ extension LocationClient { /// /// Retrieves the map style descriptor from a map resource. The style descriptor contains specifications on how features render on a map. For example, what data to display, what order to display the data in, and the style for the data. Style descriptors follow the Mapbox Style Specification. /// - /// - Parameter GetMapStyleDescriptorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMapStyleDescriptorInput`) /// - /// - Returns: `GetMapStyleDescriptorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMapStyleDescriptorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2837,7 +2802,6 @@ extension LocationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMapStyleDescriptorInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMapStyleDescriptorOutput.httpOutput(from:), GetMapStyleDescriptorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2869,9 +2833,9 @@ extension LocationClient { /// /// Retrieves a vector data tile from the map resource. Map tiles are used by clients to render a map. they're addressed using a grid arrangement with an X coordinate, Y coordinate, and Z (zoom) level. The origin (0, 0) is the top left of the map. Increasing the zoom level by 1 doubles both the X and Y dimensions, so a tile containing data for the entire world at (0/0/0) will be split into 4 tiles at zoom 1 (1/0/0, 1/0/1, 1/1/0, 1/1/1). /// - /// - Parameter GetMapTileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMapTileInput`) /// - /// - Returns: `GetMapTileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMapTileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2907,7 +2871,6 @@ extension LocationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMapTileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMapTileOutput.httpOutput(from:), GetMapTileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2948,9 +2911,9 @@ extension LocationClient { /// /// If your Place index resource is configured with Grab as your geolocation provider and Storage as Intended use, the GetPlace operation is unavailable. For more information, see [AWS service terms](http://aws.amazon.com/service-terms). /// - /// - Parameter GetPlaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPlaceInput`) /// - /// - Returns: `GetPlaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPlaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2986,7 +2949,6 @@ extension LocationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPlaceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlaceOutput.httpOutput(from:), GetPlaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3018,9 +2980,9 @@ extension LocationClient { /// /// A batch request to retrieve all device positions. /// - /// - Parameter ListDevicePositionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevicePositionsInput`) /// - /// - Returns: `ListDevicePositionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevicePositionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3057,7 +3019,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevicePositionsOutput.httpOutput(from:), ListDevicePositionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3089,9 +3050,9 @@ extension LocationClient { /// /// Lists geofence collections in your Amazon Web Services account. /// - /// - Parameter ListGeofenceCollectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGeofenceCollectionsInput`) /// - /// - Returns: `ListGeofenceCollectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGeofenceCollectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3128,7 +3089,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGeofenceCollectionsOutput.httpOutput(from:), ListGeofenceCollectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3160,9 +3120,9 @@ extension LocationClient { /// /// Lists geofences stored in a given geofence collection. /// - /// - Parameter ListGeofencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGeofencesInput`) /// - /// - Returns: `ListGeofencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGeofencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3200,7 +3160,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGeofencesOutput.httpOutput(from:), ListGeofencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3232,9 +3191,9 @@ extension LocationClient { /// /// Lists API key resources in your Amazon Web Services account. /// - /// - Parameter ListKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeysInput`) /// - /// - Returns: `ListKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3271,7 +3230,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeysOutput.httpOutput(from:), ListKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3303,9 +3261,9 @@ extension LocationClient { /// /// Lists map resources in your Amazon Web Services account. /// - /// - Parameter ListMapsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMapsInput`) /// - /// - Returns: `ListMapsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMapsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3342,7 +3300,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMapsOutput.httpOutput(from:), ListMapsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3374,9 +3331,9 @@ extension LocationClient { /// /// Lists place index resources in your Amazon Web Services account. /// - /// - Parameter ListPlaceIndexesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPlaceIndexesInput`) /// - /// - Returns: `ListPlaceIndexesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPlaceIndexesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3413,7 +3370,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlaceIndexesOutput.httpOutput(from:), ListPlaceIndexesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3445,9 +3401,9 @@ extension LocationClient { /// /// Lists route calculator resources in your Amazon Web Services account. /// - /// - Parameter ListRouteCalculatorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRouteCalculatorsInput`) /// - /// - Returns: `ListRouteCalculatorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRouteCalculatorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3484,7 +3440,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRouteCalculatorsOutput.httpOutput(from:), ListRouteCalculatorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3516,9 +3471,9 @@ extension LocationClient { /// /// Returns a list of tags that are applied to the specified Amazon Location resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3553,7 +3508,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "cp.metadata.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3585,9 +3539,9 @@ extension LocationClient { /// /// Lists geofence collections currently associated to the given tracker resource. /// - /// - Parameter ListTrackerConsumersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrackerConsumersInput`) /// - /// - Returns: `ListTrackerConsumersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrackerConsumersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3625,7 +3579,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrackerConsumersOutput.httpOutput(from:), ListTrackerConsumersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3657,9 +3610,9 @@ extension LocationClient { /// /// Lists tracker resources in your Amazon Web Services account. /// - /// - Parameter ListTrackersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrackersInput`) /// - /// - Returns: `ListTrackersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrackersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3696,7 +3649,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrackersOutput.httpOutput(from:), ListTrackersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3728,9 +3680,9 @@ extension LocationClient { /// /// Stores a geofence geometry in a given geofence collection, or updates the geometry of an existing geofence if a geofence ID is included in the request. /// - /// - Parameter PutGeofenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutGeofenceInput`) /// - /// - Returns: `PutGeofenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutGeofenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3769,7 +3721,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutGeofenceOutput.httpOutput(from:), PutGeofenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3801,9 +3752,9 @@ extension LocationClient { /// /// Reverse geocodes a given coordinate and returns a legible address. Allows you to search for Places or points of interest near a given position. /// - /// - Parameter SearchPlaceIndexForPositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchPlaceIndexForPositionInput`) /// - /// - Returns: `SearchPlaceIndexForPositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchPlaceIndexForPositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3842,7 +3793,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchPlaceIndexForPositionOutput.httpOutput(from:), SearchPlaceIndexForPositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3874,9 +3824,9 @@ extension LocationClient { /// /// Generates suggestions for addresses and points of interest based on partial or misspelled free-form text. This operation is also known as autocomplete, autosuggest, or fuzzy matching. Optional parameters let you narrow your search results by bounding box or country, or bias your search toward a specific position on the globe. You can search for suggested place names near a specified position by using BiasPosition, or filter results within a bounding box by using FilterBBox. These parameters are mutually exclusive; using both BiasPosition and FilterBBox in the same command returns an error. /// - /// - Parameter SearchPlaceIndexForSuggestionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchPlaceIndexForSuggestionsInput`) /// - /// - Returns: `SearchPlaceIndexForSuggestionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchPlaceIndexForSuggestionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3915,7 +3865,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchPlaceIndexForSuggestionsOutput.httpOutput(from:), SearchPlaceIndexForSuggestionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3947,9 +3896,9 @@ extension LocationClient { /// /// Geocodes free-form text, such as an address, name, city, or region to allow you to search for Places or points of interest. Optional parameters let you narrow your search results by bounding box or country, or bias your search toward a specific position on the globe. You can search for places near a given position using BiasPosition, or filter results within a bounding box using FilterBBox. Providing both parameters simultaneously returns an error. Search results are returned in order of highest to lowest relevance. /// - /// - Parameter SearchPlaceIndexForTextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchPlaceIndexForTextInput`) /// - /// - Returns: `SearchPlaceIndexForTextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchPlaceIndexForTextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3988,7 +3937,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchPlaceIndexForTextOutput.httpOutput(from:), SearchPlaceIndexForTextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4020,9 +3968,9 @@ extension LocationClient { /// /// Assigns one or more tags (key-value pairs) to the specified Amazon Location Service resource. Tags can help you organize and categorize your resources. You can also use them to scope user permissions, by granting a user permission to access or change only resources with certain tag values. You can use the TagResource operation with an Amazon Location Service resource that already has tags. If you specify a new tag key for the resource, this tag is appended to the tags already associated with the resource. If you specify a tag key that's already associated with the resource, the new tag value that you specify replaces the previous value for that tag. You can associate up to 50 tags with a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4060,7 +4008,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4092,9 +4039,9 @@ extension LocationClient { /// /// Removes one or more tags from the specified Amazon Location resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4130,7 +4077,6 @@ extension LocationClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4162,9 +4108,9 @@ extension LocationClient { /// /// Updates the specified properties of a given geofence collection. /// - /// - Parameter UpdateGeofenceCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGeofenceCollectionInput`) /// - /// - Returns: `UpdateGeofenceCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGeofenceCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4202,7 +4148,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGeofenceCollectionOutput.httpOutput(from:), UpdateGeofenceCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4234,9 +4179,9 @@ extension LocationClient { /// /// Updates the specified properties of a given API key resource. /// - /// - Parameter UpdateKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKeyInput`) /// - /// - Returns: `UpdateKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4274,7 +4219,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKeyOutput.httpOutput(from:), UpdateKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4306,9 +4250,9 @@ extension LocationClient { /// /// Updates the specified properties of a given map resource. /// - /// - Parameter UpdateMapInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMapInput`) /// - /// - Returns: `UpdateMapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4346,7 +4290,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMapOutput.httpOutput(from:), UpdateMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4378,9 +4321,9 @@ extension LocationClient { /// /// Updates the specified properties of a given place index resource. /// - /// - Parameter UpdatePlaceIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePlaceIndexInput`) /// - /// - Returns: `UpdatePlaceIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePlaceIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4418,7 +4361,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePlaceIndexOutput.httpOutput(from:), UpdatePlaceIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4450,9 +4392,9 @@ extension LocationClient { /// /// Updates the specified properties for a given route calculator resource. /// - /// - Parameter UpdateRouteCalculatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRouteCalculatorInput`) /// - /// - Returns: `UpdateRouteCalculatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRouteCalculatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4490,7 +4432,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRouteCalculatorOutput.httpOutput(from:), UpdateRouteCalculatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4522,9 +4463,9 @@ extension LocationClient { /// /// Updates the specified properties of a given tracker resource. /// - /// - Parameter UpdateTrackerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrackerInput`) /// - /// - Returns: `UpdateTrackerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrackerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4562,7 +4503,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrackerOutput.httpOutput(from:), UpdateTrackerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4594,9 +4534,9 @@ extension LocationClient { /// /// Verifies the integrity of the device's position by determining if it was reported behind a proxy, and by comparing it to an inferred position estimated based on the device's state. The Location Integrity SDK provides enhanced features related to device verification, and it is available for use by request. To get access to the SDK, contact [Sales Support](https://aws.amazon.com/contact-us/sales-support/?pg=locationprice&cta=herobtn). /// - /// - Parameter VerifyDevicePositionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifyDevicePositionInput`) /// - /// - Returns: `VerifyDevicePositionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyDevicePositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4634,7 +4574,6 @@ extension LocationClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyDevicePositionOutput.httpOutput(from:), VerifyDevicePositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLookoutEquipment/Sources/AWSLookoutEquipment/LookoutEquipmentClient.swift b/Sources/Services/AWSLookoutEquipment/Sources/AWSLookoutEquipment/LookoutEquipmentClient.swift index d552b64bd11..862f502d92c 100644 --- a/Sources/Services/AWSLookoutEquipment/Sources/AWSLookoutEquipment/LookoutEquipmentClient.swift +++ b/Sources/Services/AWSLookoutEquipment/Sources/AWSLookoutEquipment/LookoutEquipmentClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LookoutEquipmentClient: ClientRuntime.Client { public static let clientName = "LookoutEquipmentClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LookoutEquipmentClient.LookoutEquipmentClientConfiguration let serviceName = "LookoutEquipment" @@ -375,9 +374,9 @@ extension LookoutEquipmentClient { /// /// Creates a container for a collection of data being ingested for analysis. The dataset contains the metadata describing where the data is and what the data actually looks like. For example, it contains the location of the data source, the data schema, and other information. A dataset also contains any tags associated with the ingested data. /// - /// - Parameter CreateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetInput`) /// - /// - Returns: `CreateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetOutput.httpOutput(from:), CreateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension LookoutEquipmentClient { /// /// Creates a scheduled inference. Scheduling an inference is setting up a continuous real-time inference plan to analyze new measurement data. When setting up the schedule, you provide an S3 bucket location for the input data, assign it a delimiter between separate entries in the data, set an offset delay if desired, and set the frequency of inferencing. You must also provide an S3 bucket location for the output data. /// - /// - Parameter CreateInferenceSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInferenceSchedulerInput`) /// - /// - Returns: `CreateInferenceSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInferenceSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInferenceSchedulerOutput.httpOutput(from:), CreateInferenceSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension LookoutEquipmentClient { /// /// Creates a label for an event. /// - /// - Parameter CreateLabelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLabelInput`) /// - /// - Returns: `CreateLabelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLabelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLabelOutput.httpOutput(from:), CreateLabelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -602,9 +598,9 @@ extension LookoutEquipmentClient { /// /// Creates a group of labels. /// - /// - Parameter CreateLabelGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLabelGroupInput`) /// - /// - Returns: `CreateLabelGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLabelGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -642,7 +638,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLabelGroupOutput.httpOutput(from:), CreateLabelGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -677,9 +672,9 @@ extension LookoutEquipmentClient { /// /// Creates a machine learning model for data inference. A machine-learning (ML) model is a mathematical model that finds patterns in your data. In Amazon Lookout for Equipment, the model learns the patterns of normal behavior and detects abnormal behavior that could be potential equipment failure (or maintenance events). The models are made by analyzing normal data and abnormalities in machine behavior that have already occurred. Your model is trained using a portion of the data from your dataset and uses that data to learn patterns of normal behavior and abnormal patterns that lead to equipment failure. Another portion of the data is used to evaluate the model's accuracy. /// - /// - Parameter CreateModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelInput`) /// - /// - Returns: `CreateModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -718,7 +713,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelOutput.httpOutput(from:), CreateModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -753,9 +747,9 @@ extension LookoutEquipmentClient { /// /// Creates a retraining scheduler on the specified model. /// - /// - Parameter CreateRetrainingSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRetrainingSchedulerInput`) /// - /// - Returns: `CreateRetrainingSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRetrainingSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -793,7 +787,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRetrainingSchedulerOutput.httpOutput(from:), CreateRetrainingSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -828,9 +821,9 @@ extension LookoutEquipmentClient { /// /// Deletes a dataset and associated artifacts. The operation will check to see if any inference scheduler or data ingestion job is currently using the dataset, and if there isn't, the dataset, its metadata, and any associated data stored in S3 will be deleted. This does not affect any models that used this dataset for training and evaluation, but does prevent it from being used in the future. /// - /// - Parameter DeleteDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetInput`) /// - /// - Returns: `DeleteDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -867,7 +860,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetOutput.httpOutput(from:), DeleteDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -902,9 +894,9 @@ extension LookoutEquipmentClient { /// /// Deletes an inference scheduler that has been set up. Prior inference results will not be deleted. /// - /// - Parameter DeleteInferenceSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInferenceSchedulerInput`) /// - /// - Returns: `DeleteInferenceSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInferenceSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -941,7 +933,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInferenceSchedulerOutput.httpOutput(from:), DeleteInferenceSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -976,9 +967,9 @@ extension LookoutEquipmentClient { /// /// Deletes a label. /// - /// - Parameter DeleteLabelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLabelInput`) /// - /// - Returns: `DeleteLabelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLabelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1015,7 +1006,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLabelOutput.httpOutput(from:), DeleteLabelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1050,9 +1040,9 @@ extension LookoutEquipmentClient { /// /// Deletes a group of labels. /// - /// - Parameter DeleteLabelGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLabelGroupInput`) /// - /// - Returns: `DeleteLabelGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLabelGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1089,7 +1079,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLabelGroupOutput.httpOutput(from:), DeleteLabelGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1124,9 +1113,9 @@ extension LookoutEquipmentClient { /// /// Deletes a machine learning model currently available for Amazon Lookout for Equipment. This will prevent it from being used with an inference scheduler, even one that is already set up. /// - /// - Parameter DeleteModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelInput`) /// - /// - Returns: `DeleteModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1163,7 +1152,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelOutput.httpOutput(from:), DeleteModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1198,9 +1186,9 @@ extension LookoutEquipmentClient { /// /// Deletes the resource policy attached to the resource. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1237,7 +1225,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1272,9 +1259,9 @@ extension LookoutEquipmentClient { /// /// Deletes a retraining scheduler from a model. The retraining scheduler must be in the STOPPED status. /// - /// - Parameter DeleteRetrainingSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRetrainingSchedulerInput`) /// - /// - Returns: `DeleteRetrainingSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRetrainingSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1311,7 +1298,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRetrainingSchedulerOutput.httpOutput(from:), DeleteRetrainingSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1346,9 +1332,9 @@ extension LookoutEquipmentClient { /// /// Provides information on a specific data ingestion job such as creation time, dataset ARN, and status. /// - /// - Parameter DescribeDataIngestionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataIngestionJobInput`) /// - /// - Returns: `DescribeDataIngestionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataIngestionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1384,7 +1370,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataIngestionJobOutput.httpOutput(from:), DescribeDataIngestionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1419,9 +1404,9 @@ extension LookoutEquipmentClient { /// /// Provides a JSON description of the data in each time series dataset, including names, column names, and data types. /// - /// - Parameter DescribeDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetInput`) /// - /// - Returns: `DescribeDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1457,7 +1442,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetOutput.httpOutput(from:), DescribeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1492,9 +1476,9 @@ extension LookoutEquipmentClient { /// /// Specifies information about the inference scheduler being used, including name, model, status, and associated metadata /// - /// - Parameter DescribeInferenceSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInferenceSchedulerInput`) /// - /// - Returns: `DescribeInferenceSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInferenceSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1530,7 +1514,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInferenceSchedulerOutput.httpOutput(from:), DescribeInferenceSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1565,9 +1548,9 @@ extension LookoutEquipmentClient { /// /// Returns the name of the label. /// - /// - Parameter DescribeLabelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLabelInput`) /// - /// - Returns: `DescribeLabelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLabelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1603,7 +1586,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLabelOutput.httpOutput(from:), DescribeLabelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1638,9 +1620,9 @@ extension LookoutEquipmentClient { /// /// Returns information about the label group. /// - /// - Parameter DescribeLabelGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLabelGroupInput`) /// - /// - Returns: `DescribeLabelGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLabelGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1676,7 +1658,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLabelGroupOutput.httpOutput(from:), DescribeLabelGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1711,9 +1692,9 @@ extension LookoutEquipmentClient { /// /// Provides a JSON containing the overall information about a specific machine learning model, including model name and ARN, dataset, training and evaluation information, status, and so on. /// - /// - Parameter DescribeModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelInput`) /// - /// - Returns: `DescribeModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1749,7 +1730,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelOutput.httpOutput(from:), DescribeModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1784,9 +1764,9 @@ extension LookoutEquipmentClient { /// /// Retrieves information about a specific machine learning model version. /// - /// - Parameter DescribeModelVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelVersionInput`) /// - /// - Returns: `DescribeModelVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1822,7 +1802,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelVersionOutput.httpOutput(from:), DescribeModelVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1857,9 +1836,9 @@ extension LookoutEquipmentClient { /// /// Provides the details of a resource policy attached to a resource. /// - /// - Parameter DescribeResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourcePolicyInput`) /// - /// - Returns: `DescribeResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1895,7 +1874,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourcePolicyOutput.httpOutput(from:), DescribeResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1930,9 +1908,9 @@ extension LookoutEquipmentClient { /// /// Provides a description of the retraining scheduler, including information such as the model name and retraining parameters. /// - /// - Parameter DescribeRetrainingSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRetrainingSchedulerInput`) /// - /// - Returns: `DescribeRetrainingSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRetrainingSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1968,7 +1946,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRetrainingSchedulerOutput.httpOutput(from:), DescribeRetrainingSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2003,9 +1980,9 @@ extension LookoutEquipmentClient { /// /// Imports a dataset. /// - /// - Parameter ImportDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportDatasetInput`) /// - /// - Returns: `ImportDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2044,7 +2021,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportDatasetOutput.httpOutput(from:), ImportDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2079,9 +2055,9 @@ extension LookoutEquipmentClient { /// /// Imports a model that has been trained successfully. /// - /// - Parameter ImportModelVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportModelVersionInput`) /// - /// - Returns: `ImportModelVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportModelVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2120,7 +2096,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportModelVersionOutput.httpOutput(from:), ImportModelVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2155,9 +2130,9 @@ extension LookoutEquipmentClient { /// /// Provides a list of all data ingestion jobs, including dataset name and ARN, S3 location of the input data, status, and so on. /// - /// - Parameter ListDataIngestionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataIngestionJobsInput`) /// - /// - Returns: `ListDataIngestionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataIngestionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2192,7 +2167,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataIngestionJobsOutput.httpOutput(from:), ListDataIngestionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2227,9 +2201,9 @@ extension LookoutEquipmentClient { /// /// Lists all datasets currently available in your account, filtering on the dataset name. /// - /// - Parameter ListDatasetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetsInput`) /// - /// - Returns: `ListDatasetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2264,7 +2238,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetsOutput.httpOutput(from:), ListDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2299,9 +2272,9 @@ extension LookoutEquipmentClient { /// /// Lists all inference events that have been found for the specified inference scheduler. /// - /// - Parameter ListInferenceEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInferenceEventsInput`) /// - /// - Returns: `ListInferenceEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInferenceEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2337,7 +2310,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInferenceEventsOutput.httpOutput(from:), ListInferenceEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2372,9 +2344,9 @@ extension LookoutEquipmentClient { /// /// Lists all inference executions that have been performed by the specified inference scheduler. /// - /// - Parameter ListInferenceExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInferenceExecutionsInput`) /// - /// - Returns: `ListInferenceExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInferenceExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2410,7 +2382,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInferenceExecutionsOutput.httpOutput(from:), ListInferenceExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2445,9 +2416,9 @@ extension LookoutEquipmentClient { /// /// Retrieves a list of all inference schedulers currently available for your account. /// - /// - Parameter ListInferenceSchedulersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInferenceSchedulersInput`) /// - /// - Returns: `ListInferenceSchedulersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInferenceSchedulersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2482,7 +2453,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInferenceSchedulersOutput.httpOutput(from:), ListInferenceSchedulersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2517,9 +2487,9 @@ extension LookoutEquipmentClient { /// /// Returns a list of the label groups. /// - /// - Parameter ListLabelGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLabelGroupsInput`) /// - /// - Returns: `ListLabelGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLabelGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2554,7 +2524,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLabelGroupsOutput.httpOutput(from:), ListLabelGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2589,9 +2558,9 @@ extension LookoutEquipmentClient { /// /// Provides a list of labels. /// - /// - Parameter ListLabelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLabelsInput`) /// - /// - Returns: `ListLabelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLabelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2626,7 +2595,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLabelsOutput.httpOutput(from:), ListLabelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2661,9 +2629,9 @@ extension LookoutEquipmentClient { /// /// Generates a list of all model versions for a given model, including the model version, model version ARN, and status. To list a subset of versions, use the MaxModelVersion and MinModelVersion fields. /// - /// - Parameter ListModelVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelVersionsInput`) /// - /// - Returns: `ListModelVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2699,7 +2667,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelVersionsOutput.httpOutput(from:), ListModelVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2734,9 +2701,9 @@ extension LookoutEquipmentClient { /// /// Generates a list of all models in the account, including model name and ARN, dataset, and status. /// - /// - Parameter ListModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelsInput`) /// - /// - Returns: `ListModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2771,7 +2738,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelsOutput.httpOutput(from:), ListModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2806,9 +2772,9 @@ extension LookoutEquipmentClient { /// /// Lists all retraining schedulers in your account, filtering by model name prefix and status. /// - /// - Parameter ListRetrainingSchedulersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRetrainingSchedulersInput`) /// - /// - Returns: `ListRetrainingSchedulersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRetrainingSchedulersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2843,7 +2809,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRetrainingSchedulersOutput.httpOutput(from:), ListRetrainingSchedulersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2878,9 +2843,9 @@ extension LookoutEquipmentClient { /// /// Lists statistics about the data collected for each of the sensors that have been successfully ingested in the particular dataset. Can also be used to retreive Sensor Statistics for a previous ingestion job. /// - /// - Parameter ListSensorStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSensorStatisticsInput`) /// - /// - Returns: `ListSensorStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSensorStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2916,7 +2881,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSensorStatisticsOutput.httpOutput(from:), ListSensorStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2951,9 +2915,9 @@ extension LookoutEquipmentClient { /// /// Lists all the tags for a specified resource, including key and value. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2989,7 +2953,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3024,9 +2987,9 @@ extension LookoutEquipmentClient { /// /// Creates a resource control policy for a given resource. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3065,7 +3028,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3100,9 +3062,9 @@ extension LookoutEquipmentClient { /// /// Starts a data ingestion job. Amazon Lookout for Equipment returns the job status. /// - /// - Parameter StartDataIngestionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDataIngestionJobInput`) /// - /// - Returns: `StartDataIngestionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDataIngestionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3141,7 +3103,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDataIngestionJobOutput.httpOutput(from:), StartDataIngestionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3176,9 +3137,9 @@ extension LookoutEquipmentClient { /// /// Starts an inference scheduler. /// - /// - Parameter StartInferenceSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartInferenceSchedulerInput`) /// - /// - Returns: `StartInferenceSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartInferenceSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3215,7 +3176,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInferenceSchedulerOutput.httpOutput(from:), StartInferenceSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3250,9 +3210,9 @@ extension LookoutEquipmentClient { /// /// Starts a retraining scheduler. /// - /// - Parameter StartRetrainingSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRetrainingSchedulerInput`) /// - /// - Returns: `StartRetrainingSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRetrainingSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3289,7 +3249,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRetrainingSchedulerOutput.httpOutput(from:), StartRetrainingSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3324,9 +3283,9 @@ extension LookoutEquipmentClient { /// /// Stops an inference scheduler. /// - /// - Parameter StopInferenceSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopInferenceSchedulerInput`) /// - /// - Returns: `StopInferenceSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopInferenceSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3363,7 +3322,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopInferenceSchedulerOutput.httpOutput(from:), StopInferenceSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3398,9 +3356,9 @@ extension LookoutEquipmentClient { /// /// Stops a retraining scheduler. /// - /// - Parameter StopRetrainingSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopRetrainingSchedulerInput`) /// - /// - Returns: `StopRetrainingSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopRetrainingSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3437,7 +3395,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopRetrainingSchedulerOutput.httpOutput(from:), StopRetrainingSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3472,9 +3429,9 @@ extension LookoutEquipmentClient { /// /// Associates a given tag to a resource in your account. A tag is a key-value pair which can be added to an Amazon Lookout for Equipment resource as metadata. Tags can be used for organizing your resources as well as helping you to search and filter by tag. Multiple tags can be added to a resource, either when you create it, or later. Up to 50 tags can be associated with each resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3511,7 +3468,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3546,9 +3502,9 @@ extension LookoutEquipmentClient { /// /// Removes a specific tag from a given resource. The tag is specified by its key. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3584,7 +3540,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3619,9 +3574,9 @@ extension LookoutEquipmentClient { /// /// Sets the active model version for a given machine learning model. /// - /// - Parameter UpdateActiveModelVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateActiveModelVersionInput`) /// - /// - Returns: `UpdateActiveModelVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateActiveModelVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3658,7 +3613,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateActiveModelVersionOutput.httpOutput(from:), UpdateActiveModelVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3693,9 +3647,9 @@ extension LookoutEquipmentClient { /// /// Updates an inference scheduler. /// - /// - Parameter UpdateInferenceSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInferenceSchedulerInput`) /// - /// - Returns: `UpdateInferenceSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInferenceSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3732,7 +3686,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInferenceSchedulerOutput.httpOutput(from:), UpdateInferenceSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3767,9 +3720,9 @@ extension LookoutEquipmentClient { /// /// Updates the label group. /// - /// - Parameter UpdateLabelGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLabelGroupInput`) /// - /// - Returns: `UpdateLabelGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLabelGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3806,7 +3759,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLabelGroupOutput.httpOutput(from:), UpdateLabelGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3841,9 +3793,9 @@ extension LookoutEquipmentClient { /// /// Updates a model in the account. /// - /// - Parameter UpdateModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateModelInput`) /// - /// - Returns: `UpdateModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3880,7 +3832,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateModelOutput.httpOutput(from:), UpdateModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3915,9 +3866,9 @@ extension LookoutEquipmentClient { /// /// Updates a retraining scheduler. /// - /// - Parameter UpdateRetrainingSchedulerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRetrainingSchedulerInput`) /// - /// - Returns: `UpdateRetrainingSchedulerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRetrainingSchedulerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3954,7 +3905,6 @@ extension LookoutEquipmentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRetrainingSchedulerOutput.httpOutput(from:), UpdateRetrainingSchedulerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLookoutMetrics/Sources/AWSLookoutMetrics/LookoutMetricsClient.swift b/Sources/Services/AWSLookoutMetrics/Sources/AWSLookoutMetrics/LookoutMetricsClient.swift index 99458d7ad8f..5bf7ea4ad25 100644 --- a/Sources/Services/AWSLookoutMetrics/Sources/AWSLookoutMetrics/LookoutMetricsClient.swift +++ b/Sources/Services/AWSLookoutMetrics/Sources/AWSLookoutMetrics/LookoutMetricsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LookoutMetricsClient: ClientRuntime.Client { public static let clientName = "LookoutMetricsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LookoutMetricsClient.LookoutMetricsClientConfiguration let serviceName = "LookoutMetrics" @@ -374,9 +373,9 @@ extension LookoutMetricsClient { /// /// Activates an anomaly detector. /// - /// - Parameter ActivateAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateAnomalyDetectorInput`) /// - /// - Returns: `ActivateAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateAnomalyDetectorOutput.httpOutput(from:), ActivateAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension LookoutMetricsClient { /// /// Runs a backtest for anomaly detection for the specified resource. /// - /// - Parameter BackTestAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BackTestAnomalyDetectorInput`) /// - /// - Returns: `BackTestAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BackTestAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BackTestAnomalyDetectorOutput.httpOutput(from:), BackTestAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension LookoutMetricsClient { /// /// Creates an alert for an anomaly detector. /// - /// - Parameter CreateAlertInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAlertInput`) /// - /// - Returns: `CreateAlertOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAlertOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAlertOutput.httpOutput(from:), CreateAlertOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension LookoutMetricsClient { /// /// Creates an anomaly detector. /// - /// - Parameter CreateAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAnomalyDetectorInput`) /// - /// - Returns: `CreateAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAnomalyDetectorOutput.httpOutput(from:), CreateAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension LookoutMetricsClient { /// /// Creates a dataset. /// - /// - Parameter CreateMetricSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMetricSetInput`) /// - /// - Returns: `CreateMetricSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMetricSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -708,7 +703,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMetricSetOutput.httpOutput(from:), CreateMetricSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -740,9 +734,9 @@ extension LookoutMetricsClient { /// /// Deactivates an anomaly detector. /// - /// - Parameter DeactivateAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateAnomalyDetectorInput`) /// - /// - Returns: `DeactivateAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -781,7 +775,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateAnomalyDetectorOutput.httpOutput(from:), DeactivateAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -813,9 +806,9 @@ extension LookoutMetricsClient { /// /// Deletes an alert. /// - /// - Parameter DeleteAlertInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAlertInput`) /// - /// - Returns: `DeleteAlertOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAlertOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -853,7 +846,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAlertOutput.httpOutput(from:), DeleteAlertOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -885,9 +877,9 @@ extension LookoutMetricsClient { /// /// Deletes a detector. Deleting an anomaly detector will delete all of its corresponding resources including any configured datasets and alerts. /// - /// - Parameter DeleteAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAnomalyDetectorInput`) /// - /// - Returns: `DeleteAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -926,7 +918,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnomalyDetectorOutput.httpOutput(from:), DeleteAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -958,9 +949,9 @@ extension LookoutMetricsClient { /// /// Describes an alert. Amazon Lookout for Metrics API actions are eventually consistent. If you do a read operation on a resource immediately after creating or modifying it, use retries to allow time for the write operation to complete. /// - /// - Parameter DescribeAlertInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAlertInput`) /// - /// - Returns: `DescribeAlertOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAlertOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -998,7 +989,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAlertOutput.httpOutput(from:), DescribeAlertOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1030,9 +1020,9 @@ extension LookoutMetricsClient { /// /// Returns information about the status of the specified anomaly detection jobs. /// - /// - Parameter DescribeAnomalyDetectionExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAnomalyDetectionExecutionsInput`) /// - /// - Returns: `DescribeAnomalyDetectionExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAnomalyDetectionExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1070,7 +1060,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAnomalyDetectionExecutionsOutput.httpOutput(from:), DescribeAnomalyDetectionExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1102,9 +1091,9 @@ extension LookoutMetricsClient { /// /// Describes a detector. Amazon Lookout for Metrics API actions are eventually consistent. If you do a read operation on a resource immediately after creating or modifying it, use retries to allow time for the write operation to complete. /// - /// - Parameter DescribeAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAnomalyDetectorInput`) /// - /// - Returns: `DescribeAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1142,7 +1131,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAnomalyDetectorOutput.httpOutput(from:), DescribeAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1174,9 +1162,9 @@ extension LookoutMetricsClient { /// /// Describes a dataset. Amazon Lookout for Metrics API actions are eventually consistent. If you do a read operation on a resource immediately after creating or modifying it, use retries to allow time for the write operation to complete. /// - /// - Parameter DescribeMetricSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMetricSetInput`) /// - /// - Returns: `DescribeMetricSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMetricSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1214,7 +1202,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMetricSetOutput.httpOutput(from:), DescribeMetricSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1246,9 +1233,9 @@ extension LookoutMetricsClient { /// /// Detects an Amazon S3 dataset's file format, interval, and offset. /// - /// - Parameter DetectMetricSetConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectMetricSetConfigInput`) /// - /// - Returns: `DetectMetricSetConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectMetricSetConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1286,7 +1273,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectMetricSetConfigOutput.httpOutput(from:), DetectMetricSetConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1318,9 +1304,9 @@ extension LookoutMetricsClient { /// /// Returns details about a group of anomalous metrics. /// - /// - Parameter GetAnomalyGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAnomalyGroupInput`) /// - /// - Returns: `GetAnomalyGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAnomalyGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1358,7 +1344,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnomalyGroupOutput.httpOutput(from:), GetAnomalyGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1390,9 +1375,9 @@ extension LookoutMetricsClient { /// /// Returns details about the requested data quality metrics. /// - /// - Parameter GetDataQualityMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataQualityMetricsInput`) /// - /// - Returns: `GetDataQualityMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataQualityMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1430,7 +1415,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataQualityMetricsOutput.httpOutput(from:), GetDataQualityMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1462,9 +1446,9 @@ extension LookoutMetricsClient { /// /// Get feedback for an anomaly group. /// - /// - Parameter GetFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFeedbackInput`) /// - /// - Returns: `GetFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1502,7 +1486,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFeedbackOutput.httpOutput(from:), GetFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1534,9 +1517,9 @@ extension LookoutMetricsClient { /// /// Returns a selection of sample records from an Amazon S3 datasource. /// - /// - Parameter GetSampleDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSampleDataInput`) /// - /// - Returns: `GetSampleDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSampleDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1574,7 +1557,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSampleDataOutput.httpOutput(from:), GetSampleDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1606,9 +1588,9 @@ extension LookoutMetricsClient { /// /// Lists the alerts attached to a detector. Amazon Lookout for Metrics API actions are eventually consistent. If you do a read operation on a resource immediately after creating or modifying it, use retries to allow time for the write operation to complete. /// - /// - Parameter ListAlertsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAlertsInput`) /// - /// - Returns: `ListAlertsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAlertsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1646,7 +1628,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAlertsOutput.httpOutput(from:), ListAlertsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1678,9 +1659,9 @@ extension LookoutMetricsClient { /// /// Lists the detectors in the current AWS Region. Amazon Lookout for Metrics API actions are eventually consistent. If you do a read operation on a resource immediately after creating or modifying it, use retries to allow time for the write operation to complete. /// - /// - Parameter ListAnomalyDetectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnomalyDetectorsInput`) /// - /// - Returns: `ListAnomalyDetectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnomalyDetectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1718,7 +1699,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnomalyDetectorsOutput.httpOutput(from:), ListAnomalyDetectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1750,9 +1730,9 @@ extension LookoutMetricsClient { /// /// Returns a list of measures that are potential causes or effects of an anomaly group. /// - /// - Parameter ListAnomalyGroupRelatedMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnomalyGroupRelatedMetricsInput`) /// - /// - Returns: `ListAnomalyGroupRelatedMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnomalyGroupRelatedMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1790,7 +1770,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnomalyGroupRelatedMetricsOutput.httpOutput(from:), ListAnomalyGroupRelatedMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1822,9 +1801,9 @@ extension LookoutMetricsClient { /// /// Returns a list of anomaly groups. /// - /// - Parameter ListAnomalyGroupSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnomalyGroupSummariesInput`) /// - /// - Returns: `ListAnomalyGroupSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnomalyGroupSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1862,7 +1841,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnomalyGroupSummariesOutput.httpOutput(from:), ListAnomalyGroupSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1894,9 +1872,9 @@ extension LookoutMetricsClient { /// /// Gets a list of anomalous metrics for a measure in an anomaly group. /// - /// - Parameter ListAnomalyGroupTimeSeriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnomalyGroupTimeSeriesInput`) /// - /// - Returns: `ListAnomalyGroupTimeSeriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnomalyGroupTimeSeriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1934,7 +1912,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnomalyGroupTimeSeriesOutput.httpOutput(from:), ListAnomalyGroupTimeSeriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1966,9 +1943,9 @@ extension LookoutMetricsClient { /// /// Lists the datasets in the current AWS Region. Amazon Lookout for Metrics API actions are eventually consistent. If you do a read operation on a resource immediately after creating or modifying it, use retries to allow time for the write operation to complete. /// - /// - Parameter ListMetricSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMetricSetsInput`) /// - /// - Returns: `ListMetricSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMetricSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2006,7 +1983,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMetricSetsOutput.httpOutput(from:), ListMetricSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2038,9 +2014,9 @@ extension LookoutMetricsClient { /// /// Gets a list of [tags](https://docs.aws.amazon.com/lookoutmetrics/latest/dev/detectors-tags.html) for a detector, dataset, or alert. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2073,7 +2049,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2105,9 +2080,9 @@ extension LookoutMetricsClient { /// /// Add feedback for an anomalous metric. /// - /// - Parameter PutFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFeedbackInput`) /// - /// - Returns: `PutFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2145,7 +2120,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFeedbackOutput.httpOutput(from:), PutFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2177,9 +2151,9 @@ extension LookoutMetricsClient { /// /// Adds [tags](https://docs.aws.amazon.com/lookoutmetrics/latest/dev/detectors-tags.html) to a detector, dataset, or alert. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2215,7 +2189,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2247,9 +2220,9 @@ extension LookoutMetricsClient { /// /// Removes [tags](https://docs.aws.amazon.com/lookoutmetrics/latest/dev/detectors-tags.html) from a detector, dataset, or alert. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2283,7 +2256,6 @@ extension LookoutMetricsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2315,9 +2287,9 @@ extension LookoutMetricsClient { /// /// Make changes to an existing alert. /// - /// - Parameter UpdateAlertInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAlertInput`) /// - /// - Returns: `UpdateAlertOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAlertOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2355,7 +2327,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAlertOutput.httpOutput(from:), UpdateAlertOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2387,9 +2358,9 @@ extension LookoutMetricsClient { /// /// Updates a detector. After activation, you can only change a detector's ingestion delay and description. /// - /// - Parameter UpdateAnomalyDetectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAnomalyDetectorInput`) /// - /// - Returns: `UpdateAnomalyDetectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAnomalyDetectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2427,7 +2398,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnomalyDetectorOutput.httpOutput(from:), UpdateAnomalyDetectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2459,9 +2429,9 @@ extension LookoutMetricsClient { /// /// Updates a dataset. /// - /// - Parameter UpdateMetricSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMetricSetInput`) /// - /// - Returns: `UpdateMetricSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMetricSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2500,7 +2470,6 @@ extension LookoutMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMetricSetOutput.httpOutput(from:), UpdateMetricSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSLookoutVision/Sources/AWSLookoutVision/LookoutVisionClient.swift b/Sources/Services/AWSLookoutVision/Sources/AWSLookoutVision/LookoutVisionClient.swift index 6494cc58874..943b4180d98 100644 --- a/Sources/Services/AWSLookoutVision/Sources/AWSLookoutVision/LookoutVisionClient.swift +++ b/Sources/Services/AWSLookoutVision/Sources/AWSLookoutVision/LookoutVisionClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -73,7 +72,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class LookoutVisionClient: ClientRuntime.Client { public static let clientName = "LookoutVisionClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: LookoutVisionClient.LookoutVisionClientConfiguration let serviceName = "LookoutVision" @@ -379,9 +378,9 @@ extension LookoutVisionClient { /// /// Creates a new dataset in an Amazon Lookout for Vision project. CreateDataset can create a training or a test dataset from a valid dataset source (DatasetSource). If you want a single dataset project, specify train for the value of DatasetType. To have a project with separate training and test datasets, call CreateDataset twice. On the first call, specify train for the value of DatasetType. On the second call, specify test for the value of DatasetType. This operation requires permissions to perform the lookoutvision:CreateDataset operation. /// - /// - Parameter CreateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetInput`) /// - /// - Returns: `CreateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -423,7 +422,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetOutput.httpOutput(from:), CreateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -455,9 +453,9 @@ extension LookoutVisionClient { /// /// Creates a new version of a model within an an Amazon Lookout for Vision project. CreateModel is an asynchronous operation in which Amazon Lookout for Vision trains, tests, and evaluates a new version of a model. To get the current status, check the Status field returned in the response from [DescribeModel]. If the project has a single dataset, Amazon Lookout for Vision internally splits the dataset to create a training and a test dataset. If the project has a training and a test dataset, Lookout for Vision uses the respective datasets to train and test the model. After training completes, the evaluation metrics are stored at the location specified in OutputConfig. This operation requires permissions to perform the lookoutvision:CreateModel operation. If you want to tag your model, you also require permission to the lookoutvision:TagResource operation. /// - /// - Parameter CreateModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelInput`) /// - /// - Returns: `CreateModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -499,7 +497,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelOutput.httpOutput(from:), CreateModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -531,9 +528,9 @@ extension LookoutVisionClient { /// /// Creates an empty Amazon Lookout for Vision project. After you create the project, add a dataset by calling [CreateDataset]. This operation requires permissions to perform the lookoutvision:CreateProject operation. /// - /// - Parameter CreateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectInput`) /// - /// - Returns: `CreateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -575,7 +572,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectOutput.httpOutput(from:), CreateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -614,9 +610,9 @@ extension LookoutVisionClient { /// /// This operation requires permissions to perform the lookoutvision:DeleteDataset operation. /// - /// - Parameter DeleteDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetInput`) /// - /// - Returns: `DeleteDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -654,7 +650,6 @@ extension LookoutVisionClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteDatasetInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetOutput.httpOutput(from:), DeleteDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -686,9 +681,9 @@ extension LookoutVisionClient { /// /// Deletes an Amazon Lookout for Vision model. You can't delete a running model. To stop a running model, use the [StopModel] operation. It might take a few seconds to delete a model. To determine if a model has been deleted, call [ListModels] and check if the version of the model (ModelVersion) is in the Models array. This operation requires permissions to perform the lookoutvision:DeleteModel operation. /// - /// - Parameter DeleteModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelInput`) /// - /// - Returns: `DeleteModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -726,7 +721,6 @@ extension LookoutVisionClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteModelInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelOutput.httpOutput(from:), DeleteModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -758,9 +752,9 @@ extension LookoutVisionClient { /// /// Deletes an Amazon Lookout for Vision project. To delete a project, you must first delete each version of the model associated with the project. To delete a model use the [DeleteModel] operation. You also have to delete the dataset(s) associated with the model. For more information, see [DeleteDataset]. The images referenced by the training and test datasets aren't deleted. This operation requires permissions to perform the lookoutvision:DeleteProject operation. /// - /// - Parameter DeleteProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectInput`) /// - /// - Returns: `DeleteProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -798,7 +792,6 @@ extension LookoutVisionClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteProjectInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectOutput.httpOutput(from:), DeleteProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -830,9 +823,9 @@ extension LookoutVisionClient { /// /// Describe an Amazon Lookout for Vision dataset. This operation requires permissions to perform the lookoutvision:DescribeDataset operation. /// - /// - Parameter DescribeDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetInput`) /// - /// - Returns: `DescribeDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -868,7 +861,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetOutput.httpOutput(from:), DescribeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -900,9 +892,9 @@ extension LookoutVisionClient { /// /// Describes a version of an Amazon Lookout for Vision model. This operation requires permissions to perform the lookoutvision:DescribeModel operation. /// - /// - Parameter DescribeModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelInput`) /// - /// - Returns: `DescribeModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -938,7 +930,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelOutput.httpOutput(from:), DescribeModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -970,9 +961,9 @@ extension LookoutVisionClient { /// /// Describes an Amazon Lookout for Vision model packaging job. This operation requires permissions to perform the lookoutvision:DescribeModelPackagingJob operation. For more information, see Using your Amazon Lookout for Vision model on an edge device in the Amazon Lookout for Vision Developer Guide. /// - /// - Parameter DescribeModelPackagingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelPackagingJobInput`) /// - /// - Returns: `DescribeModelPackagingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelPackagingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1007,7 +998,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelPackagingJobOutput.httpOutput(from:), DescribeModelPackagingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1039,9 +1029,9 @@ extension LookoutVisionClient { /// /// Describes an Amazon Lookout for Vision project. This operation requires permissions to perform the lookoutvision:DescribeProject operation. /// - /// - Parameter DescribeProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProjectInput`) /// - /// - Returns: `DescribeProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1077,7 +1067,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProjectOutput.httpOutput(from:), DescribeProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1109,9 +1098,9 @@ extension LookoutVisionClient { /// /// Detects anomalies in an image that you supply. The response from DetectAnomalies includes a boolean prediction that the image contains one or more anomalies and a confidence value for the prediction. If the model is an image segmentation model, the response also includes segmentation information for each type of anomaly found in the image. Before calling DetectAnomalies, you must first start your model with the [StartModel] operation. You are charged for the amount of time, in minutes, that a model runs and for the number of anomaly detection units that your model uses. If you are not using a model, use the [StopModel] operation to stop your model. For more information, see Detecting anomalies in an image in the Amazon Lookout for Vision developer guide. This operation requires permissions to perform the lookoutvision:DetectAnomalies operation. /// - /// - Parameter DetectAnomaliesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectAnomaliesInput`) /// - /// - Returns: `DetectAnomaliesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectAnomaliesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1151,7 +1140,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware(requiresLength: true, unsignedPayload: false)) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectAnomaliesOutput.httpOutput(from:), DetectAnomaliesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1183,9 +1171,9 @@ extension LookoutVisionClient { /// /// Lists the JSON Lines within a dataset. An Amazon Lookout for Vision JSON Line contains the anomaly information for a single image, including the image location and the assigned label. This operation requires permissions to perform the lookoutvision:ListDatasetEntries operation. /// - /// - Parameter ListDatasetEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetEntriesInput`) /// - /// - Returns: `ListDatasetEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetEntriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1222,7 +1210,6 @@ extension LookoutVisionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDatasetEntriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetEntriesOutput.httpOutput(from:), ListDatasetEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1254,9 +1241,9 @@ extension LookoutVisionClient { /// /// Lists the model packaging jobs created for an Amazon Lookout for Vision project. This operation requires permissions to perform the lookoutvision:ListModelPackagingJobs operation. For more information, see Using your Amazon Lookout for Vision model on an edge device in the Amazon Lookout for Vision Developer Guide. /// - /// - Parameter ListModelPackagingJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelPackagingJobsInput`) /// - /// - Returns: `ListModelPackagingJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelPackagingJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1292,7 +1279,6 @@ extension LookoutVisionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListModelPackagingJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelPackagingJobsOutput.httpOutput(from:), ListModelPackagingJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1324,9 +1310,9 @@ extension LookoutVisionClient { /// /// Lists the versions of a model in an Amazon Lookout for Vision project. The ListModels operation is eventually consistent. Recent calls to CreateModel might take a while to appear in the response from ListProjects. This operation requires permissions to perform the lookoutvision:ListModels operation. /// - /// - Parameter ListModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelsInput`) /// - /// - Returns: `ListModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1363,7 +1349,6 @@ extension LookoutVisionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListModelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelsOutput.httpOutput(from:), ListModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1395,9 +1380,9 @@ extension LookoutVisionClient { /// /// Lists the Amazon Lookout for Vision projects in your AWS account that are in the AWS Region in which you call ListProjects. The ListProjects operation is eventually consistent. Recent calls to CreateProject and DeleteProject might take a while to appear in the response from ListProjects. This operation requires permissions to perform the lookoutvision:ListProjects operation. /// - /// - Parameter ListProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectsInput`) /// - /// - Returns: `ListProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1434,7 +1419,6 @@ extension LookoutVisionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProjectsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectsOutput.httpOutput(from:), ListProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1466,9 +1450,9 @@ extension LookoutVisionClient { /// /// Returns a list of tags attached to the specified Amazon Lookout for Vision model. This operation requires permissions to perform the lookoutvision:ListTagsForResource operation. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1504,7 +1488,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1536,9 +1519,9 @@ extension LookoutVisionClient { /// /// Starts the running of the version of an Amazon Lookout for Vision model. Starting a model takes a while to complete. To check the current state of the model, use [DescribeModel]. A model is ready to use when its status is HOSTED. Once the model is running, you can detect custom labels in new images by calling [DetectAnomalies]. You are charged for the amount of time that the model is running. To stop a running model, call [StopModel]. This operation requires permissions to perform the lookoutvision:StartModel operation. /// - /// - Parameter StartModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartModelInput`) /// - /// - Returns: `StartModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1580,7 +1563,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartModelOutput.httpOutput(from:), StartModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1629,9 +1611,9 @@ extension LookoutVisionClient { /// /// For more information, see Using your Amazon Lookout for Vision model on an edge device in the Amazon Lookout for Vision Developer Guide. /// - /// - Parameter StartModelPackagingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartModelPackagingJobInput`) /// - /// - Returns: `StartModelPackagingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartModelPackagingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1673,7 +1655,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartModelPackagingJobOutput.httpOutput(from:), StartModelPackagingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1705,9 +1686,9 @@ extension LookoutVisionClient { /// /// Stops the hosting of a running model. The operation might take a while to complete. To check the current status, call [DescribeModel]. After the model hosting stops, the Status of the model is TRAINED. This operation requires permissions to perform the lookoutvision:StopModel operation. /// - /// - Parameter StopModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopModelInput`) /// - /// - Returns: `StopModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1745,7 +1726,6 @@ extension LookoutVisionClient { builder.serialize(ClientRuntime.HeaderMiddleware(StopModelInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopModelOutput.httpOutput(from:), StopModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1777,9 +1757,9 @@ extension LookoutVisionClient { /// /// Adds one or more key-value tags to an Amazon Lookout for Vision model. For more information, see Tagging a model in the Amazon Lookout for Vision Developer Guide. This operation requires permissions to perform the lookoutvision:TagResource operation. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1819,7 +1799,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1851,9 +1830,9 @@ extension LookoutVisionClient { /// /// Removes one or more tags from an Amazon Lookout for Vision model. For more information, see Tagging a model in the Amazon Lookout for Vision Developer Guide. This operation requires permissions to perform the lookoutvision:UntagResource operation. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1890,7 +1869,6 @@ extension LookoutVisionClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1922,9 +1900,9 @@ extension LookoutVisionClient { /// /// Adds or updates one or more JSON Line entries in a dataset. A JSON Line includes information about an image used for training or testing an Amazon Lookout for Vision model. To update an existing JSON Line, use the source-ref field to identify the JSON Line. The JSON line that you supply replaces the existing JSON line. Any existing annotations that are not in the new JSON line are removed from the dataset. For more information, see Defining JSON lines for anomaly classification in the Amazon Lookout for Vision Developer Guide. The images you reference in the source-ref field of a JSON line, must be in the same S3 bucket as the existing images in the dataset. Updating a dataset might take a while to complete. To check the current status, call [DescribeDataset] and check the Status field in the response. This operation requires permissions to perform the lookoutvision:UpdateDatasetEntries operation. /// - /// - Parameter UpdateDatasetEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatasetEntriesInput`) /// - /// - Returns: `UpdateDatasetEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatasetEntriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1965,7 +1943,6 @@ extension LookoutVisionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatasetEntriesOutput.httpOutput(from:), UpdateDatasetEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSM2/Sources/AWSM2/M2Client.swift b/Sources/Services/AWSM2/Sources/AWSM2/M2Client.swift index 489188297b6..6bf5a06ccb8 100644 --- a/Sources/Services/AWSM2/Sources/AWSM2/M2Client.swift +++ b/Sources/Services/AWSM2/Sources/AWSM2/M2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class M2Client: ClientRuntime.Client { public static let clientName = "M2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: M2Client.M2ClientConfiguration let serviceName = "m2" @@ -375,9 +374,9 @@ extension M2Client { /// /// Cancels the running of a specific batch job execution. /// - /// - Parameter CancelBatchJobExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelBatchJobExecutionInput`) /// - /// - Returns: `CancelBatchJobExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelBatchJobExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelBatchJobExecutionOutput.httpOutput(from:), CancelBatchJobExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension M2Client { /// /// Creates a new application with given parameters. Requires an existing runtime environment and application definition file. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension M2Client { /// /// Starts a data set export task for a specific application. /// - /// - Parameter CreateDataSetExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSetExportTaskInput`) /// - /// - Returns: `CreateDataSetExportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataSetExportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSetExportTaskOutput.httpOutput(from:), CreateDataSetExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension M2Client { /// /// Starts a data set import task for a specific application. /// - /// - Parameter CreateDataSetImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSetImportTaskInput`) /// - /// - Returns: `CreateDataSetImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataSetImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -640,7 +636,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSetImportTaskOutput.httpOutput(from:), CreateDataSetImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension M2Client { /// /// Creates and starts a deployment to deploy an application into a runtime environment. /// - /// - Parameter CreateDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeploymentInput`) /// - /// - Returns: `CreateDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -715,7 +710,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentOutput.httpOutput(from:), CreateDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -747,9 +741,9 @@ extension M2Client { /// /// Creates a runtime environment for a given runtime engine. /// - /// - Parameter CreateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentInput`) /// - /// - Returns: `CreateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -789,7 +783,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentOutput.httpOutput(from:), CreateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -821,9 +814,9 @@ extension M2Client { /// /// Deletes a specific application. You cannot delete a running application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -858,7 +851,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -890,9 +882,9 @@ extension M2Client { /// /// Deletes a specific application from the specific runtime environment where it was previously deployed. You cannot delete a runtime environment using DeleteEnvironment if any application has ever been deployed to it. This API removes the association of the application with the runtime environment so you can delete the environment smoothly. /// - /// - Parameter DeleteApplicationFromEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationFromEnvironmentInput`) /// - /// - Returns: `DeleteApplicationFromEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationFromEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -928,7 +920,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationFromEnvironmentOutput.httpOutput(from:), DeleteApplicationFromEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -960,9 +951,9 @@ extension M2Client { /// /// Deletes a specific runtime environment. The environment cannot contain deployed applications. If it does, you must delete those applications before you delete the environment. /// - /// - Parameter DeleteEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentInput`) /// - /// - Returns: `DeleteEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +988,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentOutput.httpOutput(from:), DeleteEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1029,9 +1019,9 @@ extension M2Client { /// /// Describes the details of a specific application. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1066,7 +1056,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1098,9 +1087,9 @@ extension M2Client { /// /// Returns details about a specific version of a specific application. /// - /// - Parameter GetApplicationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationVersionInput`) /// - /// - Returns: `GetApplicationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1135,7 +1124,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationVersionOutput.httpOutput(from:), GetApplicationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1167,9 +1155,9 @@ extension M2Client { /// /// Gets the details of a specific batch job execution for a specific application. /// - /// - Parameter GetBatchJobExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBatchJobExecutionInput`) /// - /// - Returns: `GetBatchJobExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBatchJobExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1204,7 +1192,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBatchJobExecutionOutput.httpOutput(from:), GetBatchJobExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1236,9 +1223,9 @@ extension M2Client { /// /// Gets the details of a specific data set. /// - /// - Parameter GetDataSetDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSetDetailsInput`) /// - /// - Returns: `GetDataSetDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataSetDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1276,7 +1263,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSetDetailsOutput.httpOutput(from:), GetDataSetDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1308,9 +1294,9 @@ extension M2Client { /// /// Gets the status of a data set import task initiated with the [CreateDataSetExportTask] operation. /// - /// - Parameter GetDataSetExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSetExportTaskInput`) /// - /// - Returns: `GetDataSetExportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataSetExportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1345,7 +1331,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSetExportTaskOutput.httpOutput(from:), GetDataSetExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1377,9 +1362,9 @@ extension M2Client { /// /// Gets the status of a data set import task initiated with the [CreateDataSetImportTask] operation. /// - /// - Parameter GetDataSetImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSetImportTaskInput`) /// - /// - Returns: `GetDataSetImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataSetImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1414,7 +1399,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSetImportTaskOutput.httpOutput(from:), GetDataSetImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1446,9 +1430,9 @@ extension M2Client { /// /// Gets details of a specific deployment with a given deployment identifier. /// - /// - Parameter GetDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentInput`) /// - /// - Returns: `GetDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1483,7 +1467,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentOutput.httpOutput(from:), GetDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1515,9 +1498,9 @@ extension M2Client { /// /// Describes a specific runtime environment. /// - /// - Parameter GetEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentInput`) /// - /// - Returns: `GetEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1552,7 +1535,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentOutput.httpOutput(from:), GetEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1584,9 +1566,9 @@ extension M2Client { /// /// Gets a single sign-on URL that can be used to connect to AWS Blu Insights. /// - /// - Parameter GetSignedBluinsightsUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSignedBluinsightsUrlInput`) /// - /// - Returns: `GetSignedBluinsightsUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSignedBluinsightsUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1619,7 +1601,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSignedBluinsightsUrlOutput.httpOutput(from:), GetSignedBluinsightsUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1651,9 +1632,9 @@ extension M2Client { /// /// Returns a list of the application versions for a specific application. /// - /// - Parameter ListApplicationVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationVersionsInput`) /// - /// - Returns: `ListApplicationVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1689,7 +1670,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationVersionsOutput.httpOutput(from:), ListApplicationVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1721,9 +1701,9 @@ extension M2Client { /// /// Lists the applications associated with a specific Amazon Web Services account. You can provide the unique identifier of a specific runtime environment in a query parameter to see all applications associated with that environment. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1758,7 +1738,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1790,9 +1769,9 @@ extension M2Client { /// /// Lists all the available batch job definitions based on the batch job resources uploaded during the application creation. You can use the batch job definitions in the list to start a batch job. /// - /// - Parameter ListBatchJobDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBatchJobDefinitionsInput`) /// - /// - Returns: `ListBatchJobDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBatchJobDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1828,7 +1807,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBatchJobDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBatchJobDefinitionsOutput.httpOutput(from:), ListBatchJobDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1860,9 +1838,9 @@ extension M2Client { /// /// Lists historical, current, and scheduled batch job executions for a specific application. /// - /// - Parameter ListBatchJobExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBatchJobExecutionsInput`) /// - /// - Returns: `ListBatchJobExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBatchJobExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1898,7 +1876,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBatchJobExecutionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBatchJobExecutionsOutput.httpOutput(from:), ListBatchJobExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1930,9 +1907,9 @@ extension M2Client { /// /// Lists all the job steps for a JCL file to restart a batch job. This is only applicable for Micro Focus engine with versions 8.0.6 and above. /// - /// - Parameter ListBatchJobRestartPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBatchJobRestartPointsInput`) /// - /// - Returns: `ListBatchJobRestartPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBatchJobRestartPointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1969,7 +1946,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBatchJobRestartPointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBatchJobRestartPointsOutput.httpOutput(from:), ListBatchJobRestartPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2001,9 +1977,9 @@ extension M2Client { /// /// Lists the data set exports for the specified application. /// - /// - Parameter ListDataSetExportHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSetExportHistoryInput`) /// - /// - Returns: `ListDataSetExportHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSetExportHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2039,7 +2015,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSetExportHistoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSetExportHistoryOutput.httpOutput(from:), ListDataSetExportHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2071,9 +2046,9 @@ extension M2Client { /// /// Lists the data set imports for the specified application. /// - /// - Parameter ListDataSetImportHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSetImportHistoryInput`) /// - /// - Returns: `ListDataSetImportHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSetImportHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2109,7 +2084,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSetImportHistoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSetImportHistoryOutput.httpOutput(from:), ListDataSetImportHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2141,9 +2115,9 @@ extension M2Client { /// /// Lists the data sets imported for a specific application. In Amazon Web Services Mainframe Modernization, data sets are associated with applications deployed on runtime environments. This is known as importing data sets. Currently, Amazon Web Services Mainframe Modernization can import data sets into catalogs using [CreateDataSetImportTask](https://docs.aws.amazon.com/m2/latest/APIReference/API_CreateDataSetImportTask.html). /// - /// - Parameter ListDataSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSetsInput`) /// - /// - Returns: `ListDataSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2182,7 +2156,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSetsOutput.httpOutput(from:), ListDataSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2214,9 +2187,9 @@ extension M2Client { /// /// Returns a list of all deployments of a specific application. A deployment is a combination of a specific application and a specific version of that application. Each deployment is mapped to a particular application version. /// - /// - Parameter ListDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeploymentsInput`) /// - /// - Returns: `ListDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2252,7 +2225,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeploymentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentsOutput.httpOutput(from:), ListDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2284,9 +2256,9 @@ extension M2Client { /// /// Lists the available engine versions. /// - /// - Parameter ListEngineVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEngineVersionsInput`) /// - /// - Returns: `ListEngineVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEngineVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2321,7 +2293,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEngineVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEngineVersionsOutput.httpOutput(from:), ListEngineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2353,9 +2324,9 @@ extension M2Client { /// /// Lists the runtime environments. /// - /// - Parameter ListEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentsInput`) /// - /// - Returns: `ListEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2390,7 +2361,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentsOutput.httpOutput(from:), ListEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2422,9 +2392,9 @@ extension M2Client { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2459,7 +2429,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2491,9 +2460,9 @@ extension M2Client { /// /// Starts an application that is currently stopped. /// - /// - Parameter StartApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartApplicationInput`) /// - /// - Returns: `StartApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2529,7 +2498,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartApplicationOutput.httpOutput(from:), StartApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2561,9 +2529,9 @@ extension M2Client { /// /// Starts a batch job and returns the unique identifier of this execution of the batch job. The associated application must be running in order to start the batch job. /// - /// - Parameter StartBatchJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartBatchJobInput`) /// - /// - Returns: `StartBatchJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartBatchJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2602,7 +2570,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartBatchJobOutput.httpOutput(from:), StartBatchJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2634,9 +2601,9 @@ extension M2Client { /// /// Stops a running application. /// - /// - Parameter StopApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopApplicationInput`) /// - /// - Returns: `StopApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2675,7 +2642,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopApplicationOutput.httpOutput(from:), StopApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2707,9 +2673,9 @@ extension M2Client { /// /// Adds one or more tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2748,7 +2714,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2780,9 +2745,9 @@ extension M2Client { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2818,7 +2783,6 @@ extension M2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2850,9 +2814,9 @@ extension M2Client { /// /// Updates an application and creates a new version. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2891,7 +2855,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2923,9 +2886,9 @@ extension M2Client { /// /// Updates the configuration details for a specific runtime environment. /// - /// - Parameter UpdateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentInput`) /// - /// - Returns: `UpdateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2965,7 +2928,6 @@ extension M2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentOutput.httpOutput(from:), UpdateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMPA/Sources/AWSMPA/MPAClient.swift b/Sources/Services/AWSMPA/Sources/AWSMPA/MPAClient.swift index f936ab45cd0..a7fd35330b5 100644 --- a/Sources/Services/AWSMPA/Sources/AWSMPA/MPAClient.swift +++ b/Sources/Services/AWSMPA/Sources/AWSMPA/MPAClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MPAClient: ClientRuntime.Client { public static let clientName = "MPAClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MPAClient.MPAClientConfiguration let serviceName = "MPA" @@ -375,9 +374,9 @@ extension MPAClient { /// /// Cancels an approval session. For more information, see [Session](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-concepts.html) in the Multi-party approval User Guide. /// - /// - Parameter CancelSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelSessionInput`) /// - /// - Returns: `CancelSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSessionOutput.httpOutput(from:), CancelSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension MPAClient { /// /// Creates a new approval team. For more information, see [Approval team](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-concepts.html) in the Multi-party approval User Guide. /// - /// - Parameter CreateApprovalTeamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApprovalTeamInput`) /// - /// - Returns: `CreateApprovalTeamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApprovalTeamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApprovalTeamOutput.httpOutput(from:), CreateApprovalTeamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension MPAClient { /// /// Creates a new identity source. For more information, see [Identity Source](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-concepts.html) in the Multi-party approval User Guide. /// - /// - Parameter CreateIdentitySourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIdentitySourceInput`) /// - /// - Returns: `CreateIdentitySourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIdentitySourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIdentitySourceOutput.httpOutput(from:), CreateIdentitySourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension MPAClient { /// /// Deletes an identity source. For more information, see [Identity Source](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-concepts.html) in the Multi-party approval User Guide. /// - /// - Parameter DeleteIdentitySourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdentitySourceInput`) /// - /// - Returns: `DeleteIdentitySourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdentitySourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentitySourceOutput.httpOutput(from:), DeleteIdentitySourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension MPAClient { /// /// Deletes an inactive approval team. For more information, see [Team health](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-health.html) in the Multi-party approval User Guide. You can also use this operation to delete a team draft. For more information, see [Interacting with drafts](https://docs.aws.amazon.com/mpa/latest/userguide/update-team.html#update-team-draft-status) in the Multi-party approval User Guide. /// - /// - Parameter DeleteInactiveApprovalTeamVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInactiveApprovalTeamVersionInput`) /// - /// - Returns: `DeleteInactiveApprovalTeamVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInactiveApprovalTeamVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -699,7 +694,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInactiveApprovalTeamVersionOutput.httpOutput(from:), DeleteInactiveApprovalTeamVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +725,9 @@ extension MPAClient { /// /// Returns details for an approval team. /// - /// - Parameter GetApprovalTeamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApprovalTeamInput`) /// - /// - Returns: `GetApprovalTeamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApprovalTeamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -768,7 +762,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApprovalTeamOutput.httpOutput(from:), GetApprovalTeamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -800,9 +793,9 @@ extension MPAClient { /// /// Returns details for an identity source. For more information, see [Identity Source](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-concepts.html) in the Multi-party approval User Guide. /// - /// - Parameter GetIdentitySourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdentitySourceInput`) /// - /// - Returns: `GetIdentitySourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdentitySourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -837,7 +830,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentitySourceOutput.httpOutput(from:), GetIdentitySourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -869,9 +861,9 @@ extension MPAClient { /// /// Returns details for the version of a policy. Policies define the permissions for team resources. The protected operation for a service integration might require specific permissions. For more information, see [How other services work with Multi-party approval](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-integrations.html) in the Multi-party approval User Guide. /// - /// - Parameter GetPolicyVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyVersionInput`) /// - /// - Returns: `GetPolicyVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -906,7 +898,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyVersionOutput.httpOutput(from:), GetPolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -938,9 +929,9 @@ extension MPAClient { /// /// Returns details about a policy for a resource. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -978,7 +969,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1010,9 +1000,9 @@ extension MPAClient { /// /// Returns details for an approval session. For more information, see [Session](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-concepts.html) in the Multi-party approval User Guide. /// - /// - Parameter GetSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionInput`) /// - /// - Returns: `GetSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1047,7 +1037,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionOutput.httpOutput(from:), GetSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1079,9 +1068,9 @@ extension MPAClient { /// /// Returns a list of approval teams. /// - /// - Parameter ListApprovalTeamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApprovalTeamsInput`) /// - /// - Returns: `ListApprovalTeamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApprovalTeamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1116,7 +1105,6 @@ extension MPAClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApprovalTeamsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApprovalTeamsOutput.httpOutput(from:), ListApprovalTeamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1148,9 +1136,9 @@ extension MPAClient { /// /// Returns a list of identity sources. For more information, see [Identity Source](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-concepts.html) in the Multi-party approval User Guide. /// - /// - Parameter ListIdentitySourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdentitySourcesInput`) /// - /// - Returns: `ListIdentitySourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdentitySourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1185,7 +1173,6 @@ extension MPAClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdentitySourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentitySourcesOutput.httpOutput(from:), ListIdentitySourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1217,9 +1204,9 @@ extension MPAClient { /// /// Returns a list of policies. Policies define the permissions for team resources. The protected operation for a service integration might require specific permissions. For more information, see [How other services work with Multi-party approval](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-integrations.html) in the Multi-party approval User Guide. /// - /// - Parameter ListPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPoliciesInput`) /// - /// - Returns: `ListPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1254,7 +1241,6 @@ extension MPAClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPoliciesOutput.httpOutput(from:), ListPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1286,9 +1272,9 @@ extension MPAClient { /// /// Returns a list of the versions for policies. Policies define the permissions for team resources. The protected operation for a service integration might require specific permissions. For more information, see [How other services work with Multi-party approval](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-integrations.html) in the Multi-party approval User Guide. /// - /// - Parameter ListPolicyVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPolicyVersionsInput`) /// - /// - Returns: `ListPolicyVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPolicyVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1324,7 +1310,6 @@ extension MPAClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPolicyVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPolicyVersionsOutput.httpOutput(from:), ListPolicyVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1356,9 +1341,9 @@ extension MPAClient { /// /// Returns a list of policies for a resource. /// - /// - Parameter ListResourcePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcePoliciesInput`) /// - /// - Returns: `ListResourcePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1394,7 +1379,6 @@ extension MPAClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourcePoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcePoliciesOutput.httpOutput(from:), ListResourcePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1426,9 +1410,9 @@ extension MPAClient { /// /// Returns a list of approval sessions. For more information, see [Session](https://docs.aws.amazon.com/mpa/latest/userguide/mpa-concepts.html) in the Multi-party approval User Guide. /// - /// - Parameter ListSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionsInput`) /// - /// - Returns: `ListSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1467,7 +1451,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionsOutput.httpOutput(from:), ListSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1499,9 +1482,9 @@ extension MPAClient { /// /// Returns a list of the tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1536,7 +1519,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1568,9 +1550,9 @@ extension MPAClient { /// /// Starts the deletion process for an active approval team. Deletions require team approval Requests to delete an active team must be approved by the team. /// - /// - Parameter StartActiveApprovalTeamDeletionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartActiveApprovalTeamDeletionInput`) /// - /// - Returns: `StartActiveApprovalTeamDeletionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartActiveApprovalTeamDeletionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1610,7 +1592,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartActiveApprovalTeamDeletionOutput.httpOutput(from:), StartActiveApprovalTeamDeletionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1642,9 +1623,9 @@ extension MPAClient { /// /// Creates or updates a resource tag. 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. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1683,7 +1664,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1715,9 +1695,9 @@ extension MPAClient { /// /// Removes a resource tag. 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. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1755,7 +1735,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1787,9 +1766,9 @@ extension MPAClient { /// /// Updates an approval team. You can request to update the team description, approval threshold, and approvers in the team. Updates require team approval Updates to an active team must be approved by the team. /// - /// - Parameter UpdateApprovalTeamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApprovalTeamInput`) /// - /// - Returns: `UpdateApprovalTeamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApprovalTeamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1829,7 +1808,6 @@ extension MPAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApprovalTeamOutput.httpOutput(from:), UpdateApprovalTeamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMTurk/Sources/AWSMTurk/MTurkClient.swift b/Sources/Services/AWSMTurk/Sources/AWSMTurk/MTurkClient.swift index eaeba4ca520..bacdf8986f8 100644 --- a/Sources/Services/AWSMTurk/Sources/AWSMTurk/MTurkClient.swift +++ b/Sources/Services/AWSMTurk/Sources/AWSMTurk/MTurkClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MTurkClient: ClientRuntime.Client { public static let clientName = "MTurkClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MTurkClient.MTurkClientConfiguration let serviceName = "MTurk" @@ -374,9 +373,9 @@ extension MTurkClient { /// /// The AcceptQualificationRequest operation approves a Worker's request for a Qualification. Only the owner of the Qualification type can grant a Qualification request for that type. A successful request for the AcceptQualificationRequest operation returns with no errors and an empty body. /// - /// - Parameter AcceptQualificationRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptQualificationRequestInput`) /// - /// - Returns: `AcceptQualificationRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptQualificationRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptQualificationRequestOutput.httpOutput(from:), AcceptQualificationRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension MTurkClient { /// /// If the Requester's account does not have adequate funds for these payments, the call to ApproveAssignment returns an exception, and the approval is not processed. You can include an optional feedback message with the approval, which the Worker can see in the Status section of the web site. You can also call this operation for assignments that were previous rejected and approve them by explicitly overriding the previous rejection. This only works on rejected assignments that were submitted within the previous 30 days and only if the assignment's related HIT has not been deleted. /// - /// - Parameter ApproveAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ApproveAssignmentInput`) /// - /// - Returns: `ApproveAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ApproveAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApproveAssignmentOutput.httpOutput(from:), ApproveAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension MTurkClient { /// /// The AssociateQualificationWithWorker operation gives a Worker a Qualification. AssociateQualificationWithWorker does not require that the Worker submit a Qualification request. It gives the Qualification directly to the Worker. You can only assign a Qualification of a Qualification type that you created (using the CreateQualificationType operation). Note: AssociateQualificationWithWorker does not affect any pending Qualification requests for the Qualification by the Worker. If you assign a Qualification to a Worker, then later grant a Qualification request made by the Worker, the granting of the request may modify the Qualification score. To resolve a pending Qualification request without affecting the Qualification the Worker already has, reject the request with the RejectQualificationRequest operation. /// - /// - Parameter AssociateQualificationWithWorkerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateQualificationWithWorkerInput`) /// - /// - Returns: `AssociateQualificationWithWorkerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateQualificationWithWorkerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateQualificationWithWorkerOutput.httpOutput(from:), AssociateQualificationWithWorkerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension MTurkClient { /// /// * HITs that were created before July 22, 2015 cannot be extended. Attempting to extend HITs that were created before July 22, 2015 will result in an AWS.MechanicalTurk.HITTooOldForExtension exception. /// - /// - Parameter CreateAdditionalAssignmentsForHITInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAdditionalAssignmentsForHITInput`) /// - /// - Returns: `CreateAdditionalAssignmentsForHITOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAdditionalAssignmentsForHITOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAdditionalAssignmentsForHITOutput.httpOutput(from:), CreateAdditionalAssignmentsForHITOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension MTurkClient { /// /// The CreateHIT operation creates a new Human Intelligence Task (HIT). The new HIT is made available for Workers to find and accept on the Amazon Mechanical Turk website. This operation allows you to specify a new HIT by passing in values for the properties of the HIT, such as its title, reward amount and number of assignments. When you pass these values to CreateHIT, a new HIT is created for you, with a new HITTypeID. The HITTypeID can be used to create additional HITs in the future without needing to specify common parameters such as the title, description and reward amount each time. An alternative way to create HITs is to first generate a HITTypeID using the CreateHITType operation and then call the CreateHITWithHITType operation. This is the recommended best practice for Requesters who are creating large numbers of HITs. CreateHIT also supports several ways to provide question data: by providing a value for the Question parameter that fully specifies the contents of the HIT, or by providing a HitLayoutId and associated HitLayoutParameters. If a HIT is created with 10 or more maximum assignments, there is an additional fee. For more information, see [Amazon Mechanical Turk Pricing](https://requester.mturk.com/pricing). /// - /// - Parameter CreateHITInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHITInput`) /// - /// - Returns: `CreateHITOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHITOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -700,7 +695,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHITOutput.httpOutput(from:), CreateHITOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension MTurkClient { /// /// The CreateHITType operation creates a new HIT type. This operation allows you to define a standard set of HIT properties to use when creating HITs. If you register a HIT type with values that match an existing HIT type, the HIT type ID of the existing type will be returned. /// - /// - Parameter CreateHITTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHITTypeInput`) /// - /// - Returns: `CreateHITTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHITTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -770,7 +764,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHITTypeOutput.httpOutput(from:), CreateHITTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -805,9 +798,9 @@ extension MTurkClient { /// /// The CreateHITWithHITType operation creates a new Human Intelligence Task (HIT) using an existing HITTypeID generated by the CreateHITType operation. This is an alternative way to create HITs from the CreateHIT operation. This is the recommended best practice for Requesters who are creating large numbers of HITs. CreateHITWithHITType also supports several ways to provide question data: by providing a value for the Question parameter that fully specifies the contents of the HIT, or by providing a HitLayoutId and associated HitLayoutParameters. If a HIT is created with 10 or more maximum assignments, there is an additional fee. For more information, see [Amazon Mechanical Turk Pricing](https://requester.mturk.com/pricing). /// - /// - Parameter CreateHITWithHITTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHITWithHITTypeInput`) /// - /// - Returns: `CreateHITWithHITTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHITWithHITTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHITWithHITTypeOutput.httpOutput(from:), CreateHITWithHITTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -875,9 +867,9 @@ extension MTurkClient { /// /// The CreateQualificationType operation creates a new Qualification type, which is represented by a QualificationType data structure. /// - /// - Parameter CreateQualificationTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQualificationTypeInput`) /// - /// - Returns: `CreateQualificationTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQualificationTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -910,7 +902,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQualificationTypeOutput.httpOutput(from:), CreateQualificationTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -945,9 +936,9 @@ extension MTurkClient { /// /// The CreateWorkerBlock operation allows you to prevent a Worker from working on your HITs. For example, you can block a Worker who is producing poor quality work. You can block up to 100,000 Workers. /// - /// - Parameter CreateWorkerBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkerBlockInput`) /// - /// - Returns: `CreateWorkerBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkerBlockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -980,7 +971,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkerBlockOutput.httpOutput(from:), CreateWorkerBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1023,9 +1013,9 @@ extension MTurkClient { /// /// * Disposing HITs can improve the performance of operations such as ListReviewableHITs and ListHITs. /// - /// - Parameter DeleteHITInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHITInput`) /// - /// - Returns: `DeleteHITOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHITOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1058,7 +1048,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHITOutput.httpOutput(from:), DeleteHITOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1093,9 +1082,9 @@ extension MTurkClient { /// /// The DeleteQualificationType deletes a Qualification type and deletes any HIT types that are associated with the Qualification type. This operation does not revoke Qualifications already assigned to Workers because the Qualifications might be needed for active HITs. If there are any pending requests for the Qualification type, Amazon Mechanical Turk rejects those requests. After you delete a Qualification type, you can no longer use it to create HITs or HIT types. DeleteQualificationType must wait for all the HITs that use the deleted Qualification type to be deleted before completing. It may take up to 48 hours before DeleteQualificationType completes and the unique name of the Qualification type is available for reuse with CreateQualificationType. /// - /// - Parameter DeleteQualificationTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQualificationTypeInput`) /// - /// - Returns: `DeleteQualificationTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQualificationTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1128,7 +1117,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQualificationTypeOutput.httpOutput(from:), DeleteQualificationTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1163,9 +1151,9 @@ extension MTurkClient { /// /// The DeleteWorkerBlock operation allows you to reinstate a blocked Worker to work on your HITs. This operation reverses the effects of the CreateWorkerBlock operation. You need the Worker ID to use this operation. If the Worker ID is missing or invalid, this operation fails and returns the message “WorkerId is invalid.” If the specified Worker is not blocked, this operation returns successfully. /// - /// - Parameter DeleteWorkerBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkerBlockInput`) /// - /// - Returns: `DeleteWorkerBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkerBlockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1198,7 +1186,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkerBlockOutput.httpOutput(from:), DeleteWorkerBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1233,9 +1220,9 @@ extension MTurkClient { /// /// The DisassociateQualificationFromWorker revokes a previously granted Qualification from a user. You can provide a text message explaining why the Qualification was revoked. The user who had the Qualification can see this message. /// - /// - Parameter DisassociateQualificationFromWorkerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateQualificationFromWorkerInput`) /// - /// - Returns: `DisassociateQualificationFromWorkerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateQualificationFromWorkerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1268,7 +1255,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateQualificationFromWorkerOutput.httpOutput(from:), DisassociateQualificationFromWorkerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1303,9 +1289,9 @@ extension MTurkClient { /// /// The GetAccountBalance operation retrieves the Prepaid HITs balance in your Amazon Mechanical Turk account if you are a Prepaid Requester. Alternatively, this operation will retrieve the remaining available AWS Billing usage if you have enabled AWS Billing. Note: If you have enabled AWS Billing and still have a remaining Prepaid HITs balance, this balance can be viewed on the My Account page in the Requester console. /// - /// - Parameter GetAccountBalanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountBalanceInput`) /// - /// - Returns: `GetAccountBalanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountBalanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1338,7 +1324,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountBalanceOutput.httpOutput(from:), GetAccountBalanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1373,9 +1358,9 @@ extension MTurkClient { /// /// The GetAssignment operation retrieves the details of the specified Assignment. /// - /// - Parameter GetAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssignmentInput`) /// - /// - Returns: `GetAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1408,7 +1393,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssignmentOutput.httpOutput(from:), GetAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1446,9 +1430,9 @@ extension MTurkClient { /// /// structure will no longer support the FileUploadAnswer element to be used for the QuestionForm data structure. Instead, we recommend that Requesters who want to create HITs asking Workers to upload files to use Amazon S3. /// - /// - Parameter GetFileUploadURLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFileUploadURLInput`) /// - /// - Returns: `GetFileUploadURLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFileUploadURLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1481,7 +1465,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFileUploadURLOutput.httpOutput(from:), GetFileUploadURLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1516,9 +1499,9 @@ extension MTurkClient { /// /// The GetHIT operation retrieves the details of the specified HIT. /// - /// - Parameter GetHITInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHITInput`) /// - /// - Returns: `GetHITOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHITOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1551,7 +1534,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHITOutput.httpOutput(from:), GetHITOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1586,9 +1568,9 @@ extension MTurkClient { /// /// The GetQualificationScore operation returns the value of a Worker's Qualification for a given Qualification type. To get a Worker's Qualification, you must know the Worker's ID. The Worker's ID is included in the assignment data returned by the ListAssignmentsForHIT operation. Only the owner of a Qualification type can query the value of a Worker's Qualification of that type. /// - /// - Parameter GetQualificationScoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQualificationScoreInput`) /// - /// - Returns: `GetQualificationScoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQualificationScoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1621,7 +1603,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQualificationScoreOutput.httpOutput(from:), GetQualificationScoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1656,9 +1637,9 @@ extension MTurkClient { /// /// The GetQualificationTypeoperation retrieves information about a Qualification type using its ID. /// - /// - Parameter GetQualificationTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQualificationTypeInput`) /// - /// - Returns: `GetQualificationTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQualificationTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1691,7 +1672,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQualificationTypeOutput.httpOutput(from:), GetQualificationTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1726,9 +1706,9 @@ extension MTurkClient { /// /// The ListAssignmentsForHIT operation retrieves completed assignments for a HIT. You can use this operation to retrieve the results for a HIT. You can get assignments for a HIT at any time, even if the HIT is not yet Reviewable. If a HIT requested multiple assignments, and has received some results but has not yet become Reviewable, you can still retrieve the partial results with this operation. Use the AssignmentStatus parameter to control which set of assignments for a HIT are returned. The ListAssignmentsForHIT operation can return submitted assignments awaiting approval, or it can return assignments that have already been approved or rejected. You can set AssignmentStatus=Approved,Rejected to get assignments that have already been approved and rejected together in one result set. Only the Requester who created the HIT can retrieve the assignments for that HIT. Results are sorted and divided into numbered pages and the operation returns a single page of results. You can use the parameters of the operation to control sorting and pagination. /// - /// - Parameter ListAssignmentsForHITInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssignmentsForHITInput`) /// - /// - Returns: `ListAssignmentsForHITOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssignmentsForHITOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1761,7 +1741,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssignmentsForHITOutput.httpOutput(from:), ListAssignmentsForHITOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1796,9 +1775,9 @@ extension MTurkClient { /// /// The ListBonusPayments operation retrieves the amounts of bonuses you have paid to Workers for a given HIT or assignment. /// - /// - Parameter ListBonusPaymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBonusPaymentsInput`) /// - /// - Returns: `ListBonusPaymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBonusPaymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1831,7 +1810,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBonusPaymentsOutput.httpOutput(from:), ListBonusPaymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1866,9 +1844,9 @@ extension MTurkClient { /// /// The ListHITs operation returns all of a Requester's HITs. The operation returns HITs of any status, except for HITs that have been deleted of with the DeleteHIT operation or that have been auto-deleted. /// - /// - Parameter ListHITsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHITsInput`) /// - /// - Returns: `ListHITsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHITsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1901,7 +1879,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHITsOutput.httpOutput(from:), ListHITsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1936,9 +1913,9 @@ extension MTurkClient { /// /// The ListHITsForQualificationType operation returns the HITs that use the given Qualification type for a Qualification requirement. The operation returns HITs of any status, except for HITs that have been deleted with the DeleteHIT operation or that have been auto-deleted. /// - /// - Parameter ListHITsForQualificationTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHITsForQualificationTypeInput`) /// - /// - Returns: `ListHITsForQualificationTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHITsForQualificationTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1971,7 +1948,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHITsForQualificationTypeOutput.httpOutput(from:), ListHITsForQualificationTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2006,9 +1982,9 @@ extension MTurkClient { /// /// The ListQualificationRequests operation retrieves requests for Qualifications of a particular Qualification type. The owner of the Qualification type calls this operation to poll for pending requests, and accepts them using the AcceptQualification operation. /// - /// - Parameter ListQualificationRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQualificationRequestsInput`) /// - /// - Returns: `ListQualificationRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQualificationRequestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2041,7 +2017,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQualificationRequestsOutput.httpOutput(from:), ListQualificationRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2076,9 +2051,9 @@ extension MTurkClient { /// /// The ListQualificationTypes operation returns a list of Qualification types, filtered by an optional search term. /// - /// - Parameter ListQualificationTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQualificationTypesInput`) /// - /// - Returns: `ListQualificationTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQualificationTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2111,7 +2086,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQualificationTypesOutput.httpOutput(from:), ListQualificationTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2146,9 +2120,9 @@ extension MTurkClient { /// /// The ListReviewPolicyResultsForHIT operation retrieves the computed results and the actions taken in the course of executing your Review Policies for a given HIT. For information about how to specify Review Policies when you call CreateHIT, see Review Policies. The ListReviewPolicyResultsForHIT operation can return results for both Assignment-level and HIT-level review results. /// - /// - Parameter ListReviewPolicyResultsForHITInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReviewPolicyResultsForHITInput`) /// - /// - Returns: `ListReviewPolicyResultsForHITOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReviewPolicyResultsForHITOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2181,7 +2155,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReviewPolicyResultsForHITOutput.httpOutput(from:), ListReviewPolicyResultsForHITOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2216,9 +2189,9 @@ extension MTurkClient { /// /// The ListReviewableHITs operation retrieves the HITs with Status equal to Reviewable or Status equal to Reviewing that belong to the Requester calling the operation. /// - /// - Parameter ListReviewableHITsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReviewableHITsInput`) /// - /// - Returns: `ListReviewableHITsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReviewableHITsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2251,7 +2224,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReviewableHITsOutput.httpOutput(from:), ListReviewableHITsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2286,9 +2258,9 @@ extension MTurkClient { /// /// The ListWorkersBlocks operation retrieves a list of Workers who are blocked from working on your HITs. /// - /// - Parameter ListWorkerBlocksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkerBlocksInput`) /// - /// - Returns: `ListWorkerBlocksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkerBlocksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2321,7 +2293,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkerBlocksOutput.httpOutput(from:), ListWorkerBlocksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2356,9 +2327,9 @@ extension MTurkClient { /// /// The ListWorkersWithQualificationType operation returns all of the Workers that have been associated with a given Qualification type. /// - /// - Parameter ListWorkersWithQualificationTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkersWithQualificationTypeInput`) /// - /// - Returns: `ListWorkersWithQualificationTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkersWithQualificationTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2391,7 +2362,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkersWithQualificationTypeOutput.httpOutput(from:), ListWorkersWithQualificationTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2426,9 +2396,9 @@ extension MTurkClient { /// /// The NotifyWorkers operation sends an email to one or more Workers that you specify with the Worker ID. You can specify up to 100 Worker IDs to send the same message with a single call to the NotifyWorkers operation. The NotifyWorkers operation will send a notification email to a Worker only if you have previously approved or rejected work from the Worker. /// - /// - Parameter NotifyWorkersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `NotifyWorkersInput`) /// - /// - Returns: `NotifyWorkersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `NotifyWorkersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2461,7 +2431,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NotifyWorkersOutput.httpOutput(from:), NotifyWorkersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2496,9 +2465,9 @@ extension MTurkClient { /// /// The RejectAssignment operation rejects the results of a completed assignment. You can include an optional feedback message with the rejection, which the Worker can see in the Status section of the web site. When you include a feedback message with the rejection, it helps the Worker understand why the assignment was rejected, and can improve the quality of the results the Worker submits in the future. Only the Requester who created the HIT can reject an assignment for the HIT. /// - /// - Parameter RejectAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectAssignmentInput`) /// - /// - Returns: `RejectAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2531,7 +2500,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectAssignmentOutput.httpOutput(from:), RejectAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2566,9 +2534,9 @@ extension MTurkClient { /// /// The RejectQualificationRequest operation rejects a user's request for a Qualification. You can provide a text message explaining why the request was rejected. The Worker who made the request can see this message. /// - /// - Parameter RejectQualificationRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectQualificationRequestInput`) /// - /// - Returns: `RejectQualificationRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectQualificationRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2601,7 +2569,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectQualificationRequestOutput.httpOutput(from:), RejectQualificationRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2636,9 +2603,9 @@ extension MTurkClient { /// /// The SendBonus operation issues a payment of money from your account to a Worker. This payment happens separately from the reward you pay to the Worker when you approve the Worker's assignment. The SendBonus operation requires the Worker's ID and the assignment ID as parameters to initiate payment of the bonus. You must include a message that explains the reason for the bonus payment, as the Worker may not be expecting the payment. Amazon Mechanical Turk collects a fee for bonus payments, similar to the HIT listing fee. This operation fails if your account does not have enough funds to pay for both the bonus and the fees. /// - /// - Parameter SendBonusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendBonusInput`) /// - /// - Returns: `SendBonusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendBonusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2671,7 +2638,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendBonusOutput.httpOutput(from:), SendBonusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2706,9 +2672,9 @@ extension MTurkClient { /// /// The SendTestEventNotification operation causes Amazon Mechanical Turk to send a notification message as if a HIT event occurred, according to the provided notification specification. This allows you to test notifications without setting up notifications for a real HIT type and trying to trigger them using the website. When you call this operation, the service attempts to send the test notification immediately. /// - /// - Parameter SendTestEventNotificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendTestEventNotificationInput`) /// - /// - Returns: `SendTestEventNotificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendTestEventNotificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2741,7 +2707,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendTestEventNotificationOutput.httpOutput(from:), SendTestEventNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2776,9 +2741,9 @@ extension MTurkClient { /// /// The UpdateExpirationForHIT operation allows you update the expiration time of a HIT. If you update it to a time in the past, the HIT will be immediately expired. /// - /// - Parameter UpdateExpirationForHITInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateExpirationForHITInput`) /// - /// - Returns: `UpdateExpirationForHITOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateExpirationForHITOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2811,7 +2776,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateExpirationForHITOutput.httpOutput(from:), UpdateExpirationForHITOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2846,9 +2810,9 @@ extension MTurkClient { /// /// The UpdateHITReviewStatus operation updates the status of a HIT. If the status is Reviewable, this operation can update the status to Reviewing, or it can revert a Reviewing HIT back to the Reviewable status. /// - /// - Parameter UpdateHITReviewStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHITReviewStatusInput`) /// - /// - Returns: `UpdateHITReviewStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHITReviewStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2881,7 +2845,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHITReviewStatusOutput.httpOutput(from:), UpdateHITReviewStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2916,9 +2879,9 @@ extension MTurkClient { /// /// The UpdateHITTypeOfHIT operation allows you to change the HITType properties of a HIT. This operation disassociates the HIT from its old HITType properties and associates it with the new HITType properties. The HIT takes on the properties of the new HITType in place of the old ones. /// - /// - Parameter UpdateHITTypeOfHITInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHITTypeOfHITInput`) /// - /// - Returns: `UpdateHITTypeOfHITOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHITTypeOfHITOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2951,7 +2914,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHITTypeOfHITOutput.httpOutput(from:), UpdateHITTypeOfHITOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2986,9 +2948,9 @@ extension MTurkClient { /// /// The UpdateNotificationSettings operation creates, updates, disables or re-enables notifications for a HIT type. If you call the UpdateNotificationSettings operation for a HIT type that already has a notification specification, the operation replaces the old specification with a new one. You can call the UpdateNotificationSettings operation to enable or disable notifications for the HIT type, without having to modify the notification specification itself by providing updates to the Active status without specifying a new notification specification. To change the Active status of a HIT type's notifications, the HIT type must already have a notification specification, or one must be provided in the same call to UpdateNotificationSettings. /// - /// - Parameter UpdateNotificationSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNotificationSettingsInput`) /// - /// - Returns: `UpdateNotificationSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNotificationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3021,7 +2983,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNotificationSettingsOutput.httpOutput(from:), UpdateNotificationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3056,9 +3017,9 @@ extension MTurkClient { /// /// The UpdateQualificationType operation modifies the attributes of an existing Qualification type, which is represented by a QualificationType data structure. Only the owner of a Qualification type can modify its attributes. Most attributes of a Qualification type can be changed after the type has been created. However, the Name and Keywords fields cannot be modified. The RetryDelayInSeconds parameter can be modified or added to change the delay or to enable retries, but RetryDelayInSeconds cannot be used to disable retries. You can use this operation to update the test for a Qualification type. The test is updated based on the values specified for the Test, TestDurationInSeconds and AnswerKey parameters. All three parameters specify the updated test. If you are updating the test for a type, you must specify the Test and TestDurationInSeconds parameters. The AnswerKey parameter is optional; omitting it specifies that the updated test does not have an answer key. If you omit the Test parameter, the test for the Qualification type is unchanged. There is no way to remove a test from a Qualification type that has one. If the type already has a test, you cannot update it to be AutoGranted. If the Qualification type does not have a test and one is provided by an update, the type will henceforth have a test. If you want to update the test duration or answer key for an existing test without changing the questions, you must specify a Test parameter with the original questions, along with the updated values. If you provide an updated Test but no AnswerKey, the new test will not have an answer key. Requests for such Qualifications must be granted manually. You can also update the AutoGranted and AutoGrantedValue attributes of the Qualification type. /// - /// - Parameter UpdateQualificationTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQualificationTypeInput`) /// - /// - Returns: `UpdateQualificationTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQualificationTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3091,7 +3052,6 @@ extension MTurkClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQualificationTypeOutput.httpOutput(from:), UpdateQualificationTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMWAA/Sources/AWSMWAA/MWAAClient.swift b/Sources/Services/AWSMWAA/Sources/AWSMWAA/MWAAClient.swift index f454537f3a0..b44aa567f82 100644 --- a/Sources/Services/AWSMWAA/Sources/AWSMWAA/MWAAClient.swift +++ b/Sources/Services/AWSMWAA/Sources/AWSMWAA/MWAAClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MWAAClient: ClientRuntime.Client { public static let clientName = "MWAAClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MWAAClient.MWAAClientConfiguration let serviceName = "MWAA" @@ -374,9 +373,9 @@ extension MWAAClient { /// /// Creates a CLI token for the Airflow CLI. To learn more, see [Creating an Apache Airflow CLI token](https://docs.aws.amazon.com/mwaa/latest/userguide/call-mwaa-apis-cli.html). /// - /// - Parameter CreateCliTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCliTokenInput`) /// - /// - Returns: `CreateCliTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCliTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -407,7 +406,6 @@ extension MWAAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "env.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCliTokenOutput.httpOutput(from:), CreateCliTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -439,9 +437,9 @@ extension MWAAClient { /// /// Creates an Amazon Managed Workflows for Apache Airflow (Amazon MWAA) environment. /// - /// - Parameter CreateEnvironmentInput : This section contains the Amazon Managed Workflows for Apache Airflow (Amazon MWAA) API reference documentation to create an environment. For more information, see [Get started with Amazon Managed Workflows for Apache Airflow](https://docs.aws.amazon.com/mwaa/latest/userguide/get-started.html). + /// - Parameter input: This section contains the Amazon Managed Workflows for Apache Airflow (Amazon MWAA) API reference documentation to create an environment. For more information, see [Get started with Amazon Managed Workflows for Apache Airflow](https://docs.aws.amazon.com/mwaa/latest/userguide/get-started.html). (Type: `CreateEnvironmentInput`) /// - /// - Returns: `CreateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -476,7 +474,6 @@ extension MWAAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentOutput.httpOutput(from:), CreateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -508,9 +505,9 @@ extension MWAAClient { /// /// Creates a web login token for the Airflow Web UI. To learn more, see [Creating an Apache Airflow web login token](https://docs.aws.amazon.com/mwaa/latest/userguide/call-mwaa-apis-web.html). /// - /// - Parameter CreateWebLoginTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWebLoginTokenInput`) /// - /// - Returns: `CreateWebLoginTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWebLoginTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -544,7 +541,6 @@ extension MWAAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "env.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWebLoginTokenOutput.httpOutput(from:), CreateWebLoginTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -576,9 +572,9 @@ extension MWAAClient { /// /// Deletes an Amazon Managed Workflows for Apache Airflow (Amazon MWAA) environment. /// - /// - Parameter DeleteEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentInput`) /// - /// - Returns: `DeleteEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -611,7 +607,6 @@ extension MWAAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentOutput.httpOutput(from:), DeleteEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -643,9 +638,9 @@ extension MWAAClient { /// /// Describes an Amazon Managed Workflows for Apache Airflow (MWAA) environment. /// - /// - Parameter GetEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentInput`) /// - /// - Returns: `GetEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -678,7 +673,6 @@ extension MWAAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentOutput.httpOutput(from:), GetEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -710,9 +704,9 @@ extension MWAAClient { /// /// Invokes the Apache Airflow REST API on the webserver with the specified inputs. To learn more, see [Using the Apache Airflow REST API](https://docs.aws.amazon.com/mwaa/latest/userguide/access-mwaa-apache-airflow-rest-api.html) /// - /// - Parameter InvokeRestApiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeRestApiInput`) /// - /// - Returns: `InvokeRestApiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeRestApiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -751,7 +745,6 @@ extension MWAAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeRestApiOutput.httpOutput(from:), InvokeRestApiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -783,9 +776,9 @@ extension MWAAClient { /// /// Lists the Amazon Managed Workflows for Apache Airflow (MWAA) environments. /// - /// - Parameter ListEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentsInput`) /// - /// - Returns: `ListEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -818,7 +811,6 @@ extension MWAAClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentsOutput.httpOutput(from:), ListEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -850,9 +842,9 @@ extension MWAAClient { /// /// Lists the key-value tag pairs associated to the Amazon Managed Workflows for Apache Airflow (MWAA) environment. For example, "Environment": "Staging". /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -885,7 +877,6 @@ extension MWAAClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -918,9 +909,9 @@ extension MWAAClient { /// Internal only. Publishes environment health metrics to Amazon CloudWatch. @available(*, deprecated, message: "This API is for internal use and not meant for public use, and is no longer available.") /// - /// - Parameter PublishMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishMetricsInput`) /// - /// - Returns: `PublishMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -955,7 +946,6 @@ extension MWAAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishMetricsOutput.httpOutput(from:), PublishMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -987,9 +977,9 @@ extension MWAAClient { /// /// Associates key-value tag pairs to your Amazon Managed Workflows for Apache Airflow (MWAA) environment. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1025,7 +1015,6 @@ extension MWAAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1057,9 +1046,9 @@ extension MWAAClient { /// /// Removes key-value tag pairs associated to your Amazon Managed Workflows for Apache Airflow (MWAA) environment. For example, "Environment": "Staging". /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1093,7 +1082,6 @@ extension MWAAClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1125,9 +1113,9 @@ extension MWAAClient { /// /// Updates an Amazon Managed Workflows for Apache Airflow (MWAA) environment. /// - /// - Parameter UpdateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentInput`) /// - /// - Returns: `UpdateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1163,7 +1151,6 @@ extension MWAAClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentOutput.httpOutput(from:), UpdateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMachineLearning/Sources/AWSMachineLearning/MachineLearningClient.swift b/Sources/Services/AWSMachineLearning/Sources/AWSMachineLearning/MachineLearningClient.swift index eb01f06c161..823314be90c 100644 --- a/Sources/Services/AWSMachineLearning/Sources/AWSMachineLearning/MachineLearningClient.swift +++ b/Sources/Services/AWSMachineLearning/Sources/AWSMachineLearning/MachineLearningClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MachineLearningClient: ClientRuntime.Client { public static let clientName = "MachineLearningClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MachineLearningClient.MachineLearningClientConfiguration let serviceName = "Machine Learning" @@ -374,9 +373,9 @@ extension MachineLearningClient { /// /// Adds one or more tags to an object, up to a limit of 10. Each tag consists of a key and an optional value. If you add a tag using a key that is already associated with the ML object, AddTags updates the tag's value. /// - /// - Parameter AddTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddTagsInput`) /// - /// - Returns: `AddTagsOutput` : Amazon ML returns the following elements. + /// - Returns: Amazon ML returns the following elements. (Type: `AddTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsOutput.httpOutput(from:), AddTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension MachineLearningClient { /// /// Generates predictions for a group of observations. The observations to process exist in one or more data files referenced by a DataSource. This operation creates a new BatchPrediction, and uses an MLModel and the data files referenced by the DataSource as information sources. CreateBatchPrediction is an asynchronous operation. In response to CreateBatchPrediction, Amazon Machine Learning (Amazon ML) immediately returns and sets the BatchPrediction status to PENDING. After the BatchPrediction completes, Amazon ML sets the status to COMPLETED. You can poll for status updates by using the [GetBatchPrediction] operation and checking the Status parameter of the result. After the COMPLETED status appears, the results are available in the location specified by the OutputUri parameter. /// - /// - Parameter CreateBatchPredictionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBatchPredictionInput`) /// - /// - Returns: `CreateBatchPredictionOutput` : Represents the output of a CreateBatchPrediction operation, and is an acknowledgement that Amazon ML received the request. The CreateBatchPrediction operation is asynchronous. You can poll for status updates by using the >GetBatchPrediction operation and checking the Status parameter of the result. + /// - Returns: Represents the output of a CreateBatchPrediction operation, and is an acknowledgement that Amazon ML received the request. The CreateBatchPrediction operation is asynchronous. You can poll for status updates by using the >GetBatchPrediction operation and checking the Status parameter of the result. (Type: `CreateBatchPredictionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBatchPredictionOutput.httpOutput(from:), CreateBatchPredictionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension MachineLearningClient { /// /// Creates a DataSource object from an [ Amazon Relational Database Service](http://aws.amazon.com/rds/) (Amazon RDS). A DataSource references data that can be used to perform CreateMLModel, CreateEvaluation, or CreateBatchPrediction operations. CreateDataSourceFromRDS is an asynchronous operation. In response to CreateDataSourceFromRDS, Amazon Machine Learning (Amazon ML) immediately returns and sets the DataSource status to PENDING. After the DataSource is created and ready for use, Amazon ML sets the Status parameter to COMPLETED. DataSource in the COMPLETED or PENDING state can be used only to perform >CreateMLModel>, CreateEvaluation, or CreateBatchPrediction operations. If Amazon ML cannot accept the input source, it sets the Status parameter to FAILED and includes an error message in the Message attribute of the GetDataSource operation response. /// - /// - Parameter CreateDataSourceFromRDSInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSourceFromRDSInput`) /// - /// - Returns: `CreateDataSourceFromRDSOutput` : Represents the output of a CreateDataSourceFromRDS operation, and is an acknowledgement that Amazon ML received the request. The CreateDataSourceFromRDS> operation is asynchronous. You can poll for updates by using the GetBatchPrediction operation and checking the Status parameter. You can inspect the Message when Status shows up as FAILED. You can also check the progress of the copy operation by going to the DataPipeline console and looking up the pipeline using the pipelineId from the describe call. + /// - Returns: Represents the output of a CreateDataSourceFromRDS operation, and is an acknowledgement that Amazon ML received the request. The CreateDataSourceFromRDS> operation is asynchronous. You can poll for updates by using the GetBatchPrediction operation and checking the Status parameter. You can inspect the Message when Status shows up as FAILED. You can also check the progress of the copy operation by going to the DataPipeline console and looking up the pipeline using the pipelineId from the describe call. (Type: `CreateDataSourceFromRDSOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSourceFromRDSOutput.httpOutput(from:), CreateDataSourceFromRDSOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -589,9 +585,9 @@ extension MachineLearningClient { /// /// Creates a DataSource from a database hosted on an Amazon Redshift cluster. A DataSource references data that can be used to perform either CreateMLModel, CreateEvaluation, or CreateBatchPrediction operations. CreateDataSourceFromRedshift is an asynchronous operation. In response to CreateDataSourceFromRedshift, Amazon Machine Learning (Amazon ML) immediately returns and sets the DataSource status to PENDING. After the DataSource is created and ready for use, Amazon ML sets the Status parameter to COMPLETED. DataSource in COMPLETED or PENDING states can be used to perform only CreateMLModel, CreateEvaluation, or CreateBatchPrediction operations. If Amazon ML can't accept the input source, it sets the Status parameter to FAILED and includes an error message in the Message attribute of the GetDataSource operation response. The observations should be contained in the database hosted on an Amazon Redshift cluster and should be specified by a SelectSqlQuery query. Amazon ML executes an Unload command in Amazon Redshift to transfer the result set of the SelectSqlQuery query to S3StagingLocation. After the DataSource has been created, it's ready for use in evaluations and batch predictions. If you plan to use the DataSource to train an MLModel, the DataSource also requires a recipe. A recipe describes how each input variable will be used in training an MLModel. Will the variable be included or excluded from training? Will the variable be manipulated; for example, will it be combined with another variable or will it be split apart into word combinations? The recipe provides answers to these questions. You can't change an existing datasource, but you can copy and modify the settings from an existing Amazon Redshift datasource to create a new datasource. To do so, call GetDataSource for an existing datasource and copy the values to a CreateDataSource call. Change the settings that you want to change and make sure that all required fields have the appropriate values. /// - /// - Parameter CreateDataSourceFromRedshiftInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSourceFromRedshiftInput`) /// - /// - Returns: `CreateDataSourceFromRedshiftOutput` : Represents the output of a CreateDataSourceFromRedshift operation, and is an acknowledgement that Amazon ML received the request. The CreateDataSourceFromRedshift operation is asynchronous. You can poll for updates by using the GetBatchPrediction operation and checking the Status parameter. + /// - Returns: Represents the output of a CreateDataSourceFromRedshift operation, and is an acknowledgement that Amazon ML received the request. The CreateDataSourceFromRedshift operation is asynchronous. You can poll for updates by using the GetBatchPrediction operation and checking the Status parameter. (Type: `CreateDataSourceFromRedshiftOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSourceFromRedshiftOutput.httpOutput(from:), CreateDataSourceFromRedshiftOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +655,9 @@ extension MachineLearningClient { /// /// Creates a DataSource object. A DataSource references data that can be used to perform CreateMLModel, CreateEvaluation, or CreateBatchPrediction operations. CreateDataSourceFromS3 is an asynchronous operation. In response to CreateDataSourceFromS3, Amazon Machine Learning (Amazon ML) immediately returns and sets the DataSource status to PENDING. After the DataSource has been created and is ready for use, Amazon ML sets the Status parameter to COMPLETED. DataSource in the COMPLETED or PENDING state can be used to perform only CreateMLModel, CreateEvaluation or CreateBatchPrediction operations. If Amazon ML can't accept the input source, it sets the Status parameter to FAILED and includes an error message in the Message attribute of the GetDataSource operation response. The observation data used in a DataSource should be ready to use; that is, it should have a consistent structure, and missing data values should be kept to a minimum. The observation data must reside in one or more .csv files in an Amazon Simple Storage Service (Amazon S3) location, along with a schema that describes the data items by name and type. The same schema must be used for all of the data files referenced by the DataSource. After the DataSource has been created, it's ready to use in evaluations and batch predictions. If you plan to use the DataSource to train an MLModel, the DataSource also needs a recipe. A recipe describes how each input variable will be used in training an MLModel. Will the variable be included or excluded from training? Will the variable be manipulated; for example, will it be combined with another variable or will it be split apart into word combinations? The recipe provides answers to these questions. /// - /// - Parameter CreateDataSourceFromS3Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSourceFromS3Input`) /// - /// - Returns: `CreateDataSourceFromS3Output` : Represents the output of a CreateDataSourceFromS3 operation, and is an acknowledgement that Amazon ML received the request. The CreateDataSourceFromS3 operation is asynchronous. You can poll for updates by using the GetBatchPrediction operation and checking the Status parameter. + /// - Returns: Represents the output of a CreateDataSourceFromS3 operation, and is an acknowledgement that Amazon ML received the request. The CreateDataSourceFromS3 operation is asynchronous. You can poll for updates by using the GetBatchPrediction operation and checking the Status parameter. (Type: `CreateDataSourceFromS3Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSourceFromS3Output.httpOutput(from:), CreateDataSourceFromS3OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +725,9 @@ extension MachineLearningClient { /// /// Creates a new Evaluation of an MLModel. An MLModel is evaluated on a set of observations associated to a DataSource. Like a DataSource for an MLModel, the DataSource for an Evaluation contains values for the Target Variable. The Evaluation compares the predicted result for each observation to the actual outcome and provides a summary so that you know how effective the MLModel functions on the test data. Evaluation generates a relevant performance metric, such as BinaryAUC, RegressionRMSE or MulticlassAvgFScore based on the corresponding MLModelType: BINARY, REGRESSION or MULTICLASS. CreateEvaluation is an asynchronous operation. In response to CreateEvaluation, Amazon Machine Learning (Amazon ML) immediately returns and sets the evaluation status to PENDING. After the Evaluation is created and ready for use, Amazon ML sets the status to COMPLETED. You can use the GetEvaluation operation to check progress of the evaluation during the creation operation. /// - /// - Parameter CreateEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEvaluationInput`) /// - /// - Returns: `CreateEvaluationOutput` : Represents the output of a CreateEvaluation operation, and is an acknowledgement that Amazon ML received the request. CreateEvaluation operation is asynchronous. You can poll for status updates by using the GetEvcaluation operation and checking the Status parameter. + /// - Returns: Represents the output of a CreateEvaluation operation, and is an acknowledgement that Amazon ML received the request. CreateEvaluation operation is asynchronous. You can poll for status updates by using the GetEvcaluation operation and checking the Status parameter. (Type: `CreateEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEvaluationOutput.httpOutput(from:), CreateEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -802,9 +795,9 @@ extension MachineLearningClient { /// /// Creates a new MLModel using the DataSource and the recipe as information sources. An MLModel is nearly immutable. Users can update only the MLModelName and the ScoreThreshold in an MLModel without creating a new MLModel. CreateMLModel is an asynchronous operation. In response to CreateMLModel, Amazon Machine Learning (Amazon ML) immediately returns and sets the MLModel status to PENDING. After the MLModel has been created and ready is for use, Amazon ML sets the status to COMPLETED. You can use the GetMLModel operation to check the progress of the MLModel during the creation operation. CreateMLModel requires a DataSource with computed statistics, which can be created by setting ComputeStatistics to true in CreateDataSourceFromRDS, CreateDataSourceFromS3, or CreateDataSourceFromRedshift operations. /// - /// - Parameter CreateMLModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMLModelInput`) /// - /// - Returns: `CreateMLModelOutput` : Represents the output of a CreateMLModel operation, and is an acknowledgement that Amazon ML received the request. The CreateMLModel operation is asynchronous. You can poll for status updates by using the GetMLModel operation and checking the Status parameter. + /// - Returns: Represents the output of a CreateMLModel operation, and is an acknowledgement that Amazon ML received the request. The CreateMLModel operation is asynchronous. You can poll for status updates by using the GetMLModel operation and checking the Status parameter. (Type: `CreateMLModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -838,7 +831,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMLModelOutput.httpOutput(from:), CreateMLModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension MachineLearningClient { /// /// Creates a real-time endpoint for the MLModel. The endpoint contains the URI of the MLModel; that is, the location to send real-time prediction requests for the specified MLModel. /// - /// - Parameter CreateRealtimeEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRealtimeEndpointInput`) /// - /// - Returns: `CreateRealtimeEndpointOutput` : Represents the output of an CreateRealtimeEndpoint operation. The result contains the MLModelId and the endpoint information for the MLModel. Note: The endpoint information includes the URI of the MLModel; that is, the location to send online prediction requests for the specified MLModel. + /// - Returns: Represents the output of an CreateRealtimeEndpoint operation. The result contains the MLModelId and the endpoint information for the MLModel. Note: The endpoint information includes the URI of the MLModel; that is, the location to send online prediction requests for the specified MLModel. (Type: `CreateRealtimeEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -909,7 +901,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRealtimeEndpointOutput.httpOutput(from:), CreateRealtimeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -944,12 +935,12 @@ extension MachineLearningClient { /// /// Assigns the DELETED status to a BatchPrediction, rendering it unusable. After using the DeleteBatchPrediction operation, you can use the [GetBatchPrediction] operation to verify that the status of the BatchPrediction changed to DELETED. Caution: The result of the DeleteBatchPrediction operation is irreversible. /// - /// - Parameter DeleteBatchPredictionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBatchPredictionInput`) /// - /// - Returns: `DeleteBatchPredictionOutput` : Represents the output of a DeleteBatchPrediction operation. + /// - Returns: Represents the output of a DeleteBatchPrediction operation. /// /// - /// You can use the GetBatchPrediction operation and check the value of the Status parameter to see whether a BatchPrediction is marked as DELETED. + /// You can use the GetBatchPrediction operation and check the value of the Status parameter to see whether a BatchPrediction is marked as DELETED. (Type: `DeleteBatchPredictionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -983,7 +974,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBatchPredictionOutput.httpOutput(from:), DeleteBatchPredictionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1018,9 +1008,9 @@ extension MachineLearningClient { /// /// Assigns the DELETED status to a DataSource, rendering it unusable. After using the DeleteDataSource operation, you can use the [GetDataSource] operation to verify that the status of the DataSource changed to DELETED. Caution: The results of the DeleteDataSource operation are irreversible. /// - /// - Parameter DeleteDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataSourceInput`) /// - /// - Returns: `DeleteDataSourceOutput` : Represents the output of a DeleteDataSource operation. + /// - Returns: Represents the output of a DeleteDataSource operation. (Type: `DeleteDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSourceOutput.httpOutput(from:), DeleteDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1089,9 +1078,9 @@ extension MachineLearningClient { /// /// Assigns the DELETED status to an Evaluation, rendering it unusable. After invoking the DeleteEvaluation operation, you can use the GetEvaluation operation to verify that the status of the Evaluation changed to DELETED. Caution: The results of the DeleteEvaluation operation are irreversible. /// - /// - Parameter DeleteEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEvaluationInput`) /// - /// - Returns: `DeleteEvaluationOutput` : Represents the output of a DeleteEvaluation operation. The output indicates that Amazon Machine Learning (Amazon ML) received the request. You can use the GetEvaluation operation and check the value of the Status parameter to see whether an Evaluation is marked as DELETED. + /// - Returns: Represents the output of a DeleteEvaluation operation. The output indicates that Amazon Machine Learning (Amazon ML) received the request. You can use the GetEvaluation operation and check the value of the Status parameter to see whether an Evaluation is marked as DELETED. (Type: `DeleteEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1125,7 +1114,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEvaluationOutput.httpOutput(from:), DeleteEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1160,9 +1148,9 @@ extension MachineLearningClient { /// /// Assigns the DELETED status to an MLModel, rendering it unusable. After using the DeleteMLModel operation, you can use the GetMLModel operation to verify that the status of the MLModel changed to DELETED. Caution: The result of the DeleteMLModel operation is irreversible. /// - /// - Parameter DeleteMLModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMLModelInput`) /// - /// - Returns: `DeleteMLModelOutput` : Represents the output of a DeleteMLModel operation. You can use the GetMLModel operation and check the value of the Status parameter to see whether an MLModel is marked as DELETED. + /// - Returns: Represents the output of a DeleteMLModel operation. You can use the GetMLModel operation and check the value of the Status parameter to see whether an MLModel is marked as DELETED. (Type: `DeleteMLModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1196,7 +1184,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMLModelOutput.httpOutput(from:), DeleteMLModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1231,9 +1218,9 @@ extension MachineLearningClient { /// /// Deletes a real time endpoint of an MLModel. /// - /// - Parameter DeleteRealtimeEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRealtimeEndpointInput`) /// - /// - Returns: `DeleteRealtimeEndpointOutput` : Represents the output of an DeleteRealtimeEndpoint operation. The result contains the MLModelId and the endpoint information for the MLModel. + /// - Returns: Represents the output of an DeleteRealtimeEndpoint operation. The result contains the MLModelId and the endpoint information for the MLModel. (Type: `DeleteRealtimeEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1267,7 +1254,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRealtimeEndpointOutput.httpOutput(from:), DeleteRealtimeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1302,9 +1288,9 @@ extension MachineLearningClient { /// /// Deletes the specified tags associated with an ML object. After this operation is complete, you can't recover deleted tags. If you specify a tag that doesn't exist, Amazon ML ignores it. /// - /// - Parameter DeleteTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTagsInput`) /// - /// - Returns: `DeleteTagsOutput` : Amazon ML returns the following elements. + /// - Returns: Amazon ML returns the following elements. (Type: `DeleteTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1339,7 +1325,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsOutput.httpOutput(from:), DeleteTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1374,9 +1359,9 @@ extension MachineLearningClient { /// /// Returns a list of BatchPrediction operations that match the search criteria in the request. /// - /// - Parameter DescribeBatchPredictionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBatchPredictionsInput`) /// - /// - Returns: `DescribeBatchPredictionsOutput` : Represents the output of a DescribeBatchPredictions operation. The content is essentially a list of BatchPredictions. + /// - Returns: Represents the output of a DescribeBatchPredictions operation. The content is essentially a list of BatchPredictions. (Type: `DescribeBatchPredictionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1409,7 +1394,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBatchPredictionsOutput.httpOutput(from:), DescribeBatchPredictionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1444,9 +1428,9 @@ extension MachineLearningClient { /// /// Returns a list of DataSource that match the search criteria in the request. /// - /// - Parameter DescribeDataSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataSourcesInput`) /// - /// - Returns: `DescribeDataSourcesOutput` : Represents the query results from a [DescribeDataSources] operation. The content is essentially a list of DataSource. + /// - Returns: Represents the query results from a [DescribeDataSources] operation. The content is essentially a list of DataSource. (Type: `DescribeDataSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1479,7 +1463,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataSourcesOutput.httpOutput(from:), DescribeDataSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1514,9 +1497,9 @@ extension MachineLearningClient { /// /// Returns a list of DescribeEvaluations that match the search criteria in the request. /// - /// - Parameter DescribeEvaluationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEvaluationsInput`) /// - /// - Returns: `DescribeEvaluationsOutput` : Represents the query results from a DescribeEvaluations operation. The content is essentially a list of Evaluation. + /// - Returns: Represents the query results from a DescribeEvaluations operation. The content is essentially a list of Evaluation. (Type: `DescribeEvaluationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1549,7 +1532,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEvaluationsOutput.httpOutput(from:), DescribeEvaluationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1584,9 +1566,9 @@ extension MachineLearningClient { /// /// Returns a list of MLModel that match the search criteria in the request. /// - /// - Parameter DescribeMLModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMLModelsInput`) /// - /// - Returns: `DescribeMLModelsOutput` : Represents the output of a DescribeMLModels operation. The content is essentially a list of MLModel. + /// - Returns: Represents the output of a DescribeMLModels operation. The content is essentially a list of MLModel. (Type: `DescribeMLModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1619,7 +1601,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMLModelsOutput.httpOutput(from:), DescribeMLModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1654,9 +1635,9 @@ extension MachineLearningClient { /// /// Describes one or more of the tags for your Amazon ML object. /// - /// - Parameter DescribeTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTagsInput`) /// - /// - Returns: `DescribeTagsOutput` : Amazon ML returns the following elements. + /// - Returns: Amazon ML returns the following elements. (Type: `DescribeTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1690,7 +1671,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagsOutput.httpOutput(from:), DescribeTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1725,9 +1705,9 @@ extension MachineLearningClient { /// /// Returns a BatchPrediction that includes detailed metadata, status, and data file information for a Batch Prediction request. /// - /// - Parameter GetBatchPredictionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBatchPredictionInput`) /// - /// - Returns: `GetBatchPredictionOutput` : Represents the output of a GetBatchPrediction operation and describes a BatchPrediction. + /// - Returns: Represents the output of a GetBatchPrediction operation and describes a BatchPrediction. (Type: `GetBatchPredictionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1761,7 +1741,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBatchPredictionOutput.httpOutput(from:), GetBatchPredictionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1796,9 +1775,9 @@ extension MachineLearningClient { /// /// Returns a DataSource that includes metadata and data file information, as well as the current status of the DataSource. GetDataSource provides results in normal or verbose format. The verbose format adds the schema description and the list of files pointed to by the DataSource to the normal format. /// - /// - Parameter GetDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSourceInput`) /// - /// - Returns: `GetDataSourceOutput` : Represents the output of a GetDataSource operation and describes a DataSource. + /// - Returns: Represents the output of a GetDataSource operation and describes a DataSource. (Type: `GetDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1832,7 +1811,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSourceOutput.httpOutput(from:), GetDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1867,9 +1845,9 @@ extension MachineLearningClient { /// /// Returns an Evaluation that includes metadata as well as the current status of the Evaluation. /// - /// - Parameter GetEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEvaluationInput`) /// - /// - Returns: `GetEvaluationOutput` : Represents the output of a GetEvaluation operation and describes an Evaluation. + /// - Returns: Represents the output of a GetEvaluation operation and describes an Evaluation. (Type: `GetEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1903,7 +1881,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEvaluationOutput.httpOutput(from:), GetEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1938,9 +1915,9 @@ extension MachineLearningClient { /// /// Returns an MLModel that includes detailed metadata, data source information, and the current status of the MLModel. GetMLModel provides results in normal or verbose format. /// - /// - Parameter GetMLModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLModelInput`) /// - /// - Returns: `GetMLModelOutput` : Represents the output of a GetMLModel operation, and provides detailed information about a MLModel. + /// - Returns: Represents the output of a GetMLModel operation, and provides detailed information about a MLModel. (Type: `GetMLModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1974,7 +1951,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLModelOutput.httpOutput(from:), GetMLModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2009,9 +1985,9 @@ extension MachineLearningClient { /// /// Generates a prediction for the observation using the specified ML Model. Note: Not all response parameters will be populated. Whether a response parameter is populated depends on the type of model requested. /// - /// - Parameter PredictInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PredictInput`) /// - /// - Returns: `PredictOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PredictOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2046,7 +2022,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PredictOutput.httpOutput(from:), PredictOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2082,9 +2057,9 @@ extension MachineLearningClient { /// /// Updates the BatchPredictionName of a BatchPrediction. You can use the GetBatchPrediction operation to view the contents of the updated data element. /// - /// - Parameter UpdateBatchPredictionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBatchPredictionInput`) /// - /// - Returns: `UpdateBatchPredictionOutput` : Represents the output of an UpdateBatchPrediction operation. You can see the updated content by using the GetBatchPrediction operation. + /// - Returns: Represents the output of an UpdateBatchPrediction operation. You can see the updated content by using the GetBatchPrediction operation. (Type: `UpdateBatchPredictionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2118,7 +2093,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBatchPredictionOutput.httpOutput(from:), UpdateBatchPredictionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2153,9 +2127,9 @@ extension MachineLearningClient { /// /// Updates the DataSourceName of a DataSource. You can use the GetDataSource operation to view the contents of the updated data element. /// - /// - Parameter UpdateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSourceInput`) /// - /// - Returns: `UpdateDataSourceOutput` : Represents the output of an UpdateDataSource operation. You can see the updated content by using the GetBatchPrediction operation. + /// - Returns: Represents the output of an UpdateDataSource operation. You can see the updated content by using the GetBatchPrediction operation. (Type: `UpdateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2189,7 +2163,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSourceOutput.httpOutput(from:), UpdateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2224,9 +2197,9 @@ extension MachineLearningClient { /// /// Updates the EvaluationName of an Evaluation. You can use the GetEvaluation operation to view the contents of the updated data element. /// - /// - Parameter UpdateEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEvaluationInput`) /// - /// - Returns: `UpdateEvaluationOutput` : Represents the output of an UpdateEvaluation operation. You can see the updated content by using the GetEvaluation operation. + /// - Returns: Represents the output of an UpdateEvaluation operation. You can see the updated content by using the GetEvaluation operation. (Type: `UpdateEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2260,7 +2233,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEvaluationOutput.httpOutput(from:), UpdateEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2295,9 +2267,9 @@ extension MachineLearningClient { /// /// Updates the MLModelName and the ScoreThreshold of an MLModel. You can use the GetMLModel operation to view the contents of the updated data element. /// - /// - Parameter UpdateMLModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMLModelInput`) /// - /// - Returns: `UpdateMLModelOutput` : Represents the output of an UpdateMLModel operation. You can see the updated content by using the GetMLModel operation. + /// - Returns: Represents the output of an UpdateMLModel operation. You can see the updated content by using the GetMLModel operation. (Type: `UpdateMLModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2331,7 +2303,6 @@ extension MachineLearningClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMLModelOutput.httpOutput(from:), UpdateMLModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMacie2/Sources/AWSMacie2/Macie2Client.swift b/Sources/Services/AWSMacie2/Sources/AWSMacie2/Macie2Client.swift index 805da354d5d..a4cbac7cd3a 100644 --- a/Sources/Services/AWSMacie2/Sources/AWSMacie2/Macie2Client.swift +++ b/Sources/Services/AWSMacie2/Sources/AWSMacie2/Macie2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class Macie2Client: ClientRuntime.Client { public static let clientName = "Macie2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: Macie2Client.Macie2ClientConfiguration let serviceName = "Macie2" @@ -375,9 +374,9 @@ extension Macie2Client { /// /// Accepts an Amazon Macie membership invitation that was received from a specific account. /// - /// - Parameter AcceptInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptInvitationInput`) /// - /// - Returns: `AcceptInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptInvitationOutput.httpOutput(from:), AcceptInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension Macie2Client { /// /// Retrieves information about one or more custom data identifiers. /// - /// - Parameter BatchGetCustomDataIdentifiersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetCustomDataIdentifiersInput`) /// - /// - Returns: `BatchGetCustomDataIdentifiersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetCustomDataIdentifiersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetCustomDataIdentifiersOutput.httpOutput(from:), BatchGetCustomDataIdentifiersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension Macie2Client { /// /// Changes the status of automated sensitive data discovery for one or more accounts. /// - /// - Parameter BatchUpdateAutomatedDiscoveryAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateAutomatedDiscoveryAccountsInput`) /// - /// - Returns: `BatchUpdateAutomatedDiscoveryAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateAutomatedDiscoveryAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateAutomatedDiscoveryAccountsOutput.httpOutput(from:), BatchUpdateAutomatedDiscoveryAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension Macie2Client { /// /// Creates and defines the settings for an allow list. /// - /// - Parameter CreateAllowListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAllowListInput`) /// - /// - Returns: `CreateAllowListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAllowListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAllowListOutput.httpOutput(from:), CreateAllowListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension Macie2Client { /// /// Creates and defines the settings for a classification job. /// - /// - Parameter CreateClassificationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClassificationJobInput`) /// - /// - Returns: `CreateClassificationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClassificationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -713,7 +708,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClassificationJobOutput.httpOutput(from:), CreateClassificationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -745,9 +739,9 @@ extension Macie2Client { /// /// Creates and defines the criteria and other settings for a custom data identifier. /// - /// - Parameter CreateCustomDataIdentifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomDataIdentifierInput`) /// - /// - Returns: `CreateCustomDataIdentifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomDataIdentifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +782,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomDataIdentifierOutput.httpOutput(from:), CreateCustomDataIdentifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -820,9 +813,9 @@ extension Macie2Client { /// /// Creates and defines the criteria and other settings for a findings filter. /// - /// - Parameter CreateFindingsFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFindingsFilterInput`) /// - /// - Returns: `CreateFindingsFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFindingsFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -863,7 +856,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFindingsFilterOutput.httpOutput(from:), CreateFindingsFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -895,9 +887,9 @@ extension Macie2Client { /// /// Sends an Amazon Macie membership invitation to one or more accounts. /// - /// - Parameter CreateInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInvitationsInput`) /// - /// - Returns: `CreateInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -937,7 +929,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInvitationsOutput.httpOutput(from:), CreateInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -969,9 +960,9 @@ extension Macie2Client { /// /// Associates an account with an Amazon Macie administrator account. /// - /// - Parameter CreateMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMemberInput`) /// - /// - Returns: `CreateMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1011,7 +1002,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMemberOutput.httpOutput(from:), CreateMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1043,9 +1033,9 @@ extension Macie2Client { /// /// Creates sample findings. /// - /// - Parameter CreateSampleFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSampleFindingsInput`) /// - /// - Returns: `CreateSampleFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSampleFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1085,7 +1075,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSampleFindingsOutput.httpOutput(from:), CreateSampleFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1117,9 +1106,9 @@ extension Macie2Client { /// /// Declines Amazon Macie membership invitations that were received from specific accounts. /// - /// - Parameter DeclineInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeclineInvitationsInput`) /// - /// - Returns: `DeclineInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeclineInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1159,7 +1148,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeclineInvitationsOutput.httpOutput(from:), DeclineInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1191,9 +1179,9 @@ extension Macie2Client { /// /// Deletes an allow list. /// - /// - Parameter DeleteAllowListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAllowListInput`) /// - /// - Returns: `DeleteAllowListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAllowListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1229,7 +1217,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAllowListInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAllowListOutput.httpOutput(from:), DeleteAllowListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1261,9 +1248,9 @@ extension Macie2Client { /// /// Soft deletes a custom data identifier. /// - /// - Parameter DeleteCustomDataIdentifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomDataIdentifierInput`) /// - /// - Returns: `DeleteCustomDataIdentifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomDataIdentifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1300,7 +1287,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomDataIdentifierOutput.httpOutput(from:), DeleteCustomDataIdentifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1332,9 +1318,9 @@ extension Macie2Client { /// /// Deletes a findings filter. /// - /// - Parameter DeleteFindingsFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFindingsFilterInput`) /// - /// - Returns: `DeleteFindingsFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFindingsFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1371,7 +1357,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFindingsFilterOutput.httpOutput(from:), DeleteFindingsFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1403,9 +1388,9 @@ extension Macie2Client { /// /// Deletes Amazon Macie membership invitations that were received from specific accounts. /// - /// - Parameter DeleteInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInvitationsInput`) /// - /// - Returns: `DeleteInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1445,7 +1430,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInvitationsOutput.httpOutput(from:), DeleteInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1477,9 +1461,9 @@ extension Macie2Client { /// /// Deletes the association between an Amazon Macie administrator account and an account. /// - /// - Parameter DeleteMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMemberInput`) /// - /// - Returns: `DeleteMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1516,7 +1500,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMemberOutput.httpOutput(from:), DeleteMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1548,9 +1531,9 @@ extension Macie2Client { /// /// Retrieves (queries) statistical data and other information about one or more S3 buckets that Amazon Macie monitors and analyzes for an account. /// - /// - Parameter DescribeBucketsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBucketsInput`) /// - /// - Returns: `DescribeBucketsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBucketsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1590,7 +1573,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBucketsOutput.httpOutput(from:), DescribeBucketsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1622,9 +1604,9 @@ extension Macie2Client { /// /// Retrieves the status and settings for a classification job. /// - /// - Parameter DescribeClassificationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClassificationJobInput`) /// - /// - Returns: `DescribeClassificationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClassificationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1661,7 +1643,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClassificationJobOutput.httpOutput(from:), DescribeClassificationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1693,9 +1674,9 @@ extension Macie2Client { /// /// Retrieves the Amazon Macie configuration settings for an organization in Organizations. /// - /// - Parameter DescribeOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationConfigurationInput`) /// - /// - Returns: `DescribeOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1732,7 +1713,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationConfigurationOutput.httpOutput(from:), DescribeOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1764,9 +1744,9 @@ extension Macie2Client { /// /// Disables Amazon Macie and deletes all settings and resources for a Macie account. /// - /// - Parameter DisableMacieInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableMacieInput`) /// - /// - Returns: `DisableMacieOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableMacieOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1803,7 +1783,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableMacieOutput.httpOutput(from:), DisableMacieOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1835,9 +1814,9 @@ extension Macie2Client { /// /// Disables an account as the delegated Amazon Macie administrator account for an organization in Organizations. /// - /// - Parameter DisableOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableOrganizationAdminAccountInput`) /// - /// - Returns: `DisableOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1875,7 +1854,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DisableOrganizationAdminAccountInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableOrganizationAdminAccountOutput.httpOutput(from:), DisableOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1907,9 +1885,9 @@ extension Macie2Client { /// /// Disassociates a member account from its Amazon Macie administrator account. /// - /// - Parameter DisassociateFromAdministratorAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFromAdministratorAccountInput`) /// - /// - Returns: `DisassociateFromAdministratorAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFromAdministratorAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1946,7 +1924,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFromAdministratorAccountOutput.httpOutput(from:), DisassociateFromAdministratorAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1978,9 +1955,9 @@ extension Macie2Client { /// /// (Deprecated) Disassociates a member account from its Amazon Macie administrator account. This operation has been replaced by the DisassociateFromAdministratorAccount operation. /// - /// - Parameter DisassociateFromMasterAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFromMasterAccountInput`) /// - /// - Returns: `DisassociateFromMasterAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFromMasterAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2017,7 +1994,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFromMasterAccountOutput.httpOutput(from:), DisassociateFromMasterAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2049,9 +2025,9 @@ extension Macie2Client { /// /// Disassociates an Amazon Macie administrator account from a member account. /// - /// - Parameter DisassociateMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMemberInput`) /// - /// - Returns: `DisassociateMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2088,7 +2064,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMemberOutput.httpOutput(from:), DisassociateMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2120,9 +2095,9 @@ extension Macie2Client { /// /// Enables Amazon Macie and specifies the configuration settings for a Macie account. /// - /// - Parameter EnableMacieInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableMacieInput`) /// - /// - Returns: `EnableMacieOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableMacieOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2163,7 +2138,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableMacieOutput.httpOutput(from:), EnableMacieOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2195,9 +2169,9 @@ extension Macie2Client { /// /// Designates an account as the delegated Amazon Macie administrator account for an organization in Organizations. /// - /// - Parameter EnableOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableOrganizationAdminAccountInput`) /// - /// - Returns: `EnableOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2238,7 +2212,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableOrganizationAdminAccountOutput.httpOutput(from:), EnableOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2270,9 +2243,9 @@ extension Macie2Client { /// /// Retrieves information about the Amazon Macie administrator account for an account. /// - /// - Parameter GetAdministratorAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAdministratorAccountInput`) /// - /// - Returns: `GetAdministratorAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAdministratorAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2309,7 +2282,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAdministratorAccountOutput.httpOutput(from:), GetAdministratorAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2341,9 +2313,9 @@ extension Macie2Client { /// /// Retrieves the settings and status of an allow list. /// - /// - Parameter GetAllowListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAllowListInput`) /// - /// - Returns: `GetAllowListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAllowListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2378,7 +2350,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAllowListOutput.httpOutput(from:), GetAllowListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2410,9 +2381,9 @@ extension Macie2Client { /// /// Retrieves the configuration settings and status of automated sensitive data discovery for an organization or standalone account. /// - /// - Parameter GetAutomatedDiscoveryConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutomatedDiscoveryConfigurationInput`) /// - /// - Returns: `GetAutomatedDiscoveryConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutomatedDiscoveryConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2446,7 +2417,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutomatedDiscoveryConfigurationOutput.httpOutput(from:), GetAutomatedDiscoveryConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2478,9 +2448,9 @@ extension Macie2Client { /// /// Retrieves (queries) aggregated statistical data about all the S3 buckets that Amazon Macie monitors and analyzes for an account. /// - /// - Parameter GetBucketStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketStatisticsInput`) /// - /// - Returns: `GetBucketStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2520,7 +2490,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketStatisticsOutput.httpOutput(from:), GetBucketStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2552,9 +2521,9 @@ extension Macie2Client { /// /// Retrieves the configuration settings for storing data classification results. /// - /// - Parameter GetClassificationExportConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClassificationExportConfigurationInput`) /// - /// - Returns: `GetClassificationExportConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClassificationExportConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2591,7 +2560,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClassificationExportConfigurationOutput.httpOutput(from:), GetClassificationExportConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2623,9 +2591,9 @@ extension Macie2Client { /// /// Retrieves the classification scope settings for an account. /// - /// - Parameter GetClassificationScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClassificationScopeInput`) /// - /// - Returns: `GetClassificationScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClassificationScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2660,7 +2628,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClassificationScopeOutput.httpOutput(from:), GetClassificationScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2692,9 +2659,9 @@ extension Macie2Client { /// /// Retrieves the criteria and other settings for a custom data identifier. /// - /// - Parameter GetCustomDataIdentifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCustomDataIdentifierInput`) /// - /// - Returns: `GetCustomDataIdentifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCustomDataIdentifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2731,7 +2698,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomDataIdentifierOutput.httpOutput(from:), GetCustomDataIdentifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2763,9 +2729,9 @@ extension Macie2Client { /// /// Retrieves (queries) aggregated statistical data about findings. /// - /// - Parameter GetFindingStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingStatisticsInput`) /// - /// - Returns: `GetFindingStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2805,7 +2771,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingStatisticsOutput.httpOutput(from:), GetFindingStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2837,9 +2802,9 @@ extension Macie2Client { /// /// Retrieves the details of one or more findings. /// - /// - Parameter GetFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingsInput`) /// - /// - Returns: `GetFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2879,7 +2844,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsOutput.httpOutput(from:), GetFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2911,9 +2875,9 @@ extension Macie2Client { /// /// Retrieves the criteria and other settings for a findings filter. /// - /// - Parameter GetFindingsFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingsFilterInput`) /// - /// - Returns: `GetFindingsFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingsFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2950,7 +2914,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsFilterOutput.httpOutput(from:), GetFindingsFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2982,9 +2945,9 @@ extension Macie2Client { /// /// Retrieves the configuration settings for publishing findings to Security Hub. /// - /// - Parameter GetFindingsPublicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingsPublicationConfigurationInput`) /// - /// - Returns: `GetFindingsPublicationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingsPublicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3021,7 +2984,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsPublicationConfigurationOutput.httpOutput(from:), GetFindingsPublicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3053,9 +3015,9 @@ extension Macie2Client { /// /// Retrieves the count of Amazon Macie membership invitations that were received by an account. /// - /// - Parameter GetInvitationsCountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInvitationsCountInput`) /// - /// - Returns: `GetInvitationsCountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInvitationsCountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3092,7 +3054,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInvitationsCountOutput.httpOutput(from:), GetInvitationsCountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3124,9 +3085,9 @@ extension Macie2Client { /// /// Retrieves the status and configuration settings for an Amazon Macie account. /// - /// - Parameter GetMacieSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMacieSessionInput`) /// - /// - Returns: `GetMacieSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMacieSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3163,7 +3124,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMacieSessionOutput.httpOutput(from:), GetMacieSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3195,9 +3155,9 @@ extension Macie2Client { /// /// (Deprecated) Retrieves information about the Amazon Macie administrator account for an account. This operation has been replaced by the GetAdministratorAccount operation. /// - /// - Parameter GetMasterAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMasterAccountInput`) /// - /// - Returns: `GetMasterAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMasterAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3234,7 +3194,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMasterAccountOutput.httpOutput(from:), GetMasterAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3266,9 +3225,9 @@ extension Macie2Client { /// /// Retrieves information about an account that's associated with an Amazon Macie administrator account. /// - /// - Parameter GetMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMemberInput`) /// - /// - Returns: `GetMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3305,7 +3264,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMemberOutput.httpOutput(from:), GetMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3337,9 +3295,9 @@ extension Macie2Client { /// /// Retrieves (queries) sensitive data discovery statistics and the sensitivity score for an S3 bucket. /// - /// - Parameter GetResourceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceProfileInput`) /// - /// - Returns: `GetResourceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3376,7 +3334,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResourceProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceProfileOutput.httpOutput(from:), GetResourceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3408,9 +3365,9 @@ extension Macie2Client { /// /// Retrieves the status and configuration settings for retrieving occurrences of sensitive data reported by findings. /// - /// - Parameter GetRevealConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRevealConfigurationInput`) /// - /// - Returns: `GetRevealConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRevealConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3444,7 +3401,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRevealConfigurationOutput.httpOutput(from:), GetRevealConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3476,9 +3432,9 @@ extension Macie2Client { /// /// Retrieves occurrences of sensitive data reported by a finding. /// - /// - Parameter GetSensitiveDataOccurrencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSensitiveDataOccurrencesInput`) /// - /// - Returns: `GetSensitiveDataOccurrencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSensitiveDataOccurrencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3514,7 +3470,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSensitiveDataOccurrencesOutput.httpOutput(from:), GetSensitiveDataOccurrencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3546,9 +3501,9 @@ extension Macie2Client { /// /// Checks whether occurrences of sensitive data can be retrieved for a finding. /// - /// - Parameter GetSensitiveDataOccurrencesAvailabilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSensitiveDataOccurrencesAvailabilityInput`) /// - /// - Returns: `GetSensitiveDataOccurrencesAvailabilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSensitiveDataOccurrencesAvailabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3582,7 +3537,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSensitiveDataOccurrencesAvailabilityOutput.httpOutput(from:), GetSensitiveDataOccurrencesAvailabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3614,9 +3568,9 @@ extension Macie2Client { /// /// Retrieves the settings for the sensitivity inspection template for an account. /// - /// - Parameter GetSensitivityInspectionTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSensitivityInspectionTemplateInput`) /// - /// - Returns: `GetSensitivityInspectionTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSensitivityInspectionTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3651,7 +3605,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSensitivityInspectionTemplateOutput.httpOutput(from:), GetSensitivityInspectionTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3683,9 +3636,9 @@ extension Macie2Client { /// /// Retrieves (queries) quotas and aggregated usage data for one or more accounts. /// - /// - Parameter GetUsageStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUsageStatisticsInput`) /// - /// - Returns: `GetUsageStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUsageStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3725,7 +3678,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsageStatisticsOutput.httpOutput(from:), GetUsageStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3757,9 +3709,9 @@ extension Macie2Client { /// /// Retrieves (queries) aggregated usage data for an account. /// - /// - Parameter GetUsageTotalsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUsageTotalsInput`) /// - /// - Returns: `GetUsageTotalsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUsageTotalsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3797,7 +3749,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetUsageTotalsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsageTotalsOutput.httpOutput(from:), GetUsageTotalsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3829,9 +3780,9 @@ extension Macie2Client { /// /// Retrieves a subset of information about all the allow lists for an account. /// - /// - Parameter ListAllowListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAllowListsInput`) /// - /// - Returns: `ListAllowListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAllowListsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3866,7 +3817,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAllowListsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAllowListsOutput.httpOutput(from:), ListAllowListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3898,9 +3848,9 @@ extension Macie2Client { /// /// Retrieves the status of automated sensitive data discovery for one or more accounts. /// - /// - Parameter ListAutomatedDiscoveryAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutomatedDiscoveryAccountsInput`) /// - /// - Returns: `ListAutomatedDiscoveryAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutomatedDiscoveryAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3936,7 +3886,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAutomatedDiscoveryAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutomatedDiscoveryAccountsOutput.httpOutput(from:), ListAutomatedDiscoveryAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3968,9 +3917,9 @@ extension Macie2Client { /// /// Retrieves a subset of information about one or more classification jobs. /// - /// - Parameter ListClassificationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClassificationJobsInput`) /// - /// - Returns: `ListClassificationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClassificationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4010,7 +3959,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClassificationJobsOutput.httpOutput(from:), ListClassificationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4042,9 +3990,9 @@ extension Macie2Client { /// /// Retrieves a subset of information about the classification scope for an account. /// - /// - Parameter ListClassificationScopesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClassificationScopesInput`) /// - /// - Returns: `ListClassificationScopesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClassificationScopesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4079,7 +4027,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClassificationScopesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClassificationScopesOutput.httpOutput(from:), ListClassificationScopesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4111,9 +4058,9 @@ extension Macie2Client { /// /// Retrieves a subset of information about the custom data identifiers for an account. /// - /// - Parameter ListCustomDataIdentifiersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomDataIdentifiersInput`) /// - /// - Returns: `ListCustomDataIdentifiersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomDataIdentifiersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4153,7 +4100,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomDataIdentifiersOutput.httpOutput(from:), ListCustomDataIdentifiersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4185,9 +4131,9 @@ extension Macie2Client { /// /// Retrieves a subset of information about one or more findings. /// - /// - Parameter ListFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFindingsInput`) /// - /// - Returns: `ListFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4227,7 +4173,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingsOutput.httpOutput(from:), ListFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4259,9 +4204,9 @@ extension Macie2Client { /// /// Retrieves a subset of information about all the findings filters for an account. /// - /// - Parameter ListFindingsFiltersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFindingsFiltersInput`) /// - /// - Returns: `ListFindingsFiltersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFindingsFiltersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4299,7 +4244,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFindingsFiltersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingsFiltersOutput.httpOutput(from:), ListFindingsFiltersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4331,9 +4275,9 @@ extension Macie2Client { /// /// Retrieves information about Amazon Macie membership invitations that were received by an account. /// - /// - Parameter ListInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvitationsInput`) /// - /// - Returns: `ListInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4371,7 +4315,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInvitationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvitationsOutput.httpOutput(from:), ListInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4403,9 +4346,9 @@ extension Macie2Client { /// /// Retrieves information about all the managed data identifiers that Amazon Macie currently provides. /// - /// - Parameter ListManagedDataIdentifiersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedDataIdentifiersInput`) /// - /// - Returns: `ListManagedDataIdentifiersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedDataIdentifiersOutput`) public func listManagedDataIdentifiers(input: ListManagedDataIdentifiersInput) async throws -> ListManagedDataIdentifiersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4434,7 +4377,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedDataIdentifiersOutput.httpOutput(from:), ListManagedDataIdentifiersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4466,9 +4408,9 @@ extension Macie2Client { /// /// Retrieves information about the accounts that are associated with an Amazon Macie administrator account. /// - /// - Parameter ListMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMembersInput`) /// - /// - Returns: `ListMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4506,7 +4448,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMembersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMembersOutput.httpOutput(from:), ListMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4538,9 +4479,9 @@ extension Macie2Client { /// /// Retrieves information about the delegated Amazon Macie administrator account for an organization in Organizations. /// - /// - Parameter ListOrganizationAdminAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationAdminAccountsInput`) /// - /// - Returns: `ListOrganizationAdminAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationAdminAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4578,7 +4519,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOrganizationAdminAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationAdminAccountsOutput.httpOutput(from:), ListOrganizationAdminAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4610,9 +4550,9 @@ extension Macie2Client { /// /// Retrieves information about objects that Amazon Macie selected from an S3 bucket for automated sensitive data discovery. /// - /// - Parameter ListResourceProfileArtifactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceProfileArtifactsInput`) /// - /// - Returns: `ListResourceProfileArtifactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceProfileArtifactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4648,7 +4588,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourceProfileArtifactsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceProfileArtifactsOutput.httpOutput(from:), ListResourceProfileArtifactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4680,9 +4619,9 @@ extension Macie2Client { /// /// Retrieves information about the types and amount of sensitive data that Amazon Macie found in an S3 bucket. /// - /// - Parameter ListResourceProfileDetectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceProfileDetectionsInput`) /// - /// - Returns: `ListResourceProfileDetectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceProfileDetectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4719,7 +4658,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourceProfileDetectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceProfileDetectionsOutput.httpOutput(from:), ListResourceProfileDetectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4751,9 +4689,9 @@ extension Macie2Client { /// /// Retrieves a subset of information about the sensitivity inspection template for an account. /// - /// - Parameter ListSensitivityInspectionTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSensitivityInspectionTemplatesInput`) /// - /// - Returns: `ListSensitivityInspectionTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSensitivityInspectionTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4789,7 +4727,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSensitivityInspectionTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSensitivityInspectionTemplatesOutput.httpOutput(from:), ListSensitivityInspectionTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4821,9 +4758,9 @@ extension Macie2Client { /// /// Retrieves the tags (keys and values) that are associated with an Amazon Macie resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) public func listTagsForResource(input: ListTagsForResourceInput) async throws -> ListTagsForResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4849,7 +4786,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4881,9 +4817,9 @@ extension Macie2Client { /// /// Adds or updates the configuration settings for storing data classification results. /// - /// - Parameter PutClassificationExportConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutClassificationExportConfigurationInput`) /// - /// - Returns: `PutClassificationExportConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutClassificationExportConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4923,7 +4859,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutClassificationExportConfigurationOutput.httpOutput(from:), PutClassificationExportConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4955,9 +4890,9 @@ extension Macie2Client { /// /// Updates the configuration settings for publishing findings to Security Hub. /// - /// - Parameter PutFindingsPublicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFindingsPublicationConfigurationInput`) /// - /// - Returns: `PutFindingsPublicationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFindingsPublicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4998,7 +4933,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFindingsPublicationConfigurationOutput.httpOutput(from:), PutFindingsPublicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5030,9 +4964,9 @@ extension Macie2Client { /// /// Retrieves (queries) statistical data and other information about Amazon Web Services resources that Amazon Macie monitors and analyzes for an account. /// - /// - Parameter SearchResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchResourcesInput`) /// - /// - Returns: `SearchResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5072,7 +5006,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchResourcesOutput.httpOutput(from:), SearchResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5104,9 +5037,9 @@ extension Macie2Client { /// /// Adds or updates one or more tags (keys and values) that are associated with an Amazon Macie resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) public func tagResource(input: TagResourceInput) async throws -> TagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5135,7 +5068,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5167,9 +5099,9 @@ extension Macie2Client { /// /// Tests criteria for a custom data identifier. /// - /// - Parameter TestCustomDataIdentifierInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestCustomDataIdentifierInput`) /// - /// - Returns: `TestCustomDataIdentifierOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestCustomDataIdentifierOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5209,7 +5141,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestCustomDataIdentifierOutput.httpOutput(from:), TestCustomDataIdentifierOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5241,9 +5172,9 @@ extension Macie2Client { /// /// Removes one or more tags (keys and values) from an Amazon Macie resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) public func untagResource(input: UntagResourceInput) async throws -> UntagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -5270,7 +5201,6 @@ extension Macie2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5302,9 +5232,9 @@ extension Macie2Client { /// /// Updates the settings for an allow list. /// - /// - Parameter UpdateAllowListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAllowListInput`) /// - /// - Returns: `UpdateAllowListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAllowListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5342,7 +5272,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAllowListOutput.httpOutput(from:), UpdateAllowListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5374,9 +5303,9 @@ extension Macie2Client { /// /// Changes the configuration settings and status of automated sensitive data discovery for an organization or standalone account. /// - /// - Parameter UpdateAutomatedDiscoveryConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAutomatedDiscoveryConfigurationInput`) /// - /// - Returns: `UpdateAutomatedDiscoveryConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAutomatedDiscoveryConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5413,7 +5342,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAutomatedDiscoveryConfigurationOutput.httpOutput(from:), UpdateAutomatedDiscoveryConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5445,9 +5373,9 @@ extension Macie2Client { /// /// Changes the status of a classification job. /// - /// - Parameter UpdateClassificationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClassificationJobInput`) /// - /// - Returns: `UpdateClassificationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClassificationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5487,7 +5415,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClassificationJobOutput.httpOutput(from:), UpdateClassificationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5519,9 +5446,9 @@ extension Macie2Client { /// /// Updates the classification scope settings for an account. /// - /// - Parameter UpdateClassificationScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClassificationScopeInput`) /// - /// - Returns: `UpdateClassificationScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClassificationScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5559,7 +5486,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClassificationScopeOutput.httpOutput(from:), UpdateClassificationScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5591,9 +5517,9 @@ extension Macie2Client { /// /// Updates the criteria and other settings for a findings filter. /// - /// - Parameter UpdateFindingsFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFindingsFilterInput`) /// - /// - Returns: `UpdateFindingsFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFindingsFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5634,7 +5560,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFindingsFilterOutput.httpOutput(from:), UpdateFindingsFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5666,9 +5591,9 @@ extension Macie2Client { /// /// Suspends or re-enables Amazon Macie, or updates the configuration settings for a Macie account. /// - /// - Parameter UpdateMacieSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMacieSessionInput`) /// - /// - Returns: `UpdateMacieSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMacieSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5708,7 +5633,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMacieSessionOutput.httpOutput(from:), UpdateMacieSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5740,9 +5664,9 @@ extension Macie2Client { /// /// Enables an Amazon Macie administrator to suspend or re-enable Macie for a member account. /// - /// - Parameter UpdateMemberSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMemberSessionInput`) /// - /// - Returns: `UpdateMemberSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMemberSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5782,7 +5706,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMemberSessionOutput.httpOutput(from:), UpdateMemberSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5814,9 +5737,9 @@ extension Macie2Client { /// /// Updates the Amazon Macie configuration settings for an organization in Organizations. /// - /// - Parameter UpdateOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOrganizationConfigurationInput`) /// - /// - Returns: `UpdateOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5856,7 +5779,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOrganizationConfigurationOutput.httpOutput(from:), UpdateOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5888,9 +5810,9 @@ extension Macie2Client { /// /// Updates the sensitivity score for an S3 bucket. /// - /// - Parameter UpdateResourceProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceProfileInput`) /// - /// - Returns: `UpdateResourceProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5930,7 +5852,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceProfileOutput.httpOutput(from:), UpdateResourceProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5962,9 +5883,9 @@ extension Macie2Client { /// /// Updates the sensitivity scoring settings for an S3 bucket. /// - /// - Parameter UpdateResourceProfileDetectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceProfileDetectionsInput`) /// - /// - Returns: `UpdateResourceProfileDetectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceProfileDetectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6004,7 +5925,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceProfileDetectionsOutput.httpOutput(from:), UpdateResourceProfileDetectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6036,9 +5956,9 @@ extension Macie2Client { /// /// Updates the status and configuration settings for retrieving occurrences of sensitive data reported by findings. /// - /// - Parameter UpdateRevealConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRevealConfigurationInput`) /// - /// - Returns: `UpdateRevealConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRevealConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6075,7 +5995,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRevealConfigurationOutput.httpOutput(from:), UpdateRevealConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6107,9 +6026,9 @@ extension Macie2Client { /// /// Updates the settings for the sensitivity inspection template for an account. /// - /// - Parameter UpdateSensitivityInspectionTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSensitivityInspectionTemplateInput`) /// - /// - Returns: `UpdateSensitivityInspectionTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSensitivityInspectionTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6147,7 +6066,6 @@ extension Macie2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSensitivityInspectionTemplateOutput.httpOutput(from:), UpdateSensitivityInspectionTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMailManager/Sources/AWSMailManager/MailManagerClient.swift b/Sources/Services/AWSMailManager/Sources/AWSMailManager/MailManagerClient.swift index 95bb0d53f79..bed33f87dc6 100644 --- a/Sources/Services/AWSMailManager/Sources/AWSMailManager/MailManagerClient.swift +++ b/Sources/Services/AWSMailManager/Sources/AWSMailManager/MailManagerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MailManagerClient: ClientRuntime.Client { public static let clientName = "MailManagerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MailManagerClient.MailManagerClientConfiguration let serviceName = "MailManager" @@ -375,9 +374,9 @@ extension MailManagerClient { /// /// Creates an Add On instance for the subscription indicated in the request. The resulting Amazon Resource Name (ARN) can be used in a conditional statement for a rule set or traffic policy. /// - /// - Parameter CreateAddonInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAddonInstanceInput`) /// - /// - Returns: `CreateAddonInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAddonInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAddonInstanceOutput.httpOutput(from:), CreateAddonInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension MailManagerClient { /// /// Creates a subscription for an Add On representing the acceptance of its terms of use and additional pricing. The subscription can then be used to create an instance for use in rule sets or traffic policies. /// - /// - Parameter CreateAddonSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAddonSubscriptionInput`) /// - /// - Returns: `CreateAddonSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAddonSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAddonSubscriptionOutput.httpOutput(from:), CreateAddonSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension MailManagerClient { /// /// Creates a new address list. /// - /// - Parameter CreateAddressListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAddressListInput`) /// - /// - Returns: `CreateAddressListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAddressListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAddressListOutput.httpOutput(from:), CreateAddressListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension MailManagerClient { /// /// Creates an import job for an address list. /// - /// - Parameter CreateAddressListImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAddressListImportJobInput`) /// - /// - Returns: `CreateAddressListImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAddressListImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -632,7 +628,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAddressListImportJobOutput.httpOutput(from:), CreateAddressListImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension MailManagerClient { /// /// Creates a new email archive resource for storing and retaining emails. /// - /// - Parameter CreateArchiveInput : The request to create a new email archive. + /// - Parameter input: The request to create a new email archive. (Type: `CreateArchiveInput`) /// - /// - Returns: `CreateArchiveOutput` : The response from creating a new email archive. + /// - Returns: The response from creating a new email archive. (Type: `CreateArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateArchiveOutput.httpOutput(from:), CreateArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension MailManagerClient { /// /// Provision a new ingress endpoint resource. /// - /// - Parameter CreateIngressPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIngressPointInput`) /// - /// - Returns: `CreateIngressPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIngressPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +772,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIngressPointOutput.httpOutput(from:), CreateIngressPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -813,9 +806,9 @@ extension MailManagerClient { /// /// Creates a relay resource which can be used in rules to relay incoming emails to defined relay destinations. /// - /// - Parameter CreateRelayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRelayInput`) /// - /// - Returns: `CreateRelayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRelayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -850,7 +843,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRelayOutput.httpOutput(from:), CreateRelayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -885,9 +877,9 @@ extension MailManagerClient { /// /// Provision a new rule set. /// - /// - Parameter CreateRuleSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleSetInput`) /// - /// - Returns: `CreateRuleSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -922,7 +914,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleSetOutput.httpOutput(from:), CreateRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension MailManagerClient { /// /// Provision a new traffic policy resource. /// - /// - Parameter CreateTrafficPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrafficPolicyInput`) /// - /// - Returns: `CreateTrafficPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrafficPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -994,7 +985,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrafficPolicyOutput.httpOutput(from:), CreateTrafficPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1029,9 +1019,9 @@ extension MailManagerClient { /// /// Deletes an Add On instance. /// - /// - Parameter DeleteAddonInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAddonInstanceInput`) /// - /// - Returns: `DeleteAddonInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAddonInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1064,7 +1054,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAddonInstanceOutput.httpOutput(from:), DeleteAddonInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1099,9 +1088,9 @@ extension MailManagerClient { /// /// Deletes an Add On subscription. /// - /// - Parameter DeleteAddonSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAddonSubscriptionInput`) /// - /// - Returns: `DeleteAddonSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAddonSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1134,7 +1123,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAddonSubscriptionOutput.httpOutput(from:), DeleteAddonSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1169,9 +1157,9 @@ extension MailManagerClient { /// /// Deletes an address list. /// - /// - Parameter DeleteAddressListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAddressListInput`) /// - /// - Returns: `DeleteAddressListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAddressListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1205,7 +1193,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAddressListOutput.httpOutput(from:), DeleteAddressListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1240,9 +1227,9 @@ extension MailManagerClient { /// /// Initiates deletion of an email archive. This changes the archive state to pending deletion. In this state, no new emails can be added, and existing archived emails become inaccessible (search, export, download). The archive and all of its contents will be permanently deleted 30 days after entering the pending deletion state, regardless of the configured retention period. /// - /// - Parameter DeleteArchiveInput : The request to initiate deletion of an email archive. + /// - Parameter input: The request to initiate deletion of an email archive. (Type: `DeleteArchiveInput`) /// - /// - Returns: `DeleteArchiveOutput` : The response indicating if the archive deletion was successfully initiated. On success, returns an HTTP 200 status code. On failure, returns an error message. + /// - Returns: The response indicating if the archive deletion was successfully initiated. On success, returns an HTTP 200 status code. On failure, returns an error message. (Type: `DeleteArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1277,7 +1264,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteArchiveOutput.httpOutput(from:), DeleteArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1312,9 +1298,9 @@ extension MailManagerClient { /// /// Delete an ingress endpoint resource. /// - /// - Parameter DeleteIngressPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIngressPointInput`) /// - /// - Returns: `DeleteIngressPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIngressPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1348,7 +1334,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIngressPointOutput.httpOutput(from:), DeleteIngressPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1383,9 +1368,9 @@ extension MailManagerClient { /// /// Deletes an existing relay resource. /// - /// - Parameter DeleteRelayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRelayInput`) /// - /// - Returns: `DeleteRelayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRelayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1419,7 +1404,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRelayOutput.httpOutput(from:), DeleteRelayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1454,9 +1438,9 @@ extension MailManagerClient { /// /// Delete a rule set. /// - /// - Parameter DeleteRuleSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleSetInput`) /// - /// - Returns: `DeleteRuleSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1473,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleSetOutput.httpOutput(from:), DeleteRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1524,9 +1507,9 @@ extension MailManagerClient { /// /// Delete a traffic policy resource. /// - /// - Parameter DeleteTrafficPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrafficPolicyInput`) /// - /// - Returns: `DeleteTrafficPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrafficPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1560,7 +1543,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrafficPolicyOutput.httpOutput(from:), DeleteTrafficPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1595,9 +1577,9 @@ extension MailManagerClient { /// /// Removes a member from an address list. /// - /// - Parameter DeregisterMemberFromAddressListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterMemberFromAddressListInput`) /// - /// - Returns: `DeregisterMemberFromAddressListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterMemberFromAddressListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1632,7 +1614,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterMemberFromAddressListOutput.httpOutput(from:), DeregisterMemberFromAddressListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1667,9 +1648,9 @@ extension MailManagerClient { /// /// Gets detailed information about an Add On instance. /// - /// - Parameter GetAddonInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAddonInstanceInput`) /// - /// - Returns: `GetAddonInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAddonInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1702,7 +1683,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAddonInstanceOutput.httpOutput(from:), GetAddonInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1737,9 +1717,9 @@ extension MailManagerClient { /// /// Gets detailed information about an Add On subscription. /// - /// - Parameter GetAddonSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAddonSubscriptionInput`) /// - /// - Returns: `GetAddonSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAddonSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1772,7 +1752,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAddonSubscriptionOutput.httpOutput(from:), GetAddonSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1807,9 +1786,9 @@ extension MailManagerClient { /// /// Fetch attributes of an address list. /// - /// - Parameter GetAddressListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAddressListInput`) /// - /// - Returns: `GetAddressListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAddressListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1844,7 +1823,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAddressListOutput.httpOutput(from:), GetAddressListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1879,9 +1857,9 @@ extension MailManagerClient { /// /// Fetch attributes of an import job. /// - /// - Parameter GetAddressListImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAddressListImportJobInput`) /// - /// - Returns: `GetAddressListImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAddressListImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1916,7 +1894,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAddressListImportJobOutput.httpOutput(from:), GetAddressListImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1951,9 +1928,9 @@ extension MailManagerClient { /// /// Retrieves the full details and current state of a specified email archive. /// - /// - Parameter GetArchiveInput : The request to retrieve details of an email archive. + /// - Parameter input: The request to retrieve details of an email archive. (Type: `GetArchiveInput`) /// - /// - Returns: `GetArchiveOutput` : The response containing details of the requested archive. + /// - Returns: The response containing details of the requested archive. (Type: `GetArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1988,7 +1965,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetArchiveOutput.httpOutput(from:), GetArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2023,9 +1999,9 @@ extension MailManagerClient { /// /// Retrieves the details and current status of a specific email archive export job. /// - /// - Parameter GetArchiveExportInput : The request to retrieve details of a specific archive export job. + /// - Parameter input: The request to retrieve details of a specific archive export job. (Type: `GetArchiveExportInput`) /// - /// - Returns: `GetArchiveExportOutput` : The response containing details of the specified archive export job. + /// - Returns: The response containing details of the specified archive export job. (Type: `GetArchiveExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2059,7 +2035,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetArchiveExportOutput.httpOutput(from:), GetArchiveExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2094,9 +2069,9 @@ extension MailManagerClient { /// /// Returns a pre-signed URL that provides temporary download access to the specific email message stored in the archive. /// - /// - Parameter GetArchiveMessageInput : The request to get details of a specific email message stored in an archive. + /// - Parameter input: The request to get details of a specific email message stored in an archive. (Type: `GetArchiveMessageInput`) /// - /// - Returns: `GetArchiveMessageOutput` : The response containing details about the requested archived email message. + /// - Returns: The response containing details about the requested archived email message. (Type: `GetArchiveMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2130,7 +2105,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetArchiveMessageOutput.httpOutput(from:), GetArchiveMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2165,9 +2139,9 @@ extension MailManagerClient { /// /// Returns the textual content of a specific email message stored in the archive. Attachments are not included. /// - /// - Parameter GetArchiveMessageContentInput : The request to get the textual content of a specific email message stored in an archive. + /// - Parameter input: The request to get the textual content of a specific email message stored in an archive. (Type: `GetArchiveMessageContentInput`) /// - /// - Returns: `GetArchiveMessageContentOutput` : The response containing the textual content of the requested archived email message. + /// - Returns: The response containing the textual content of the requested archived email message. (Type: `GetArchiveMessageContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2201,7 +2175,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetArchiveMessageContentOutput.httpOutput(from:), GetArchiveMessageContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2236,9 +2209,9 @@ extension MailManagerClient { /// /// Retrieves the details and current status of a specific email archive search job. /// - /// - Parameter GetArchiveSearchInput : The request to retrieve details of a specific archive search job. + /// - Parameter input: The request to retrieve details of a specific archive search job. (Type: `GetArchiveSearchInput`) /// - /// - Returns: `GetArchiveSearchOutput` : The response containing details of the specified archive search job. + /// - Returns: The response containing details of the specified archive search job. (Type: `GetArchiveSearchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2272,7 +2245,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetArchiveSearchOutput.httpOutput(from:), GetArchiveSearchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2307,9 +2279,9 @@ extension MailManagerClient { /// /// Returns the results of a completed email archive search job. /// - /// - Parameter GetArchiveSearchResultsInput : The request to retrieve results from a completed archive search job. + /// - Parameter input: The request to retrieve results from a completed archive search job. (Type: `GetArchiveSearchResultsInput`) /// - /// - Returns: `GetArchiveSearchResultsOutput` : The response containing search results from a completed archive search. + /// - Returns: The response containing search results from a completed archive search. (Type: `GetArchiveSearchResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2344,7 +2316,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetArchiveSearchResultsOutput.httpOutput(from:), GetArchiveSearchResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2379,9 +2350,9 @@ extension MailManagerClient { /// /// Fetch ingress endpoint resource attributes. /// - /// - Parameter GetIngressPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIngressPointInput`) /// - /// - Returns: `GetIngressPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIngressPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2414,7 +2385,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIngressPointOutput.httpOutput(from:), GetIngressPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2449,9 +2419,9 @@ extension MailManagerClient { /// /// Fetch attributes of a member in an address list. /// - /// - Parameter GetMemberOfAddressListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMemberOfAddressListInput`) /// - /// - Returns: `GetMemberOfAddressListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMemberOfAddressListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2486,7 +2456,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMemberOfAddressListOutput.httpOutput(from:), GetMemberOfAddressListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2521,9 +2490,9 @@ extension MailManagerClient { /// /// Fetch the relay resource and it's attributes. /// - /// - Parameter GetRelayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRelayInput`) /// - /// - Returns: `GetRelayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRelayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2556,7 +2525,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRelayOutput.httpOutput(from:), GetRelayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2591,9 +2559,9 @@ extension MailManagerClient { /// /// Fetch attributes of a rule set. /// - /// - Parameter GetRuleSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuleSetInput`) /// - /// - Returns: `GetRuleSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2626,7 +2594,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuleSetOutput.httpOutput(from:), GetRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2661,9 +2628,9 @@ extension MailManagerClient { /// /// Fetch attributes of a traffic policy resource. /// - /// - Parameter GetTrafficPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrafficPolicyInput`) /// - /// - Returns: `GetTrafficPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrafficPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2696,7 +2663,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrafficPolicyOutput.httpOutput(from:), GetTrafficPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2731,9 +2697,9 @@ extension MailManagerClient { /// /// Lists all Add On instances in your account. /// - /// - Parameter ListAddonInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAddonInstancesInput`) /// - /// - Returns: `ListAddonInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAddonInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2765,7 +2731,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAddonInstancesOutput.httpOutput(from:), ListAddonInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2800,9 +2765,9 @@ extension MailManagerClient { /// /// Lists all Add On subscriptions in your account. /// - /// - Parameter ListAddonSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAddonSubscriptionsInput`) /// - /// - Returns: `ListAddonSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAddonSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2834,7 +2799,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAddonSubscriptionsOutput.httpOutput(from:), ListAddonSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2869,9 +2833,9 @@ extension MailManagerClient { /// /// Lists jobs for an address list. /// - /// - Parameter ListAddressListImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAddressListImportJobsInput`) /// - /// - Returns: `ListAddressListImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAddressListImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2906,7 +2870,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAddressListImportJobsOutput.httpOutput(from:), ListAddressListImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2941,9 +2904,9 @@ extension MailManagerClient { /// /// Lists address lists for this account. /// - /// - Parameter ListAddressListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAddressListsInput`) /// - /// - Returns: `ListAddressListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAddressListsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2977,7 +2940,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAddressListsOutput.httpOutput(from:), ListAddressListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3012,9 +2974,9 @@ extension MailManagerClient { /// /// Returns a list of email archive export jobs. /// - /// - Parameter ListArchiveExportsInput : The request to list archive export jobs in your account. + /// - Parameter input: The request to list archive export jobs in your account. (Type: `ListArchiveExportsInput`) /// - /// - Returns: `ListArchiveExportsOutput` : The response containing a list of archive export jobs and their statuses. + /// - Returns: The response containing a list of archive export jobs and their statuses. (Type: `ListArchiveExportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3049,7 +3011,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListArchiveExportsOutput.httpOutput(from:), ListArchiveExportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3084,9 +3045,9 @@ extension MailManagerClient { /// /// Returns a list of email archive search jobs. /// - /// - Parameter ListArchiveSearchesInput : The request to list archive search jobs in your account. + /// - Parameter input: The request to list archive search jobs in your account. (Type: `ListArchiveSearchesInput`) /// - /// - Returns: `ListArchiveSearchesOutput` : The response containing a list of archive search jobs and their statuses. + /// - Returns: The response containing a list of archive search jobs and their statuses. (Type: `ListArchiveSearchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3121,7 +3082,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListArchiveSearchesOutput.httpOutput(from:), ListArchiveSearchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3156,9 +3116,9 @@ extension MailManagerClient { /// /// Returns a list of all email archives in your account. /// - /// - Parameter ListArchivesInput : The request to list email archives in your account. + /// - Parameter input: The request to list email archives in your account. (Type: `ListArchivesInput`) /// - /// - Returns: `ListArchivesOutput` : The response containing a list of your email archives. + /// - Returns: The response containing a list of your email archives. (Type: `ListArchivesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3192,7 +3152,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListArchivesOutput.httpOutput(from:), ListArchivesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3227,9 +3186,9 @@ extension MailManagerClient { /// /// List all ingress endpoint resources. /// - /// - Parameter ListIngressPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIngressPointsInput`) /// - /// - Returns: `ListIngressPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIngressPointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3261,7 +3220,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIngressPointsOutput.httpOutput(from:), ListIngressPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3296,9 +3254,9 @@ extension MailManagerClient { /// /// Lists members of an address list. /// - /// - Parameter ListMembersOfAddressListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMembersOfAddressListInput`) /// - /// - Returns: `ListMembersOfAddressListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMembersOfAddressListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3333,7 +3291,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMembersOfAddressListOutput.httpOutput(from:), ListMembersOfAddressListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3368,9 +3325,9 @@ extension MailManagerClient { /// /// Lists all the existing relay resources. /// - /// - Parameter ListRelaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRelaysInput`) /// - /// - Returns: `ListRelaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRelaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3402,7 +3359,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRelaysOutput.httpOutput(from:), ListRelaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3437,9 +3393,9 @@ extension MailManagerClient { /// /// List rule sets for this account. /// - /// - Parameter ListRuleSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRuleSetsInput`) /// - /// - Returns: `ListRuleSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRuleSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3471,7 +3427,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleSetsOutput.httpOutput(from:), ListRuleSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3506,9 +3461,9 @@ extension MailManagerClient { /// /// Retrieves the list of tags (keys and values) assigned to the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3541,7 +3496,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3576,9 +3530,9 @@ extension MailManagerClient { /// /// List traffic policy resources. /// - /// - Parameter ListTrafficPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrafficPoliciesInput`) /// - /// - Returns: `ListTrafficPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrafficPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3610,7 +3564,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrafficPoliciesOutput.httpOutput(from:), ListTrafficPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3645,9 +3598,9 @@ extension MailManagerClient { /// /// Adds a member to an address list. /// - /// - Parameter RegisterMemberToAddressListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterMemberToAddressListInput`) /// - /// - Returns: `RegisterMemberToAddressListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterMemberToAddressListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3683,7 +3636,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterMemberToAddressListOutput.httpOutput(from:), RegisterMemberToAddressListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3718,9 +3670,9 @@ extension MailManagerClient { /// /// Starts an import job for an address list. /// - /// - Parameter StartAddressListImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAddressListImportJobInput`) /// - /// - Returns: `StartAddressListImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAddressListImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3757,7 +3709,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAddressListImportJobOutput.httpOutput(from:), StartAddressListImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3792,9 +3743,9 @@ extension MailManagerClient { /// /// Initiates an export of emails from the specified archive. /// - /// - Parameter StartArchiveExportInput : The request to initiate an export of emails from an archive. + /// - Parameter input: The request to initiate an export of emails from an archive. (Type: `StartArchiveExportInput`) /// - /// - Returns: `StartArchiveExportOutput` : The response from initiating an archive export. + /// - Returns: The response from initiating an archive export. (Type: `StartArchiveExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3830,7 +3781,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartArchiveExportOutput.httpOutput(from:), StartArchiveExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3865,9 +3815,9 @@ extension MailManagerClient { /// /// Initiates a search across emails in the specified archive. /// - /// - Parameter StartArchiveSearchInput : The request to initiate a search across emails in an archive. + /// - Parameter input: The request to initiate a search across emails in an archive. (Type: `StartArchiveSearchInput`) /// - /// - Returns: `StartArchiveSearchOutput` : The response from initiating an archive search. + /// - Returns: The response from initiating an archive search. (Type: `StartArchiveSearchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3904,7 +3854,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartArchiveSearchOutput.httpOutput(from:), StartArchiveSearchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3939,9 +3888,9 @@ extension MailManagerClient { /// /// Stops an ongoing import job for an address list. /// - /// - Parameter StopAddressListImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopAddressListImportJobInput`) /// - /// - Returns: `StopAddressListImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopAddressListImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3977,7 +3926,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopAddressListImportJobOutput.httpOutput(from:), StopAddressListImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4012,9 +3960,9 @@ extension MailManagerClient { /// /// Stops an in-progress export of emails from an archive. /// - /// - Parameter StopArchiveExportInput : The request to stop an in-progress archive export job. + /// - Parameter input: The request to stop an in-progress archive export job. (Type: `StopArchiveExportInput`) /// - /// - Returns: `StopArchiveExportOutput` : The response indicating if the request to stop the export job succeeded. On success, returns an HTTP 200 status code. On failure, returns an error message. + /// - Returns: The response indicating if the request to stop the export job succeeded. On success, returns an HTTP 200 status code. On failure, returns an error message. (Type: `StopArchiveExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4048,7 +3996,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopArchiveExportOutput.httpOutput(from:), StopArchiveExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4083,9 +4030,9 @@ extension MailManagerClient { /// /// Stops an in-progress archive search job. /// - /// - Parameter StopArchiveSearchInput : The request to stop an in-progress archive search job. + /// - Parameter input: The request to stop an in-progress archive search job. (Type: `StopArchiveSearchInput`) /// - /// - Returns: `StopArchiveSearchOutput` : The response indicating if the request to stop the search job succeeded. On success, returns an HTTP 200 status code. On failure, returns an error message. + /// - Returns: The response indicating if the request to stop the search job succeeded. On success, returns an HTTP 200 status code. On failure, returns an error message. (Type: `StopArchiveSearchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4119,7 +4066,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopArchiveSearchOutput.httpOutput(from:), StopArchiveSearchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4154,9 +4100,9 @@ extension MailManagerClient { /// /// Adds one or more tags (keys and values) to a specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4191,7 +4137,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4226,9 +4171,9 @@ extension MailManagerClient { /// /// Remove one or more tags (keys and values) from a specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4262,7 +4207,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4297,9 +4241,9 @@ extension MailManagerClient { /// /// Updates the attributes of an existing email archive. /// - /// - Parameter UpdateArchiveInput : The request to update properties of an existing email archive. + /// - Parameter input: The request to update properties of an existing email archive. (Type: `UpdateArchiveInput`) /// - /// - Returns: `UpdateArchiveOutput` : The response indicating if the archive update succeeded or failed. On success, returns an HTTP 200 status code. On failure, returns an error message. + /// - Returns: The response indicating if the archive update succeeded or failed. On success, returns an HTTP 200 status code. On failure, returns an error message. (Type: `UpdateArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4336,7 +4280,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateArchiveOutput.httpOutput(from:), UpdateArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4371,9 +4314,9 @@ extension MailManagerClient { /// /// Update attributes of a provisioned ingress endpoint resource. /// - /// - Parameter UpdateIngressPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIngressPointInput`) /// - /// - Returns: `UpdateIngressPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIngressPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4407,7 +4350,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIngressPointOutput.httpOutput(from:), UpdateIngressPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4442,9 +4384,9 @@ extension MailManagerClient { /// /// Updates the attributes of an existing relay resource. /// - /// - Parameter UpdateRelayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRelayInput`) /// - /// - Returns: `UpdateRelayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRelayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4478,7 +4420,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRelayOutput.httpOutput(from:), UpdateRelayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4513,9 +4454,9 @@ extension MailManagerClient { /// /// Update attributes of an already provisioned rule set. /// - /// - Parameter UpdateRuleSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleSetInput`) /// - /// - Returns: `UpdateRuleSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4549,7 +4490,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleSetOutput.httpOutput(from:), UpdateRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4584,9 +4524,9 @@ extension MailManagerClient { /// /// Update attributes of an already provisioned traffic policy resource. /// - /// - Parameter UpdateTrafficPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrafficPolicyInput`) /// - /// - Returns: `UpdateTrafficPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrafficPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4620,7 +4560,6 @@ extension MailManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrafficPolicyOutput.httpOutput(from:), UpdateTrafficPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSManagedBlockchain/Sources/AWSManagedBlockchain/ManagedBlockchainClient.swift b/Sources/Services/AWSManagedBlockchain/Sources/AWSManagedBlockchain/ManagedBlockchainClient.swift index 5ceb804eae3..84d73aca319 100644 --- a/Sources/Services/AWSManagedBlockchain/Sources/AWSManagedBlockchain/ManagedBlockchainClient.swift +++ b/Sources/Services/AWSManagedBlockchain/Sources/AWSManagedBlockchain/ManagedBlockchainClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ManagedBlockchainClient: ClientRuntime.Client { public static let clientName = "ManagedBlockchainClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ManagedBlockchainClient.ManagedBlockchainClientConfiguration let serviceName = "ManagedBlockchain" @@ -374,9 +373,9 @@ extension ManagedBlockchainClient { /// /// Creates a new accessor for use with Amazon Managed Blockchain service that supports token based access. The accessor contains information required for token based access. /// - /// - Parameter CreateAccessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessorInput`) /// - /// - Returns: `CreateAccessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessorOutput.httpOutput(from:), CreateAccessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension ManagedBlockchainClient { /// /// Creates a member within a Managed Blockchain network. Applies only to Hyperledger Fabric. /// - /// - Parameter CreateMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMemberInput`) /// - /// - Returns: `CreateMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -494,7 +492,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMemberOutput.httpOutput(from:), CreateMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension ManagedBlockchainClient { /// /// Creates a new blockchain network using Amazon Managed Blockchain. Applies only to Hyperledger Fabric. /// - /// - Parameter CreateNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNetworkInput`) /// - /// - Returns: `CreateNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -569,7 +566,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkOutput.httpOutput(from:), CreateNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension ManagedBlockchainClient { /// /// Creates a node on the specified blockchain network. Applies to Hyperledger Fabric and Ethereum. /// - /// - Parameter CreateNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNodeInput`) /// - /// - Returns: `CreateNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -646,7 +642,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNodeOutput.httpOutput(from:), CreateNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -678,9 +673,9 @@ extension ManagedBlockchainClient { /// /// Creates a proposal for a change to the network that other members of the network can vote on, for example, a proposal to add a new member to the network. Any member can create a proposal. Applies only to Hyperledger Fabric. /// - /// - Parameter CreateProposalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProposalInput`) /// - /// - Returns: `CreateProposalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProposalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -721,7 +716,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProposalOutput.httpOutput(from:), CreateProposalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -753,9 +747,9 @@ extension ManagedBlockchainClient { /// /// Deletes an accessor that your Amazon Web Services account owns. An accessor object is a container that has the information required for token based access to your Ethereum nodes including, the BILLING_TOKEN. After an accessor is deleted, the status of the accessor changes from AVAILABLE to PENDING_DELETION. An accessor in the PENDING_DELETION state can’t be used for new WebSocket requests or HTTP requests. However, WebSocket connections that were initiated while the accessor was in the AVAILABLE state remain open until they expire (up to 2 hours). /// - /// - Parameter DeleteAccessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessorInput`) /// - /// - Returns: `DeleteAccessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -790,7 +784,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessorOutput.httpOutput(from:), DeleteAccessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -822,9 +815,9 @@ extension ManagedBlockchainClient { /// /// Deletes a member. Deleting a member removes the member and all associated resources from the network. DeleteMember can only be called for a specified MemberId if the principal performing the action is associated with the Amazon Web Services account that owns the member. In all other cases, the DeleteMember action is carried out as the result of an approved proposal to remove a member. If MemberId is the last member in a network specified by the last Amazon Web Services account, the network is deleted also. Applies only to Hyperledger Fabric. /// - /// - Parameter DeleteMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMemberInput`) /// - /// - Returns: `DeleteMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -860,7 +853,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMemberOutput.httpOutput(from:), DeleteMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -892,9 +884,9 @@ extension ManagedBlockchainClient { /// /// Deletes a node that your Amazon Web Services account owns. All data on the node is lost and cannot be recovered. Applies to Hyperledger Fabric and Ethereum. /// - /// - Parameter DeleteNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNodeInput`) /// - /// - Returns: `DeleteNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -931,7 +923,6 @@ extension ManagedBlockchainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteNodeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNodeOutput.httpOutput(from:), DeleteNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -963,9 +954,9 @@ extension ManagedBlockchainClient { /// /// Returns detailed information about an accessor. An accessor object is a container that has the information required for token based access to your Ethereum nodes. /// - /// - Parameter GetAccessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessorInput`) /// - /// - Returns: `GetAccessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1000,7 +991,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessorOutput.httpOutput(from:), GetAccessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1032,9 +1022,9 @@ extension ManagedBlockchainClient { /// /// Returns detailed information about a member. Applies only to Hyperledger Fabric. /// - /// - Parameter GetMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMemberInput`) /// - /// - Returns: `GetMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1069,7 +1059,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMemberOutput.httpOutput(from:), GetMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1101,9 +1090,9 @@ extension ManagedBlockchainClient { /// /// Returns detailed information about a network. Applies to Hyperledger Fabric and Ethereum. /// - /// - Parameter GetNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkInput`) /// - /// - Returns: `GetNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1138,7 +1127,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkOutput.httpOutput(from:), GetNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1170,9 +1158,9 @@ extension ManagedBlockchainClient { /// /// Returns detailed information about a node. Applies to Hyperledger Fabric and Ethereum. /// - /// - Parameter GetNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNodeInput`) /// - /// - Returns: `GetNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1208,7 +1196,6 @@ extension ManagedBlockchainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetNodeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNodeOutput.httpOutput(from:), GetNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1240,9 +1227,9 @@ extension ManagedBlockchainClient { /// /// Returns detailed information about a proposal. Applies only to Hyperledger Fabric. /// - /// - Parameter GetProposalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProposalInput`) /// - /// - Returns: `GetProposalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProposalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1277,7 +1264,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProposalOutput.httpOutput(from:), GetProposalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1309,9 +1295,9 @@ extension ManagedBlockchainClient { /// /// Returns a list of the accessors and their properties. Accessor objects are containers that have the information required for token based access to your Ethereum nodes. /// - /// - Parameter ListAccessorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessorsInput`) /// - /// - Returns: `ListAccessorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1346,7 +1332,6 @@ extension ManagedBlockchainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessorsOutput.httpOutput(from:), ListAccessorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1378,9 +1363,9 @@ extension ManagedBlockchainClient { /// /// Returns a list of all invitations for the current Amazon Web Services account. Applies only to Hyperledger Fabric. /// - /// - Parameter ListInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvitationsInput`) /// - /// - Returns: `ListInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1417,7 +1402,6 @@ extension ManagedBlockchainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInvitationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvitationsOutput.httpOutput(from:), ListInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1449,9 +1433,9 @@ extension ManagedBlockchainClient { /// /// Returns a list of the members in a network and properties of their configurations. Applies only to Hyperledger Fabric. /// - /// - Parameter ListMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMembersInput`) /// - /// - Returns: `ListMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1486,7 +1470,6 @@ extension ManagedBlockchainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMembersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMembersOutput.httpOutput(from:), ListMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1518,9 +1501,9 @@ extension ManagedBlockchainClient { /// /// Returns information about the networks in which the current Amazon Web Services account participates. Applies to Hyperledger Fabric and Ethereum. /// - /// - Parameter ListNetworksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNetworksInput`) /// - /// - Returns: `ListNetworksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNetworksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1555,7 +1538,6 @@ extension ManagedBlockchainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNetworksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNetworksOutput.httpOutput(from:), ListNetworksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1587,9 +1569,9 @@ extension ManagedBlockchainClient { /// /// Returns information about the nodes within a network. Applies to Hyperledger Fabric and Ethereum. /// - /// - Parameter ListNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNodesInput`) /// - /// - Returns: `ListNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1624,7 +1606,6 @@ extension ManagedBlockchainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNodesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNodesOutput.httpOutput(from:), ListNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1656,9 +1637,9 @@ extension ManagedBlockchainClient { /// /// Returns the list of votes for a specified proposal, including the value of each vote and the unique identifier of the member that cast the vote. Applies only to Hyperledger Fabric. /// - /// - Parameter ListProposalVotesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProposalVotesInput`) /// - /// - Returns: `ListProposalVotesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProposalVotesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1693,7 +1674,6 @@ extension ManagedBlockchainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProposalVotesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProposalVotesOutput.httpOutput(from:), ListProposalVotesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1725,9 +1705,9 @@ extension ManagedBlockchainClient { /// /// Returns a list of proposals for the network. Applies only to Hyperledger Fabric. /// - /// - Parameter ListProposalsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProposalsInput`) /// - /// - Returns: `ListProposalsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProposalsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1763,7 +1743,6 @@ extension ManagedBlockchainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProposalsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProposalsOutput.httpOutput(from:), ListProposalsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1795,9 +1774,9 @@ extension ManagedBlockchainClient { /// /// Returns a list of tags for the specified resource. Each tag consists of a key and optional value. For more information about tags, see [Tagging Resources](https://docs.aws.amazon.com/managed-blockchain/latest/ethereum-dev/tagging-resources.html) in the Amazon Managed Blockchain Ethereum Developer Guide, or [Tagging Resources](https://docs.aws.amazon.com/managed-blockchain/latest/hyperledger-fabric-dev/tagging-resources.html) in the Amazon Managed Blockchain Hyperledger Fabric Developer Guide. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1831,7 +1810,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1863,9 +1841,9 @@ extension ManagedBlockchainClient { /// /// Rejects an invitation to join a network. This action can be called by a principal in an Amazon Web Services account that has received an invitation to create a member and join a network. Applies only to Hyperledger Fabric. /// - /// - Parameter RejectInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectInvitationInput`) /// - /// - Returns: `RejectInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1901,7 +1879,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectInvitationOutput.httpOutput(from:), RejectInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1933,9 +1910,9 @@ extension ManagedBlockchainClient { /// /// Adds or overwrites the specified tags for the specified Amazon Managed Blockchain resource. Each tag consists of a key and optional value. When you specify a tag key that already exists, the tag value is overwritten with the new value. Use UntagResource to remove tag keys. A resource can have up to 50 tags. If you try to create more than 50 tags for a resource, your request fails and returns an error. For more information about tags, see [Tagging Resources](https://docs.aws.amazon.com/managed-blockchain/latest/ethereum-dev/tagging-resources.html) in the Amazon Managed Blockchain Ethereum Developer Guide, or [Tagging Resources](https://docs.aws.amazon.com/managed-blockchain/latest/hyperledger-fabric-dev/tagging-resources.html) in the Amazon Managed Blockchain Hyperledger Fabric Developer Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1973,7 +1950,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2005,9 +1981,9 @@ extension ManagedBlockchainClient { /// /// Removes the specified tags from the Amazon Managed Blockchain resource. For more information about tags, see [Tagging Resources](https://docs.aws.amazon.com/managed-blockchain/latest/ethereum-dev/tagging-resources.html) in the Amazon Managed Blockchain Ethereum Developer Guide, or [Tagging Resources](https://docs.aws.amazon.com/managed-blockchain/latest/hyperledger-fabric-dev/tagging-resources.html) in the Amazon Managed Blockchain Hyperledger Fabric Developer Guide. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2042,7 +2018,6 @@ extension ManagedBlockchainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2074,9 +2049,9 @@ extension ManagedBlockchainClient { /// /// Updates a member configuration with new parameters. Applies only to Hyperledger Fabric. /// - /// - Parameter UpdateMemberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMemberInput`) /// - /// - Returns: `UpdateMemberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMemberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2114,7 +2089,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMemberOutput.httpOutput(from:), UpdateMemberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2146,9 +2120,9 @@ extension ManagedBlockchainClient { /// /// Updates a node configuration with new parameters. Applies only to Hyperledger Fabric. /// - /// - Parameter UpdateNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNodeInput`) /// - /// - Returns: `UpdateNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2186,7 +2160,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNodeOutput.httpOutput(from:), UpdateNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2218,9 +2191,9 @@ extension ManagedBlockchainClient { /// /// Casts a vote for a specified ProposalId on behalf of a member. The member to vote as, specified by VoterMemberId, must be in the same Amazon Web Services account as the principal that calls the action. Applies only to Hyperledger Fabric. /// - /// - Parameter VoteOnProposalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VoteOnProposalInput`) /// - /// - Returns: `VoteOnProposalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VoteOnProposalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2259,7 +2232,6 @@ extension ManagedBlockchainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VoteOnProposalOutput.httpOutput(from:), VoteOnProposalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSManagedBlockchainQuery/Sources/AWSManagedBlockchainQuery/ManagedBlockchainQueryClient.swift b/Sources/Services/AWSManagedBlockchainQuery/Sources/AWSManagedBlockchainQuery/ManagedBlockchainQueryClient.swift index 4d54694efbf..e652806faa3 100644 --- a/Sources/Services/AWSManagedBlockchainQuery/Sources/AWSManagedBlockchainQuery/ManagedBlockchainQueryClient.swift +++ b/Sources/Services/AWSManagedBlockchainQuery/Sources/AWSManagedBlockchainQuery/ManagedBlockchainQueryClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ManagedBlockchainQueryClient: ClientRuntime.Client { public static let clientName = "ManagedBlockchainQueryClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ManagedBlockchainQueryClient.ManagedBlockchainQueryClientConfiguration let serviceName = "ManagedBlockchain Query" @@ -372,9 +371,9 @@ extension ManagedBlockchainQueryClient { /// /// Gets the token balance for a batch of tokens by using the BatchGetTokenBalance action for every token in the request. Only the native tokens BTC and ETH, and the ERC-20, ERC-721, and ERC 1155 token standards are supported. /// - /// - Parameter BatchGetTokenBalanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetTokenBalanceInput`) /// - /// - Returns: `BatchGetTokenBalanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetTokenBalanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension ManagedBlockchainQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetTokenBalanceOutput.httpOutput(from:), BatchGetTokenBalanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension ManagedBlockchainQueryClient { /// /// * Metadata is currently only available for some ERC-20 contracts. Metadata will be available for additional contracts in the future. /// - /// - Parameter GetAssetContractInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssetContractInput`) /// - /// - Returns: `GetAssetContractOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssetContractOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension ManagedBlockchainQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssetContractOutput.httpOutput(from:), GetAssetContractOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension ManagedBlockchainQueryClient { /// /// Gets the balance of a specific token, including native tokens, for a given address (wallet or contract) on the blockchain. Only the native tokens BTC and ETH, and the ERC-20, ERC-721, and ERC 1155 token standards are supported. /// - /// - Parameter GetTokenBalanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTokenBalanceInput`) /// - /// - Returns: `GetTokenBalanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTokenBalanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension ManagedBlockchainQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTokenBalanceOutput.httpOutput(from:), GetTokenBalanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension ManagedBlockchainQueryClient { /// /// Gets the details of a transaction. This action will return transaction details for all transactions that are confirmed on the blockchain, even if they have not reached [finality](https://docs.aws.amazon.com/managed-blockchain/latest/ambq-dg/key-concepts.html#finality). /// - /// - Parameter GetTransactionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransactionInput`) /// - /// - Returns: `GetTransactionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -636,7 +632,6 @@ extension ManagedBlockchainQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransactionOutput.httpOutput(from:), GetTransactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -668,9 +663,9 @@ extension ManagedBlockchainQueryClient { /// /// Lists all the contracts for a given contract type deployed by an address (either a contract address or a wallet address). The Bitcoin blockchain networks do not support this operation. /// - /// - Parameter ListAssetContractsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetContractsInput`) /// - /// - Returns: `ListAssetContractsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetContractsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -708,7 +703,6 @@ extension ManagedBlockchainQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetContractsOutput.httpOutput(from:), ListAssetContractsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -740,9 +734,9 @@ extension ManagedBlockchainQueryClient { /// /// Lists all the transaction events for an address on the blockchain. This operation is only supported on the Bitcoin networks. /// - /// - Parameter ListFilteredTransactionEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFilteredTransactionEventsInput`) /// - /// - Returns: `ListFilteredTransactionEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFilteredTransactionEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -780,7 +774,6 @@ extension ManagedBlockchainQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFilteredTransactionEventsOutput.httpOutput(from:), ListFilteredTransactionEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -821,9 +814,9 @@ extension ManagedBlockchainQueryClient { /// /// You must always specify the network property of the tokenFilter when using this operation. /// - /// - Parameter ListTokenBalancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTokenBalancesInput`) /// - /// - Returns: `ListTokenBalancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTokenBalancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -861,7 +854,6 @@ extension ManagedBlockchainQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTokenBalancesOutput.httpOutput(from:), ListTokenBalancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -893,9 +885,9 @@ extension ManagedBlockchainQueryClient { /// /// Lists all the transaction events for a transaction This action will return transaction details for all transactions that are confirmed on the blockchain, even if they have not reached [finality](https://docs.aws.amazon.com/managed-blockchain/latest/ambq-dg/key-concepts.html#finality). /// - /// - Parameter ListTransactionEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTransactionEventsInput`) /// - /// - Returns: `ListTransactionEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTransactionEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -933,7 +925,6 @@ extension ManagedBlockchainQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTransactionEventsOutput.httpOutput(from:), ListTransactionEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -965,9 +956,9 @@ extension ManagedBlockchainQueryClient { /// /// Lists all the transaction events for a transaction. /// - /// - Parameter ListTransactionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTransactionsInput`) /// - /// - Returns: `ListTransactionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTransactionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1005,7 +996,6 @@ extension ManagedBlockchainQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTransactionsOutput.httpOutput(from:), ListTransactionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMarketplaceAgreement/Sources/AWSMarketplaceAgreement/MarketplaceAgreementClient.swift b/Sources/Services/AWSMarketplaceAgreement/Sources/AWSMarketplaceAgreement/MarketplaceAgreementClient.swift index 17c864921a1..238914517d2 100644 --- a/Sources/Services/AWSMarketplaceAgreement/Sources/AWSMarketplaceAgreement/MarketplaceAgreementClient.swift +++ b/Sources/Services/AWSMarketplaceAgreement/Sources/AWSMarketplaceAgreement/MarketplaceAgreementClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MarketplaceAgreementClient: ClientRuntime.Client { public static let clientName = "MarketplaceAgreementClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MarketplaceAgreementClient.MarketplaceAgreementClientConfiguration let serviceName = "Marketplace Agreement" @@ -374,9 +373,9 @@ extension MarketplaceAgreementClient { /// /// Provides details about an agreement, such as the proposer, acceptor, start date, and end date. /// - /// - Parameter DescribeAgreementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAgreementInput`) /// - /// - Returns: `DescribeAgreementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAgreementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension MarketplaceAgreementClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAgreementOutput.httpOutput(from:), DescribeAgreementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -458,9 +456,9 @@ extension MarketplaceAgreementClient { /// /// * Configuration – The buyer/acceptor's selection at the time of agreement creation, such as the number of units purchased for a dimension or setting the EnableAutoRenew flag. /// - /// - Parameter GetAgreementTermsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAgreementTermsInput`) /// - /// - Returns: `GetAgreementTermsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAgreementTermsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -496,7 +494,6 @@ extension MarketplaceAgreementClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAgreementTermsOutput.httpOutput(from:), GetAgreementTermsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -559,9 +556,9 @@ extension MarketplaceAgreementClient { /// /// * PartyType as Proposer + AgreementType + AcceptorAccountId + ResourceType /// - /// - Parameter SearchAgreementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchAgreementsInput`) /// - /// - Returns: `SearchAgreementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchAgreementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -596,7 +593,6 @@ extension MarketplaceAgreementClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchAgreementsOutput.httpOutput(from:), SearchAgreementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMarketplaceCatalog/Sources/AWSMarketplaceCatalog/MarketplaceCatalogClient.swift b/Sources/Services/AWSMarketplaceCatalog/Sources/AWSMarketplaceCatalog/MarketplaceCatalogClient.swift index 5c3f45f4bd8..2d99e752166 100644 --- a/Sources/Services/AWSMarketplaceCatalog/Sources/AWSMarketplaceCatalog/MarketplaceCatalogClient.swift +++ b/Sources/Services/AWSMarketplaceCatalog/Sources/AWSMarketplaceCatalog/MarketplaceCatalogClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MarketplaceCatalogClient: ClientRuntime.Client { public static let clientName = "MarketplaceCatalogClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MarketplaceCatalogClient.MarketplaceCatalogClientConfiguration let serviceName = "Marketplace Catalog" @@ -375,9 +374,9 @@ extension MarketplaceCatalogClient { /// /// Returns metadata and content for multiple entities. This is the Batch version of the DescribeEntity API and uses the same IAM permission action as DescribeEntity API. /// - /// - Parameter BatchDescribeEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDescribeEntitiesInput`) /// - /// - Returns: `BatchDescribeEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDescribeEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension MarketplaceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDescribeEntitiesOutput.httpOutput(from:), BatchDescribeEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension MarketplaceCatalogClient { /// /// Used to cancel an open change request. Must be sent before the status of the request changes to APPLYING, the final stage of completing your change request. You can describe a change during the 60-day request history retention period for API calls. /// - /// - Parameter CancelChangeSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelChangeSetInput`) /// - /// - Returns: `CancelChangeSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension MarketplaceCatalogClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CancelChangeSetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelChangeSetOutput.httpOutput(from:), CancelChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension MarketplaceCatalogClient { /// /// Deletes a resource-based policy on an entity that is identified by its resource ARN. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension MarketplaceCatalogClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteResourcePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension MarketplaceCatalogClient { /// /// Provides information about a given change set. /// - /// - Parameter DescribeChangeSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChangeSetInput`) /// - /// - Returns: `DescribeChangeSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension MarketplaceCatalogClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeChangeSetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChangeSetOutput.httpOutput(from:), DescribeChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -657,9 +652,9 @@ extension MarketplaceCatalogClient { /// /// Returns the metadata and content of the entity. /// - /// - Parameter DescribeEntityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEntityInput`) /// - /// - Returns: `DescribeEntityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension MarketplaceCatalogClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeEntityInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEntityOutput.httpOutput(from:), DescribeEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension MarketplaceCatalogClient { /// /// Gets a resource-based policy of an entity that is identified by its resource ARN. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -766,7 +760,6 @@ extension MarketplaceCatalogClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResourcePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -798,9 +791,9 @@ extension MarketplaceCatalogClient { /// /// Returns the list of change sets owned by the account being used to make the call. You can filter this list by providing any combination of entityId, ChangeSetName, and status. If you provide more than one filter, the API operation applies a logical AND between the filters. You can describe a change during the 60-day request history retention period for API calls. /// - /// - Parameter ListChangeSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChangeSetsInput`) /// - /// - Returns: `ListChangeSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChangeSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -837,7 +830,6 @@ extension MarketplaceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChangeSetsOutput.httpOutput(from:), ListChangeSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -869,9 +861,9 @@ extension MarketplaceCatalogClient { /// /// Provides the list of entities of a given type. /// - /// - Parameter ListEntitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntitiesInput`) /// - /// - Returns: `ListEntitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -909,7 +901,6 @@ extension MarketplaceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntitiesOutput.httpOutput(from:), ListEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -941,9 +932,9 @@ extension MarketplaceCatalogClient { /// /// Lists all tags that have been added to a resource (either an [entity](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/welcome.html#catalog-api-entities) or [change set](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/welcome.html#working-with-change-sets)). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -981,7 +972,6 @@ extension MarketplaceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1013,9 +1003,9 @@ extension MarketplaceCatalogClient { /// /// Attaches a resource-based policy to an entity. Examples of an entity include: AmiProduct and ContainerProduct. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1053,7 +1043,6 @@ extension MarketplaceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1085,9 +1074,9 @@ extension MarketplaceCatalogClient { /// /// Allows you to request changes for your entities. Within a single ChangeSet, you can't start the same change type against the same entity multiple times. Additionally, when a ChangeSet is running, all the entities targeted by the different changes are locked until the change set has completed (either succeeded, cancelled, or failed). If you try to start a change set containing a change against an entity that is already locked, you will receive a ResourceInUseException error. For example, you can't start the ChangeSet described in the [example](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/API_StartChangeSet.html#API_StartChangeSet_Examples) later in this topic because it contains two changes to run the same change type (AddRevisions) against the same entity (entity-id@1). For more information about working with change sets, see [ Working with change sets](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/welcome.html#working-with-change-sets). For information about change types for single-AMI products, see [Working with single-AMI products](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/ami-products.html#working-with-single-AMI-products). Also, for more information about change types available for container-based products, see [Working with container products](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/container-products.html#working-with-container-products). To download "DetailsDocument" shapes, see [Python](https://github.com/awslabs/aws-marketplace-catalog-api-shapes-for-python) and [Java](https://github.com/awslabs/aws-marketplace-catalog-api-shapes-for-java/tree/main) shapes on GitHub. /// - /// - Parameter StartChangeSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartChangeSetInput`) /// - /// - Returns: `StartChangeSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1128,7 +1117,6 @@ extension MarketplaceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartChangeSetOutput.httpOutput(from:), StartChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1160,9 +1148,9 @@ extension MarketplaceCatalogClient { /// /// Tags a resource (either an [entity](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/welcome.html#catalog-api-entities) or [change set](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/welcome.html#working-with-change-sets)). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1200,7 +1188,6 @@ extension MarketplaceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1232,9 +1219,9 @@ extension MarketplaceCatalogClient { /// /// Removes a tag or list of tags from a resource (either an [entity](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/welcome.html#catalog-api-entities) or [change set](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/welcome.html#working-with-change-sets)). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1272,7 +1259,6 @@ extension MarketplaceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMarketplaceCommerceAnalytics/Sources/AWSMarketplaceCommerceAnalytics/MarketplaceCommerceAnalyticsClient.swift b/Sources/Services/AWSMarketplaceCommerceAnalytics/Sources/AWSMarketplaceCommerceAnalytics/MarketplaceCommerceAnalyticsClient.swift index 9dcf7047bc8..11d21803052 100644 --- a/Sources/Services/AWSMarketplaceCommerceAnalytics/Sources/AWSMarketplaceCommerceAnalytics/MarketplaceCommerceAnalyticsClient.swift +++ b/Sources/Services/AWSMarketplaceCommerceAnalytics/Sources/AWSMarketplaceCommerceAnalytics/MarketplaceCommerceAnalyticsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MarketplaceCommerceAnalyticsClient: ClientRuntime.Client { public static let clientName = "MarketplaceCommerceAnalyticsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MarketplaceCommerceAnalyticsClient.MarketplaceCommerceAnalyticsClientConfiguration let serviceName = "Marketplace Commerce Analytics" @@ -374,9 +373,9 @@ extension MarketplaceCommerceAnalyticsClient { /// /// Given a data set type and data set publication date, asynchronously publishes the requested data set to the specified S3 bucket and notifies the specified SNS topic once the data is available. Returns a unique request identifier that can be used to correlate requests with notifications from the SNS topic. Data sets will be published in comma-separated values (CSV) format with the file name {data_set_type}_YYYY-MM-DD.csv. If a file with the same name already exists (e.g. if the same data set is requested twice), the original file will be overwritten by the new file. Requires a Role with an attached permissions policy providing Allow permissions for the following actions: s3:PutObject, s3:GetBucketLocation, sns:GetTopicAttributes, sns:Publish, iam:GetRolePolicy. /// - /// - Parameter GenerateDataSetInput : Container for the parameters to the GenerateDataSet operation. + /// - Parameter input: Container for the parameters to the GenerateDataSet operation. (Type: `GenerateDataSetInput`) /// - /// - Returns: `GenerateDataSetOutput` : Container for the result of the GenerateDataSet operation. + /// - Returns: Container for the result of the GenerateDataSet operation. (Type: `GenerateDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -408,7 +407,6 @@ extension MarketplaceCommerceAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateDataSetOutput.httpOutput(from:), GenerateDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension MarketplaceCommerceAnalyticsClient { /// This target has been deprecated. Given a data set type and a from date, asynchronously publishes the requested customer support data to the specified S3 bucket and notifies the specified SNS topic once the data is available. Returns a unique request identifier that can be used to correlate requests with notifications from the SNS topic. Data sets will be published in comma-separated values (CSV) format with the file name {data_set_type}_YYYY-MM-DD'T'HH-mm-ss'Z'.csv. If a file with the same name already exists (e.g. if the same data set is requested twice), the original file will be overwritten by the new file. Requires a Role with an attached permissions policy providing Allow permissions for the following actions: s3:PutObject, s3:GetBucketLocation, sns:GetTopicAttributes, sns:Publish, iam:GetRolePolicy. @available(*, deprecated, message: "This target has been deprecated. As of December 2022 Product Support Connection is no longer supported.") /// - /// - Parameter StartSupportDataExportInput : This target has been deprecated. Container for the parameters to the StartSupportDataExport operation. + /// - Parameter input: This target has been deprecated. Container for the parameters to the StartSupportDataExport operation. (Type: `StartSupportDataExportInput`) /// - /// - Returns: `StartSupportDataExportOutput` : This target has been deprecated. Container for the result of the StartSupportDataExport operation. + /// - Returns: This target has been deprecated. Container for the result of the StartSupportDataExport operation. (Type: `StartSupportDataExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension MarketplaceCommerceAnalyticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSupportDataExportOutput.httpOutput(from:), StartSupportDataExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMarketplaceDeployment/Sources/AWSMarketplaceDeployment/MarketplaceDeploymentClient.swift b/Sources/Services/AWSMarketplaceDeployment/Sources/AWSMarketplaceDeployment/MarketplaceDeploymentClient.swift index 8a1b55aa2e0..4e8a5543836 100644 --- a/Sources/Services/AWSMarketplaceDeployment/Sources/AWSMarketplaceDeployment/MarketplaceDeploymentClient.swift +++ b/Sources/Services/AWSMarketplaceDeployment/Sources/AWSMarketplaceDeployment/MarketplaceDeploymentClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MarketplaceDeploymentClient: ClientRuntime.Client { public static let clientName = "MarketplaceDeploymentClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MarketplaceDeploymentClient.MarketplaceDeploymentClientConfiguration let serviceName = "Marketplace Deployment" @@ -375,9 +374,9 @@ extension MarketplaceDeploymentClient { /// /// Lists all tags that have been added to a deployment parameter resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension MarketplaceDeploymentClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension MarketplaceDeploymentClient { /// /// Creates or updates a deployment parameter and is targeted by catalog and agreementId. /// - /// - Parameter PutDeploymentParameterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDeploymentParameterInput`) /// - /// - Returns: `PutDeploymentParameterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDeploymentParameterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension MarketplaceDeploymentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDeploymentParameterOutput.httpOutput(from:), PutDeploymentParameterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension MarketplaceDeploymentClient { /// /// Tags a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension MarketplaceDeploymentClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension MarketplaceDeploymentClient { /// /// Removes a tag or list of tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension MarketplaceDeploymentClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMarketplaceEntitlementService/Sources/AWSMarketplaceEntitlementService/MarketplaceEntitlementClient.swift b/Sources/Services/AWSMarketplaceEntitlementService/Sources/AWSMarketplaceEntitlementService/MarketplaceEntitlementClient.swift index 4ea3bb3365a..0dfa8664310 100644 --- a/Sources/Services/AWSMarketplaceEntitlementService/Sources/AWSMarketplaceEntitlementService/MarketplaceEntitlementClient.swift +++ b/Sources/Services/AWSMarketplaceEntitlementService/Sources/AWSMarketplaceEntitlementService/MarketplaceEntitlementClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MarketplaceEntitlementClient: ClientRuntime.Client { public static let clientName = "MarketplaceEntitlementClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MarketplaceEntitlementClient.MarketplaceEntitlementClientConfiguration let serviceName = "Marketplace Entitlement" @@ -373,9 +372,9 @@ extension MarketplaceEntitlementClient { /// /// GetEntitlements retrieves entitlement values for a given product. The results can be filtered based on customer identifier, AWS account ID, or product dimensions. The CustomerIdentifier parameter is on path for deprecation. Use CustomerAWSAccountID instead. These parameters are mutually exclusive. You can't specify both CustomerIdentifier and CustomerAWSAccountID in the same request. /// - /// - Parameter GetEntitlementsInput : The GetEntitlementsRequest contains parameters for the GetEntitlements operation. + /// - Parameter input: The GetEntitlementsRequest contains parameters for the GetEntitlements operation. (Type: `GetEntitlementsInput`) /// - /// - Returns: `GetEntitlementsOutput` : The GetEntitlementsRequest contains results from the GetEntitlements operation. + /// - Returns: The GetEntitlementsRequest contains results from the GetEntitlements operation. (Type: `GetEntitlementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension MarketplaceEntitlementClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEntitlementsOutput.httpOutput(from:), GetEntitlementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMarketplaceMetering/Sources/AWSMarketplaceMetering/MarketplaceMeteringClient.swift b/Sources/Services/AWSMarketplaceMetering/Sources/AWSMarketplaceMetering/MarketplaceMeteringClient.swift index 7456becb3c3..ce29f56179d 100644 --- a/Sources/Services/AWSMarketplaceMetering/Sources/AWSMarketplaceMetering/MarketplaceMeteringClient.swift +++ b/Sources/Services/AWSMarketplaceMetering/Sources/AWSMarketplaceMetering/MarketplaceMeteringClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MarketplaceMeteringClient: ClientRuntime.Client { public static let clientName = "MarketplaceMeteringClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MarketplaceMeteringClient.MarketplaceMeteringClientConfiguration let serviceName = "Marketplace Metering" @@ -374,9 +373,9 @@ extension MarketplaceMeteringClient { /// /// The CustomerIdentifier parameter is scheduled for deprecation. Use CustomerAWSAccountID instead. These parameters are mutually exclusive. You can't specify both CustomerIdentifier and CustomerAWSAccountID in the same request. To post metering records for customers, SaaS applications call BatchMeterUsage, which is used for metering SaaS flexible consumption pricing (FCP). Identical requests are idempotent and can be retried with the same records or a subset of records. Each BatchMeterUsage request is for only one product. If you want to meter usage for multiple products, you must make multiple BatchMeterUsage calls. Usage records should be submitted in quick succession following a recorded event. Usage records aren't accepted 6 hours or more after an event. BatchMeterUsage can process up to 25 UsageRecords at a time, and each request must be less than 1 MB in size. Optionally, you can have multiple usage allocations for usage data that's split into buckets according to predefined tags. BatchMeterUsage returns a list of UsageRecordResult objects, which have each UsageRecord. It also returns a list of UnprocessedRecords, which indicate errors on the service side that should be retried. For Amazon Web Services Regions that support BatchMeterUsage, see [BatchMeterUsage Region support](https://docs.aws.amazon.com/marketplace/latest/APIReference/metering-regions.html#batchmeterusage-region-support). For an example of BatchMeterUsage, see [ BatchMeterUsage code example](https://docs.aws.amazon.com/marketplace/latest/userguide/saas-code-examples.html#saas-batchmeterusage-example) in the Amazon Web Services Marketplace Seller Guide. /// - /// - Parameter BatchMeterUsageInput : A BatchMeterUsageRequest contains UsageRecords, which indicate quantities of usage within your application. + /// - Parameter input: A BatchMeterUsageRequest contains UsageRecords, which indicate quantities of usage within your application. (Type: `BatchMeterUsageInput`) /// - /// - Returns: `BatchMeterUsageOutput` : Contains the UsageRecords processed by BatchMeterUsage and any records that have failed due to transient error. + /// - Returns: Contains the UsageRecords processed by BatchMeterUsage and any records that have failed due to transient error. (Type: `BatchMeterUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension MarketplaceMeteringClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchMeterUsageOutput.httpOutput(from:), BatchMeterUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension MarketplaceMeteringClient { /// /// API to emit metering records. For identical requests, the API is idempotent and returns the metering record ID. This is used for metering flexible consumption pricing (FCP) Amazon Machine Images (AMI) and container products. MeterUsage is authenticated on the buyer's Amazon Web Services account using credentials from the Amazon EC2 instance, Amazon ECS task, or Amazon EKS pod. MeterUsage can optionally include multiple usage allocations, to provide customers with usage data split into buckets by tags that you define (or allow the customer to define). Usage records are expected to be submitted as quickly as possible after the event that is being recorded, and are not accepted more than 6 hours after the event. For Amazon Web Services Regions that support MeterUsage, see [MeterUsage Region support for Amazon EC2](https://docs.aws.amazon.com/marketplace/latest/APIReference/metering-regions.html#meterusage-region-support-ec2) and [MeterUsage Region support for Amazon ECS and Amazon EKS](https://docs.aws.amazon.com/marketplace/latest/APIReference/metering-regions.html#meterusage-region-support-ecs-eks). /// - /// - Parameter MeterUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MeterUsageInput`) /// - /// - Returns: `MeterUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MeterUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -494,7 +492,6 @@ extension MarketplaceMeteringClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MeterUsageOutput.httpOutput(from:), MeterUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -533,9 +530,9 @@ extension MarketplaceMeteringClient { /// /// * Metering: RegisterUsage meters software use per ECS task, per hour, or per pod for Amazon EKS with usage prorated to the second. A minimum of 1 minute of usage applies to tasks that are short lived. For example, if a customer has a 10 node Amazon ECS or Amazon EKS cluster and a service configured as a Daemon Set, then Amazon ECS or Amazon EKS will launch a task on all 10 cluster nodes and the customer will be charged for 10 tasks. Software metering is handled by the Amazon Web Services Marketplace metering control plane—your software is not required to perform metering-specific actions other than to call RegisterUsage to commence metering. The Amazon Web Services Marketplace metering control plane will also bill customers for running ECS tasks and Amazon EKS pods, regardless of the customer's subscription state, which removes the need for your software to run entitlement checks at runtime. For containers, RegisterUsage should be called immediately at launch. If you don’t register the container within the first 6 hours of the launch, Amazon Web Services Marketplace Metering Service doesn’t provide any metering guarantees for previous months. Metering will continue, however, for the current month forward until the container ends. RegisterUsage is for metering paid hourly container products. For Amazon Web Services Regions that support RegisterUsage, see [RegisterUsage Region support](https://docs.aws.amazon.com/marketplace/latest/APIReference/metering-regions.html#registerusage-region-support). /// - /// - Parameter RegisterUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterUsageInput`) /// - /// - Returns: `RegisterUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -574,7 +571,6 @@ extension MarketplaceMeteringClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterUsageOutput.httpOutput(from:), RegisterUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -609,9 +605,9 @@ extension MarketplaceMeteringClient { /// /// ResolveCustomer is called by a SaaS application during the registration process. When a buyer visits your website during the registration process, the buyer submits a registration token through their browser. The registration token is resolved through this API to obtain a CustomerIdentifier along with the CustomerAWSAccountId and ProductCode. To successfully resolve the token, the API must be called from the account that was used to publish the SaaS application. For an example of using ResolveCustomer, see [ ResolveCustomer code example](https://docs.aws.amazon.com/marketplace/latest/userguide/saas-code-examples.html#saas-resolvecustomer-example) in the Amazon Web Services Marketplace Seller Guide. Permission is required for this operation. Your IAM role or user performing this operation requires a policy to allow the aws-marketplace:ResolveCustomer action. For more information, see [Actions, resources, and condition keys for Amazon Web Services Marketplace Metering Service](https://docs.aws.amazon.com/service-authorization/latest/reference/list_awsmarketplacemeteringservice.html) in the Service Authorization Reference. For Amazon Web Services Regions that support ResolveCustomer, see [ResolveCustomer Region support](https://docs.aws.amazon.com/marketplace/latest/APIReference/metering-regions.html#resolvecustomer-region-support). /// - /// - Parameter ResolveCustomerInput : Contains input to the ResolveCustomer operation. + /// - Parameter input: Contains input to the ResolveCustomer operation. (Type: `ResolveCustomerInput`) /// - /// - Returns: `ResolveCustomerOutput` : The result of the ResolveCustomer operation. Contains the CustomerIdentifier along with the CustomerAWSAccountId and ProductCode. + /// - Returns: The result of the ResolveCustomer operation. Contains the CustomerIdentifier along with the CustomerAWSAccountId and ProductCode. (Type: `ResolveCustomerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -647,7 +643,6 @@ extension MarketplaceMeteringClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResolveCustomerOutput.httpOutput(from:), ResolveCustomerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMarketplaceReporting/Sources/AWSMarketplaceReporting/MarketplaceReportingClient.swift b/Sources/Services/AWSMarketplaceReporting/Sources/AWSMarketplaceReporting/MarketplaceReportingClient.swift index 1bb95a2a08f..089c5ab8b52 100644 --- a/Sources/Services/AWSMarketplaceReporting/Sources/AWSMarketplaceReporting/MarketplaceReportingClient.swift +++ b/Sources/Services/AWSMarketplaceReporting/Sources/AWSMarketplaceReporting/MarketplaceReportingClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MarketplaceReportingClient: ClientRuntime.Client { public static let clientName = "MarketplaceReportingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MarketplaceReportingClient.MarketplaceReportingClientConfiguration let serviceName = "Marketplace Reporting" @@ -376,9 +375,9 @@ extension MarketplaceReportingClient { /// /// * It has a session lifetime of one hour. The 5-minute validity period runs separately from the session lifetime. /// - /// - Parameter GetBuyerDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBuyerDashboardInput`) /// - /// - Returns: `GetBuyerDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBuyerDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension MarketplaceReportingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBuyerDashboardOutput.httpOutput(from:), GetBuyerDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMediaConnect/Sources/AWSMediaConnect/MediaConnectClient.swift b/Sources/Services/AWSMediaConnect/Sources/AWSMediaConnect/MediaConnectClient.swift index a25557c06b4..4445e3d8f77 100644 --- a/Sources/Services/AWSMediaConnect/Sources/AWSMediaConnect/MediaConnectClient.swift +++ b/Sources/Services/AWSMediaConnect/Sources/AWSMediaConnect/MediaConnectClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MediaConnectClient: ClientRuntime.Client { public static let clientName = "MediaConnectClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MediaConnectClient.MediaConnectClientConfiguration let serviceName = "MediaConnect" @@ -374,9 +373,9 @@ extension MediaConnectClient { /// /// Adds outputs to an existing bridge. /// - /// - Parameter AddBridgeOutputsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddBridgeOutputsInput`) /// - /// - Returns: `AddBridgeOutputsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddBridgeOutputsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddBridgeOutputsOutput.httpOutput(from:), AddBridgeOutputsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension MediaConnectClient { /// /// Adds sources to an existing bridge. /// - /// - Parameter AddBridgeSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddBridgeSourcesInput`) /// - /// - Returns: `AddBridgeSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddBridgeSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddBridgeSourcesOutput.httpOutput(from:), AddBridgeSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension MediaConnectClient { /// /// Adds media streams to an existing flow. After you add a media stream to a flow, you can associate it with a source and/or an output that uses the ST 2110 JPEG XS or CDI protocol. /// - /// - Parameter AddFlowMediaStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddFlowMediaStreamsInput`) /// - /// - Returns: `AddFlowMediaStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddFlowMediaStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddFlowMediaStreamsOutput.httpOutput(from:), AddFlowMediaStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension MediaConnectClient { /// /// Adds outputs to an existing flow. You can create up to 50 outputs per flow. /// - /// - Parameter AddFlowOutputsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddFlowOutputsInput`) /// - /// - Returns: `AddFlowOutputsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddFlowOutputsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddFlowOutputsOutput.httpOutput(from:), AddFlowOutputsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension MediaConnectClient { /// /// Adds sources to a flow. /// - /// - Parameter AddFlowSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddFlowSourcesInput`) /// - /// - Returns: `AddFlowSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddFlowSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -710,7 +705,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddFlowSourcesOutput.httpOutput(from:), AddFlowSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -742,9 +736,9 @@ extension MediaConnectClient { /// /// Adds VPC interfaces to a flow. /// - /// - Parameter AddFlowVpcInterfacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddFlowVpcInterfacesInput`) /// - /// - Returns: `AddFlowVpcInterfacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddFlowVpcInterfacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -783,7 +777,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddFlowVpcInterfacesOutput.httpOutput(from:), AddFlowVpcInterfacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -815,9 +808,9 @@ extension MediaConnectClient { /// /// Creates a new bridge. The request must include one source. /// - /// - Parameter CreateBridgeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBridgeInput`) /// - /// - Returns: `CreateBridgeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBridgeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -857,7 +850,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBridgeOutput.httpOutput(from:), CreateBridgeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -889,9 +881,9 @@ extension MediaConnectClient { /// /// Creates a new flow. The request must include one source. The request optionally can include outputs (up to 50) and entitlements (up to 50). /// - /// - Parameter CreateFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFlowInput`) /// - /// - Returns: `CreateFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -930,7 +922,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFlowOutput.httpOutput(from:), CreateFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -962,9 +953,9 @@ extension MediaConnectClient { /// /// Creates a new gateway. The request must include at least one network (up to four). /// - /// - Parameter CreateGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGatewayInput`) /// - /// - Returns: `CreateGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1004,7 +995,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGatewayOutput.httpOutput(from:), CreateGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1036,9 +1026,9 @@ extension MediaConnectClient { /// /// Deletes a bridge. Before you can delete a bridge, you must stop the bridge. /// - /// - Parameter DeleteBridgeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBridgeInput`) /// - /// - Returns: `DeleteBridgeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBridgeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1075,7 +1065,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBridgeOutput.httpOutput(from:), DeleteBridgeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1107,9 +1096,9 @@ extension MediaConnectClient { /// /// Deletes a flow. Before you can delete a flow, you must stop the flow. /// - /// - Parameter DeleteFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFlowInput`) /// - /// - Returns: `DeleteFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1145,7 +1134,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFlowOutput.httpOutput(from:), DeleteFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1177,9 +1165,9 @@ extension MediaConnectClient { /// /// Deletes a gateway. Before you can delete a gateway, you must deregister its instances and delete its bridges. /// - /// - Parameter DeleteGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGatewayInput`) /// - /// - Returns: `DeleteGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1216,7 +1204,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGatewayOutput.httpOutput(from:), DeleteGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1248,9 +1235,9 @@ extension MediaConnectClient { /// /// Deregisters an instance. Before you deregister an instance, all bridges running on the instance must be stopped. If you want to deregister an instance without stopping the bridges, you must use the --force option. /// - /// - Parameter DeregisterGatewayInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterGatewayInstanceInput`) /// - /// - Returns: `DeregisterGatewayInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterGatewayInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1288,7 +1275,6 @@ extension MediaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeregisterGatewayInstanceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterGatewayInstanceOutput.httpOutput(from:), DeregisterGatewayInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1320,9 +1306,9 @@ extension MediaConnectClient { /// /// Displays the details of a bridge. /// - /// - Parameter DescribeBridgeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBridgeInput`) /// - /// - Returns: `DescribeBridgeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBridgeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1359,7 +1345,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBridgeOutput.httpOutput(from:), DescribeBridgeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1391,9 +1376,9 @@ extension MediaConnectClient { /// /// Displays the details of a flow. The response includes the flow Amazon Resource Name (ARN), name, and Availability Zone, as well as details about the source, outputs, and entitlements. /// - /// - Parameter DescribeFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFlowInput`) /// - /// - Returns: `DescribeFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1429,7 +1414,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFlowOutput.httpOutput(from:), DescribeFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1461,9 +1445,9 @@ extension MediaConnectClient { /// /// The DescribeFlowSourceMetadata API is used to view information about the flow's source transport stream and programs. This API displays status messages about the flow's source as well as details about the program's video, audio, and other data. /// - /// - Parameter DescribeFlowSourceMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFlowSourceMetadataInput`) /// - /// - Returns: `DescribeFlowSourceMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFlowSourceMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1499,7 +1483,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFlowSourceMetadataOutput.httpOutput(from:), DescribeFlowSourceMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1531,9 +1514,9 @@ extension MediaConnectClient { /// /// Describes the thumbnail for the flow source. /// - /// - Parameter DescribeFlowSourceThumbnailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFlowSourceThumbnailInput`) /// - /// - Returns: `DescribeFlowSourceThumbnailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFlowSourceThumbnailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1569,7 +1552,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFlowSourceThumbnailOutput.httpOutput(from:), DescribeFlowSourceThumbnailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1601,9 +1583,9 @@ extension MediaConnectClient { /// /// Displays the details of a gateway. The response includes the gateway Amazon Resource Name (ARN), name, and CIDR blocks, as well as details about the networks. /// - /// - Parameter DescribeGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGatewayInput`) /// - /// - Returns: `DescribeGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1640,7 +1622,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGatewayOutput.httpOutput(from:), DescribeGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1672,9 +1653,9 @@ extension MediaConnectClient { /// /// Displays the details of an instance. /// - /// - Parameter DescribeGatewayInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGatewayInstanceInput`) /// - /// - Returns: `DescribeGatewayInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGatewayInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1711,7 +1692,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGatewayInstanceOutput.httpOutput(from:), DescribeGatewayInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1743,9 +1723,9 @@ extension MediaConnectClient { /// /// Displays the details of an offering. The response includes the offering description, duration, outbound bandwidth, price, and Amazon Resource Name (ARN). /// - /// - Parameter DescribeOfferingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOfferingInput`) /// - /// - Returns: `DescribeOfferingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1780,7 +1760,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOfferingOutput.httpOutput(from:), DescribeOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1812,9 +1791,9 @@ extension MediaConnectClient { /// /// Displays the details of a reservation. The response includes the reservation name, state, start date and time, and the details of the offering that make up the rest of the reservation (such as price, duration, and outbound bandwidth). /// - /// - Parameter DescribeReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReservationInput`) /// - /// - Returns: `DescribeReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1849,7 +1828,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservationOutput.httpOutput(from:), DescribeReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1881,9 +1859,9 @@ extension MediaConnectClient { /// /// Grants entitlements to an existing flow. /// - /// - Parameter GrantFlowEntitlementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GrantFlowEntitlementsInput`) /// - /// - Returns: `GrantFlowEntitlementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GrantFlowEntitlementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1923,7 +1901,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GrantFlowEntitlementsOutput.httpOutput(from:), GrantFlowEntitlementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1955,9 +1932,9 @@ extension MediaConnectClient { /// /// Displays a list of bridges that are associated with this account and an optionally specified Amazon Resource Name (ARN). This request returns a paginated result. /// - /// - Parameter ListBridgesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBridgesInput`) /// - /// - Returns: `ListBridgesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBridgesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1993,7 +1970,6 @@ extension MediaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBridgesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBridgesOutput.httpOutput(from:), ListBridgesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2025,9 +2001,9 @@ extension MediaConnectClient { /// /// Displays a list of all entitlements that have been granted to this account. This request returns 20 results per page. /// - /// - Parameter ListEntitlementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEntitlementsInput`) /// - /// - Returns: `ListEntitlementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEntitlementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2062,7 +2038,6 @@ extension MediaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEntitlementsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEntitlementsOutput.httpOutput(from:), ListEntitlementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2094,9 +2069,9 @@ extension MediaConnectClient { /// /// Displays a list of flows that are associated with this account. This request returns a paginated result. /// - /// - Parameter ListFlowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowsInput`) /// - /// - Returns: `ListFlowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2131,7 +2106,6 @@ extension MediaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFlowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowsOutput.httpOutput(from:), ListFlowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2163,9 +2137,9 @@ extension MediaConnectClient { /// /// Displays a list of instances associated with the Amazon Web Services account. This request returns a paginated result. You can use the filterArn property to display only the instances associated with the selected Gateway Amazon Resource Name (ARN). /// - /// - Parameter ListGatewayInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGatewayInstancesInput`) /// - /// - Returns: `ListGatewayInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGatewayInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2201,7 +2175,6 @@ extension MediaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGatewayInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGatewayInstancesOutput.httpOutput(from:), ListGatewayInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2233,9 +2206,9 @@ extension MediaConnectClient { /// /// Displays a list of gateways that are associated with this account. This request returns a paginated result. /// - /// - Parameter ListGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGatewaysInput`) /// - /// - Returns: `ListGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGatewaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2271,7 +2244,6 @@ extension MediaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGatewaysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGatewaysOutput.httpOutput(from:), ListGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2303,9 +2275,9 @@ extension MediaConnectClient { /// /// Displays a list of all offerings that are available to this account in the current Amazon Web Services Region. If you have an active reservation (which means you've purchased an offering that has already started and hasn't expired yet), your account isn't eligible for other offerings. /// - /// - Parameter ListOfferingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOfferingsInput`) /// - /// - Returns: `ListOfferingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2340,7 +2312,6 @@ extension MediaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOfferingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOfferingsOutput.httpOutput(from:), ListOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2372,9 +2343,9 @@ extension MediaConnectClient { /// /// Displays a list of all reservations that have been purchased by this account in the current Amazon Web Services Region. This list includes all reservations in all states (such as active and expired). /// - /// - Parameter ListReservationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReservationsInput`) /// - /// - Returns: `ListReservationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReservationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2409,7 +2380,6 @@ extension MediaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReservationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReservationsOutput.httpOutput(from:), ListReservationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2441,9 +2411,9 @@ extension MediaConnectClient { /// /// List all tags on a MediaConnect resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2476,7 +2446,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2508,9 +2477,9 @@ extension MediaConnectClient { /// /// Submits a request to purchase an offering. If you already have an active reservation, you can't purchase another offering. /// - /// - Parameter PurchaseOfferingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PurchaseOfferingInput`) /// - /// - Returns: `PurchaseOfferingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PurchaseOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2549,7 +2518,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseOfferingOutput.httpOutput(from:), PurchaseOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2581,9 +2549,9 @@ extension MediaConnectClient { /// /// Removes an output from a bridge. /// - /// - Parameter RemoveBridgeOutputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveBridgeOutputInput`) /// - /// - Returns: `RemoveBridgeOutputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveBridgeOutputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2620,7 +2588,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveBridgeOutputOutput.httpOutput(from:), RemoveBridgeOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2652,9 +2619,9 @@ extension MediaConnectClient { /// /// Removes a source from a bridge. /// - /// - Parameter RemoveBridgeSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveBridgeSourceInput`) /// - /// - Returns: `RemoveBridgeSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveBridgeSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2691,7 +2658,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveBridgeSourceOutput.httpOutput(from:), RemoveBridgeSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2723,9 +2689,9 @@ extension MediaConnectClient { /// /// Removes a media stream from a flow. This action is only available if the media stream is not associated with a source or output. /// - /// - Parameter RemoveFlowMediaStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveFlowMediaStreamInput`) /// - /// - Returns: `RemoveFlowMediaStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveFlowMediaStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2761,7 +2727,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveFlowMediaStreamOutput.httpOutput(from:), RemoveFlowMediaStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2793,9 +2758,9 @@ extension MediaConnectClient { /// /// Removes an output from an existing flow. This request can be made only on an output that does not have an entitlement associated with it. If the output has an entitlement, you must revoke the entitlement instead. When an entitlement is revoked from a flow, the service automatically removes the associated output. /// - /// - Parameter RemoveFlowOutputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveFlowOutputInput`) /// - /// - Returns: `RemoveFlowOutputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveFlowOutputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2831,7 +2796,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveFlowOutputOutput.httpOutput(from:), RemoveFlowOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2863,9 +2827,9 @@ extension MediaConnectClient { /// /// Removes a source from an existing flow. This request can be made only if there is more than one source on the flow. /// - /// - Parameter RemoveFlowSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveFlowSourceInput`) /// - /// - Returns: `RemoveFlowSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveFlowSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2901,7 +2865,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveFlowSourceOutput.httpOutput(from:), RemoveFlowSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2933,9 +2896,9 @@ extension MediaConnectClient { /// /// Removes a VPC Interface from an existing flow. This request can be made only on a VPC interface that does not have a Source or Output associated with it. If the VPC interface is referenced by a Source or Output, you must first delete or update the Source or Output to no longer reference the VPC interface. /// - /// - Parameter RemoveFlowVpcInterfaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveFlowVpcInterfaceInput`) /// - /// - Returns: `RemoveFlowVpcInterfaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveFlowVpcInterfaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2971,7 +2934,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveFlowVpcInterfaceOutput.httpOutput(from:), RemoveFlowVpcInterfaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3003,9 +2965,9 @@ extension MediaConnectClient { /// /// Revokes an entitlement from a flow. Once an entitlement is revoked, the content becomes unavailable to the subscriber and the associated output is removed. /// - /// - Parameter RevokeFlowEntitlementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeFlowEntitlementInput`) /// - /// - Returns: `RevokeFlowEntitlementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeFlowEntitlementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3041,7 +3003,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeFlowEntitlementOutput.httpOutput(from:), RevokeFlowEntitlementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3073,9 +3034,9 @@ extension MediaConnectClient { /// /// Starts a flow. /// - /// - Parameter StartFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFlowInput`) /// - /// - Returns: `StartFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3111,7 +3072,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFlowOutput.httpOutput(from:), StartFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3143,9 +3103,9 @@ extension MediaConnectClient { /// /// Stops a flow. /// - /// - Parameter StopFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopFlowInput`) /// - /// - Returns: `StopFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3181,7 +3141,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopFlowOutput.httpOutput(from:), StopFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3213,9 +3172,9 @@ extension MediaConnectClient { /// /// Associates the specified tags to a resource with the specified resourceArn. If existing tags on a resource are not specified in the request parameters, they are not changed. When a resource is deleted, the tags associated with that resource are deleted as well. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3251,7 +3210,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3283,9 +3241,9 @@ extension MediaConnectClient { /// /// Deletes specified tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3319,7 +3277,6 @@ extension MediaConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3351,9 +3308,9 @@ extension MediaConnectClient { /// /// Updates the bridge. /// - /// - Parameter UpdateBridgeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBridgeInput`) /// - /// - Returns: `UpdateBridgeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBridgeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3393,7 +3350,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBridgeOutput.httpOutput(from:), UpdateBridgeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3425,9 +3381,9 @@ extension MediaConnectClient { /// /// Updates an existing bridge output. /// - /// - Parameter UpdateBridgeOutputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBridgeOutputInput`) /// - /// - Returns: `UpdateBridgeOutputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBridgeOutputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3467,7 +3423,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBridgeOutputOutput.httpOutput(from:), UpdateBridgeOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3499,9 +3454,9 @@ extension MediaConnectClient { /// /// Updates an existing bridge source. /// - /// - Parameter UpdateBridgeSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBridgeSourceInput`) /// - /// - Returns: `UpdateBridgeSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBridgeSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3541,7 +3496,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBridgeSourceOutput.httpOutput(from:), UpdateBridgeSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3573,9 +3527,9 @@ extension MediaConnectClient { /// /// Updates the bridge state. /// - /// - Parameter UpdateBridgeStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBridgeStateInput`) /// - /// - Returns: `UpdateBridgeStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBridgeStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3615,7 +3569,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBridgeStateOutput.httpOutput(from:), UpdateBridgeStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3647,9 +3600,9 @@ extension MediaConnectClient { /// /// Updates an existing flow. /// - /// - Parameter UpdateFlowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFlowInput`) /// - /// - Returns: `UpdateFlowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3688,7 +3641,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFlowOutput.httpOutput(from:), UpdateFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3720,9 +3672,9 @@ extension MediaConnectClient { /// /// Updates an entitlement. You can change an entitlement's description, subscribers, and encryption. If you change the subscribers, the service will remove the outputs that are are used by the subscribers that are removed. /// - /// - Parameter UpdateFlowEntitlementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFlowEntitlementInput`) /// - /// - Returns: `UpdateFlowEntitlementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFlowEntitlementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3761,7 +3713,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFlowEntitlementOutput.httpOutput(from:), UpdateFlowEntitlementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3793,9 +3744,9 @@ extension MediaConnectClient { /// /// Updates an existing media stream. /// - /// - Parameter UpdateFlowMediaStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFlowMediaStreamInput`) /// - /// - Returns: `UpdateFlowMediaStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFlowMediaStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3834,7 +3785,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFlowMediaStreamOutput.httpOutput(from:), UpdateFlowMediaStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3866,9 +3816,9 @@ extension MediaConnectClient { /// /// Updates an existing flow output. /// - /// - Parameter UpdateFlowOutputInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFlowOutputInput`) /// - /// - Returns: `UpdateFlowOutputOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFlowOutputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3907,7 +3857,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFlowOutputOutput.httpOutput(from:), UpdateFlowOutputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3939,9 +3888,9 @@ extension MediaConnectClient { /// /// Updates the source of a flow. /// - /// - Parameter UpdateFlowSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFlowSourceInput`) /// - /// - Returns: `UpdateFlowSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFlowSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3980,7 +3929,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFlowSourceOutput.httpOutput(from:), UpdateFlowSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4012,9 +3960,9 @@ extension MediaConnectClient { /// /// Updates an existing gateway instance. /// - /// - Parameter UpdateGatewayInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGatewayInstanceInput`) /// - /// - Returns: `UpdateGatewayInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGatewayInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4054,7 +4002,6 @@ extension MediaConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewayInstanceOutput.httpOutput(from:), UpdateGatewayInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMediaConnect/Sources/AWSMediaConnect/Models.swift b/Sources/Services/AWSMediaConnect/Sources/AWSMediaConnect/Models.swift index 7a01da4c1ad..2fd845225a0 100644 --- a/Sources/Services/AWSMediaConnect/Sources/AWSMediaConnect/Models.swift +++ b/Sources/Services/AWSMediaConnect/Sources/AWSMediaConnect/Models.swift @@ -531,6 +531,8 @@ extension MediaConnectClientTypes { /// A name that helps you distinguish one media stream from another. /// This member is required. public var mediaStreamName: Swift.String? + /// The key-value pairs that can be used to tag and organize the media stream. + public var mediaStreamTags: [Swift.String: Swift.String]? /// The type of media stream. /// This member is required. public var mediaStreamType: MediaConnectClientTypes.MediaStreamType? @@ -543,6 +545,7 @@ extension MediaConnectClientTypes { description: Swift.String? = nil, mediaStreamId: Swift.Int? = nil, mediaStreamName: Swift.String? = nil, + mediaStreamTags: [Swift.String: Swift.String]? = nil, mediaStreamType: MediaConnectClientTypes.MediaStreamType? = nil, videoFormat: Swift.String? = nil ) { @@ -551,6 +554,7 @@ extension MediaConnectClientTypes { self.description = description self.mediaStreamId = mediaStreamId self.mediaStreamName = mediaStreamName + self.mediaStreamTags = mediaStreamTags self.mediaStreamType = mediaStreamType self.videoFormat = videoFormat } @@ -880,10 +884,11 @@ extension MediaConnectClientTypes { public var ndiSpeedHqQuality: Swift.Int? /// An indication of whether the new output should be enabled or disabled as soon as it is created. If you don't specify the outputStatus field in your request, MediaConnect sets it to ENABLED. public var outputStatus: MediaConnectClientTypes.OutputStatus? + /// The key-value pairs that can be used to tag and organize the output. + public var outputTags: [Swift.String: Swift.String]? /// The port to use when content is distributed to this output. public var port: Swift.Int? /// The protocol to use for the output. Elemental MediaConnect no longer supports the Fujitsu QoS protocol. This reference is maintained for legacy purposes only. - /// This member is required. public var `protocol`: MediaConnectClientTypes.ModelProtocol? /// The remote ID for the Zixi-pull output stream. public var remoteId: Swift.String? @@ -908,6 +913,7 @@ extension MediaConnectClientTypes { ndiProgramName: Swift.String? = nil, ndiSpeedHqQuality: Swift.Int? = nil, outputStatus: MediaConnectClientTypes.OutputStatus? = nil, + outputTags: [Swift.String: Swift.String]? = nil, port: Swift.Int? = nil, `protocol`: MediaConnectClientTypes.ModelProtocol? = nil, remoteId: Swift.String? = nil, @@ -927,6 +933,7 @@ extension MediaConnectClientTypes { self.ndiProgramName = ndiProgramName self.ndiSpeedHqQuality = ndiSpeedHqQuality self.outputStatus = outputStatus + self.outputTags = outputTags self.port = port self.`protocol` = `protocol` self.remoteId = remoteId @@ -1326,6 +1333,8 @@ extension MediaConnectClientTypes { public var encryption: MediaConnectClientTypes.Encryption? /// An indication of whether the new entitlement should be enabled or disabled as soon as it is created. If you don’t specify the entitlementStatus field in your request, MediaConnect sets it to ENABLED. public var entitlementStatus: MediaConnectClientTypes.EntitlementStatus? + /// The key-value pairs that can be used to tag and organize the entitlement. + public var entitlementTags: [Swift.String: Swift.String]? /// The name of the entitlement. This value must be unique within the current flow. public var name: Swift.String? /// The Amazon Web Services account IDs that you want to share your content with. The receiving accounts (subscribers) will be allowed to create their own flows using your content as the source. @@ -1337,6 +1346,7 @@ extension MediaConnectClientTypes { description: Swift.String? = nil, encryption: MediaConnectClientTypes.Encryption? = nil, entitlementStatus: MediaConnectClientTypes.EntitlementStatus? = nil, + entitlementTags: [Swift.String: Swift.String]? = nil, name: Swift.String? = nil, subscribers: [Swift.String]? = nil ) { @@ -1344,6 +1354,7 @@ extension MediaConnectClientTypes { self.description = description self.encryption = encryption self.entitlementStatus = entitlementStatus + self.entitlementTags = entitlementTags self.name = name self.subscribers = subscribers } @@ -2577,6 +2588,8 @@ extension MediaConnectClientTypes { public var sourceListenerAddress: Swift.String? /// Source port for SRT-caller protocol. public var sourceListenerPort: Swift.Int? + /// The key-value pairs that can be used to tag and organize the source. + public var sourceTags: [Swift.String: Swift.String]? /// The stream ID that you want to use for this transport. This parameter applies only to Zixi and SRT caller-based streams. public var streamId: Swift.String? /// The name of the VPC interface to use for this source. @@ -2601,6 +2614,7 @@ extension MediaConnectClientTypes { senderIpAddress: Swift.String? = nil, sourceListenerAddress: Swift.String? = nil, sourceListenerPort: Swift.Int? = nil, + sourceTags: [Swift.String: Swift.String]? = nil, streamId: Swift.String? = nil, vpcInterfaceName: Swift.String? = nil, whitelistCidr: Swift.String? = nil @@ -2621,6 +2635,7 @@ extension MediaConnectClientTypes { self.senderIpAddress = senderIpAddress self.sourceListenerAddress = sourceListenerAddress self.sourceListenerPort = sourceListenerPort + self.sourceTags = sourceTags self.streamId = streamId self.vpcInterfaceName = vpcInterfaceName self.whitelistCidr = whitelistCidr @@ -2979,19 +2994,23 @@ extension MediaConnectClientTypes { /// The subnet IDs that you want to use for your VPC interface. A range of IP addresses in your VPC. When you create your VPC, you specify a range of IPv4 addresses for the VPC in the form of a Classless Inter-Domain Routing (CIDR) block; for example, 10.0.0.0/16. This is the primary CIDR block for your VPC. When you create a subnet for your VPC, you specify the CIDR block for the subnet, which is a subset of the VPC CIDR block. The subnets that you use across all VPC interfaces on the flow must be in the same Availability Zone as the flow. /// This member is required. public var subnetId: Swift.String? + /// The key-value pairs that can be used to tag and organize the VPC network interface. + public var vpcInterfaceTags: [Swift.String: Swift.String]? public init( name: Swift.String? = nil, networkInterfaceType: MediaConnectClientTypes.NetworkInterfaceType? = nil, roleArn: Swift.String? = nil, securityGroupIds: [Swift.String]? = nil, - subnetId: Swift.String? = nil + subnetId: Swift.String? = nil, + vpcInterfaceTags: [Swift.String: Swift.String]? = nil ) { self.name = name self.networkInterfaceType = networkInterfaceType self.roleArn = roleArn self.securityGroupIds = securityGroupIds self.subnetId = subnetId + self.vpcInterfaceTags = vpcInterfaceTags } } } @@ -4398,6 +4417,8 @@ public struct CreateFlowInput: Swift.Sendable { public var entitlements: [MediaConnectClientTypes.GrantEntitlementRequest]? /// Determines the processing capacity and feature set of the flow. Set this optional parameter to LARGE if you want to enable NDI outputs on the flow. public var flowSize: MediaConnectClientTypes.FlowSize? + /// The key-value pairs that can be used to tag and organize the flow. + public var flowTags: [Swift.String: Swift.String]? /// The maintenance settings you want to use for the flow. public var maintenance: MediaConnectClientTypes.AddMaintenance? /// The media streams that you want to add to the flow. You can associate these media streams with sources and outputs on the flow. @@ -4424,6 +4445,7 @@ public struct CreateFlowInput: Swift.Sendable { availabilityZone: Swift.String? = nil, entitlements: [MediaConnectClientTypes.GrantEntitlementRequest]? = nil, flowSize: MediaConnectClientTypes.FlowSize? = nil, + flowTags: [Swift.String: Swift.String]? = nil, maintenance: MediaConnectClientTypes.AddMaintenance? = nil, mediaStreams: [MediaConnectClientTypes.AddMediaStreamRequest]? = nil, name: Swift.String? = nil, @@ -4438,6 +4460,7 @@ public struct CreateFlowInput: Swift.Sendable { self.availabilityZone = availabilityZone self.entitlements = entitlements self.flowSize = flowSize + self.flowTags = flowTags self.maintenance = maintenance self.mediaStreams = mediaStreams self.name = name @@ -5348,6 +5371,8 @@ public struct UpdateFlowInput: Swift.Sendable { /// The Amazon Resource Name (ARN) of the flow that you want to update. /// This member is required. public var flowArn: Swift.String? + /// Determines the processing capacity and feature set of the flow. + public var flowSize: MediaConnectClientTypes.FlowSize? /// The maintenance setting of the flow. public var maintenance: MediaConnectClientTypes.UpdateMaintenance? /// Specifies the configuration settings for NDI outputs. Required when the flow includes NDI outputs. @@ -5359,12 +5384,14 @@ public struct UpdateFlowInput: Swift.Sendable { public init( flowArn: Swift.String? = nil, + flowSize: MediaConnectClientTypes.FlowSize? = nil, maintenance: MediaConnectClientTypes.UpdateMaintenance? = nil, ndiConfig: MediaConnectClientTypes.NdiConfig? = nil, sourceFailoverConfig: MediaConnectClientTypes.UpdateFailoverConfig? = nil, sourceMonitoringConfig: MediaConnectClientTypes.MonitoringConfig? = nil ) { self.flowArn = flowArn + self.flowSize = flowSize self.maintenance = maintenance self.ndiConfig = ndiConfig self.sourceFailoverConfig = sourceFailoverConfig @@ -6778,6 +6805,7 @@ extension CreateFlowInput { try writer["availabilityZone"].write(value.availabilityZone) try writer["entitlements"].writeList(value.entitlements, memberWritingClosure: MediaConnectClientTypes.GrantEntitlementRequest.write(value:to:), memberNodeInfo: "member", isFlattened: false) try writer["flowSize"].write(value.flowSize) + try writer["flowTags"].writeMap(value.flowTags, valueWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) try writer["maintenance"].write(value.maintenance, with: MediaConnectClientTypes.AddMaintenance.write(value:to:)) try writer["mediaStreams"].writeList(value.mediaStreams, memberWritingClosure: MediaConnectClientTypes.AddMediaStreamRequest.write(value:to:), memberNodeInfo: "member", isFlattened: false) try writer["name"].write(value.name) @@ -6865,6 +6893,7 @@ extension UpdateFlowInput { static func write(value: UpdateFlowInput?, to writer: SmithyJSON.Writer) throws { guard let value else { return } + try writer["flowSize"].write(value.flowSize) try writer["maintenance"].write(value.maintenance, with: MediaConnectClientTypes.UpdateMaintenance.write(value:to:)) try writer["ndiConfig"].write(value.ndiConfig, with: MediaConnectClientTypes.NdiConfig.write(value:to:)) try writer["sourceFailoverConfig"].write(value.sourceFailoverConfig, with: MediaConnectClientTypes.UpdateFailoverConfig.write(value:to:)) @@ -9691,6 +9720,7 @@ extension MediaConnectClientTypes.AddMediaStreamRequest { try writer["description"].write(value.description) try writer["mediaStreamId"].write(value.mediaStreamId) try writer["mediaStreamName"].write(value.mediaStreamName) + try writer["mediaStreamTags"].writeMap(value.mediaStreamTags, valueWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) try writer["mediaStreamType"].write(value.mediaStreamType) try writer["videoFormat"].write(value.videoFormat) } @@ -9734,6 +9764,7 @@ extension MediaConnectClientTypes.AddOutputRequest { try writer["ndiProgramName"].write(value.ndiProgramName) try writer["ndiSpeedHqQuality"].write(value.ndiSpeedHqQuality) try writer["outputStatus"].write(value.outputStatus) + try writer["outputTags"].writeMap(value.outputTags, valueWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) try writer["port"].write(value.port) try writer["protocol"].write(value.`protocol`) try writer["remoteId"].write(value.remoteId) @@ -9802,6 +9833,7 @@ extension MediaConnectClientTypes.SetSourceRequest { try writer["senderIpAddress"].write(value.senderIpAddress) try writer["sourceListenerAddress"].write(value.sourceListenerAddress) try writer["sourceListenerPort"].write(value.sourceListenerPort) + try writer["sourceTags"].writeMap(value.sourceTags, valueWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) try writer["streamId"].write(value.streamId) try writer["vpcInterfaceName"].write(value.vpcInterfaceName) try writer["whitelistCidr"].write(value.whitelistCidr) @@ -9845,6 +9877,7 @@ extension MediaConnectClientTypes.VpcInterfaceRequest { try writer["roleArn"].write(value.roleArn) try writer["securityGroupIds"].writeList(value.securityGroupIds, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) try writer["subnetId"].write(value.subnetId) + try writer["vpcInterfaceTags"].writeMap(value.vpcInterfaceTags, valueWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) } } @@ -9873,6 +9906,7 @@ extension MediaConnectClientTypes.GrantEntitlementRequest { try writer["description"].write(value.description) try writer["encryption"].write(value.encryption, with: MediaConnectClientTypes.Encryption.write(value:to:)) try writer["entitlementStatus"].write(value.entitlementStatus) + try writer["entitlementTags"].writeMap(value.entitlementTags, valueWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) try writer["name"].write(value.name) try writer["subscribers"].writeList(value.subscribers, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) } diff --git a/Sources/Services/AWSMediaConvert/Sources/AWSMediaConvert/MediaConvertClient.swift b/Sources/Services/AWSMediaConvert/Sources/AWSMediaConvert/MediaConvertClient.swift index 07ce42869c5..08f1f8d6b26 100644 --- a/Sources/Services/AWSMediaConvert/Sources/AWSMediaConvert/MediaConvertClient.swift +++ b/Sources/Services/AWSMediaConvert/Sources/AWSMediaConvert/MediaConvertClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MediaConvertClient: ClientRuntime.Client { public static let clientName = "MediaConvertClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MediaConvertClient.MediaConvertClientConfiguration let serviceName = "MediaConvert" @@ -374,9 +373,9 @@ extension MediaConvertClient { /// /// Associates an AWS Certificate Manager (ACM) Amazon Resource Name (ARN) with AWS Elemental MediaConvert. /// - /// - Parameter AssociateCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateCertificateInput`) /// - /// - Returns: `AssociateCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateCertificateOutput.httpOutput(from:), AssociateCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension MediaConvertClient { /// /// Permanently cancel a job. Once you have canceled a job, you can't start it again. /// - /// - Parameter CancelJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelJobInput`) /// - /// - Returns: `CancelJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJobOutput.httpOutput(from:), CancelJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension MediaConvertClient { /// /// Create a new transcoding job. For information about jobs and job settings, see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html /// - /// - Parameter CreateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobInput`) /// - /// - Returns: `CreateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobOutput.httpOutput(from:), CreateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension MediaConvertClient { /// /// Create a new job template. For information about job templates see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html /// - /// - Parameter CreateJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobTemplateInput`) /// - /// - Returns: `CreateJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -632,7 +628,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobTemplateOutput.httpOutput(from:), CreateJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -664,9 +659,9 @@ extension MediaConvertClient { /// /// Create a new preset. For information about job templates see the User Guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html /// - /// - Parameter CreatePresetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePresetInput`) /// - /// - Returns: `CreatePresetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePresetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePresetOutput.httpOutput(from:), CreatePresetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -737,9 +731,9 @@ extension MediaConvertClient { /// /// Create a new transcoding queue. For information about queues, see Working With Queues in the User Guide at https://docs.aws.amazon.com/mediaconvert/latest/ug/working-with-queues.html /// - /// - Parameter CreateQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQueueInput`) /// - /// - Returns: `CreateQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +772,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQueueOutput.httpOutput(from:), CreateQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -810,9 +803,9 @@ extension MediaConvertClient { /// /// Create a new resource share request for MediaConvert resources with AWS Support. /// - /// - Parameter CreateResourceShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceShareInput`) /// - /// - Returns: `CreateResourceShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -851,7 +844,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceShareOutput.httpOutput(from:), CreateResourceShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -883,9 +875,9 @@ extension MediaConvertClient { /// /// Permanently delete a job template you have created. /// - /// - Parameter DeleteJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJobTemplateInput`) /// - /// - Returns: `DeleteJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -921,7 +913,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobTemplateOutput.httpOutput(from:), DeleteJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +944,9 @@ extension MediaConvertClient { /// /// Permanently delete a policy that you created. /// - /// - Parameter DeletePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyInput`) /// - /// - Returns: `DeletePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -991,7 +982,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyOutput.httpOutput(from:), DeletePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1023,9 +1013,9 @@ extension MediaConvertClient { /// /// Permanently delete a preset you have created. /// - /// - Parameter DeletePresetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePresetInput`) /// - /// - Returns: `DeletePresetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePresetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1061,7 +1051,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePresetOutput.httpOutput(from:), DeletePresetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1093,9 +1082,9 @@ extension MediaConvertClient { /// /// Permanently delete a queue you have created. /// - /// - Parameter DeleteQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueueInput`) /// - /// - Returns: `DeleteQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1131,7 +1120,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueueOutput.httpOutput(from:), DeleteQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1164,9 +1152,9 @@ extension MediaConvertClient { /// Send a request with an empty body to the regional API endpoint to get your account API endpoint. Note that DescribeEndpoints is no longer required. We recommend that you send your requests directly to the regional endpoint instead. @available(*, deprecated, message: "DescribeEndpoints and account specific endpoints are no longer required. We recommend that you send your requests directly to the regional endpoint instead.") /// - /// - Parameter DescribeEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointsInput`) /// - /// - Returns: `DescribeEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1205,7 +1193,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointsOutput.httpOutput(from:), DescribeEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1237,9 +1224,9 @@ extension MediaConvertClient { /// /// Removes an association between the Amazon Resource Name (ARN) of an AWS Certificate Manager (ACM) certificate and an AWS Elemental MediaConvert resource. /// - /// - Parameter DisassociateCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateCertificateInput`) /// - /// - Returns: `DisassociateCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1275,7 +1262,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateCertificateOutput.httpOutput(from:), DisassociateCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1307,9 +1293,9 @@ extension MediaConvertClient { /// /// Retrieve the JSON for a specific transcoding job. /// - /// - Parameter GetJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobInput`) /// - /// - Returns: `GetJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1345,7 +1331,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobOutput.httpOutput(from:), GetJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1377,9 +1362,9 @@ extension MediaConvertClient { /// /// Retrieve the JSON for a specific job template. /// - /// - Parameter GetJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobTemplateInput`) /// - /// - Returns: `GetJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1415,7 +1400,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobTemplateOutput.httpOutput(from:), GetJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1447,9 +1431,9 @@ extension MediaConvertClient { /// /// Retrieve the JSON for your policy. /// - /// - Parameter GetPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyInput`) /// - /// - Returns: `GetPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1485,7 +1469,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyOutput.httpOutput(from:), GetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1517,9 +1500,9 @@ extension MediaConvertClient { /// /// Retrieve the JSON for a specific preset. /// - /// - Parameter GetPresetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPresetInput`) /// - /// - Returns: `GetPresetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPresetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1555,7 +1538,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPresetOutput.httpOutput(from:), GetPresetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1587,9 +1569,9 @@ extension MediaConvertClient { /// /// Retrieve the JSON for a specific queue. /// - /// - Parameter GetQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueueInput`) /// - /// - Returns: `GetQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1625,7 +1607,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueueOutput.httpOutput(from:), GetQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1657,9 +1638,9 @@ extension MediaConvertClient { /// /// Retrieve a JSON array of up to twenty of your job templates. This will return the templates themselves, not just a list of them. To retrieve the next twenty templates, use the nextToken string returned with the array /// - /// - Parameter ListJobTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobTemplatesInput`) /// - /// - Returns: `ListJobTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1696,7 +1677,6 @@ extension MediaConvertClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobTemplatesOutput.httpOutput(from:), ListJobTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1728,9 +1708,9 @@ extension MediaConvertClient { /// /// Retrieve a JSON array of up to twenty of your most recently created jobs. This array includes in-process, completed, and errored jobs. This will return the jobs themselves, not just a list of the jobs. To retrieve the twenty next most recent jobs, use the nextToken string returned with the array. /// - /// - Parameter ListJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1767,7 +1747,6 @@ extension MediaConvertClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1799,9 +1778,9 @@ extension MediaConvertClient { /// /// Retrieve a JSON array of up to twenty of your presets. This will return the presets themselves, not just a list of them. To retrieve the next twenty presets, use the nextToken string returned with the array. /// - /// - Parameter ListPresetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPresetsInput`) /// - /// - Returns: `ListPresetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPresetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1838,7 +1817,6 @@ extension MediaConvertClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPresetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPresetsOutput.httpOutput(from:), ListPresetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1870,9 +1848,9 @@ extension MediaConvertClient { /// /// Retrieve a JSON array of up to twenty of your queues. This will return the queues themselves, not just a list of them. To retrieve the next twenty queues, use the nextToken string returned with the array. /// - /// - Parameter ListQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueuesInput`) /// - /// - Returns: `ListQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1909,7 +1887,6 @@ extension MediaConvertClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueuesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueuesOutput.httpOutput(from:), ListQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1941,9 +1918,9 @@ extension MediaConvertClient { /// /// Retrieve the tags for a MediaConvert resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1979,7 +1956,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2011,9 +1987,9 @@ extension MediaConvertClient { /// /// Retrieve a JSON array of all available Job engine versions and the date they expire. /// - /// - Parameter ListVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVersionsInput`) /// - /// - Returns: `ListVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2050,7 +2026,6 @@ extension MediaConvertClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVersionsOutput.httpOutput(from:), ListVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2082,9 +2057,9 @@ extension MediaConvertClient { /// /// Use Probe to obtain detailed information about your input media files. Probe returns a JSON that includes container, codec, frame rate, resolution, track count, audio layout, captions, and more. You can use this information to learn more about your media files, or to help make decisions while automating your transcoding workflow. /// - /// - Parameter ProbeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ProbeInput`) /// - /// - Returns: `ProbeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ProbeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2123,7 +2098,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ProbeOutput.httpOutput(from:), ProbeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2155,9 +2129,9 @@ extension MediaConvertClient { /// /// Create or change your policy. For more information about policies, see the user guide at http://docs.aws.amazon.com/mediaconvert/latest/ug/what-is.html /// - /// - Parameter PutPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPolicyInput`) /// - /// - Returns: `PutPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2196,7 +2170,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPolicyOutput.httpOutput(from:), PutPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2228,9 +2201,9 @@ extension MediaConvertClient { /// /// Retrieve a JSON array that includes job details for up to twenty of your most recent jobs. Optionally filter results further according to input file, queue, or status. To retrieve the twenty next most recent jobs, use the nextToken string returned with the array. /// - /// - Parameter SearchJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchJobsInput`) /// - /// - Returns: `SearchJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2267,7 +2240,6 @@ extension MediaConvertClient { builder.serialize(ClientRuntime.QueryItemMiddleware(SearchJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchJobsOutput.httpOutput(from:), SearchJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2299,9 +2271,9 @@ extension MediaConvertClient { /// /// Add tags to a MediaConvert queue, preset, or job template. For information about tagging, see the User Guide at https://docs.aws.amazon.com/mediaconvert/latest/ug/tagging-resources.html /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2340,7 +2312,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2372,9 +2343,9 @@ extension MediaConvertClient { /// /// Remove tags from a MediaConvert queue, preset, or job template. For information about tagging, see the User Guide at https://docs.aws.amazon.com/mediaconvert/latest/ug/tagging-resources.html /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2413,7 +2384,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2445,9 +2415,9 @@ extension MediaConvertClient { /// /// Modify one of your existing job templates. /// - /// - Parameter UpdateJobTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJobTemplateInput`) /// - /// - Returns: `UpdateJobTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2486,7 +2456,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobTemplateOutput.httpOutput(from:), UpdateJobTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2518,9 +2487,9 @@ extension MediaConvertClient { /// /// Modify one of your existing presets. /// - /// - Parameter UpdatePresetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePresetInput`) /// - /// - Returns: `UpdatePresetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePresetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2559,7 +2528,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePresetOutput.httpOutput(from:), UpdatePresetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2591,9 +2559,9 @@ extension MediaConvertClient { /// /// Modify one of your existing queues. /// - /// - Parameter UpdateQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueInput`) /// - /// - Returns: `UpdateQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2632,7 +2600,6 @@ extension MediaConvertClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueOutput.httpOutput(from:), UpdateQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMediaLive/Sources/AWSMediaLive/MediaLiveClient.swift b/Sources/Services/AWSMediaLive/Sources/AWSMediaLive/MediaLiveClient.swift index 7882666eb76..c6667130460 100644 --- a/Sources/Services/AWSMediaLive/Sources/AWSMediaLive/MediaLiveClient.swift +++ b/Sources/Services/AWSMediaLive/Sources/AWSMediaLive/MediaLiveClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -71,7 +70,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MediaLiveClient: ClientRuntime.Client { public static let clientName = "MediaLiveClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MediaLiveClient.MediaLiveClientConfiguration let serviceName = "MediaLive" @@ -377,9 +376,9 @@ extension MediaLiveClient { /// /// Accept an incoming input device transfer. The ownership of the device will transfer to your AWS account. /// - /// - Parameter AcceptInputDeviceTransferInput : Placeholder documentation for AcceptInputDeviceTransferRequest + /// - Parameter input: Placeholder documentation for AcceptInputDeviceTransferRequest (Type: `AcceptInputDeviceTransferInput`) /// - /// - Returns: `AcceptInputDeviceTransferOutput` : Placeholder documentation for AcceptInputDeviceTransferResponse + /// - Returns: Placeholder documentation for AcceptInputDeviceTransferResponse (Type: `AcceptInputDeviceTransferOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptInputDeviceTransferOutput.httpOutput(from:), AcceptInputDeviceTransferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension MediaLiveClient { /// /// Starts delete of resources. /// - /// - Parameter BatchDeleteInput : A request to delete resources + /// - Parameter input: A request to delete resources (Type: `BatchDeleteInput`) /// - /// - Returns: `BatchDeleteOutput` : Placeholder documentation for BatchDeleteResponse + /// - Returns: Placeholder documentation for BatchDeleteResponse (Type: `BatchDeleteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteOutput.httpOutput(from:), BatchDeleteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension MediaLiveClient { /// /// Starts existing resources /// - /// - Parameter BatchStartInput : A request to start resources + /// - Parameter input: A request to start resources (Type: `BatchStartInput`) /// - /// - Returns: `BatchStartOutput` : Placeholder documentation for BatchStartResponse + /// - Returns: Placeholder documentation for BatchStartResponse (Type: `BatchStartOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -568,7 +565,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchStartOutput.httpOutput(from:), BatchStartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -600,9 +596,9 @@ extension MediaLiveClient { /// /// Stops running resources /// - /// - Parameter BatchStopInput : A request to stop resources + /// - Parameter input: A request to stop resources (Type: `BatchStopInput`) /// - /// - Returns: `BatchStopOutput` : Placeholder documentation for BatchStopResponse + /// - Returns: Placeholder documentation for BatchStopResponse (Type: `BatchStopOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -643,7 +639,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchStopOutput.httpOutput(from:), BatchStopOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -675,9 +670,9 @@ extension MediaLiveClient { /// /// Update a channel schedule /// - /// - Parameter BatchUpdateScheduleInput : List of actions to create and list of actions to delete. + /// - Parameter input: List of actions to create and list of actions to delete. (Type: `BatchUpdateScheduleInput`) /// - /// - Returns: `BatchUpdateScheduleOutput` : Placeholder documentation for BatchUpdateScheduleResponse + /// - Returns: Placeholder documentation for BatchUpdateScheduleResponse (Type: `BatchUpdateScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -718,7 +713,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateScheduleOutput.httpOutput(from:), BatchUpdateScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -750,9 +744,9 @@ extension MediaLiveClient { /// /// Cancel an input device transfer that you have requested. /// - /// - Parameter CancelInputDeviceTransferInput : Placeholder documentation for CancelInputDeviceTransferRequest + /// - Parameter input: Placeholder documentation for CancelInputDeviceTransferRequest (Type: `CancelInputDeviceTransferInput`) /// - /// - Returns: `CancelInputDeviceTransferOutput` : Placeholder documentation for CancelInputDeviceTransferResponse + /// - Returns: Placeholder documentation for CancelInputDeviceTransferResponse (Type: `CancelInputDeviceTransferOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -791,7 +785,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelInputDeviceTransferOutput.httpOutput(from:), CancelInputDeviceTransferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -823,9 +816,9 @@ extension MediaLiveClient { /// /// Send a request to claim an AWS Elemental device that you have purchased from a third-party vendor. After the request succeeds, you will own the device. /// - /// - Parameter ClaimDeviceInput : A request to claim an AWS Elemental device that you have purchased from a third-party vendor. + /// - Parameter input: A request to claim an AWS Elemental device that you have purchased from a third-party vendor. (Type: `ClaimDeviceInput`) /// - /// - Returns: `ClaimDeviceOutput` : Placeholder documentation for ClaimDeviceResponse + /// - Returns: Placeholder documentation for ClaimDeviceResponse (Type: `ClaimDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -866,7 +859,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ClaimDeviceOutput.httpOutput(from:), ClaimDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -898,9 +890,9 @@ extension MediaLiveClient { /// /// Creates a new channel /// - /// - Parameter CreateChannelInput : A request to create a channel + /// - Parameter input: A request to create a channel (Type: `CreateChannelInput`) /// - /// - Returns: `CreateChannelOutput` : Placeholder documentation for CreateChannelResponse + /// - Returns: Placeholder documentation for CreateChannelResponse (Type: `CreateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -942,7 +934,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelOutput.httpOutput(from:), CreateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -974,9 +965,9 @@ extension MediaLiveClient { /// /// Create a ChannelPlacementGroup in the specified Cluster. As part of the create operation, you specify the Nodes to attach the group to.After you create a ChannelPlacementGroup, you add Channels to the group (you do this by modifying the Channels to add them to a specific group). You now have an association of Channels to ChannelPlacementGroup, and ChannelPlacementGroup to Nodes. This association means that all the Channels in the group are able to run on any of the Nodes associated with the group. /// - /// - Parameter CreateChannelPlacementGroupInput : A request to create a channel placement group. + /// - Parameter input: A request to create a channel placement group. (Type: `CreateChannelPlacementGroupInput`) /// - /// - Returns: `CreateChannelPlacementGroupOutput` : Placeholder documentation for CreateChannelPlacementGroupResponse + /// - Returns: Placeholder documentation for CreateChannelPlacementGroupResponse (Type: `CreateChannelPlacementGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1017,7 +1008,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelPlacementGroupOutput.httpOutput(from:), CreateChannelPlacementGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1049,9 +1039,9 @@ extension MediaLiveClient { /// /// Creates a cloudwatch alarm template to dynamically generate cloudwatch metric alarms on targeted resource types. /// - /// - Parameter CreateCloudWatchAlarmTemplateInput : Placeholder documentation for CreateCloudWatchAlarmTemplateRequest + /// - Parameter input: Placeholder documentation for CreateCloudWatchAlarmTemplateRequest (Type: `CreateCloudWatchAlarmTemplateInput`) /// - /// - Returns: `CreateCloudWatchAlarmTemplateOutput` : Placeholder documentation for CreateCloudWatchAlarmTemplateResponse + /// - Returns: Placeholder documentation for CreateCloudWatchAlarmTemplateResponse (Type: `CreateCloudWatchAlarmTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1091,7 +1081,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCloudWatchAlarmTemplateOutput.httpOutput(from:), CreateCloudWatchAlarmTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1123,9 +1112,9 @@ extension MediaLiveClient { /// /// Creates a cloudwatch alarm template group to group your cloudwatch alarm templates and to attach to signal maps for dynamically creating alarms. /// - /// - Parameter CreateCloudWatchAlarmTemplateGroupInput : Placeholder documentation for CreateCloudWatchAlarmTemplateGroupRequest + /// - Parameter input: Placeholder documentation for CreateCloudWatchAlarmTemplateGroupRequest (Type: `CreateCloudWatchAlarmTemplateGroupInput`) /// - /// - Returns: `CreateCloudWatchAlarmTemplateGroupOutput` : Placeholder documentation for CreateCloudWatchAlarmTemplateGroupResponse + /// - Returns: Placeholder documentation for CreateCloudWatchAlarmTemplateGroupResponse (Type: `CreateCloudWatchAlarmTemplateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1165,7 +1154,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCloudWatchAlarmTemplateGroupOutput.httpOutput(from:), CreateCloudWatchAlarmTemplateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1197,9 +1185,9 @@ extension MediaLiveClient { /// /// Create a new Cluster. /// - /// - Parameter CreateClusterInput : Create as many Clusters as you want, but create at least one. Each Cluster groups together Nodes that you want to treat as a collection. Within the Cluster, you will set up some Nodes as active Nodes, and some as backup Nodes, for Node failover purposes. Each Node can belong to only one Cluster. + /// - Parameter input: Create as many Clusters as you want, but create at least one. Each Cluster groups together Nodes that you want to treat as a collection. Within the Cluster, you will set up some Nodes as active Nodes, and some as backup Nodes, for Node failover purposes. Each Node can belong to only one Cluster. (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : Placeholder documentation for CreateClusterResponse + /// - Returns: Placeholder documentation for CreateClusterResponse (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1240,7 +1228,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1272,9 +1259,9 @@ extension MediaLiveClient { /// /// Creates an eventbridge rule template to monitor events and send notifications to your targeted resources. /// - /// - Parameter CreateEventBridgeRuleTemplateInput : Placeholder documentation for CreateEventBridgeRuleTemplateRequest + /// - Parameter input: Placeholder documentation for CreateEventBridgeRuleTemplateRequest (Type: `CreateEventBridgeRuleTemplateInput`) /// - /// - Returns: `CreateEventBridgeRuleTemplateOutput` : Placeholder documentation for CreateEventBridgeRuleTemplateResponse + /// - Returns: Placeholder documentation for CreateEventBridgeRuleTemplateResponse (Type: `CreateEventBridgeRuleTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1314,7 +1301,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventBridgeRuleTemplateOutput.httpOutput(from:), CreateEventBridgeRuleTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1346,9 +1332,9 @@ extension MediaLiveClient { /// /// Creates an eventbridge rule template group to group your eventbridge rule templates and to attach to signal maps for dynamically creating notification rules. /// - /// - Parameter CreateEventBridgeRuleTemplateGroupInput : Placeholder documentation for CreateEventBridgeRuleTemplateGroupRequest + /// - Parameter input: Placeholder documentation for CreateEventBridgeRuleTemplateGroupRequest (Type: `CreateEventBridgeRuleTemplateGroupInput`) /// - /// - Returns: `CreateEventBridgeRuleTemplateGroupOutput` : Placeholder documentation for CreateEventBridgeRuleTemplateGroupResponse + /// - Returns: Placeholder documentation for CreateEventBridgeRuleTemplateGroupResponse (Type: `CreateEventBridgeRuleTemplateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1388,7 +1374,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventBridgeRuleTemplateGroupOutput.httpOutput(from:), CreateEventBridgeRuleTemplateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1420,9 +1405,9 @@ extension MediaLiveClient { /// /// Create an input /// - /// - Parameter CreateInputInput : The name of the input + /// - Parameter input: The name of the input (Type: `CreateInputInput`) /// - /// - Returns: `CreateInputOutput` : Placeholder documentation for CreateInputResponse + /// - Returns: Placeholder documentation for CreateInputResponse (Type: `CreateInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1462,7 +1447,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInputOutput.httpOutput(from:), CreateInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1494,9 +1478,9 @@ extension MediaLiveClient { /// /// Creates a Input Security Group /// - /// - Parameter CreateInputSecurityGroupInput : The IPv4 CIDRs to whitelist for this Input Security Group + /// - Parameter input: The IPv4 CIDRs to whitelist for this Input Security Group (Type: `CreateInputSecurityGroupInput`) /// - /// - Returns: `CreateInputSecurityGroupOutput` : Placeholder documentation for CreateInputSecurityGroupResponse + /// - Returns: Placeholder documentation for CreateInputSecurityGroupResponse (Type: `CreateInputSecurityGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1535,7 +1519,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInputSecurityGroupOutput.httpOutput(from:), CreateInputSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1567,9 +1550,9 @@ extension MediaLiveClient { /// /// Create a new multiplex. /// - /// - Parameter CreateMultiplexInput : A request to create a multiplex. + /// - Parameter input: A request to create a multiplex. (Type: `CreateMultiplexInput`) /// - /// - Returns: `CreateMultiplexOutput` : Placeholder documentation for CreateMultiplexResponse + /// - Returns: Placeholder documentation for CreateMultiplexResponse (Type: `CreateMultiplexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1611,7 +1594,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMultiplexOutput.httpOutput(from:), CreateMultiplexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1643,9 +1625,9 @@ extension MediaLiveClient { /// /// Create a new program in the multiplex. /// - /// - Parameter CreateMultiplexProgramInput : A request to create a program in a multiplex. + /// - Parameter input: A request to create a program in a multiplex. (Type: `CreateMultiplexProgramInput`) /// - /// - Returns: `CreateMultiplexProgramOutput` : Placeholder documentation for CreateMultiplexProgramResponse + /// - Returns: Placeholder documentation for CreateMultiplexProgramResponse (Type: `CreateMultiplexProgramOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1687,7 +1669,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMultiplexProgramOutput.httpOutput(from:), CreateMultiplexProgramOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1719,9 +1700,9 @@ extension MediaLiveClient { /// /// Create as many Networks as you need. You will associate one or more Clusters with each Network.Each Network provides MediaLive Anywhere with required information about the network in your organization that you are using for video encoding using MediaLive. /// - /// - Parameter CreateNetworkInput : A request to create a Network. + /// - Parameter input: A request to create a Network. (Type: `CreateNetworkInput`) /// - /// - Returns: `CreateNetworkOutput` : Placeholder documentation for CreateNetworkResponse + /// - Returns: Placeholder documentation for CreateNetworkResponse (Type: `CreateNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1762,7 +1743,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkOutput.httpOutput(from:), CreateNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1794,9 +1774,9 @@ extension MediaLiveClient { /// /// Create a Node in the specified Cluster. You can also create Nodes using the CreateNodeRegistrationScript. Note that you can't move a Node to another Cluster. /// - /// - Parameter CreateNodeInput : A request to create a node + /// - Parameter input: A request to create a node (Type: `CreateNodeInput`) /// - /// - Returns: `CreateNodeOutput` : Placeholder documentation for CreateNodeResponse + /// - Returns: Placeholder documentation for CreateNodeResponse (Type: `CreateNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1837,7 +1817,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNodeOutput.httpOutput(from:), CreateNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1869,9 +1848,9 @@ extension MediaLiveClient { /// /// Create the Register Node script for all the nodes intended for a specific Cluster. You will then run the script on each hardware unit that is intended for that Cluster. The script creates a Node in the specified Cluster. It then binds the Node to this hardware unit, and activates the node hardware for use with MediaLive Anywhere. /// - /// - Parameter CreateNodeRegistrationScriptInput : A request to create a new node registration script. + /// - Parameter input: A request to create a new node registration script. (Type: `CreateNodeRegistrationScriptInput`) /// - /// - Returns: `CreateNodeRegistrationScriptOutput` : Placeholder documentation for CreateNodeRegistrationScriptResponse + /// - Returns: Placeholder documentation for CreateNodeRegistrationScriptResponse (Type: `CreateNodeRegistrationScriptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1912,7 +1891,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNodeRegistrationScriptOutput.httpOutput(from:), CreateNodeRegistrationScriptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1944,9 +1922,9 @@ extension MediaLiveClient { /// /// Create a partner input /// - /// - Parameter CreatePartnerInputInput : A request to create a partner input + /// - Parameter input: A request to create a partner input (Type: `CreatePartnerInputInput`) /// - /// - Returns: `CreatePartnerInputOutput` : Placeholder documentation for CreatePartnerInputResponse + /// - Returns: Placeholder documentation for CreatePartnerInputResponse (Type: `CreatePartnerInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1986,7 +1964,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePartnerInputOutput.httpOutput(from:), CreatePartnerInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2018,9 +1995,9 @@ extension MediaLiveClient { /// /// Create an SdiSource for each video source that uses the SDI protocol. You will reference the SdiSource when you create an SDI input in MediaLive. You will also reference it in an SdiSourceMapping, in order to create a connection between the logical SdiSource and the physical SDI card and port that the physical SDI source uses. /// - /// - Parameter CreateSdiSourceInput : A request to create a SdiSource. + /// - Parameter input: A request to create a SdiSource. (Type: `CreateSdiSourceInput`) /// - /// - Returns: `CreateSdiSourceOutput` : Placeholder documentation for CreateSdiSourceResponse + /// - Returns: Placeholder documentation for CreateSdiSourceResponse (Type: `CreateSdiSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2061,7 +2038,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSdiSourceOutput.httpOutput(from:), CreateSdiSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2093,9 +2069,9 @@ extension MediaLiveClient { /// /// Initiates the creation of a new signal map. Will discover a new mediaResourceMap based on the provided discoveryEntryPointArn. /// - /// - Parameter CreateSignalMapInput : Placeholder documentation for CreateSignalMapRequest + /// - Parameter input: Placeholder documentation for CreateSignalMapRequest (Type: `CreateSignalMapInput`) /// - /// - Returns: `CreateSignalMapOutput` : Placeholder documentation for CreateSignalMapResponse + /// - Returns: Placeholder documentation for CreateSignalMapResponse (Type: `CreateSignalMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2135,7 +2111,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSignalMapOutput.httpOutput(from:), CreateSignalMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2167,9 +2142,9 @@ extension MediaLiveClient { /// /// Create tags for a resource /// - /// - Parameter CreateTagsInput : Placeholder documentation for CreateTagsRequest + /// - Parameter input: Placeholder documentation for CreateTagsRequest (Type: `CreateTagsInput`) /// - /// - Returns: `CreateTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2206,7 +2181,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTagsOutput.httpOutput(from:), CreateTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2238,9 +2212,9 @@ extension MediaLiveClient { /// /// Starts deletion of channel. The associated outputs are also deleted. /// - /// - Parameter DeleteChannelInput : Placeholder documentation for DeleteChannelRequest + /// - Parameter input: Placeholder documentation for DeleteChannelRequest (Type: `DeleteChannelInput`) /// - /// - Returns: `DeleteChannelOutput` : Placeholder documentation for DeleteChannelResponse + /// - Returns: Placeholder documentation for DeleteChannelResponse (Type: `DeleteChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2278,7 +2252,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelOutput.httpOutput(from:), DeleteChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2310,9 +2283,9 @@ extension MediaLiveClient { /// /// Delete the specified ChannelPlacementGroup that exists in the specified Cluster. /// - /// - Parameter DeleteChannelPlacementGroupInput : Placeholder documentation for DeleteChannelPlacementGroupRequest + /// - Parameter input: Placeholder documentation for DeleteChannelPlacementGroupRequest (Type: `DeleteChannelPlacementGroupInput`) /// - /// - Returns: `DeleteChannelPlacementGroupOutput` : Placeholder documentation for DeleteChannelPlacementGroupResponse + /// - Returns: Placeholder documentation for DeleteChannelPlacementGroupResponse (Type: `DeleteChannelPlacementGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2350,7 +2323,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelPlacementGroupOutput.httpOutput(from:), DeleteChannelPlacementGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2382,9 +2354,9 @@ extension MediaLiveClient { /// /// Deletes a cloudwatch alarm template. /// - /// - Parameter DeleteCloudWatchAlarmTemplateInput : Placeholder documentation for DeleteCloudWatchAlarmTemplateRequest + /// - Parameter input: Placeholder documentation for DeleteCloudWatchAlarmTemplateRequest (Type: `DeleteCloudWatchAlarmTemplateInput`) /// - /// - Returns: `DeleteCloudWatchAlarmTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCloudWatchAlarmTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2420,7 +2392,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCloudWatchAlarmTemplateOutput.httpOutput(from:), DeleteCloudWatchAlarmTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2452,9 +2423,9 @@ extension MediaLiveClient { /// /// Deletes a cloudwatch alarm template group. You must detach this group from all signal maps and ensure its existing templates are moved to another group or deleted. /// - /// - Parameter DeleteCloudWatchAlarmTemplateGroupInput : Placeholder documentation for DeleteCloudWatchAlarmTemplateGroupRequest + /// - Parameter input: Placeholder documentation for DeleteCloudWatchAlarmTemplateGroupRequest (Type: `DeleteCloudWatchAlarmTemplateGroupInput`) /// - /// - Returns: `DeleteCloudWatchAlarmTemplateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCloudWatchAlarmTemplateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2490,7 +2461,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCloudWatchAlarmTemplateGroupOutput.httpOutput(from:), DeleteCloudWatchAlarmTemplateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2522,9 +2492,9 @@ extension MediaLiveClient { /// /// Delete a Cluster. The Cluster must be idle. /// - /// - Parameter DeleteClusterInput : Placeholder documentation for DeleteClusterRequest + /// - Parameter input: Placeholder documentation for DeleteClusterRequest (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : Placeholder documentation for DeleteClusterResponse + /// - Returns: Placeholder documentation for DeleteClusterResponse (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2562,7 +2532,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2594,9 +2563,9 @@ extension MediaLiveClient { /// /// Deletes an eventbridge rule template. /// - /// - Parameter DeleteEventBridgeRuleTemplateInput : Placeholder documentation for DeleteEventBridgeRuleTemplateRequest + /// - Parameter input: Placeholder documentation for DeleteEventBridgeRuleTemplateRequest (Type: `DeleteEventBridgeRuleTemplateInput`) /// - /// - Returns: `DeleteEventBridgeRuleTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventBridgeRuleTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2632,7 +2601,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventBridgeRuleTemplateOutput.httpOutput(from:), DeleteEventBridgeRuleTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2664,9 +2632,9 @@ extension MediaLiveClient { /// /// Deletes an eventbridge rule template group. You must detach this group from all signal maps and ensure its existing templates are moved to another group or deleted. /// - /// - Parameter DeleteEventBridgeRuleTemplateGroupInput : Placeholder documentation for DeleteEventBridgeRuleTemplateGroupRequest + /// - Parameter input: Placeholder documentation for DeleteEventBridgeRuleTemplateGroupRequest (Type: `DeleteEventBridgeRuleTemplateGroupInput`) /// - /// - Returns: `DeleteEventBridgeRuleTemplateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventBridgeRuleTemplateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2702,7 +2670,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventBridgeRuleTemplateGroupOutput.httpOutput(from:), DeleteEventBridgeRuleTemplateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2734,9 +2701,9 @@ extension MediaLiveClient { /// /// Deletes the input end point /// - /// - Parameter DeleteInputInput : Placeholder documentation for DeleteInputRequest + /// - Parameter input: Placeholder documentation for DeleteInputRequest (Type: `DeleteInputInput`) /// - /// - Returns: `DeleteInputOutput` : Placeholder documentation for DeleteInputResponse + /// - Returns: Placeholder documentation for DeleteInputResponse (Type: `DeleteInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2774,7 +2741,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInputOutput.httpOutput(from:), DeleteInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2806,9 +2772,9 @@ extension MediaLiveClient { /// /// Deletes an Input Security Group /// - /// - Parameter DeleteInputSecurityGroupInput : Placeholder documentation for DeleteInputSecurityGroupRequest + /// - Parameter input: Placeholder documentation for DeleteInputSecurityGroupRequest (Type: `DeleteInputSecurityGroupInput`) /// - /// - Returns: `DeleteInputSecurityGroupOutput` : Placeholder documentation for DeleteInputSecurityGroupResponse + /// - Returns: Placeholder documentation for DeleteInputSecurityGroupResponse (Type: `DeleteInputSecurityGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2845,7 +2811,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInputSecurityGroupOutput.httpOutput(from:), DeleteInputSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2877,9 +2842,9 @@ extension MediaLiveClient { /// /// Delete a multiplex. The multiplex must be idle. /// - /// - Parameter DeleteMultiplexInput : Placeholder documentation for DeleteMultiplexRequest + /// - Parameter input: Placeholder documentation for DeleteMultiplexRequest (Type: `DeleteMultiplexInput`) /// - /// - Returns: `DeleteMultiplexOutput` : Placeholder documentation for DeleteMultiplexResponse + /// - Returns: Placeholder documentation for DeleteMultiplexResponse (Type: `DeleteMultiplexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2917,7 +2882,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMultiplexOutput.httpOutput(from:), DeleteMultiplexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2949,9 +2913,9 @@ extension MediaLiveClient { /// /// Delete a program from a multiplex. /// - /// - Parameter DeleteMultiplexProgramInput : Placeholder documentation for DeleteMultiplexProgramRequest + /// - Parameter input: Placeholder documentation for DeleteMultiplexProgramRequest (Type: `DeleteMultiplexProgramInput`) /// - /// - Returns: `DeleteMultiplexProgramOutput` : Placeholder documentation for DeleteMultiplexProgramResponse + /// - Returns: Placeholder documentation for DeleteMultiplexProgramResponse (Type: `DeleteMultiplexProgramOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2989,7 +2953,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMultiplexProgramOutput.httpOutput(from:), DeleteMultiplexProgramOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3021,9 +2984,9 @@ extension MediaLiveClient { /// /// Delete a Network. The Network must have no resources associated with it. /// - /// - Parameter DeleteNetworkInput : Placeholder documentation for DeleteNetworkRequest + /// - Parameter input: Placeholder documentation for DeleteNetworkRequest (Type: `DeleteNetworkInput`) /// - /// - Returns: `DeleteNetworkOutput` : Placeholder documentation for DeleteNetworkResponse + /// - Returns: Placeholder documentation for DeleteNetworkResponse (Type: `DeleteNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3061,7 +3024,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkOutput.httpOutput(from:), DeleteNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3093,9 +3055,9 @@ extension MediaLiveClient { /// /// Delete a Node. The Node must be IDLE. /// - /// - Parameter DeleteNodeInput : Placeholder documentation for DeleteNodeRequest + /// - Parameter input: Placeholder documentation for DeleteNodeRequest (Type: `DeleteNodeInput`) /// - /// - Returns: `DeleteNodeOutput` : Placeholder documentation for DeleteNodeResponse + /// - Returns: Placeholder documentation for DeleteNodeResponse (Type: `DeleteNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3133,7 +3095,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNodeOutput.httpOutput(from:), DeleteNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3165,9 +3126,9 @@ extension MediaLiveClient { /// /// Delete an expired reservation. /// - /// - Parameter DeleteReservationInput : Placeholder documentation for DeleteReservationRequest + /// - Parameter input: Placeholder documentation for DeleteReservationRequest (Type: `DeleteReservationInput`) /// - /// - Returns: `DeleteReservationOutput` : Placeholder documentation for DeleteReservationResponse + /// - Returns: Placeholder documentation for DeleteReservationResponse (Type: `DeleteReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3205,7 +3166,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReservationOutput.httpOutput(from:), DeleteReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3237,9 +3197,9 @@ extension MediaLiveClient { /// /// Delete all schedule actions on a channel. /// - /// - Parameter DeleteScheduleInput : Placeholder documentation for DeleteScheduleRequest + /// - Parameter input: Placeholder documentation for DeleteScheduleRequest (Type: `DeleteScheduleInput`) /// - /// - Returns: `DeleteScheduleOutput` : Placeholder documentation for DeleteScheduleResponse + /// - Returns: Placeholder documentation for DeleteScheduleResponse (Type: `DeleteScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3276,7 +3236,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScheduleOutput.httpOutput(from:), DeleteScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3308,9 +3267,9 @@ extension MediaLiveClient { /// /// Delete an SdiSource. The SdiSource must not be part of any SidSourceMapping and must not be attached to any input. /// - /// - Parameter DeleteSdiSourceInput : Placeholder documentation for DeleteSdiSourceRequest + /// - Parameter input: Placeholder documentation for DeleteSdiSourceRequest (Type: `DeleteSdiSourceInput`) /// - /// - Returns: `DeleteSdiSourceOutput` : Placeholder documentation for DeleteSdiSourceResponse + /// - Returns: Placeholder documentation for DeleteSdiSourceResponse (Type: `DeleteSdiSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3348,7 +3307,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSdiSourceOutput.httpOutput(from:), DeleteSdiSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3380,9 +3338,9 @@ extension MediaLiveClient { /// /// Deletes the specified signal map. /// - /// - Parameter DeleteSignalMapInput : Placeholder documentation for DeleteSignalMapRequest + /// - Parameter input: Placeholder documentation for DeleteSignalMapRequest (Type: `DeleteSignalMapInput`) /// - /// - Returns: `DeleteSignalMapOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSignalMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3418,7 +3376,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSignalMapOutput.httpOutput(from:), DeleteSignalMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3450,9 +3407,9 @@ extension MediaLiveClient { /// /// Removes tags for a resource /// - /// - Parameter DeleteTagsInput : Placeholder documentation for DeleteTagsRequest + /// - Parameter input: Placeholder documentation for DeleteTagsRequest (Type: `DeleteTagsInput`) /// - /// - Returns: `DeleteTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3487,7 +3444,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteTagsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsOutput.httpOutput(from:), DeleteTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3519,9 +3475,9 @@ extension MediaLiveClient { /// /// Describe account configuration /// - /// - Parameter DescribeAccountConfigurationInput : Placeholder documentation for DescribeAccountConfigurationRequest + /// - Parameter input: Placeholder documentation for DescribeAccountConfigurationRequest (Type: `DescribeAccountConfigurationInput`) /// - /// - Returns: `DescribeAccountConfigurationOutput` : Placeholder documentation for DescribeAccountConfigurationResponse + /// - Returns: Placeholder documentation for DescribeAccountConfigurationResponse (Type: `DescribeAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3557,7 +3513,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountConfigurationOutput.httpOutput(from:), DescribeAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3589,9 +3544,9 @@ extension MediaLiveClient { /// /// Gets details about a channel /// - /// - Parameter DescribeChannelInput : Placeholder documentation for DescribeChannelRequest + /// - Parameter input: Placeholder documentation for DescribeChannelRequest (Type: `DescribeChannelInput`) /// - /// - Returns: `DescribeChannelOutput` : Placeholder documentation for DescribeChannelResponse + /// - Returns: Placeholder documentation for DescribeChannelResponse (Type: `DescribeChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3628,7 +3583,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelOutput.httpOutput(from:), DescribeChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3660,9 +3614,9 @@ extension MediaLiveClient { /// /// Get details about a ChannelPlacementGroup. /// - /// - Parameter DescribeChannelPlacementGroupInput : Placeholder documentation for DescribeChannelPlacementGroupRequest + /// - Parameter input: Placeholder documentation for DescribeChannelPlacementGroupRequest (Type: `DescribeChannelPlacementGroupInput`) /// - /// - Returns: `DescribeChannelPlacementGroupOutput` : Placeholder documentation for DescribeChannelPlacementGroupResponse + /// - Returns: Placeholder documentation for DescribeChannelPlacementGroupResponse (Type: `DescribeChannelPlacementGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3699,7 +3653,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelPlacementGroupOutput.httpOutput(from:), DescribeChannelPlacementGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3731,9 +3684,9 @@ extension MediaLiveClient { /// /// Get details about a Cluster. /// - /// - Parameter DescribeClusterInput : Placeholder documentation for DescribeClusterRequest + /// - Parameter input: Placeholder documentation for DescribeClusterRequest (Type: `DescribeClusterInput`) /// - /// - Returns: `DescribeClusterOutput` : Placeholder documentation for DescribeClusterResponse + /// - Returns: Placeholder documentation for DescribeClusterResponse (Type: `DescribeClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3770,7 +3723,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterOutput.httpOutput(from:), DescribeClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3802,9 +3754,9 @@ extension MediaLiveClient { /// /// Produces details about an input /// - /// - Parameter DescribeInputInput : Placeholder documentation for DescribeInputRequest + /// - Parameter input: Placeholder documentation for DescribeInputRequest (Type: `DescribeInputInput`) /// - /// - Returns: `DescribeInputOutput` : Placeholder documentation for DescribeInputResponse + /// - Returns: Placeholder documentation for DescribeInputResponse (Type: `DescribeInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3841,7 +3793,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInputOutput.httpOutput(from:), DescribeInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3873,9 +3824,9 @@ extension MediaLiveClient { /// /// Gets the details for the input device /// - /// - Parameter DescribeInputDeviceInput : Placeholder documentation for DescribeInputDeviceRequest + /// - Parameter input: Placeholder documentation for DescribeInputDeviceRequest (Type: `DescribeInputDeviceInput`) /// - /// - Returns: `DescribeInputDeviceOutput` : Placeholder documentation for DescribeInputDeviceResponse + /// - Returns: Placeholder documentation for DescribeInputDeviceResponse (Type: `DescribeInputDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3912,7 +3863,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInputDeviceOutput.httpOutput(from:), DescribeInputDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3944,9 +3894,9 @@ extension MediaLiveClient { /// /// Get the latest thumbnail data for the input device. /// - /// - Parameter DescribeInputDeviceThumbnailInput : Placeholder documentation for DescribeInputDeviceThumbnailRequest + /// - Parameter input: Placeholder documentation for DescribeInputDeviceThumbnailRequest (Type: `DescribeInputDeviceThumbnailInput`) /// - /// - Returns: `DescribeInputDeviceThumbnailOutput` : Placeholder documentation for DescribeInputDeviceThumbnailResponse + /// - Returns: Placeholder documentation for DescribeInputDeviceThumbnailResponse (Type: `DescribeInputDeviceThumbnailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3984,7 +3934,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.HeaderMiddleware(DescribeInputDeviceThumbnailInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInputDeviceThumbnailOutput.httpOutput(from:), DescribeInputDeviceThumbnailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4016,9 +3965,9 @@ extension MediaLiveClient { /// /// Produces a summary of an Input Security Group /// - /// - Parameter DescribeInputSecurityGroupInput : Placeholder documentation for DescribeInputSecurityGroupRequest + /// - Parameter input: Placeholder documentation for DescribeInputSecurityGroupRequest (Type: `DescribeInputSecurityGroupInput`) /// - /// - Returns: `DescribeInputSecurityGroupOutput` : Placeholder documentation for DescribeInputSecurityGroupResponse + /// - Returns: Placeholder documentation for DescribeInputSecurityGroupResponse (Type: `DescribeInputSecurityGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4055,7 +4004,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInputSecurityGroupOutput.httpOutput(from:), DescribeInputSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4087,9 +4035,9 @@ extension MediaLiveClient { /// /// Gets details about a multiplex. /// - /// - Parameter DescribeMultiplexInput : Placeholder documentation for DescribeMultiplexRequest + /// - Parameter input: Placeholder documentation for DescribeMultiplexRequest (Type: `DescribeMultiplexInput`) /// - /// - Returns: `DescribeMultiplexOutput` : Placeholder documentation for DescribeMultiplexResponse + /// - Returns: Placeholder documentation for DescribeMultiplexResponse (Type: `DescribeMultiplexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4126,7 +4074,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMultiplexOutput.httpOutput(from:), DescribeMultiplexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4158,9 +4105,9 @@ extension MediaLiveClient { /// /// Get the details for a program in a multiplex. /// - /// - Parameter DescribeMultiplexProgramInput : Placeholder documentation for DescribeMultiplexProgramRequest + /// - Parameter input: Placeholder documentation for DescribeMultiplexProgramRequest (Type: `DescribeMultiplexProgramInput`) /// - /// - Returns: `DescribeMultiplexProgramOutput` : Placeholder documentation for DescribeMultiplexProgramResponse + /// - Returns: Placeholder documentation for DescribeMultiplexProgramResponse (Type: `DescribeMultiplexProgramOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4197,7 +4144,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMultiplexProgramOutput.httpOutput(from:), DescribeMultiplexProgramOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4229,9 +4175,9 @@ extension MediaLiveClient { /// /// Get details about a Network. /// - /// - Parameter DescribeNetworkInput : Placeholder documentation for DescribeNetworkRequest + /// - Parameter input: Placeholder documentation for DescribeNetworkRequest (Type: `DescribeNetworkInput`) /// - /// - Returns: `DescribeNetworkOutput` : Placeholder documentation for DescribeNetworkResponse + /// - Returns: Placeholder documentation for DescribeNetworkResponse (Type: `DescribeNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4268,7 +4214,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNetworkOutput.httpOutput(from:), DescribeNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4300,9 +4245,9 @@ extension MediaLiveClient { /// /// Get details about a Node in the specified Cluster. /// - /// - Parameter DescribeNodeInput : Placeholder documentation for DescribeNodeRequest + /// - Parameter input: Placeholder documentation for DescribeNodeRequest (Type: `DescribeNodeInput`) /// - /// - Returns: `DescribeNodeOutput` : Placeholder documentation for DescribeNodeResponse + /// - Returns: Placeholder documentation for DescribeNodeResponse (Type: `DescribeNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4339,7 +4284,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNodeOutput.httpOutput(from:), DescribeNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4371,9 +4315,9 @@ extension MediaLiveClient { /// /// Get details for an offering. /// - /// - Parameter DescribeOfferingInput : Placeholder documentation for DescribeOfferingRequest + /// - Parameter input: Placeholder documentation for DescribeOfferingRequest (Type: `DescribeOfferingInput`) /// - /// - Returns: `DescribeOfferingOutput` : Placeholder documentation for DescribeOfferingResponse + /// - Returns: Placeholder documentation for DescribeOfferingResponse (Type: `DescribeOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4410,7 +4354,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOfferingOutput.httpOutput(from:), DescribeOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4442,9 +4385,9 @@ extension MediaLiveClient { /// /// Get details for a reservation. /// - /// - Parameter DescribeReservationInput : Placeholder documentation for DescribeReservationRequest + /// - Parameter input: Placeholder documentation for DescribeReservationRequest (Type: `DescribeReservationInput`) /// - /// - Returns: `DescribeReservationOutput` : Placeholder documentation for DescribeReservationResponse + /// - Returns: Placeholder documentation for DescribeReservationResponse (Type: `DescribeReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4481,7 +4424,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservationOutput.httpOutput(from:), DescribeReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4513,9 +4455,9 @@ extension MediaLiveClient { /// /// Get a channel schedule /// - /// - Parameter DescribeScheduleInput : Placeholder documentation for DescribeScheduleRequest + /// - Parameter input: Placeholder documentation for DescribeScheduleRequest (Type: `DescribeScheduleInput`) /// - /// - Returns: `DescribeScheduleOutput` : Placeholder documentation for DescribeScheduleResponse + /// - Returns: Placeholder documentation for DescribeScheduleResponse (Type: `DescribeScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4553,7 +4495,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeScheduleInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScheduleOutput.httpOutput(from:), DescribeScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4585,9 +4526,9 @@ extension MediaLiveClient { /// /// Gets details about a SdiSource. /// - /// - Parameter DescribeSdiSourceInput : Placeholder documentation for DescribeSdiSourceRequest + /// - Parameter input: Placeholder documentation for DescribeSdiSourceRequest (Type: `DescribeSdiSourceInput`) /// - /// - Returns: `DescribeSdiSourceOutput` : Placeholder documentation for DescribeSdiSourceResponse + /// - Returns: Placeholder documentation for DescribeSdiSourceResponse (Type: `DescribeSdiSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4624,7 +4565,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSdiSourceOutput.httpOutput(from:), DescribeSdiSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4656,9 +4596,9 @@ extension MediaLiveClient { /// /// Describe the latest thumbnails data. /// - /// - Parameter DescribeThumbnailsInput : Placeholder documentation for DescribeThumbnailsRequest + /// - Parameter input: Placeholder documentation for DescribeThumbnailsRequest (Type: `DescribeThumbnailsInput`) /// - /// - Returns: `DescribeThumbnailsOutput` : Placeholder documentation for DescribeThumbnailsResponse + /// - Returns: Placeholder documentation for DescribeThumbnailsResponse (Type: `DescribeThumbnailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4697,7 +4637,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeThumbnailsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeThumbnailsOutput.httpOutput(from:), DescribeThumbnailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4729,9 +4668,9 @@ extension MediaLiveClient { /// /// Retrieves the specified cloudwatch alarm template. /// - /// - Parameter GetCloudWatchAlarmTemplateInput : Placeholder documentation for GetCloudWatchAlarmTemplateRequest + /// - Parameter input: Placeholder documentation for GetCloudWatchAlarmTemplateRequest (Type: `GetCloudWatchAlarmTemplateInput`) /// - /// - Returns: `GetCloudWatchAlarmTemplateOutput` : Placeholder documentation for GetCloudWatchAlarmTemplateResponse + /// - Returns: Placeholder documentation for GetCloudWatchAlarmTemplateResponse (Type: `GetCloudWatchAlarmTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4766,7 +4705,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudWatchAlarmTemplateOutput.httpOutput(from:), GetCloudWatchAlarmTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4798,9 +4736,9 @@ extension MediaLiveClient { /// /// Retrieves the specified cloudwatch alarm template group. /// - /// - Parameter GetCloudWatchAlarmTemplateGroupInput : Placeholder documentation for GetCloudWatchAlarmTemplateGroupRequest + /// - Parameter input: Placeholder documentation for GetCloudWatchAlarmTemplateGroupRequest (Type: `GetCloudWatchAlarmTemplateGroupInput`) /// - /// - Returns: `GetCloudWatchAlarmTemplateGroupOutput` : Placeholder documentation for GetCloudWatchAlarmTemplateGroupResponse + /// - Returns: Placeholder documentation for GetCloudWatchAlarmTemplateGroupResponse (Type: `GetCloudWatchAlarmTemplateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4835,7 +4773,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudWatchAlarmTemplateGroupOutput.httpOutput(from:), GetCloudWatchAlarmTemplateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4867,9 +4804,9 @@ extension MediaLiveClient { /// /// Retrieves the specified eventbridge rule template. /// - /// - Parameter GetEventBridgeRuleTemplateInput : Placeholder documentation for GetEventBridgeRuleTemplateRequest + /// - Parameter input: Placeholder documentation for GetEventBridgeRuleTemplateRequest (Type: `GetEventBridgeRuleTemplateInput`) /// - /// - Returns: `GetEventBridgeRuleTemplateOutput` : Placeholder documentation for GetEventBridgeRuleTemplateResponse + /// - Returns: Placeholder documentation for GetEventBridgeRuleTemplateResponse (Type: `GetEventBridgeRuleTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4904,7 +4841,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventBridgeRuleTemplateOutput.httpOutput(from:), GetEventBridgeRuleTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4936,9 +4872,9 @@ extension MediaLiveClient { /// /// Retrieves the specified eventbridge rule template group. /// - /// - Parameter GetEventBridgeRuleTemplateGroupInput : Placeholder documentation for GetEventBridgeRuleTemplateGroupRequest + /// - Parameter input: Placeholder documentation for GetEventBridgeRuleTemplateGroupRequest (Type: `GetEventBridgeRuleTemplateGroupInput`) /// - /// - Returns: `GetEventBridgeRuleTemplateGroupOutput` : Placeholder documentation for GetEventBridgeRuleTemplateGroupResponse + /// - Returns: Placeholder documentation for GetEventBridgeRuleTemplateGroupResponse (Type: `GetEventBridgeRuleTemplateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4973,7 +4909,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventBridgeRuleTemplateGroupOutput.httpOutput(from:), GetEventBridgeRuleTemplateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5005,9 +4940,9 @@ extension MediaLiveClient { /// /// Retrieves the specified signal map. /// - /// - Parameter GetSignalMapInput : Placeholder documentation for GetSignalMapRequest + /// - Parameter input: Placeholder documentation for GetSignalMapRequest (Type: `GetSignalMapInput`) /// - /// - Returns: `GetSignalMapOutput` : Placeholder documentation for GetSignalMapResponse + /// - Returns: Placeholder documentation for GetSignalMapResponse (Type: `GetSignalMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5042,7 +4977,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSignalMapOutput.httpOutput(from:), GetSignalMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5074,9 +5008,9 @@ extension MediaLiveClient { /// /// Retrieve the list of ChannelPlacementGroups in the specified Cluster. /// - /// - Parameter ListChannelPlacementGroupsInput : Placeholder documentation for ListChannelPlacementGroupsRequest + /// - Parameter input: Placeholder documentation for ListChannelPlacementGroupsRequest (Type: `ListChannelPlacementGroupsInput`) /// - /// - Returns: `ListChannelPlacementGroupsOutput` : Placeholder documentation for ListChannelPlacementGroupsResponse + /// - Returns: Placeholder documentation for ListChannelPlacementGroupsResponse (Type: `ListChannelPlacementGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5113,7 +5047,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelPlacementGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelPlacementGroupsOutput.httpOutput(from:), ListChannelPlacementGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5145,9 +5078,9 @@ extension MediaLiveClient { /// /// Produces list of channels that have been created /// - /// - Parameter ListChannelsInput : Placeholder documentation for ListChannelsRequest + /// - Parameter input: Placeholder documentation for ListChannelsRequest (Type: `ListChannelsInput`) /// - /// - Returns: `ListChannelsOutput` : Placeholder documentation for ListChannelsResponse + /// - Returns: Placeholder documentation for ListChannelsResponse (Type: `ListChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5184,7 +5117,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsOutput.httpOutput(from:), ListChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5216,9 +5148,9 @@ extension MediaLiveClient { /// /// Lists cloudwatch alarm template groups. /// - /// - Parameter ListCloudWatchAlarmTemplateGroupsInput : Placeholder documentation for ListCloudWatchAlarmTemplateGroupsRequest + /// - Parameter input: Placeholder documentation for ListCloudWatchAlarmTemplateGroupsRequest (Type: `ListCloudWatchAlarmTemplateGroupsInput`) /// - /// - Returns: `ListCloudWatchAlarmTemplateGroupsOutput` : Placeholder documentation for ListCloudWatchAlarmTemplateGroupsResponse + /// - Returns: Placeholder documentation for ListCloudWatchAlarmTemplateGroupsResponse (Type: `ListCloudWatchAlarmTemplateGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5254,7 +5186,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCloudWatchAlarmTemplateGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCloudWatchAlarmTemplateGroupsOutput.httpOutput(from:), ListCloudWatchAlarmTemplateGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5286,9 +5217,9 @@ extension MediaLiveClient { /// /// Lists cloudwatch alarm templates. /// - /// - Parameter ListCloudWatchAlarmTemplatesInput : Placeholder documentation for ListCloudWatchAlarmTemplatesRequest + /// - Parameter input: Placeholder documentation for ListCloudWatchAlarmTemplatesRequest (Type: `ListCloudWatchAlarmTemplatesInput`) /// - /// - Returns: `ListCloudWatchAlarmTemplatesOutput` : Placeholder documentation for ListCloudWatchAlarmTemplatesResponse + /// - Returns: Placeholder documentation for ListCloudWatchAlarmTemplatesResponse (Type: `ListCloudWatchAlarmTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5324,7 +5255,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCloudWatchAlarmTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCloudWatchAlarmTemplatesOutput.httpOutput(from:), ListCloudWatchAlarmTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5356,9 +5286,9 @@ extension MediaLiveClient { /// /// Retrieve the list of Clusters. /// - /// - Parameter ListClustersInput : Placeholder documentation for ListClustersRequest + /// - Parameter input: Placeholder documentation for ListClustersRequest (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : Placeholder documentation for ListClustersResponse + /// - Returns: Placeholder documentation for ListClustersResponse (Type: `ListClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5395,7 +5325,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClustersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5427,9 +5356,9 @@ extension MediaLiveClient { /// /// Lists eventbridge rule template groups. /// - /// - Parameter ListEventBridgeRuleTemplateGroupsInput : Placeholder documentation for ListEventBridgeRuleTemplateGroupsRequest + /// - Parameter input: Placeholder documentation for ListEventBridgeRuleTemplateGroupsRequest (Type: `ListEventBridgeRuleTemplateGroupsInput`) /// - /// - Returns: `ListEventBridgeRuleTemplateGroupsOutput` : Placeholder documentation for ListEventBridgeRuleTemplateGroupsResponse + /// - Returns: Placeholder documentation for ListEventBridgeRuleTemplateGroupsResponse (Type: `ListEventBridgeRuleTemplateGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5465,7 +5394,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventBridgeRuleTemplateGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventBridgeRuleTemplateGroupsOutput.httpOutput(from:), ListEventBridgeRuleTemplateGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5497,9 +5425,9 @@ extension MediaLiveClient { /// /// Lists eventbridge rule templates. /// - /// - Parameter ListEventBridgeRuleTemplatesInput : Placeholder documentation for ListEventBridgeRuleTemplatesRequest + /// - Parameter input: Placeholder documentation for ListEventBridgeRuleTemplatesRequest (Type: `ListEventBridgeRuleTemplatesInput`) /// - /// - Returns: `ListEventBridgeRuleTemplatesOutput` : Placeholder documentation for ListEventBridgeRuleTemplatesResponse + /// - Returns: Placeholder documentation for ListEventBridgeRuleTemplatesResponse (Type: `ListEventBridgeRuleTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5535,7 +5463,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventBridgeRuleTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventBridgeRuleTemplatesOutput.httpOutput(from:), ListEventBridgeRuleTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5567,9 +5494,9 @@ extension MediaLiveClient { /// /// List input devices that are currently being transferred. List input devices that you are transferring from your AWS account or input devices that another AWS account is transferring to you. /// - /// - Parameter ListInputDeviceTransfersInput : Placeholder documentation for ListInputDeviceTransfersRequest + /// - Parameter input: Placeholder documentation for ListInputDeviceTransfersRequest (Type: `ListInputDeviceTransfersInput`) /// - /// - Returns: `ListInputDeviceTransfersOutput` : Placeholder documentation for ListInputDeviceTransfersResponse + /// - Returns: Placeholder documentation for ListInputDeviceTransfersResponse (Type: `ListInputDeviceTransfersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5607,7 +5534,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInputDeviceTransfersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInputDeviceTransfersOutput.httpOutput(from:), ListInputDeviceTransfersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5639,9 +5565,9 @@ extension MediaLiveClient { /// /// List input devices /// - /// - Parameter ListInputDevicesInput : Placeholder documentation for ListInputDevicesRequest + /// - Parameter input: Placeholder documentation for ListInputDevicesRequest (Type: `ListInputDevicesInput`) /// - /// - Returns: `ListInputDevicesOutput` : Placeholder documentation for ListInputDevicesResponse + /// - Returns: Placeholder documentation for ListInputDevicesResponse (Type: `ListInputDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5678,7 +5604,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInputDevicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInputDevicesOutput.httpOutput(from:), ListInputDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5710,9 +5635,9 @@ extension MediaLiveClient { /// /// Produces a list of Input Security Groups for an account /// - /// - Parameter ListInputSecurityGroupsInput : Placeholder documentation for ListInputSecurityGroupsRequest + /// - Parameter input: Placeholder documentation for ListInputSecurityGroupsRequest (Type: `ListInputSecurityGroupsInput`) /// - /// - Returns: `ListInputSecurityGroupsOutput` : Placeholder documentation for ListInputSecurityGroupsResponse + /// - Returns: Placeholder documentation for ListInputSecurityGroupsResponse (Type: `ListInputSecurityGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5749,7 +5674,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInputSecurityGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInputSecurityGroupsOutput.httpOutput(from:), ListInputSecurityGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5781,9 +5705,9 @@ extension MediaLiveClient { /// /// Produces list of inputs that have been created /// - /// - Parameter ListInputsInput : Placeholder documentation for ListInputsRequest + /// - Parameter input: Placeholder documentation for ListInputsRequest (Type: `ListInputsInput`) /// - /// - Returns: `ListInputsOutput` : Placeholder documentation for ListInputsResponse + /// - Returns: Placeholder documentation for ListInputsResponse (Type: `ListInputsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5820,7 +5744,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInputsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInputsOutput.httpOutput(from:), ListInputsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5852,9 +5775,9 @@ extension MediaLiveClient { /// /// List the programs that currently exist for a specific multiplex. /// - /// - Parameter ListMultiplexProgramsInput : Placeholder documentation for ListMultiplexProgramsRequest + /// - Parameter input: Placeholder documentation for ListMultiplexProgramsRequest (Type: `ListMultiplexProgramsInput`) /// - /// - Returns: `ListMultiplexProgramsOutput` : Placeholder documentation for ListMultiplexProgramsResponse + /// - Returns: Placeholder documentation for ListMultiplexProgramsResponse (Type: `ListMultiplexProgramsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5892,7 +5815,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMultiplexProgramsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMultiplexProgramsOutput.httpOutput(from:), ListMultiplexProgramsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5924,9 +5846,9 @@ extension MediaLiveClient { /// /// Retrieve a list of the existing multiplexes. /// - /// - Parameter ListMultiplexesInput : Placeholder documentation for ListMultiplexesRequest + /// - Parameter input: Placeholder documentation for ListMultiplexesRequest (Type: `ListMultiplexesInput`) /// - /// - Returns: `ListMultiplexesOutput` : Placeholder documentation for ListMultiplexesResponse + /// - Returns: Placeholder documentation for ListMultiplexesResponse (Type: `ListMultiplexesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5963,7 +5885,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMultiplexesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMultiplexesOutput.httpOutput(from:), ListMultiplexesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5995,9 +5916,9 @@ extension MediaLiveClient { /// /// Retrieve the list of Networks. /// - /// - Parameter ListNetworksInput : Placeholder documentation for ListNetworksRequest + /// - Parameter input: Placeholder documentation for ListNetworksRequest (Type: `ListNetworksInput`) /// - /// - Returns: `ListNetworksOutput` : Placeholder documentation for ListNetworksResponse + /// - Returns: Placeholder documentation for ListNetworksResponse (Type: `ListNetworksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6034,7 +5955,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNetworksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNetworksOutput.httpOutput(from:), ListNetworksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6066,9 +5986,9 @@ extension MediaLiveClient { /// /// Retrieve the list of Nodes. /// - /// - Parameter ListNodesInput : Placeholder documentation for ListNodesRequest + /// - Parameter input: Placeholder documentation for ListNodesRequest (Type: `ListNodesInput`) /// - /// - Returns: `ListNodesOutput` : Placeholder documentation for ListNodesResponse + /// - Returns: Placeholder documentation for ListNodesResponse (Type: `ListNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6105,7 +6025,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNodesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNodesOutput.httpOutput(from:), ListNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6137,9 +6056,9 @@ extension MediaLiveClient { /// /// List offerings available for purchase. /// - /// - Parameter ListOfferingsInput : Placeholder documentation for ListOfferingsRequest + /// - Parameter input: Placeholder documentation for ListOfferingsRequest (Type: `ListOfferingsInput`) /// - /// - Returns: `ListOfferingsOutput` : Placeholder documentation for ListOfferingsResponse + /// - Returns: Placeholder documentation for ListOfferingsResponse (Type: `ListOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6176,7 +6095,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOfferingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOfferingsOutput.httpOutput(from:), ListOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6208,9 +6126,9 @@ extension MediaLiveClient { /// /// List purchased reservations. /// - /// - Parameter ListReservationsInput : Placeholder documentation for ListReservationsRequest + /// - Parameter input: Placeholder documentation for ListReservationsRequest (Type: `ListReservationsInput`) /// - /// - Returns: `ListReservationsOutput` : Placeholder documentation for ListReservationsResponse + /// - Returns: Placeholder documentation for ListReservationsResponse (Type: `ListReservationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6247,7 +6165,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReservationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReservationsOutput.httpOutput(from:), ListReservationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6279,9 +6196,9 @@ extension MediaLiveClient { /// /// List all the SdiSources in the AWS account. /// - /// - Parameter ListSdiSourcesInput : Placeholder documentation for ListSdiSourcesRequest + /// - Parameter input: Placeholder documentation for ListSdiSourcesRequest (Type: `ListSdiSourcesInput`) /// - /// - Returns: `ListSdiSourcesOutput` : Placeholder documentation for ListSdiSourcesResponse + /// - Returns: Placeholder documentation for ListSdiSourcesResponse (Type: `ListSdiSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6318,7 +6235,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSdiSourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSdiSourcesOutput.httpOutput(from:), ListSdiSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6350,9 +6266,9 @@ extension MediaLiveClient { /// /// Lists signal maps. /// - /// - Parameter ListSignalMapsInput : Placeholder documentation for ListSignalMapsRequest + /// - Parameter input: Placeholder documentation for ListSignalMapsRequest (Type: `ListSignalMapsInput`) /// - /// - Returns: `ListSignalMapsOutput` : Placeholder documentation for ListSignalMapsResponse + /// - Returns: Placeholder documentation for ListSignalMapsResponse (Type: `ListSignalMapsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6388,7 +6304,6 @@ extension MediaLiveClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSignalMapsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSignalMapsOutput.httpOutput(from:), ListSignalMapsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6420,9 +6335,9 @@ extension MediaLiveClient { /// /// Produces list of tags that have been created for a resource /// - /// - Parameter ListTagsForResourceInput : Placeholder documentation for ListTagsForResourceRequest + /// - Parameter input: Placeholder documentation for ListTagsForResourceRequest (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : Placeholder documentation for ListTagsForResourceResponse + /// - Returns: Placeholder documentation for ListTagsForResourceResponse (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6456,7 +6371,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6488,9 +6402,9 @@ extension MediaLiveClient { /// /// Retrieves an array of all the encoder engine versions that are available in this AWS account. /// - /// - Parameter ListVersionsInput : Placeholder documentation for ListVersionsRequest + /// - Parameter input: Placeholder documentation for ListVersionsRequest (Type: `ListVersionsInput`) /// - /// - Returns: `ListVersionsOutput` : Placeholder documentation for ListVersionsResponse + /// - Returns: Placeholder documentation for ListVersionsResponse (Type: `ListVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6528,7 +6442,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVersionsOutput.httpOutput(from:), ListVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6560,9 +6473,9 @@ extension MediaLiveClient { /// /// Purchase an offering and create a reservation. /// - /// - Parameter PurchaseOfferingInput : Placeholder documentation for PurchaseOfferingRequest + /// - Parameter input: Placeholder documentation for PurchaseOfferingRequest (Type: `PurchaseOfferingInput`) /// - /// - Returns: `PurchaseOfferingOutput` : Placeholder documentation for PurchaseOfferingResponse + /// - Returns: Placeholder documentation for PurchaseOfferingResponse (Type: `PurchaseOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6604,7 +6517,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseOfferingOutput.httpOutput(from:), PurchaseOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6636,9 +6548,9 @@ extension MediaLiveClient { /// /// Send a reboot command to the specified input device. The device will begin rebooting within a few seconds of sending the command. When the reboot is complete, the device’s connection status will change to connected. /// - /// - Parameter RebootInputDeviceInput : A request to reboot an AWS Elemental device. + /// - Parameter input: A request to reboot an AWS Elemental device. (Type: `RebootInputDeviceInput`) /// - /// - Returns: `RebootInputDeviceOutput` : Placeholder documentation for RebootInputDeviceResponse + /// - Returns: Placeholder documentation for RebootInputDeviceResponse (Type: `RebootInputDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6679,7 +6591,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootInputDeviceOutput.httpOutput(from:), RebootInputDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6711,9 +6622,9 @@ extension MediaLiveClient { /// /// Reject the transfer of the specified input device to your AWS account. /// - /// - Parameter RejectInputDeviceTransferInput : Placeholder documentation for RejectInputDeviceTransferRequest + /// - Parameter input: Placeholder documentation for RejectInputDeviceTransferRequest (Type: `RejectInputDeviceTransferInput`) /// - /// - Returns: `RejectInputDeviceTransferOutput` : Placeholder documentation for RejectInputDeviceTransferResponse + /// - Returns: Placeholder documentation for RejectInputDeviceTransferResponse (Type: `RejectInputDeviceTransferOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6752,7 +6663,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectInputDeviceTransferOutput.httpOutput(from:), RejectInputDeviceTransferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6784,9 +6694,9 @@ extension MediaLiveClient { /// /// Restart pipelines in one channel that is currently running. /// - /// - Parameter RestartChannelPipelinesInput : Pipelines to restart. + /// - Parameter input: Pipelines to restart. (Type: `RestartChannelPipelinesInput`) /// - /// - Returns: `RestartChannelPipelinesOutput` : Placeholder documentation for RestartChannelPipelinesResponse + /// - Returns: Placeholder documentation for RestartChannelPipelinesResponse (Type: `RestartChannelPipelinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6827,7 +6737,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestartChannelPipelinesOutput.httpOutput(from:), RestartChannelPipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6859,9 +6768,9 @@ extension MediaLiveClient { /// /// Starts an existing channel /// - /// - Parameter StartChannelInput : Placeholder documentation for StartChannelRequest + /// - Parameter input: Placeholder documentation for StartChannelRequest (Type: `StartChannelInput`) /// - /// - Returns: `StartChannelOutput` : Placeholder documentation for StartChannelResponse + /// - Returns: Placeholder documentation for StartChannelResponse (Type: `StartChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6899,7 +6808,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartChannelOutput.httpOutput(from:), StartChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6931,9 +6839,9 @@ extension MediaLiveClient { /// /// Initiates a deployment to delete the monitor of the specified signal map. /// - /// - Parameter StartDeleteMonitorDeploymentInput : Placeholder documentation for StartDeleteMonitorDeploymentRequest + /// - Parameter input: Placeholder documentation for StartDeleteMonitorDeploymentRequest (Type: `StartDeleteMonitorDeploymentInput`) /// - /// - Returns: `StartDeleteMonitorDeploymentOutput` : Placeholder documentation for StartDeleteMonitorDeploymentResponse + /// - Returns: Placeholder documentation for StartDeleteMonitorDeploymentResponse (Type: `StartDeleteMonitorDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6969,7 +6877,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDeleteMonitorDeploymentOutput.httpOutput(from:), StartDeleteMonitorDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7001,9 +6908,9 @@ extension MediaLiveClient { /// /// Start an input device that is attached to a MediaConnect flow. (There is no need to start a device that is attached to a MediaLive input; MediaLive starts the device when the channel starts.) /// - /// - Parameter StartInputDeviceInput : Placeholder documentation for StartInputDeviceRequest + /// - Parameter input: Placeholder documentation for StartInputDeviceRequest (Type: `StartInputDeviceInput`) /// - /// - Returns: `StartInputDeviceOutput` : Placeholder documentation for StartInputDeviceResponse + /// - Returns: Placeholder documentation for StartInputDeviceResponse (Type: `StartInputDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7041,7 +6948,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInputDeviceOutput.httpOutput(from:), StartInputDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7073,9 +6979,9 @@ extension MediaLiveClient { /// /// Start a maintenance window for the specified input device. Starting a maintenance window will give the device up to two hours to install software. If the device was streaming prior to the maintenance, it will resume streaming when the software is fully installed. Devices automatically install updates while they are powered on and their MediaLive channels are stopped. A maintenance window allows you to update a device without having to stop MediaLive channels that use the device. The device must remain powered on and connected to the internet for the duration of the maintenance. /// - /// - Parameter StartInputDeviceMaintenanceWindowInput : Placeholder documentation for StartInputDeviceMaintenanceWindowRequest + /// - Parameter input: Placeholder documentation for StartInputDeviceMaintenanceWindowRequest (Type: `StartInputDeviceMaintenanceWindowInput`) /// - /// - Returns: `StartInputDeviceMaintenanceWindowOutput` : Placeholder documentation for StartInputDeviceMaintenanceWindowResponse + /// - Returns: Placeholder documentation for StartInputDeviceMaintenanceWindowResponse (Type: `StartInputDeviceMaintenanceWindowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7113,7 +7019,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInputDeviceMaintenanceWindowOutput.httpOutput(from:), StartInputDeviceMaintenanceWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7145,9 +7050,9 @@ extension MediaLiveClient { /// /// Initiates a deployment to deploy the latest monitor of the specified signal map. /// - /// - Parameter StartMonitorDeploymentInput : Placeholder documentation for StartMonitorDeploymentRequest + /// - Parameter input: Placeholder documentation for StartMonitorDeploymentRequest (Type: `StartMonitorDeploymentInput`) /// - /// - Returns: `StartMonitorDeploymentOutput` : Placeholder documentation for StartMonitorDeploymentResponse + /// - Returns: Placeholder documentation for StartMonitorDeploymentResponse (Type: `StartMonitorDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7186,7 +7091,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMonitorDeploymentOutput.httpOutput(from:), StartMonitorDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7218,9 +7122,9 @@ extension MediaLiveClient { /// /// Start (run) the multiplex. Starting the multiplex does not start the channels. You must explicitly start each channel. /// - /// - Parameter StartMultiplexInput : Placeholder documentation for StartMultiplexRequest + /// - Parameter input: Placeholder documentation for StartMultiplexRequest (Type: `StartMultiplexInput`) /// - /// - Returns: `StartMultiplexOutput` : Placeholder documentation for StartMultiplexResponse + /// - Returns: Placeholder documentation for StartMultiplexResponse (Type: `StartMultiplexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7258,7 +7162,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMultiplexOutput.httpOutput(from:), StartMultiplexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7290,9 +7193,9 @@ extension MediaLiveClient { /// /// Initiates an update for the specified signal map. Will discover a new signal map if a changed discoveryEntryPointArn is provided. /// - /// - Parameter StartUpdateSignalMapInput : Placeholder documentation for StartUpdateSignalMapRequest + /// - Parameter input: Placeholder documentation for StartUpdateSignalMapRequest (Type: `StartUpdateSignalMapInput`) /// - /// - Returns: `StartUpdateSignalMapOutput` : Placeholder documentation for StartUpdateSignalMapResponse + /// - Returns: Placeholder documentation for StartUpdateSignalMapResponse (Type: `StartUpdateSignalMapOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7331,7 +7234,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartUpdateSignalMapOutput.httpOutput(from:), StartUpdateSignalMapOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7363,9 +7265,9 @@ extension MediaLiveClient { /// /// Stops a running channel /// - /// - Parameter StopChannelInput : Placeholder documentation for StopChannelRequest + /// - Parameter input: Placeholder documentation for StopChannelRequest (Type: `StopChannelInput`) /// - /// - Returns: `StopChannelOutput` : Placeholder documentation for StopChannelResponse + /// - Returns: Placeholder documentation for StopChannelResponse (Type: `StopChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7403,7 +7305,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopChannelOutput.httpOutput(from:), StopChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7435,9 +7336,9 @@ extension MediaLiveClient { /// /// Stop an input device that is attached to a MediaConnect flow. (There is no need to stop a device that is attached to a MediaLive input; MediaLive automatically stops the device when the channel stops.) /// - /// - Parameter StopInputDeviceInput : Placeholder documentation for StopInputDeviceRequest + /// - Parameter input: Placeholder documentation for StopInputDeviceRequest (Type: `StopInputDeviceInput`) /// - /// - Returns: `StopInputDeviceOutput` : Placeholder documentation for StopInputDeviceResponse + /// - Returns: Placeholder documentation for StopInputDeviceResponse (Type: `StopInputDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7475,7 +7376,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopInputDeviceOutput.httpOutput(from:), StopInputDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7507,9 +7407,9 @@ extension MediaLiveClient { /// /// Stops a running multiplex. If the multiplex isn't running, this action has no effect. /// - /// - Parameter StopMultiplexInput : Placeholder documentation for StopMultiplexRequest + /// - Parameter input: Placeholder documentation for StopMultiplexRequest (Type: `StopMultiplexInput`) /// - /// - Returns: `StopMultiplexOutput` : Placeholder documentation for StopMultiplexResponse + /// - Returns: Placeholder documentation for StopMultiplexResponse (Type: `StopMultiplexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7547,7 +7447,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopMultiplexOutput.httpOutput(from:), StopMultiplexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7579,9 +7478,9 @@ extension MediaLiveClient { /// /// Start an input device transfer to another AWS account. After you make the request, the other account must accept or reject the transfer. /// - /// - Parameter TransferInputDeviceInput : A request to transfer an input device. + /// - Parameter input: A request to transfer an input device. (Type: `TransferInputDeviceInput`) /// - /// - Returns: `TransferInputDeviceOutput` : Placeholder documentation for TransferInputDeviceResponse + /// - Returns: Placeholder documentation for TransferInputDeviceResponse (Type: `TransferInputDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7623,7 +7522,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TransferInputDeviceOutput.httpOutput(from:), TransferInputDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7655,9 +7553,9 @@ extension MediaLiveClient { /// /// Update account configuration /// - /// - Parameter UpdateAccountConfigurationInput : List of account configuration parameters to update. + /// - Parameter input: List of account configuration parameters to update. (Type: `UpdateAccountConfigurationInput`) /// - /// - Returns: `UpdateAccountConfigurationOutput` : Placeholder documentation for UpdateAccountConfigurationResponse + /// - Returns: Placeholder documentation for UpdateAccountConfigurationResponse (Type: `UpdateAccountConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7697,7 +7595,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountConfigurationOutput.httpOutput(from:), UpdateAccountConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7729,9 +7626,9 @@ extension MediaLiveClient { /// /// Updates a channel. /// - /// - Parameter UpdateChannelInput : A request to update a channel. + /// - Parameter input: A request to update a channel. (Type: `UpdateChannelInput`) /// - /// - Returns: `UpdateChannelOutput` : Placeholder documentation for UpdateChannelResponse + /// - Returns: Placeholder documentation for UpdateChannelResponse (Type: `UpdateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7771,7 +7668,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelOutput.httpOutput(from:), UpdateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7803,9 +7699,9 @@ extension MediaLiveClient { /// /// Changes the class of the channel. /// - /// - Parameter UpdateChannelClassInput : Channel class that the channel should be updated to. + /// - Parameter input: Channel class that the channel should be updated to. (Type: `UpdateChannelClassInput`) /// - /// - Returns: `UpdateChannelClassOutput` : Placeholder documentation for UpdateChannelClassResponse + /// - Returns: Placeholder documentation for UpdateChannelClassResponse (Type: `UpdateChannelClassOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7847,7 +7743,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelClassOutput.httpOutput(from:), UpdateChannelClassOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7879,9 +7774,9 @@ extension MediaLiveClient { /// /// Change the settings for a ChannelPlacementGroup. /// - /// - Parameter UpdateChannelPlacementGroupInput : A request to update the channel placement group + /// - Parameter input: A request to update the channel placement group (Type: `UpdateChannelPlacementGroupInput`) /// - /// - Returns: `UpdateChannelPlacementGroupOutput` : Placeholder documentation for UpdateChannelPlacementGroupResponse + /// - Returns: Placeholder documentation for UpdateChannelPlacementGroupResponse (Type: `UpdateChannelPlacementGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7922,7 +7817,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelPlacementGroupOutput.httpOutput(from:), UpdateChannelPlacementGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7954,9 +7848,9 @@ extension MediaLiveClient { /// /// Updates the specified cloudwatch alarm template. /// - /// - Parameter UpdateCloudWatchAlarmTemplateInput : Placeholder documentation for UpdateCloudWatchAlarmTemplateRequest + /// - Parameter input: Placeholder documentation for UpdateCloudWatchAlarmTemplateRequest (Type: `UpdateCloudWatchAlarmTemplateInput`) /// - /// - Returns: `UpdateCloudWatchAlarmTemplateOutput` : Placeholder documentation for UpdateCloudWatchAlarmTemplateResponse + /// - Returns: Placeholder documentation for UpdateCloudWatchAlarmTemplateResponse (Type: `UpdateCloudWatchAlarmTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7995,7 +7889,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCloudWatchAlarmTemplateOutput.httpOutput(from:), UpdateCloudWatchAlarmTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8027,9 +7920,9 @@ extension MediaLiveClient { /// /// Updates the specified cloudwatch alarm template group. /// - /// - Parameter UpdateCloudWatchAlarmTemplateGroupInput : Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupRequest + /// - Parameter input: Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupRequest (Type: `UpdateCloudWatchAlarmTemplateGroupInput`) /// - /// - Returns: `UpdateCloudWatchAlarmTemplateGroupOutput` : Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupResponse + /// - Returns: Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupResponse (Type: `UpdateCloudWatchAlarmTemplateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8068,7 +7961,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCloudWatchAlarmTemplateGroupOutput.httpOutput(from:), UpdateCloudWatchAlarmTemplateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8100,9 +7992,9 @@ extension MediaLiveClient { /// /// Change the settings for a Cluster. /// - /// - Parameter UpdateClusterInput : A request to update the cluster. + /// - Parameter input: A request to update the cluster. (Type: `UpdateClusterInput`) /// - /// - Returns: `UpdateClusterOutput` : Placeholder documentation for UpdateClusterResponse + /// - Returns: Placeholder documentation for UpdateClusterResponse (Type: `UpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8142,7 +8034,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterOutput.httpOutput(from:), UpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8174,9 +8065,9 @@ extension MediaLiveClient { /// /// Updates the specified eventbridge rule template. /// - /// - Parameter UpdateEventBridgeRuleTemplateInput : Placeholder documentation for UpdateEventBridgeRuleTemplateRequest + /// - Parameter input: Placeholder documentation for UpdateEventBridgeRuleTemplateRequest (Type: `UpdateEventBridgeRuleTemplateInput`) /// - /// - Returns: `UpdateEventBridgeRuleTemplateOutput` : Placeholder documentation for UpdateEventBridgeRuleTemplateResponse + /// - Returns: Placeholder documentation for UpdateEventBridgeRuleTemplateResponse (Type: `UpdateEventBridgeRuleTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8215,7 +8106,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventBridgeRuleTemplateOutput.httpOutput(from:), UpdateEventBridgeRuleTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8247,9 +8137,9 @@ extension MediaLiveClient { /// /// Updates the specified eventbridge rule template group. /// - /// - Parameter UpdateEventBridgeRuleTemplateGroupInput : Placeholder documentation for UpdateEventBridgeRuleTemplateGroupRequest + /// - Parameter input: Placeholder documentation for UpdateEventBridgeRuleTemplateGroupRequest (Type: `UpdateEventBridgeRuleTemplateGroupInput`) /// - /// - Returns: `UpdateEventBridgeRuleTemplateGroupOutput` : Placeholder documentation for UpdateEventBridgeRuleTemplateGroupResponse + /// - Returns: Placeholder documentation for UpdateEventBridgeRuleTemplateGroupResponse (Type: `UpdateEventBridgeRuleTemplateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8288,7 +8178,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventBridgeRuleTemplateGroupOutput.httpOutput(from:), UpdateEventBridgeRuleTemplateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8320,9 +8209,9 @@ extension MediaLiveClient { /// /// Updates an input. /// - /// - Parameter UpdateInputInput : A request to update an input. + /// - Parameter input: A request to update an input. (Type: `UpdateInputInput`) /// - /// - Returns: `UpdateInputOutput` : Placeholder documentation for UpdateInputResponse + /// - Returns: Placeholder documentation for UpdateInputResponse (Type: `UpdateInputOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8362,7 +8251,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInputOutput.httpOutput(from:), UpdateInputOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8394,9 +8282,9 @@ extension MediaLiveClient { /// /// Updates the parameters for the input device. /// - /// - Parameter UpdateInputDeviceInput : A request to update an input device. + /// - Parameter input: A request to update an input device. (Type: `UpdateInputDeviceInput`) /// - /// - Returns: `UpdateInputDeviceOutput` : Placeholder documentation for UpdateInputDeviceResponse + /// - Returns: Placeholder documentation for UpdateInputDeviceResponse (Type: `UpdateInputDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8437,7 +8325,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInputDeviceOutput.httpOutput(from:), UpdateInputDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8469,9 +8356,9 @@ extension MediaLiveClient { /// /// Update an Input Security Group's Whilelists. /// - /// - Parameter UpdateInputSecurityGroupInput : The request to update some combination of the Input Security Group name and the IPv4 CIDRs the Input Security Group should allow. + /// - Parameter input: The request to update some combination of the Input Security Group name and the IPv4 CIDRs the Input Security Group should allow. (Type: `UpdateInputSecurityGroupInput`) /// - /// - Returns: `UpdateInputSecurityGroupOutput` : Placeholder documentation for UpdateInputSecurityGroupResponse + /// - Returns: Placeholder documentation for UpdateInputSecurityGroupResponse (Type: `UpdateInputSecurityGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8511,7 +8398,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInputSecurityGroupOutput.httpOutput(from:), UpdateInputSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8543,9 +8429,9 @@ extension MediaLiveClient { /// /// Updates a multiplex. /// - /// - Parameter UpdateMultiplexInput : A request to update a multiplex. + /// - Parameter input: A request to update a multiplex. (Type: `UpdateMultiplexInput`) /// - /// - Returns: `UpdateMultiplexOutput` : Placeholder documentation for UpdateMultiplexResponse + /// - Returns: Placeholder documentation for UpdateMultiplexResponse (Type: `UpdateMultiplexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8586,7 +8472,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMultiplexOutput.httpOutput(from:), UpdateMultiplexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8618,9 +8503,9 @@ extension MediaLiveClient { /// /// Update a program in a multiplex. /// - /// - Parameter UpdateMultiplexProgramInput : A request to update a program in a multiplex. + /// - Parameter input: A request to update a program in a multiplex. (Type: `UpdateMultiplexProgramInput`) /// - /// - Returns: `UpdateMultiplexProgramOutput` : Placeholder documentation for UpdateMultiplexProgramResponse + /// - Returns: Placeholder documentation for UpdateMultiplexProgramResponse (Type: `UpdateMultiplexProgramOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8661,7 +8546,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMultiplexProgramOutput.httpOutput(from:), UpdateMultiplexProgramOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8693,9 +8577,9 @@ extension MediaLiveClient { /// /// Change the settings for a Network. /// - /// - Parameter UpdateNetworkInput : A request to update the network. + /// - Parameter input: A request to update the network. (Type: `UpdateNetworkInput`) /// - /// - Returns: `UpdateNetworkOutput` : Placeholder documentation for UpdateNetworkResponse + /// - Returns: Placeholder documentation for UpdateNetworkResponse (Type: `UpdateNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8735,7 +8619,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNetworkOutput.httpOutput(from:), UpdateNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8767,9 +8650,9 @@ extension MediaLiveClient { /// /// Change the settings for a Node. /// - /// - Parameter UpdateNodeInput : A request to update the node. + /// - Parameter input: A request to update the node. (Type: `UpdateNodeInput`) /// - /// - Returns: `UpdateNodeOutput` : Placeholder documentation for UpdateNodeResponse + /// - Returns: Placeholder documentation for UpdateNodeResponse (Type: `UpdateNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8809,7 +8692,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNodeOutput.httpOutput(from:), UpdateNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8841,9 +8723,9 @@ extension MediaLiveClient { /// /// Update the state of a node. /// - /// - Parameter UpdateNodeStateInput : A request to update the state of a node. + /// - Parameter input: A request to update the state of a node. (Type: `UpdateNodeStateInput`) /// - /// - Returns: `UpdateNodeStateOutput` : Placeholder documentation for UpdateNodeStateResponse + /// - Returns: Placeholder documentation for UpdateNodeStateResponse (Type: `UpdateNodeStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8884,7 +8766,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNodeStateOutput.httpOutput(from:), UpdateNodeStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8916,9 +8797,9 @@ extension MediaLiveClient { /// /// Update reservation. /// - /// - Parameter UpdateReservationInput : Request to update a reservation + /// - Parameter input: Request to update a reservation (Type: `UpdateReservationInput`) /// - /// - Returns: `UpdateReservationOutput` : Placeholder documentation for UpdateReservationResponse + /// - Returns: Placeholder documentation for UpdateReservationResponse (Type: `UpdateReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8959,7 +8840,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReservationOutput.httpOutput(from:), UpdateReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8991,9 +8871,9 @@ extension MediaLiveClient { /// /// Change some of the settings in an SdiSource. /// - /// - Parameter UpdateSdiSourceInput : A request to update the SdiSource. + /// - Parameter input: A request to update the SdiSource. (Type: `UpdateSdiSourceInput`) /// - /// - Returns: `UpdateSdiSourceOutput` : Placeholder documentation for UpdateSdiSourceResponse + /// - Returns: Placeholder documentation for UpdateSdiSourceResponse (Type: `UpdateSdiSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9033,7 +8913,6 @@ extension MediaLiveClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSdiSourceOutput.httpOutput(from:), UpdateSdiSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMediaLive/Sources/AWSMediaLive/Models.swift b/Sources/Services/AWSMediaLive/Sources/AWSMediaLive/Models.swift index 14306e2629f..485dc15d0ee 100644 --- a/Sources/Services/AWSMediaLive/Sources/AWSMediaLive/Models.swift +++ b/Sources/Services/AWSMediaLive/Sources/AWSMediaLive/Models.swift @@ -4842,9 +4842,9 @@ extension MediaLiveClientTypes { /// Specifies a particular video stream within an input source. An input may have only a single video selector. public struct VideoSelector: Swift.Sendable { - /// Specifies the color space of an input. This setting works in tandem with colorSpaceUsage and a video description's colorSpaceSettingsChoice to determine if any conversion will be performed. + /// Controls how MediaLive will use the color space metadata from the source. Typically, choose FOLLOW, which means to use the color space metadata without changing it. Or choose another value (a standard). In this case, the handling is controlled by the colorspaceUsage property. public var colorSpace: MediaLiveClientTypes.VideoSelectorColorSpace? - /// Color space settings + /// Choose HDR10 only if the following situation applies. Firstly, you specified HDR10 in ColorSpace. Secondly, the attached input is for AWS Elemental Link. Thirdly, you plan to convert the content to another color space. You need to specify the color space metadata that is missing from the source sent from AWS Elemental Link. public var colorSpaceSettings: MediaLiveClientTypes.VideoSelectorColorSpaceSettings? /// Applies only if colorSpace is a value other than follow. This field controls how the value in the colorSpace field will be used. fallback means that when the input does include color space data, that data will be used, but when the input has no color space data, the value in colorSpace will be used. Choose fallback if your input is sometimes missing color space data, but when it does have color space data, that data is correct. force means to always use the value in colorSpace. Choose force if your input usually has no color space data or might have unreliable color space data. public var colorSpaceUsage: MediaLiveClientTypes.VideoSelectorColorSpaceUsage? @@ -9768,7 +9768,7 @@ extension MediaLiveClientTypes { /// Archive Output Settings public struct ArchiveOutputSettings: Swift.Sendable { - /// Settings specific to the container type of the file. + /// Container for this output. Can be auto-detected from extension field. /// This member is required. public var containerSettings: MediaLiveClientTypes.ArchiveContainerSettings? /// Output file extension. If excluded, this will be auto-selected from the container type. @@ -12526,11 +12526,47 @@ extension MediaLiveClientTypes { public struct MediaPackageV2GroupSettings: Swift.Sendable { /// Mapping of up to 4 caption channels to caption languages. public var captionLanguageMappings: [MediaLiveClientTypes.CaptionLanguageMapping]? + /// Set to ENABLED to enable ID3 metadata insertion. To include metadata, you configure other parameters in the output group, or you add an ID3 action to the channel schedule. + public var id3Behavior: MediaLiveClientTypes.CmafId3Behavior? + /// If set to passthrough, passes any KLV data from the input source to this output. + public var klvBehavior: MediaLiveClientTypes.CmafKLVBehavior? + /// If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output. + public var nielsenId3Behavior: MediaLiveClientTypes.CmafNielsenId3Behavior? + /// Type of scte35 track to add. none or scte35WithoutSegmentation + public var scte35Type: MediaLiveClientTypes.Scte35Type? + /// The nominal duration of segments. The units are specified in SegmentLengthUnits. The segments will end on the next keyframe after the specified duration, so the actual segment length might be longer, and it might be a fraction of the units. + public var segmentLength: Swift.Int? + /// Time unit for segment length parameter. + public var segmentLengthUnits: MediaLiveClientTypes.CmafIngestSegmentLengthUnits? + /// Set to none if you don't want to insert a timecode in the output. Otherwise choose the frame type for the timecode. + public var timedMetadataId3Frame: MediaLiveClientTypes.CmafTimedMetadataId3Frame? + /// If you set up to insert a timecode in the output, specify the frequency for the frame, in seconds. + public var timedMetadataId3Period: Swift.Int? + /// Set to enabled to pass through ID3 metadata from the input sources. + public var timedMetadataPassthrough: MediaLiveClientTypes.CmafTimedMetadataPassthrough? public init( - captionLanguageMappings: [MediaLiveClientTypes.CaptionLanguageMapping]? = nil + captionLanguageMappings: [MediaLiveClientTypes.CaptionLanguageMapping]? = nil, + id3Behavior: MediaLiveClientTypes.CmafId3Behavior? = nil, + klvBehavior: MediaLiveClientTypes.CmafKLVBehavior? = nil, + nielsenId3Behavior: MediaLiveClientTypes.CmafNielsenId3Behavior? = nil, + scte35Type: MediaLiveClientTypes.Scte35Type? = nil, + segmentLength: Swift.Int? = nil, + segmentLengthUnits: MediaLiveClientTypes.CmafIngestSegmentLengthUnits? = nil, + timedMetadataId3Frame: MediaLiveClientTypes.CmafTimedMetadataId3Frame? = nil, + timedMetadataId3Period: Swift.Int? = nil, + timedMetadataPassthrough: MediaLiveClientTypes.CmafTimedMetadataPassthrough? = nil ) { self.captionLanguageMappings = captionLanguageMappings + self.id3Behavior = id3Behavior + self.klvBehavior = klvBehavior + self.nielsenId3Behavior = nielsenId3Behavior + self.scte35Type = scte35Type + self.segmentLength = segmentLength + self.segmentLengthUnits = segmentLengthUnits + self.timedMetadataId3Frame = timedMetadataId3Frame + self.timedMetadataId3Period = timedMetadataId3Period + self.timedMetadataPassthrough = timedMetadataPassthrough } } } @@ -15618,7 +15654,7 @@ extension MediaLiveClientTypes { public var bitrate: Swift.Int? /// The size of the buffer (HRD buffer model) in bits. public var bufSize: Swift.Int? - /// Color Space settings + /// Specify the type of color space to apply or choose to pass through. The default is to pass through the color space that is in the source. public var colorSpaceSettings: MediaLiveClientTypes.Av1ColorSpaceSettings? /// Complete this property only if you set the afdSignaling property to FIXED. Choose the AFD value (4 bits) to write on all frames of the video encode. public var fixedAfd: MediaLiveClientTypes.FixedAfd? @@ -16748,7 +16784,7 @@ extension MediaLiveClientTypes { public var bufSize: Swift.Int? /// Includes colorspace metadata in the output. public var colorMetadata: MediaLiveClientTypes.H264ColorMetadata? - /// Color Space settings + /// Specify the type of color space to apply or choose to pass through. The default is to pass through the color space that is in the source. public var colorSpaceSettings: MediaLiveClientTypes.H264ColorSpaceSettings? /// Entropy encoding mode. Use cabac (must be in Main or High profile) or cavlc. public var entropyEncoding: MediaLiveClientTypes.H264EntropyEncoding? @@ -17669,7 +17705,7 @@ extension MediaLiveClientTypes { public var bufSize: Swift.Int? /// Includes colorspace metadata in the output. public var colorMetadata: MediaLiveClientTypes.H265ColorMetadata? - /// Color Space settings + /// Specify the type of color space to apply or choose to pass through. The default is to pass through the color space that is in the source. public var colorSpaceSettings: MediaLiveClientTypes.H265ColorSpaceSettings? /// Enable or disable the deblocking filter for this codec. The filter reduces blocking artifacts at block boundaries, which improves overall video quality. If the filter is disabled, visible block edges might appear in the output, especially at lower bitrates. public var deblocking: MediaLiveClientTypes.H265Deblocking? @@ -36554,12 +36590,30 @@ extension MediaLiveClientTypes.MediaPackageV2GroupSettings { static func write(value: MediaLiveClientTypes.MediaPackageV2GroupSettings?, to writer: SmithyJSON.Writer) throws { guard let value else { return } try writer["captionLanguageMappings"].writeList(value.captionLanguageMappings, memberWritingClosure: MediaLiveClientTypes.CaptionLanguageMapping.write(value:to:), memberNodeInfo: "member", isFlattened: false) + try writer["id3Behavior"].write(value.id3Behavior) + try writer["klvBehavior"].write(value.klvBehavior) + try writer["nielsenId3Behavior"].write(value.nielsenId3Behavior) + try writer["scte35Type"].write(value.scte35Type) + try writer["segmentLength"].write(value.segmentLength) + try writer["segmentLengthUnits"].write(value.segmentLengthUnits) + try writer["timedMetadataId3Frame"].write(value.timedMetadataId3Frame) + try writer["timedMetadataId3Period"].write(value.timedMetadataId3Period) + try writer["timedMetadataPassthrough"].write(value.timedMetadataPassthrough) } static func read(from reader: SmithyJSON.Reader) throws -> MediaLiveClientTypes.MediaPackageV2GroupSettings { guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } var value = MediaLiveClientTypes.MediaPackageV2GroupSettings() value.captionLanguageMappings = try reader["captionLanguageMappings"].readListIfPresent(memberReadingClosure: MediaLiveClientTypes.CaptionLanguageMapping.read(from:), memberNodeInfo: "member", isFlattened: false) + value.id3Behavior = try reader["id3Behavior"].readIfPresent() + value.klvBehavior = try reader["klvBehavior"].readIfPresent() + value.nielsenId3Behavior = try reader["nielsenId3Behavior"].readIfPresent() + value.scte35Type = try reader["scte35Type"].readIfPresent() + value.segmentLength = try reader["segmentLength"].readIfPresent() + value.segmentLengthUnits = try reader["segmentLengthUnits"].readIfPresent() + value.timedMetadataId3Frame = try reader["timedMetadataId3Frame"].readIfPresent() + value.timedMetadataId3Period = try reader["timedMetadataId3Period"].readIfPresent() + value.timedMetadataPassthrough = try reader["timedMetadataPassthrough"].readIfPresent() return value } } diff --git a/Sources/Services/AWSMediaPackage/Sources/AWSMediaPackage/MediaPackageClient.swift b/Sources/Services/AWSMediaPackage/Sources/AWSMediaPackage/MediaPackageClient.swift index 4051f23ad80..1db3cca51ae 100644 --- a/Sources/Services/AWSMediaPackage/Sources/AWSMediaPackage/MediaPackageClient.swift +++ b/Sources/Services/AWSMediaPackage/Sources/AWSMediaPackage/MediaPackageClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MediaPackageClient: ClientRuntime.Client { public static let clientName = "MediaPackageClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MediaPackageClient.MediaPackageClientConfiguration let serviceName = "MediaPackage" @@ -373,9 +372,9 @@ extension MediaPackageClient { /// /// Changes the Channel's properities to configure log subscription /// - /// - Parameter ConfigureLogsInput : the option to configure log subscription. + /// - Parameter input: the option to configure log subscription. (Type: `ConfigureLogsInput`) /// - /// - Returns: `ConfigureLogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfigureLogsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfigureLogsOutput.httpOutput(from:), ConfigureLogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension MediaPackageClient { /// /// Creates a new Channel. /// - /// - Parameter CreateChannelInput : A new Channel configuration. + /// - Parameter input: A new Channel configuration. (Type: `CreateChannelInput`) /// - /// - Returns: `CreateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelOutput.httpOutput(from:), CreateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension MediaPackageClient { /// /// Creates a new HarvestJob record. /// - /// - Parameter CreateHarvestJobInput : Configuration parameters used to create a new HarvestJob. + /// - Parameter input: Configuration parameters used to create a new HarvestJob. (Type: `CreateHarvestJobInput`) /// - /// - Returns: `CreateHarvestJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHarvestJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHarvestJobOutput.httpOutput(from:), CreateHarvestJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension MediaPackageClient { /// /// Creates a new OriginEndpoint record. /// - /// - Parameter CreateOriginEndpointInput : Configuration parameters used to create a new OriginEndpoint. + /// - Parameter input: Configuration parameters used to create a new OriginEndpoint. (Type: `CreateOriginEndpointInput`) /// - /// - Returns: `CreateOriginEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOriginEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOriginEndpointOutput.httpOutput(from:), CreateOriginEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension MediaPackageClient { /// /// Deletes an existing Channel. /// - /// - Parameter DeleteChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelInput`) /// - /// - Returns: `DeleteChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelOutput.httpOutput(from:), DeleteChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension MediaPackageClient { /// /// Deletes an existing OriginEndpoint. /// - /// - Parameter DeleteOriginEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOriginEndpointInput`) /// - /// - Returns: `DeleteOriginEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOriginEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -773,7 +767,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOriginEndpointOutput.httpOutput(from:), DeleteOriginEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -805,9 +798,9 @@ extension MediaPackageClient { /// /// Gets details about a Channel. /// - /// - Parameter DescribeChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChannelInput`) /// - /// - Returns: `DescribeChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -843,7 +836,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelOutput.httpOutput(from:), DescribeChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -875,9 +867,9 @@ extension MediaPackageClient { /// /// Gets details about an existing HarvestJob. /// - /// - Parameter DescribeHarvestJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHarvestJobInput`) /// - /// - Returns: `DescribeHarvestJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHarvestJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -913,7 +905,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHarvestJobOutput.httpOutput(from:), DescribeHarvestJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -945,9 +936,9 @@ extension MediaPackageClient { /// /// Gets details about an existing OriginEndpoint. /// - /// - Parameter DescribeOriginEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOriginEndpointInput`) /// - /// - Returns: `DescribeOriginEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOriginEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -983,7 +974,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOriginEndpointOutput.httpOutput(from:), DescribeOriginEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1015,9 +1005,9 @@ extension MediaPackageClient { /// /// Returns a collection of Channels. /// - /// - Parameter ListChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsInput`) /// - /// - Returns: `ListChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension MediaPackageClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsOutput.httpOutput(from:), ListChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1075,9 @@ extension MediaPackageClient { /// /// Returns a collection of HarvestJob records. /// - /// - Parameter ListHarvestJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHarvestJobsInput`) /// - /// - Returns: `ListHarvestJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHarvestJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1125,7 +1114,6 @@ extension MediaPackageClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHarvestJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHarvestJobsOutput.httpOutput(from:), ListHarvestJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1157,9 +1145,9 @@ extension MediaPackageClient { /// /// Returns a collection of OriginEndpoint records. /// - /// - Parameter ListOriginEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOriginEndpointsInput`) /// - /// - Returns: `ListOriginEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOriginEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1196,7 +1184,6 @@ extension MediaPackageClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOriginEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOriginEndpointsOutput.httpOutput(from:), ListOriginEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1227,9 +1214,9 @@ extension MediaPackageClient { /// Performs the `ListTagsForResource` operation on the `MediaPackage` service. /// /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) public func listTagsForResource(input: ListTagsForResourceInput) async throws -> ListTagsForResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1255,7 +1242,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1288,9 +1274,9 @@ extension MediaPackageClient { /// Changes the Channel's first IngestEndpoint's username and password. WARNING - This API is deprecated. Please use RotateIngestEndpointCredentials instead @available(*, deprecated, message: "This API is deprecated. Please use RotateIngestEndpointCredentials instead") /// - /// - Parameter RotateChannelCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RotateChannelCredentialsInput`) /// - /// - Returns: `RotateChannelCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RotateChannelCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1326,7 +1312,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RotateChannelCredentialsOutput.httpOutput(from:), RotateChannelCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1358,9 +1343,9 @@ extension MediaPackageClient { /// /// Rotate the IngestEndpoint's username and password, as specified by the IngestEndpoint's id. /// - /// - Parameter RotateIngestEndpointCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RotateIngestEndpointCredentialsInput`) /// - /// - Returns: `RotateIngestEndpointCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RotateIngestEndpointCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1381,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RotateIngestEndpointCredentialsOutput.httpOutput(from:), RotateIngestEndpointCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1427,9 +1411,9 @@ extension MediaPackageClient { /// Performs the `TagResource` operation on the `MediaPackage` service. /// /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) public func tagResource(input: TagResourceInput) async throws -> TagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1458,7 +1442,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1489,9 +1472,9 @@ extension MediaPackageClient { /// Performs the `UntagResource` operation on the `MediaPackage` service. /// /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) public func untagResource(input: UntagResourceInput) async throws -> UntagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1518,7 +1501,6 @@ extension MediaPackageClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1550,9 +1532,9 @@ extension MediaPackageClient { /// /// Updates an existing Channel. /// - /// - Parameter UpdateChannelInput : Configuration parameters used to update the Channel. + /// - Parameter input: Configuration parameters used to update the Channel. (Type: `UpdateChannelInput`) /// - /// - Returns: `UpdateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1591,7 +1573,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelOutput.httpOutput(from:), UpdateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1623,9 +1604,9 @@ extension MediaPackageClient { /// /// Updates an existing OriginEndpoint. /// - /// - Parameter UpdateOriginEndpointInput : Configuration parameters used to update an existing OriginEndpoint. + /// - Parameter input: Configuration parameters used to update an existing OriginEndpoint. (Type: `UpdateOriginEndpointInput`) /// - /// - Returns: `UpdateOriginEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOriginEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1664,7 +1645,6 @@ extension MediaPackageClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOriginEndpointOutput.httpOutput(from:), UpdateOriginEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMediaPackageV2/Sources/AWSMediaPackageV2/MediaPackageV2Client.swift b/Sources/Services/AWSMediaPackageV2/Sources/AWSMediaPackageV2/MediaPackageV2Client.swift index 5096ad84d58..5ab67d3ed3c 100644 --- a/Sources/Services/AWSMediaPackageV2/Sources/AWSMediaPackageV2/MediaPackageV2Client.swift +++ b/Sources/Services/AWSMediaPackageV2/Sources/AWSMediaPackageV2/MediaPackageV2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MediaPackageV2Client: ClientRuntime.Client { public static let clientName = "MediaPackageV2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MediaPackageV2Client.MediaPackageV2ClientConfiguration let serviceName = "MediaPackageV2" @@ -376,9 +375,9 @@ extension MediaPackageV2Client { /// /// Cancels an in-progress harvest job. /// - /// - Parameter CancelHarvestJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelHarvestJobInput`) /// - /// - Returns: `CancelHarvestJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelHarvestJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension MediaPackageV2Client { builder.serialize(ClientRuntime.HeaderMiddleware(CancelHarvestJobInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelHarvestJobOutput.httpOutput(from:), CancelHarvestJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension MediaPackageV2Client { /// /// Create a channel to start receiving content streams. The channel represents the input to MediaPackage for incoming live content from an encoder such as AWS Elemental MediaLive. The channel receives content, and after packaging it, outputs it through an origin endpoint to downstream devices (such as video players or CDNs) that request the content. You can create only one channel with each request. We recommend that you spread out channels between channel groups, such as putting redundant channels in the same AWS Region in different channel groups. /// - /// - Parameter CreateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelInput`) /// - /// - Returns: `CreateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelOutput.httpOutput(from:), CreateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension MediaPackageV2Client { /// /// Create a channel group to group your channels and origin endpoints. A channel group is the top-level resource that consists of channels and origin endpoints that are associated with it and that provides predictable URLs for stream delivery. All channels and origin endpoints within the channel group are guaranteed to share the DNS. You can create only one channel group with each request. /// - /// - Parameter CreateChannelGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelGroupInput`) /// - /// - Returns: `CreateChannelGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelGroupOutput.httpOutput(from:), CreateChannelGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension MediaPackageV2Client { /// /// Creates a new harvest job to export content from a MediaPackage v2 channel to an S3 bucket. /// - /// - Parameter CreateHarvestJobInput : The request object for creating a new harvest job. + /// - Parameter input: The request object for creating a new harvest job. (Type: `CreateHarvestJobInput`) /// - /// - Returns: `CreateHarvestJobOutput` : The response object returned after creating a harvest job. + /// - Returns: The response object returned after creating a harvest job. (Type: `CreateHarvestJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -643,7 +639,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHarvestJobOutput.httpOutput(from:), CreateHarvestJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -675,9 +670,9 @@ extension MediaPackageV2Client { /// /// The endpoint is attached to a channel, and represents the output of the live content. You can associate multiple endpoints to a single channel. Each endpoint gives players and downstream CDNs (such as Amazon CloudFront) access to the content for playback. Content can't be served from a channel until it has an endpoint. You can create only one endpoint with each request. /// - /// - Parameter CreateOriginEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOriginEndpointInput`) /// - /// - Returns: `CreateOriginEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOriginEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOriginEndpointOutput.httpOutput(from:), CreateOriginEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -751,9 +745,9 @@ extension MediaPackageV2Client { /// /// Delete a channel to stop AWS Elemental MediaPackage from receiving further content. You must delete the channel's origin endpoints before you can delete the channel. /// - /// - Parameter DeleteChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelInput`) /// - /// - Returns: `DeleteChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +782,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelOutput.httpOutput(from:), DeleteChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -820,9 +813,9 @@ extension MediaPackageV2Client { /// /// Delete a channel group. You must delete the channel group's channels and origin endpoints before you can delete the channel group. If you delete a channel group, you'll lose access to the egress domain and will have to create a new channel group to replace it. /// - /// - Parameter DeleteChannelGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelGroupInput`) /// - /// - Returns: `DeleteChannelGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -857,7 +850,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelGroupOutput.httpOutput(from:), DeleteChannelGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -889,9 +881,9 @@ extension MediaPackageV2Client { /// /// Delete a channel policy. /// - /// - Parameter DeleteChannelPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelPolicyInput`) /// - /// - Returns: `DeleteChannelPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -926,7 +918,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelPolicyOutput.httpOutput(from:), DeleteChannelPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -958,9 +949,9 @@ extension MediaPackageV2Client { /// /// Origin endpoints can serve content until they're deleted. Delete the endpoint if it should no longer respond to playback requests. You must delete all endpoints from a channel before you can delete the channel. /// - /// - Parameter DeleteOriginEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOriginEndpointInput`) /// - /// - Returns: `DeleteOriginEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOriginEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -994,7 +985,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOriginEndpointOutput.httpOutput(from:), DeleteOriginEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1026,9 +1016,9 @@ extension MediaPackageV2Client { /// /// Delete an origin endpoint policy. /// - /// - Parameter DeleteOriginEndpointPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOriginEndpointPolicyInput`) /// - /// - Returns: `DeleteOriginEndpointPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOriginEndpointPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1063,7 +1053,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOriginEndpointPolicyOutput.httpOutput(from:), DeleteOriginEndpointPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1095,9 +1084,9 @@ extension MediaPackageV2Client { /// /// Retrieves the specified channel that's configured in AWS Elemental MediaPackage. /// - /// - Parameter GetChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelInput`) /// - /// - Returns: `GetChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1132,7 +1121,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelOutput.httpOutput(from:), GetChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1164,9 +1152,9 @@ extension MediaPackageV2Client { /// /// Retrieves the specified channel group that's configured in AWS Elemental MediaPackage. /// - /// - Parameter GetChannelGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelGroupInput`) /// - /// - Returns: `GetChannelGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1201,7 +1189,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelGroupOutput.httpOutput(from:), GetChannelGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1233,9 +1220,9 @@ extension MediaPackageV2Client { /// /// Retrieves the specified channel policy that's configured in AWS Elemental MediaPackage. With policies, you can specify who has access to AWS resources and what actions they can perform on those resources. /// - /// - Parameter GetChannelPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelPolicyInput`) /// - /// - Returns: `GetChannelPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1270,7 +1257,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelPolicyOutput.httpOutput(from:), GetChannelPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1302,9 +1288,9 @@ extension MediaPackageV2Client { /// /// Retrieves the details of a specific harvest job. /// - /// - Parameter GetHarvestJobInput : The request object for retrieving a specific harvest job. + /// - Parameter input: The request object for retrieving a specific harvest job. (Type: `GetHarvestJobInput`) /// - /// - Returns: `GetHarvestJobOutput` : The response object containing the details of the requested harvest job. + /// - Returns: The response object containing the details of the requested harvest job. (Type: `GetHarvestJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1339,7 +1325,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHarvestJobOutput.httpOutput(from:), GetHarvestJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1371,9 +1356,9 @@ extension MediaPackageV2Client { /// /// Retrieves the specified origin endpoint that's configured in AWS Elemental MediaPackage to obtain its playback URL and to view the packaging settings that it's currently using. /// - /// - Parameter GetOriginEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOriginEndpointInput`) /// - /// - Returns: `GetOriginEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOriginEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1408,7 +1393,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOriginEndpointOutput.httpOutput(from:), GetOriginEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1440,9 +1424,9 @@ extension MediaPackageV2Client { /// /// Retrieves the specified origin endpoint policy that's configured in AWS Elemental MediaPackage. /// - /// - Parameter GetOriginEndpointPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOriginEndpointPolicyInput`) /// - /// - Returns: `GetOriginEndpointPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOriginEndpointPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1477,7 +1461,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOriginEndpointPolicyOutput.httpOutput(from:), GetOriginEndpointPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1509,9 +1492,9 @@ extension MediaPackageV2Client { /// /// Retrieves all channel groups that are configured in Elemental MediaPackage. /// - /// - Parameter ListChannelGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelGroupsInput`) /// - /// - Returns: `ListChannelGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1546,7 +1529,6 @@ extension MediaPackageV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelGroupsOutput.httpOutput(from:), ListChannelGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1578,9 +1560,9 @@ extension MediaPackageV2Client { /// /// Retrieves all channels in a specific channel group that are configured in AWS Elemental MediaPackage. /// - /// - Parameter ListChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsInput`) /// - /// - Returns: `ListChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1616,7 +1598,6 @@ extension MediaPackageV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsOutput.httpOutput(from:), ListChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1648,9 +1629,9 @@ extension MediaPackageV2Client { /// /// Retrieves a list of harvest jobs that match the specified criteria. /// - /// - Parameter ListHarvestJobsInput : The request object for listing harvest jobs. + /// - Parameter input: The request object for listing harvest jobs. (Type: `ListHarvestJobsInput`) /// - /// - Returns: `ListHarvestJobsOutput` : The response object containing the list of harvest jobs that match the specified criteria. + /// - Returns: The response object containing the list of harvest jobs that match the specified criteria. (Type: `ListHarvestJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1686,7 +1667,6 @@ extension MediaPackageV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHarvestJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHarvestJobsOutput.httpOutput(from:), ListHarvestJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1718,9 +1698,9 @@ extension MediaPackageV2Client { /// /// Retrieves all origin endpoints in a specific channel that are configured in AWS Elemental MediaPackage. /// - /// - Parameter ListOriginEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOriginEndpointsInput`) /// - /// - Returns: `ListOriginEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOriginEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1756,7 +1736,6 @@ extension MediaPackageV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOriginEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOriginEndpointsOutput.httpOutput(from:), ListOriginEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1788,9 +1767,9 @@ extension MediaPackageV2Client { /// /// Lists the tags assigned to a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1821,7 +1800,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1853,9 +1831,9 @@ extension MediaPackageV2Client { /// /// Attaches an IAM policy to the specified channel. With policies, you can specify who has access to AWS resources and what actions they can perform on those resources. You can attach only one policy with each request. /// - /// - Parameter PutChannelPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutChannelPolicyInput`) /// - /// - Returns: `PutChannelPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutChannelPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1894,7 +1872,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutChannelPolicyOutput.httpOutput(from:), PutChannelPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1926,9 +1903,9 @@ extension MediaPackageV2Client { /// /// Attaches an IAM policy to the specified origin endpoint. You can attach only one policy with each request. /// - /// - Parameter PutOriginEndpointPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutOriginEndpointPolicyInput`) /// - /// - Returns: `PutOriginEndpointPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutOriginEndpointPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1967,7 +1944,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutOriginEndpointPolicyOutput.httpOutput(from:), PutOriginEndpointPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1999,9 +1975,9 @@ extension MediaPackageV2Client { /// /// Resetting the channel can help to clear errors from misconfigurations in the encoder. A reset refreshes the ingest stream and removes previous content. Be sure to stop the encoder before you reset the channel, and wait at least 30 seconds before you restart the encoder. /// - /// - Parameter ResetChannelStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetChannelStateInput`) /// - /// - Returns: `ResetChannelStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetChannelStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2037,7 +2013,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetChannelStateOutput.httpOutput(from:), ResetChannelStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2069,9 +2044,9 @@ extension MediaPackageV2Client { /// /// Resetting the origin endpoint can help to resolve unexpected behavior and other content packaging issues. It also helps to preserve special events when you don't want the previous content to be available for viewing. A reset clears out all previous content from the origin endpoint. MediaPackage might return old content from this endpoint in the first 30 seconds after the endpoint reset. For best results, when possible, wait 30 seconds from endpoint reset to send playback requests to this endpoint. /// - /// - Parameter ResetOriginEndpointStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetOriginEndpointStateInput`) /// - /// - Returns: `ResetOriginEndpointStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetOriginEndpointStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2107,7 +2082,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetOriginEndpointStateOutput.httpOutput(from:), ResetOriginEndpointStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2139,9 +2113,9 @@ extension MediaPackageV2Client { /// /// Assigns one of more tags (key-value pairs) to the specified MediaPackage resource. Tags can help you organize and categorize your resources. You can also use them to scope user permissions, by granting a user permission to access or change only resources with certain tag values. You can use the TagResource operation with a resource that already has tags. If you specify a new tag key for the resource, this tag is appended to the list of tags associated with the resource. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2175,7 +2149,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2207,9 +2180,9 @@ extension MediaPackageV2Client { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2241,7 +2214,6 @@ extension MediaPackageV2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2273,9 +2245,9 @@ extension MediaPackageV2Client { /// /// Update the specified channel. You can edit if MediaPackage sends ingest or egress access logs to the CloudWatch log group, if content will be encrypted, the description on a channel, and your channel's policy settings. You can't edit the name of the channel or CloudFront distribution details. Any edits you make that impact the video output may not be reflected for a few minutes. /// - /// - Parameter UpdateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelInput`) /// - /// - Returns: `UpdateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2315,7 +2287,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelOutput.httpOutput(from:), UpdateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2347,9 +2318,9 @@ extension MediaPackageV2Client { /// /// Update the specified channel group. You can edit the description on a channel group for easier identification later from the AWS Elemental MediaPackage console. You can't edit the name of the channel group. Any edits you make that impact the video output may not be reflected for a few minutes. /// - /// - Parameter UpdateChannelGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelGroupInput`) /// - /// - Returns: `UpdateChannelGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2389,7 +2360,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelGroupOutput.httpOutput(from:), UpdateChannelGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2421,9 +2391,9 @@ extension MediaPackageV2Client { /// /// Update the specified origin endpoint. Edit the packaging preferences on an endpoint to optimize the viewing experience. You can't edit the name of the endpoint. Any edits you make that impact the video output may not be reflected for a few minutes. /// - /// - Parameter UpdateOriginEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOriginEndpointInput`) /// - /// - Returns: `UpdateOriginEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOriginEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2464,7 +2434,6 @@ extension MediaPackageV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOriginEndpointOutput.httpOutput(from:), UpdateOriginEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMediaPackageVod/Sources/AWSMediaPackageVod/MediaPackageVodClient.swift b/Sources/Services/AWSMediaPackageVod/Sources/AWSMediaPackageVod/MediaPackageVodClient.swift index 88e0cedfb37..9c8bfb5e5ca 100644 --- a/Sources/Services/AWSMediaPackageVod/Sources/AWSMediaPackageVod/MediaPackageVodClient.swift +++ b/Sources/Services/AWSMediaPackageVod/Sources/AWSMediaPackageVod/MediaPackageVodClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MediaPackageVodClient: ClientRuntime.Client { public static let clientName = "MediaPackageVodClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MediaPackageVodClient.MediaPackageVodClientConfiguration let serviceName = "MediaPackage Vod" @@ -373,9 +372,9 @@ extension MediaPackageVodClient { /// /// Changes the packaging group's properities to configure log subscription /// - /// - Parameter ConfigureLogsInput : The option to configure log subscription. + /// - Parameter input: The option to configure log subscription. (Type: `ConfigureLogsInput`) /// - /// - Returns: `ConfigureLogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfigureLogsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfigureLogsOutput.httpOutput(from:), ConfigureLogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension MediaPackageVodClient { /// /// Creates a new MediaPackage VOD Asset resource. /// - /// - Parameter CreateAssetInput : A new MediaPackage VOD Asset configuration. + /// - Parameter input: A new MediaPackage VOD Asset configuration. (Type: `CreateAssetInput`) /// - /// - Returns: `CreateAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssetOutput.httpOutput(from:), CreateAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension MediaPackageVodClient { /// /// Creates a new MediaPackage VOD PackagingConfiguration resource. /// - /// - Parameter CreatePackagingConfigurationInput : A new MediaPackage VOD PackagingConfiguration resource configuration. + /// - Parameter input: A new MediaPackage VOD PackagingConfiguration resource configuration. (Type: `CreatePackagingConfigurationInput`) /// - /// - Returns: `CreatePackagingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePackagingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePackagingConfigurationOutput.httpOutput(from:), CreatePackagingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension MediaPackageVodClient { /// /// Creates a new MediaPackage VOD PackagingGroup resource. /// - /// - Parameter CreatePackagingGroupInput : A new MediaPackage VOD PackagingGroup resource configuration. + /// - Parameter input: A new MediaPackage VOD PackagingGroup resource configuration. (Type: `CreatePackagingGroupInput`) /// - /// - Returns: `CreatePackagingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePackagingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePackagingGroupOutput.httpOutput(from:), CreatePackagingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension MediaPackageVodClient { /// /// Deletes an existing MediaPackage VOD Asset resource. /// - /// - Parameter DeleteAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssetInput`) /// - /// - Returns: `DeleteAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssetOutput.httpOutput(from:), DeleteAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension MediaPackageVodClient { /// /// Deletes a MediaPackage VOD PackagingConfiguration resource. /// - /// - Parameter DeletePackagingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePackagingConfigurationInput`) /// - /// - Returns: `DeletePackagingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePackagingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -773,7 +767,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePackagingConfigurationOutput.httpOutput(from:), DeletePackagingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -805,9 +798,9 @@ extension MediaPackageVodClient { /// /// Deletes a MediaPackage VOD PackagingGroup resource. /// - /// - Parameter DeletePackagingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePackagingGroupInput`) /// - /// - Returns: `DeletePackagingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePackagingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -843,7 +836,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePackagingGroupOutput.httpOutput(from:), DeletePackagingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -875,9 +867,9 @@ extension MediaPackageVodClient { /// /// Returns a description of a MediaPackage VOD Asset resource. /// - /// - Parameter DescribeAssetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssetInput`) /// - /// - Returns: `DescribeAssetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -913,7 +905,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssetOutput.httpOutput(from:), DescribeAssetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -945,9 +936,9 @@ extension MediaPackageVodClient { /// /// Returns a description of a MediaPackage VOD PackagingConfiguration resource. /// - /// - Parameter DescribePackagingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePackagingConfigurationInput`) /// - /// - Returns: `DescribePackagingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePackagingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -983,7 +974,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePackagingConfigurationOutput.httpOutput(from:), DescribePackagingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1015,9 +1005,9 @@ extension MediaPackageVodClient { /// /// Returns a description of a MediaPackage VOD PackagingGroup resource. /// - /// - Parameter DescribePackagingGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePackagingGroupInput`) /// - /// - Returns: `DescribePackagingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePackagingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1053,7 +1043,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePackagingGroupOutput.httpOutput(from:), DescribePackagingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1085,9 +1074,9 @@ extension MediaPackageVodClient { /// /// Returns a collection of MediaPackage VOD Asset resources. /// - /// - Parameter ListAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetsInput`) /// - /// - Returns: `ListAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1124,7 +1113,6 @@ extension MediaPackageVodClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetsOutput.httpOutput(from:), ListAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1156,9 +1144,9 @@ extension MediaPackageVodClient { /// /// Returns a collection of MediaPackage VOD PackagingConfiguration resources. /// - /// - Parameter ListPackagingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackagingConfigurationsInput`) /// - /// - Returns: `ListPackagingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackagingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1195,7 +1183,6 @@ extension MediaPackageVodClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackagingConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackagingConfigurationsOutput.httpOutput(from:), ListPackagingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1227,9 +1214,9 @@ extension MediaPackageVodClient { /// /// Returns a collection of MediaPackage VOD PackagingGroup resources. /// - /// - Parameter ListPackagingGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackagingGroupsInput`) /// - /// - Returns: `ListPackagingGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackagingGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1266,7 +1253,6 @@ extension MediaPackageVodClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackagingGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackagingGroupsOutput.httpOutput(from:), ListPackagingGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1298,9 +1284,9 @@ extension MediaPackageVodClient { /// /// Returns a list of the tags assigned to the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) public func listTagsForResource(input: ListTagsForResourceInput) async throws -> ListTagsForResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1326,7 +1312,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1358,9 +1343,9 @@ extension MediaPackageVodClient { /// /// Adds tags to the specified resource. You can specify one or more tags to add. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) public func tagResource(input: TagResourceInput) async throws -> TagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1389,7 +1374,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1421,9 +1405,9 @@ extension MediaPackageVodClient { /// /// Removes tags from the specified resource. You can specify one or more tags to remove. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) public func untagResource(input: UntagResourceInput) async throws -> UntagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1450,7 +1434,6 @@ extension MediaPackageVodClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1482,9 +1465,9 @@ extension MediaPackageVodClient { /// /// Updates a specific packaging group. You can't change the id attribute or any other system-generated attributes. /// - /// - Parameter UpdatePackagingGroupInput : A MediaPackage VOD PackagingGroup resource configuration. + /// - Parameter input: A MediaPackage VOD PackagingGroup resource configuration. (Type: `UpdatePackagingGroupInput`) /// - /// - Returns: `UpdatePackagingGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePackagingGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1523,7 +1506,6 @@ extension MediaPackageVodClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePackagingGroupOutput.httpOutput(from:), UpdatePackagingGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMediaStore/Sources/AWSMediaStore/MediaStoreClient.swift b/Sources/Services/AWSMediaStore/Sources/AWSMediaStore/MediaStoreClient.swift index f047f60bcbe..51b71e6baa6 100644 --- a/Sources/Services/AWSMediaStore/Sources/AWSMediaStore/MediaStoreClient.swift +++ b/Sources/Services/AWSMediaStore/Sources/AWSMediaStore/MediaStoreClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MediaStoreClient: ClientRuntime.Client { public static let clientName = "MediaStoreClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MediaStoreClient.MediaStoreClientConfiguration let serviceName = "MediaStore" @@ -373,9 +372,9 @@ extension MediaStoreClient { /// /// Creates a storage container to hold objects. A container is similar to a bucket in the Amazon S3 service. /// - /// - Parameter CreateContainerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContainerInput`) /// - /// - Returns: `CreateContainerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContainerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContainerOutput.httpOutput(from:), CreateContainerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension MediaStoreClient { /// /// Deletes the specified container. Before you make a DeleteContainer request, delete any objects in the container or in any folders in the container. You can delete only empty containers. /// - /// - Parameter DeleteContainerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContainerInput`) /// - /// - Returns: `DeleteContainerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContainerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContainerOutput.httpOutput(from:), DeleteContainerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension MediaStoreClient { /// /// Deletes the access policy that is associated with the specified container. /// - /// - Parameter DeleteContainerPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContainerPolicyInput`) /// - /// - Returns: `DeleteContainerPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContainerPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -552,7 +549,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContainerPolicyOutput.httpOutput(from:), DeleteContainerPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension MediaStoreClient { /// /// Deletes the cross-origin resource sharing (CORS) configuration information that is set for the container. To use this operation, you must have permission to perform the MediaStore:DeleteCorsPolicy action. The container owner has this permission by default and can grant this permission to others. /// - /// - Parameter DeleteCorsPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCorsPolicyInput`) /// - /// - Returns: `DeleteCorsPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCorsPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -624,7 +620,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCorsPolicyOutput.httpOutput(from:), DeleteCorsPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension MediaStoreClient { /// /// Removes an object lifecycle policy from a container. It takes up to 20 minutes for the change to take effect. /// - /// - Parameter DeleteLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLifecyclePolicyInput`) /// - /// - Returns: `DeleteLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLifecyclePolicyOutput.httpOutput(from:), DeleteLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +725,9 @@ extension MediaStoreClient { /// /// Deletes the metric policy that is associated with the specified container. If there is no metric policy associated with the container, MediaStore doesn't send metrics to CloudWatch. /// - /// - Parameter DeleteMetricPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMetricPolicyInput`) /// - /// - Returns: `DeleteMetricPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMetricPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -768,7 +762,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMetricPolicyOutput.httpOutput(from:), DeleteMetricPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension MediaStoreClient { /// /// Retrieves the properties of the requested container. This request is commonly used to retrieve the endpoint of a container. An endpoint is a value assigned by the service when a new container is created. A container's endpoint does not change after it has been assigned. The DescribeContainer request returns a single Container object based on ContainerName. To return all Container objects that are associated with a specified AWS account, use [ListContainers]. /// - /// - Parameter DescribeContainerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContainerInput`) /// - /// - Returns: `DescribeContainerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContainerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -838,7 +831,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContainerOutput.httpOutput(from:), DescribeContainerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension MediaStoreClient { /// /// Retrieves the access policy for the specified container. For information about the data that is included in an access policy, see the [AWS Identity and Access Management User Guide](https://aws.amazon.com/documentation/iam/). /// - /// - Parameter GetContainerPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContainerPolicyInput`) /// - /// - Returns: `GetContainerPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContainerPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -910,7 +902,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContainerPolicyOutput.httpOutput(from:), GetContainerPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -945,9 +936,9 @@ extension MediaStoreClient { /// /// Returns the cross-origin resource sharing (CORS) configuration information that is set for the container. To use this operation, you must have permission to perform the MediaStore:GetCorsPolicy action. By default, the container owner has this permission and can grant it to others. /// - /// - Parameter GetCorsPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCorsPolicyInput`) /// - /// - Returns: `GetCorsPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCorsPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -982,7 +973,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCorsPolicyOutput.httpOutput(from:), GetCorsPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1017,9 +1007,9 @@ extension MediaStoreClient { /// /// Retrieves the object lifecycle policy that is assigned to a container. /// - /// - Parameter GetLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLifecyclePolicyInput`) /// - /// - Returns: `GetLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLifecyclePolicyOutput.httpOutput(from:), GetLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1089,9 +1078,9 @@ extension MediaStoreClient { /// /// Returns the metric policy for the specified container. /// - /// - Parameter GetMetricPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMetricPolicyInput`) /// - /// - Returns: `GetMetricPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMetricPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1126,7 +1115,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMetricPolicyOutput.httpOutput(from:), GetMetricPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1161,9 +1149,9 @@ extension MediaStoreClient { /// /// Lists the properties of all containers in AWS Elemental MediaStore. You can query to receive all the containers in one response. Or you can include the MaxResults parameter to receive a limited number of containers in each response. In this case, the response includes a token. To get the next set of containers, send the command again, this time with the NextToken parameter (with the returned token as its value). The next set of responses appears, with a token if there are still more containers to receive. See also [DescribeContainer], which gets the properties of one container. /// - /// - Parameter ListContainersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContainersInput`) /// - /// - Returns: `ListContainersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContainersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1195,7 +1183,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContainersOutput.httpOutput(from:), ListContainersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1230,9 +1217,9 @@ extension MediaStoreClient { /// /// Returns a list of the tags assigned to the specified container. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1266,7 +1253,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1301,9 +1287,9 @@ extension MediaStoreClient { /// /// Creates an access policy for the specified container to restrict the users and clients that can access it. For information about the data that is included in an access policy, see the [AWS Identity and Access Management User Guide](https://aws.amazon.com/documentation/iam/). For this release of the REST API, you can create only one policy for a container. If you enter PutContainerPolicy twice, the second command modifies the existing policy. /// - /// - Parameter PutContainerPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutContainerPolicyInput`) /// - /// - Returns: `PutContainerPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutContainerPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1337,7 +1323,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutContainerPolicyOutput.httpOutput(from:), PutContainerPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1372,9 +1357,9 @@ extension MediaStoreClient { /// /// Sets the cross-origin resource sharing (CORS) configuration on a container so that the container can service cross-origin requests. For example, you might want to enable a request whose origin is http://www.example.com to access your AWS Elemental MediaStore container at my.example.container.com by using the browser's XMLHttpRequest capability. To enable CORS on a container, you attach a CORS policy to the container. In the CORS policy, you configure rules that identify origins and the HTTP methods that can be executed on your container. The policy can contain up to 398,000 characters. You can add up to 100 rules to a CORS policy. If more than one rule applies, the service uses the first applicable rule listed. To learn more about CORS, see [Cross-Origin Resource Sharing (CORS) in AWS Elemental MediaStore](https://docs.aws.amazon.com/mediastore/latest/ug/cors-policy.html). /// - /// - Parameter PutCorsPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutCorsPolicyInput`) /// - /// - Returns: `PutCorsPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutCorsPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1408,7 +1393,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutCorsPolicyOutput.httpOutput(from:), PutCorsPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1443,9 +1427,9 @@ extension MediaStoreClient { /// /// Writes an object lifecycle policy to a container. If the container already has an object lifecycle policy, the service replaces the existing policy with the new policy. It takes up to 20 minutes for the change to take effect. For information about how to construct an object lifecycle policy, see [Components of an Object Lifecycle Policy](https://docs.aws.amazon.com/mediastore/latest/ug/policies-object-lifecycle-components.html). /// - /// - Parameter PutLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLifecyclePolicyInput`) /// - /// - Returns: `PutLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1479,7 +1463,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLifecyclePolicyOutput.httpOutput(from:), PutLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1514,9 +1497,9 @@ extension MediaStoreClient { /// /// The metric policy that you want to add to the container. A metric policy allows AWS Elemental MediaStore to send metrics to Amazon CloudWatch. It takes up to 20 minutes for the new policy to take effect. /// - /// - Parameter PutMetricPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMetricPolicyInput`) /// - /// - Returns: `PutMetricPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMetricPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1550,7 +1533,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMetricPolicyOutput.httpOutput(from:), PutMetricPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1585,9 +1567,9 @@ extension MediaStoreClient { /// /// Starts access logging on the specified container. When you enable access logging on a container, MediaStore delivers access logs for objects stored in that container to Amazon CloudWatch Logs. /// - /// - Parameter StartAccessLoggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAccessLoggingInput`) /// - /// - Returns: `StartAccessLoggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAccessLoggingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1621,7 +1603,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAccessLoggingOutput.httpOutput(from:), StartAccessLoggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1656,9 +1637,9 @@ extension MediaStoreClient { /// /// Stops access logging on the specified container. When you stop access logging on a container, MediaStore stops sending access logs to Amazon CloudWatch Logs. These access logs are not saved and are not retrievable. /// - /// - Parameter StopAccessLoggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopAccessLoggingInput`) /// - /// - Returns: `StopAccessLoggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopAccessLoggingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1692,7 +1673,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopAccessLoggingOutput.httpOutput(from:), StopAccessLoggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1727,9 +1707,9 @@ extension MediaStoreClient { /// /// Adds tags to the specified AWS Elemental MediaStore container. Tags are key:value pairs that you can associate with AWS resources. For example, the tag key might be "customer" and the tag value might be "companyA." You can specify one or more tags to add to each container. You can add up to 50 tags to each container. For more information about tagging, including naming and usage conventions, see [Tagging Resources in MediaStore](https://docs.aws.amazon.com/mediastore/latest/ug/tagging.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1763,7 +1743,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1798,9 +1777,9 @@ extension MediaStoreClient { /// /// Removes tags from the specified container. You can specify one or more tags to remove. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1834,7 +1813,6 @@ extension MediaStoreClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMediaStoreData/Sources/AWSMediaStoreData/MediaStoreDataClient.swift b/Sources/Services/AWSMediaStoreData/Sources/AWSMediaStoreData/MediaStoreDataClient.swift index f4fb1474112..0f724bf2fe9 100644 --- a/Sources/Services/AWSMediaStoreData/Sources/AWSMediaStoreData/MediaStoreDataClient.swift +++ b/Sources/Services/AWSMediaStoreData/Sources/AWSMediaStoreData/MediaStoreDataClient.swift @@ -22,7 +22,6 @@ import class Smithy.Context import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MediaStoreDataClient: ClientRuntime.Client { public static let clientName = "MediaStoreDataClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MediaStoreDataClient.MediaStoreDataClientConfiguration let serviceName = "MediaStore Data" @@ -375,9 +374,9 @@ extension MediaStoreDataClient { /// /// Deletes an object at the specified path. /// - /// - Parameter DeleteObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteObjectInput`) /// - /// - Returns: `DeleteObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension MediaStoreDataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteObjectOutput.httpOutput(from:), DeleteObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension MediaStoreDataClient { /// /// Gets the headers for an object at the specified path. /// - /// - Parameter DescribeObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeObjectInput`) /// - /// - Returns: `DescribeObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -477,7 +475,6 @@ extension MediaStoreDataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeObjectOutput.httpOutput(from:), DescribeObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -509,9 +506,9 @@ extension MediaStoreDataClient { /// /// Downloads the object at the specified path. If the object’s upload availability is set to streaming, AWS Elemental MediaStore downloads the object even if it’s still uploading the object. /// - /// - Parameter GetObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectInput`) /// - /// - Returns: `GetObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -546,7 +543,6 @@ extension MediaStoreDataClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetObjectInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectOutput.httpOutput(from:), GetObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -578,9 +574,9 @@ extension MediaStoreDataClient { /// /// Provides a list of metadata entries about folders and objects in the specified folder. /// - /// - Parameter ListItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListItemsInput`) /// - /// - Returns: `ListItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -613,7 +609,6 @@ extension MediaStoreDataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListItemsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListItemsOutput.httpOutput(from:), ListItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -645,9 +640,9 @@ extension MediaStoreDataClient { /// /// Uploads an object to the specified path. Object sizes are limited to 25 MB for standard upload availability and 10 MB for streaming upload availability. /// - /// - Parameter PutObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutObjectInput`) /// - /// - Returns: `PutObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -683,7 +678,6 @@ extension MediaStoreDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware(requiresLength: false, unsignedPayload: true)) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectOutput.httpOutput(from:), PutObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMediaTailor/Sources/AWSMediaTailor/MediaTailorClient.swift b/Sources/Services/AWSMediaTailor/Sources/AWSMediaTailor/MediaTailorClient.swift index d4d5eeac3ed..cf554502a94 100644 --- a/Sources/Services/AWSMediaTailor/Sources/AWSMediaTailor/MediaTailorClient.swift +++ b/Sources/Services/AWSMediaTailor/Sources/AWSMediaTailor/MediaTailorClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MediaTailorClient: ClientRuntime.Client { public static let clientName = "MediaTailorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MediaTailorClient.MediaTailorClientConfiguration let serviceName = "MediaTailor" @@ -374,9 +373,9 @@ extension MediaTailorClient { /// /// Configures Amazon CloudWatch log settings for a channel. /// - /// - Parameter ConfigureLogsForChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConfigureLogsForChannelInput`) /// - /// - Returns: `ConfigureLogsForChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfigureLogsForChannelOutput`) public func configureLogsForChannel(input: ConfigureLogsForChannelInput) async throws -> ConfigureLogsForChannelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -405,7 +404,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfigureLogsForChannelOutput.httpOutput(from:), ConfigureLogsForChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -437,9 +435,9 @@ extension MediaTailorClient { /// /// Defines where AWS Elemental MediaTailor sends logs for the playback configuration. /// - /// - Parameter ConfigureLogsForPlaybackConfigurationInput : Configures Amazon CloudWatch log settings for a playback configuration. + /// - Parameter input: Configures Amazon CloudWatch log settings for a playback configuration. (Type: `ConfigureLogsForPlaybackConfigurationInput`) /// - /// - Returns: `ConfigureLogsForPlaybackConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConfigureLogsForPlaybackConfigurationOutput`) public func configureLogsForPlaybackConfiguration(input: ConfigureLogsForPlaybackConfigurationInput) async throws -> ConfigureLogsForPlaybackConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -468,7 +466,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfigureLogsForPlaybackConfigurationOutput.httpOutput(from:), ConfigureLogsForPlaybackConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -500,9 +497,9 @@ extension MediaTailorClient { /// /// Creates a channel. For information about MediaTailor channels, see [Working with channels](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-channels.html) in the MediaTailor User Guide. /// - /// - Parameter CreateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelInput`) /// - /// - Returns: `CreateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelOutput`) public func createChannel(input: CreateChannelInput) async throws -> CreateChannelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -531,7 +528,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelOutput.httpOutput(from:), CreateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -563,9 +559,9 @@ extension MediaTailorClient { /// /// The live source configuration. /// - /// - Parameter CreateLiveSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLiveSourceInput`) /// - /// - Returns: `CreateLiveSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLiveSourceOutput`) public func createLiveSource(input: CreateLiveSourceInput) async throws -> CreateLiveSourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -594,7 +590,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLiveSourceOutput.httpOutput(from:), CreateLiveSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -626,9 +621,9 @@ extension MediaTailorClient { /// /// Creates a prefetch schedule for a playback configuration. A prefetch schedule allows you to tell MediaTailor to fetch and prepare certain ads before an ad break happens. For more information about ad prefetching, see [Using ad prefetching](https://docs.aws.amazon.com/mediatailor/latest/ug/prefetching-ads.html) in the MediaTailor User Guide. /// - /// - Parameter CreatePrefetchScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePrefetchScheduleInput`) /// - /// - Returns: `CreatePrefetchScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePrefetchScheduleOutput`) public func createPrefetchSchedule(input: CreatePrefetchScheduleInput) async throws -> CreatePrefetchScheduleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -657,7 +652,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePrefetchScheduleOutput.httpOutput(from:), CreatePrefetchScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -689,9 +683,9 @@ extension MediaTailorClient { /// /// Creates a program within a channel. For information about programs, see [Working with programs](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-programs.html) in the MediaTailor User Guide. /// - /// - Parameter CreateProgramInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProgramInput`) /// - /// - Returns: `CreateProgramOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProgramOutput`) public func createProgram(input: CreateProgramInput) async throws -> CreateProgramOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -720,7 +714,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProgramOutput.httpOutput(from:), CreateProgramOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -752,9 +745,9 @@ extension MediaTailorClient { /// /// Creates a source location. A source location is a container for sources. For more information about source locations, see [Working with source locations](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-source-locations.html) in the MediaTailor User Guide. /// - /// - Parameter CreateSourceLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSourceLocationInput`) /// - /// - Returns: `CreateSourceLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSourceLocationOutput`) public func createSourceLocation(input: CreateSourceLocationInput) async throws -> CreateSourceLocationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -783,7 +776,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSourceLocationOutput.httpOutput(from:), CreateSourceLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -815,9 +807,9 @@ extension MediaTailorClient { /// /// The VOD source configuration parameters. /// - /// - Parameter CreateVodSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVodSourceInput`) /// - /// - Returns: `CreateVodSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVodSourceOutput`) public func createVodSource(input: CreateVodSourceInput) async throws -> CreateVodSourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -846,7 +838,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVodSourceOutput.httpOutput(from:), CreateVodSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -878,9 +869,9 @@ extension MediaTailorClient { /// /// Deletes a channel. For information about MediaTailor channels, see [Working with channels](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-channels.html) in the MediaTailor User Guide. /// - /// - Parameter DeleteChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelInput`) /// - /// - Returns: `DeleteChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelOutput`) public func deleteChannel(input: DeleteChannelInput) async throws -> DeleteChannelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -906,7 +897,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelOutput.httpOutput(from:), DeleteChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -938,9 +928,9 @@ extension MediaTailorClient { /// /// The channel policy to delete. /// - /// - Parameter DeleteChannelPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChannelPolicyInput`) /// - /// - Returns: `DeleteChannelPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChannelPolicyOutput`) public func deleteChannelPolicy(input: DeleteChannelPolicyInput) async throws -> DeleteChannelPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -966,7 +956,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChannelPolicyOutput.httpOutput(from:), DeleteChannelPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -998,9 +987,9 @@ extension MediaTailorClient { /// /// The live source to delete. /// - /// - Parameter DeleteLiveSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLiveSourceInput`) /// - /// - Returns: `DeleteLiveSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLiveSourceOutput`) public func deleteLiveSource(input: DeleteLiveSourceInput) async throws -> DeleteLiveSourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1026,7 +1015,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLiveSourceOutput.httpOutput(from:), DeleteLiveSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1058,9 +1046,9 @@ extension MediaTailorClient { /// /// Deletes a playback configuration. For information about MediaTailor configurations, see [Working with configurations in AWS Elemental MediaTailor](https://docs.aws.amazon.com/mediatailor/latest/ug/configurations.html). /// - /// - Parameter DeletePlaybackConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePlaybackConfigurationInput`) /// - /// - Returns: `DeletePlaybackConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePlaybackConfigurationOutput`) public func deletePlaybackConfiguration(input: DeletePlaybackConfigurationInput) async throws -> DeletePlaybackConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1086,7 +1074,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePlaybackConfigurationOutput.httpOutput(from:), DeletePlaybackConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1118,9 +1105,9 @@ extension MediaTailorClient { /// /// Deletes a prefetch schedule for a specific playback configuration. If you call DeletePrefetchSchedule on an expired prefetch schedule, MediaTailor returns an HTTP 404 status code. For more information about ad prefetching, see [Using ad prefetching](https://docs.aws.amazon.com/mediatailor/latest/ug/prefetching-ads.html) in the MediaTailor User Guide. /// - /// - Parameter DeletePrefetchScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePrefetchScheduleInput`) /// - /// - Returns: `DeletePrefetchScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePrefetchScheduleOutput`) public func deletePrefetchSchedule(input: DeletePrefetchScheduleInput) async throws -> DeletePrefetchScheduleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1146,7 +1133,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePrefetchScheduleOutput.httpOutput(from:), DeletePrefetchScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1178,9 +1164,9 @@ extension MediaTailorClient { /// /// Deletes a program within a channel. For information about programs, see [Working with programs](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-programs.html) in the MediaTailor User Guide. /// - /// - Parameter DeleteProgramInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProgramInput`) /// - /// - Returns: `DeleteProgramOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProgramOutput`) public func deleteProgram(input: DeleteProgramInput) async throws -> DeleteProgramOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1206,7 +1192,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProgramOutput.httpOutput(from:), DeleteProgramOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1238,9 +1223,9 @@ extension MediaTailorClient { /// /// Deletes a source location. A source location is a container for sources. For more information about source locations, see [Working with source locations](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-source-locations.html) in the MediaTailor User Guide. /// - /// - Parameter DeleteSourceLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSourceLocationInput`) /// - /// - Returns: `DeleteSourceLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSourceLocationOutput`) public func deleteSourceLocation(input: DeleteSourceLocationInput) async throws -> DeleteSourceLocationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1266,7 +1251,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSourceLocationOutput.httpOutput(from:), DeleteSourceLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1298,9 +1282,9 @@ extension MediaTailorClient { /// /// The video on demand (VOD) source to delete. /// - /// - Parameter DeleteVodSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVodSourceInput`) /// - /// - Returns: `DeleteVodSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVodSourceOutput`) public func deleteVodSource(input: DeleteVodSourceInput) async throws -> DeleteVodSourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1326,7 +1310,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVodSourceOutput.httpOutput(from:), DeleteVodSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1358,9 +1341,9 @@ extension MediaTailorClient { /// /// Describes a channel. For information about MediaTailor channels, see [Working with channels](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-channels.html) in the MediaTailor User Guide. /// - /// - Parameter DescribeChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeChannelInput`) /// - /// - Returns: `DescribeChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeChannelOutput`) public func describeChannel(input: DescribeChannelInput) async throws -> DescribeChannelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1386,7 +1369,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChannelOutput.httpOutput(from:), DescribeChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1418,9 +1400,9 @@ extension MediaTailorClient { /// /// The live source to describe. /// - /// - Parameter DescribeLiveSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLiveSourceInput`) /// - /// - Returns: `DescribeLiveSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLiveSourceOutput`) public func describeLiveSource(input: DescribeLiveSourceInput) async throws -> DescribeLiveSourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1446,7 +1428,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLiveSourceOutput.httpOutput(from:), DescribeLiveSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1478,9 +1459,9 @@ extension MediaTailorClient { /// /// Describes a program within a channel. For information about programs, see [Working with programs](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-programs.html) in the MediaTailor User Guide. /// - /// - Parameter DescribeProgramInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProgramInput`) /// - /// - Returns: `DescribeProgramOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProgramOutput`) public func describeProgram(input: DescribeProgramInput) async throws -> DescribeProgramOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1506,7 +1487,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProgramOutput.httpOutput(from:), DescribeProgramOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1538,9 +1518,9 @@ extension MediaTailorClient { /// /// Describes a source location. A source location is a container for sources. For more information about source locations, see [Working with source locations](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-source-locations.html) in the MediaTailor User Guide. /// - /// - Parameter DescribeSourceLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSourceLocationInput`) /// - /// - Returns: `DescribeSourceLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSourceLocationOutput`) public func describeSourceLocation(input: DescribeSourceLocationInput) async throws -> DescribeSourceLocationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1566,7 +1546,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSourceLocationOutput.httpOutput(from:), DescribeSourceLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1598,9 +1577,9 @@ extension MediaTailorClient { /// /// Provides details about a specific video on demand (VOD) source in a specific source location. /// - /// - Parameter DescribeVodSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVodSourceInput`) /// - /// - Returns: `DescribeVodSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVodSourceOutput`) public func describeVodSource(input: DescribeVodSourceInput) async throws -> DescribeVodSourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1626,7 +1605,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVodSourceOutput.httpOutput(from:), DescribeVodSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1658,9 +1636,9 @@ extension MediaTailorClient { /// /// Returns the channel's IAM policy. IAM policies are used to control access to your channel. /// - /// - Parameter GetChannelPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelPolicyInput`) /// - /// - Returns: `GetChannelPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelPolicyOutput`) public func getChannelPolicy(input: GetChannelPolicyInput) async throws -> GetChannelPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1686,7 +1664,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelPolicyOutput.httpOutput(from:), GetChannelPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1718,9 +1695,9 @@ extension MediaTailorClient { /// /// Retrieves information about your channel's schedule. /// - /// - Parameter GetChannelScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelScheduleInput`) /// - /// - Returns: `GetChannelScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelScheduleOutput`) public func getChannelSchedule(input: GetChannelScheduleInput) async throws -> GetChannelScheduleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1747,7 +1724,6 @@ extension MediaTailorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetChannelScheduleInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelScheduleOutput.httpOutput(from:), GetChannelScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1779,9 +1755,9 @@ extension MediaTailorClient { /// /// Retrieves a playback configuration. For information about MediaTailor configurations, see [Working with configurations in AWS Elemental MediaTailor](https://docs.aws.amazon.com/mediatailor/latest/ug/configurations.html). /// - /// - Parameter GetPlaybackConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPlaybackConfigurationInput`) /// - /// - Returns: `GetPlaybackConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPlaybackConfigurationOutput`) public func getPlaybackConfiguration(input: GetPlaybackConfigurationInput) async throws -> GetPlaybackConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1807,7 +1783,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlaybackConfigurationOutput.httpOutput(from:), GetPlaybackConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1839,9 +1814,9 @@ extension MediaTailorClient { /// /// Retrieves a prefetch schedule for a playback configuration. A prefetch schedule allows you to tell MediaTailor to fetch and prepare certain ads before an ad break happens. For more information about ad prefetching, see [Using ad prefetching](https://docs.aws.amazon.com/mediatailor/latest/ug/prefetching-ads.html) in the MediaTailor User Guide. /// - /// - Parameter GetPrefetchScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPrefetchScheduleInput`) /// - /// - Returns: `GetPrefetchScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPrefetchScheduleOutput`) public func getPrefetchSchedule(input: GetPrefetchScheduleInput) async throws -> GetPrefetchScheduleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1867,7 +1842,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPrefetchScheduleOutput.httpOutput(from:), GetPrefetchScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1899,9 +1873,9 @@ extension MediaTailorClient { /// /// Lists the alerts that are associated with a MediaTailor channel assembly resource. /// - /// - Parameter ListAlertsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAlertsInput`) /// - /// - Returns: `ListAlertsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAlertsOutput`) public func listAlerts(input: ListAlertsInput) async throws -> ListAlertsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1928,7 +1902,6 @@ extension MediaTailorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAlertsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAlertsOutput.httpOutput(from:), ListAlertsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1960,9 +1933,9 @@ extension MediaTailorClient { /// /// Retrieves information about the channels that are associated with the current AWS account. /// - /// - Parameter ListChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsInput`) /// - /// - Returns: `ListChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsOutput`) public func listChannels(input: ListChannelsInput) async throws -> ListChannelsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1989,7 +1962,6 @@ extension MediaTailorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsOutput.httpOutput(from:), ListChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2021,9 +1993,9 @@ extension MediaTailorClient { /// /// Lists the live sources contained in a source location. A source represents a piece of content. /// - /// - Parameter ListLiveSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLiveSourcesInput`) /// - /// - Returns: `ListLiveSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLiveSourcesOutput`) public func listLiveSources(input: ListLiveSourcesInput) async throws -> ListLiveSourcesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2050,7 +2022,6 @@ extension MediaTailorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLiveSourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLiveSourcesOutput.httpOutput(from:), ListLiveSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2082,9 +2053,9 @@ extension MediaTailorClient { /// /// Retrieves existing playback configurations. For information about MediaTailor configurations, see [Working with Configurations in AWS Elemental MediaTailor](https://docs.aws.amazon.com/mediatailor/latest/ug/configurations.html). /// - /// - Parameter ListPlaybackConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPlaybackConfigurationsInput`) /// - /// - Returns: `ListPlaybackConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPlaybackConfigurationsOutput`) public func listPlaybackConfigurations(input: ListPlaybackConfigurationsInput) async throws -> ListPlaybackConfigurationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2111,7 +2082,6 @@ extension MediaTailorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPlaybackConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlaybackConfigurationsOutput.httpOutput(from:), ListPlaybackConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2143,9 +2113,9 @@ extension MediaTailorClient { /// /// Lists the prefetch schedules for a playback configuration. /// - /// - Parameter ListPrefetchSchedulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPrefetchSchedulesInput`) /// - /// - Returns: `ListPrefetchSchedulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPrefetchSchedulesOutput`) public func listPrefetchSchedules(input: ListPrefetchSchedulesInput) async throws -> ListPrefetchSchedulesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2174,7 +2144,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPrefetchSchedulesOutput.httpOutput(from:), ListPrefetchSchedulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2206,9 +2175,9 @@ extension MediaTailorClient { /// /// Lists the source locations for a channel. A source location defines the host server URL, and contains a list of sources. /// - /// - Parameter ListSourceLocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSourceLocationsInput`) /// - /// - Returns: `ListSourceLocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSourceLocationsOutput`) public func listSourceLocations(input: ListSourceLocationsInput) async throws -> ListSourceLocationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2235,7 +2204,6 @@ extension MediaTailorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSourceLocationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSourceLocationsOutput.httpOutput(from:), ListSourceLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2267,9 +2235,9 @@ extension MediaTailorClient { /// /// A list of tags that are associated with this resource. Tags are key-value pairs that you can associate with Amazon resources to help with organization, access control, and cost tracking. For more information, see [Tagging AWS Elemental MediaTailor Resources](https://docs.aws.amazon.com/mediatailor/latest/ug/tagging.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2300,7 +2268,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2332,9 +2299,9 @@ extension MediaTailorClient { /// /// Lists the VOD sources contained in a source location. A source represents a piece of content. /// - /// - Parameter ListVodSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVodSourcesInput`) /// - /// - Returns: `ListVodSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVodSourcesOutput`) public func listVodSources(input: ListVodSourcesInput) async throws -> ListVodSourcesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2361,7 +2328,6 @@ extension MediaTailorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVodSourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVodSourcesOutput.httpOutput(from:), ListVodSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2393,9 +2359,9 @@ extension MediaTailorClient { /// /// Creates an IAM policy for the channel. IAM policies are used to control access to your channel. /// - /// - Parameter PutChannelPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutChannelPolicyInput`) /// - /// - Returns: `PutChannelPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutChannelPolicyOutput`) public func putChannelPolicy(input: PutChannelPolicyInput) async throws -> PutChannelPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -2424,7 +2390,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutChannelPolicyOutput.httpOutput(from:), PutChannelPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2456,9 +2421,9 @@ extension MediaTailorClient { /// /// Creates a playback configuration. For information about MediaTailor configurations, see [Working with configurations in AWS Elemental MediaTailor](https://docs.aws.amazon.com/mediatailor/latest/ug/configurations.html). /// - /// - Parameter PutPlaybackConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPlaybackConfigurationInput`) /// - /// - Returns: `PutPlaybackConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPlaybackConfigurationOutput`) public func putPlaybackConfiguration(input: PutPlaybackConfigurationInput) async throws -> PutPlaybackConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -2487,7 +2452,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPlaybackConfigurationOutput.httpOutput(from:), PutPlaybackConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2519,9 +2483,9 @@ extension MediaTailorClient { /// /// Starts a channel. For information about MediaTailor channels, see [Working with channels](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-channels.html) in the MediaTailor User Guide. /// - /// - Parameter StartChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartChannelInput`) /// - /// - Returns: `StartChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartChannelOutput`) public func startChannel(input: StartChannelInput) async throws -> StartChannelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -2547,7 +2511,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartChannelOutput.httpOutput(from:), StartChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2579,9 +2542,9 @@ extension MediaTailorClient { /// /// Stops a channel. For information about MediaTailor channels, see [Working with channels](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-channels.html) in the MediaTailor User Guide. /// - /// - Parameter StopChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopChannelInput`) /// - /// - Returns: `StopChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopChannelOutput`) public func stopChannel(input: StopChannelInput) async throws -> StopChannelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -2607,7 +2570,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopChannelOutput.httpOutput(from:), StopChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2639,9 +2601,9 @@ extension MediaTailorClient { /// /// The resource to tag. Tags are key-value pairs that you can associate with Amazon resources to help with organization, access control, and cost tracking. For more information, see [Tagging AWS Elemental MediaTailor Resources](https://docs.aws.amazon.com/mediatailor/latest/ug/tagging.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2675,7 +2637,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2707,9 +2668,9 @@ extension MediaTailorClient { /// /// The resource to untag. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2741,7 +2702,6 @@ extension MediaTailorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2773,9 +2733,9 @@ extension MediaTailorClient { /// /// Updates a channel. For information about MediaTailor channels, see [Working with channels](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-channels.html) in the MediaTailor User Guide. /// - /// - Parameter UpdateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelInput`) /// - /// - Returns: `UpdateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelOutput`) public func updateChannel(input: UpdateChannelInput) async throws -> UpdateChannelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -2804,7 +2764,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelOutput.httpOutput(from:), UpdateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2836,9 +2795,9 @@ extension MediaTailorClient { /// /// Updates a live source's configuration. /// - /// - Parameter UpdateLiveSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLiveSourceInput`) /// - /// - Returns: `UpdateLiveSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLiveSourceOutput`) public func updateLiveSource(input: UpdateLiveSourceInput) async throws -> UpdateLiveSourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -2867,7 +2826,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLiveSourceOutput.httpOutput(from:), UpdateLiveSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2899,9 +2857,9 @@ extension MediaTailorClient { /// /// Updates a program within a channel. /// - /// - Parameter UpdateProgramInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProgramInput`) /// - /// - Returns: `UpdateProgramOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProgramOutput`) public func updateProgram(input: UpdateProgramInput) async throws -> UpdateProgramOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -2930,7 +2888,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProgramOutput.httpOutput(from:), UpdateProgramOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2962,9 +2919,9 @@ extension MediaTailorClient { /// /// Updates a source location. A source location is a container for sources. For more information about source locations, see [Working with source locations](https://docs.aws.amazon.com/mediatailor/latest/ug/channel-assembly-source-locations.html) in the MediaTailor User Guide. /// - /// - Parameter UpdateSourceLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSourceLocationInput`) /// - /// - Returns: `UpdateSourceLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSourceLocationOutput`) public func updateSourceLocation(input: UpdateSourceLocationInput) async throws -> UpdateSourceLocationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -2993,7 +2950,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSourceLocationOutput.httpOutput(from:), UpdateSourceLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3025,9 +2981,9 @@ extension MediaTailorClient { /// /// Updates a VOD source's configuration. /// - /// - Parameter UpdateVodSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVodSourceInput`) /// - /// - Returns: `UpdateVodSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVodSourceOutput`) public func updateVodSource(input: UpdateVodSourceInput) async throws -> UpdateVodSourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -3056,7 +3012,6 @@ extension MediaTailorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVodSourceOutput.httpOutput(from:), UpdateVodSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMedicalImaging/Sources/AWSMedicalImaging/MedicalImagingClient.swift b/Sources/Services/AWSMedicalImaging/Sources/AWSMedicalImaging/MedicalImagingClient.swift index 0e5675dcd1d..35572cb8338 100644 --- a/Sources/Services/AWSMedicalImaging/Sources/AWSMedicalImaging/MedicalImagingClient.swift +++ b/Sources/Services/AWSMedicalImaging/Sources/AWSMedicalImaging/MedicalImagingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -71,7 +70,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MedicalImagingClient: ClientRuntime.Client { public static let clientName = "MedicalImagingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MedicalImagingClient.MedicalImagingClientConfiguration let serviceName = "Medical Imaging" @@ -377,9 +376,9 @@ extension MedicalImagingClient { /// /// Copy an image set. /// - /// - Parameter CopyImageSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyImageSetInput`) /// - /// - Returns: `CopyImageSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyImageSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -420,7 +419,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyImageSetOutput.httpOutput(from:), CopyImageSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension MedicalImagingClient { /// /// Create a data store. /// - /// - Parameter CreateDatastoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatastoreInput`) /// - /// - Returns: `CreateDatastoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatastoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -495,7 +493,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatastoreOutput.httpOutput(from:), CreateDatastoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -527,9 +524,9 @@ extension MedicalImagingClient { /// /// Delete a data store. Before a data store can be deleted, you must first delete all image sets within it. /// - /// - Parameter DeleteDatastoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatastoreInput`) /// - /// - Returns: `DeleteDatastoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatastoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatastoreOutput.httpOutput(from:), DeleteDatastoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension MedicalImagingClient { /// /// Delete an image set. /// - /// - Parameter DeleteImageSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImageSetInput`) /// - /// - Returns: `DeleteImageSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImageSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "runtime-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImageSetOutput.httpOutput(from:), DeleteImageSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension MedicalImagingClient { /// /// Get the import job properties to learn more about the job or job progress. The jobStatus refers to the execution of the import job. Therefore, an import job can return a jobStatus as COMPLETED even if validation issues are discovered during the import process. If a jobStatus returns as COMPLETED, we still recommend you review the output manifests written to S3, as they provide details on the success or failure of individual P10 object imports. /// - /// - Parameter GetDICOMImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDICOMImportJobInput`) /// - /// - Returns: `GetDICOMImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDICOMImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDICOMImportJobOutput.httpOutput(from:), GetDICOMImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -737,9 +731,9 @@ extension MedicalImagingClient { /// /// Get data store properties. /// - /// - Parameter GetDatastoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDatastoreInput`) /// - /// - Returns: `GetDatastoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDatastoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDatastoreOutput.httpOutput(from:), GetDatastoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension MedicalImagingClient { /// /// Get an image frame (pixel data) for an image set. /// - /// - Parameter GetImageFrameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImageFrameInput`) /// - /// - Returns: `GetImageFrameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImageFrameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImageFrameOutput.httpOutput(from:), GetImageFrameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension MedicalImagingClient { /// /// Get image set properties. /// - /// - Parameter GetImageSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImageSetInput`) /// - /// - Returns: `GetImageSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImageSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -918,7 +910,6 @@ extension MedicalImagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetImageSetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImageSetOutput.httpOutput(from:), GetImageSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -950,9 +941,9 @@ extension MedicalImagingClient { /// /// Get metadata attributes for an image set. /// - /// - Parameter GetImageSetMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImageSetMetadataInput`) /// - /// - Returns: `GetImageSetMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImageSetMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -989,7 +980,6 @@ extension MedicalImagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetImageSetMetadataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImageSetMetadataOutput.httpOutput(from:), GetImageSetMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1021,9 +1011,9 @@ extension MedicalImagingClient { /// /// List import jobs created for a specific data store. /// - /// - Parameter ListDICOMImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDICOMImportJobsInput`) /// - /// - Returns: `ListDICOMImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDICOMImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1060,7 +1050,6 @@ extension MedicalImagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDICOMImportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDICOMImportJobsOutput.httpOutput(from:), ListDICOMImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1081,9 @@ extension MedicalImagingClient { /// /// List data stores. /// - /// - Parameter ListDatastoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatastoresInput`) /// - /// - Returns: `ListDatastoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatastoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1129,7 +1118,6 @@ extension MedicalImagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDatastoresInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatastoresOutput.httpOutput(from:), ListDatastoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1161,9 +1149,9 @@ extension MedicalImagingClient { /// /// List image set versions. /// - /// - Parameter ListImageSetVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImageSetVersionsInput`) /// - /// - Returns: `ListImageSetVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImageSetVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1200,7 +1188,6 @@ extension MedicalImagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListImageSetVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImageSetVersionsOutput.httpOutput(from:), ListImageSetVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1232,9 +1219,9 @@ extension MedicalImagingClient { /// /// Lists all tags associated with a medical imaging resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1269,7 +1256,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1301,9 +1287,9 @@ extension MedicalImagingClient { /// /// Search image sets based on defined input attributes. SearchImageSets accepts a single search query parameter and returns a paginated response of all image sets that have the matching criteria. All date range queries must be input as (lowerBound, upperBound). By default, SearchImageSets uses the updatedAt field for sorting in descending order from newest to oldest. /// - /// - Parameter SearchImageSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchImageSetsInput`) /// - /// - Returns: `SearchImageSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchImageSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1343,7 +1329,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchImageSetsOutput.httpOutput(from:), SearchImageSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1375,9 +1360,9 @@ extension MedicalImagingClient { /// /// Start importing bulk data into an ACTIVE data store. The import job imports DICOM P10 files found in the S3 prefix specified by the inputS3Uri parameter. The import job stores processing results in the file specified by the outputS3Uri parameter. /// - /// - Parameter StartDICOMImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDICOMImportJobInput`) /// - /// - Returns: `StartDICOMImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDICOMImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1418,7 +1403,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDICOMImportJobOutput.httpOutput(from:), StartDICOMImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1450,9 +1434,9 @@ extension MedicalImagingClient { /// /// Adds a user-specifed key and value tag to a medical imaging resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1490,7 +1474,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1522,9 +1505,9 @@ extension MedicalImagingClient { /// /// Removes tags from a medical imaging resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1560,7 +1543,6 @@ extension MedicalImagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1592,9 +1574,9 @@ extension MedicalImagingClient { /// /// Update image set metadata attributes. /// - /// - Parameter UpdateImageSetMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateImageSetMetadataInput`) /// - /// - Returns: `UpdateImageSetMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateImageSetMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1635,7 +1617,6 @@ extension MedicalImagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateImageSetMetadataOutput.httpOutput(from:), UpdateImageSetMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMemoryDB/Sources/AWSMemoryDB/MemoryDBClient.swift b/Sources/Services/AWSMemoryDB/Sources/AWSMemoryDB/MemoryDBClient.swift index b4a29201455..71efa85b60e 100644 --- a/Sources/Services/AWSMemoryDB/Sources/AWSMemoryDB/MemoryDBClient.swift +++ b/Sources/Services/AWSMemoryDB/Sources/AWSMemoryDB/MemoryDBClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MemoryDBClient: ClientRuntime.Client { public static let clientName = "MemoryDBClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MemoryDBClient.MemoryDBClientConfiguration let serviceName = "MemoryDB" @@ -374,15 +373,15 @@ extension MemoryDBClient { /// /// Apply the service update to a list of clusters supplied. For more information on service updates and applying them, see [Applying the service updates](https://docs.aws.amazon.com/MemoryDB/latest/devguide/managing-updates.html#applying-updates). /// - /// - Parameter BatchUpdateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateClusterInput`) /// - /// - Returns: `BatchUpdateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterValueException` : - /// - `ServiceUpdateNotFoundFault` : + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ServiceUpdateNotFoundFault` : The specified service update does not exist. public func batchUpdateCluster(input: BatchUpdateClusterInput) async throws -> BatchUpdateClusterOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -409,7 +408,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateClusterOutput.httpOutput(from:), BatchUpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,21 +442,21 @@ extension MemoryDBClient { /// /// Makes a copy of an existing snapshot. /// - /// - Parameter CopySnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopySnapshotInput`) /// - /// - Returns: `CopySnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopySnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `InvalidSnapshotStateFault` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SnapshotAlreadyExistsFault` : - /// - `SnapshotNotFoundFault` : - /// - `SnapshotQuotaExceededFault` : - /// - `TagQuotaPerResourceExceeded` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `InvalidSnapshotStateFault` : The snapshot is not in a valid state for the requested operation. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SnapshotAlreadyExistsFault` : A snapshot with the specified name already exists. + /// - `SnapshotNotFoundFault` : The specified snapshot does not exist. + /// - `SnapshotQuotaExceededFault` : The request cannot be processed because it would exceed the maximum number of snapshots allowed. + /// - `TagQuotaPerResourceExceeded` : The request cannot be processed because it would exceed the maximum number of tags allowed per resource. public func copySnapshot(input: CopySnapshotInput) async throws -> CopySnapshotOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -485,7 +483,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopySnapshotOutput.httpOutput(from:), CopySnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,20 +517,20 @@ extension MemoryDBClient { /// /// Creates an Access Control List. For more information, see [Authenticating users with Access Contol Lists (ACLs)](https://docs.aws.amazon.com/MemoryDB/latest/devguide/clusters.acls.html). /// - /// - Parameter CreateACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateACLInput`) /// - /// - Returns: `CreateACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ACLAlreadyExistsFault` : - /// - `ACLQuotaExceededFault` : - /// - `DefaultUserRequired` : - /// - `DuplicateUserNameFault` : - /// - `InvalidParameterValueException` : - /// - `TagQuotaPerResourceExceeded` : - /// - `UserNotFoundFault` : + /// - `ACLAlreadyExistsFault` : An ACL with the specified name already exists. + /// - `ACLQuotaExceededFault` : The request cannot be processed because it would exceed the maximum number of ACLs allowed. + /// - `DefaultUserRequired` : A default user is required and must be specified. + /// - `DuplicateUserNameFault` : A user with the specified name already exists. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `TagQuotaPerResourceExceeded` : The request cannot be processed because it would exceed the maximum number of tags allowed per resource. + /// - `UserNotFoundFault` : The specified user does not exist. public func createACL(input: CreateACLInput) async throws -> CreateACLOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -560,7 +557,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateACLOutput.httpOutput(from:), CreateACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,31 +591,31 @@ extension MemoryDBClient { /// /// Creates a cluster. All nodes in the cluster run the same protocol-compliant engine software. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ACLNotFoundFault` : - /// - `ClusterAlreadyExistsFault` : - /// - `ClusterQuotaForCustomerExceededFault` : - /// - `InsufficientClusterCapacityFault` : - /// - `InvalidACLStateFault` : - /// - `InvalidCredentialsException` : + /// - `ACLNotFoundFault` : The specified ACL does not exist. + /// - `ClusterAlreadyExistsFault` : A cluster with the specified name already exists. + /// - `ClusterQuotaForCustomerExceededFault` : The request cannot be processed because it would exceed the maximum number of clusters allowed for this customer. + /// - `InsufficientClusterCapacityFault` : The cluster does not have sufficient capacity to perform the requested operation. + /// - `InvalidACLStateFault` : The ACL is not in a valid state for the requested operation. + /// - `InvalidCredentialsException` : The provided credentials are not valid. /// - `InvalidMultiRegionClusterStateFault` : The requested operation cannot be performed on the multi-Region cluster in its current state. - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `InvalidVPCNetworkStateFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `InvalidVPCNetworkStateFault` : The VPC network is not in a valid state for the requested operation. /// - `MultiRegionClusterNotFoundFault` : The specified multi-Region cluster does not exist. - /// - `NodeQuotaForClusterExceededFault` : - /// - `NodeQuotaForCustomerExceededFault` : - /// - `ParameterGroupNotFoundFault` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `ShardsPerClusterQuotaExceededFault` : - /// - `SubnetGroupNotFoundFault` : - /// - `TagQuotaPerResourceExceeded` : + /// - `NodeQuotaForClusterExceededFault` : The request cannot be processed because it would exceed the maximum number of nodes allowed for this cluster. + /// - `NodeQuotaForCustomerExceededFault` : The request cannot be processed because it would exceed the maximum number of nodes allowed for this customer. + /// - `ParameterGroupNotFoundFault` : The specified parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `ShardsPerClusterQuotaExceededFault` : The request cannot be processed because it would exceed the maximum number of shards allowed per cluster. + /// - `SubnetGroupNotFoundFault` : The specified subnet group does not exist. + /// - `TagQuotaPerResourceExceeded` : The request cannot be processed because it would exceed the maximum number of tags allowed per resource. public func createCluster(input: CreateClusterInput) async throws -> CreateClusterOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -646,7 +642,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -681,19 +676,19 @@ extension MemoryDBClient { /// /// Creates a new multi-Region cluster. /// - /// - Parameter CreateMultiRegionClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMultiRegionClusterInput`) /// - /// - Returns: `CreateMultiRegionClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMultiRegionClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ClusterQuotaForCustomerExceededFault` : - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : + /// - `ClusterQuotaForCustomerExceededFault` : The request cannot be processed because it would exceed the maximum number of clusters allowed for this customer. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. /// - `MultiRegionClusterAlreadyExistsFault` : A multi-Region cluster with the specified name already exists. /// - `MultiRegionParameterGroupNotFoundFault` : The specified multi-Region parameter group does not exist. - /// - `TagQuotaPerResourceExceeded` : + /// - `TagQuotaPerResourceExceeded` : The request cannot be processed because it would exceed the maximum number of tags allowed per resource. public func createMultiRegionCluster(input: CreateMultiRegionClusterInput) async throws -> CreateMultiRegionClusterOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -720,7 +715,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMultiRegionClusterOutput.httpOutput(from:), CreateMultiRegionClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -755,20 +749,20 @@ extension MemoryDBClient { /// /// Creates a new MemoryDB parameter group. A parameter group is a collection of parameters and their values that are applied to all of the nodes in any cluster. For more information, see [Configuring engine parameters using parameter groups](https://docs.aws.amazon.com/MemoryDB/latest/devguide/parametergroups.html). /// - /// - Parameter CreateParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateParameterGroupInput`) /// - /// - Returns: `CreateParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterGroupStateFault` : - /// - `InvalidParameterValueException` : - /// - `ParameterGroupAlreadyExistsFault` : - /// - `ParameterGroupQuotaExceededFault` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `TagQuotaPerResourceExceeded` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterGroupStateFault` : The parameter group is not in a valid state for the requested operation. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ParameterGroupAlreadyExistsFault` : A parameter group with the specified name already exists. + /// - `ParameterGroupQuotaExceededFault` : The request cannot be processed because it would exceed the maximum number of parameter groups allowed. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `TagQuotaPerResourceExceeded` : The request cannot be processed because it would exceed the maximum number of tags allowed per resource. public func createParameterGroup(input: CreateParameterGroupInput) async throws -> CreateParameterGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -795,7 +789,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateParameterGroupOutput.httpOutput(from:), CreateParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -830,21 +823,21 @@ extension MemoryDBClient { /// /// Creates a copy of an entire cluster at a specific moment in time. /// - /// - Parameter CreateSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSnapshotInput`) /// - /// - Returns: `CreateSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ClusterNotFoundFault` : - /// - `InvalidClusterStateFault` : - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SnapshotAlreadyExistsFault` : - /// - `SnapshotQuotaExceededFault` : - /// - `TagQuotaPerResourceExceeded` : + /// - `ClusterNotFoundFault` : The specified cluster does not exist. + /// - `InvalidClusterStateFault` : The cluster is not in a valid state for the requested operation. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SnapshotAlreadyExistsFault` : A snapshot with the specified name already exists. + /// - `SnapshotQuotaExceededFault` : The request cannot be processed because it would exceed the maximum number of snapshots allowed. + /// - `TagQuotaPerResourceExceeded` : The request cannot be processed because it would exceed the maximum number of tags allowed per resource. public func createSnapshot(input: CreateSnapshotInput) async throws -> CreateSnapshotOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -871,7 +864,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotOutput.httpOutput(from:), CreateSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -906,20 +898,20 @@ extension MemoryDBClient { /// /// Creates a subnet group. A subnet group is a collection of subnets (typically private) that you can designate for your clusters running in an Amazon Virtual Private Cloud (VPC) environment. When you create a cluster in an Amazon VPC, you must specify a subnet group. MemoryDB uses that subnet group to choose a subnet and IP addresses within that subnet to associate with your nodes. For more information, see [Subnets and subnet groups](https://docs.aws.amazon.com/MemoryDB/latest/devguide/subnetgroups.html). /// - /// - Parameter CreateSubnetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubnetGroupInput`) /// - /// - Returns: `CreateSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidSubnet` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SubnetGroupAlreadyExistsFault` : - /// - `SubnetGroupQuotaExceededFault` : - /// - `SubnetNotAllowedFault` : - /// - `SubnetQuotaExceededFault` : - /// - `TagQuotaPerResourceExceeded` : + /// - `InvalidSubnet` : The specified subnet is not valid. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SubnetGroupAlreadyExistsFault` : A subnet group with the specified name already exists. + /// - `SubnetGroupQuotaExceededFault` : The request cannot be processed because it would exceed the maximum number of subnet groups allowed. + /// - `SubnetNotAllowedFault` : The specified subnet is not allowed for this operation. + /// - `SubnetQuotaExceededFault` : The request cannot be processed because it would exceed the maximum number of subnets allowed. + /// - `TagQuotaPerResourceExceeded` : The request cannot be processed because it would exceed the maximum number of tags allowed per resource. public func createSubnetGroup(input: CreateSubnetGroupInput) async throws -> CreateSubnetGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -946,7 +938,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubnetGroupOutput.httpOutput(from:), CreateSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -981,19 +972,19 @@ extension MemoryDBClient { /// /// Creates a MemoryDB user. For more information, see [Authenticating users with Access Contol Lists (ACLs)](https://docs.aws.amazon.com/MemoryDB/latest/devguide/clusters.acls.html). /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `DuplicateUserNameFault` : - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `TagQuotaPerResourceExceeded` : - /// - `UserAlreadyExistsFault` : - /// - `UserQuotaExceededFault` : + /// - `DuplicateUserNameFault` : A user with the specified name already exists. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `TagQuotaPerResourceExceeded` : The request cannot be processed because it would exceed the maximum number of tags allowed per resource. + /// - `UserAlreadyExistsFault` : A user with the specified name already exists. + /// - `UserQuotaExceededFault` : The request cannot be processed because it would exceed the maximum number of users allowed. public func createUser(input: CreateUserInput) async throws -> CreateUserOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1020,7 +1011,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1055,16 +1045,16 @@ extension MemoryDBClient { /// /// Deletes an Access Control List. The ACL must first be disassociated from the cluster before it can be deleted. For more information, see [Authenticating users with Access Contol Lists (ACLs)](https://docs.aws.amazon.com/MemoryDB/latest/devguide/clusters.acls.html). /// - /// - Parameter DeleteACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteACLInput`) /// - /// - Returns: `DeleteACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ACLNotFoundFault` : - /// - `InvalidACLStateFault` : - /// - `InvalidParameterValueException` : + /// - `ACLNotFoundFault` : The specified ACL does not exist. + /// - `InvalidACLStateFault` : The ACL is not in a valid state for the requested operation. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. public func deleteACL(input: DeleteACLInput) async throws -> DeleteACLOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1091,7 +1081,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteACLOutput.httpOutput(from:), DeleteACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1126,19 +1115,19 @@ extension MemoryDBClient { /// /// Deletes a cluster. It also deletes all associated nodes and node endpoints. CreateSnapshot permission is required to create a final snapshot. Without this permission, the API call will fail with an Access Denied exception. /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ClusterNotFoundFault` : - /// - `InvalidClusterStateFault` : - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SnapshotAlreadyExistsFault` : + /// - `ClusterNotFoundFault` : The specified cluster does not exist. + /// - `InvalidClusterStateFault` : The cluster is not in a valid state for the requested operation. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SnapshotAlreadyExistsFault` : A snapshot with the specified name already exists. public func deleteCluster(input: DeleteClusterInput) async throws -> DeleteClusterOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1165,7 +1154,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1200,15 +1188,15 @@ extension MemoryDBClient { /// /// Deletes an existing multi-Region cluster. /// - /// - Parameter DeleteMultiRegionClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMultiRegionClusterInput`) /// - /// - Returns: `DeleteMultiRegionClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMultiRegionClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ /// - `InvalidMultiRegionClusterStateFault` : The requested operation cannot be performed on the multi-Region cluster in its current state. - /// - `InvalidParameterValueException` : + /// - `InvalidParameterValueException` : The specified parameter value is not valid. /// - `MultiRegionClusterNotFoundFault` : The specified multi-Region cluster does not exist. public func deleteMultiRegionCluster(input: DeleteMultiRegionClusterInput) async throws -> DeleteMultiRegionClusterOutput { let context = Smithy.ContextBuilder() @@ -1236,7 +1224,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMultiRegionClusterOutput.httpOutput(from:), DeleteMultiRegionClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1271,18 +1258,18 @@ extension MemoryDBClient { /// /// Deletes the specified parameter group. You cannot delete a parameter group if it is associated with any clusters. You cannot delete the default parameter groups in your account. /// - /// - Parameter DeleteParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteParameterGroupInput`) /// - /// - Returns: `DeleteParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterGroupStateFault` : - /// - `InvalidParameterValueException` : - /// - `ParameterGroupNotFoundFault` : - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterGroupStateFault` : The parameter group is not in a valid state for the requested operation. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ParameterGroupNotFoundFault` : The specified parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func deleteParameterGroup(input: DeleteParameterGroupInput) async throws -> DeleteParameterGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1309,7 +1296,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteParameterGroupOutput.httpOutput(from:), DeleteParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1344,18 +1330,18 @@ extension MemoryDBClient { /// /// Deletes an existing snapshot. When you receive a successful response from this operation, MemoryDB immediately begins deleting the snapshot; you cannot cancel or revert this operation. /// - /// - Parameter DeleteSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSnapshotInput`) /// - /// - Returns: `DeleteSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `InvalidSnapshotStateFault` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SnapshotNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `InvalidSnapshotStateFault` : The snapshot is not in a valid state for the requested operation. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SnapshotNotFoundFault` : The specified snapshot does not exist. public func deleteSnapshot(input: DeleteSnapshotInput) async throws -> DeleteSnapshotOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1382,7 +1368,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSnapshotOutput.httpOutput(from:), DeleteSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1417,16 +1402,16 @@ extension MemoryDBClient { /// /// Deletes a subnet group. You cannot delete a default subnet group or one that is associated with any clusters. /// - /// - Parameter DeleteSubnetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubnetGroupInput`) /// - /// - Returns: `DeleteSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SubnetGroupInUseFault` : - /// - `SubnetGroupNotFoundFault` : + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SubnetGroupInUseFault` : The subnet group is currently in use and cannot be deleted. + /// - `SubnetGroupNotFoundFault` : The specified subnet group does not exist. public func deleteSubnetGroup(input: DeleteSubnetGroupInput) async throws -> DeleteSubnetGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1453,7 +1438,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubnetGroupOutput.httpOutput(from:), DeleteSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1488,16 +1472,16 @@ extension MemoryDBClient { /// /// Deletes a user. The user will be removed from all ACLs and in turn removed from all clusters. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterValueException` : - /// - `InvalidUserStateFault` : - /// - `UserNotFoundFault` : + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `InvalidUserStateFault` : The user is not in a valid state for the requested operation. + /// - `UserNotFoundFault` : The specified user does not exist. public func deleteUser(input: DeleteUserInput) async throws -> DeleteUserOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1524,7 +1508,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1559,15 +1542,15 @@ extension MemoryDBClient { /// /// Returns a list of ACLs. /// - /// - Parameter DescribeACLsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeACLsInput`) /// - /// - Returns: `DescribeACLsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeACLsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ACLNotFoundFault` : - /// - `InvalidParameterCombinationException` : + /// - `ACLNotFoundFault` : The specified ACL does not exist. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. public func describeACLs(input: DescribeACLsInput) async throws -> DescribeACLsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1594,7 +1577,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeACLsOutput.httpOutput(from:), DescribeACLsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1629,17 +1611,17 @@ extension MemoryDBClient { /// /// Returns information about all provisioned clusters if no cluster identifier is specified, or about a specific cluster if a cluster name is supplied. /// - /// - Parameter DescribeClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClustersInput`) /// - /// - Returns: `DescribeClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ClusterNotFoundFault` : - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `ClusterNotFoundFault` : The specified cluster does not exist. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func describeClusters(input: DescribeClustersInput) async throws -> DescribeClustersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1666,7 +1648,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClustersOutput.httpOutput(from:), DescribeClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1701,16 +1682,16 @@ extension MemoryDBClient { /// /// Returns a list of the available Redis OSS engine versions. /// - /// - Parameter DescribeEngineVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEngineVersionsInput`) /// - /// - Returns: `DescribeEngineVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEngineVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func describeEngineVersions(input: DescribeEngineVersionsInput) async throws -> DescribeEngineVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1737,7 +1718,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEngineVersionsOutput.httpOutput(from:), DescribeEngineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1772,16 +1752,16 @@ extension MemoryDBClient { /// /// Returns events related to clusters, security groups, and parameter groups. You can obtain events specific to a particular cluster, security group, or parameter group by providing the name as a parameter. By default, only the events occurring within the last hour are returned; however, you can retrieve up to 14 days' worth of events if necessary. /// - /// - Parameter DescribeEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventsInput`) /// - /// - Returns: `DescribeEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func describeEvents(input: DescribeEventsInput) async throws -> DescribeEventsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1808,7 +1788,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsOutput.httpOutput(from:), DescribeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1843,16 +1822,16 @@ extension MemoryDBClient { /// /// Returns details about one or more multi-Region clusters. /// - /// - Parameter DescribeMultiRegionClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMultiRegionClustersInput`) /// - /// - Returns: `DescribeMultiRegionClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMultiRegionClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ClusterNotFoundFault` : - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : + /// - `ClusterNotFoundFault` : The specified cluster does not exist. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. /// - `MultiRegionClusterNotFoundFault` : The specified multi-Region cluster does not exist. public func describeMultiRegionClusters(input: DescribeMultiRegionClustersInput) async throws -> DescribeMultiRegionClustersOutput { let context = Smithy.ContextBuilder() @@ -1880,7 +1859,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMultiRegionClustersOutput.httpOutput(from:), DescribeMultiRegionClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1911,21 +1889,163 @@ extension MemoryDBClient { return try await op.execute(input: input) } + /// Performs the `DescribeMultiRegionParameterGroups` operation on the `MemoryDB` service. + /// + /// Returns a list of multi-region parameter groups. + /// + /// - Parameter input: [no documentation found] (Type: `DescribeMultiRegionParameterGroupsInput`) + /// + /// - Returns: [no documentation found] (Type: `DescribeMultiRegionParameterGroupsOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `MultiRegionParameterGroupNotFoundFault` : The specified multi-Region parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + public func describeMultiRegionParameterGroups(input: DescribeMultiRegionParameterGroupsInput) async throws -> DescribeMultiRegionParameterGroupsOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "describeMultiRegionParameterGroups") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "memorydb") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(DescribeMultiRegionParameterGroupsInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMultiRegionParameterGroupsOutput.httpOutput(from:), DescribeMultiRegionParameterGroupsOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("MemoryDB", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.interceptors.add(AWSClientRuntime.XAmzTargetMiddleware(xAmzTarget: "AmazonMemoryDB.DescribeMultiRegionParameterGroups")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: DescribeMultiRegionParameterGroupsInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/x-amz-json-1.1")) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: MemoryDBClient.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "MemoryDB") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "DescribeMultiRegionParameterGroups") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + + /// Performs the `DescribeMultiRegionParameters` operation on the `MemoryDB` service. + /// + /// Returns the detailed parameter list for a particular multi-region parameter group. + /// + /// - Parameter input: [no documentation found] (Type: `DescribeMultiRegionParametersInput`) + /// + /// - Returns: [no documentation found] (Type: `DescribeMultiRegionParametersOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `MultiRegionParameterGroupNotFoundFault` : The specified multi-Region parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + public func describeMultiRegionParameters(input: DescribeMultiRegionParametersInput) async throws -> DescribeMultiRegionParametersOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "describeMultiRegionParameters") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "memorydb") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(DescribeMultiRegionParametersInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMultiRegionParametersOutput.httpOutput(from:), DescribeMultiRegionParametersOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("MemoryDB", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.interceptors.add(AWSClientRuntime.XAmzTargetMiddleware(xAmzTarget: "AmazonMemoryDB.DescribeMultiRegionParameters")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: DescribeMultiRegionParametersInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/x-amz-json-1.1")) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: MemoryDBClient.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "MemoryDB") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "DescribeMultiRegionParameters") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + /// Performs the `DescribeParameterGroups` operation on the `MemoryDB` service. /// /// Returns a list of parameter group descriptions. If a parameter group name is specified, the list contains only the descriptions for that group. /// - /// - Parameter DescribeParameterGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeParameterGroupsInput`) /// - /// - Returns: `DescribeParameterGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeParameterGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `ParameterGroupNotFoundFault` : - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ParameterGroupNotFoundFault` : The specified parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func describeParameterGroups(input: DescribeParameterGroupsInput) async throws -> DescribeParameterGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1952,7 +2072,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeParameterGroupsOutput.httpOutput(from:), DescribeParameterGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1987,17 +2106,17 @@ extension MemoryDBClient { /// /// Returns the detailed parameter list for a particular parameter group. /// - /// - Parameter DescribeParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeParametersInput`) /// - /// - Returns: `DescribeParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `ParameterGroupNotFoundFault` : - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ParameterGroupNotFoundFault` : The specified parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func describeParameters(input: DescribeParametersInput) async throws -> DescribeParametersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2024,7 +2143,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeParametersOutput.httpOutput(from:), DescribeParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2059,17 +2177,17 @@ extension MemoryDBClient { /// /// Returns information about reserved nodes for this account, or about a specified reserved node. /// - /// - Parameter DescribeReservedNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReservedNodesInput`) /// - /// - Returns: `DescribeReservedNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReservedNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. /// - `ReservedNodeNotFoundFault` : The requested node does not exist. - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func describeReservedNodes(input: DescribeReservedNodesInput) async throws -> DescribeReservedNodesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2096,7 +2214,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedNodesOutput.httpOutput(from:), DescribeReservedNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2131,17 +2248,17 @@ extension MemoryDBClient { /// /// Lists available reserved node offerings. /// - /// - Parameter DescribeReservedNodesOfferingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReservedNodesOfferingsInput`) /// - /// - Returns: `DescribeReservedNodesOfferingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReservedNodesOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. /// - `ReservedNodesOfferingNotFoundFault` : The requested node offering does not exist. - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func describeReservedNodesOfferings(input: DescribeReservedNodesOfferingsInput) async throws -> DescribeReservedNodesOfferingsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2168,7 +2285,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedNodesOfferingsOutput.httpOutput(from:), DescribeReservedNodesOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2203,15 +2319,15 @@ extension MemoryDBClient { /// /// Returns details of the service updates. /// - /// - Parameter DescribeServiceUpdatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceUpdatesInput`) /// - /// - Returns: `DescribeServiceUpdatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceUpdatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. public func describeServiceUpdates(input: DescribeServiceUpdatesInput) async throws -> DescribeServiceUpdatesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2238,7 +2354,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceUpdatesOutput.httpOutput(from:), DescribeServiceUpdatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2273,17 +2388,17 @@ extension MemoryDBClient { /// /// Returns information about cluster snapshots. By default, DescribeSnapshots lists all of your snapshots; it can optionally describe a single snapshot, or just the snapshots associated with a particular cluster. /// - /// - Parameter DescribeSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSnapshotsInput`) /// - /// - Returns: `DescribeSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SnapshotNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SnapshotNotFoundFault` : The specified snapshot does not exist. public func describeSnapshots(input: DescribeSnapshotsInput) async throws -> DescribeSnapshotsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2310,7 +2425,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSnapshotsOutput.httpOutput(from:), DescribeSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2345,15 +2459,15 @@ extension MemoryDBClient { /// /// Returns a list of subnet group descriptions. If a subnet group name is specified, the list contains only the description of that group. /// - /// - Parameter DescribeSubnetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSubnetGroupsInput`) /// - /// - Returns: `DescribeSubnetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSubnetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SubnetGroupNotFoundFault` : + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SubnetGroupNotFoundFault` : The specified subnet group does not exist. public func describeSubnetGroups(input: DescribeSubnetGroupsInput) async throws -> DescribeSubnetGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2380,7 +2494,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSubnetGroupsOutput.httpOutput(from:), DescribeSubnetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2415,15 +2528,15 @@ extension MemoryDBClient { /// /// Returns a list of users. /// - /// - Parameter DescribeUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUsersInput`) /// - /// - Returns: `DescribeUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `UserNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `UserNotFoundFault` : The specified user does not exist. public func describeUsers(input: DescribeUsersInput) async throws -> DescribeUsersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2450,7 +2563,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUsersOutput.httpOutput(from:), DescribeUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2485,21 +2597,21 @@ extension MemoryDBClient { /// /// Used to failover a shard. This API is designed for testing the behavior of your application in case of MemoryDB failover. It is not designed to be used as a production-level tool for initiating a failover to overcome a problem you may have with the cluster. Moreover, in certain conditions such as large scale operational events, Amazon may block this API. /// - /// - Parameter FailoverShardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `FailoverShardInput`) /// - /// - Returns: `FailoverShardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FailoverShardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `APICallRateForCustomerExceededFault` : - /// - `ClusterNotFoundFault` : - /// - `InvalidClusterStateFault` : - /// - `InvalidKMSKeyFault` : - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `ShardNotFoundFault` : - /// - `TestFailoverNotAvailableFault` : + /// - `APICallRateForCustomerExceededFault` : The customer has exceeded the maximum number of API requests allowed per time period. + /// - `ClusterNotFoundFault` : The specified cluster does not exist. + /// - `InvalidClusterStateFault` : The cluster is not in a valid state for the requested operation. + /// - `InvalidKMSKeyFault` : The specified KMS key is not valid or accessible. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ShardNotFoundFault` : The specified shard does not exist. + /// - `TestFailoverNotAvailableFault` : Test failover is not available for this cluster configuration. public func failoverShard(input: FailoverShardInput) async throws -> FailoverShardOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2526,7 +2638,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FailoverShardOutput.httpOutput(from:), FailoverShardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2561,15 +2672,15 @@ extension MemoryDBClient { /// /// Lists the allowed updates for a multi-Region cluster. /// - /// - Parameter ListAllowedMultiRegionClusterUpdatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAllowedMultiRegionClusterUpdatesInput`) /// - /// - Returns: `ListAllowedMultiRegionClusterUpdatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAllowedMultiRegionClusterUpdatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. /// - `MultiRegionClusterNotFoundFault` : The specified multi-Region cluster does not exist. public func listAllowedMultiRegionClusterUpdates(input: ListAllowedMultiRegionClusterUpdatesInput) async throws -> ListAllowedMultiRegionClusterUpdatesOutput { let context = Smithy.ContextBuilder() @@ -2597,7 +2708,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAllowedMultiRegionClusterUpdatesOutput.httpOutput(from:), ListAllowedMultiRegionClusterUpdatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2632,17 +2742,17 @@ extension MemoryDBClient { /// /// Lists all available node types that you can scale to from your cluster's current node type. When you use the UpdateCluster operation to scale your cluster, the value of the NodeType parameter must be one of the node types returned by this operation. /// - /// - Parameter ListAllowedNodeTypeUpdatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAllowedNodeTypeUpdatesInput`) /// - /// - Returns: `ListAllowedNodeTypeUpdatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAllowedNodeTypeUpdatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ClusterNotFoundFault` : - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `ClusterNotFoundFault` : The specified cluster does not exist. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func listAllowedNodeTypeUpdates(input: ListAllowedNodeTypeUpdatesInput) async throws -> ListAllowedNodeTypeUpdatesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2669,7 +2779,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAllowedNodeTypeUpdatesOutput.httpOutput(from:), ListAllowedNodeTypeUpdatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2704,24 +2813,24 @@ extension MemoryDBClient { /// /// Lists all tags currently on a named resource. A tag is a key-value pair where the key and value are case-sensitive. You can use tags to categorize and track your MemoryDB resources. For more information, see [Tagging your MemoryDB resources](https://docs.aws.amazon.com/MemoryDB/latest/devguide/Tagging-Resources.html). When you add or remove tags from multi region clusters, you might not immediately see the latest effective tags in the ListTags API response due to it being eventually consistent specifically for multi region clusters. For more information, see [Tagging your MemoryDB resources](https://docs.aws.amazon.com/MemoryDB/latest/devguide/Tagging-Resources.html). /// - /// - Parameter ListTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ACLNotFoundFault` : - /// - `ClusterNotFoundFault` : - /// - `InvalidARNFault` : - /// - `InvalidClusterStateFault` : + /// - `ACLNotFoundFault` : The specified ACL does not exist. + /// - `ClusterNotFoundFault` : The specified cluster does not exist. + /// - `InvalidARNFault` : The specified Amazon Resource Name (ARN) is not valid. + /// - `InvalidClusterStateFault` : The cluster is not in a valid state for the requested operation. /// - `MultiRegionClusterNotFoundFault` : The specified multi-Region cluster does not exist. /// - `MultiRegionParameterGroupNotFoundFault` : The specified multi-Region parameter group does not exist. - /// - `ParameterGroupNotFoundFault` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SnapshotNotFoundFault` : - /// - `SubnetGroupNotFoundFault` : - /// - `UserNotFoundFault` : + /// - `ParameterGroupNotFoundFault` : The specified parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SnapshotNotFoundFault` : The specified snapshot does not exist. + /// - `SubnetGroupNotFoundFault` : The specified subnet group does not exist. + /// - `UserNotFoundFault` : The specified user does not exist. public func listTags(input: ListTagsInput) async throws -> ListTagsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2748,7 +2857,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2783,20 +2891,20 @@ extension MemoryDBClient { /// /// Allows you to purchase a reserved node offering. Reserved nodes are not eligible for cancellation and are non-refundable. /// - /// - Parameter PurchaseReservedNodesOfferingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PurchaseReservedNodesOfferingInput`) /// - /// - Returns: `PurchaseReservedNodesOfferingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PurchaseReservedNodesOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. /// - `ReservedNodeAlreadyExistsFault` : You already have a reservation with the given identifier. /// - `ReservedNodeQuotaExceededFault` : The request cannot be processed because it would exceed the user's node quota. /// - `ReservedNodesOfferingNotFoundFault` : The requested node offering does not exist. - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `TagQuotaPerResourceExceeded` : + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `TagQuotaPerResourceExceeded` : The request cannot be processed because it would exceed the maximum number of tags allowed per resource. public func purchaseReservedNodesOffering(input: PurchaseReservedNodesOfferingInput) async throws -> PurchaseReservedNodesOfferingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2823,7 +2931,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseReservedNodesOfferingOutput.httpOutput(from:), PurchaseReservedNodesOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2858,18 +2965,18 @@ extension MemoryDBClient { /// /// Modifies the parameters of a parameter group to the engine or system default value. You can reset specific parameters by submitting a list of parameter names. To reset the entire parameter group, specify the AllParameters and ParameterGroupName parameters. /// - /// - Parameter ResetParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetParameterGroupInput`) /// - /// - Returns: `ResetParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterGroupStateFault` : - /// - `InvalidParameterValueException` : - /// - `ParameterGroupNotFoundFault` : - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterGroupStateFault` : The parameter group is not in a valid state for the requested operation. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ParameterGroupNotFoundFault` : The specified parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func resetParameterGroup(input: ResetParameterGroupInput) async throws -> ResetParameterGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2896,7 +3003,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetParameterGroupOutput.httpOutput(from:), ResetParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2931,26 +3037,26 @@ extension MemoryDBClient { /// /// Use this operation to add tags to a resource. A tag is a key-value pair where the key and value are case-sensitive. You can use tags to categorize and track all your MemoryDB resources. For more information, see [Tagging your MemoryDB resources](https://docs.aws.amazon.com/MemoryDB/latest/devguide/Tagging-Resources.html). When you add tags to multi region clusters, you might not immediately see the latest effective tags in the ListTags API response due to it being eventually consistent specifically for multi region clusters. For more information, see [Tagging your MemoryDB resources](https://docs.aws.amazon.com/MemoryDB/latest/devguide/Tagging-Resources.html). You can specify cost-allocation tags for your MemoryDB resources, Amazon generates a cost allocation report as a comma-separated value (CSV) file with your usage and costs aggregated by your tags. You can apply tags that represent business categories (such as cost centers, application names, or owners) to organize your costs across multiple services. For more information, see [Using Cost Allocation Tags](https://docs.aws.amazon.com/MemoryDB/latest/devguide/tagging.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ACLNotFoundFault` : - /// - `ClusterNotFoundFault` : - /// - `InvalidARNFault` : - /// - `InvalidClusterStateFault` : - /// - `InvalidParameterValueException` : + /// - `ACLNotFoundFault` : The specified ACL does not exist. + /// - `ClusterNotFoundFault` : The specified cluster does not exist. + /// - `InvalidARNFault` : The specified Amazon Resource Name (ARN) is not valid. + /// - `InvalidClusterStateFault` : The cluster is not in a valid state for the requested operation. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. /// - `MultiRegionClusterNotFoundFault` : The specified multi-Region cluster does not exist. /// - `MultiRegionParameterGroupNotFoundFault` : The specified multi-Region parameter group does not exist. - /// - `ParameterGroupNotFoundFault` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SnapshotNotFoundFault` : - /// - `SubnetGroupNotFoundFault` : - /// - `TagQuotaPerResourceExceeded` : - /// - `UserNotFoundFault` : + /// - `ParameterGroupNotFoundFault` : The specified parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SnapshotNotFoundFault` : The specified snapshot does not exist. + /// - `SubnetGroupNotFoundFault` : The specified subnet group does not exist. + /// - `TagQuotaPerResourceExceeded` : The request cannot be processed because it would exceed the maximum number of tags allowed per resource. + /// - `UserNotFoundFault` : The specified user does not exist. public func tagResource(input: TagResourceInput) async throws -> TagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2977,7 +3083,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3012,26 +3117,26 @@ extension MemoryDBClient { /// /// Use this operation to remove tags on a resource. A tag is a key-value pair where the key and value are case-sensitive. You can use tags to categorize and track all your MemoryDB resources. For more information, see [Tagging your MemoryDB resources](https://docs.aws.amazon.com/MemoryDB/latest/devguide/Tagging-Resources.html). When you remove tags from multi region clusters, you might not immediately see the latest effective tags in the ListTags API response due to it being eventually consistent specifically for multi region clusters. For more information, see [Tagging your MemoryDB resources](https://docs.aws.amazon.com/MemoryDB/latest/devguide/Tagging-Resources.html). You can specify cost-allocation tags for your MemoryDB resources, Amazon generates a cost allocation report as a comma-separated value (CSV) file with your usage and costs aggregated by your tags. You can apply tags that represent business categories (such as cost centers, application names, or owners) to organize your costs across multiple services. For more information, see [Using Cost Allocation Tags](https://docs.aws.amazon.com/MemoryDB/latest/devguide/tagging.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ACLNotFoundFault` : - /// - `ClusterNotFoundFault` : - /// - `InvalidARNFault` : - /// - `InvalidClusterStateFault` : - /// - `InvalidParameterValueException` : + /// - `ACLNotFoundFault` : The specified ACL does not exist. + /// - `ClusterNotFoundFault` : The specified cluster does not exist. + /// - `InvalidARNFault` : The specified Amazon Resource Name (ARN) is not valid. + /// - `InvalidClusterStateFault` : The cluster is not in a valid state for the requested operation. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. /// - `MultiRegionClusterNotFoundFault` : The specified multi-Region cluster does not exist. /// - `MultiRegionParameterGroupNotFoundFault` : The specified multi-Region parameter group does not exist. - /// - `ParameterGroupNotFoundFault` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SnapshotNotFoundFault` : - /// - `SubnetGroupNotFoundFault` : - /// - `TagNotFoundFault` : - /// - `UserNotFoundFault` : + /// - `ParameterGroupNotFoundFault` : The specified parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SnapshotNotFoundFault` : The specified snapshot does not exist. + /// - `SubnetGroupNotFoundFault` : The specified subnet group does not exist. + /// - `TagNotFoundFault` : The specified tag does not exist. + /// - `UserNotFoundFault` : The specified user does not exist. public func untagResource(input: UntagResourceInput) async throws -> UntagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3058,7 +3163,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3093,20 +3197,20 @@ extension MemoryDBClient { /// /// Changes the list of users that belong to the Access Control List. /// - /// - Parameter UpdateACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateACLInput`) /// - /// - Returns: `UpdateACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ACLNotFoundFault` : - /// - `DefaultUserRequired` : - /// - `DuplicateUserNameFault` : - /// - `InvalidACLStateFault` : - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `UserNotFoundFault` : + /// - `ACLNotFoundFault` : The specified ACL does not exist. + /// - `DefaultUserRequired` : A default user is required and must be specified. + /// - `DuplicateUserNameFault` : A user with the specified name already exists. + /// - `InvalidACLStateFault` : The ACL is not in a valid state for the requested operation. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `UserNotFoundFault` : The specified user does not exist. public func updateACL(input: UpdateACLInput) async throws -> UpdateACLOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3133,7 +3237,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateACLOutput.httpOutput(from:), UpdateACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3168,29 +3271,29 @@ extension MemoryDBClient { /// /// Modifies the settings for a cluster. You can use this operation to change one or more cluster configuration settings by specifying the settings and the new values. /// - /// - Parameter UpdateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterInput`) /// - /// - Returns: `UpdateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `ACLNotFoundFault` : - /// - `ClusterNotFoundFault` : - /// - `ClusterQuotaForCustomerExceededFault` : - /// - `InvalidACLStateFault` : - /// - `InvalidClusterStateFault` : - /// - `InvalidKMSKeyFault` : - /// - `InvalidNodeStateFault` : - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `InvalidVPCNetworkStateFault` : - /// - `NodeQuotaForClusterExceededFault` : - /// - `NodeQuotaForCustomerExceededFault` : - /// - `NoOperationFault` : - /// - `ParameterGroupNotFoundFault` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `ShardsPerClusterQuotaExceededFault` : + /// - `ACLNotFoundFault` : The specified ACL does not exist. + /// - `ClusterNotFoundFault` : The specified cluster does not exist. + /// - `ClusterQuotaForCustomerExceededFault` : The request cannot be processed because it would exceed the maximum number of clusters allowed for this customer. + /// - `InvalidACLStateFault` : The ACL is not in a valid state for the requested operation. + /// - `InvalidClusterStateFault` : The cluster is not in a valid state for the requested operation. + /// - `InvalidKMSKeyFault` : The specified KMS key is not valid or accessible. + /// - `InvalidNodeStateFault` : The node is not in a valid state for the requested operation. + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `InvalidVPCNetworkStateFault` : The VPC network is not in a valid state for the requested operation. + /// - `NodeQuotaForClusterExceededFault` : The request cannot be processed because it would exceed the maximum number of nodes allowed for this cluster. + /// - `NodeQuotaForCustomerExceededFault` : The request cannot be processed because it would exceed the maximum number of nodes allowed for this customer. + /// - `NoOperationFault` : The requested operation would result in no changes. + /// - `ParameterGroupNotFoundFault` : The specified parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `ShardsPerClusterQuotaExceededFault` : The request cannot be processed because it would exceed the maximum number of shards allowed per cluster. public func updateCluster(input: UpdateClusterInput) async throws -> UpdateClusterOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3217,7 +3320,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterOutput.httpOutput(from:), UpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3252,16 +3354,16 @@ extension MemoryDBClient { /// /// Updates the configuration of an existing multi-Region cluster. /// - /// - Parameter UpdateMultiRegionClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMultiRegionClusterInput`) /// - /// - Returns: `UpdateMultiRegionClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMultiRegionClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ /// - `InvalidMultiRegionClusterStateFault` : The requested operation cannot be performed on the multi-Region cluster in its current state. - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. /// - `MultiRegionClusterNotFoundFault` : The specified multi-Region cluster does not exist. /// - `MultiRegionParameterGroupNotFoundFault` : The specified multi-Region parameter group does not exist. public func updateMultiRegionCluster(input: UpdateMultiRegionClusterInput) async throws -> UpdateMultiRegionClusterOutput { @@ -3290,7 +3392,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMultiRegionClusterOutput.httpOutput(from:), UpdateMultiRegionClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3325,18 +3426,18 @@ extension MemoryDBClient { /// /// Updates the parameters of a parameter group. You can modify up to 20 parameters in a single request by submitting a list parameter name and value pairs. /// - /// - Parameter UpdateParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateParameterGroupInput`) /// - /// - Returns: `UpdateParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterGroupStateFault` : - /// - `InvalidParameterValueException` : - /// - `ParameterGroupNotFoundFault` : - /// - `ServiceLinkedRoleNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterGroupStateFault` : The parameter group is not in a valid state for the requested operation. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `ParameterGroupNotFoundFault` : The specified parameter group does not exist. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. public func updateParameterGroup(input: UpdateParameterGroupInput) async throws -> UpdateParameterGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3363,7 +3464,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateParameterGroupOutput.httpOutput(from:), UpdateParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3398,19 +3498,19 @@ extension MemoryDBClient { /// /// Updates a subnet group. For more information, see [Updating a subnet group](https://docs.aws.amazon.com/MemoryDB/latest/devguide/ubnetGroups.Modifying.html) /// - /// - Parameter UpdateSubnetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubnetGroupInput`) /// - /// - Returns: `UpdateSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidSubnet` : - /// - `ServiceLinkedRoleNotFoundFault` : - /// - `SubnetGroupNotFoundFault` : - /// - `SubnetInUse` : - /// - `SubnetNotAllowedFault` : - /// - `SubnetQuotaExceededFault` : + /// - `InvalidSubnet` : The specified subnet is not valid. + /// - `ServiceLinkedRoleNotFoundFault` : The required service-linked role was not found. + /// - `SubnetGroupNotFoundFault` : The specified subnet group does not exist. + /// - `SubnetInUse` : The subnet is currently in use and cannot be deleted. + /// - `SubnetNotAllowedFault` : The specified subnet is not allowed for this operation. + /// - `SubnetQuotaExceededFault` : The request cannot be processed because it would exceed the maximum number of subnets allowed. public func updateSubnetGroup(input: UpdateSubnetGroupInput) async throws -> UpdateSubnetGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3437,7 +3537,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubnetGroupOutput.httpOutput(from:), UpdateSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3472,17 +3571,17 @@ extension MemoryDBClient { /// /// Changes user password(s) and/or access string. /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ - /// - `InvalidParameterCombinationException` : - /// - `InvalidParameterValueException` : - /// - `InvalidUserStateFault` : - /// - `UserNotFoundFault` : + /// - `InvalidParameterCombinationException` : The specified parameter combination is not valid. + /// - `InvalidParameterValueException` : The specified parameter value is not valid. + /// - `InvalidUserStateFault` : The user is not in a valid state for the requested operation. + /// - `UserNotFoundFault` : The specified user does not exist. public func updateUser(input: UpdateUserInput) async throws -> UpdateUserOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3509,7 +3608,6 @@ extension MemoryDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMemoryDB/Sources/AWSMemoryDB/Models.swift b/Sources/Services/AWSMemoryDB/Sources/AWSMemoryDB/Models.swift index 07ed6884995..b7c5c96a3cf 100644 --- a/Sources/Services/AWSMemoryDB/Sources/AWSMemoryDB/Models.swift +++ b/Sources/Services/AWSMemoryDB/Sources/AWSMemoryDB/Models.swift @@ -85,7 +85,7 @@ extension MemoryDBClientTypes { } } -/// +/// An ACL with the specified name already exists. public struct ACLAlreadyExistsFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -108,7 +108,7 @@ public struct ACLAlreadyExistsFault: ClientRuntime.ModeledError, AWSClientRuntim } } -/// +/// The specified ACL does not exist. public struct ACLNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -131,7 +131,7 @@ public struct ACLNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWS } } -/// +/// The request cannot be processed because it would exceed the maximum number of ACLs allowed. public struct ACLQuotaExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -169,7 +169,7 @@ extension MemoryDBClientTypes { } } -/// +/// The specified parameter value is not valid. public struct InvalidParameterValueException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -192,7 +192,7 @@ public struct InvalidParameterValueException: ClientRuntime.ModeledError, AWSCli } } -/// +/// The specified service update does not exist. public struct ServiceUpdateNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -741,7 +741,7 @@ public struct BatchUpdateClusterOutput: Swift.Sendable { } } -/// +/// The specified parameter combination is not valid. public struct InvalidParameterCombinationException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -764,7 +764,7 @@ public struct InvalidParameterCombinationException: ClientRuntime.ModeledError, } } -/// +/// The snapshot is not in a valid state for the requested operation. public struct InvalidSnapshotStateFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -787,7 +787,7 @@ public struct InvalidSnapshotStateFault: ClientRuntime.ModeledError, AWSClientRu } } -/// +/// The required service-linked role was not found. public struct ServiceLinkedRoleNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -810,7 +810,7 @@ public struct ServiceLinkedRoleNotFoundFault: ClientRuntime.ModeledError, AWSCli } } -/// +/// A snapshot with the specified name already exists. public struct SnapshotAlreadyExistsFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -833,7 +833,7 @@ public struct SnapshotAlreadyExistsFault: ClientRuntime.ModeledError, AWSClientR } } -/// +/// The specified snapshot does not exist. public struct SnapshotNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -856,7 +856,7 @@ public struct SnapshotNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntim } } -/// +/// The request cannot be processed because it would exceed the maximum number of snapshots allowed. public struct SnapshotQuotaExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -879,7 +879,7 @@ public struct SnapshotQuotaExceededFault: ClientRuntime.ModeledError, AWSClientR } } -/// +/// The request cannot be processed because it would exceed the maximum number of tags allowed per resource. public struct TagQuotaPerResourceExceeded: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1125,7 +1125,7 @@ public struct CopySnapshotOutput: Swift.Sendable { } } -/// +/// A default user is required and must be specified. public struct DefaultUserRequired: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1148,7 +1148,7 @@ public struct DefaultUserRequired: ClientRuntime.ModeledError, AWSClientRuntime. } } -/// +/// A user with the specified name already exists. public struct DuplicateUserNameFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1171,7 +1171,7 @@ public struct DuplicateUserNameFault: ClientRuntime.ModeledError, AWSClientRunti } } -/// +/// The specified user does not exist. public struct UserNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1225,7 +1225,7 @@ public struct CreateACLOutput: Swift.Sendable { } } -/// +/// A cluster with the specified name already exists. public struct ClusterAlreadyExistsFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1248,7 +1248,7 @@ public struct ClusterAlreadyExistsFault: ClientRuntime.ModeledError, AWSClientRu } } -/// +/// The request cannot be processed because it would exceed the maximum number of clusters allowed for this customer. public struct ClusterQuotaForCustomerExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1271,7 +1271,7 @@ public struct ClusterQuotaForCustomerExceededFault: ClientRuntime.ModeledError, } } -/// +/// The cluster does not have sufficient capacity to perform the requested operation. public struct InsufficientClusterCapacityFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1294,7 +1294,7 @@ public struct InsufficientClusterCapacityFault: ClientRuntime.ModeledError, AWSC } } -/// +/// The ACL is not in a valid state for the requested operation. public struct InvalidACLStateFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1317,7 +1317,7 @@ public struct InvalidACLStateFault: ClientRuntime.ModeledError, AWSClientRuntime } } -/// +/// The provided credentials are not valid. public struct InvalidCredentialsException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1363,7 +1363,7 @@ public struct InvalidMultiRegionClusterStateFault: ClientRuntime.ModeledError, A } } -/// +/// The VPC network is not in a valid state for the requested operation. public struct InvalidVPCNetworkStateFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1409,7 +1409,7 @@ public struct MultiRegionClusterNotFoundFault: ClientRuntime.ModeledError, AWSCl } } -/// +/// The request cannot be processed because it would exceed the maximum number of nodes allowed for this cluster. public struct NodeQuotaForClusterExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1432,7 +1432,7 @@ public struct NodeQuotaForClusterExceededFault: ClientRuntime.ModeledError, AWSC } } -/// +/// The request cannot be processed because it would exceed the maximum number of nodes allowed for this customer. public struct NodeQuotaForCustomerExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1455,7 +1455,7 @@ public struct NodeQuotaForCustomerExceededFault: ClientRuntime.ModeledError, AWS } } -/// +/// The specified parameter group does not exist. public struct ParameterGroupNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1478,7 +1478,7 @@ public struct ParameterGroupNotFoundFault: ClientRuntime.ModeledError, AWSClient } } -/// +/// The request cannot be processed because it would exceed the maximum number of shards allowed per cluster. public struct ShardsPerClusterQuotaExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1501,7 +1501,7 @@ public struct ShardsPerClusterQuotaExceededFault: ClientRuntime.ModeledError, AW } } -/// +/// The specified subnet group does not exist. public struct SubnetGroupNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1850,7 +1850,7 @@ public struct CreateMultiRegionClusterOutput: Swift.Sendable { } } -/// +/// The parameter group is not in a valid state for the requested operation. public struct InvalidParameterGroupStateFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1873,7 +1873,7 @@ public struct InvalidParameterGroupStateFault: ClientRuntime.ModeledError, AWSCl } } -/// +/// A parameter group with the specified name already exists. public struct ParameterGroupAlreadyExistsFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1896,7 +1896,7 @@ public struct ParameterGroupAlreadyExistsFault: ClientRuntime.ModeledError, AWSC } } -/// +/// The request cannot be processed because it would exceed the maximum number of parameter groups allowed. public struct ParameterGroupQuotaExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -1982,7 +1982,7 @@ public struct CreateParameterGroupOutput: Swift.Sendable { } } -/// +/// The specified cluster does not exist. public struct ClusterNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -2005,7 +2005,7 @@ public struct ClusterNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime } } -/// +/// The cluster is not in a valid state for the requested operation. public struct InvalidClusterStateFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -2064,7 +2064,7 @@ public struct CreateSnapshotOutput: Swift.Sendable { } } -/// +/// The specified subnet is not valid. public struct InvalidSubnet: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -2087,7 +2087,7 @@ public struct InvalidSubnet: ClientRuntime.ModeledError, AWSClientRuntime.AWSSer } } -/// +/// A subnet group with the specified name already exists. public struct SubnetGroupAlreadyExistsFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -2110,7 +2110,7 @@ public struct SubnetGroupAlreadyExistsFault: ClientRuntime.ModeledError, AWSClie } } -/// +/// The request cannot be processed because it would exceed the maximum number of subnet groups allowed. public struct SubnetGroupQuotaExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -2133,7 +2133,7 @@ public struct SubnetGroupQuotaExceededFault: ClientRuntime.ModeledError, AWSClie } } -/// +/// The specified subnet is not allowed for this operation. public struct SubnetNotAllowedFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -2156,7 +2156,7 @@ public struct SubnetNotAllowedFault: ClientRuntime.ModeledError, AWSClientRuntim } } -/// +/// The request cannot be processed because it would exceed the maximum number of subnets allowed. public struct SubnetQuotaExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -2295,7 +2295,7 @@ public struct CreateSubnetGroupOutput: Swift.Sendable { } } -/// +/// A user with the specified name already exists. public struct UserAlreadyExistsFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -2318,7 +2318,7 @@ public struct UserAlreadyExistsFault: ClientRuntime.ModeledError, AWSClientRunti } } -/// +/// The request cannot be processed because it would exceed the maximum number of users allowed. public struct UserQuotaExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -2639,7 +2639,7 @@ public struct DeleteSnapshotOutput: Swift.Sendable { } } -/// +/// The subnet group is currently in use and cannot be deleted. public struct SubnetGroupInUseFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -2685,7 +2685,7 @@ public struct DeleteSubnetGroupOutput: Swift.Sendable { } } -/// +/// The user is not in a valid state for the requested operation. public struct InvalidUserStateFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -3032,6 +3032,145 @@ public struct DescribeMultiRegionClustersOutput: Swift.Sendable { } } +public struct DescribeMultiRegionParameterGroupsInput: Swift.Sendable { + /// The maximum number of records to include in the response. If more records exist than the specified MaxResults value, a token is included in the response so that the remaining results can be retrieved. + public var maxResults: Swift.Int? + /// The request for information on a specific multi-region parameter group. + public var multiRegionParameterGroupName: Swift.String? + /// An optional token returned from a prior request. Use this token for pagination of results from this action. If this parameter is specified, the response includes only results beyond the token, up to the value specified by MaxResults. + public var nextToken: Swift.String? + + public init( + maxResults: Swift.Int? = nil, + multiRegionParameterGroupName: Swift.String? = nil, + nextToken: Swift.String? = nil + ) { + self.maxResults = maxResults + self.multiRegionParameterGroupName = multiRegionParameterGroupName + self.nextToken = nextToken + } +} + +extension MemoryDBClientTypes { + + /// Represents the output of a CreateMultiRegionParameterGroup operation. A multi-region parameter group represents a collection of parameters that can be applied to clusters across multiple regions. + public struct MultiRegionParameterGroup: Swift.Sendable { + /// The Amazon Resource Name (ARN) of the multi-region parameter group. + public var arn: Swift.String? + /// A description of the multi-region parameter group. + public var description: Swift.String? + /// The name of the parameter group family that this multi-region parameter group is compatible with. + public var family: Swift.String? + /// The name of the multi-region parameter group. + public var name: Swift.String? + + public init( + arn: Swift.String? = nil, + description: Swift.String? = nil, + family: Swift.String? = nil, + name: Swift.String? = nil + ) { + self.arn = arn + self.description = description + self.family = family + self.name = name + } + } +} + +public struct DescribeMultiRegionParameterGroupsOutput: Swift.Sendable { + /// A list of multi-region parameter groups. Each element in the list contains detailed information about one parameter group. + public var multiRegionParameterGroups: [MemoryDBClientTypes.MultiRegionParameterGroup]? + /// An optional token to include in the response. If this token is provided, the response includes only results beyond the token, up to the value specified by MaxResults. + public var nextToken: Swift.String? + + public init( + multiRegionParameterGroups: [MemoryDBClientTypes.MultiRegionParameterGroup]? = nil, + nextToken: Swift.String? = nil + ) { + self.multiRegionParameterGroups = multiRegionParameterGroups + self.nextToken = nextToken + } +} + +public struct DescribeMultiRegionParametersInput: Swift.Sendable { + /// The maximum number of records to include in the response. If more records exist than the specified MaxResults value, a token is included in the response so that the remaining results can be retrieved. + public var maxResults: Swift.Int? + /// The name of the multi-region parameter group to return details for. + /// This member is required. + public var multiRegionParameterGroupName: Swift.String? + /// An optional token returned from a prior request. Use this token for pagination of results from this action. If this parameter is specified, the response includes only results beyond the token, up to the value specified by MaxResults. + public var nextToken: Swift.String? + /// The parameter types to return. Valid values: user | system | engine-default + public var source: Swift.String? + + public init( + maxResults: Swift.Int? = nil, + multiRegionParameterGroupName: Swift.String? = nil, + nextToken: Swift.String? = nil, + source: Swift.String? = nil + ) { + self.maxResults = maxResults + self.multiRegionParameterGroupName = multiRegionParameterGroupName + self.nextToken = nextToken + self.source = source + } +} + +extension MemoryDBClientTypes { + + /// Describes an individual setting that controls some aspect of MemoryDB behavior across multiple regions. + public struct MultiRegionParameter: Swift.Sendable { + /// The valid range of values for the parameter. + public var allowedValues: Swift.String? + /// The valid data type for the parameter. + public var dataType: Swift.String? + /// A description of the parameter. + public var description: Swift.String? + /// The earliest engine version to which the parameter can apply. + public var minimumEngineVersion: Swift.String? + /// The name of the parameter. + public var name: Swift.String? + /// Indicates the source of the parameter value. Valid values: user | system | engine-default + public var source: Swift.String? + /// The value of the parameter. + public var value: Swift.String? + + public init( + allowedValues: Swift.String? = nil, + dataType: Swift.String? = nil, + description: Swift.String? = nil, + minimumEngineVersion: Swift.String? = nil, + name: Swift.String? = nil, + source: Swift.String? = nil, + value: Swift.String? = nil + ) { + self.allowedValues = allowedValues + self.dataType = dataType + self.description = description + self.minimumEngineVersion = minimumEngineVersion + self.name = name + self.source = source + self.value = value + } + } +} + +public struct DescribeMultiRegionParametersOutput: Swift.Sendable { + /// A list of parameters specific to a particular multi-region parameter group. Each element in the list contains detailed information about one parameter. + public var multiRegionParameters: [MemoryDBClientTypes.MultiRegionParameter]? + /// An optional token to include in the response. If this token is provided, the response includes only results beyond the token, up to the value specified by MaxResults. + public var nextToken: Swift.String? + + public init( + multiRegionParameters: [MemoryDBClientTypes.MultiRegionParameter]? = nil, + nextToken: Swift.String? = nil + ) { + self.multiRegionParameters = multiRegionParameters + self.nextToken = nextToken + } +} + public struct DescribeParameterGroupsInput: Swift.Sendable { /// The maximum number of records to include in the response. If more records exist than the specified MaxResults value, a token is included in the response so that the remaining results can be retrieved. public var maxResults: Swift.Int? @@ -3641,7 +3780,7 @@ public struct DescribeUsersOutput: Swift.Sendable { } } -/// +/// The customer has exceeded the maximum number of API requests allowed per time period. public struct APICallRateForCustomerExceededFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -3664,7 +3803,7 @@ public struct APICallRateForCustomerExceededFault: ClientRuntime.ModeledError, A } } -/// +/// The specified KMS key is not valid or accessible. public struct InvalidKMSKeyFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -3687,7 +3826,7 @@ public struct InvalidKMSKeyFault: ClientRuntime.ModeledError, AWSClientRuntime.A } } -/// +/// The specified shard does not exist. public struct ShardNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -3710,7 +3849,7 @@ public struct ShardNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.A } } -/// +/// Test failover is not available for this cluster configuration. public struct TestFailoverNotAvailableFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -3815,7 +3954,7 @@ public struct ListAllowedNodeTypeUpdatesOutput: Swift.Sendable { } } -/// +/// The specified Amazon Resource Name (ARN) is not valid. public struct InvalidARNFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -4001,7 +4140,7 @@ public struct TagResourceOutput: Swift.Sendable { } } -/// +/// The specified tag does not exist. public struct TagNotFoundFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -4083,7 +4222,7 @@ public struct UpdateACLOutput: Swift.Sendable { } } -/// +/// The node is not in a valid state for the requested operation. public struct InvalidNodeStateFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -4106,7 +4245,7 @@ public struct InvalidNodeStateFault: ClientRuntime.ModeledError, AWSClientRuntim } } -/// +/// The requested operation would result in no changes. public struct NoOperationFault: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -4382,7 +4521,7 @@ public struct UpdateParameterGroupOutput: Swift.Sendable { } } -/// +/// The subnet is currently in use and cannot be deleted. public struct SubnetInUse: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { public struct Properties: Swift.Sendable { @@ -4614,6 +4753,20 @@ extension DescribeMultiRegionClustersInput { } } +extension DescribeMultiRegionParameterGroupsInput { + + static func urlPathProvider(_ value: DescribeMultiRegionParameterGroupsInput) -> Swift.String? { + return "/" + } +} + +extension DescribeMultiRegionParametersInput { + + static func urlPathProvider(_ value: DescribeMultiRegionParametersInput) -> Swift.String? { + return "/" + } +} + extension DescribeParameterGroupsInput { static func urlPathProvider(_ value: DescribeParameterGroupsInput) -> Swift.String? { @@ -5009,6 +5162,27 @@ extension DescribeMultiRegionClustersInput { } } +extension DescribeMultiRegionParameterGroupsInput { + + static func write(value: DescribeMultiRegionParameterGroupsInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["MaxResults"].write(value.maxResults) + try writer["MultiRegionParameterGroupName"].write(value.multiRegionParameterGroupName) + try writer["NextToken"].write(value.nextToken) + } +} + +extension DescribeMultiRegionParametersInput { + + static func write(value: DescribeMultiRegionParametersInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["MaxResults"].write(value.maxResults) + try writer["MultiRegionParameterGroupName"].write(value.multiRegionParameterGroupName) + try writer["NextToken"].write(value.nextToken) + try writer["Source"].write(value.source) + } +} + extension DescribeParameterGroupsInput { static func write(value: DescribeParameterGroupsInput?, to writer: SmithyJSON.Writer) throws { @@ -5508,6 +5682,32 @@ extension DescribeMultiRegionClustersOutput { } } +extension DescribeMultiRegionParameterGroupsOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> DescribeMultiRegionParameterGroupsOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = DescribeMultiRegionParameterGroupsOutput() + value.multiRegionParameterGroups = try reader["MultiRegionParameterGroups"].readListIfPresent(memberReadingClosure: MemoryDBClientTypes.MultiRegionParameterGroup.read(from:), memberNodeInfo: "member", isFlattened: false) + value.nextToken = try reader["NextToken"].readIfPresent() + return value + } +} + +extension DescribeMultiRegionParametersOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> DescribeMultiRegionParametersOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = DescribeMultiRegionParametersOutput() + value.multiRegionParameters = try reader["MultiRegionParameters"].readListIfPresent(memberReadingClosure: MemoryDBClientTypes.MultiRegionParameter.read(from:), memberNodeInfo: "member", isFlattened: false) + value.nextToken = try reader["NextToken"].readIfPresent() + return value + } +} + extension DescribeParameterGroupsOutput { static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> DescribeParameterGroupsOutput { @@ -6168,6 +6368,40 @@ enum DescribeMultiRegionClustersOutputError { } } +enum DescribeMultiRegionParameterGroupsOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.AWSJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "InvalidParameterCombination": return try InvalidParameterCombinationException.makeError(baseError: baseError) + case "InvalidParameterValue": return try InvalidParameterValueException.makeError(baseError: baseError) + case "MultiRegionParameterGroupNotFoundFault": return try MultiRegionParameterGroupNotFoundFault.makeError(baseError: baseError) + case "ServiceLinkedRoleNotFoundFault": return try ServiceLinkedRoleNotFoundFault.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + +enum DescribeMultiRegionParametersOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.AWSJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "InvalidParameterCombination": return try InvalidParameterCombinationException.makeError(baseError: baseError) + case "InvalidParameterValue": return try InvalidParameterValueException.makeError(baseError: baseError) + case "MultiRegionParameterGroupNotFoundFault": return try MultiRegionParameterGroupNotFoundFault.makeError(baseError: baseError) + case "ServiceLinkedRoleNotFoundFault": return try ServiceLinkedRoleNotFoundFault.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + enum DescribeParameterGroupsOutputError { static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { @@ -7711,6 +7945,35 @@ extension MemoryDBClientTypes.Event { } } +extension MemoryDBClientTypes.MultiRegionParameterGroup { + + static func read(from reader: SmithyJSON.Reader) throws -> MemoryDBClientTypes.MultiRegionParameterGroup { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = MemoryDBClientTypes.MultiRegionParameterGroup() + value.name = try reader["Name"].readIfPresent() + value.family = try reader["Family"].readIfPresent() + value.description = try reader["Description"].readIfPresent() + value.arn = try reader["ARN"].readIfPresent() + return value + } +} + +extension MemoryDBClientTypes.MultiRegionParameter { + + static func read(from reader: SmithyJSON.Reader) throws -> MemoryDBClientTypes.MultiRegionParameter { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = MemoryDBClientTypes.MultiRegionParameter() + value.name = try reader["Name"].readIfPresent() + value.value = try reader["Value"].readIfPresent() + value.description = try reader["Description"].readIfPresent() + value.source = try reader["Source"].readIfPresent() + value.dataType = try reader["DataType"].readIfPresent() + value.allowedValues = try reader["AllowedValues"].readIfPresent() + value.minimumEngineVersion = try reader["MinimumEngineVersion"].readIfPresent() + return value + } +} + extension MemoryDBClientTypes.Parameter { static func read(from reader: SmithyJSON.Reader) throws -> MemoryDBClientTypes.Parameter { diff --git a/Sources/Services/AWSMgn/Sources/AWSMgn/MgnClient.swift b/Sources/Services/AWSMgn/Sources/AWSMgn/MgnClient.swift index 8c2fadb9c4d..49753de6f14 100644 --- a/Sources/Services/AWSMgn/Sources/AWSMgn/MgnClient.swift +++ b/Sources/Services/AWSMgn/Sources/AWSMgn/MgnClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MgnClient: ClientRuntime.Client { public static let clientName = "MgnClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MgnClient.MgnClientConfiguration let serviceName = "mgn" @@ -374,9 +373,9 @@ extension MgnClient { /// /// Archive application. /// - /// - Parameter ArchiveApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ArchiveApplicationInput`) /// - /// - Returns: `ArchiveApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ArchiveApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ArchiveApplicationOutput.httpOutput(from:), ArchiveApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension MgnClient { /// /// Archive wave. /// - /// - Parameter ArchiveWaveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ArchiveWaveInput`) /// - /// - Returns: `ArchiveWaveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ArchiveWaveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ArchiveWaveOutput.httpOutput(from:), ArchiveWaveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension MgnClient { /// /// Associate applications to wave. /// - /// - Parameter AssociateApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateApplicationsInput`) /// - /// - Returns: `AssociateApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateApplicationsOutput.httpOutput(from:), AssociateApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension MgnClient { /// /// Associate source servers to application. /// - /// - Parameter AssociateSourceServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSourceServersInput`) /// - /// - Returns: `AssociateSourceServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSourceServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSourceServersOutput.httpOutput(from:), AssociateSourceServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension MgnClient { /// /// Allows the user to set the SourceServer.LifeCycle.state property for specific Source Server IDs to one of the following: READY_FOR_TEST or READY_FOR_CUTOVER. This command only works if the Source Server is already launchable (dataReplicationInfo.lagDuration is not null.) /// - /// - Parameter ChangeServerLifeCycleStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ChangeServerLifeCycleStateInput`) /// - /// - Returns: `ChangeServerLifeCycleStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ChangeServerLifeCycleStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -697,7 +692,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChangeServerLifeCycleStateOutput.httpOutput(from:), ChangeServerLifeCycleStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -729,9 +723,9 @@ extension MgnClient { /// /// Create application. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension MgnClient { /// /// Create Connector. /// - /// - Parameter CreateConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectorInput`) /// - /// - Returns: `CreateConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -836,7 +829,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectorOutput.httpOutput(from:), CreateConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -868,9 +860,9 @@ extension MgnClient { /// /// Creates a new Launch Configuration Template. /// - /// - Parameter CreateLaunchConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLaunchConfigurationTemplateInput`) /// - /// - Returns: `CreateLaunchConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLaunchConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -906,7 +898,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLaunchConfigurationTemplateOutput.httpOutput(from:), CreateLaunchConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -938,9 +929,9 @@ extension MgnClient { /// /// Creates a new ReplicationConfigurationTemplate. /// - /// - Parameter CreateReplicationConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReplicationConfigurationTemplateInput`) /// - /// - Returns: `CreateReplicationConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReplicationConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +967,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplicationConfigurationTemplateOutput.httpOutput(from:), CreateReplicationConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1008,9 +998,9 @@ extension MgnClient { /// /// Create wave. /// - /// - Parameter CreateWaveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWaveInput`) /// - /// - Returns: `CreateWaveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWaveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1046,7 +1036,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWaveOutput.httpOutput(from:), CreateWaveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1078,9 +1067,9 @@ extension MgnClient { /// /// Delete application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1116,7 +1105,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1148,9 +1136,9 @@ extension MgnClient { /// /// Delete Connector. /// - /// - Parameter DeleteConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectorInput`) /// - /// - Returns: `DeleteConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1186,7 +1174,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectorOutput.httpOutput(from:), DeleteConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1218,9 +1205,9 @@ extension MgnClient { /// /// Deletes a single Job by ID. /// - /// - Parameter DeleteJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJobInput`) /// - /// - Returns: `DeleteJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1256,7 +1243,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobOutput.httpOutput(from:), DeleteJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1288,9 +1274,9 @@ extension MgnClient { /// /// Deletes a single Launch Configuration Template by ID. /// - /// - Parameter DeleteLaunchConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLaunchConfigurationTemplateInput`) /// - /// - Returns: `DeleteLaunchConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLaunchConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1326,7 +1312,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLaunchConfigurationTemplateOutput.httpOutput(from:), DeleteLaunchConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1358,9 +1343,9 @@ extension MgnClient { /// /// Deletes a single Replication Configuration Template by ID /// - /// - Parameter DeleteReplicationConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReplicationConfigurationTemplateInput`) /// - /// - Returns: `DeleteReplicationConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReplicationConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1381,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicationConfigurationTemplateOutput.httpOutput(from:), DeleteReplicationConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1428,9 +1412,9 @@ extension MgnClient { /// /// Deletes a single source server by ID. /// - /// - Parameter DeleteSourceServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSourceServerInput`) /// - /// - Returns: `DeleteSourceServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSourceServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1466,7 +1450,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSourceServerOutput.httpOutput(from:), DeleteSourceServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1498,9 +1481,9 @@ extension MgnClient { /// /// Deletes a given vCenter client by ID. /// - /// - Parameter DeleteVcenterClientInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVcenterClientInput`) /// - /// - Returns: `DeleteVcenterClientOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVcenterClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1536,7 +1519,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVcenterClientOutput.httpOutput(from:), DeleteVcenterClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1568,9 +1550,9 @@ extension MgnClient { /// /// Delete wave. /// - /// - Parameter DeleteWaveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWaveInput`) /// - /// - Returns: `DeleteWaveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWaveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1606,7 +1588,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWaveOutput.httpOutput(from:), DeleteWaveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1638,9 +1619,9 @@ extension MgnClient { /// /// Retrieves detailed job log items with paging. /// - /// - Parameter DescribeJobLogItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobLogItemsInput`) /// - /// - Returns: `DescribeJobLogItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobLogItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1675,7 +1656,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobLogItemsOutput.httpOutput(from:), DescribeJobLogItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1707,9 +1687,9 @@ extension MgnClient { /// /// Returns a list of Jobs. Use the JobsID and fromDate and toData filters to limit which jobs are returned. The response is sorted by creationDataTime - latest date first. Jobs are normally created by the StartTest, StartCutover, and TerminateTargetInstances APIs. Jobs are also created by DiagnosticLaunch and TerminateDiagnosticInstances, which are APIs available only to *Support* and only used in response to relevant support tickets. /// - /// - Parameter DescribeJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobsInput`) /// - /// - Returns: `DescribeJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1744,7 +1724,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobsOutput.httpOutput(from:), DescribeJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1776,9 +1755,9 @@ extension MgnClient { /// /// Lists all Launch Configuration Templates, filtered by Launch Configuration Template IDs /// - /// - Parameter DescribeLaunchConfigurationTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLaunchConfigurationTemplatesInput`) /// - /// - Returns: `DescribeLaunchConfigurationTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLaunchConfigurationTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1814,7 +1793,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLaunchConfigurationTemplatesOutput.httpOutput(from:), DescribeLaunchConfigurationTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1846,9 +1824,9 @@ extension MgnClient { /// /// Lists all ReplicationConfigurationTemplates, filtered by Source Server IDs. /// - /// - Parameter DescribeReplicationConfigurationTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReplicationConfigurationTemplatesInput`) /// - /// - Returns: `DescribeReplicationConfigurationTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReplicationConfigurationTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1884,7 +1862,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReplicationConfigurationTemplatesOutput.httpOutput(from:), DescribeReplicationConfigurationTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1916,9 +1893,9 @@ extension MgnClient { /// /// Retrieves all SourceServers or multiple SourceServers by ID. /// - /// - Parameter DescribeSourceServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSourceServersInput`) /// - /// - Returns: `DescribeSourceServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSourceServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1953,7 +1930,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSourceServersOutput.httpOutput(from:), DescribeSourceServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1985,9 +1961,9 @@ extension MgnClient { /// /// Returns a list of the installed vCenter clients. /// - /// - Parameter DescribeVcenterClientsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVcenterClientsInput`) /// - /// - Returns: `DescribeVcenterClientsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVcenterClientsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2021,7 +1997,6 @@ extension MgnClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeVcenterClientsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVcenterClientsOutput.httpOutput(from:), DescribeVcenterClientsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2053,9 +2028,9 @@ extension MgnClient { /// /// Disassociate applications from wave. /// - /// - Parameter DisassociateApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateApplicationsInput`) /// - /// - Returns: `DisassociateApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2091,7 +2066,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateApplicationsOutput.httpOutput(from:), DisassociateApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2123,9 +2097,9 @@ extension MgnClient { /// /// Disassociate source servers from application. /// - /// - Parameter DisassociateSourceServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSourceServersInput`) /// - /// - Returns: `DisassociateSourceServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSourceServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2161,7 +2135,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSourceServersOutput.httpOutput(from:), DisassociateSourceServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2193,9 +2166,9 @@ extension MgnClient { /// /// Disconnects specific Source Servers from Application Migration Service. Data replication is stopped immediately. All AWS resources created by Application Migration Service for enabling the replication of these source servers will be terminated / deleted within 90 minutes. Launched Test or Cutover instances will NOT be terminated. If the agent on the source server has not been prevented from communicating with the Application Migration Service service, then it will receive a command to uninstall itself (within approximately 10 minutes). The following properties of the SourceServer will be changed immediately: dataReplicationInfo.dataReplicationState will be set to DISCONNECTED; The totalStorageBytes property for each of dataReplicationInfo.replicatedDisks will be set to zero; dataReplicationInfo.lagDuration and dataReplicationInfo.lagDuration will be nullified. /// - /// - Parameter DisconnectFromServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisconnectFromServiceInput`) /// - /// - Returns: `DisconnectFromServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisconnectFromServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2231,7 +2204,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisconnectFromServiceOutput.httpOutput(from:), DisconnectFromServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2263,9 +2235,9 @@ extension MgnClient { /// /// Finalizes the cutover immediately for specific Source Servers. All AWS resources created by Application Migration Service for enabling the replication of these source servers will be terminated / deleted within 90 minutes. Launched Test or Cutover instances will NOT be terminated. The AWS Replication Agent will receive a command to uninstall itself (within 10 minutes). The following properties of the SourceServer will be changed immediately: dataReplicationInfo.dataReplicationState will be changed to DISCONNECTED; The SourceServer.lifeCycle.state will be changed to CUTOVER; The totalStorageBytes property fo each of dataReplicationInfo.replicatedDisks will be set to zero; dataReplicationInfo.lagDuration and dataReplicationInfo.lagDuration will be nullified. /// - /// - Parameter FinalizeCutoverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `FinalizeCutoverInput`) /// - /// - Returns: `FinalizeCutoverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FinalizeCutoverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2302,7 +2274,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FinalizeCutoverOutput.httpOutput(from:), FinalizeCutoverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2334,9 +2305,9 @@ extension MgnClient { /// /// Lists all LaunchConfigurations available, filtered by Source Server IDs. /// - /// - Parameter GetLaunchConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLaunchConfigurationInput`) /// - /// - Returns: `GetLaunchConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLaunchConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2371,7 +2342,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLaunchConfigurationOutput.httpOutput(from:), GetLaunchConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2403,9 +2373,9 @@ extension MgnClient { /// /// Lists all ReplicationConfigurations, filtered by Source Server ID. /// - /// - Parameter GetReplicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReplicationConfigurationInput`) /// - /// - Returns: `GetReplicationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReplicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2440,7 +2410,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReplicationConfigurationOutput.httpOutput(from:), GetReplicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2472,9 +2441,9 @@ extension MgnClient { /// /// Initialize Application Migration Service. /// - /// - Parameter InitializeServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InitializeServiceInput`) /// - /// - Returns: `InitializeServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InitializeServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2506,7 +2475,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitializeServiceOutput.httpOutput(from:), InitializeServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2538,9 +2506,9 @@ extension MgnClient { /// /// Retrieves all applications or multiple applications by ID. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2574,7 +2542,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2606,9 +2573,9 @@ extension MgnClient { /// /// List Connectors. /// - /// - Parameter ListConnectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorsInput`) /// - /// - Returns: `ListConnectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2643,7 +2610,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorsOutput.httpOutput(from:), ListConnectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2675,9 +2641,9 @@ extension MgnClient { /// /// List export errors. /// - /// - Parameter ListExportErrorsInput : List export errors request. + /// - Parameter input: List export errors request. (Type: `ListExportErrorsInput`) /// - /// - Returns: `ListExportErrorsOutput` : List export errors response. + /// - Returns: List export errors response. (Type: `ListExportErrorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2712,7 +2678,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExportErrorsOutput.httpOutput(from:), ListExportErrorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2744,9 +2709,9 @@ extension MgnClient { /// /// List exports. /// - /// - Parameter ListExportsInput : List export request. + /// - Parameter input: List export request. (Type: `ListExportsInput`) /// - /// - Returns: `ListExportsOutput` : List export response. + /// - Returns: List export response. (Type: `ListExportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2780,7 +2745,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExportsOutput.httpOutput(from:), ListExportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2812,9 +2776,9 @@ extension MgnClient { /// /// List import errors. /// - /// - Parameter ListImportErrorsInput : List import errors request. + /// - Parameter input: List import errors request. (Type: `ListImportErrorsInput`) /// - /// - Returns: `ListImportErrorsOutput` : List imports errors response. + /// - Returns: List imports errors response. (Type: `ListImportErrorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2849,7 +2813,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportErrorsOutput.httpOutput(from:), ListImportErrorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2881,9 +2844,9 @@ extension MgnClient { /// /// List imports. /// - /// - Parameter ListImportsInput : List imports request. + /// - Parameter input: List imports request. (Type: `ListImportsInput`) /// - /// - Returns: `ListImportsOutput` : List import response. + /// - Returns: List import response. (Type: `ListImportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2918,7 +2881,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportsOutput.httpOutput(from:), ListImportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2950,9 +2912,9 @@ extension MgnClient { /// /// List Managed Accounts. /// - /// - Parameter ListManagedAccountsInput : List managed accounts request. + /// - Parameter input: List managed accounts request. (Type: `ListManagedAccountsInput`) /// - /// - Returns: `ListManagedAccountsOutput` : List managed accounts response. + /// - Returns: List managed accounts response. (Type: `ListManagedAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2987,7 +2949,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedAccountsOutput.httpOutput(from:), ListManagedAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3019,9 +2980,9 @@ extension MgnClient { /// /// List source server post migration custom actions. /// - /// - Parameter ListSourceServerActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSourceServerActionsInput`) /// - /// - Returns: `ListSourceServerActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSourceServerActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3056,7 +3017,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSourceServerActionsOutput.httpOutput(from:), ListSourceServerActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3088,9 +3048,9 @@ extension MgnClient { /// /// List all tags for your Application Migration Service resources. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3125,7 +3085,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3157,9 +3116,9 @@ extension MgnClient { /// /// List template post migration custom actions. /// - /// - Parameter ListTemplateActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplateActionsInput`) /// - /// - Returns: `ListTemplateActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplateActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3194,7 +3153,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplateActionsOutput.httpOutput(from:), ListTemplateActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3226,9 +3184,9 @@ extension MgnClient { /// /// Retrieves all waves or multiple waves by ID. /// - /// - Parameter ListWavesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWavesInput`) /// - /// - Returns: `ListWavesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWavesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3262,7 +3220,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWavesOutput.httpOutput(from:), ListWavesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3294,9 +3251,9 @@ extension MgnClient { /// /// Archives specific Source Servers by setting the SourceServer.isArchived property to true for specified SourceServers by ID. This command only works for SourceServers with a lifecycle. state which equals DISCONNECTED or CUTOVER. /// - /// - Parameter MarkAsArchivedInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MarkAsArchivedInput`) /// - /// - Returns: `MarkAsArchivedOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MarkAsArchivedOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3332,7 +3289,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MarkAsArchivedOutput.httpOutput(from:), MarkAsArchivedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3364,9 +3320,9 @@ extension MgnClient { /// /// Pause Replication. /// - /// - Parameter PauseReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PauseReplicationInput`) /// - /// - Returns: `PauseReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PauseReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3404,7 +3360,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PauseReplicationOutput.httpOutput(from:), PauseReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3436,9 +3391,9 @@ extension MgnClient { /// /// Put source server post migration custom action. /// - /// - Parameter PutSourceServerActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSourceServerActionInput`) /// - /// - Returns: `PutSourceServerActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSourceServerActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3475,7 +3430,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSourceServerActionOutput.httpOutput(from:), PutSourceServerActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3507,9 +3461,9 @@ extension MgnClient { /// /// Put template post migration custom action. /// - /// - Parameter PutTemplateActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTemplateActionInput`) /// - /// - Returns: `PutTemplateActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTemplateActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3546,7 +3500,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTemplateActionOutput.httpOutput(from:), PutTemplateActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3578,9 +3531,9 @@ extension MgnClient { /// /// Remove source server post migration custom action. /// - /// - Parameter RemoveSourceServerActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveSourceServerActionInput`) /// - /// - Returns: `RemoveSourceServerActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveSourceServerActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3616,7 +3569,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveSourceServerActionOutput.httpOutput(from:), RemoveSourceServerActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3648,9 +3600,9 @@ extension MgnClient { /// /// Remove template post migration custom action. /// - /// - Parameter RemoveTemplateActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveTemplateActionInput`) /// - /// - Returns: `RemoveTemplateActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTemplateActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3686,7 +3638,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTemplateActionOutput.httpOutput(from:), RemoveTemplateActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3718,9 +3669,9 @@ extension MgnClient { /// /// Resume Replication. /// - /// - Parameter ResumeReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResumeReplicationInput`) /// - /// - Returns: `ResumeReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3758,7 +3709,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeReplicationOutput.httpOutput(from:), ResumeReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3790,9 +3740,9 @@ extension MgnClient { /// /// Causes the data replication initiation sequence to begin immediately upon next Handshake for specified SourceServer IDs, regardless of when the previous initiation started. This command will not work if the SourceServer is not stalled or is in a DISCONNECTED or STOPPED state. /// - /// - Parameter RetryDataReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetryDataReplicationInput`) /// - /// - Returns: `RetryDataReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetryDataReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3828,7 +3778,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetryDataReplicationOutput.httpOutput(from:), RetryDataReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3860,9 +3809,9 @@ extension MgnClient { /// /// Launches a Cutover Instance for specific Source Servers. This command starts a LAUNCH job whose initiatedBy property is StartCutover and changes the SourceServer.lifeCycle.state property to CUTTING_OVER. /// - /// - Parameter StartCutoverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCutoverInput`) /// - /// - Returns: `StartCutoverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCutoverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3898,7 +3847,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCutoverOutput.httpOutput(from:), StartCutoverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3930,9 +3878,9 @@ extension MgnClient { /// /// Start export. /// - /// - Parameter StartExportInput : Start export request. + /// - Parameter input: Start export request. (Type: `StartExportInput`) /// - /// - Returns: `StartExportOutput` : Start export response. + /// - Returns: Start export response. (Type: `StartExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3968,7 +3916,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExportOutput.httpOutput(from:), StartExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4000,9 +3947,9 @@ extension MgnClient { /// /// Start import. /// - /// - Parameter StartImportInput : Start import request. + /// - Parameter input: Start import request. (Type: `StartImportInput`) /// - /// - Returns: `StartImportOutput` : Start import response. + /// - Returns: Start import response. (Type: `StartImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4041,7 +3988,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImportOutput.httpOutput(from:), StartImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4073,9 +4019,9 @@ extension MgnClient { /// /// Starts replication for SNAPSHOT_SHIPPING agents. /// - /// - Parameter StartReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartReplicationInput`) /// - /// - Returns: `StartReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4113,7 +4059,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReplicationOutput.httpOutput(from:), StartReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4145,9 +4090,9 @@ extension MgnClient { /// /// Launches a Test Instance for specific Source Servers. This command starts a LAUNCH job whose initiatedBy property is StartTest and changes the SourceServer.lifeCycle.state property to TESTING. /// - /// - Parameter StartTestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTestInput`) /// - /// - Returns: `StartTestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4183,7 +4128,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTestOutput.httpOutput(from:), StartTestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4215,9 +4159,9 @@ extension MgnClient { /// /// Stop Replication. /// - /// - Parameter StopReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopReplicationInput`) /// - /// - Returns: `StopReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4255,7 +4199,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopReplicationOutput.httpOutput(from:), StopReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4287,9 +4230,9 @@ extension MgnClient { /// /// Adds or overwrites only the specified tags for the specified Application Migration Service resource or resources. 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 optional value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4327,7 +4270,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4359,9 +4301,9 @@ extension MgnClient { /// /// Starts a job that terminates specific launched EC2 Test and Cutover instances. This command will not work for any Source Server with a lifecycle.state of TESTING, CUTTING_OVER, or CUTOVER. /// - /// - Parameter TerminateTargetInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateTargetInstancesInput`) /// - /// - Returns: `TerminateTargetInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateTargetInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4397,7 +4339,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateTargetInstancesOutput.httpOutput(from:), TerminateTargetInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4429,9 +4370,9 @@ extension MgnClient { /// /// Unarchive application. /// - /// - Parameter UnarchiveApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnarchiveApplicationInput`) /// - /// - Returns: `UnarchiveApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnarchiveApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4467,7 +4408,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnarchiveApplicationOutput.httpOutput(from:), UnarchiveApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4499,9 +4439,9 @@ extension MgnClient { /// /// Unarchive wave. /// - /// - Parameter UnarchiveWaveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnarchiveWaveInput`) /// - /// - Returns: `UnarchiveWaveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnarchiveWaveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4537,7 +4477,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnarchiveWaveOutput.httpOutput(from:), UnarchiveWaveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4569,9 +4508,9 @@ extension MgnClient { /// /// Deletes the specified set of tags from the specified set of Application Migration Service resources. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4607,7 +4546,6 @@ extension MgnClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4639,9 +4577,9 @@ extension MgnClient { /// /// Update application. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4677,7 +4615,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4709,9 +4646,9 @@ extension MgnClient { /// /// Update Connector. /// - /// - Parameter UpdateConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectorInput`) /// - /// - Returns: `UpdateConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4747,7 +4684,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectorOutput.httpOutput(from:), UpdateConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4779,9 +4715,9 @@ extension MgnClient { /// /// Updates multiple LaunchConfigurations by Source Server ID. bootMode valid values are LEGACY_BIOS | UEFI /// - /// - Parameter UpdateLaunchConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLaunchConfigurationInput`) /// - /// - Returns: `UpdateLaunchConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLaunchConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4818,7 +4754,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLaunchConfigurationOutput.httpOutput(from:), UpdateLaunchConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4850,9 +4785,9 @@ extension MgnClient { /// /// Updates an existing Launch Configuration Template by ID. /// - /// - Parameter UpdateLaunchConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLaunchConfigurationTemplateInput`) /// - /// - Returns: `UpdateLaunchConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLaunchConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4889,7 +4824,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLaunchConfigurationTemplateOutput.httpOutput(from:), UpdateLaunchConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4921,9 +4855,9 @@ extension MgnClient { /// /// Allows you to update multiple ReplicationConfigurations by Source Server ID. /// - /// - Parameter UpdateReplicationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReplicationConfigurationInput`) /// - /// - Returns: `UpdateReplicationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReplicationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4961,7 +4895,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReplicationConfigurationOutput.httpOutput(from:), UpdateReplicationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4993,9 +4926,9 @@ extension MgnClient { /// /// Updates multiple ReplicationConfigurationTemplates by ID. /// - /// - Parameter UpdateReplicationConfigurationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReplicationConfigurationTemplateInput`) /// - /// - Returns: `UpdateReplicationConfigurationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReplicationConfigurationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5032,7 +4965,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReplicationConfigurationTemplateOutput.httpOutput(from:), UpdateReplicationConfigurationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5064,9 +4996,9 @@ extension MgnClient { /// /// Update Source Server. /// - /// - Parameter UpdateSourceServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSourceServerInput`) /// - /// - Returns: `UpdateSourceServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSourceServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5102,7 +5034,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSourceServerOutput.httpOutput(from:), UpdateSourceServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5134,9 +5065,9 @@ extension MgnClient { /// /// Allows you to change between the AGENT_BASED replication type and the SNAPSHOT_SHIPPING replication type. /// - /// - Parameter UpdateSourceServerReplicationTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSourceServerReplicationTypeInput`) /// - /// - Returns: `UpdateSourceServerReplicationTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSourceServerReplicationTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5173,7 +5104,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSourceServerReplicationTypeOutput.httpOutput(from:), UpdateSourceServerReplicationTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5205,9 +5135,9 @@ extension MgnClient { /// /// Update wave. /// - /// - Parameter UpdateWaveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWaveInput`) /// - /// - Returns: `UpdateWaveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWaveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5243,7 +5173,6 @@ extension MgnClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWaveOutput.httpOutput(from:), UpdateWaveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMigrationHub/Sources/AWSMigrationHub/MigrationHubClient.swift b/Sources/Services/AWSMigrationHub/Sources/AWSMigrationHub/MigrationHubClient.swift index 41275b50f71..5dbc355144a 100644 --- a/Sources/Services/AWSMigrationHub/Sources/AWSMigrationHub/MigrationHubClient.swift +++ b/Sources/Services/AWSMigrationHub/Sources/AWSMigrationHub/MigrationHubClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MigrationHubClient: ClientRuntime.Client { public static let clientName = "MigrationHubClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MigrationHubClient.MigrationHubClientConfiguration let serviceName = "Migration Hub" @@ -380,9 +379,9 @@ extension MigrationHubClient { /// /// * Examples of the AWS resource behind the created artifact are, AMI's, EC2 instance, or DMS endpoint, etc. /// - /// - Parameter AssociateCreatedArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateCreatedArtifactInput`) /// - /// - Returns: `AssociateCreatedArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateCreatedArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -422,7 +421,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateCreatedArtifactOutput.httpOutput(from:), AssociateCreatedArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -457,9 +455,9 @@ extension MigrationHubClient { /// /// Associates a discovered resource ID from Application Discovery Service with a migration task. /// - /// - Parameter AssociateDiscoveredResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDiscoveredResourceInput`) /// - /// - Returns: `AssociateDiscoveredResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDiscoveredResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -500,7 +498,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDiscoveredResourceOutput.httpOutput(from:), AssociateDiscoveredResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -535,9 +532,9 @@ extension MigrationHubClient { /// /// Associates a source resource with a migration task. For example, the source resource can be a source server, an application, or a migration wave. /// - /// - Parameter AssociateSourceResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSourceResourceInput`) /// - /// - Returns: `AssociateSourceResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSourceResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -576,7 +573,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSourceResourceOutput.httpOutput(from:), AssociateSourceResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -611,9 +607,9 @@ extension MigrationHubClient { /// /// Creates a progress update stream which is an AWS resource used for access control as well as a namespace for migration task names that is implicitly linked to your AWS account. It must uniquely identify the migration tool as it is used for all updates made by the tool; however, it does not need to be unique for each AWS account because it is scoped to the AWS account. /// - /// - Parameter CreateProgressUpdateStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProgressUpdateStreamInput`) /// - /// - Returns: `CreateProgressUpdateStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProgressUpdateStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -652,7 +648,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProgressUpdateStreamOutput.httpOutput(from:), CreateProgressUpdateStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -697,9 +692,9 @@ extension MigrationHubClient { /// /// * Once the stream and all of its resources are deleted, CreateProgressUpdateStream for a stream of the same name will succeed, and that stream will be an entirely new logical resource (without any resources associated with the old stream). /// - /// - Parameter DeleteProgressUpdateStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProgressUpdateStreamInput`) /// - /// - Returns: `DeleteProgressUpdateStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProgressUpdateStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -739,7 +734,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProgressUpdateStreamOutput.httpOutput(from:), DeleteProgressUpdateStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -774,9 +768,9 @@ extension MigrationHubClient { /// /// Gets the migration status of an application. /// - /// - Parameter DescribeApplicationStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationStateInput`) /// - /// - Returns: `DescribeApplicationStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -815,7 +809,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationStateOutput.httpOutput(from:), DescribeApplicationStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -850,9 +843,9 @@ extension MigrationHubClient { /// /// Retrieves a list of all attributes associated with a specific migration task. /// - /// - Parameter DescribeMigrationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMigrationTaskInput`) /// - /// - Returns: `DescribeMigrationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMigrationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -890,7 +883,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMigrationTaskOutput.httpOutput(from:), DescribeMigrationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -931,9 +923,9 @@ extension MigrationHubClient { /// /// * Examples of the AWS resource behind the created artifact are, AMI's, EC2 instance, or RDS instance, etc. /// - /// - Parameter DisassociateCreatedArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateCreatedArtifactInput`) /// - /// - Returns: `DisassociateCreatedArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateCreatedArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -973,7 +965,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateCreatedArtifactOutput.httpOutput(from:), DisassociateCreatedArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1008,9 +999,9 @@ extension MigrationHubClient { /// /// Disassociate an Application Discovery Service discovered resource from a migration task. /// - /// - Parameter DisassociateDiscoveredResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateDiscoveredResourceInput`) /// - /// - Returns: `DisassociateDiscoveredResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateDiscoveredResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1050,7 +1041,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateDiscoveredResourceOutput.httpOutput(from:), DisassociateDiscoveredResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1085,9 +1075,9 @@ extension MigrationHubClient { /// /// Removes the association between a source resource and a migration task. /// - /// - Parameter DisassociateSourceResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSourceResourceInput`) /// - /// - Returns: `DisassociateSourceResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSourceResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1126,7 +1116,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSourceResourceOutput.httpOutput(from:), DisassociateSourceResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1161,9 +1150,9 @@ extension MigrationHubClient { /// /// Registers a new migration task which represents a server, database, etc., being migrated to AWS by a migration tool. This API is a prerequisite to calling the NotifyMigrationTaskState API as the migration tool must first register the migration task with Migration Hub. /// - /// - Parameter ImportMigrationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportMigrationTaskInput`) /// - /// - Returns: `ImportMigrationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportMigrationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1203,7 +1192,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportMigrationTaskOutput.httpOutput(from:), ImportMigrationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1238,9 +1226,9 @@ extension MigrationHubClient { /// /// Lists all the migration statuses for your applications. If you use the optional ApplicationIds parameter, only the migration statuses for those applications will be returned. /// - /// - Parameter ListApplicationStatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationStatesInput`) /// - /// - Returns: `ListApplicationStatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationStatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1277,7 +1265,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationStatesOutput.httpOutput(from:), ListApplicationStatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1318,9 +1305,9 @@ extension MigrationHubClient { /// /// * Lists created artifacts in a paginated interface. /// - /// - Parameter ListCreatedArtifactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCreatedArtifactsInput`) /// - /// - Returns: `ListCreatedArtifactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCreatedArtifactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1358,7 +1345,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCreatedArtifactsOutput.httpOutput(from:), ListCreatedArtifactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1393,9 +1379,9 @@ extension MigrationHubClient { /// /// Lists discovered resources associated with the given MigrationTask. /// - /// - Parameter ListDiscoveredResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDiscoveredResourcesInput`) /// - /// - Returns: `ListDiscoveredResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDiscoveredResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1433,7 +1419,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDiscoveredResourcesOutput.httpOutput(from:), ListDiscoveredResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1468,9 +1453,9 @@ extension MigrationHubClient { /// /// This is a paginated API that returns all the migration-task states for the specified MigrationTaskName and ProgressUpdateStream. /// - /// - Parameter ListMigrationTaskUpdatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMigrationTaskUpdatesInput`) /// - /// - Returns: `ListMigrationTaskUpdatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMigrationTaskUpdatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1507,7 +1492,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMigrationTaskUpdatesOutput.httpOutput(from:), ListMigrationTaskUpdatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1548,9 +1532,9 @@ extension MigrationHubClient { /// /// * Lists migration tasks in a paginated interface. /// - /// - Parameter ListMigrationTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMigrationTasksInput`) /// - /// - Returns: `ListMigrationTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMigrationTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1589,7 +1573,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMigrationTasksOutput.httpOutput(from:), ListMigrationTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1624,9 +1607,9 @@ extension MigrationHubClient { /// /// Lists progress update streams associated with the user account making this call. /// - /// - Parameter ListProgressUpdateStreamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProgressUpdateStreamsInput`) /// - /// - Returns: `ListProgressUpdateStreamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProgressUpdateStreamsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1663,7 +1646,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProgressUpdateStreamsOutput.httpOutput(from:), ListProgressUpdateStreamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1698,9 +1680,9 @@ extension MigrationHubClient { /// /// Lists all the source resource that are associated with the specified MigrationTaskName and ProgressUpdateStream. /// - /// - Parameter ListSourceResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSourceResourcesInput`) /// - /// - Returns: `ListSourceResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSourceResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1737,7 +1719,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSourceResourcesOutput.httpOutput(from:), ListSourceResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1772,9 +1753,9 @@ extension MigrationHubClient { /// /// Sets the migration state of an application. For a given application identified by the value passed to ApplicationId, its status is set or updated by passing one of three values to Status: NOT_STARTED | IN_PROGRESS | COMPLETED. /// - /// - Parameter NotifyApplicationStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `NotifyApplicationStateInput`) /// - /// - Returns: `NotifyApplicationStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `NotifyApplicationStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1815,7 +1796,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NotifyApplicationStateOutput.httpOutput(from:), NotifyApplicationStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1856,9 +1836,9 @@ extension MigrationHubClient { /// /// * ProgressUpdateStream is used for access control and to provide a namespace for each migration tool. /// - /// - Parameter NotifyMigrationTaskStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `NotifyMigrationTaskStateInput`) /// - /// - Returns: `NotifyMigrationTaskStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `NotifyMigrationTaskStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1898,7 +1878,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NotifyMigrationTaskStateOutput.httpOutput(from:), NotifyMigrationTaskStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1940,9 +1919,9 @@ extension MigrationHubClient { /// /// Because this is an asynchronous call, it will always return 200, whether an association occurs or not. To confirm if an association was found based on the provided details, call ListDiscoveredResources. /// - /// - Parameter PutResourceAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourceAttributesInput`) /// - /// - Returns: `PutResourceAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourceAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1982,7 +1961,6 @@ extension MigrationHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourceAttributesOutput.httpOutput(from:), PutResourceAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMigrationHubConfig/Sources/AWSMigrationHubConfig/MigrationHubConfigClient.swift b/Sources/Services/AWSMigrationHubConfig/Sources/AWSMigrationHubConfig/MigrationHubConfigClient.swift index 7848c902882..aef9df0ca76 100644 --- a/Sources/Services/AWSMigrationHubConfig/Sources/AWSMigrationHubConfig/MigrationHubConfigClient.swift +++ b/Sources/Services/AWSMigrationHubConfig/Sources/AWSMigrationHubConfig/MigrationHubConfigClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MigrationHubConfigClient: ClientRuntime.Client { public static let clientName = "MigrationHubConfigClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MigrationHubConfigClient.MigrationHubConfigClientConfiguration let serviceName = "MigrationHub Config" @@ -373,9 +372,9 @@ extension MigrationHubConfigClient { /// /// This API sets up the home region for the calling account only. /// - /// - Parameter CreateHomeRegionControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHomeRegionControlInput`) /// - /// - Returns: `CreateHomeRegionControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHomeRegionControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension MigrationHubConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHomeRegionControlOutput.httpOutput(from:), CreateHomeRegionControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension MigrationHubConfigClient { /// /// This operation deletes the home region configuration for the calling account. The operation does not delete discovery or migration tracking data in the home region. /// - /// - Parameter DeleteHomeRegionControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHomeRegionControlInput`) /// - /// - Returns: `DeleteHomeRegionControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHomeRegionControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension MigrationHubConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHomeRegionControlOutput.httpOutput(from:), DeleteHomeRegionControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension MigrationHubConfigClient { /// /// This API permits filtering on the ControlId and HomeRegion fields. /// - /// - Parameter DescribeHomeRegionControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHomeRegionControlsInput`) /// - /// - Returns: `DescribeHomeRegionControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHomeRegionControlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension MigrationHubConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHomeRegionControlsOutput.httpOutput(from:), DescribeHomeRegionControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension MigrationHubConfigClient { /// /// Returns the calling account’s home region, if configured. This API is used by other AWS services to determine the regional endpoint for calling AWS Application Discovery Service and Migration Hub. You must call GetHomeRegion at least once before you call any other AWS Application Discovery Service and AWS Migration Hub APIs, to obtain the account's Migration Hub home region. /// - /// - Parameter GetHomeRegionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetHomeRegionInput`) /// - /// - Returns: `GetHomeRegionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetHomeRegionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension MigrationHubConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHomeRegionOutput.httpOutput(from:), GetHomeRegionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMigrationHubOrchestrator/Sources/AWSMigrationHubOrchestrator/MigrationHubOrchestratorClient.swift b/Sources/Services/AWSMigrationHubOrchestrator/Sources/AWSMigrationHubOrchestrator/MigrationHubOrchestratorClient.swift index 876555c0368..e8e66f6f2d5 100644 --- a/Sources/Services/AWSMigrationHubOrchestrator/Sources/AWSMigrationHubOrchestrator/MigrationHubOrchestratorClient.swift +++ b/Sources/Services/AWSMigrationHubOrchestrator/Sources/AWSMigrationHubOrchestrator/MigrationHubOrchestratorClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MigrationHubOrchestratorClient: ClientRuntime.Client { public static let clientName = "MigrationHubOrchestratorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MigrationHubOrchestratorClient.MigrationHubOrchestratorClientConfiguration let serviceName = "MigrationHubOrchestrator" @@ -375,9 +374,9 @@ extension MigrationHubOrchestratorClient { /// /// Creates a migration workflow template. /// - /// - Parameter CreateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTemplateInput`) /// - /// - Returns: `CreateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTemplateOutput.httpOutput(from:), CreateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension MigrationHubOrchestratorClient { /// /// Create a workflow to orchestrate your migrations. /// - /// - Parameter CreateWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkflowInput`) /// - /// - Returns: `CreateWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkflowOutput.httpOutput(from:), CreateWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension MigrationHubOrchestratorClient { /// /// Create a step in the migration workflow. /// - /// - Parameter CreateWorkflowStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkflowStepInput`) /// - /// - Returns: `CreateWorkflowStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkflowStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkflowStepOutput.httpOutput(from:), CreateWorkflowStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension MigrationHubOrchestratorClient { /// /// Create a step group in a migration workflow. /// - /// - Parameter CreateWorkflowStepGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkflowStepGroupInput`) /// - /// - Returns: `CreateWorkflowStepGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkflowStepGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkflowStepGroupOutput.httpOutput(from:), CreateWorkflowStepGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension MigrationHubOrchestratorClient { /// /// Deletes a migration workflow template. /// - /// - Parameter DeleteTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTemplateInput`) /// - /// - Returns: `DeleteTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTemplateOutput.httpOutput(from:), DeleteTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension MigrationHubOrchestratorClient { /// /// Delete a migration workflow. You must pause a running workflow in Migration Hub Orchestrator console to delete it. /// - /// - Parameter DeleteWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkflowInput`) /// - /// - Returns: `DeleteWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkflowOutput.httpOutput(from:), DeleteWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension MigrationHubOrchestratorClient { /// /// Delete a step in a migration workflow. Pause the workflow to delete a running step. /// - /// - Parameter DeleteWorkflowStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkflowStepInput`) /// - /// - Returns: `DeleteWorkflowStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkflowStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -837,7 +830,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteWorkflowStepInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkflowStepOutput.httpOutput(from:), DeleteWorkflowStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -869,9 +861,9 @@ extension MigrationHubOrchestratorClient { /// /// Delete a step group in a migration workflow. /// - /// - Parameter DeleteWorkflowStepGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkflowStepGroupInput`) /// - /// - Returns: `DeleteWorkflowStepGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkflowStepGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -907,7 +899,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteWorkflowStepGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkflowStepGroupOutput.httpOutput(from:), DeleteWorkflowStepGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -939,9 +930,9 @@ extension MigrationHubOrchestratorClient { /// /// Get the template you want to use for creating a migration workflow. /// - /// - Parameter GetTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemplateInput`) /// - /// - Returns: `GetTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -975,7 +966,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateOutput.httpOutput(from:), GetTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1007,9 +997,9 @@ extension MigrationHubOrchestratorClient { /// /// Get a specific step in a template. /// - /// - Parameter GetTemplateStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemplateStepInput`) /// - /// - Returns: `GetTemplateStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemplateStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1045,7 +1035,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTemplateStepInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateStepOutput.httpOutput(from:), GetTemplateStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1077,9 +1066,9 @@ extension MigrationHubOrchestratorClient { /// /// Get a step group in a template. /// - /// - Parameter GetTemplateStepGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemplateStepGroupInput`) /// - /// - Returns: `GetTemplateStepGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemplateStepGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1114,7 +1103,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateStepGroupOutput.httpOutput(from:), GetTemplateStepGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1146,9 +1134,9 @@ extension MigrationHubOrchestratorClient { /// /// Get migration workflow. /// - /// - Parameter GetWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowInput`) /// - /// - Returns: `GetWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1183,7 +1171,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowOutput.httpOutput(from:), GetWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1215,9 +1202,9 @@ extension MigrationHubOrchestratorClient { /// /// Get a step in the migration workflow. /// - /// - Parameter GetWorkflowStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowStepInput`) /// - /// - Returns: `GetWorkflowStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1252,7 +1239,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWorkflowStepInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowStepOutput.httpOutput(from:), GetWorkflowStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1284,9 +1270,9 @@ extension MigrationHubOrchestratorClient { /// /// Get the step group of a migration workflow. /// - /// - Parameter GetWorkflowStepGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowStepGroupInput`) /// - /// - Returns: `GetWorkflowStepGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowStepGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1322,7 +1308,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWorkflowStepGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowStepGroupOutput.httpOutput(from:), GetWorkflowStepGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1354,9 +1339,9 @@ extension MigrationHubOrchestratorClient { /// /// List AWS Migration Hub Orchestrator plugins. /// - /// - Parameter ListPluginsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPluginsInput`) /// - /// - Returns: `ListPluginsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPluginsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1390,7 +1375,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPluginsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPluginsOutput.httpOutput(from:), ListPluginsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1422,9 +1406,9 @@ extension MigrationHubOrchestratorClient { /// /// List the tags added to a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1456,7 +1440,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1488,9 +1471,9 @@ extension MigrationHubOrchestratorClient { /// /// List the step groups in a template. /// - /// - Parameter ListTemplateStepGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplateStepGroupsInput`) /// - /// - Returns: `ListTemplateStepGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplateStepGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1525,7 +1508,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplateStepGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplateStepGroupsOutput.httpOutput(from:), ListTemplateStepGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1557,9 +1539,9 @@ extension MigrationHubOrchestratorClient { /// /// List the steps in a template. /// - /// - Parameter ListTemplateStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplateStepsInput`) /// - /// - Returns: `ListTemplateStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplateStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1595,7 +1577,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplateStepsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplateStepsOutput.httpOutput(from:), ListTemplateStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1627,9 +1608,9 @@ extension MigrationHubOrchestratorClient { /// /// List the templates available in Migration Hub Orchestrator to create a migration workflow. /// - /// - Parameter ListTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplatesInput`) /// - /// - Returns: `ListTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1663,7 +1644,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplatesOutput.httpOutput(from:), ListTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1695,9 +1675,9 @@ extension MigrationHubOrchestratorClient { /// /// List the step groups in a migration workflow. /// - /// - Parameter ListWorkflowStepGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowStepGroupsInput`) /// - /// - Returns: `ListWorkflowStepGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowStepGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1733,7 +1713,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkflowStepGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowStepGroupsOutput.httpOutput(from:), ListWorkflowStepGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1765,9 +1744,9 @@ extension MigrationHubOrchestratorClient { /// /// List the steps in a workflow. /// - /// - Parameter ListWorkflowStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowStepsInput`) /// - /// - Returns: `ListWorkflowStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1802,7 +1781,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkflowStepsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowStepsOutput.httpOutput(from:), ListWorkflowStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1834,9 +1812,9 @@ extension MigrationHubOrchestratorClient { /// /// List the migration workflows. /// - /// - Parameter ListWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowsInput`) /// - /// - Returns: `ListWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1872,7 +1850,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkflowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowsOutput.httpOutput(from:), ListWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1904,9 +1881,9 @@ extension MigrationHubOrchestratorClient { /// /// Retry a failed step in a migration workflow. /// - /// - Parameter RetryWorkflowStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetryWorkflowStepInput`) /// - /// - Returns: `RetryWorkflowStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetryWorkflowStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1941,7 +1918,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RetryWorkflowStepInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetryWorkflowStepOutput.httpOutput(from:), RetryWorkflowStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1973,9 +1949,9 @@ extension MigrationHubOrchestratorClient { /// /// Start a migration workflow. /// - /// - Parameter StartWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartWorkflowInput`) /// - /// - Returns: `StartWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2010,7 +1986,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartWorkflowOutput.httpOutput(from:), StartWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2042,9 +2017,9 @@ extension MigrationHubOrchestratorClient { /// /// Stop an ongoing migration workflow. /// - /// - Parameter StopWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopWorkflowInput`) /// - /// - Returns: `StopWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2079,7 +2054,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopWorkflowOutput.httpOutput(from:), StopWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2111,9 +2085,9 @@ extension MigrationHubOrchestratorClient { /// /// Tag a resource by specifying its Amazon Resource Name (ARN). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2148,7 +2122,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2180,9 +2153,9 @@ extension MigrationHubOrchestratorClient { /// /// Deletes the tags for a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2215,7 +2188,6 @@ extension MigrationHubOrchestratorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2247,9 +2219,9 @@ extension MigrationHubOrchestratorClient { /// /// Updates a migration workflow template. /// - /// - Parameter UpdateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTemplateInput`) /// - /// - Returns: `UpdateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2288,7 +2260,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTemplateOutput.httpOutput(from:), UpdateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2320,9 +2291,9 @@ extension MigrationHubOrchestratorClient { /// /// Update a migration workflow. /// - /// - Parameter UpdateWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkflowInput`) /// - /// - Returns: `UpdateWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2360,7 +2331,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkflowOutput.httpOutput(from:), UpdateWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2392,9 +2362,9 @@ extension MigrationHubOrchestratorClient { /// /// Update a step in a migration workflow. /// - /// - Parameter UpdateWorkflowStepInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkflowStepInput`) /// - /// - Returns: `UpdateWorkflowStepOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkflowStepOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2431,7 +2401,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkflowStepOutput.httpOutput(from:), UpdateWorkflowStepOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2463,9 +2432,9 @@ extension MigrationHubOrchestratorClient { /// /// Update the step group in a migration workflow. /// - /// - Parameter UpdateWorkflowStepGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkflowStepGroupInput`) /// - /// - Returns: `UpdateWorkflowStepGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkflowStepGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2504,7 +2473,6 @@ extension MigrationHubOrchestratorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkflowStepGroupOutput.httpOutput(from:), UpdateWorkflowStepGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMigrationHubRefactorSpaces/Sources/AWSMigrationHubRefactorSpaces/MigrationHubRefactorSpacesClient.swift b/Sources/Services/AWSMigrationHubRefactorSpaces/Sources/AWSMigrationHubRefactorSpaces/MigrationHubRefactorSpacesClient.swift index 0421abd03e3..f59017ac3f0 100644 --- a/Sources/Services/AWSMigrationHubRefactorSpaces/Sources/AWSMigrationHubRefactorSpaces/MigrationHubRefactorSpacesClient.swift +++ b/Sources/Services/AWSMigrationHubRefactorSpaces/Sources/AWSMigrationHubRefactorSpaces/MigrationHubRefactorSpacesClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MigrationHubRefactorSpacesClient: ClientRuntime.Client { public static let clientName = "MigrationHubRefactorSpacesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MigrationHubRefactorSpacesClient.MigrationHubRefactorSpacesClientConfiguration let serviceName = "Migration Hub Refactor Spaces" @@ -375,9 +374,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Creates an Amazon Web Services Migration Hub Refactor Spaces application. The account that owns the environment also owns the applications created inside the environment, regardless of the account that creates the application. Refactor Spaces provisions an Amazon API Gateway, API Gateway VPC link, and Network Load Balancer for the application proxy inside your account. In environments created with a [CreateEnvironment:NetworkFabricType](https://docs.aws.amazon.com/migrationhub-refactor-spaces/latest/APIReference/API_CreateEnvironment.html#migrationhubrefactorspaces-CreateEnvironment-request-NetworkFabricType) of NONE you need to configure [ VPC to VPC connectivity](https://docs.aws.amazon.com/whitepapers/latest/aws-vpc-connectivity-options/amazon-vpc-to-amazon-vpc-connectivity-options.html) between your service VPC and the application proxy VPC to route traffic through the application proxy to a service with a private URL endpoint. For more information, see [ Create an application](https://docs.aws.amazon.com/migrationhub-refactor-spaces/latest/userguide/getting-started-create-application.html) in the Refactor Spaces User Guide. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Creates an Amazon Web Services Migration Hub Refactor Spaces environment. The caller owns the environment resource, and all Refactor Spaces applications, services, and routes created within the environment. They are referred to as the environment owner. The environment owner has cross-account visibility and control of Refactor Spaces resources that are added to the environment by other accounts that the environment is shared with. When creating an environment with a [CreateEnvironment:NetworkFabricType](https://docs.aws.amazon.com/migrationhub-refactor-spaces/latest/APIReference/API_CreateEnvironment.html#migrationhubrefactorspaces-CreateEnvironment-request-NetworkFabricType) of TRANSIT_GATEWAY, Refactor Spaces provisions a transit gateway to enable services in VPCs to communicate directly across accounts. If [CreateEnvironment:NetworkFabricType](https://docs.aws.amazon.com/migrationhub-refactor-spaces/latest/APIReference/API_CreateEnvironment.html#migrationhubrefactorspaces-CreateEnvironment-request-NetworkFabricType) is NONE, Refactor Spaces does not create a transit gateway and you must use your network infrastructure to route traffic to services with private URL endpoints. /// - /// - Parameter CreateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentInput`) /// - /// - Returns: `CreateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentOutput.httpOutput(from:), CreateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -532,9 +529,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Environments without a network bridge When you create environments without a network bridge ([CreateEnvironment:NetworkFabricType](https://docs.aws.amazon.com/migrationhub-refactor-spaces/latest/APIReference/API_CreateEnvironment.html#migrationhubrefactorspaces-CreateEnvironment-request-NetworkFabricType) is NONE) and you use your own networking infrastructure, you need to configure [VPC to VPC connectivity](https://docs.aws.amazon.com/whitepapers/latest/aws-vpc-connectivity-options/amazon-vpc-to-amazon-vpc-connectivity-options.html) between your network and the application proxy VPC. Route creation from the application proxy to service endpoints will fail if your network is not configured to connect to the application proxy VPC. For more information, see [ Create a route](https://docs.aws.amazon.com/migrationhub-refactor-spaces/latest/userguide/getting-started-create-role.html) in the Refactor Spaces User Guide. /// - /// - Parameter CreateRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRouteInput`) /// - /// - Returns: `CreateRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -575,7 +572,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRouteOutput.httpOutput(from:), CreateRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -607,9 +603,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Creates an Amazon Web Services Migration Hub Refactor Spaces service. The account owner of the service is always the environment owner, regardless of which account in the environment creates the service. Services have either a URL endpoint in a virtual private cloud (VPC), or a Lambda function endpoint. If an Amazon Web Services resource is launched in a service VPC, and you want it to be accessible to all of an environment’s services with VPCs and routes, apply the RefactorSpacesSecurityGroup to the resource. Alternatively, to add more cross-account constraints, apply your own security group. /// - /// - Parameter CreateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceInput`) /// - /// - Returns: `CreateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -650,7 +646,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceOutput.httpOutput(from:), CreateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -682,9 +677,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Deletes an Amazon Web Services Migration Hub Refactor Spaces application. Before you can delete an application, you must first delete any services or routes within the application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -720,7 +715,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -752,9 +746,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Deletes an Amazon Web Services Migration Hub Refactor Spaces environment. Before you can delete an environment, you must first delete any applications and services within the environment. /// - /// - Parameter DeleteEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentInput`) /// - /// - Returns: `DeleteEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -790,7 +784,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentOutput.httpOutput(from:), DeleteEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -822,9 +815,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Deletes the resource policy set for the environment. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -859,7 +852,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -891,9 +883,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Deletes an Amazon Web Services Migration Hub Refactor Spaces route. /// - /// - Parameter DeleteRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRouteInput`) /// - /// - Returns: `DeleteRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -929,7 +921,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRouteOutput.httpOutput(from:), DeleteRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -961,9 +952,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Deletes an Amazon Web Services Migration Hub Refactor Spaces service. /// - /// - Parameter DeleteServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceInput`) /// - /// - Returns: `DeleteServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -999,7 +990,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceOutput.httpOutput(from:), DeleteServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1031,9 +1021,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Gets an Amazon Web Services Migration Hub Refactor Spaces application. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1068,7 +1058,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1100,9 +1089,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Gets an Amazon Web Services Migration Hub Refactor Spaces environment. /// - /// - Parameter GetEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentInput`) /// - /// - Returns: `GetEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1137,7 +1126,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentOutput.httpOutput(from:), GetEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1169,9 +1157,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Gets the resource-based permission policy that is set for the given environment. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1206,7 +1194,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1238,9 +1225,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Gets an Amazon Web Services Migration Hub Refactor Spaces route. /// - /// - Parameter GetRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRouteInput`) /// - /// - Returns: `GetRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1275,7 +1262,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRouteOutput.httpOutput(from:), GetRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1307,9 +1293,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Gets an Amazon Web Services Migration Hub Refactor Spaces service. /// - /// - Parameter GetServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceInput`) /// - /// - Returns: `GetServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1344,7 +1330,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceOutput.httpOutput(from:), GetServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1376,9 +1361,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Lists all the Amazon Web Services Migration Hub Refactor Spaces applications within an environment. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1416,7 +1401,6 @@ extension MigrationHubRefactorSpacesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1448,9 +1432,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Lists all Amazon Web Services Migration Hub Refactor Spaces service virtual private clouds (VPCs) that are part of the environment. /// - /// - Parameter ListEnvironmentVpcsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentVpcsInput`) /// - /// - Returns: `ListEnvironmentVpcsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentVpcsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1486,7 +1470,6 @@ extension MigrationHubRefactorSpacesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentVpcsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentVpcsOutput.httpOutput(from:), ListEnvironmentVpcsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1518,9 +1501,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Lists Amazon Web Services Migration Hub Refactor Spaces environments owned by a caller account or shared with the caller account. /// - /// - Parameter ListEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentsInput`) /// - /// - Returns: `ListEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1556,7 +1539,6 @@ extension MigrationHubRefactorSpacesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentsOutput.httpOutput(from:), ListEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1588,9 +1570,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Lists all the Amazon Web Services Migration Hub Refactor Spaces routes within an application. /// - /// - Parameter ListRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoutesInput`) /// - /// - Returns: `ListRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoutesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1628,7 +1610,6 @@ extension MigrationHubRefactorSpacesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoutesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoutesOutput.httpOutput(from:), ListRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1660,9 +1641,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Lists all the Amazon Web Services Migration Hub Refactor Spaces services within an application. /// - /// - Parameter ListServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicesInput`) /// - /// - Returns: `ListServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1700,7 +1681,6 @@ extension MigrationHubRefactorSpacesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicesOutput.httpOutput(from:), ListServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1732,9 +1712,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Lists the tags of a resource. The caller account must be the same as the resource’s OwnerAccountId. Listing tags in other accounts is not supported. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1767,7 +1747,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1799,9 +1778,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Attaches a resource-based permission policy to the Amazon Web Services Migration Hub Refactor Spaces environment. The policy must contain the same actions and condition statements as the arn:aws:ram::aws:permission/AWSRAMDefaultPermissionRefactorSpacesEnvironment permission in Resource Access Manager. The policy must not contain new lines or blank lines. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1840,7 +1819,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1872,9 +1850,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Removes the tags of a given resource. Tags are metadata which can be used to manage a resource. To tag a resource, the caller account must be the same as the resource’s OwnerAccountId. Tagging resources in other accounts is not supported. Amazon Web Services Migration Hub Refactor Spaces does not propagate tags to orchestrated resources, such as an environment’s transit gateway. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1910,7 +1888,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1942,9 +1919,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Adds to or modifies the tags of the given resource. Tags are metadata which can be used to manage a resource. To untag a resource, the caller account must be the same as the resource’s OwnerAccountId. Untagging resources across accounts is not supported. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1978,7 +1955,6 @@ extension MigrationHubRefactorSpacesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2010,9 +1986,9 @@ extension MigrationHubRefactorSpacesClient { /// /// Updates an Amazon Web Services Migration Hub Refactor Spaces route. /// - /// - Parameter UpdateRouteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRouteInput`) /// - /// - Returns: `UpdateRouteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRouteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2050,7 +2026,6 @@ extension MigrationHubRefactorSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRouteOutput.httpOutput(from:), UpdateRouteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMigrationHubStrategy/Sources/AWSMigrationHubStrategy/MigrationHubStrategyClient.swift b/Sources/Services/AWSMigrationHubStrategy/Sources/AWSMigrationHubStrategy/MigrationHubStrategyClient.swift index f3bd50ac15c..24e1ce04d2e 100644 --- a/Sources/Services/AWSMigrationHubStrategy/Sources/AWSMigrationHubStrategy/MigrationHubStrategyClient.swift +++ b/Sources/Services/AWSMigrationHubStrategy/Sources/AWSMigrationHubStrategy/MigrationHubStrategyClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MigrationHubStrategyClient: ClientRuntime.Client { public static let clientName = "MigrationHubStrategyClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MigrationHubStrategyClient.MigrationHubStrategyClientConfiguration let serviceName = "MigrationHubStrategy" @@ -374,9 +373,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves details about an application component. /// - /// - Parameter GetApplicationComponentDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationComponentDetailsInput`) /// - /// - Returns: `GetApplicationComponentDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationComponentDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationComponentDetailsOutput.httpOutput(from:), GetApplicationComponentDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -441,9 +439,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves a list of all the recommended strategies and tools for an application component running on a server. /// - /// - Parameter GetApplicationComponentStrategiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationComponentStrategiesInput`) /// - /// - Returns: `GetApplicationComponentStrategiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationComponentStrategiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -476,7 +474,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationComponentStrategiesOutput.httpOutput(from:), GetApplicationComponentStrategiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -508,9 +505,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves the status of an on-going assessment. /// - /// - Parameter GetAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssessmentInput`) /// - /// - Returns: `GetAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -544,7 +541,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssessmentOutput.httpOutput(from:), GetAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -576,9 +572,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves the details about a specific import task. /// - /// - Parameter GetImportFileTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImportFileTaskInput`) /// - /// - Returns: `GetImportFileTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImportFileTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -613,7 +609,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImportFileTaskOutput.httpOutput(from:), GetImportFileTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -645,9 +640,9 @@ extension MigrationHubStrategyClient { /// /// Retrieve the latest ID of a specific assessment task. /// - /// - Parameter GetLatestAssessmentIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLatestAssessmentIdInput`) /// - /// - Returns: `GetLatestAssessmentIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLatestAssessmentIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -681,7 +676,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLatestAssessmentIdOutput.httpOutput(from:), GetLatestAssessmentIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -713,9 +707,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves your migration and modernization preferences. /// - /// - Parameter GetPortfolioPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPortfolioPreferencesInput`) /// - /// - Returns: `GetPortfolioPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPortfolioPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -749,7 +743,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPortfolioPreferencesOutput.httpOutput(from:), GetPortfolioPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -781,9 +774,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves overall summary including the number of servers to rehost and the overall number of anti-patterns. /// - /// - Parameter GetPortfolioSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPortfolioSummaryInput`) /// - /// - Returns: `GetPortfolioSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPortfolioSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -816,7 +809,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPortfolioSummaryOutput.httpOutput(from:), GetPortfolioSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -848,9 +840,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves detailed information about the specified recommendation report. /// - /// - Parameter GetRecommendationReportDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecommendationReportDetailsInput`) /// - /// - Returns: `GetRecommendationReportDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecommendationReportDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -885,7 +877,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommendationReportDetailsOutput.httpOutput(from:), GetRecommendationReportDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -917,9 +908,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves detailed information about a specified server. /// - /// - Parameter GetServerDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServerDetailsInput`) /// - /// - Returns: `GetServerDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServerDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -955,7 +946,6 @@ extension MigrationHubStrategyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetServerDetailsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServerDetailsOutput.httpOutput(from:), GetServerDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -987,9 +977,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves recommended strategies and tools for the specified server. /// - /// - Parameter GetServerStrategiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServerStrategiesInput`) /// - /// - Returns: `GetServerStrategiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServerStrategiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1024,7 +1014,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServerStrategiesOutput.httpOutput(from:), GetServerStrategiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1056,9 +1045,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves a list of all the servers fetched from customer vCenter using Strategy Recommendation Collector. /// - /// - Parameter ListAnalyzableServersInput : Represents input for ListAnalyzableServers operation. + /// - Parameter input: Represents input for ListAnalyzableServers operation. (Type: `ListAnalyzableServersInput`) /// - /// - Returns: `ListAnalyzableServersOutput` : Represents output for ListAnalyzableServers operation. + /// - Returns: Represents output for ListAnalyzableServers operation. (Type: `ListAnalyzableServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1095,7 +1084,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnalyzableServersOutput.httpOutput(from:), ListAnalyzableServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1127,9 +1115,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves a list of all the application components (processes). /// - /// - Parameter ListApplicationComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationComponentsInput`) /// - /// - Returns: `ListApplicationComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1166,7 +1154,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationComponentsOutput.httpOutput(from:), ListApplicationComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1198,9 +1185,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves a list of all the installed collectors. /// - /// - Parameter ListCollectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollectorsInput`) /// - /// - Returns: `ListCollectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1235,7 +1222,6 @@ extension MigrationHubStrategyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCollectorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollectorsOutput.httpOutput(from:), ListCollectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1267,9 +1253,9 @@ extension MigrationHubStrategyClient { /// /// Retrieves a list of all the imports performed. /// - /// - Parameter ListImportFileTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImportFileTaskInput`) /// - /// - Returns: `ListImportFileTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImportFileTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1304,7 +1290,6 @@ extension MigrationHubStrategyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListImportFileTaskInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportFileTaskOutput.httpOutput(from:), ListImportFileTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1336,9 +1321,9 @@ extension MigrationHubStrategyClient { /// /// Returns a list of all the servers. /// - /// - Parameter ListServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServersInput`) /// - /// - Returns: `ListServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1375,7 +1360,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServersOutput.httpOutput(from:), ListServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1407,9 +1391,9 @@ extension MigrationHubStrategyClient { /// /// Saves the specified migration and modernization preferences. /// - /// - Parameter PutPortfolioPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPortfolioPreferencesInput`) /// - /// - Returns: `PutPortfolioPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPortfolioPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1447,7 +1431,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPortfolioPreferencesOutput.httpOutput(from:), PutPortfolioPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1479,9 +1462,9 @@ extension MigrationHubStrategyClient { /// /// Starts the assessment of an on-premises environment. /// - /// - Parameter StartAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAssessmentInput`) /// - /// - Returns: `StartAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1518,7 +1501,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAssessmentOutput.httpOutput(from:), StartAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1550,9 +1532,9 @@ extension MigrationHubStrategyClient { /// /// Starts a file import. /// - /// - Parameter StartImportFileTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImportFileTaskInput`) /// - /// - Returns: `StartImportFileTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImportFileTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1590,7 +1572,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImportFileTaskOutput.httpOutput(from:), StartImportFileTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1622,9 +1603,9 @@ extension MigrationHubStrategyClient { /// /// Starts generating a recommendation report. /// - /// - Parameter StartRecommendationReportGenerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRecommendationReportGenerationInput`) /// - /// - Returns: `StartRecommendationReportGenerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRecommendationReportGenerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1662,7 +1643,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRecommendationReportGenerationOutput.httpOutput(from:), StartRecommendationReportGenerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1694,9 +1674,9 @@ extension MigrationHubStrategyClient { /// /// Stops the assessment of an on-premises environment. /// - /// - Parameter StopAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopAssessmentInput`) /// - /// - Returns: `StopAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1733,7 +1713,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopAssessmentOutput.httpOutput(from:), StopAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1765,9 +1744,9 @@ extension MigrationHubStrategyClient { /// /// Updates the configuration of an application component. /// - /// - Parameter UpdateApplicationComponentConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationComponentConfigInput`) /// - /// - Returns: `UpdateApplicationComponentConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationComponentConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1804,7 +1783,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationComponentConfigOutput.httpOutput(from:), UpdateApplicationComponentConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1836,9 +1814,9 @@ extension MigrationHubStrategyClient { /// /// Updates the configuration of the specified server. /// - /// - Parameter UpdateServerConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServerConfigInput`) /// - /// - Returns: `UpdateServerConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServerConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1875,7 +1853,6 @@ extension MigrationHubStrategyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServerConfigOutput.httpOutput(from:), UpdateServerConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSMq/Sources/AWSMq/MqClient.swift b/Sources/Services/AWSMq/Sources/AWSMq/MqClient.swift index b6c7d83d40a..87f56b7844c 100644 --- a/Sources/Services/AWSMq/Sources/AWSMq/MqClient.swift +++ b/Sources/Services/AWSMq/Sources/AWSMq/MqClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class MqClient: ClientRuntime.Client { public static let clientName = "MqClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: MqClient.MqClientConfiguration let serviceName = "mq" @@ -402,9 +401,9 @@ extension MqClient { /// /// For more information, see [Create an IAM User and Get Your Amazon Web Services Credentials](https://docs.aws.amazon.com//amazon-mq/latest/developer-guide/amazon-mq-setting-up.html#create-iam-user) and [Never Modify or Delete the Amazon MQ Elastic Network Interface](https://docs.aws.amazon.com//amazon-mq/latest/developer-guide/connecting-to-amazon-mq.html#never-modify-delete-elastic-network-interface) in the Amazon MQ Developer Guide. /// - /// - Parameter CreateBrokerInput : Creates a broker using the specified properties. + /// - Parameter input: Creates a broker using the specified properties. (Type: `CreateBrokerInput`) /// - /// - Returns: `CreateBrokerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBrokerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -443,7 +442,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBrokerOutput.httpOutput(from:), CreateBrokerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -475,9 +473,9 @@ extension MqClient { /// /// Creates a new configuration for the specified configuration name. Amazon MQ uses the default configuration (the engine type and version). /// - /// - Parameter CreateConfigurationInput : Creates a new configuration for the specified configuration name. Amazon MQ uses the default configuration (the engine type and version). + /// - Parameter input: Creates a new configuration for the specified configuration name. Amazon MQ uses the default configuration (the engine type and version). (Type: `CreateConfigurationInput`) /// - /// - Returns: `CreateConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -514,7 +512,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationOutput.httpOutput(from:), CreateConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -546,9 +543,9 @@ extension MqClient { /// /// Add a tag to a resource. /// - /// - Parameter CreateTagsInput : A map of the key-value pairs for the resource tag. + /// - Parameter input: A map of the key-value pairs for the resource tag. (Type: `CreateTagsInput`) /// - /// - Returns: `CreateTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -585,7 +582,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTagsOutput.httpOutput(from:), CreateTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -617,9 +613,9 @@ extension MqClient { /// /// Creates an ActiveMQ user. Do not add personally identifiable information (PII) or other confidential or sensitive information in broker usernames. Broker usernames are accessible to other Amazon Web Services services, including CloudWatch Logs. Broker usernames are not intended to be used for private or sensitive data. /// - /// - Parameter CreateUserInput : Creates a new ActiveMQ user. + /// - Parameter input: Creates a new ActiveMQ user. (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -657,7 +653,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -689,9 +684,9 @@ extension MqClient { /// /// Deletes a broker. Note: This API is asynchronous. /// - /// - Parameter DeleteBrokerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBrokerInput`) /// - /// - Returns: `DeleteBrokerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBrokerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -725,7 +720,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBrokerOutput.httpOutput(from:), DeleteBrokerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -757,9 +751,9 @@ extension MqClient { /// /// Deletes the specified configuration. /// - /// - Parameter DeleteConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfigurationInput`) /// - /// - Returns: `DeleteConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -794,7 +788,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationOutput.httpOutput(from:), DeleteConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -826,9 +819,9 @@ extension MqClient { /// /// Removes a tag from a resource. /// - /// - Parameter DeleteTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTagsInput`) /// - /// - Returns: `DeleteTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -863,7 +856,6 @@ extension MqClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteTagsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsOutput.httpOutput(from:), DeleteTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -895,9 +887,9 @@ extension MqClient { /// /// Deletes an ActiveMQ user. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -931,7 +923,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -963,9 +954,9 @@ extension MqClient { /// /// Returns information about the specified broker. /// - /// - Parameter DescribeBrokerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBrokerInput`) /// - /// - Returns: `DescribeBrokerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBrokerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -999,7 +990,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBrokerOutput.httpOutput(from:), DescribeBrokerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1031,9 +1021,9 @@ extension MqClient { /// /// Describe available engine types and versions. /// - /// - Parameter DescribeBrokerEngineTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBrokerEngineTypesInput`) /// - /// - Returns: `DescribeBrokerEngineTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBrokerEngineTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1067,7 +1057,6 @@ extension MqClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeBrokerEngineTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBrokerEngineTypesOutput.httpOutput(from:), DescribeBrokerEngineTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1099,9 +1088,9 @@ extension MqClient { /// /// Describe available broker instance options. /// - /// - Parameter DescribeBrokerInstanceOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBrokerInstanceOptionsInput`) /// - /// - Returns: `DescribeBrokerInstanceOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBrokerInstanceOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1135,7 +1124,6 @@ extension MqClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeBrokerInstanceOptionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBrokerInstanceOptionsOutput.httpOutput(from:), DescribeBrokerInstanceOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1167,9 +1155,9 @@ extension MqClient { /// /// Returns information about the specified configuration. /// - /// - Parameter DescribeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConfigurationInput`) /// - /// - Returns: `DescribeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1203,7 +1191,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationOutput.httpOutput(from:), DescribeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1235,9 +1222,9 @@ extension MqClient { /// /// Returns the specified configuration revision for the specified configuration. /// - /// - Parameter DescribeConfigurationRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConfigurationRevisionInput`) /// - /// - Returns: `DescribeConfigurationRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConfigurationRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1271,7 +1258,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationRevisionOutput.httpOutput(from:), DescribeConfigurationRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1303,9 +1289,9 @@ extension MqClient { /// /// Returns information about an ActiveMQ user. /// - /// - Parameter DescribeUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserInput`) /// - /// - Returns: `DescribeUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1339,7 +1325,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserOutput.httpOutput(from:), DescribeUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1371,9 +1356,9 @@ extension MqClient { /// /// Returns a list of all brokers. /// - /// - Parameter ListBrokersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBrokersInput`) /// - /// - Returns: `ListBrokersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBrokersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1407,7 +1392,6 @@ extension MqClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBrokersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBrokersOutput.httpOutput(from:), ListBrokersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1439,9 +1423,9 @@ extension MqClient { /// /// Returns a list of all revisions for the specified configuration. /// - /// - Parameter ListConfigurationRevisionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationRevisionsInput`) /// - /// - Returns: `ListConfigurationRevisionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1476,7 +1460,6 @@ extension MqClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfigurationRevisionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationRevisionsOutput.httpOutput(from:), ListConfigurationRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1508,9 +1491,9 @@ extension MqClient { /// /// Returns a list of all configurations. /// - /// - Parameter ListConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationsInput`) /// - /// - Returns: `ListConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1544,7 +1527,6 @@ extension MqClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationsOutput.httpOutput(from:), ListConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1576,9 +1558,9 @@ extension MqClient { /// /// Lists tags for a resource. /// - /// - Parameter ListTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1594,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1644,9 +1625,9 @@ extension MqClient { /// /// Returns a list of all ActiveMQ users. /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1681,7 +1662,6 @@ extension MqClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUsersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1713,9 +1693,9 @@ extension MqClient { /// /// Promotes a data replication replica broker to the primary broker role. /// - /// - Parameter PromoteInput : Promotes a data replication replica broker to the primary broker role. + /// - Parameter input: Promotes a data replication replica broker to the primary broker role. (Type: `PromoteInput`) /// - /// - Returns: `PromoteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PromoteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1752,7 +1732,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PromoteOutput.httpOutput(from:), PromoteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1784,9 +1763,9 @@ extension MqClient { /// /// Reboots a broker. Note: This API is asynchronous. /// - /// - Parameter RebootBrokerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootBrokerInput`) /// - /// - Returns: `RebootBrokerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootBrokerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1820,7 +1799,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootBrokerOutput.httpOutput(from:), RebootBrokerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1852,9 +1830,9 @@ extension MqClient { /// /// Adds a pending configuration change to a broker. /// - /// - Parameter UpdateBrokerInput : Updates the broker using the specified properties. + /// - Parameter input: Updates the broker using the specified properties. (Type: `UpdateBrokerInput`) /// - /// - Returns: `UpdateBrokerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBrokerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1892,7 +1870,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBrokerOutput.httpOutput(from:), UpdateBrokerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1924,9 +1901,9 @@ extension MqClient { /// /// Updates the specified configuration. /// - /// - Parameter UpdateConfigurationInput : Updates the specified configuration. + /// - Parameter input: Updates the specified configuration. (Type: `UpdateConfigurationInput`) /// - /// - Returns: `UpdateConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1964,7 +1941,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationOutput.httpOutput(from:), UpdateConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1996,9 +1972,9 @@ extension MqClient { /// /// Updates the information for an ActiveMQ user. /// - /// - Parameter UpdateUserInput : Updates the information for an ActiveMQ user. + /// - Parameter input: Updates the information for an ActiveMQ user. (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2036,7 +2012,6 @@ extension MqClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSNeptune/Sources/AWSNeptune/NeptuneClient.swift b/Sources/Services/AWSNeptune/Sources/AWSNeptune/NeptuneClient.swift index 3c88882f522..78414751f51 100644 --- a/Sources/Services/AWSNeptune/Sources/AWSNeptune/NeptuneClient.swift +++ b/Sources/Services/AWSNeptune/Sources/AWSNeptune/NeptuneClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class NeptuneClient: ClientRuntime.Client { public static let clientName = "NeptuneClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: NeptuneClient.NeptuneClientConfiguration let serviceName = "Neptune" @@ -373,9 +372,9 @@ extension NeptuneClient { /// /// Associates an Identity and Access Management (IAM) role with an Neptune DB cluster. /// - /// - Parameter AddRoleToDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddRoleToDBClusterInput`) /// - /// - Returns: `AddRoleToDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddRoleToDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddRoleToDBClusterOutput.httpOutput(from:), AddRoleToDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension NeptuneClient { /// /// Adds a source identifier to an existing event notification subscription. /// - /// - Parameter AddSourceIdentifierToSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddSourceIdentifierToSubscriptionInput`) /// - /// - Returns: `AddSourceIdentifierToSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddSourceIdentifierToSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -479,7 +477,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddSourceIdentifierToSubscriptionOutput.httpOutput(from:), AddSourceIdentifierToSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -513,9 +510,9 @@ extension NeptuneClient { /// /// Adds metadata tags to an Amazon Neptune resource. These tags can also be used with cost allocation reporting to track cost associated with Amazon Neptune resources, or used in a Condition statement in an IAM policy for Amazon Neptune. /// - /// - Parameter AddTagsToResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddTagsToResourceInput`) /// - /// - Returns: `AddTagsToResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -549,7 +546,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToResourceOutput.httpOutput(from:), AddTagsToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -583,9 +579,9 @@ extension NeptuneClient { /// /// Applies a pending maintenance action to a resource (for example, to a DB instance). /// - /// - Parameter ApplyPendingMaintenanceActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ApplyPendingMaintenanceActionInput`) /// - /// - Returns: `ApplyPendingMaintenanceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ApplyPendingMaintenanceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -617,7 +613,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplyPendingMaintenanceActionOutput.httpOutput(from:), ApplyPendingMaintenanceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -651,9 +646,9 @@ extension NeptuneClient { /// /// Copies the specified DB cluster parameter group. /// - /// - Parameter CopyDBClusterParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyDBClusterParameterGroupInput`) /// - /// - Returns: `CopyDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -687,7 +682,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyDBClusterParameterGroupOutput.httpOutput(from:), CopyDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -721,9 +715,9 @@ extension NeptuneClient { /// /// Copies a snapshot of a DB cluster. To copy a DB cluster snapshot from a shared manual DB cluster snapshot, SourceDBClusterSnapshotIdentifier must be the Amazon Resource Name (ARN) of the shared DB cluster snapshot. /// - /// - Parameter CopyDBClusterSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyDBClusterSnapshotInput`) /// - /// - Returns: `CopyDBClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyDBClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -760,7 +754,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyDBClusterSnapshotOutput.httpOutput(from:), CopyDBClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -794,9 +787,9 @@ extension NeptuneClient { /// /// Copies the specified DB parameter group. /// - /// - Parameter CopyDBParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyDBParameterGroupInput`) /// - /// - Returns: `CopyDBParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyDBParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -830,7 +823,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyDBParameterGroupOutput.httpOutput(from:), CopyDBParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -864,9 +856,9 @@ extension NeptuneClient { /// /// Creates a new Amazon Neptune DB cluster. You can use the ReplicationSourceIdentifier parameter to create the DB cluster as a Read Replica of another DB cluster or Amazon Neptune DB instance. Note that when you create a new cluster using CreateDBCluster directly, deletion protection is disabled by default (when you create a new production cluster in the console, deletion protection is enabled by default). You can only delete a DB cluster if its DeletionProtection field is set to false. /// - /// - Parameter CreateDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBClusterInput`) /// - /// - Returns: `CreateDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterOutput.httpOutput(from:), CreateDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -948,9 +939,9 @@ extension NeptuneClient { /// /// Creates a new custom endpoint and associates it with an Amazon Neptune DB cluster. /// - /// - Parameter CreateDBClusterEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBClusterEndpointInput`) /// - /// - Returns: `CreateDBClusterEndpointOutput` : This data type represents the information you need to connect to an Amazon Neptune DB cluster. This data type is used as a response element in the following actions: + /// - Returns: This data type represents the information you need to connect to an Amazon Neptune DB cluster. This data type is used as a response element in the following actions: /// /// * CreateDBClusterEndpoint /// @@ -961,7 +952,7 @@ extension NeptuneClient { /// * DeleteDBClusterEndpoint /// /// - /// For the data structure that represents Amazon Neptune DB instance endpoints, see Endpoint. + /// For the data structure that represents Amazon Neptune DB instance endpoints, see Endpoint. (Type: `CreateDBClusterEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -998,7 +989,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterEndpointOutput.httpOutput(from:), CreateDBClusterEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1032,9 +1022,9 @@ extension NeptuneClient { /// /// Creates a new DB cluster parameter group. Parameters in a DB cluster parameter group apply to all of the instances in a DB cluster. A DB cluster parameter group is initially created with the default parameters for the database engine used by instances in the DB cluster. To provide custom values for any of the parameters, you must modify the group after creating it using [ModifyDBClusterParameterGroup]. Once you've created a DB cluster parameter group, you need to associate it with your DB cluster using [ModifyDBCluster]. When you associate a new DB cluster parameter group with a running DB cluster, you need to reboot the DB instances in the DB cluster without failover for the new DB cluster parameter group and associated settings to take effect. After you create a DB cluster parameter group, you should wait at least 5 minutes before creating your first DB cluster that uses that DB cluster parameter group as the default parameter group. This allows Amazon Neptune to fully complete the create action before the DB cluster parameter group is used as the default for a new DB cluster. This is especially important for parameters that are critical when creating the default database for a DB cluster, such as the character set for the default database defined by the character_set_database parameter. You can use the Parameter Groups option of the [Amazon Neptune console](https://console.aws.amazon.com/rds/) or the [DescribeDBClusterParameters] command to verify that your DB cluster parameter group has been created or modified. /// - /// - Parameter CreateDBClusterParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBClusterParameterGroupInput`) /// - /// - Returns: `CreateDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1067,7 +1057,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterParameterGroupOutput.httpOutput(from:), CreateDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1101,9 +1090,9 @@ extension NeptuneClient { /// /// Creates a snapshot of a DB cluster. /// - /// - Parameter CreateDBClusterSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBClusterSnapshotInput`) /// - /// - Returns: `CreateDBClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1139,7 +1128,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterSnapshotOutput.httpOutput(from:), CreateDBClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1173,9 +1161,9 @@ extension NeptuneClient { /// /// Creates a new DB instance. /// - /// - Parameter CreateDBInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBInstanceInput`) /// - /// - Returns: `CreateDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1224,7 +1212,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBInstanceOutput.httpOutput(from:), CreateDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1258,9 +1245,9 @@ extension NeptuneClient { /// /// Creates a new DB parameter group. A DB parameter group is initially created with the default parameters for the database engine used by the DB instance. To provide custom values for any of the parameters, you must modify the group after creating it using ModifyDBParameterGroup. Once you've created a DB parameter group, you need to associate it with your DB instance using ModifyDBInstance. When you associate a new DB parameter group with a running DB instance, you need to reboot the DB instance without failover for the new DB parameter group and associated settings to take effect. After you create a DB parameter group, you should wait at least 5 minutes before creating your first DB instance that uses that DB parameter group as the default parameter group. This allows Amazon Neptune to fully complete the create action before the parameter group is used as the default for a new DB instance. This is especially important for parameters that are critical when creating the default database for a DB instance, such as the character set for the default database defined by the character_set_database parameter. You can use the Parameter Groups option of the Amazon Neptune console or the DescribeDBParameters command to verify that your DB parameter group has been created or modified. /// - /// - Parameter CreateDBParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBParameterGroupInput`) /// - /// - Returns: `CreateDBParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1293,7 +1280,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBParameterGroupOutput.httpOutput(from:), CreateDBParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1327,9 +1313,9 @@ extension NeptuneClient { /// /// Creates a new DB subnet group. DB subnet groups must contain at least one subnet in at least two AZs in the Amazon Region. /// - /// - Parameter CreateDBSubnetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBSubnetGroupInput`) /// - /// - Returns: `CreateDBSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1365,7 +1351,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBSubnetGroupOutput.httpOutput(from:), CreateDBSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1399,9 +1384,9 @@ extension NeptuneClient { /// /// Creates an event notification subscription. This action requires a topic ARN (Amazon Resource Name) created by either the Neptune console, the SNS console, or the SNS API. To obtain an ARN with SNS, you must create a topic in Amazon SNS and subscribe to the topic. The ARN is displayed in the SNS console. You can specify the type of source (SourceType) you want to be notified of, provide a list of Neptune sources (SourceIds) that triggers the events, and provide a list of event categories (EventCategories) for events you want to be notified of. For example, you can specify SourceType = db-instance, SourceIds = mydbinstance1, mydbinstance2 and EventCategories = Availability, Backup. If you specify both the SourceType and SourceIds, such as SourceType = db-instance and SourceIdentifier = myDBInstance1, you are notified of all the db-instance events for the specified source. If you specify a SourceType but do not specify a SourceIdentifier, you receive notice of the events for that source type for all your Neptune sources. If you do not specify either the SourceType nor the SourceIdentifier, you are notified of events generated from all Neptune sources belonging to your customer account. /// - /// - Parameter CreateEventSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventSubscriptionInput`) /// - /// - Returns: `CreateEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1439,7 +1424,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventSubscriptionOutput.httpOutput(from:), CreateEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1473,9 +1457,9 @@ extension NeptuneClient { /// /// Creates a Neptune global database spread across multiple Amazon Regions. The global database contains a single primary cluster with read-write capability, and read-only secondary clusters that receive data from the primary cluster through high-speed replication performed by the Neptune storage subsystem. You can create a global database that is initially empty, and then add a primary cluster and secondary clusters to it, or you can specify an existing Neptune cluster during the create operation to become the primary cluster of the global database. /// - /// - Parameter CreateGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGlobalClusterInput`) /// - /// - Returns: `CreateGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1510,7 +1494,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGlobalClusterOutput.httpOutput(from:), CreateGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1544,9 +1527,9 @@ extension NeptuneClient { /// /// The DeleteDBCluster action deletes a previously provisioned DB cluster. When you delete a DB cluster, all automated backups for that DB cluster are deleted and can't be recovered. Manual DB cluster snapshots of the specified DB cluster are not deleted. Note that the DB Cluster cannot be deleted if deletion protection is enabled. To delete it, you must first set its DeletionProtection field to False. /// - /// - Parameter DeleteDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBClusterInput`) /// - /// - Returns: `DeleteDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1582,7 +1565,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterOutput.httpOutput(from:), DeleteDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1616,9 +1598,9 @@ extension NeptuneClient { /// /// Deletes a custom endpoint and removes it from an Amazon Neptune DB cluster. /// - /// - Parameter DeleteDBClusterEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBClusterEndpointInput`) /// - /// - Returns: `DeleteDBClusterEndpointOutput` : This data type represents the information you need to connect to an Amazon Neptune DB cluster. This data type is used as a response element in the following actions: + /// - Returns: This data type represents the information you need to connect to an Amazon Neptune DB cluster. This data type is used as a response element in the following actions: /// /// * CreateDBClusterEndpoint /// @@ -1629,7 +1611,7 @@ extension NeptuneClient { /// * DeleteDBClusterEndpoint /// /// - /// For the data structure that represents Amazon RDS DB instance endpoints, see Endpoint. + /// For the data structure that represents Amazon RDS DB instance endpoints, see Endpoint. (Type: `DeleteDBClusterEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1663,7 +1645,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterEndpointOutput.httpOutput(from:), DeleteDBClusterEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1697,9 +1678,9 @@ extension NeptuneClient { /// /// Deletes a specified DB cluster parameter group. The DB cluster parameter group to be deleted can't be associated with any DB clusters. /// - /// - Parameter DeleteDBClusterParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBClusterParameterGroupInput`) /// - /// - Returns: `DeleteDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1732,7 +1713,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterParameterGroupOutput.httpOutput(from:), DeleteDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1766,9 +1746,9 @@ extension NeptuneClient { /// /// Deletes a DB cluster snapshot. If the snapshot is being copied, the copy operation is terminated. The DB cluster snapshot must be in the available state to be deleted. /// - /// - Parameter DeleteDBClusterSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBClusterSnapshotInput`) /// - /// - Returns: `DeleteDBClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1801,7 +1781,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterSnapshotOutput.httpOutput(from:), DeleteDBClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1835,9 +1814,9 @@ extension NeptuneClient { /// /// The DeleteDBInstance action deletes a previously provisioned DB instance. When you delete a DB instance, all automated backups for that instance are deleted and can't be recovered. Manual DB snapshots of the DB instance to be deleted by DeleteDBInstance are not deleted. If you request a final DB snapshot the status of the Amazon Neptune DB instance is deleting until the DB snapshot is created. The API action DescribeDBInstance is used to monitor the status of this operation. The action can't be canceled or reverted once submitted. Note that when a DB instance is in a failure state and has a status of failed, incompatible-restore, or incompatible-network, you can only delete it when the SkipFinalSnapshot parameter is set to true. You can't delete a DB instance if it is the only instance in the DB cluster, or if it has deletion protection enabled. /// - /// - Parameter DeleteDBInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBInstanceInput`) /// - /// - Returns: `DeleteDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1873,7 +1852,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBInstanceOutput.httpOutput(from:), DeleteDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1907,9 +1885,9 @@ extension NeptuneClient { /// /// Deletes a specified DBParameterGroup. The DBParameterGroup to be deleted can't be associated with any DB instances. /// - /// - Parameter DeleteDBParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBParameterGroupInput`) /// - /// - Returns: `DeleteDBParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1942,7 +1920,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBParameterGroupOutput.httpOutput(from:), DeleteDBParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1976,9 +1953,9 @@ extension NeptuneClient { /// /// Deletes a DB subnet group. The specified database subnet group must not be associated with any DB instances. /// - /// - Parameter DeleteDBSubnetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBSubnetGroupInput`) /// - /// - Returns: `DeleteDBSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2012,7 +1989,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBSubnetGroupOutput.httpOutput(from:), DeleteDBSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2046,9 +2022,9 @@ extension NeptuneClient { /// /// Deletes an event notification subscription. /// - /// - Parameter DeleteEventSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventSubscriptionInput`) /// - /// - Returns: `DeleteEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2081,7 +2057,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventSubscriptionOutput.httpOutput(from:), DeleteEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2115,9 +2090,9 @@ extension NeptuneClient { /// /// Deletes a global database. The primary and all secondary clusters must already be detached or deleted first. /// - /// - Parameter DeleteGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGlobalClusterInput`) /// - /// - Returns: `DeleteGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2150,7 +2125,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGlobalClusterOutput.httpOutput(from:), DeleteGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2184,9 +2158,9 @@ extension NeptuneClient { /// /// Returns information about endpoints for an Amazon Neptune DB cluster. This operation can also return information for Amazon RDS clusters and Amazon DocDB clusters. /// - /// - Parameter DescribeDBClusterEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBClusterEndpointsInput`) /// - /// - Returns: `DescribeDBClusterEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBClusterEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2218,7 +2192,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterEndpointsOutput.httpOutput(from:), DescribeDBClusterEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2252,9 +2225,9 @@ extension NeptuneClient { /// /// Returns a list of DBClusterParameterGroup descriptions. If a DBClusterParameterGroupName parameter is specified, the list will contain only the description of the specified DB cluster parameter group. /// - /// - Parameter DescribeDBClusterParameterGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBClusterParameterGroupsInput`) /// - /// - Returns: `DescribeDBClusterParameterGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBClusterParameterGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2286,7 +2259,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterParameterGroupsOutput.httpOutput(from:), DescribeDBClusterParameterGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2320,9 +2292,9 @@ extension NeptuneClient { /// /// Returns the detailed parameter list for a particular DB cluster parameter group. /// - /// - Parameter DescribeDBClusterParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBClusterParametersInput`) /// - /// - Returns: `DescribeDBClusterParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBClusterParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2354,7 +2326,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterParametersOutput.httpOutput(from:), DescribeDBClusterParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2388,9 +2359,9 @@ extension NeptuneClient { /// /// Returns a list of DB cluster snapshot attribute names and values for a manual DB cluster snapshot. When sharing snapshots with other Amazon accounts, DescribeDBClusterSnapshotAttributes returns the restore attribute and a list of IDs for the Amazon accounts that are authorized to copy or restore the manual DB cluster snapshot. If all is included in the list of values for the restore attribute, then the manual DB cluster snapshot is public and can be copied or restored by all Amazon accounts. To add or remove access for an Amazon account to copy or restore a manual DB cluster snapshot, or to make the manual DB cluster snapshot public or private, use the [ModifyDBClusterSnapshotAttribute] API action. /// - /// - Parameter DescribeDBClusterSnapshotAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBClusterSnapshotAttributesInput`) /// - /// - Returns: `DescribeDBClusterSnapshotAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBClusterSnapshotAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2422,7 +2393,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterSnapshotAttributesOutput.httpOutput(from:), DescribeDBClusterSnapshotAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2456,9 +2426,9 @@ extension NeptuneClient { /// /// Returns information about DB cluster snapshots. This API action supports pagination. /// - /// - Parameter DescribeDBClusterSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBClusterSnapshotsInput`) /// - /// - Returns: `DescribeDBClusterSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBClusterSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2490,7 +2460,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterSnapshotsOutput.httpOutput(from:), DescribeDBClusterSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2524,9 +2493,9 @@ extension NeptuneClient { /// /// Returns information about provisioned DB clusters, and supports pagination. This operation can also return information for Amazon RDS clusters and Amazon DocDB clusters. /// - /// - Parameter DescribeDBClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBClustersInput`) /// - /// - Returns: `DescribeDBClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2558,7 +2527,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClustersOutput.httpOutput(from:), DescribeDBClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2592,9 +2560,9 @@ extension NeptuneClient { /// /// Returns a list of the available DB engines. /// - /// - Parameter DescribeDBEngineVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBEngineVersionsInput`) /// - /// - Returns: `DescribeDBEngineVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBEngineVersionsOutput`) public func describeDBEngineVersions(input: DescribeDBEngineVersionsInput) async throws -> DescribeDBEngineVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2621,7 +2589,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBEngineVersionsOutput.httpOutput(from:), DescribeDBEngineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2655,9 +2622,9 @@ extension NeptuneClient { /// /// Returns information about provisioned instances, and supports pagination. This operation can also return information for Amazon RDS instances and Amazon DocDB instances. /// - /// - Parameter DescribeDBInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBInstancesInput`) /// - /// - Returns: `DescribeDBInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2689,7 +2656,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBInstancesOutput.httpOutput(from:), DescribeDBInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2723,9 +2689,9 @@ extension NeptuneClient { /// /// Returns a list of DBParameterGroup descriptions. If a DBParameterGroupName is specified, the list will contain only the description of the specified DB parameter group. /// - /// - Parameter DescribeDBParameterGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBParameterGroupsInput`) /// - /// - Returns: `DescribeDBParameterGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBParameterGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2757,7 +2723,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBParameterGroupsOutput.httpOutput(from:), DescribeDBParameterGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2791,9 +2756,9 @@ extension NeptuneClient { /// /// Returns the detailed parameter list for a particular DB parameter group. /// - /// - Parameter DescribeDBParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBParametersInput`) /// - /// - Returns: `DescribeDBParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2825,7 +2790,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBParametersOutput.httpOutput(from:), DescribeDBParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2859,9 +2823,9 @@ extension NeptuneClient { /// /// Returns a list of DBSubnetGroup descriptions. If a DBSubnetGroupName is specified, the list will contain only the descriptions of the specified DBSubnetGroup. For an overview of CIDR ranges, go to the [Wikipedia Tutorial](http://en.wikipedia.org/wiki/Classless_Inter-Domain_Routing). /// - /// - Parameter DescribeDBSubnetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBSubnetGroupsInput`) /// - /// - Returns: `DescribeDBSubnetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBSubnetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2893,7 +2857,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBSubnetGroupsOutput.httpOutput(from:), DescribeDBSubnetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2927,9 +2890,9 @@ extension NeptuneClient { /// /// Returns the default engine and system parameter information for the cluster database engine. /// - /// - Parameter DescribeEngineDefaultClusterParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEngineDefaultClusterParametersInput`) /// - /// - Returns: `DescribeEngineDefaultClusterParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEngineDefaultClusterParametersOutput`) public func describeEngineDefaultClusterParameters(input: DescribeEngineDefaultClusterParametersInput) async throws -> DescribeEngineDefaultClusterParametersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2956,7 +2919,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEngineDefaultClusterParametersOutput.httpOutput(from:), DescribeEngineDefaultClusterParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2990,9 +2952,9 @@ extension NeptuneClient { /// /// Returns the default engine and system parameter information for the specified database engine. /// - /// - Parameter DescribeEngineDefaultParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEngineDefaultParametersInput`) /// - /// - Returns: `DescribeEngineDefaultParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEngineDefaultParametersOutput`) public func describeEngineDefaultParameters(input: DescribeEngineDefaultParametersInput) async throws -> DescribeEngineDefaultParametersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3019,7 +2981,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEngineDefaultParametersOutput.httpOutput(from:), DescribeEngineDefaultParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3053,9 +3014,9 @@ extension NeptuneClient { /// /// Displays a list of categories for all event source types, or, if specified, for a specified source type. /// - /// - Parameter DescribeEventCategoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventCategoriesInput`) /// - /// - Returns: `DescribeEventCategoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventCategoriesOutput`) public func describeEventCategories(input: DescribeEventCategoriesInput) async throws -> DescribeEventCategoriesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3082,7 +3043,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventCategoriesOutput.httpOutput(from:), DescribeEventCategoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3116,9 +3076,9 @@ extension NeptuneClient { /// /// Lists all the subscription descriptions for a customer account. The description for a subscription includes SubscriptionName, SNSTopicARN, CustomerID, SourceType, SourceID, CreationTime, and Status. If you specify a SubscriptionName, lists the description for that subscription. /// - /// - Parameter DescribeEventSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventSubscriptionsInput`) /// - /// - Returns: `DescribeEventSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3150,7 +3110,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventSubscriptionsOutput.httpOutput(from:), DescribeEventSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3184,9 +3143,9 @@ extension NeptuneClient { /// /// Returns events related to DB instances, DB security groups, DB snapshots, and DB parameter groups for the past 14 days. Events specific to a particular DB instance, DB security group, database snapshot, or DB parameter group can be obtained by providing the name as a parameter. By default, the past hour of events are returned. /// - /// - Parameter DescribeEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventsInput`) /// - /// - Returns: `DescribeEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventsOutput`) public func describeEvents(input: DescribeEventsInput) async throws -> DescribeEventsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3213,7 +3172,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsOutput.httpOutput(from:), DescribeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3247,9 +3205,9 @@ extension NeptuneClient { /// /// Returns information about Neptune global database clusters. This API supports pagination. /// - /// - Parameter DescribeGlobalClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGlobalClustersInput`) /// - /// - Returns: `DescribeGlobalClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGlobalClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3281,7 +3239,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGlobalClustersOutput.httpOutput(from:), DescribeGlobalClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3315,9 +3272,9 @@ extension NeptuneClient { /// /// Returns a list of orderable DB instance options for the specified engine. /// - /// - Parameter DescribeOrderableDBInstanceOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrderableDBInstanceOptionsInput`) /// - /// - Returns: `DescribeOrderableDBInstanceOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrderableDBInstanceOptionsOutput`) public func describeOrderableDBInstanceOptions(input: DescribeOrderableDBInstanceOptionsInput) async throws -> DescribeOrderableDBInstanceOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3344,7 +3301,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrderableDBInstanceOptionsOutput.httpOutput(from:), DescribeOrderableDBInstanceOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3378,9 +3334,9 @@ extension NeptuneClient { /// /// Returns a list of resources (for example, DB instances) that have at least one pending maintenance action. /// - /// - Parameter DescribePendingMaintenanceActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePendingMaintenanceActionsInput`) /// - /// - Returns: `DescribePendingMaintenanceActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePendingMaintenanceActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3412,7 +3368,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePendingMaintenanceActionsOutput.httpOutput(from:), DescribePendingMaintenanceActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3446,9 +3401,9 @@ extension NeptuneClient { /// /// You can call [DescribeValidDBInstanceModifications] to learn what modifications you can make to your DB instance. You can use this information when you call [ModifyDBInstance]. /// - /// - Parameter DescribeValidDBInstanceModificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeValidDBInstanceModificationsInput`) /// - /// - Returns: `DescribeValidDBInstanceModificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeValidDBInstanceModificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3481,7 +3436,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeValidDBInstanceModificationsOutput.httpOutput(from:), DescribeValidDBInstanceModificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3515,9 +3469,9 @@ extension NeptuneClient { /// /// Forces a failover for a DB cluster. A failover for a DB cluster promotes one of the Read Replicas (read-only instances) in the DB cluster to be the primary instance (the cluster writer). Amazon Neptune will automatically fail over to a Read Replica, if one exists, when the primary instance fails. You can force a failover when you want to simulate a failure of a primary instance for testing. Because each instance in a DB cluster has its own endpoint address, you will need to clean up and re-establish any existing connections that use those endpoint addresses when the failover is complete. /// - /// - Parameter FailoverDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `FailoverDBClusterInput`) /// - /// - Returns: `FailoverDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FailoverDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3551,7 +3505,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FailoverDBClusterOutput.httpOutput(from:), FailoverDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3585,9 +3538,9 @@ extension NeptuneClient { /// /// Initiates the failover process for a Neptune global database. A failover for a Neptune global database promotes one of secondary read-only DB clusters to be the primary DB cluster and demotes the primary DB cluster to being a secondary (read-only) DB cluster. In other words, the role of the current primary DB cluster and the selected target secondary DB cluster are switched. The selected secondary DB cluster assumes full read/write capabilities for the Neptune global database. This action applies only to Neptune global databases. This action is only intended for use on healthy Neptune global databases with healthy Neptune DB clusters and no region-wide outages, to test disaster recovery scenarios or to reconfigure the global database topology. /// - /// - Parameter FailoverGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `FailoverGlobalClusterInput`) /// - /// - Returns: `FailoverGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FailoverGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3622,7 +3575,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FailoverGlobalClusterOutput.httpOutput(from:), FailoverGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3656,9 +3608,9 @@ extension NeptuneClient { /// /// Lists all tags on an Amazon Neptune resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3692,7 +3644,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3726,9 +3677,9 @@ extension NeptuneClient { /// /// Modify a setting for a DB cluster. You can change one or more database configuration parameters by specifying these parameters and the new values in the request. /// - /// - Parameter ModifyDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBClusterInput`) /// - /// - Returns: `ModifyDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3771,7 +3722,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterOutput.httpOutput(from:), ModifyDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3805,9 +3755,9 @@ extension NeptuneClient { /// /// Modifies the properties of an endpoint in an Amazon Neptune DB cluster. /// - /// - Parameter ModifyDBClusterEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBClusterEndpointInput`) /// - /// - Returns: `ModifyDBClusterEndpointOutput` : This data type represents the information you need to connect to an Amazon Neptune DB cluster. This data type is used as a response element in the following actions: + /// - Returns: This data type represents the information you need to connect to an Amazon Neptune DB cluster. This data type is used as a response element in the following actions: /// /// * CreateDBClusterEndpoint /// @@ -3818,7 +3768,7 @@ extension NeptuneClient { /// * DeleteDBClusterEndpoint /// /// - /// For the data structure that represents Amazon RDS DB instance endpoints, see Endpoint. + /// For the data structure that represents Amazon RDS DB instance endpoints, see Endpoint. (Type: `ModifyDBClusterEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3854,7 +3804,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterEndpointOutput.httpOutput(from:), ModifyDBClusterEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3888,9 +3837,9 @@ extension NeptuneClient { /// /// Modifies the parameters of a DB cluster parameter group. To modify more than one parameter, submit a list of the following: ParameterName, ParameterValue, and ApplyMethod. A maximum of 20 parameters can be modified in a single request. Changes to dynamic parameters are applied immediately. Changes to static parameters require a reboot without failover to the DB cluster associated with the parameter group before the change can take effect. After you create a DB cluster parameter group, you should wait at least 5 minutes before creating your first DB cluster that uses that DB cluster parameter group as the default parameter group. This allows Amazon Neptune to fully complete the create action before the parameter group is used as the default for a new DB cluster. This is especially important for parameters that are critical when creating the default database for a DB cluster, such as the character set for the default database defined by the character_set_database parameter. You can use the Parameter Groups option of the Amazon Neptune console or the [DescribeDBClusterParameters] command to verify that your DB cluster parameter group has been created or modified. /// - /// - Parameter ModifyDBClusterParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBClusterParameterGroupInput`) /// - /// - Returns: `ModifyDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3923,7 +3872,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterParameterGroupOutput.httpOutput(from:), ModifyDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3957,9 +3905,9 @@ extension NeptuneClient { /// /// Adds an attribute and values to, or removes an attribute and values from, a manual DB cluster snapshot. To share a manual DB cluster snapshot with other Amazon accounts, specify restore as the AttributeName and use the ValuesToAdd parameter to add a list of IDs of the Amazon accounts that are authorized to restore the manual DB cluster snapshot. Use the value all to make the manual DB cluster snapshot public, which means that it can be copied or restored by all Amazon accounts. Do not add the all value for any manual DB cluster snapshots that contain private information that you don't want available to all Amazon accounts. If a manual DB cluster snapshot is encrypted, it can be shared, but only by specifying a list of authorized Amazon account IDs for the ValuesToAdd parameter. You can't use all as a value for that parameter in this case. To view which Amazon accounts have access to copy or restore a manual DB cluster snapshot, or whether a manual DB cluster snapshot public or private, use the [DescribeDBClusterSnapshotAttributes] API action. /// - /// - Parameter ModifyDBClusterSnapshotAttributeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBClusterSnapshotAttributeInput`) /// - /// - Returns: `ModifyDBClusterSnapshotAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBClusterSnapshotAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3993,7 +3941,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterSnapshotAttributeOutput.httpOutput(from:), ModifyDBClusterSnapshotAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4027,9 +3974,9 @@ extension NeptuneClient { /// /// Modifies settings for a DB instance. You can change one or more database configuration parameters by specifying these parameters and the new values in the request. To learn what modifications you can make to your DB instance, call [DescribeValidDBInstanceModifications] before you call [ModifyDBInstance]. /// - /// - Parameter ModifyDBInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBInstanceInput`) /// - /// - Returns: `ModifyDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4076,7 +4023,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBInstanceOutput.httpOutput(from:), ModifyDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4110,9 +4056,9 @@ extension NeptuneClient { /// /// Modifies the parameters of a DB parameter group. To modify more than one parameter, submit a list of the following: ParameterName, ParameterValue, and ApplyMethod. A maximum of 20 parameters can be modified in a single request. Changes to dynamic parameters are applied immediately. Changes to static parameters require a reboot without failover to the DB instance associated with the parameter group before the change can take effect. After you modify a DB parameter group, you should wait at least 5 minutes before creating your first DB instance that uses that DB parameter group as the default parameter group. This allows Amazon Neptune to fully complete the modify action before the parameter group is used as the default for a new DB instance. This is especially important for parameters that are critical when creating the default database for a DB instance, such as the character set for the default database defined by the character_set_database parameter. You can use the Parameter Groups option of the Amazon Neptune console or the DescribeDBParameters command to verify that your DB parameter group has been created or modified. /// - /// - Parameter ModifyDBParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBParameterGroupInput`) /// - /// - Returns: `ModifyDBParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4145,7 +4091,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBParameterGroupOutput.httpOutput(from:), ModifyDBParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4179,9 +4124,9 @@ extension NeptuneClient { /// /// Modifies an existing DB subnet group. DB subnet groups must contain at least one subnet in at least two AZs in the Amazon Region. /// - /// - Parameter ModifyDBSubnetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBSubnetGroupInput`) /// - /// - Returns: `ModifyDBSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4217,7 +4162,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBSubnetGroupOutput.httpOutput(from:), ModifyDBSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4251,9 +4195,9 @@ extension NeptuneClient { /// /// Modifies an existing event notification subscription. Note that you can't modify the source identifiers using this call; to change source identifiers for a subscription, use the [AddSourceIdentifierToSubscription] and [RemoveSourceIdentifierFromSubscription] calls. You can see a list of the event categories for a given SourceType by using the DescribeEventCategories action. /// - /// - Parameter ModifyEventSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyEventSubscriptionInput`) /// - /// - Returns: `ModifyEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4290,7 +4234,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyEventSubscriptionOutput.httpOutput(from:), ModifyEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4324,9 +4267,9 @@ extension NeptuneClient { /// /// Modify a setting for an Amazon Neptune global cluster. You can change one or more database configuration parameters by specifying these parameters and their new values in the request. /// - /// - Parameter ModifyGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyGlobalClusterInput`) /// - /// - Returns: `ModifyGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4359,7 +4302,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyGlobalClusterOutput.httpOutput(from:), ModifyGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4393,9 +4335,9 @@ extension NeptuneClient { /// /// Not supported. /// - /// - Parameter PromoteReadReplicaDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PromoteReadReplicaDBClusterInput`) /// - /// - Returns: `PromoteReadReplicaDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PromoteReadReplicaDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4428,7 +4370,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PromoteReadReplicaDBClusterOutput.httpOutput(from:), PromoteReadReplicaDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4462,9 +4403,9 @@ extension NeptuneClient { /// /// You might need to reboot your DB instance, usually for maintenance reasons. For example, if you make certain modifications, or if you change the DB parameter group associated with the DB instance, you must reboot the instance for the changes to take effect. Rebooting a DB instance restarts the database engine service. Rebooting a DB instance results in a momentary outage, during which the DB instance status is set to rebooting. /// - /// - Parameter RebootDBInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootDBInstanceInput`) /// - /// - Returns: `RebootDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4497,7 +4438,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootDBInstanceOutput.httpOutput(from:), RebootDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4531,9 +4471,9 @@ extension NeptuneClient { /// /// Detaches a Neptune DB cluster from a Neptune global database. A secondary cluster becomes a normal standalone cluster with read-write capability instead of being read-only, and no longer receives data from a the primary cluster. /// - /// - Parameter RemoveFromGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveFromGlobalClusterInput`) /// - /// - Returns: `RemoveFromGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveFromGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4567,7 +4507,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveFromGlobalClusterOutput.httpOutput(from:), RemoveFromGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4601,9 +4540,9 @@ extension NeptuneClient { /// /// Disassociates an Identity and Access Management (IAM) role from a DB cluster. /// - /// - Parameter RemoveRoleFromDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveRoleFromDBClusterInput`) /// - /// - Returns: `RemoveRoleFromDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveRoleFromDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4637,7 +4576,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveRoleFromDBClusterOutput.httpOutput(from:), RemoveRoleFromDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4671,9 +4609,9 @@ extension NeptuneClient { /// /// Removes a source identifier from an existing event notification subscription. /// - /// - Parameter RemoveSourceIdentifierFromSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveSourceIdentifierFromSubscriptionInput`) /// - /// - Returns: `RemoveSourceIdentifierFromSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveSourceIdentifierFromSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4706,7 +4644,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveSourceIdentifierFromSubscriptionOutput.httpOutput(from:), RemoveSourceIdentifierFromSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4740,9 +4677,9 @@ extension NeptuneClient { /// /// Removes metadata tags from an Amazon Neptune resource. /// - /// - Parameter RemoveTagsFromResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveTagsFromResourceInput`) /// - /// - Returns: `RemoveTagsFromResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4776,7 +4713,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromResourceOutput.httpOutput(from:), RemoveTagsFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4810,9 +4746,9 @@ extension NeptuneClient { /// /// Modifies the parameters of a DB cluster parameter group to the default value. To reset specific parameters submit a list of the following: ParameterName and ApplyMethod. To reset the entire DB cluster parameter group, specify the DBClusterParameterGroupName and ResetAllParameters parameters. When resetting the entire group, dynamic parameters are updated immediately and static parameters are set to pending-reboot to take effect on the next DB instance restart or [RebootDBInstance] request. You must call [RebootDBInstance] for every DB instance in your DB cluster that you want the updated static parameter to apply to. /// - /// - Parameter ResetDBClusterParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetDBClusterParameterGroupInput`) /// - /// - Returns: `ResetDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4845,7 +4781,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetDBClusterParameterGroupOutput.httpOutput(from:), ResetDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4879,9 +4814,9 @@ extension NeptuneClient { /// /// Modifies the parameters of a DB parameter group to the engine/system default value. To reset specific parameters, provide a list of the following: ParameterName and ApplyMethod. To reset the entire DB parameter group, specify the DBParameterGroup name and ResetAllParameters parameters. When resetting the entire group, dynamic parameters are updated immediately and static parameters are set to pending-reboot to take effect on the next DB instance restart or RebootDBInstance request. /// - /// - Parameter ResetDBParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetDBParameterGroupInput`) /// - /// - Returns: `ResetDBParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetDBParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4914,7 +4849,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetDBParameterGroupOutput.httpOutput(from:), ResetDBParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4948,9 +4882,9 @@ extension NeptuneClient { /// /// Creates a new DB cluster from a DB snapshot or DB cluster snapshot. If a DB snapshot is specified, the target DB cluster is created from the source DB snapshot with a default configuration and default security group. If a DB cluster snapshot is specified, the target DB cluster is created from the source DB cluster restore point with the same configuration as the original source DB cluster, except that the new DB cluster is created with the default security group. /// - /// - Parameter RestoreDBClusterFromSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreDBClusterFromSnapshotInput`) /// - /// - Returns: `RestoreDBClusterFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDBClusterFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4997,7 +4931,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDBClusterFromSnapshotOutput.httpOutput(from:), RestoreDBClusterFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5031,9 +4964,9 @@ extension NeptuneClient { /// /// Restores a DB cluster to an arbitrary point in time. Users can restore to any point in time before LatestRestorableTime for up to BackupRetentionPeriod days. The target DB cluster is created from the source DB cluster with the same configuration as the original DB cluster, except that the new DB cluster is created with the default DB security group. This action only restores the DB cluster, not the DB instances for that DB cluster. You must invoke the [CreateDBInstance] action to create DB instances for the restored DB cluster, specifying the identifier of the restored DB cluster in DBClusterIdentifier. You can create DB instances only after the RestoreDBClusterToPointInTime action has completed and the DB cluster is available. /// - /// - Parameter RestoreDBClusterToPointInTimeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreDBClusterToPointInTimeInput`) /// - /// - Returns: `RestoreDBClusterToPointInTimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDBClusterToPointInTimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5081,7 +5014,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDBClusterToPointInTimeOutput.httpOutput(from:), RestoreDBClusterToPointInTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5115,9 +5047,9 @@ extension NeptuneClient { /// /// Starts an Amazon Neptune DB cluster that was stopped using the Amazon console, the Amazon CLI stop-db-cluster command, or the StopDBCluster API. /// - /// - Parameter StartDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDBClusterInput`) /// - /// - Returns: `StartDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5151,7 +5083,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDBClusterOutput.httpOutput(from:), StartDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5185,9 +5116,9 @@ extension NeptuneClient { /// /// Stops an Amazon Neptune DB cluster. When you stop a DB cluster, Neptune retains the DB cluster's metadata, including its endpoints and DB parameter groups. Neptune also retains the transaction logs so you can do a point-in-time restore if necessary. /// - /// - Parameter StopDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDBClusterInput`) /// - /// - Returns: `StopDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5221,7 +5152,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDBClusterOutput.httpOutput(from:), StopDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5255,9 +5185,9 @@ extension NeptuneClient { /// /// Switches over the specified secondary DB cluster to be the new primary DB cluster in the global database cluster. Switchover operations were previously called "managed planned failovers." Promotes the specified secondary cluster to assume full read/write capabilities and demotes the current primary cluster to a secondary (read-only) cluster, maintaining the original replication topology. All secondary clusters are synchronized with the primary at the beginning of the process so the new primary continues operations for the global database without losing any data. Your database is unavailable for a short time while the primary and selected secondary clusters are assuming their new roles. This operation is intended for controlled environments, for operations such as "regional rotation" or to fall back to the original primary after a global database failover. /// - /// - Parameter SwitchoverGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SwitchoverGlobalClusterInput`) /// - /// - Returns: `SwitchoverGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SwitchoverGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5292,7 +5222,6 @@ extension NeptuneClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SwitchoverGlobalClusterOutput.httpOutput(from:), SwitchoverGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSNeptuneGraph/Sources/AWSNeptuneGraph/NeptuneGraphClient.swift b/Sources/Services/AWSNeptuneGraph/Sources/AWSNeptuneGraph/NeptuneGraphClient.swift index 395f0cc2f5f..532981d2fd4 100644 --- a/Sources/Services/AWSNeptuneGraph/Sources/AWSNeptuneGraph/NeptuneGraphClient.swift +++ b/Sources/Services/AWSNeptuneGraph/Sources/AWSNeptuneGraph/NeptuneGraphClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -71,7 +70,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class NeptuneGraphClient: ClientRuntime.Client { public static let clientName = "NeptuneGraphClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: NeptuneGraphClient.NeptuneGraphClientConfiguration let serviceName = "Neptune Graph" @@ -377,9 +376,9 @@ extension NeptuneGraphClient { /// /// Cancel the specified export task. /// - /// - Parameter CancelExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelExportTaskInput`) /// - /// - Returns: `CancelExportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelExportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelExportTaskOutput.httpOutput(from:), CancelExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension NeptuneGraphClient { /// /// Deletes the specified import task. /// - /// - Parameter CancelImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelImportTaskInput`) /// - /// - Returns: `CancelImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelImportTaskOutput.httpOutput(from:), CancelImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension NeptuneGraphClient { /// /// Cancels a specified query. /// - /// - Parameter CancelQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelQueryInput`) /// - /// - Returns: `CancelQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.HeaderMiddleware(CancelQueryInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelQueryOutput.httpOutput(from:), CancelQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +581,9 @@ extension NeptuneGraphClient { /// /// Creates a new Neptune Analytics graph. /// - /// - Parameter CreateGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGraphInput`) /// - /// - Returns: `CreateGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGraphOutput.httpOutput(from:), CreateGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -657,9 +652,9 @@ extension NeptuneGraphClient { /// /// Creates a snapshot of the specific graph. /// - /// - Parameter CreateGraphSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGraphSnapshotInput`) /// - /// - Returns: `CreateGraphSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGraphSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGraphSnapshotOutput.httpOutput(from:), CreateGraphSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension NeptuneGraphClient { /// /// Creates a new Neptune Analytics graph and imports data into it, either from Amazon Simple Storage Service (S3) or from a Neptune database or a Neptune database snapshot. The data can be loaded from files in S3 that in either the [Gremlin CSV format](https://docs.aws.amazon.com/neptune/latest/userguide/bulk-load-tutorial-format-gremlin.html) or the [openCypher load format](https://docs.aws.amazon.com/neptune/latest/userguide/bulk-load-tutorial-format-opencypher.html). /// - /// - Parameter CreateGraphUsingImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGraphUsingImportTaskInput`) /// - /// - Returns: `CreateGraphUsingImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGraphUsingImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -770,7 +764,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGraphUsingImportTaskOutput.httpOutput(from:), CreateGraphUsingImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -802,9 +795,9 @@ extension NeptuneGraphClient { /// /// Create a private graph endpoint to allow private access from to the graph from within a VPC. You can attach security groups to the private graph endpoint. VPC endpoint charges apply. /// - /// - Parameter CreatePrivateGraphEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePrivateGraphEndpointInput`) /// - /// - Returns: `CreatePrivateGraphEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePrivateGraphEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -843,7 +836,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePrivateGraphEndpointOutput.httpOutput(from:), CreatePrivateGraphEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -875,9 +867,9 @@ extension NeptuneGraphClient { /// /// Deletes the specified graph. Graphs cannot be deleted if delete-protection is enabled. /// - /// - Parameter DeleteGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGraphInput`) /// - /// - Returns: `DeleteGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -913,7 +905,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteGraphInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGraphOutput.httpOutput(from:), DeleteGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -945,9 +936,9 @@ extension NeptuneGraphClient { /// /// Deletes the specifed graph snapshot. /// - /// - Parameter DeleteGraphSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGraphSnapshotInput`) /// - /// - Returns: `DeleteGraphSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGraphSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -982,7 +973,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGraphSnapshotOutput.httpOutput(from:), DeleteGraphSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1014,9 +1004,9 @@ extension NeptuneGraphClient { /// /// Deletes a private graph endpoint. /// - /// - Parameter DeletePrivateGraphEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePrivateGraphEndpointInput`) /// - /// - Returns: `DeletePrivateGraphEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePrivateGraphEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1051,7 +1041,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePrivateGraphEndpointOutput.httpOutput(from:), DeletePrivateGraphEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1089,9 +1078,9 @@ extension NeptuneGraphClient { /// /// * neptune-graph:DeleteDataViaQuery /// - /// - Parameter ExecuteQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteQueryInput`) /// - /// - Returns: `ExecuteQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1131,7 +1120,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteQueryOutput.httpOutput(from:), ExecuteQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1163,9 +1151,9 @@ extension NeptuneGraphClient { /// /// Retrieves a specified export task. /// - /// - Parameter GetExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExportTaskInput`) /// - /// - Returns: `GetExportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1199,7 +1187,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExportTaskOutput.httpOutput(from:), GetExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1231,9 +1218,9 @@ extension NeptuneGraphClient { /// /// Gets information about a specified graph. /// - /// - Parameter GetGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGraphInput`) /// - /// - Returns: `GetGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1267,7 +1254,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGraphOutput.httpOutput(from:), GetGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1299,9 +1285,9 @@ extension NeptuneGraphClient { /// /// Retrieves a specified graph snapshot. /// - /// - Parameter GetGraphSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGraphSnapshotInput`) /// - /// - Returns: `GetGraphSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGraphSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1335,7 +1321,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGraphSnapshotOutput.httpOutput(from:), GetGraphSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1367,9 +1352,9 @@ extension NeptuneGraphClient { /// /// Gets a graph summary for a property graph. /// - /// - Parameter GetGraphSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGraphSummaryInput`) /// - /// - Returns: `GetGraphSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGraphSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1406,7 +1391,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetGraphSummaryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGraphSummaryOutput.httpOutput(from:), GetGraphSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1438,9 +1422,9 @@ extension NeptuneGraphClient { /// /// Retrieves a specified import task. /// - /// - Parameter GetImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImportTaskInput`) /// - /// - Returns: `GetImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1474,7 +1458,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImportTaskOutput.httpOutput(from:), GetImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1506,9 +1489,9 @@ extension NeptuneGraphClient { /// /// Retrieves information about a specified private endpoint. /// - /// - Parameter GetPrivateGraphEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPrivateGraphEndpointInput`) /// - /// - Returns: `GetPrivateGraphEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPrivateGraphEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1542,7 +1525,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPrivateGraphEndpointOutput.httpOutput(from:), GetPrivateGraphEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1574,9 +1556,9 @@ extension NeptuneGraphClient { /// /// Retrieves the status of a specified query. When invoking this operation in a Neptune Analytics cluster, the IAM user or role making the request must have the neptune-graph:GetQueryStatus IAM action attached. /// - /// - Parameter GetQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryInput`) /// - /// - Returns: `GetQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1594,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetQueryInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryOutput.httpOutput(from:), GetQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1644,9 +1625,9 @@ extension NeptuneGraphClient { /// /// Retrieves a list of export tasks. /// - /// - Parameter ListExportTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExportTasksInput`) /// - /// - Returns: `ListExportTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExportTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1681,7 +1662,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListExportTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExportTasksOutput.httpOutput(from:), ListExportTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1713,9 +1693,9 @@ extension NeptuneGraphClient { /// /// Lists available snapshots of a specified Neptune Analytics graph. /// - /// - Parameter ListGraphSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGraphSnapshotsInput`) /// - /// - Returns: `ListGraphSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGraphSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1750,7 +1730,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGraphSnapshotsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGraphSnapshotsOutput.httpOutput(from:), ListGraphSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1782,9 +1761,9 @@ extension NeptuneGraphClient { /// /// Lists available Neptune Analytics graphs. /// - /// - Parameter ListGraphsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGraphsInput`) /// - /// - Returns: `ListGraphsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGraphsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1818,7 +1797,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGraphsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGraphsOutput.httpOutput(from:), ListGraphsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1850,9 +1828,9 @@ extension NeptuneGraphClient { /// /// Lists import tasks. /// - /// - Parameter ListImportTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImportTasksInput`) /// - /// - Returns: `ListImportTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImportTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1887,7 +1865,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListImportTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportTasksOutput.httpOutput(from:), ListImportTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1919,9 +1896,9 @@ extension NeptuneGraphClient { /// /// Lists private endpoints for a specified Neptune Analytics graph. /// - /// - Parameter ListPrivateGraphEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPrivateGraphEndpointsInput`) /// - /// - Returns: `ListPrivateGraphEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPrivateGraphEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1956,7 +1933,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPrivateGraphEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPrivateGraphEndpointsOutput.httpOutput(from:), ListPrivateGraphEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1988,9 +1964,9 @@ extension NeptuneGraphClient { /// /// Lists active openCypher queries. /// - /// - Parameter ListQueriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueriesInput`) /// - /// - Returns: `ListQueriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2026,7 +2002,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueriesOutput.httpOutput(from:), ListQueriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2058,9 +2033,9 @@ extension NeptuneGraphClient { /// /// Lists tags associated with a specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2094,7 +2069,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2126,9 +2100,9 @@ extension NeptuneGraphClient { /// /// Empties the data from a specified Neptune Analytics graph. /// - /// - Parameter ResetGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetGraphInput`) /// - /// - Returns: `ResetGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2166,7 +2140,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetGraphOutput.httpOutput(from:), ResetGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2198,9 +2171,9 @@ extension NeptuneGraphClient { /// /// Restores a graph from a snapshot. /// - /// - Parameter RestoreGraphFromSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreGraphFromSnapshotInput`) /// - /// - Returns: `RestoreGraphFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreGraphFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2239,7 +2212,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreGraphFromSnapshotOutput.httpOutput(from:), RestoreGraphFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2271,9 +2243,9 @@ extension NeptuneGraphClient { /// /// Export data from an existing Neptune Analytics graph to Amazon S3. The graph state should be AVAILABLE. /// - /// - Parameter StartExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartExportTaskInput`) /// - /// - Returns: `StartExportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartExportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2311,7 +2283,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExportTaskOutput.httpOutput(from:), StartExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2343,9 +2314,9 @@ extension NeptuneGraphClient { /// /// Starts the specific graph. /// - /// - Parameter StartGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartGraphInput`) /// - /// - Returns: `StartGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2380,7 +2351,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartGraphOutput.httpOutput(from:), StartGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2412,9 +2382,9 @@ extension NeptuneGraphClient { /// /// Import data into existing Neptune Analytics graph from Amazon Simple Storage Service (S3). The graph needs to be empty and in the AVAILABLE state. /// - /// - Parameter StartImportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImportTaskInput`) /// - /// - Returns: `StartImportTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2452,7 +2422,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImportTaskOutput.httpOutput(from:), StartImportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2484,9 +2453,9 @@ extension NeptuneGraphClient { /// /// Stops the specific graph. /// - /// - Parameter StopGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopGraphInput`) /// - /// - Returns: `StopGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2521,7 +2490,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopGraphOutput.httpOutput(from:), StopGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2553,9 +2521,9 @@ extension NeptuneGraphClient { /// /// Adds tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2592,7 +2560,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2624,9 +2591,9 @@ extension NeptuneGraphClient { /// /// Removes the specified tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2661,7 +2628,6 @@ extension NeptuneGraphClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2693,9 +2659,9 @@ extension NeptuneGraphClient { /// /// Updates the configuration of a specified Neptune Analytics graph /// - /// - Parameter UpdateGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGraphInput`) /// - /// - Returns: `UpdateGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2733,7 +2699,6 @@ extension NeptuneGraphClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGraphOutput.httpOutput(from:), UpdateGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSNeptunedata/Sources/AWSNeptunedata/NeptunedataClient.swift b/Sources/Services/AWSNeptunedata/Sources/AWSNeptunedata/NeptunedataClient.swift index 93fa013f373..39d9dee8bc8 100644 --- a/Sources/Services/AWSNeptunedata/Sources/AWSNeptunedata/NeptunedataClient.swift +++ b/Sources/Services/AWSNeptunedata/Sources/AWSNeptunedata/NeptunedataClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class NeptunedataClient: ClientRuntime.Client { public static let clientName = "NeptunedataClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: NeptunedataClient.NeptunedataClientConfiguration let serviceName = "neptunedata" @@ -376,9 +375,9 @@ extension NeptunedataClient { /// /// Cancels a Gremlin query. See [Gremlin query cancellation](https://docs.aws.amazon.com/neptune/latest/userguide/gremlin-api-status-cancel.html) for more information. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:CancelQuery](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#cancelquery) IAM action in that cluster. /// - /// - Parameter CancelGremlinQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelGremlinQueryInput`) /// - /// - Returns: `CancelGremlinQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelGremlinQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -422,7 +421,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelGremlinQueryOutput.httpOutput(from:), CancelGremlinQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -454,9 +452,9 @@ extension NeptunedataClient { /// /// Cancels a specified load job. This is an HTTP DELETE request. See [Neptune Loader Get-Status API](https://docs.aws.amazon.com/neptune/latest/userguide/load-api-reference-status.htm) for more information. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:CancelLoaderJob](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#cancelloaderjob) IAM action in that cluster.. /// - /// - Parameter CancelLoaderJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelLoaderJobInput`) /// - /// - Returns: `CancelLoaderJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelLoaderJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -499,7 +497,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelLoaderJobOutput.httpOutput(from:), CancelLoaderJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -531,9 +528,9 @@ extension NeptunedataClient { /// /// Cancels a Neptune ML data processing job. See [The ]dataprocessing command(https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-dataprocessing.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:CancelMLDataProcessingJob](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#cancelmldataprocessingjob) IAM action in that cluster. /// - /// - Parameter CancelMLDataProcessingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMLDataProcessingJobInput`) /// - /// - Returns: `CancelMLDataProcessingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMLDataProcessingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -575,7 +572,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CancelMLDataProcessingJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMLDataProcessingJobOutput.httpOutput(from:), CancelMLDataProcessingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -607,9 +603,9 @@ extension NeptunedataClient { /// /// Cancels a Neptune ML model training job. See [Model training using the ]modeltraining command(https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-modeltraining.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:CancelMLModelTrainingJob](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#cancelmlmodeltrainingjob) IAM action in that cluster. /// - /// - Parameter CancelMLModelTrainingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMLModelTrainingJobInput`) /// - /// - Returns: `CancelMLModelTrainingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMLModelTrainingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -651,7 +647,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CancelMLModelTrainingJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMLModelTrainingJobOutput.httpOutput(from:), CancelMLModelTrainingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -683,9 +678,9 @@ extension NeptunedataClient { /// /// Cancels a specified model transform job. See [Use a trained model to generate new model artifacts](https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-model-transform.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:CancelMLModelTransformJob](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#cancelmlmodeltransformjob) IAM action in that cluster. /// - /// - Parameter CancelMLModelTransformJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMLModelTransformJobInput`) /// - /// - Returns: `CancelMLModelTransformJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMLModelTransformJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -727,7 +722,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CancelMLModelTransformJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMLModelTransformJobOutput.httpOutput(from:), CancelMLModelTransformJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -759,9 +753,9 @@ extension NeptunedataClient { /// /// Cancels a specified openCypher query. See [Neptune openCypher status endpoint](https://docs.aws.amazon.com/neptune/latest/userguide/access-graph-opencypher-status.html) for more information. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:CancelQuery](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#cancelquery) IAM action in that cluster. /// - /// - Parameter CancelOpenCypherQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelOpenCypherQueryInput`) /// - /// - Returns: `CancelOpenCypherQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelOpenCypherQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -807,7 +801,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CancelOpenCypherQueryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelOpenCypherQueryOutput.httpOutput(from:), CancelOpenCypherQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -839,9 +832,9 @@ extension NeptunedataClient { /// /// Creates a new Neptune ML inference endpoint that lets you query one specific model that the model-training process constructed. See [Managing inference endpoints using the endpoints command](https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-endpoints.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:CreateMLEndpoint](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#createmlendpoint) IAM action in that cluster. /// - /// - Parameter CreateMLEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMLEndpointInput`) /// - /// - Returns: `CreateMLEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMLEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -885,7 +878,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMLEndpointOutput.httpOutput(from:), CreateMLEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -917,9 +909,9 @@ extension NeptunedataClient { /// /// Cancels the creation of a Neptune ML inference endpoint. See [Managing inference endpoints using the endpoints command](https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-endpoints.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:DeleteMLEndpoint](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#deletemlendpoint) IAM action in that cluster. /// - /// - Parameter DeleteMLEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMLEndpointInput`) /// - /// - Returns: `DeleteMLEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMLEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -961,7 +953,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteMLEndpointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMLEndpointOutput.httpOutput(from:), DeleteMLEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -993,9 +984,9 @@ extension NeptunedataClient { /// /// Deletes statistics for Gremlin and openCypher (property graph) data. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:DeleteStatistics](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#deletestatistics) IAM action in that cluster. /// - /// - Parameter DeletePropertygraphStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePropertygraphStatisticsInput`) /// - /// - Returns: `DeletePropertygraphStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePropertygraphStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1038,7 +1029,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePropertygraphStatisticsOutput.httpOutput(from:), DeletePropertygraphStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1070,9 +1060,9 @@ extension NeptunedataClient { /// /// Deletes SPARQL statistics When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:DeleteStatistics](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#deletestatistics) IAM action in that cluster. /// - /// - Parameter DeleteSparqlStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSparqlStatisticsInput`) /// - /// - Returns: `DeleteSparqlStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSparqlStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1115,7 +1105,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSparqlStatisticsOutput.httpOutput(from:), DeleteSparqlStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1147,9 +1136,9 @@ extension NeptunedataClient { /// /// The fast reset REST API lets you reset a Neptune graph quicky and easily, removing all of its data. Neptune fast reset is a two-step process. First you call ExecuteFastReset with action set to initiateDatabaseReset. This returns a UUID token which you then include when calling ExecuteFastReset again with action set to performDatabaseReset. See [Empty an Amazon Neptune DB cluster using the fast reset API](https://docs.aws.amazon.com/neptune/latest/userguide/manage-console-fast-reset.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:ResetDatabase](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#resetdatabase) IAM action in that cluster. /// - /// - Parameter ExecuteFastResetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteFastResetInput`) /// - /// - Returns: `ExecuteFastResetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteFastResetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1195,7 +1184,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteFastResetOutput.httpOutput(from:), ExecuteFastResetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1236,9 +1224,9 @@ extension NeptunedataClient { /// /// Note that the [neptune-db:QueryLanguage:Gremlin](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html#iam-neptune-condition-keys) IAM condition key can be used in the policy document to restrict the use of Gremlin queries (see [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter ExecuteGremlinExplainQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteGremlinExplainQueryInput`) /// - /// - Returns: `ExecuteGremlinExplainQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteGremlinExplainQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1291,7 +1279,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteGremlinExplainQueryOutput.httpOutput(from:), ExecuteGremlinExplainQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1323,9 +1310,9 @@ extension NeptunedataClient { /// /// Executes a Gremlin Profile query, which runs a specified traversal, collects various metrics about the run, and produces a profile report as output. See [Gremlin profile API in Neptune](https://docs.aws.amazon.com/neptune/latest/userguide/gremlin-profile-api.html) for details. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:ReadDataViaQuery](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#readdataviaquery) IAM action in that cluster. Note that the [neptune-db:QueryLanguage:Gremlin](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html#iam-neptune-condition-keys) IAM condition key can be used in the policy document to restrict the use of Gremlin queries (see [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter ExecuteGremlinProfileQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteGremlinProfileQueryInput`) /// - /// - Returns: `ExecuteGremlinProfileQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteGremlinProfileQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1378,7 +1365,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteGremlinProfileQueryOutput.httpOutput(from:), ExecuteGremlinProfileQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1419,9 +1405,9 @@ extension NeptunedataClient { /// /// Note that the [neptune-db:QueryLanguage:Gremlin](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html#iam-neptune-condition-keys) IAM condition key can be used in the policy document to restrict the use of Gremlin queries (see [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter ExecuteGremlinQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteGremlinQueryInput`) /// - /// - Returns: `ExecuteGremlinQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteGremlinQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1475,7 +1461,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteGremlinQueryOutput.httpOutput(from:), ExecuteGremlinQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1507,9 +1492,9 @@ extension NeptunedataClient { /// /// Executes an openCypher explain request. See [The openCypher explain feature](https://docs.aws.amazon.com/neptune/latest/userguide/access-graph-opencypher-explain.html) for more information. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:ReadDataViaQuery](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#readdataviaquery) IAM action in that cluster. Note that the [neptune-db:QueryLanguage:OpenCypher](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html#iam-neptune-condition-keys) IAM condition key can be used in the policy document to restrict the use of openCypher queries (see [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter ExecuteOpenCypherExplainQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteOpenCypherExplainQueryInput`) /// - /// - Returns: `ExecuteOpenCypherExplainQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteOpenCypherExplainQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1563,7 +1548,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteOpenCypherExplainQueryOutput.httpOutput(from:), ExecuteOpenCypherExplainQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1604,9 +1588,9 @@ extension NeptunedataClient { /// /// Note also that the [neptune-db:QueryLanguage:OpenCypher](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html#iam-neptune-condition-keys) IAM condition key can be used in the policy document to restrict the use of openCypher queries (see [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter ExecuteOpenCypherQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteOpenCypherQueryInput`) /// - /// - Returns: `ExecuteOpenCypherQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteOpenCypherQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1660,7 +1644,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteOpenCypherQueryOutput.httpOutput(from:), ExecuteOpenCypherQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1692,9 +1675,9 @@ extension NeptunedataClient { /// /// Retrieves the status of the graph database on the host. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetEngineStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getenginestatus) IAM action in that cluster. /// - /// - Parameter GetEngineStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEngineStatusInput`) /// - /// - Returns: `GetEngineStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEngineStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1732,7 +1715,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEngineStatusOutput.httpOutput(from:), GetEngineStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1764,9 +1746,9 @@ extension NeptunedataClient { /// /// Gets the status of a specified Gremlin query. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetQueryStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getquerystatus) IAM action in that cluster. Note that the [neptune-db:QueryLanguage:Gremlin](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html#iam-neptune-condition-keys) IAM condition key can be used in the policy document to restrict the use of Gremlin queries (see [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter GetGremlinQueryStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGremlinQueryStatusInput`) /// - /// - Returns: `GetGremlinQueryStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGremlinQueryStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1812,7 +1794,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGremlinQueryStatusOutput.httpOutput(from:), GetGremlinQueryStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1844,9 +1825,9 @@ extension NeptunedataClient { /// /// Gets status information about a specified load job. Neptune keeps track of the most recent 1,024 bulk load jobs, and stores the last 10,000 error details per job. See [Neptune Loader Get-Status API](https://docs.aws.amazon.com/neptune/latest/userguide/load-api-reference-status.htm) for more information. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetLoaderJobStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getloaderjobstatus) IAM action in that cluster.. /// - /// - Parameter GetLoaderJobStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoaderJobStatusInput`) /// - /// - Returns: `GetLoaderJobStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoaderJobStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1890,7 +1871,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLoaderJobStatusInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoaderJobStatusOutput.httpOutput(from:), GetLoaderJobStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1922,9 +1902,9 @@ extension NeptunedataClient { /// /// Retrieves information about a specified data processing job. See [The ]dataprocessing command(https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-dataprocessing.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:neptune-db:GetMLDataProcessingJobStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getmldataprocessingjobstatus) IAM action in that cluster. /// - /// - Parameter GetMLDataProcessingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLDataProcessingJobInput`) /// - /// - Returns: `GetMLDataProcessingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMLDataProcessingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1966,7 +1946,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMLDataProcessingJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLDataProcessingJobOutput.httpOutput(from:), GetMLDataProcessingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1998,9 +1977,9 @@ extension NeptunedataClient { /// /// Retrieves details about an inference endpoint. See [Managing inference endpoints using the endpoints command](https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-endpoints.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetMLEndpointStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getmlendpointstatus) IAM action in that cluster. /// - /// - Parameter GetMLEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLEndpointInput`) /// - /// - Returns: `GetMLEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMLEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2042,7 +2021,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMLEndpointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLEndpointOutput.httpOutput(from:), GetMLEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2074,9 +2052,9 @@ extension NeptunedataClient { /// /// Retrieves information about a Neptune ML model training job. See [Model training using the ]modeltraining command(https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-modeltraining.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetMLModelTrainingJobStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getmlmodeltrainingjobstatus) IAM action in that cluster. /// - /// - Parameter GetMLModelTrainingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLModelTrainingJobInput`) /// - /// - Returns: `GetMLModelTrainingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMLModelTrainingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2118,7 +2096,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMLModelTrainingJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLModelTrainingJobOutput.httpOutput(from:), GetMLModelTrainingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2150,9 +2127,9 @@ extension NeptunedataClient { /// /// Gets information about a specified model transform job. See [Use a trained model to generate new model artifacts](https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-model-transform.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetMLModelTransformJobStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getmlmodeltransformjobstatus) IAM action in that cluster. /// - /// - Parameter GetMLModelTransformJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMLModelTransformJobInput`) /// - /// - Returns: `GetMLModelTransformJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMLModelTransformJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2194,7 +2171,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetMLModelTransformJobInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMLModelTransformJobOutput.httpOutput(from:), GetMLModelTransformJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2226,9 +2202,9 @@ extension NeptunedataClient { /// /// Retrieves the status of a specified openCypher query. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetQueryStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getquerystatus) IAM action in that cluster. Note that the [neptune-db:QueryLanguage:OpenCypher](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html#iam-neptune-condition-keys) IAM condition key can be used in the policy document to restrict the use of openCypher queries (see [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter GetOpenCypherQueryStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOpenCypherQueryStatusInput`) /// - /// - Returns: `GetOpenCypherQueryStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOpenCypherQueryStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2275,7 +2251,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOpenCypherQueryStatusOutput.httpOutput(from:), GetOpenCypherQueryStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2307,9 +2282,9 @@ extension NeptunedataClient { /// /// Gets property graph statistics (Gremlin and openCypher). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetStatisticsStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getstatisticsstatus) IAM action in that cluster. /// - /// - Parameter GetPropertygraphStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPropertygraphStatisticsInput`) /// - /// - Returns: `GetPropertygraphStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPropertygraphStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2352,7 +2327,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPropertygraphStatisticsOutput.httpOutput(from:), GetPropertygraphStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2391,9 +2365,9 @@ extension NeptunedataClient { /// /// See [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter GetPropertygraphStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPropertygraphStreamInput`) /// - /// - Returns: `GetPropertygraphStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPropertygraphStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2437,7 +2411,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPropertygraphStreamInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPropertygraphStreamOutput.httpOutput(from:), GetPropertygraphStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2469,9 +2442,9 @@ extension NeptunedataClient { /// /// Gets a graph summary for a property graph. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetGraphSummary](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getgraphsummary) IAM action in that cluster. /// - /// - Parameter GetPropertygraphSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPropertygraphSummaryInput`) /// - /// - Returns: `GetPropertygraphSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPropertygraphSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2515,7 +2488,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPropertygraphSummaryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPropertygraphSummaryOutput.httpOutput(from:), GetPropertygraphSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2547,9 +2519,9 @@ extension NeptunedataClient { /// /// Gets a graph summary for an RDF graph. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetGraphSummary](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getgraphsummary) IAM action in that cluster. /// - /// - Parameter GetRDFGraphSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRDFGraphSummaryInput`) /// - /// - Returns: `GetRDFGraphSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRDFGraphSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2593,7 +2565,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRDFGraphSummaryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRDFGraphSummaryOutput.httpOutput(from:), GetRDFGraphSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2625,9 +2596,9 @@ extension NeptunedataClient { /// /// Gets RDF statistics (SPARQL). /// - /// - Parameter GetSparqlStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSparqlStatisticsInput`) /// - /// - Returns: `GetSparqlStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSparqlStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2670,7 +2641,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSparqlStatisticsOutput.httpOutput(from:), GetSparqlStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2702,9 +2672,9 @@ extension NeptunedataClient { /// /// Gets a stream for an RDF graph. With the Neptune Streams feature, you can generate a complete sequence of change-log entries that record every change made to your graph data as it happens. GetSparqlStream lets you collect these change-log entries for an RDF graph. The Neptune streams feature needs to be enabled on your Neptune DBcluster. To enable streams, set the [neptune_streams](https://docs.aws.amazon.com/neptune/latest/userguide/parameters.html#parameters-db-cluster-parameters-neptune_streams) DB cluster parameter to 1. See [Capturing graph changes in real time using Neptune streams](https://docs.aws.amazon.com/neptune/latest/userguide/streams.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetStreamRecords](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getstreamrecords) IAM action in that cluster. Note that the [neptune-db:QueryLanguage:Sparql](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html#iam-neptune-condition-keys) IAM condition key can be used in the policy document to restrict the use of SPARQL queries (see [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter GetSparqlStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSparqlStreamInput`) /// - /// - Returns: `GetSparqlStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSparqlStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2748,7 +2718,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSparqlStreamInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSparqlStreamOutput.httpOutput(from:), GetSparqlStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2780,9 +2749,9 @@ extension NeptunedataClient { /// /// Lists active Gremlin queries. See [Gremlin query status API](https://docs.aws.amazon.com/neptune/latest/userguide/gremlin-api-status.html) for details about the output. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetQueryStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getquerystatus) IAM action in that cluster. Note that the [neptune-db:QueryLanguage:Gremlin](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html#iam-neptune-condition-keys) IAM condition key can be used in the policy document to restrict the use of Gremlin queries (see [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter ListGremlinQueriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGremlinQueriesInput`) /// - /// - Returns: `ListGremlinQueriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGremlinQueriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2829,7 +2798,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGremlinQueriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGremlinQueriesOutput.httpOutput(from:), ListGremlinQueriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2861,9 +2829,9 @@ extension NeptunedataClient { /// /// Retrieves a list of the loadIds for all active loader jobs. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:ListLoaderJobs](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#listloaderjobs) IAM action in that cluster.. /// - /// - Parameter ListLoaderJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLoaderJobsInput`) /// - /// - Returns: `ListLoaderJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLoaderJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2906,7 +2874,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLoaderJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLoaderJobsOutput.httpOutput(from:), ListLoaderJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2938,9 +2905,9 @@ extension NeptunedataClient { /// /// Returns a list of Neptune ML data processing jobs. See [Listing active data-processing jobs using the Neptune ML dataprocessing command](https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-dataprocessing.html#machine-learning-api-dataprocessing-list-jobs). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:ListMLDataProcessingJobs](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#listmldataprocessingjobs) IAM action in that cluster. /// - /// - Parameter ListMLDataProcessingJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMLDataProcessingJobsInput`) /// - /// - Returns: `ListMLDataProcessingJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMLDataProcessingJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2982,7 +2949,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMLDataProcessingJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMLDataProcessingJobsOutput.httpOutput(from:), ListMLDataProcessingJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3014,9 +2980,9 @@ extension NeptunedataClient { /// /// Lists existing inference endpoints. See [Managing inference endpoints using the endpoints command](https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-endpoints.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:ListMLEndpoints](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#listmlendpoints) IAM action in that cluster. /// - /// - Parameter ListMLEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMLEndpointsInput`) /// - /// - Returns: `ListMLEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMLEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3058,7 +3024,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMLEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMLEndpointsOutput.httpOutput(from:), ListMLEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3090,9 +3055,9 @@ extension NeptunedataClient { /// /// Lists Neptune ML model-training jobs. See [Model training using the ]modeltraining command(https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-modeltraining.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:neptune-db:ListMLModelTrainingJobs](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#neptune-db:listmlmodeltrainingjobs) IAM action in that cluster. /// - /// - Parameter ListMLModelTrainingJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMLModelTrainingJobsInput`) /// - /// - Returns: `ListMLModelTrainingJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMLModelTrainingJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3134,7 +3099,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMLModelTrainingJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMLModelTrainingJobsOutput.httpOutput(from:), ListMLModelTrainingJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3166,9 +3130,9 @@ extension NeptunedataClient { /// /// Returns a list of model transform job IDs. See [Use a trained model to generate new model artifacts](https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-model-transform.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:ListMLModelTransformJobs](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#listmlmodeltransformjobs) IAM action in that cluster. /// - /// - Parameter ListMLModelTransformJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMLModelTransformJobsInput`) /// - /// - Returns: `ListMLModelTransformJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMLModelTransformJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3210,7 +3174,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMLModelTransformJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMLModelTransformJobsOutput.httpOutput(from:), ListMLModelTransformJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3242,9 +3205,9 @@ extension NeptunedataClient { /// /// Lists active openCypher queries. See [Neptune openCypher status endpoint](https://docs.aws.amazon.com/neptune/latest/userguide/access-graph-opencypher-status.html) for more information. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:GetQueryStatus](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#getquerystatus) IAM action in that cluster. Note that the [neptune-db:QueryLanguage:OpenCypher](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html#iam-neptune-condition-keys) IAM condition key can be used in the policy document to restrict the use of openCypher queries (see [Condition keys available in Neptune IAM data-access policy statements](https://docs.aws.amazon.com/neptune/latest/userguide/iam-data-condition-keys.html)). /// - /// - Parameter ListOpenCypherQueriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOpenCypherQueriesInput`) /// - /// - Returns: `ListOpenCypherQueriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOpenCypherQueriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3292,7 +3255,6 @@ extension NeptunedataClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOpenCypherQueriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOpenCypherQueriesOutput.httpOutput(from:), ListOpenCypherQueriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3324,9 +3286,9 @@ extension NeptunedataClient { /// /// Manages the generation and use of property graph statistics. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:ManageStatistics](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#managestatistics) IAM action in that cluster. /// - /// - Parameter ManagePropertygraphStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ManagePropertygraphStatisticsInput`) /// - /// - Returns: `ManagePropertygraphStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ManagePropertygraphStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3372,7 +3334,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ManagePropertygraphStatisticsOutput.httpOutput(from:), ManagePropertygraphStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3404,9 +3365,9 @@ extension NeptunedataClient { /// /// Manages the generation and use of RDF graph statistics. When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:ManageStatistics](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#managestatistics) IAM action in that cluster. /// - /// - Parameter ManageSparqlStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ManageSparqlStatisticsInput`) /// - /// - Returns: `ManageSparqlStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ManageSparqlStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3452,7 +3413,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ManageSparqlStatisticsOutput.httpOutput(from:), ManageSparqlStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3484,9 +3444,9 @@ extension NeptunedataClient { /// /// Starts a Neptune bulk loader job to load data from an Amazon S3 bucket into a Neptune DB instance. See [Using the Amazon Neptune Bulk Loader to Ingest Data](https://docs.aws.amazon.com/neptune/latest/userguide/bulk-load.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:StartLoaderJob](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#startloaderjob) IAM action in that cluster. /// - /// - Parameter StartLoaderJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartLoaderJobInput`) /// - /// - Returns: `StartLoaderJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartLoaderJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3533,7 +3493,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartLoaderJobOutput.httpOutput(from:), StartLoaderJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3565,9 +3524,9 @@ extension NeptunedataClient { /// /// Creates a new Neptune ML data processing job for processing the graph data exported from Neptune for training. See [The ]dataprocessing command(https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-dataprocessing.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:StartMLModelDataProcessingJob](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#startmlmodeldataprocessingjob) IAM action in that cluster. /// - /// - Parameter StartMLDataProcessingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMLDataProcessingJobInput`) /// - /// - Returns: `StartMLDataProcessingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMLDataProcessingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3611,7 +3570,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMLDataProcessingJobOutput.httpOutput(from:), StartMLDataProcessingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3643,9 +3601,9 @@ extension NeptunedataClient { /// /// Creates a new Neptune ML model training job. See [Model training using the ]modeltraining command(https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-api-modeltraining.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:StartMLModelTrainingJob](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#startmlmodeltrainingjob) IAM action in that cluster. /// - /// - Parameter StartMLModelTrainingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMLModelTrainingJobInput`) /// - /// - Returns: `StartMLModelTrainingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMLModelTrainingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3689,7 +3647,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMLModelTrainingJobOutput.httpOutput(from:), StartMLModelTrainingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3721,9 +3678,9 @@ extension NeptunedataClient { /// /// Creates a new model transform job. See [Use a trained model to generate new model artifacts](https://docs.aws.amazon.com/neptune/latest/userguide/machine-learning-model-transform.html). When invoking this operation in a Neptune cluster that has IAM authentication enabled, the IAM user or role making the request must have a policy attached that allows the [neptune-db:StartMLModelTransformJob](https://docs.aws.amazon.com/neptune/latest/userguide/iam-dp-actions.html#startmlmodeltransformjob) IAM action in that cluster. /// - /// - Parameter StartMLModelTransformJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMLModelTransformJobInput`) /// - /// - Returns: `StartMLModelTransformJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMLModelTransformJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3767,7 +3724,6 @@ extension NeptunedataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMLModelTransformJobOutput.httpOutput(from:), StartMLModelTransformJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSNetworkFirewall/Sources/AWSNetworkFirewall/NetworkFirewallClient.swift b/Sources/Services/AWSNetworkFirewall/Sources/AWSNetworkFirewall/NetworkFirewallClient.swift index 4a8831ef621..3217efe0edc 100644 --- a/Sources/Services/AWSNetworkFirewall/Sources/AWSNetworkFirewall/NetworkFirewallClient.swift +++ b/Sources/Services/AWSNetworkFirewall/Sources/AWSNetworkFirewall/NetworkFirewallClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class NetworkFirewallClient: ClientRuntime.Client { public static let clientName = "NetworkFirewallClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: NetworkFirewallClient.NetworkFirewallClientConfiguration let serviceName = "Network Firewall" @@ -374,9 +373,9 @@ extension NetworkFirewallClient { /// /// Accepts a transit gateway attachment request for Network Firewall. When you accept the attachment request, Network Firewall creates the necessary routing components to enable traffic flow between the transit gateway and firewall endpoints. You must accept a transit gateway attachment to complete the creation of a transit gateway-attached firewall, unless auto-accept is enabled on the transit gateway. After acceptance, use [DescribeFirewall] to verify the firewall status. To reject an attachment instead of accepting it, use [RejectNetworkFirewallTransitGatewayAttachment]. It can take several minutes for the attachment acceptance to complete and the firewall to become available. /// - /// - Parameter AcceptNetworkFirewallTransitGatewayAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptNetworkFirewallTransitGatewayAttachmentInput`) /// - /// - Returns: `AcceptNetworkFirewallTransitGatewayAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptNetworkFirewallTransitGatewayAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptNetworkFirewallTransitGatewayAttachmentOutput.httpOutput(from:), AcceptNetworkFirewallTransitGatewayAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension NetworkFirewallClient { /// /// Associates the specified Availability Zones with a transit gateway-attached firewall. For each Availability Zone, Network Firewall creates a firewall endpoint to process traffic. You can specify one or more Availability Zones where you want to deploy the firewall. After adding Availability Zones, you must update your transit gateway route tables to direct traffic through the new firewall endpoints. Use [DescribeFirewall] to monitor the status of the new endpoints. /// - /// - Parameter AssociateAvailabilityZonesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAvailabilityZonesInput`) /// - /// - Returns: `AssociateAvailabilityZonesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAvailabilityZonesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -498,7 +496,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAvailabilityZonesOutput.httpOutput(from:), AssociateAvailabilityZonesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -533,9 +530,9 @@ extension NetworkFirewallClient { /// /// Associates a [FirewallPolicy] to a [Firewall]. A firewall policy defines how to monitor and manage your VPC network traffic, using a collection of inspection rule groups and other settings. Each firewall requires one firewall policy association, and you can use the same firewall policy for multiple firewalls. /// - /// - Parameter AssociateFirewallPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateFirewallPolicyInput`) /// - /// - Returns: `AssociateFirewallPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateFirewallPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -578,7 +575,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateFirewallPolicyOutput.httpOutput(from:), AssociateFirewallPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -613,9 +609,9 @@ extension NetworkFirewallClient { /// /// Associates the specified subnets in the Amazon VPC to the firewall. You can specify one subnet for each of the Availability Zones that the VPC spans. This request creates an Network Firewall firewall endpoint in each of the subnets. To enable the firewall's protections, you must also modify the VPC's route tables for each subnet's Availability Zone, to redirect the traffic that's coming into and going out of the zone through the firewall endpoint. /// - /// - Parameter AssociateSubnetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSubnetsInput`) /// - /// - Returns: `AssociateSubnetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSubnetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -659,7 +655,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSubnetsOutput.httpOutput(from:), AssociateSubnetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -694,9 +689,9 @@ extension NetworkFirewallClient { /// /// Creates an Network Firewall [Firewall] and accompanying [FirewallStatus] for a VPC. The firewall defines the configuration settings for an Network Firewall firewall. The settings that you can define at creation include the firewall policy, the subnets in your VPC to use for the firewall endpoints, and any tags that are attached to the firewall Amazon Web Services resource. After you create a firewall, you can provide additional settings, like the logging configuration. To update the settings for a firewall, you use the operations that apply to the settings themselves, for example [UpdateLoggingConfiguration], [AssociateSubnets], and [UpdateFirewallDeleteProtection]. To manage a firewall's tags, use the standard Amazon Web Services resource tagging operations, [ListTagsForResource], [TagResource], and [UntagResource]. To retrieve information about firewalls, use [ListFirewalls] and [DescribeFirewall]. To generate a report on the last 30 days of traffic monitored by a firewall, use [StartAnalysisReport]. /// - /// - Parameter CreateFirewallInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFirewallInput`) /// - /// - Returns: `CreateFirewallOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFirewallOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -739,7 +734,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFirewallOutput.httpOutput(from:), CreateFirewallOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -774,9 +768,9 @@ extension NetworkFirewallClient { /// /// Creates the firewall policy for the firewall according to the specifications. An Network Firewall firewall policy defines the behavior of a firewall, in a collection of stateless and stateful rule groups and other settings. You can use one firewall policy for multiple firewalls. /// - /// - Parameter CreateFirewallPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFirewallPolicyInput`) /// - /// - Returns: `CreateFirewallPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFirewallPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -818,7 +812,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFirewallPolicyOutput.httpOutput(from:), CreateFirewallPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -853,9 +846,9 @@ extension NetworkFirewallClient { /// /// Creates the specified stateless or stateful rule group, which includes the rules for network traffic inspection, a capacity setting, and tags. You provide your rule group specification in your request using either RuleGroup or Rules. /// - /// - Parameter CreateRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleGroupInput`) /// - /// - Returns: `CreateRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -897,7 +890,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleGroupOutput.httpOutput(from:), CreateRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +924,9 @@ extension NetworkFirewallClient { /// /// Creates an Network Firewall TLS inspection configuration. Network Firewall uses TLS inspection configurations to decrypt your firewall's inbound and outbound SSL/TLS traffic. After decryption, Network Firewall inspects the traffic according to your firewall policy's stateful rules, and then re-encrypts it before sending it to its destination. You can enable inspection of your firewall's inbound traffic, outbound traffic, or both. To use TLS inspection with your firewall, you must first import or provision certificates using ACM, create a TLS inspection configuration, add that configuration to a new firewall policy, and then associate that policy with your firewall. To update the settings for a TLS inspection configuration, use [UpdateTLSInspectionConfiguration]. To manage a TLS inspection configuration's tags, use the standard Amazon Web Services resource tagging operations, [ListTagsForResource], [TagResource], and [UntagResource]. To retrieve information about TLS inspection configurations, use [ListTLSInspectionConfigurations] and [DescribeTLSInspectionConfiguration]. For more information about TLS inspection configurations, see [Inspecting SSL/TLS traffic with TLS inspection configurations](https://docs.aws.amazon.com/network-firewall/latest/developerguide/tls-inspection.html) in the Network Firewall Developer Guide. /// - /// - Parameter CreateTLSInspectionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTLSInspectionConfigurationInput`) /// - /// - Returns: `CreateTLSInspectionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTLSInspectionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +968,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTLSInspectionConfigurationOutput.httpOutput(from:), CreateTLSInspectionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1011,9 +1002,9 @@ extension NetworkFirewallClient { /// /// Creates a firewall endpoint for an Network Firewall firewall. This type of firewall endpoint is independent of the firewall endpoints that you specify in the Firewall itself, and you define it in addition to those endpoints after the firewall has been created. You can define a VPC endpoint association using a different VPC than the one you used in the firewall specifications. /// - /// - Parameter CreateVpcEndpointAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcEndpointAssociationInput`) /// - /// - Returns: `CreateVpcEndpointAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcEndpointAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1057,7 +1048,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcEndpointAssociationOutput.httpOutput(from:), CreateVpcEndpointAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1092,9 +1082,9 @@ extension NetworkFirewallClient { /// /// Deletes the specified [Firewall] and its [FirewallStatus]. This operation requires the firewall's DeleteProtection flag to be FALSE. You can't revert this operation. You can check whether a firewall is in use by reviewing the route tables for the Availability Zones where you have firewall subnet mappings. Retrieve the subnet mappings by calling [DescribeFirewall]. You define and update the route tables through Amazon VPC. As needed, update the route tables for the zones to remove the firewall endpoints. When the route tables no longer use the firewall endpoints, you can remove the firewall safely. To delete a firewall, remove the delete protection if you need to using [UpdateFirewallDeleteProtection], then delete the firewall by calling [DeleteFirewall]. /// - /// - Parameter DeleteFirewallInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFirewallInput`) /// - /// - Returns: `DeleteFirewallOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFirewallOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1137,7 +1127,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFirewallOutput.httpOutput(from:), DeleteFirewallOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1172,9 +1161,9 @@ extension NetworkFirewallClient { /// /// Deletes the specified [FirewallPolicy]. /// - /// - Parameter DeleteFirewallPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFirewallPolicyInput`) /// - /// - Returns: `DeleteFirewallPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFirewallPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1217,7 +1206,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFirewallPolicyOutput.httpOutput(from:), DeleteFirewallPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1252,9 +1240,9 @@ extension NetworkFirewallClient { /// /// Deletes a transit gateway attachment from a Network Firewall. Either the firewall owner or the transit gateway owner can delete the attachment. After you delete a transit gateway attachment, traffic will no longer flow through the firewall endpoints. After you initiate the delete operation, use [DescribeFirewall] to monitor the deletion status. /// - /// - Parameter DeleteNetworkFirewallTransitGatewayAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNetworkFirewallTransitGatewayAttachmentInput`) /// - /// - Returns: `DeleteNetworkFirewallTransitGatewayAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkFirewallTransitGatewayAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1295,7 +1283,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkFirewallTransitGatewayAttachmentOutput.httpOutput(from:), DeleteNetworkFirewallTransitGatewayAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1330,9 +1317,9 @@ extension NetworkFirewallClient { /// /// Deletes a resource policy that you created in a [PutResourcePolicy] request. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1374,7 +1361,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1409,9 +1395,9 @@ extension NetworkFirewallClient { /// /// Deletes the specified [RuleGroup]. /// - /// - Parameter DeleteRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleGroupInput`) /// - /// - Returns: `DeleteRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1454,7 +1440,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleGroupOutput.httpOutput(from:), DeleteRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1489,9 +1474,9 @@ extension NetworkFirewallClient { /// /// Deletes the specified [TLSInspectionConfiguration]. /// - /// - Parameter DeleteTLSInspectionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTLSInspectionConfigurationInput`) /// - /// - Returns: `DeleteTLSInspectionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTLSInspectionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1533,7 +1518,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTLSInspectionConfigurationOutput.httpOutput(from:), DeleteTLSInspectionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1568,9 +1552,9 @@ extension NetworkFirewallClient { /// /// Deletes the specified [VpcEndpointAssociation]. You can check whether an endpoint association is in use by reviewing the route tables for the Availability Zones where you have the endpoint subnet mapping. You can retrieve the subnet mapping by calling [DescribeVpcEndpointAssociation]. You define and update the route tables through Amazon VPC. As needed, update the route tables for the Availability Zone to remove the firewall endpoint for the association. When the route tables no longer use the firewall endpoint, you can remove the endpoint association safely. /// - /// - Parameter DeleteVpcEndpointAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcEndpointAssociationInput`) /// - /// - Returns: `DeleteVpcEndpointAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcEndpointAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1596,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcEndpointAssociationOutput.httpOutput(from:), DeleteVpcEndpointAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1647,9 +1630,9 @@ extension NetworkFirewallClient { /// /// Returns the data objects for the specified firewall. /// - /// - Parameter DescribeFirewallInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFirewallInput`) /// - /// - Returns: `DescribeFirewallOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFirewallOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1690,7 +1673,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFirewallOutput.httpOutput(from:), DescribeFirewallOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1725,9 +1707,9 @@ extension NetworkFirewallClient { /// /// Returns the high-level information about a firewall, including the Availability Zones where the Firewall is currently in use. /// - /// - Parameter DescribeFirewallMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFirewallMetadataInput`) /// - /// - Returns: `DescribeFirewallMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFirewallMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1768,7 +1750,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFirewallMetadataOutput.httpOutput(from:), DescribeFirewallMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1803,9 +1784,9 @@ extension NetworkFirewallClient { /// /// Returns the data objects for the specified firewall policy. /// - /// - Parameter DescribeFirewallPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFirewallPolicyInput`) /// - /// - Returns: `DescribeFirewallPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFirewallPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1846,7 +1827,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFirewallPolicyOutput.httpOutput(from:), DescribeFirewallPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1881,9 +1861,9 @@ extension NetworkFirewallClient { /// /// Returns key information about a specific flow operation. /// - /// - Parameter DescribeFlowOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFlowOperationInput`) /// - /// - Returns: `DescribeFlowOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFlowOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1924,7 +1904,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFlowOperationOutput.httpOutput(from:), DescribeFlowOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1959,9 +1938,9 @@ extension NetworkFirewallClient { /// /// Returns the logging configuration for the specified firewall. /// - /// - Parameter DescribeLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLoggingConfigurationInput`) /// - /// - Returns: `DescribeLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2002,7 +1981,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoggingConfigurationOutput.httpOutput(from:), DescribeLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2037,9 +2015,9 @@ extension NetworkFirewallClient { /// /// Retrieves a resource policy that you created in a [PutResourcePolicy] request. /// - /// - Parameter DescribeResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourcePolicyInput`) /// - /// - Returns: `DescribeResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2080,7 +2058,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourcePolicyOutput.httpOutput(from:), DescribeResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2115,9 +2092,9 @@ extension NetworkFirewallClient { /// /// Returns the data objects for the specified rule group. /// - /// - Parameter DescribeRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRuleGroupInput`) /// - /// - Returns: `DescribeRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2158,7 +2135,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRuleGroupOutput.httpOutput(from:), DescribeRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2193,9 +2169,9 @@ extension NetworkFirewallClient { /// /// High-level information about a rule group, returned by operations like create and describe. You can use the information provided in the metadata to retrieve and manage a rule group. You can retrieve all objects for a rule group by calling [DescribeRuleGroup]. /// - /// - Parameter DescribeRuleGroupMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRuleGroupMetadataInput`) /// - /// - Returns: `DescribeRuleGroupMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRuleGroupMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2236,7 +2212,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRuleGroupMetadataOutput.httpOutput(from:), DescribeRuleGroupMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2271,9 +2246,9 @@ extension NetworkFirewallClient { /// /// Returns detailed information for a stateful rule group. For active threat defense Amazon Web Services managed rule groups, this operation provides insight into the protections enabled by the rule group, based on Suricata rule metadata fields. Summaries are available for rule groups you manage and for active threat defense Amazon Web Services managed rule groups. To modify how threat information appears in summaries, use the SummaryConfiguration parameter in [UpdateRuleGroup]. /// - /// - Parameter DescribeRuleGroupSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRuleGroupSummaryInput`) /// - /// - Returns: `DescribeRuleGroupSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRuleGroupSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2314,7 +2289,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRuleGroupSummaryOutput.httpOutput(from:), DescribeRuleGroupSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2349,9 +2323,9 @@ extension NetworkFirewallClient { /// /// Returns the data objects for the specified TLS inspection configuration. /// - /// - Parameter DescribeTLSInspectionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTLSInspectionConfigurationInput`) /// - /// - Returns: `DescribeTLSInspectionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTLSInspectionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2392,7 +2366,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTLSInspectionConfigurationOutput.httpOutput(from:), DescribeTLSInspectionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2427,9 +2400,9 @@ extension NetworkFirewallClient { /// /// Returns the data object for the specified VPC endpoint association. /// - /// - Parameter DescribeVpcEndpointAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcEndpointAssociationInput`) /// - /// - Returns: `DescribeVpcEndpointAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcEndpointAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2470,7 +2443,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcEndpointAssociationOutput.httpOutput(from:), DescribeVpcEndpointAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2505,9 +2477,9 @@ extension NetworkFirewallClient { /// /// Removes the specified Availability Zone associations from a transit gateway-attached firewall. This removes the firewall endpoints from these Availability Zones and stops traffic filtering in those zones. Before removing an Availability Zone, ensure you've updated your transit gateway route tables to redirect traffic appropriately. If AvailabilityZoneChangeProtection is enabled, you must first disable it using [UpdateAvailabilityZoneChangeProtection]. To verify the status of your Availability Zone changes, use [DescribeFirewall]. /// - /// - Parameter DisassociateAvailabilityZonesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAvailabilityZonesInput`) /// - /// - Returns: `DisassociateAvailabilityZonesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAvailabilityZonesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2550,7 +2522,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAvailabilityZonesOutput.httpOutput(from:), DisassociateAvailabilityZonesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2585,9 +2556,9 @@ extension NetworkFirewallClient { /// /// Removes the specified subnet associations from the firewall. This removes the firewall endpoints from the subnets and removes any network filtering protections that the endpoints were providing. /// - /// - Parameter DisassociateSubnetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSubnetsInput`) /// - /// - Returns: `DisassociateSubnetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSubnetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2630,7 +2601,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSubnetsOutput.httpOutput(from:), DisassociateSubnetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2665,9 +2635,9 @@ extension NetworkFirewallClient { /// /// The results of a COMPLETED analysis report generated with [StartAnalysisReport]. For more information, see [AnalysisTypeReportResult]. /// - /// - Parameter GetAnalysisReportResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAnalysisReportResultsInput`) /// - /// - Returns: `GetAnalysisReportResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAnalysisReportResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2708,7 +2678,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnalysisReportResultsOutput.httpOutput(from:), GetAnalysisReportResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2743,9 +2712,9 @@ extension NetworkFirewallClient { /// /// Returns a list of all traffic analysis reports generated within the last 30 days. /// - /// - Parameter ListAnalysisReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnalysisReportsInput`) /// - /// - Returns: `ListAnalysisReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnalysisReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2786,7 +2755,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnalysisReportsOutput.httpOutput(from:), ListAnalysisReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2821,9 +2789,9 @@ extension NetworkFirewallClient { /// /// Retrieves the metadata for the firewall policies that you have defined. Depending on your setting for max results and the number of firewall policies, a single call might not return the full list. /// - /// - Parameter ListFirewallPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFirewallPoliciesInput`) /// - /// - Returns: `ListFirewallPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFirewallPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2863,7 +2831,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFirewallPoliciesOutput.httpOutput(from:), ListFirewallPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2898,9 +2865,9 @@ extension NetworkFirewallClient { /// /// Retrieves the metadata for the firewalls that you have defined. If you provide VPC identifiers in your request, this returns only the firewalls for those VPCs. Depending on your setting for max results and the number of firewalls, a single call might not return the full list. /// - /// - Parameter ListFirewallsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFirewallsInput`) /// - /// - Returns: `ListFirewallsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFirewallsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2940,7 +2907,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFirewallsOutput.httpOutput(from:), ListFirewallsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2975,9 +2941,9 @@ extension NetworkFirewallClient { /// /// Returns the results of a specific flow operation. Flow operations let you manage the flows tracked in the flow table, also known as the firewall table. A flow is network traffic that is monitored by a firewall, either by stateful or stateless rules. For traffic to be considered part of a flow, it must share Destination, DestinationPort, Direction, Protocol, Source, and SourcePort. /// - /// - Parameter ListFlowOperationResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowOperationResultsInput`) /// - /// - Returns: `ListFlowOperationResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowOperationResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3018,7 +2984,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowOperationResultsOutput.httpOutput(from:), ListFlowOperationResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3053,9 +3018,9 @@ extension NetworkFirewallClient { /// /// Returns a list of all flow operations ran in a specific firewall. You can optionally narrow the request scope by specifying the operation type or Availability Zone associated with a firewall's flow operations. Flow operations let you manage the flows tracked in the flow table, also known as the firewall table. A flow is network traffic that is monitored by a firewall, either by stateful or stateless rules. For traffic to be considered part of a flow, it must share Destination, DestinationPort, Direction, Protocol, Source, and SourcePort. /// - /// - Parameter ListFlowOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowOperationsInput`) /// - /// - Returns: `ListFlowOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3096,7 +3061,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowOperationsOutput.httpOutput(from:), ListFlowOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3131,9 +3095,9 @@ extension NetworkFirewallClient { /// /// Retrieves the metadata for the rule groups that you have defined. Depending on your setting for max results and the number of rule groups, a single call might not return the full list. /// - /// - Parameter ListRuleGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRuleGroupsInput`) /// - /// - Returns: `ListRuleGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRuleGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3173,7 +3137,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleGroupsOutput.httpOutput(from:), ListRuleGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3208,9 +3171,9 @@ extension NetworkFirewallClient { /// /// Retrieves the metadata for the TLS inspection configurations that you have defined. Depending on your setting for max results and the number of TLS inspection configurations, a single call might not return the full list. /// - /// - Parameter ListTLSInspectionConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTLSInspectionConfigurationsInput`) /// - /// - Returns: `ListTLSInspectionConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTLSInspectionConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3250,7 +3213,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTLSInspectionConfigurationsOutput.httpOutput(from:), ListTLSInspectionConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3285,9 +3247,9 @@ extension NetworkFirewallClient { /// /// Retrieves the tags associated with the specified resource. Tags are key:value pairs that you can use to categorize and manage your resources, for purposes like billing. For example, you might set the tag key to "customer" and the value to the customer name or ID. You can specify one or more tags to add to each Amazon Web Services resource, up to 50 tags for a resource. You can tag the Amazon Web Services resources that you manage through Network Firewall: firewalls, firewall policies, and rule groups. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3328,7 +3290,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3363,9 +3324,9 @@ extension NetworkFirewallClient { /// /// Retrieves the metadata for the VPC endpoint associations that you have defined. If you specify a fireawll, this returns only the endpoint associations for that firewall. Depending on your setting for max results and the number of associations, a single call might not return the full list. /// - /// - Parameter ListVpcEndpointAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVpcEndpointAssociationsInput`) /// - /// - Returns: `ListVpcEndpointAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVpcEndpointAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3405,7 +3366,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcEndpointAssociationsOutput.httpOutput(from:), ListVpcEndpointAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3447,9 +3407,9 @@ extension NetworkFirewallClient { /// /// For additional information about resource sharing using RAM, see [Resource Access Manager User Guide](https://docs.aws.amazon.com/ram/latest/userguide/what-is.html). /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3491,7 +3451,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3526,9 +3485,9 @@ extension NetworkFirewallClient { /// /// Rejects a transit gateway attachment request for Network Firewall. When you reject the attachment request, Network Firewall cancels the creation of routing components between the transit gateway and firewall endpoints. Only the transit gateway owner can reject the attachment. After rejection, no traffic will flow through the firewall endpoints for this attachment. Use [DescribeFirewall] to monitor the rejection status. To accept the attachment instead of rejecting it, use [AcceptNetworkFirewallTransitGatewayAttachment]. Once rejected, you cannot reverse this action. To establish connectivity, you must create a new transit gateway-attached firewall. /// - /// - Parameter RejectNetworkFirewallTransitGatewayAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectNetworkFirewallTransitGatewayAttachmentInput`) /// - /// - Returns: `RejectNetworkFirewallTransitGatewayAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectNetworkFirewallTransitGatewayAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3569,7 +3528,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectNetworkFirewallTransitGatewayAttachmentOutput.httpOutput(from:), RejectNetworkFirewallTransitGatewayAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3604,9 +3562,9 @@ extension NetworkFirewallClient { /// /// Generates a traffic analysis report for the timeframe and traffic type you specify. For information on the contents of a traffic analysis report, see [AnalysisReport]. /// - /// - Parameter StartAnalysisReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAnalysisReportInput`) /// - /// - Returns: `StartAnalysisReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAnalysisReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3647,7 +3605,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAnalysisReportOutput.httpOutput(from:), StartAnalysisReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3682,9 +3639,9 @@ extension NetworkFirewallClient { /// /// Begins capturing the flows in a firewall, according to the filters you define. Captures are similar, but not identical to snapshots. Capture operations provide visibility into flows that are not closed and are tracked by a firewall's flow table. Unlike snapshots, captures are a time-boxed view. A flow is network traffic that is monitored by a firewall, either by stateful or stateless rules. For traffic to be considered part of a flow, it must share Destination, DestinationPort, Direction, Protocol, Source, and SourcePort. To avoid encountering operation limits, you should avoid starting captures with broad filters, like wide IP ranges. Instead, we recommend you define more specific criteria with FlowFilters, like narrow IP ranges, ports, or protocols. /// - /// - Parameter StartFlowCaptureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFlowCaptureInput`) /// - /// - Returns: `StartFlowCaptureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFlowCaptureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3725,7 +3682,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFlowCaptureOutput.httpOutput(from:), StartFlowCaptureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3760,9 +3716,9 @@ extension NetworkFirewallClient { /// /// Begins the flushing of traffic from the firewall, according to the filters you define. When the operation starts, impacted flows are temporarily marked as timed out before the Suricata engine prunes, or flushes, the flows from the firewall table. While the flush completes, impacted flows are processed as midstream traffic. This may result in a temporary increase in midstream traffic metrics. We recommend that you double check your stream exception policy before you perform a flush operation. /// - /// - Parameter StartFlowFlushInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFlowFlushInput`) /// - /// - Returns: `StartFlowFlushOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFlowFlushOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3803,7 +3759,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFlowFlushOutput.httpOutput(from:), StartFlowFlushOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3838,9 +3793,9 @@ extension NetworkFirewallClient { /// /// Adds the specified tags to the specified resource. Tags are key:value pairs that you can use to categorize and manage your resources, for purposes like billing. For example, you might set the tag key to "customer" and the value to the customer name or ID. You can specify one or more tags to add to each Amazon Web Services resource, up to 50 tags for a resource. You can tag the Amazon Web Services resources that you manage through Network Firewall: firewalls, firewall policies, and rule groups. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3881,7 +3836,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3916,9 +3870,9 @@ extension NetworkFirewallClient { /// /// Removes the tags with the specified keys from the specified resource. Tags are key:value pairs that you can use to categorize and manage your resources, for purposes like billing. For example, you might set the tag key to "customer" and the value to the customer name or ID. You can specify one or more tags to add to each Amazon Web Services resource, up to 50 tags for a resource. You can manage tags for the Amazon Web Services resources that you manage through Network Firewall: firewalls, firewall policies, and rule groups. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3959,7 +3913,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3994,9 +3947,9 @@ extension NetworkFirewallClient { /// /// Modifies the AvailabilityZoneChangeProtection setting for a transit gateway-attached firewall. When enabled, this setting prevents accidental changes to the firewall's Availability Zone configuration. This helps protect against disrupting traffic flow in production environments. When enabled, you must disable this protection before using [AssociateAvailabilityZones] or [DisassociateAvailabilityZones] to modify the firewall's Availability Zone configuration. /// - /// - Parameter UpdateAvailabilityZoneChangeProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAvailabilityZoneChangeProtectionInput`) /// - /// - Returns: `UpdateAvailabilityZoneChangeProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAvailabilityZoneChangeProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4039,7 +3992,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAvailabilityZoneChangeProtectionOutput.httpOutput(from:), UpdateAvailabilityZoneChangeProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4074,9 +4026,9 @@ extension NetworkFirewallClient { /// /// Enables specific types of firewall analysis on a specific firewall you define. /// - /// - Parameter UpdateFirewallAnalysisSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFirewallAnalysisSettingsInput`) /// - /// - Returns: `UpdateFirewallAnalysisSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFirewallAnalysisSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4117,7 +4069,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFirewallAnalysisSettingsOutput.httpOutput(from:), UpdateFirewallAnalysisSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4152,9 +4103,9 @@ extension NetworkFirewallClient { /// /// Modifies the flag, DeleteProtection, which indicates whether it is possible to delete the firewall. If the flag is set to TRUE, the firewall is protected against deletion. This setting helps protect against accidentally deleting a firewall that's in use. /// - /// - Parameter UpdateFirewallDeleteProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFirewallDeleteProtectionInput`) /// - /// - Returns: `UpdateFirewallDeleteProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFirewallDeleteProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4197,7 +4148,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFirewallDeleteProtectionOutput.httpOutput(from:), UpdateFirewallDeleteProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4232,9 +4182,9 @@ extension NetworkFirewallClient { /// /// Modifies the description for the specified firewall. Use the description to help you identify the firewall when you're working with it. /// - /// - Parameter UpdateFirewallDescriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFirewallDescriptionInput`) /// - /// - Returns: `UpdateFirewallDescriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFirewallDescriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4276,7 +4226,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFirewallDescriptionOutput.httpOutput(from:), UpdateFirewallDescriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4311,9 +4260,9 @@ extension NetworkFirewallClient { /// /// A complex type that contains settings for encryption of your firewall resources. /// - /// - Parameter UpdateFirewallEncryptionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFirewallEncryptionConfigurationInput`) /// - /// - Returns: `UpdateFirewallEncryptionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFirewallEncryptionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4356,7 +4305,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFirewallEncryptionConfigurationOutput.httpOutput(from:), UpdateFirewallEncryptionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4391,9 +4339,9 @@ extension NetworkFirewallClient { /// /// Updates the properties of the specified firewall policy. /// - /// - Parameter UpdateFirewallPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFirewallPolicyInput`) /// - /// - Returns: `UpdateFirewallPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFirewallPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4435,7 +4383,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFirewallPolicyOutput.httpOutput(from:), UpdateFirewallPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4470,9 +4417,9 @@ extension NetworkFirewallClient { /// /// Modifies the flag, ChangeProtection, which indicates whether it is possible to change the firewall. If the flag is set to TRUE, the firewall is protected from changes. This setting helps protect against accidentally changing a firewall that's in use. /// - /// - Parameter UpdateFirewallPolicyChangeProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFirewallPolicyChangeProtectionInput`) /// - /// - Returns: `UpdateFirewallPolicyChangeProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFirewallPolicyChangeProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4515,7 +4462,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFirewallPolicyChangeProtectionOutput.httpOutput(from:), UpdateFirewallPolicyChangeProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4559,9 +4505,9 @@ extension NetworkFirewallClient { /// /// You can't change the LogDestinationType or LogType in a LogDestinationConfig. To change these settings, delete the existing LogDestinationConfig object and create a new one, using two separate calls to this update operation. /// - /// - Parameter UpdateLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLoggingConfigurationInput`) /// - /// - Returns: `UpdateLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4604,7 +4550,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLoggingConfigurationOutput.httpOutput(from:), UpdateLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4639,9 +4584,9 @@ extension NetworkFirewallClient { /// /// Updates the rule settings for the specified rule group. You use a rule group by reference in one or more firewall policies. When you modify a rule group, you modify all firewall policies that use the rule group. To update a rule group, first call [DescribeRuleGroup] to retrieve the current [RuleGroup] object, update the object as needed, and then provide the updated object to this call. /// - /// - Parameter UpdateRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleGroupInput`) /// - /// - Returns: `UpdateRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4683,7 +4628,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleGroupOutput.httpOutput(from:), UpdateRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4718,9 +4662,9 @@ extension NetworkFirewallClient { /// /// /// - /// - Parameter UpdateSubnetChangeProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubnetChangeProtectionInput`) /// - /// - Returns: `UpdateSubnetChangeProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubnetChangeProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4763,7 +4707,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubnetChangeProtectionOutput.httpOutput(from:), UpdateSubnetChangeProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4798,9 +4741,9 @@ extension NetworkFirewallClient { /// /// Updates the TLS inspection configuration settings for the specified TLS inspection configuration. You use a TLS inspection configuration by referencing it in one or more firewall policies. When you modify a TLS inspection configuration, you modify all firewall policies that use the TLS inspection configuration. To update a TLS inspection configuration, first call [DescribeTLSInspectionConfiguration] to retrieve the current [TLSInspectionConfiguration] object, update the object as needed, and then provide the updated object to this call. /// - /// - Parameter UpdateTLSInspectionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTLSInspectionConfigurationInput`) /// - /// - Returns: `UpdateTLSInspectionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTLSInspectionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4842,7 +4785,6 @@ extension NetworkFirewallClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTLSInspectionConfigurationOutput.httpOutput(from:), UpdateTLSInspectionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSNetworkFlowMonitor/Sources/AWSNetworkFlowMonitor/NetworkFlowMonitorClient.swift b/Sources/Services/AWSNetworkFlowMonitor/Sources/AWSNetworkFlowMonitor/NetworkFlowMonitorClient.swift index 4bd77613dcd..c752fad5ec5 100644 --- a/Sources/Services/AWSNetworkFlowMonitor/Sources/AWSNetworkFlowMonitor/NetworkFlowMonitorClient.swift +++ b/Sources/Services/AWSNetworkFlowMonitor/Sources/AWSNetworkFlowMonitor/NetworkFlowMonitorClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class NetworkFlowMonitorClient: ClientRuntime.Client { public static let clientName = "NetworkFlowMonitorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: NetworkFlowMonitorClient.NetworkFlowMonitorClientConfiguration let serviceName = "NetworkFlowMonitor" @@ -375,9 +374,9 @@ extension NetworkFlowMonitorClient { /// /// Create a monitor for specific network flows between local and remote resources, so that you can monitor network performance for one or several of your workloads. For each monitor, Network Flow Monitor publishes detailed end-to-end performance metrics and a network health indicator (NHI) that informs you whether there were Amazon Web Services network issues for one or more of the network flows tracked by a monitor, during a time period that you choose. /// - /// - Parameter CreateMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMonitorInput`) /// - /// - Returns: `CreateMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMonitorOutput.httpOutput(from:), CreateMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -455,9 +453,9 @@ extension NetworkFlowMonitorClient { /// /// * Target identifiers, made up of a targetID (currently always an account ID) and a targetType (currently always an account). /// - /// - Parameter CreateScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScopeInput`) /// - /// - Returns: `CreateScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -497,7 +495,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScopeOutput.httpOutput(from:), CreateScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -529,9 +526,9 @@ extension NetworkFlowMonitorClient { /// /// Deletes a monitor in Network Flow Monitor. /// - /// - Parameter DeleteMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMonitorInput`) /// - /// - Returns: `DeleteMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMonitorOutput.httpOutput(from:), DeleteMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension NetworkFlowMonitorClient { /// /// Deletes a scope that has been defined. /// - /// - Parameter DeleteScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScopeInput`) /// - /// - Returns: `DeleteScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScopeOutput.httpOutput(from:), DeleteScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension NetworkFlowMonitorClient { /// /// Gets information about a monitor in Network Flow Monitor based on a monitor name. The information returned includes the Amazon Resource Name (ARN), create time, modified time, resources included in the monitor, and status information. /// - /// - Parameter GetMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMonitorInput`) /// - /// - Returns: `GetMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -707,7 +702,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMonitorOutput.httpOutput(from:), GetMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,9 +733,9 @@ extension NetworkFlowMonitorClient { /// /// Return the data for a query with the Network Flow Monitor query interface. You specify the query that you want to return results for by providing a query ID and a monitor name. This query returns the top contributors for a specific monitor. Create a query ID for this call by calling the corresponding API call to start the query, StartQueryMonitorTopContributors. Use the scope ID that was returned for your account by CreateScope. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable call for the top contributors that you want to be returned. /// - /// - Parameter GetQueryResultsMonitorTopContributorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryResultsMonitorTopContributorsInput`) /// - /// - Returns: `GetQueryResultsMonitorTopContributorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryResultsMonitorTopContributorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +772,6 @@ extension NetworkFlowMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetQueryResultsMonitorTopContributorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryResultsMonitorTopContributorsOutput.httpOutput(from:), GetQueryResultsMonitorTopContributorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -810,9 +803,9 @@ extension NetworkFlowMonitorClient { /// /// Return the data for a query with the Network Flow Monitor query interface. You specify the query that you want to return results for by providing a query ID and a monitor name. This query returns the top contributors for a scope for workload insights. Workload insights provide a high level view of network flow performance data collected by agents. To return the data for the top contributors, see GetQueryResultsWorkloadInsightsTopContributorsData. Create a query ID for this call by calling the corresponding API call to start the query, StartQueryWorkloadInsightsTopContributors. Use the scope ID that was returned for your account by CreateScope. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable call for the top contributors that you want to be returned. /// - /// - Parameter GetQueryResultsWorkloadInsightsTopContributorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryResultsWorkloadInsightsTopContributorsInput`) /// - /// - Returns: `GetQueryResultsWorkloadInsightsTopContributorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryResultsWorkloadInsightsTopContributorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -849,7 +842,6 @@ extension NetworkFlowMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetQueryResultsWorkloadInsightsTopContributorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryResultsWorkloadInsightsTopContributorsOutput.httpOutput(from:), GetQueryResultsWorkloadInsightsTopContributorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -881,9 +873,9 @@ extension NetworkFlowMonitorClient { /// /// Return the data for a query with the Network Flow Monitor query interface. Specify the query that you want to return results for by providing a query ID and a scope ID. This query returns the data for top contributors for workload insights for a specific scope. Workload insights provide a high level view of network flow performance data collected by agents for a scope. To return just the top contributors, see GetQueryResultsWorkloadInsightsTopContributors. Create a query ID for this call by calling the corresponding API call to start the query, StartQueryWorkloadInsightsTopContributorsData. Use the scope ID that was returned for your account by CreateScope. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable call for the top contributors that you want to be returned. The top contributor network flows overall are for a specific metric type, for example, the number of retransmissions. /// - /// - Parameter GetQueryResultsWorkloadInsightsTopContributorsDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryResultsWorkloadInsightsTopContributorsDataInput`) /// - /// - Returns: `GetQueryResultsWorkloadInsightsTopContributorsDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryResultsWorkloadInsightsTopContributorsDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -920,7 +912,6 @@ extension NetworkFlowMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetQueryResultsWorkloadInsightsTopContributorsDataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryResultsWorkloadInsightsTopContributorsDataOutput.httpOutput(from:), GetQueryResultsWorkloadInsightsTopContributorsDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -952,9 +943,9 @@ extension NetworkFlowMonitorClient { /// /// Returns the current status of a query for the Network Flow Monitor query interface, for a specified query ID and monitor. This call returns the query status for the top contributors for a monitor. When you create a query, use this call to check the status of the query to make sure that it has has SUCCEEDED before you review the results. Use the same query ID that you used for the corresponding API call to start (create) the query, StartQueryMonitorTopContributors. When you run a query, use this call to check the status of the query to make sure that the query has SUCCEEDED before you review the results. /// - /// - Parameter GetQueryStatusMonitorTopContributorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryStatusMonitorTopContributorsInput`) /// - /// - Returns: `GetQueryStatusMonitorTopContributorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryStatusMonitorTopContributorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -989,7 +980,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryStatusMonitorTopContributorsOutput.httpOutput(from:), GetQueryStatusMonitorTopContributorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1021,9 +1011,9 @@ extension NetworkFlowMonitorClient { /// /// Return the data for a query with the Network Flow Monitor query interface. Specify the query that you want to return results for by providing a query ID and a monitor name. This query returns the top contributors for workload insights. When you start a query, use this call to check the status of the query to make sure that it has has SUCCEEDED before you review the results. Use the same query ID that you used for the corresponding API call to start the query, StartQueryWorkloadInsightsTopContributors. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable call for the top contributors that you want to be returned. /// - /// - Parameter GetQueryStatusWorkloadInsightsTopContributorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryStatusWorkloadInsightsTopContributorsInput`) /// - /// - Returns: `GetQueryStatusWorkloadInsightsTopContributorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryStatusWorkloadInsightsTopContributorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1058,7 +1048,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryStatusWorkloadInsightsTopContributorsOutput.httpOutput(from:), GetQueryStatusWorkloadInsightsTopContributorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1090,9 +1079,9 @@ extension NetworkFlowMonitorClient { /// /// Returns the current status of a query for the Network Flow Monitor query interface, for a specified query ID and monitor. This call returns the query status for the top contributors data for workload insights. When you start a query, use this call to check the status of the query to make sure that it has has SUCCEEDED before you review the results. Use the same query ID that you used for the corresponding API call to start the query, StartQueryWorkloadInsightsTopContributorsData. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable call for the top contributors that you want to be returned. The top contributor network flows overall are for a specific metric type, for example, the number of retransmissions. /// - /// - Parameter GetQueryStatusWorkloadInsightsTopContributorsDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryStatusWorkloadInsightsTopContributorsDataInput`) /// - /// - Returns: `GetQueryStatusWorkloadInsightsTopContributorsDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryStatusWorkloadInsightsTopContributorsDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1127,7 +1116,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryStatusWorkloadInsightsTopContributorsDataOutput.httpOutput(from:), GetQueryStatusWorkloadInsightsTopContributorsDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1159,9 +1147,9 @@ extension NetworkFlowMonitorClient { /// /// Gets information about a scope, including the name, status, tags, and target details. The scope in Network Flow Monitor is an account. /// - /// - Parameter GetScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetScopeInput`) /// - /// - Returns: `GetScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1197,7 +1185,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetScopeOutput.httpOutput(from:), GetScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1229,9 +1216,9 @@ extension NetworkFlowMonitorClient { /// /// List all monitors in an account. Optionally, you can list only monitors that have a specific status, by using the STATUS parameter. /// - /// - Parameter ListMonitorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitorsInput`) /// - /// - Returns: `ListMonitorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1266,7 +1253,6 @@ extension NetworkFlowMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMonitorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitorsOutput.httpOutput(from:), ListMonitorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1298,9 +1284,9 @@ extension NetworkFlowMonitorClient { /// /// List all the scopes for an account. /// - /// - Parameter ListScopesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListScopesInput`) /// - /// - Returns: `ListScopesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListScopesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1336,7 +1322,6 @@ extension NetworkFlowMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListScopesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScopesOutput.httpOutput(from:), ListScopesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1368,9 +1353,9 @@ extension NetworkFlowMonitorClient { /// /// Returns all the tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1406,7 +1391,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1438,9 +1422,9 @@ extension NetworkFlowMonitorClient { /// /// Create a query that you can use with the Network Flow Monitor query interface to return the top contributors for a monitor. Specify the monitor that you want to create the query for. The call returns a query ID that you can use with [ GetQueryResultsMonitorTopContributors](https://docs.aws.amazon.com/networkflowmonitor/2.0/APIReference/API_GetQueryResultsMonitorTopContributors.html) to run the query and return the top contributors for a specific monitor. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable APIs for the top contributors that you want to be returned. /// - /// - Parameter StartQueryMonitorTopContributorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartQueryMonitorTopContributorsInput`) /// - /// - Returns: `StartQueryMonitorTopContributorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartQueryMonitorTopContributorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1478,7 +1462,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartQueryMonitorTopContributorsOutput.httpOutput(from:), StartQueryMonitorTopContributorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1510,9 +1493,9 @@ extension NetworkFlowMonitorClient { /// /// Create a query with the Network Flow Monitor query interface that you can run to return workload insights top contributors. Specify the scope that you want to create a query for. The call returns a query ID that you can use with [ GetQueryResultsWorkloadInsightsTopContributors](https://docs.aws.amazon.com/networkflowmonitor/2.0/APIReference/API_GetQueryResultsWorkloadInsightsTopContributors.html) to run the query and return the top contributors for the workload insights for a scope. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable APIs for the top contributors that you want to be returned. /// - /// - Parameter StartQueryWorkloadInsightsTopContributorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartQueryWorkloadInsightsTopContributorsInput`) /// - /// - Returns: `StartQueryWorkloadInsightsTopContributorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartQueryWorkloadInsightsTopContributorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1550,7 +1533,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartQueryWorkloadInsightsTopContributorsOutput.httpOutput(from:), StartQueryWorkloadInsightsTopContributorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1582,9 +1564,9 @@ extension NetworkFlowMonitorClient { /// /// Create a query with the Network Flow Monitor query interface that you can run to return data for workload insights top contributors. Specify the scope that you want to create a query for. The call returns a query ID that you can use with [ GetQueryResultsWorkloadInsightsTopContributorsData](https://docs.aws.amazon.com/networkflowmonitor/2.0/APIReference/API_GetQueryResultsWorkloadInsightsTopContributorsData.html) to run the query and return the data for the top contributors for the workload insights for a scope. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable call for the top contributors that you want to be returned. /// - /// - Parameter StartQueryWorkloadInsightsTopContributorsDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartQueryWorkloadInsightsTopContributorsDataInput`) /// - /// - Returns: `StartQueryWorkloadInsightsTopContributorsDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartQueryWorkloadInsightsTopContributorsDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1622,7 +1604,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartQueryWorkloadInsightsTopContributorsDataOutput.httpOutput(from:), StartQueryWorkloadInsightsTopContributorsDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1654,9 +1635,9 @@ extension NetworkFlowMonitorClient { /// /// Stop a top contributors query for a monitor. Specify the query that you want to stop by providing a query ID and a monitor name. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable call for the top contributors that you want to be returned. /// - /// - Parameter StopQueryMonitorTopContributorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopQueryMonitorTopContributorsInput`) /// - /// - Returns: `StopQueryMonitorTopContributorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopQueryMonitorTopContributorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1691,7 +1672,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopQueryMonitorTopContributorsOutput.httpOutput(from:), StopQueryMonitorTopContributorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1723,9 +1703,9 @@ extension NetworkFlowMonitorClient { /// /// Stop a top contributors query for workload insights. Specify the query that you want to stop by providing a query ID and a scope ID. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable call for the top contributors that you want to be returned. /// - /// - Parameter StopQueryWorkloadInsightsTopContributorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopQueryWorkloadInsightsTopContributorsInput`) /// - /// - Returns: `StopQueryWorkloadInsightsTopContributorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopQueryWorkloadInsightsTopContributorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1760,7 +1740,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopQueryWorkloadInsightsTopContributorsOutput.httpOutput(from:), StopQueryWorkloadInsightsTopContributorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1792,9 +1771,9 @@ extension NetworkFlowMonitorClient { /// /// Stop a top contributors data query for workload insights. Specify the query that you want to stop by providing a query ID and a scope ID. Top contributors in Network Flow Monitor are network flows with the highest values for a specific metric type. Top contributors can be across all workload insights, for a given scope, or for a specific monitor. Use the applicable call for the top contributors that you want to be returned. /// - /// - Parameter StopQueryWorkloadInsightsTopContributorsDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopQueryWorkloadInsightsTopContributorsDataInput`) /// - /// - Returns: `StopQueryWorkloadInsightsTopContributorsDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopQueryWorkloadInsightsTopContributorsDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1829,7 +1808,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopQueryWorkloadInsightsTopContributorsDataOutput.httpOutput(from:), StopQueryWorkloadInsightsTopContributorsDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1861,9 +1839,9 @@ extension NetworkFlowMonitorClient { /// /// Adds a tag to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1902,7 +1880,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1934,9 +1911,9 @@ extension NetworkFlowMonitorClient { /// /// Removes a tag from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1973,7 +1950,6 @@ extension NetworkFlowMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2005,9 +1981,9 @@ extension NetworkFlowMonitorClient { /// /// Update a monitor to add or remove local or remote resources. /// - /// - Parameter UpdateMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMonitorInput`) /// - /// - Returns: `UpdateMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2046,7 +2022,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMonitorOutput.httpOutput(from:), UpdateMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2078,9 +2053,9 @@ extension NetworkFlowMonitorClient { /// /// Update a scope to add or remove resources that you want to be available for Network Flow Monitor to generate metrics for, when you have active agents on those resources sending metrics reports to the Network Flow Monitor backend. /// - /// - Parameter UpdateScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScopeInput`) /// - /// - Returns: `UpdateScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2120,7 +2095,6 @@ extension NetworkFlowMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScopeOutput.httpOutput(from:), UpdateScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSNetworkManager/Sources/AWSNetworkManager/NetworkManagerClient.swift b/Sources/Services/AWSNetworkManager/Sources/AWSNetworkManager/NetworkManagerClient.swift index 5c235606caa..acf15c70dd8 100644 --- a/Sources/Services/AWSNetworkManager/Sources/AWSNetworkManager/NetworkManagerClient.swift +++ b/Sources/Services/AWSNetworkManager/Sources/AWSNetworkManager/NetworkManagerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class NetworkManagerClient: ClientRuntime.Client { public static let clientName = "NetworkManagerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: NetworkManagerClient.NetworkManagerClientConfiguration let serviceName = "NetworkManager" @@ -375,9 +374,9 @@ extension NetworkManagerClient { /// /// Accepts a core network attachment request. Once the attachment request is accepted by a core network owner, the attachment is created and connected to a core network. /// - /// - Parameter AcceptAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptAttachmentInput`) /// - /// - Returns: `AcceptAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptAttachmentOutput.httpOutput(from:), AcceptAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension NetworkManagerClient { /// /// Associates a core network Connect peer with a device and optionally, with a link. If you specify a link, it must be associated with the specified device. You can only associate core network Connect peers that have been created on a core network Connect attachment on a core network. /// - /// - Parameter AssociateConnectPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateConnectPeerInput`) /// - /// - Returns: `AssociateConnectPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateConnectPeerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateConnectPeerOutput.httpOutput(from:), AssociateConnectPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension NetworkManagerClient { /// /// Associates a customer gateway with a device and optionally, with a link. If you specify a link, it must be associated with the specified device. You can only associate customer gateways that are connected to a VPN attachment on a transit gateway or core network registered in your global network. When you register a transit gateway or core network, customer gateways that are connected to the transit gateway are automatically included in the global network. To list customer gateways that are connected to a transit gateway, use the [DescribeVpnConnections](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeVpnConnections.html) EC2 API and filter by transit-gateway-id. You cannot associate a customer gateway with more than one device and link. /// - /// - Parameter AssociateCustomerGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateCustomerGatewayInput`) /// - /// - Returns: `AssociateCustomerGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateCustomerGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateCustomerGatewayOutput.httpOutput(from:), AssociateCustomerGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension NetworkManagerClient { /// /// Associates a link to a device. A device can be associated to multiple links and a link can be associated to multiple devices. The device and link must be in the same global network and the same site. /// - /// - Parameter AssociateLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateLinkInput`) /// - /// - Returns: `AssociateLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateLinkOutput.httpOutput(from:), AssociateLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension NetworkManagerClient { /// /// Associates a transit gateway Connect peer with a device, and optionally, with a link. If you specify a link, it must be associated with the specified device. You can only associate transit gateway Connect peers that have been created on a transit gateway that's registered in your global network. You cannot associate a transit gateway Connect peer with more than one device and link. /// - /// - Parameter AssociateTransitGatewayConnectPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTransitGatewayConnectPeerInput`) /// - /// - Returns: `AssociateTransitGatewayConnectPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTransitGatewayConnectPeerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTransitGatewayConnectPeerOutput.httpOutput(from:), AssociateTransitGatewayConnectPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension NetworkManagerClient { /// /// Creates a core network Connect attachment from a specified core network attachment. A core network Connect attachment is a GRE-based tunnel attachment that you can use to establish a connection between a core network and an appliance. A core network Connect attachment uses an existing VPC attachment as the underlying transport mechanism. /// - /// - Parameter CreateConnectAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectAttachmentInput`) /// - /// - Returns: `CreateConnectAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -783,7 +777,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectAttachmentOutput.httpOutput(from:), CreateConnectAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -815,9 +808,9 @@ extension NetworkManagerClient { /// /// Creates a core network Connect peer for a specified core network connect attachment between a core network and an appliance. The peer address and transit gateway address must be the same IP address family (IPv4 or IPv6). /// - /// - Parameter CreateConnectPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectPeerInput`) /// - /// - Returns: `CreateConnectPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectPeerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -857,7 +850,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectPeerOutput.httpOutput(from:), CreateConnectPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -889,9 +881,9 @@ extension NetworkManagerClient { /// /// Creates a connection between two devices. The devices can be a physical or virtual appliance that connects to a third-party appliance in a VPC, or a physical appliance that connects to another physical appliance in an on-premises network. /// - /// - Parameter CreateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionInput`) /// - /// - Returns: `CreateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -930,7 +922,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionOutput.httpOutput(from:), CreateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -962,9 +953,9 @@ extension NetworkManagerClient { /// /// Creates a core network as part of your global network, and optionally, with a core network policy. /// - /// - Parameter CreateCoreNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCoreNetworkInput`) /// - /// - Returns: `CreateCoreNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCoreNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1005,7 +996,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCoreNetworkOutput.httpOutput(from:), CreateCoreNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1037,9 +1027,9 @@ extension NetworkManagerClient { /// /// Creates a new device in a global network. If you specify both a site ID and a location, the location of the site is used for visualization in the Network Manager console. /// - /// - Parameter CreateDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeviceInput`) /// - /// - Returns: `CreateDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1079,7 +1069,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeviceOutput.httpOutput(from:), CreateDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1111,9 +1100,9 @@ extension NetworkManagerClient { /// /// Creates an Amazon Web Services Direct Connect gateway attachment /// - /// - Parameter CreateDirectConnectGatewayAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDirectConnectGatewayAttachmentInput`) /// - /// - Returns: `CreateDirectConnectGatewayAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDirectConnectGatewayAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1153,7 +1142,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDirectConnectGatewayAttachmentOutput.httpOutput(from:), CreateDirectConnectGatewayAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1185,9 +1173,9 @@ extension NetworkManagerClient { /// /// Creates a new, empty global network. /// - /// - Parameter CreateGlobalNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGlobalNetworkInput`) /// - /// - Returns: `CreateGlobalNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGlobalNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1226,7 +1214,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGlobalNetworkOutput.httpOutput(from:), CreateGlobalNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1258,9 +1245,9 @@ extension NetworkManagerClient { /// /// Creates a new link for a specified site. /// - /// - Parameter CreateLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLinkInput`) /// - /// - Returns: `CreateLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1300,7 +1287,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLinkOutput.httpOutput(from:), CreateLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1332,9 +1318,9 @@ extension NetworkManagerClient { /// /// Creates a new site in a global network. /// - /// - Parameter CreateSiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSiteInput`) /// - /// - Returns: `CreateSiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1374,7 +1360,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSiteOutput.httpOutput(from:), CreateSiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1406,9 +1391,9 @@ extension NetworkManagerClient { /// /// Creates an Amazon Web Services site-to-site VPN attachment on an edge location of a core network. /// - /// - Parameter CreateSiteToSiteVpnAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSiteToSiteVpnAttachmentInput`) /// - /// - Returns: `CreateSiteToSiteVpnAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSiteToSiteVpnAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1448,7 +1433,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSiteToSiteVpnAttachmentOutput.httpOutput(from:), CreateSiteToSiteVpnAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1480,9 +1464,9 @@ extension NetworkManagerClient { /// /// Creates a transit gateway peering connection. /// - /// - Parameter CreateTransitGatewayPeeringInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayPeeringInput`) /// - /// - Returns: `CreateTransitGatewayPeeringOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayPeeringOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1522,7 +1506,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayPeeringOutput.httpOutput(from:), CreateTransitGatewayPeeringOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1554,9 +1537,9 @@ extension NetworkManagerClient { /// /// Creates a transit gateway route table attachment. /// - /// - Parameter CreateTransitGatewayRouteTableAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransitGatewayRouteTableAttachmentInput`) /// - /// - Returns: `CreateTransitGatewayRouteTableAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransitGatewayRouteTableAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1596,7 +1579,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransitGatewayRouteTableAttachmentOutput.httpOutput(from:), CreateTransitGatewayRouteTableAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1628,9 +1610,9 @@ extension NetworkManagerClient { /// /// Creates a VPC attachment on an edge location of a core network. /// - /// - Parameter CreateVpcAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcAttachmentInput`) /// - /// - Returns: `CreateVpcAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1670,7 +1652,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcAttachmentOutput.httpOutput(from:), CreateVpcAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1702,9 +1683,9 @@ extension NetworkManagerClient { /// /// Deletes an attachment. Supports all attachment types. /// - /// - Parameter DeleteAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAttachmentInput`) /// - /// - Returns: `DeleteAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1740,7 +1721,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAttachmentOutput.httpOutput(from:), DeleteAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1772,9 +1752,9 @@ extension NetworkManagerClient { /// /// Deletes a Connect peer. /// - /// - Parameter DeleteConnectPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectPeerInput`) /// - /// - Returns: `DeleteConnectPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectPeerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1810,7 +1790,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectPeerOutput.httpOutput(from:), DeleteConnectPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1842,9 +1821,9 @@ extension NetworkManagerClient { /// /// Deletes the specified connection in your global network. /// - /// - Parameter DeleteConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionInput`) /// - /// - Returns: `DeleteConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1880,7 +1859,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionOutput.httpOutput(from:), DeleteConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1912,9 +1890,9 @@ extension NetworkManagerClient { /// /// Deletes a core network along with all core network policies. This can only be done if there are no attachments on a core network. /// - /// - Parameter DeleteCoreNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCoreNetworkInput`) /// - /// - Returns: `DeleteCoreNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCoreNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1950,7 +1928,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCoreNetworkOutput.httpOutput(from:), DeleteCoreNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1982,9 +1959,9 @@ extension NetworkManagerClient { /// /// Deletes a policy version from a core network. You can't delete the current LIVE policy. /// - /// - Parameter DeleteCoreNetworkPolicyVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCoreNetworkPolicyVersionInput`) /// - /// - Returns: `DeleteCoreNetworkPolicyVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCoreNetworkPolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2020,7 +1997,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCoreNetworkPolicyVersionOutput.httpOutput(from:), DeleteCoreNetworkPolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2052,9 +2028,9 @@ extension NetworkManagerClient { /// /// Deletes an existing device. You must first disassociate the device from any links and customer gateways. /// - /// - Parameter DeleteDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeviceInput`) /// - /// - Returns: `DeleteDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2090,7 +2066,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeviceOutput.httpOutput(from:), DeleteDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2122,9 +2097,9 @@ extension NetworkManagerClient { /// /// Deletes an existing global network. You must first delete all global network objects (devices, links, and sites), deregister all transit gateways, and delete any core networks. /// - /// - Parameter DeleteGlobalNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGlobalNetworkInput`) /// - /// - Returns: `DeleteGlobalNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGlobalNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2160,7 +2135,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGlobalNetworkOutput.httpOutput(from:), DeleteGlobalNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2192,9 +2166,9 @@ extension NetworkManagerClient { /// /// Deletes an existing link. You must first disassociate the link from any devices and customer gateways. /// - /// - Parameter DeleteLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLinkInput`) /// - /// - Returns: `DeleteLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2230,7 +2204,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLinkOutput.httpOutput(from:), DeleteLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2262,9 +2235,9 @@ extension NetworkManagerClient { /// /// Deletes an existing peering connection. /// - /// - Parameter DeletePeeringInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePeeringInput`) /// - /// - Returns: `DeletePeeringOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePeeringOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2300,7 +2273,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePeeringOutput.httpOutput(from:), DeletePeeringOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2332,9 +2304,9 @@ extension NetworkManagerClient { /// /// Deletes a resource policy for the specified resource. This revokes the access of the principals specified in the resource policy. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2369,7 +2341,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2401,9 +2372,9 @@ extension NetworkManagerClient { /// /// Deletes an existing site. The site cannot be associated with any device or link. /// - /// - Parameter DeleteSiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSiteInput`) /// - /// - Returns: `DeleteSiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2439,7 +2410,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSiteOutput.httpOutput(from:), DeleteSiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2471,9 +2441,9 @@ extension NetworkManagerClient { /// /// Deregisters a transit gateway from your global network. This action does not delete your transit gateway, or modify any of its attachments. This action removes any customer gateway associations. /// - /// - Parameter DeregisterTransitGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterTransitGatewayInput`) /// - /// - Returns: `DeregisterTransitGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterTransitGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2509,7 +2479,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterTransitGatewayOutput.httpOutput(from:), DeregisterTransitGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2541,9 +2510,9 @@ extension NetworkManagerClient { /// /// Describes one or more global networks. By default, all global networks are described. To describe the objects in your global network, you must use the appropriate Get* action. For example, to list the transit gateways in your global network, use [GetTransitGatewayRegistrations]. /// - /// - Parameter DescribeGlobalNetworksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGlobalNetworksInput`) /// - /// - Returns: `DescribeGlobalNetworksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGlobalNetworksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2579,7 +2548,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeGlobalNetworksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGlobalNetworksOutput.httpOutput(from:), DescribeGlobalNetworksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2611,9 +2579,9 @@ extension NetworkManagerClient { /// /// Disassociates a core network Connect peer from a device and a link. /// - /// - Parameter DisassociateConnectPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateConnectPeerInput`) /// - /// - Returns: `DisassociateConnectPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateConnectPeerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2649,7 +2617,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateConnectPeerOutput.httpOutput(from:), DisassociateConnectPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2681,9 +2648,9 @@ extension NetworkManagerClient { /// /// Disassociates a customer gateway from a device and a link. /// - /// - Parameter DisassociateCustomerGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateCustomerGatewayInput`) /// - /// - Returns: `DisassociateCustomerGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateCustomerGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2719,7 +2686,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateCustomerGatewayOutput.httpOutput(from:), DisassociateCustomerGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2751,9 +2717,9 @@ extension NetworkManagerClient { /// /// Disassociates an existing device from a link. You must first disassociate any customer gateways that are associated with the link. /// - /// - Parameter DisassociateLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateLinkInput`) /// - /// - Returns: `DisassociateLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2790,7 +2756,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateLinkInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateLinkOutput.httpOutput(from:), DisassociateLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2822,9 +2787,9 @@ extension NetworkManagerClient { /// /// Disassociates a transit gateway Connect peer from a device and link. /// - /// - Parameter DisassociateTransitGatewayConnectPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTransitGatewayConnectPeerInput`) /// - /// - Returns: `DisassociateTransitGatewayConnectPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTransitGatewayConnectPeerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2860,7 +2825,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTransitGatewayConnectPeerOutput.httpOutput(from:), DisassociateTransitGatewayConnectPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2892,9 +2856,9 @@ extension NetworkManagerClient { /// /// Executes a change set on your core network. Deploys changes globally based on the policy submitted.. /// - /// - Parameter ExecuteCoreNetworkChangeSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteCoreNetworkChangeSetInput`) /// - /// - Returns: `ExecuteCoreNetworkChangeSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteCoreNetworkChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2930,7 +2894,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteCoreNetworkChangeSetOutput.httpOutput(from:), ExecuteCoreNetworkChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2962,9 +2925,9 @@ extension NetworkManagerClient { /// /// Returns information about a core network Connect attachment. /// - /// - Parameter GetConnectAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectAttachmentInput`) /// - /// - Returns: `GetConnectAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2999,7 +2962,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectAttachmentOutput.httpOutput(from:), GetConnectAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3031,9 +2993,9 @@ extension NetworkManagerClient { /// /// Returns information about a core network Connect peer. /// - /// - Parameter GetConnectPeerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectPeerInput`) /// - /// - Returns: `GetConnectPeerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectPeerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3068,7 +3030,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectPeerOutput.httpOutput(from:), GetConnectPeerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3100,9 +3061,9 @@ extension NetworkManagerClient { /// /// Returns information about a core network Connect peer associations. /// - /// - Parameter GetConnectPeerAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectPeerAssociationsInput`) /// - /// - Returns: `GetConnectPeerAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectPeerAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3139,7 +3100,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetConnectPeerAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectPeerAssociationsOutput.httpOutput(from:), GetConnectPeerAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3171,9 +3131,9 @@ extension NetworkManagerClient { /// /// Gets information about one or more of your connections in a global network. /// - /// - Parameter GetConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionsInput`) /// - /// - Returns: `GetConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3209,7 +3169,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetConnectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionsOutput.httpOutput(from:), GetConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3241,9 +3200,9 @@ extension NetworkManagerClient { /// /// Returns information about the LIVE policy for a core network. /// - /// - Parameter GetCoreNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCoreNetworkInput`) /// - /// - Returns: `GetCoreNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCoreNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3278,7 +3237,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCoreNetworkOutput.httpOutput(from:), GetCoreNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3310,9 +3268,9 @@ extension NetworkManagerClient { /// /// Returns information about a core network change event. /// - /// - Parameter GetCoreNetworkChangeEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCoreNetworkChangeEventsInput`) /// - /// - Returns: `GetCoreNetworkChangeEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCoreNetworkChangeEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3348,7 +3306,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCoreNetworkChangeEventsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCoreNetworkChangeEventsOutput.httpOutput(from:), GetCoreNetworkChangeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3380,9 +3337,9 @@ extension NetworkManagerClient { /// /// Returns a change set between the LIVE core network policy and a submitted policy. /// - /// - Parameter GetCoreNetworkChangeSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCoreNetworkChangeSetInput`) /// - /// - Returns: `GetCoreNetworkChangeSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCoreNetworkChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3418,7 +3375,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCoreNetworkChangeSetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCoreNetworkChangeSetOutput.httpOutput(from:), GetCoreNetworkChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3450,9 +3406,9 @@ extension NetworkManagerClient { /// /// Returns details about a core network policy. You can get details about your current live policy or any previous policy version. /// - /// - Parameter GetCoreNetworkPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCoreNetworkPolicyInput`) /// - /// - Returns: `GetCoreNetworkPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCoreNetworkPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3488,7 +3444,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCoreNetworkPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCoreNetworkPolicyOutput.httpOutput(from:), GetCoreNetworkPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3520,9 +3475,9 @@ extension NetworkManagerClient { /// /// Gets the association information for customer gateways that are associated with devices and links in your global network. /// - /// - Parameter GetCustomerGatewayAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCustomerGatewayAssociationsInput`) /// - /// - Returns: `GetCustomerGatewayAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCustomerGatewayAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3559,7 +3514,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCustomerGatewayAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomerGatewayAssociationsOutput.httpOutput(from:), GetCustomerGatewayAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3591,9 +3545,9 @@ extension NetworkManagerClient { /// /// Gets information about one or more of your devices in a global network. /// - /// - Parameter GetDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDevicesInput`) /// - /// - Returns: `GetDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3629,7 +3583,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDevicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDevicesOutput.httpOutput(from:), GetDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3661,9 +3614,9 @@ extension NetworkManagerClient { /// /// Returns information about a specific Amazon Web Services Direct Connect gateway attachment. /// - /// - Parameter GetDirectConnectGatewayAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDirectConnectGatewayAttachmentInput`) /// - /// - Returns: `GetDirectConnectGatewayAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDirectConnectGatewayAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3698,7 +3651,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDirectConnectGatewayAttachmentOutput.httpOutput(from:), GetDirectConnectGatewayAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3730,9 +3682,9 @@ extension NetworkManagerClient { /// /// Gets the link associations for a device or a link. Either the device ID or the link ID must be specified. /// - /// - Parameter GetLinkAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLinkAssociationsInput`) /// - /// - Returns: `GetLinkAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLinkAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3768,7 +3720,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLinkAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLinkAssociationsOutput.httpOutput(from:), GetLinkAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3800,9 +3751,9 @@ extension NetworkManagerClient { /// /// Gets information about one or more links in a specified global network. If you specify the site ID, you cannot specify the type or provider in the same request. You can specify the type and provider in the same request. /// - /// - Parameter GetLinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLinksInput`) /// - /// - Returns: `GetLinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3838,7 +3789,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLinksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLinksOutput.httpOutput(from:), GetLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3870,9 +3820,9 @@ extension NetworkManagerClient { /// /// Gets the count of network resources, by resource type, for the specified global network. /// - /// - Parameter GetNetworkResourceCountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkResourceCountsInput`) /// - /// - Returns: `GetNetworkResourceCountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkResourceCountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3907,7 +3857,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetNetworkResourceCountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkResourceCountsOutput.httpOutput(from:), GetNetworkResourceCountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3939,9 +3888,9 @@ extension NetworkManagerClient { /// /// Gets the network resource relationships for the specified global network. /// - /// - Parameter GetNetworkResourceRelationshipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkResourceRelationshipsInput`) /// - /// - Returns: `GetNetworkResourceRelationshipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkResourceRelationshipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3977,7 +3926,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetNetworkResourceRelationshipsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkResourceRelationshipsOutput.httpOutput(from:), GetNetworkResourceRelationshipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4009,9 +3957,9 @@ extension NetworkManagerClient { /// /// Describes the network resources for the specified global network. The results include information from the corresponding Describe call for the resource, minus any sensitive information such as pre-shared keys. /// - /// - Parameter GetNetworkResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkResourcesInput`) /// - /// - Returns: `GetNetworkResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4047,7 +3995,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetNetworkResourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkResourcesOutput.httpOutput(from:), GetNetworkResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4079,9 +4026,9 @@ extension NetworkManagerClient { /// /// Gets the network routes of the specified global network. /// - /// - Parameter GetNetworkRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkRoutesInput`) /// - /// - Returns: `GetNetworkRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkRoutesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4119,7 +4066,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkRoutesOutput.httpOutput(from:), GetNetworkRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4151,9 +4097,9 @@ extension NetworkManagerClient { /// /// Gets the network telemetry of the specified global network. /// - /// - Parameter GetNetworkTelemetryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkTelemetryInput`) /// - /// - Returns: `GetNetworkTelemetryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkTelemetryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4189,7 +4135,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetNetworkTelemetryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkTelemetryOutput.httpOutput(from:), GetNetworkTelemetryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4221,9 +4166,9 @@ extension NetworkManagerClient { /// /// Returns information about a resource policy. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4257,7 +4202,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4289,9 +4233,9 @@ extension NetworkManagerClient { /// /// Gets information about the specified route analysis. /// - /// - Parameter GetRouteAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRouteAnalysisInput`) /// - /// - Returns: `GetRouteAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRouteAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4326,7 +4270,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRouteAnalysisOutput.httpOutput(from:), GetRouteAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4358,9 +4301,9 @@ extension NetworkManagerClient { /// /// Returns information about a site-to-site VPN attachment. /// - /// - Parameter GetSiteToSiteVpnAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSiteToSiteVpnAttachmentInput`) /// - /// - Returns: `GetSiteToSiteVpnAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSiteToSiteVpnAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4395,7 +4338,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSiteToSiteVpnAttachmentOutput.httpOutput(from:), GetSiteToSiteVpnAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4427,9 +4369,9 @@ extension NetworkManagerClient { /// /// Gets information about one or more of your sites in a global network. /// - /// - Parameter GetSitesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSitesInput`) /// - /// - Returns: `GetSitesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSitesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4465,7 +4407,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSitesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSitesOutput.httpOutput(from:), GetSitesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4497,9 +4438,9 @@ extension NetworkManagerClient { /// /// Gets information about one or more of your transit gateway Connect peer associations in a global network. /// - /// - Parameter GetTransitGatewayConnectPeerAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayConnectPeerAssociationsInput`) /// - /// - Returns: `GetTransitGatewayConnectPeerAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayConnectPeerAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4536,7 +4477,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTransitGatewayConnectPeerAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayConnectPeerAssociationsOutput.httpOutput(from:), GetTransitGatewayConnectPeerAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4568,9 +4508,9 @@ extension NetworkManagerClient { /// /// Returns information about a transit gateway peer. /// - /// - Parameter GetTransitGatewayPeeringInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayPeeringInput`) /// - /// - Returns: `GetTransitGatewayPeeringOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayPeeringOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4605,7 +4545,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayPeeringOutput.httpOutput(from:), GetTransitGatewayPeeringOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4637,9 +4576,9 @@ extension NetworkManagerClient { /// /// Gets information about the transit gateway registrations in a specified global network. /// - /// - Parameter GetTransitGatewayRegistrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayRegistrationsInput`) /// - /// - Returns: `GetTransitGatewayRegistrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayRegistrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4675,7 +4614,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTransitGatewayRegistrationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayRegistrationsOutput.httpOutput(from:), GetTransitGatewayRegistrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4707,9 +4645,9 @@ extension NetworkManagerClient { /// /// Returns information about a transit gateway route table attachment. /// - /// - Parameter GetTransitGatewayRouteTableAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTransitGatewayRouteTableAttachmentInput`) /// - /// - Returns: `GetTransitGatewayRouteTableAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTransitGatewayRouteTableAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4744,7 +4682,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTransitGatewayRouteTableAttachmentOutput.httpOutput(from:), GetTransitGatewayRouteTableAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4776,9 +4713,9 @@ extension NetworkManagerClient { /// /// Returns information about a VPC attachment. /// - /// - Parameter GetVpcAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVpcAttachmentInput`) /// - /// - Returns: `GetVpcAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVpcAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4813,7 +4750,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVpcAttachmentOutput.httpOutput(from:), GetVpcAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4845,9 +4781,9 @@ extension NetworkManagerClient { /// /// Returns a list of core network attachments. /// - /// - Parameter ListAttachmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttachmentsInput`) /// - /// - Returns: `ListAttachmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAttachmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4882,7 +4818,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAttachmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttachmentsOutput.httpOutput(from:), ListAttachmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4914,9 +4849,9 @@ extension NetworkManagerClient { /// /// Returns a list of core network Connect peers. /// - /// - Parameter ListConnectPeersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectPeersInput`) /// - /// - Returns: `ListConnectPeersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectPeersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4951,7 +4886,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectPeersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectPeersOutput.httpOutput(from:), ListConnectPeersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4983,9 +4917,9 @@ extension NetworkManagerClient { /// /// Returns a list of core network policy versions. /// - /// - Parameter ListCoreNetworkPolicyVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCoreNetworkPolicyVersionsInput`) /// - /// - Returns: `ListCoreNetworkPolicyVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCoreNetworkPolicyVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5021,7 +4955,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCoreNetworkPolicyVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCoreNetworkPolicyVersionsOutput.httpOutput(from:), ListCoreNetworkPolicyVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5053,9 +4986,9 @@ extension NetworkManagerClient { /// /// Returns a list of owned and shared core networks. /// - /// - Parameter ListCoreNetworksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCoreNetworksInput`) /// - /// - Returns: `ListCoreNetworksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCoreNetworksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5090,7 +5023,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCoreNetworksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCoreNetworksOutput.httpOutput(from:), ListCoreNetworksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5122,9 +5054,9 @@ extension NetworkManagerClient { /// /// Gets the status of the Service Linked Role (SLR) deployment for the accounts in a given Amazon Web Services Organization. /// - /// - Parameter ListOrganizationServiceAccessStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationServiceAccessStatusInput`) /// - /// - Returns: `ListOrganizationServiceAccessStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationServiceAccessStatusOutput`) public func listOrganizationServiceAccessStatus(input: ListOrganizationServiceAccessStatusInput) async throws -> ListOrganizationServiceAccessStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5151,7 +5083,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOrganizationServiceAccessStatusInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationServiceAccessStatusOutput.httpOutput(from:), ListOrganizationServiceAccessStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5183,9 +5114,9 @@ extension NetworkManagerClient { /// /// Lists the peerings for a core network. /// - /// - Parameter ListPeeringsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPeeringsInput`) /// - /// - Returns: `ListPeeringsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPeeringsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5220,7 +5151,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPeeringsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPeeringsOutput.httpOutput(from:), ListPeeringsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5252,9 +5182,9 @@ extension NetworkManagerClient { /// /// Lists the tags for a specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5289,7 +5219,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5321,9 +5250,9 @@ extension NetworkManagerClient { /// /// Creates a new, immutable version of a core network policy. A subsequent change set is created showing the differences between the LIVE policy and the submitted policy. /// - /// - Parameter PutCoreNetworkPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutCoreNetworkPolicyInput`) /// - /// - Returns: `PutCoreNetworkPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutCoreNetworkPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5364,7 +5293,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutCoreNetworkPolicyOutput.httpOutput(from:), PutCoreNetworkPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5396,9 +5324,9 @@ extension NetworkManagerClient { /// /// Creates or updates a resource policy. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5437,7 +5365,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5469,9 +5396,9 @@ extension NetworkManagerClient { /// /// Registers a transit gateway in your global network. Not all Regions support transit gateways for global networks. For a list of the supported Regions, see [Region Availability](https://docs.aws.amazon.com/network-manager/latest/tgwnm/what-are-global-networks.html#nm-available-regions) in the Amazon Web Services Transit Gateways for Global Networks User Guide. The transit gateway can be in any of the supported Amazon Web Services Regions, but it must be owned by the same Amazon Web Services account that owns the global network. You cannot register a transit gateway in more than one global network. /// - /// - Parameter RegisterTransitGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterTransitGatewayInput`) /// - /// - Returns: `RegisterTransitGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterTransitGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5510,7 +5437,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterTransitGatewayOutput.httpOutput(from:), RegisterTransitGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5542,9 +5468,9 @@ extension NetworkManagerClient { /// /// Rejects a core network attachment request. /// - /// - Parameter RejectAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectAttachmentInput`) /// - /// - Returns: `RejectAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5580,7 +5506,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectAttachmentOutput.httpOutput(from:), RejectAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5612,9 +5537,9 @@ extension NetworkManagerClient { /// /// Restores a previous policy version as a new, immutable version of a core network policy. A subsequent change set is created showing the differences between the LIVE policy and restored policy. /// - /// - Parameter RestoreCoreNetworkPolicyVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreCoreNetworkPolicyVersionInput`) /// - /// - Returns: `RestoreCoreNetworkPolicyVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreCoreNetworkPolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5650,7 +5575,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreCoreNetworkPolicyVersionOutput.httpOutput(from:), RestoreCoreNetworkPolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5682,9 +5606,9 @@ extension NetworkManagerClient { /// /// Enables the Network Manager service for an Amazon Web Services Organization. This can only be called by a management account within the organization. /// - /// - Parameter StartOrganizationServiceAccessUpdateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartOrganizationServiceAccessUpdateInput`) /// - /// - Returns: `StartOrganizationServiceAccessUpdateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartOrganizationServiceAccessUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5723,7 +5647,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartOrganizationServiceAccessUpdateOutput.httpOutput(from:), StartOrganizationServiceAccessUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5755,9 +5678,9 @@ extension NetworkManagerClient { /// /// Starts analyzing the routing path between the specified source and destination. For more information, see [Route Analyzer](https://docs.aws.amazon.com/vpc/latest/tgw/route-analyzer.html). /// - /// - Parameter StartRouteAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRouteAnalysisInput`) /// - /// - Returns: `StartRouteAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRouteAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5796,7 +5719,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRouteAnalysisOutput.httpOutput(from:), StartRouteAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5828,9 +5750,9 @@ extension NetworkManagerClient { /// /// Tags a specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5870,7 +5792,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5902,9 +5823,9 @@ extension NetworkManagerClient { /// /// Removes tags from a specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5941,7 +5862,6 @@ extension NetworkManagerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5973,9 +5893,9 @@ extension NetworkManagerClient { /// /// Updates the information for an existing connection. To remove information for any of the parameters, specify an empty string. /// - /// - Parameter UpdateConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectionInput`) /// - /// - Returns: `UpdateConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6014,7 +5934,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectionOutput.httpOutput(from:), UpdateConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6046,9 +5965,9 @@ extension NetworkManagerClient { /// /// Updates the description of a core network. /// - /// - Parameter UpdateCoreNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCoreNetworkInput`) /// - /// - Returns: `UpdateCoreNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCoreNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6087,7 +6006,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCoreNetworkOutput.httpOutput(from:), UpdateCoreNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6119,9 +6037,9 @@ extension NetworkManagerClient { /// /// Updates the details for an existing device. To remove information for any of the parameters, specify an empty string. /// - /// - Parameter UpdateDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDeviceInput`) /// - /// - Returns: `UpdateDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6160,7 +6078,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeviceOutput.httpOutput(from:), UpdateDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6192,9 +6109,9 @@ extension NetworkManagerClient { /// /// Updates the edge locations associated with an Amazon Web Services Direct Connect gateway attachment. /// - /// - Parameter UpdateDirectConnectGatewayAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDirectConnectGatewayAttachmentInput`) /// - /// - Returns: `UpdateDirectConnectGatewayAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDirectConnectGatewayAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6233,7 +6150,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDirectConnectGatewayAttachmentOutput.httpOutput(from:), UpdateDirectConnectGatewayAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6265,9 +6181,9 @@ extension NetworkManagerClient { /// /// Updates an existing global network. To remove information for any of the parameters, specify an empty string. /// - /// - Parameter UpdateGlobalNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGlobalNetworkInput`) /// - /// - Returns: `UpdateGlobalNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGlobalNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6306,7 +6222,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGlobalNetworkOutput.httpOutput(from:), UpdateGlobalNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6338,9 +6253,9 @@ extension NetworkManagerClient { /// /// Updates the details for an existing link. To remove information for any of the parameters, specify an empty string. /// - /// - Parameter UpdateLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLinkInput`) /// - /// - Returns: `UpdateLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6380,7 +6295,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLinkOutput.httpOutput(from:), UpdateLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6412,9 +6326,9 @@ extension NetworkManagerClient { /// /// Updates the resource metadata for the specified global network. /// - /// - Parameter UpdateNetworkResourceMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNetworkResourceMetadataInput`) /// - /// - Returns: `UpdateNetworkResourceMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNetworkResourceMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6453,7 +6367,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNetworkResourceMetadataOutput.httpOutput(from:), UpdateNetworkResourceMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6485,9 +6398,9 @@ extension NetworkManagerClient { /// /// Updates the information for an existing site. To remove information for any of the parameters, specify an empty string. /// - /// - Parameter UpdateSiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSiteInput`) /// - /// - Returns: `UpdateSiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6526,7 +6439,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSiteOutput.httpOutput(from:), UpdateSiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6558,9 +6470,9 @@ extension NetworkManagerClient { /// /// Updates a VPC attachment. /// - /// - Parameter UpdateVpcAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVpcAttachmentInput`) /// - /// - Returns: `UpdateVpcAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVpcAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6599,7 +6511,6 @@ extension NetworkManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVpcAttachmentOutput.httpOutput(from:), UpdateVpcAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSNetworkMonitor/Sources/AWSNetworkMonitor/NetworkMonitorClient.swift b/Sources/Services/AWSNetworkMonitor/Sources/AWSNetworkMonitor/NetworkMonitorClient.swift index f5e72b3d548..8efcd64fdfa 100644 --- a/Sources/Services/AWSNetworkMonitor/Sources/AWSNetworkMonitor/NetworkMonitorClient.swift +++ b/Sources/Services/AWSNetworkMonitor/Sources/AWSNetworkMonitor/NetworkMonitorClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class NetworkMonitorClient: ClientRuntime.Client { public static let clientName = "NetworkMonitorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: NetworkMonitorClient.NetworkMonitorClientConfiguration let serviceName = "NetworkMonitor" @@ -387,9 +386,9 @@ extension NetworkMonitorClient { /// /// * (Optional) tags —Key-value pairs created and assigned to the probe. /// - /// - Parameter CreateMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMonitorInput`) /// - /// - Returns: `CreateMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -429,7 +428,6 @@ extension NetworkMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMonitorOutput.httpOutput(from:), CreateMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -461,9 +459,9 @@ extension NetworkMonitorClient { /// /// Create a probe within a monitor. Once you create a probe, and it begins monitoring your network traffic, you'll incur billing charges for that probe. This action requires the monitorName parameter. Run ListMonitors to get a list of monitor names. Note the name of the monitorName you want to create the probe for. /// - /// - Parameter CreateProbeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProbeInput`) /// - /// - Returns: `CreateProbeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProbeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -503,7 +501,6 @@ extension NetworkMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProbeOutput.httpOutput(from:), CreateProbeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -535,9 +532,9 @@ extension NetworkMonitorClient { /// /// Deletes a specified monitor. This action requires the monitorName parameter. Run ListMonitors to get a list of monitor names. /// - /// - Parameter DeleteMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMonitorInput`) /// - /// - Returns: `DeleteMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -572,7 +569,6 @@ extension NetworkMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMonitorOutput.httpOutput(from:), DeleteMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -604,9 +600,9 @@ extension NetworkMonitorClient { /// /// Deletes the specified probe. Once a probe is deleted you'll no longer incur any billing fees for that probe. This action requires both the monitorName and probeId parameters. Run ListMonitors to get a list of monitor names. Run GetMonitor to get a list of probes and probe IDs. You can only delete a single probe at a time using this action. /// - /// - Parameter DeleteProbeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProbeInput`) /// - /// - Returns: `DeleteProbeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProbeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -642,7 +638,6 @@ extension NetworkMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProbeOutput.httpOutput(from:), DeleteProbeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -674,9 +669,9 @@ extension NetworkMonitorClient { /// /// Returns details about a specific monitor. This action requires the monitorName parameter. Run ListMonitors to get a list of monitor names. /// - /// - Parameter GetMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMonitorInput`) /// - /// - Returns: `GetMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension NetworkMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMonitorOutput.httpOutput(from:), GetMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension NetworkMonitorClient { /// /// Returns the details about a probe. This action requires both the monitorName and probeId parameters. Run ListMonitors to get a list of monitor names. Run GetMonitor to get a list of probes and probe IDs. /// - /// - Parameter GetProbeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProbeInput`) /// - /// - Returns: `GetProbeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProbeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -780,7 +774,6 @@ extension NetworkMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProbeOutput.httpOutput(from:), GetProbeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -812,9 +805,9 @@ extension NetworkMonitorClient { /// /// Returns a list of all of your monitors. /// - /// - Parameter ListMonitorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitorsInput`) /// - /// - Returns: `ListMonitorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -849,7 +842,6 @@ extension NetworkMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMonitorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitorsOutput.httpOutput(from:), ListMonitorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -881,9 +873,9 @@ extension NetworkMonitorClient { /// /// Lists the tags assigned to this resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +911,6 @@ extension NetworkMonitorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -951,9 +942,9 @@ extension NetworkMonitorClient { /// /// Adds key-value pairs to a monitor or probe. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -992,7 +983,6 @@ extension NetworkMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1024,9 +1014,9 @@ extension NetworkMonitorClient { /// /// Removes a key-value pair from a monitor or probe. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1063,7 +1053,6 @@ extension NetworkMonitorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1095,9 +1084,9 @@ extension NetworkMonitorClient { /// /// Updates the aggregationPeriod for a monitor. Monitors support an aggregationPeriod of either 30 or 60 seconds. This action requires the monitorName and probeId parameter. Run ListMonitors to get a list of monitor names. /// - /// - Parameter UpdateMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMonitorInput`) /// - /// - Returns: `UpdateMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1136,7 +1125,6 @@ extension NetworkMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMonitorOutput.httpOutput(from:), UpdateMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1180,9 +1168,9 @@ extension NetworkMonitorClient { /// /// * (Optional) tags —Key-value pairs created and assigned to the probe. /// - /// - Parameter UpdateProbeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProbeInput`) /// - /// - Returns: `UpdateProbeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProbeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1221,7 +1209,6 @@ extension NetworkMonitorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProbeOutput.httpOutput(from:), UpdateProbeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSNotifications/Sources/AWSNotifications/NotificationsClient.swift b/Sources/Services/AWSNotifications/Sources/AWSNotifications/NotificationsClient.swift index af44280c23c..04d4204398e 100644 --- a/Sources/Services/AWSNotifications/Sources/AWSNotifications/NotificationsClient.swift +++ b/Sources/Services/AWSNotifications/Sources/AWSNotifications/NotificationsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class NotificationsClient: ClientRuntime.Client { public static let clientName = "NotificationsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: NotificationsClient.NotificationsClientConfiguration let serviceName = "Notifications" @@ -374,9 +373,9 @@ extension NotificationsClient { /// /// Associates a delivery [Channel](https://docs.aws.amazon.com/notifications/latest/userguide/managing-delivery-channels.html) with a particular NotificationConfiguration. Supported Channels include Amazon Q Developer in chat applications, the Console Mobile Application, and emails (notifications-contacts). /// - /// - Parameter AssociateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateChannelInput`) /// - /// - Returns: `AssociateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateChannelOutput.httpOutput(from:), AssociateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension NotificationsClient { /// /// Associates an Account Contact with a particular ManagedNotificationConfiguration. /// - /// - Parameter AssociateManagedNotificationAccountContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateManagedNotificationAccountContactInput`) /// - /// - Returns: `AssociateManagedNotificationAccountContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateManagedNotificationAccountContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateManagedNotificationAccountContactOutput.httpOutput(from:), AssociateManagedNotificationAccountContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension NotificationsClient { /// /// Associates an additional Channel with a particular ManagedNotificationConfiguration. Supported Channels include Amazon Q Developer in chat applications, the Console Mobile Application, and emails (notifications-contacts). /// - /// - Parameter AssociateManagedNotificationAdditionalChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateManagedNotificationAdditionalChannelInput`) /// - /// - Returns: `AssociateManagedNotificationAdditionalChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateManagedNotificationAdditionalChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +561,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateManagedNotificationAdditionalChannelOutput.httpOutput(from:), AssociateManagedNotificationAdditionalChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension NotificationsClient { /// /// Associates an organizational unit with a notification configuration. /// - /// - Parameter AssociateOrganizationalUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateOrganizationalUnitInput`) /// - /// - Returns: `AssociateOrganizationalUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateOrganizationalUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateOrganizationalUnitOutput.httpOutput(from:), AssociateOrganizationalUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension NotificationsClient { /// /// Creates an [EventRule](https://docs.aws.amazon.com/notifications/latest/userguide/glossary.html) that is associated with a specified NotificationConfiguration. /// - /// - Parameter CreateEventRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventRuleInput`) /// - /// - Returns: `CreateEventRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -712,7 +707,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventRuleOutput.httpOutput(from:), CreateEventRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -744,9 +738,9 @@ extension NotificationsClient { /// /// Creates a new NotificationConfiguration. /// - /// - Parameter CreateNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNotificationConfigurationInput`) /// - /// - Returns: `CreateNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -785,7 +779,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNotificationConfigurationOutput.httpOutput(from:), CreateNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -817,9 +810,9 @@ extension NotificationsClient { /// /// Deletes an EventRule. /// - /// - Parameter DeleteEventRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventRuleInput`) /// - /// - Returns: `DeleteEventRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -855,7 +848,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventRuleOutput.httpOutput(from:), DeleteEventRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -887,9 +879,9 @@ extension NotificationsClient { /// /// Deletes a NotificationConfiguration. /// - /// - Parameter DeleteNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNotificationConfigurationInput`) /// - /// - Returns: `DeleteNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +917,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNotificationConfigurationOutput.httpOutput(from:), DeleteNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension NotificationsClient { /// /// Deregisters a NotificationConfiguration in the specified Region. You can't deregister the last NotificationHub in the account. NotificationEvents stored in the deregistered NotificationConfiguration are no longer be visible. Recreating a new NotificationConfiguration in the same Region restores access to those NotificationEvents. /// - /// - Parameter DeregisterNotificationHubInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterNotificationHubInput`) /// - /// - Returns: `DeregisterNotificationHubOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterNotificationHubOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -995,7 +986,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterNotificationHubOutput.httpOutput(from:), DeregisterNotificationHubOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1027,9 +1017,9 @@ extension NotificationsClient { /// /// Disables service trust between User Notifications and Amazon Web Services Organizations. /// - /// - Parameter DisableNotificationsAccessForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableNotificationsAccessForOrganizationInput`) /// - /// - Returns: `DisableNotificationsAccessForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableNotificationsAccessForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1066,7 +1056,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableNotificationsAccessForOrganizationOutput.httpOutput(from:), DisableNotificationsAccessForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1098,9 +1087,9 @@ extension NotificationsClient { /// /// Disassociates a Channel from a specified NotificationConfiguration. Supported Channels include Amazon Q Developer in chat applications, the Console Mobile Application, and emails (notifications-contacts). /// - /// - Parameter DisassociateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateChannelInput`) /// - /// - Returns: `DisassociateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1138,7 +1127,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateChannelOutput.httpOutput(from:), DisassociateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1170,9 +1158,9 @@ extension NotificationsClient { /// /// Disassociates an Account Contact with a particular ManagedNotificationConfiguration. /// - /// - Parameter DisassociateManagedNotificationAccountContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateManagedNotificationAccountContactInput`) /// - /// - Returns: `DisassociateManagedNotificationAccountContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateManagedNotificationAccountContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1211,7 +1199,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateManagedNotificationAccountContactOutput.httpOutput(from:), DisassociateManagedNotificationAccountContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1243,9 +1230,9 @@ extension NotificationsClient { /// /// Disassociates an additional Channel from a particular ManagedNotificationConfiguration. Supported Channels include Amazon Q Developer in chat applications, the Console Mobile Application, and emails (notifications-contacts). /// - /// - Parameter DisassociateManagedNotificationAdditionalChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateManagedNotificationAdditionalChannelInput`) /// - /// - Returns: `DisassociateManagedNotificationAdditionalChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateManagedNotificationAdditionalChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1283,7 +1270,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateManagedNotificationAdditionalChannelOutput.httpOutput(from:), DisassociateManagedNotificationAdditionalChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1315,9 +1301,9 @@ extension NotificationsClient { /// /// Removes the association between an organizational unit and a notification configuration. /// - /// - Parameter DisassociateOrganizationalUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateOrganizationalUnitInput`) /// - /// - Returns: `DisassociateOrganizationalUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateOrganizationalUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1355,7 +1341,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateOrganizationalUnitOutput.httpOutput(from:), DisassociateOrganizationalUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1387,9 +1372,9 @@ extension NotificationsClient { /// /// Enables service trust between User Notifications and Amazon Web Services Organizations. /// - /// - Parameter EnableNotificationsAccessForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableNotificationsAccessForOrganizationInput`) /// - /// - Returns: `EnableNotificationsAccessForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableNotificationsAccessForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1426,7 +1411,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableNotificationsAccessForOrganizationOutput.httpOutput(from:), EnableNotificationsAccessForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1458,9 +1442,9 @@ extension NotificationsClient { /// /// Returns a specified EventRule. /// - /// - Parameter GetEventRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventRuleInput`) /// - /// - Returns: `GetEventRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1495,7 +1479,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventRuleOutput.httpOutput(from:), GetEventRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1527,9 +1510,9 @@ extension NotificationsClient { /// /// Returns the child event of a specific given ManagedNotificationEvent. /// - /// - Parameter GetManagedNotificationChildEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedNotificationChildEventInput`) /// - /// - Returns: `GetManagedNotificationChildEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedNotificationChildEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1565,7 +1548,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetManagedNotificationChildEventInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedNotificationChildEventOutput.httpOutput(from:), GetManagedNotificationChildEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1597,9 +1579,9 @@ extension NotificationsClient { /// /// Returns a specified ManagedNotificationConfiguration. /// - /// - Parameter GetManagedNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedNotificationConfigurationInput`) /// - /// - Returns: `GetManagedNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1634,7 +1616,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedNotificationConfigurationOutput.httpOutput(from:), GetManagedNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1666,9 +1647,9 @@ extension NotificationsClient { /// /// Returns a specified ManagedNotificationEvent. /// - /// - Parameter GetManagedNotificationEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedNotificationEventInput`) /// - /// - Returns: `GetManagedNotificationEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedNotificationEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1704,7 +1685,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetManagedNotificationEventInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedNotificationEventOutput.httpOutput(from:), GetManagedNotificationEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1736,9 +1716,9 @@ extension NotificationsClient { /// /// Returns a specified NotificationConfiguration. /// - /// - Parameter GetNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNotificationConfigurationInput`) /// - /// - Returns: `GetNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1773,7 +1753,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNotificationConfigurationOutput.httpOutput(from:), GetNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1805,9 +1784,9 @@ extension NotificationsClient { /// /// Returns a specified NotificationEvent. User Notifications stores notifications in the individual Regions you register as notification hubs and the Region of the source event rule. GetNotificationEvent only returns notifications stored in the same Region in which the action is called. User Notifications doesn't backfill notifications to new Regions selected as notification hubs. For this reason, we recommend that you make calls in your oldest registered notification hub. For more information, see [Notification hubs](https://docs.aws.amazon.com/notifications/latest/userguide/notification-hubs.html) in the Amazon Web Services User Notifications User Guide. /// - /// - Parameter GetNotificationEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNotificationEventInput`) /// - /// - Returns: `GetNotificationEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNotificationEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1843,7 +1822,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetNotificationEventInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNotificationEventOutput.httpOutput(from:), GetNotificationEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1875,9 +1853,9 @@ extension NotificationsClient { /// /// Returns the AccessStatus of Service Trust Enablement for User Notifications and Amazon Web Services Organizations. /// - /// - Parameter GetNotificationsAccessForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNotificationsAccessForOrganizationInput`) /// - /// - Returns: `GetNotificationsAccessForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNotificationsAccessForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1911,7 +1889,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNotificationsAccessForOrganizationOutput.httpOutput(from:), GetNotificationsAccessForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1943,9 +1920,9 @@ extension NotificationsClient { /// /// Returns a list of Channels for a NotificationConfiguration. /// - /// - Parameter ListChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsInput`) /// - /// - Returns: `ListChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1981,7 +1958,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsOutput.httpOutput(from:), ListChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2013,9 +1989,9 @@ extension NotificationsClient { /// /// Returns a list of EventRules according to specified filters, in reverse chronological order (newest first). /// - /// - Parameter ListEventRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventRulesInput`) /// - /// - Returns: `ListEventRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2051,7 +2027,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEventRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventRulesOutput.httpOutput(from:), ListEventRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2083,9 +2058,9 @@ extension NotificationsClient { /// /// Returns a list of Account contacts and Channels associated with a ManagedNotificationConfiguration, in paginated format. /// - /// - Parameter ListManagedNotificationChannelAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedNotificationChannelAssociationsInput`) /// - /// - Returns: `ListManagedNotificationChannelAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedNotificationChannelAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2121,7 +2096,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListManagedNotificationChannelAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedNotificationChannelAssociationsOutput.httpOutput(from:), ListManagedNotificationChannelAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2153,9 +2127,9 @@ extension NotificationsClient { /// /// Returns a list of ManagedNotificationChildEvents for a specified aggregate ManagedNotificationEvent, ordered by creation time in reverse chronological order (newest first). /// - /// - Parameter ListManagedNotificationChildEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedNotificationChildEventsInput`) /// - /// - Returns: `ListManagedNotificationChildEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedNotificationChildEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2190,7 +2164,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListManagedNotificationChildEventsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedNotificationChildEventsOutput.httpOutput(from:), ListManagedNotificationChildEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2222,9 +2195,9 @@ extension NotificationsClient { /// /// Returns a list of Managed Notification Configurations according to specified filters, ordered by creation time in reverse chronological order (newest first). /// - /// - Parameter ListManagedNotificationConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedNotificationConfigurationsInput`) /// - /// - Returns: `ListManagedNotificationConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedNotificationConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2259,7 +2232,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListManagedNotificationConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedNotificationConfigurationsOutput.httpOutput(from:), ListManagedNotificationConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2291,9 +2263,9 @@ extension NotificationsClient { /// /// Returns a list of Managed Notification Events according to specified filters, ordered by creation time in reverse chronological order (newest first). /// - /// - Parameter ListManagedNotificationEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedNotificationEventsInput`) /// - /// - Returns: `ListManagedNotificationEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedNotificationEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2328,7 +2300,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListManagedNotificationEventsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedNotificationEventsOutput.httpOutput(from:), ListManagedNotificationEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2360,9 +2331,9 @@ extension NotificationsClient { /// /// Returns a list of member accounts associated with a notification configuration. /// - /// - Parameter ListMemberAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMemberAccountsInput`) /// - /// - Returns: `ListMemberAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMemberAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2398,7 +2369,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMemberAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMemberAccountsOutput.httpOutput(from:), ListMemberAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2430,9 +2400,9 @@ extension NotificationsClient { /// /// Returns a list of abbreviated NotificationConfigurations according to specified filters, in reverse chronological order (newest first). /// - /// - Parameter ListNotificationConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotificationConfigurationsInput`) /// - /// - Returns: `ListNotificationConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotificationConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2467,7 +2437,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNotificationConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotificationConfigurationsOutput.httpOutput(from:), ListNotificationConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2499,9 +2468,9 @@ extension NotificationsClient { /// /// Returns a list of NotificationEvents according to specified filters, in reverse chronological order (newest first). User Notifications stores notifications in the individual Regions you register as notification hubs and the Region of the source event rule. ListNotificationEvents only returns notifications stored in the same Region in which the action is called. User Notifications doesn't backfill notifications to new Regions selected as notification hubs. For this reason, we recommend that you make calls in your oldest registered notification hub. For more information, see [Notification hubs](https://docs.aws.amazon.com/notifications/latest/userguide/notification-hubs.html) in the Amazon Web Services User Notifications User Guide. /// - /// - Parameter ListNotificationEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotificationEventsInput`) /// - /// - Returns: `ListNotificationEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotificationEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2536,7 +2505,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNotificationEventsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotificationEventsOutput.httpOutput(from:), ListNotificationEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2568,9 +2536,9 @@ extension NotificationsClient { /// /// Returns a list of NotificationHubs. /// - /// - Parameter ListNotificationHubsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotificationHubsInput`) /// - /// - Returns: `ListNotificationHubsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotificationHubsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2605,7 +2573,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNotificationHubsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotificationHubsOutput.httpOutput(from:), ListNotificationHubsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2637,9 +2604,9 @@ extension NotificationsClient { /// /// Returns a list of organizational units associated with a notification configuration. /// - /// - Parameter ListOrganizationalUnitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationalUnitsInput`) /// - /// - Returns: `ListOrganizationalUnitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationalUnitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2675,7 +2642,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOrganizationalUnitsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationalUnitsOutput.httpOutput(from:), ListOrganizationalUnitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2707,9 +2673,9 @@ extension NotificationsClient { /// /// Returns a list of tags for a specified Amazon Resource Name (ARN). For more information, see [Tagging your Amazon Web Services resources](https://docs.aws.amazon.com/tag-editor/latest/userguide/tagging.html) in the Tagging Amazon Web Services Resources User Guide. This is only supported for NotificationConfigurations. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2744,7 +2710,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2776,9 +2741,9 @@ extension NotificationsClient { /// /// Registers a NotificationConfiguration in the specified Region. There is a maximum of one NotificationConfiguration per Region. You can have a maximum of 3 NotificationHub resources at a time. /// - /// - Parameter RegisterNotificationHubInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterNotificationHubInput`) /// - /// - Returns: `RegisterNotificationHubOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterNotificationHubOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2817,7 +2782,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterNotificationHubOutput.httpOutput(from:), RegisterNotificationHubOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2849,9 +2813,9 @@ extension NotificationsClient { /// /// Tags the resource with a tag key and value. For more information, see [Tagging your Amazon Web Services resources](https://docs.aws.amazon.com/tag-editor/latest/userguide/tagging.html) in the Tagging Amazon Web Services Resources User Guide. This is only supported for NotificationConfigurations. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2889,7 +2853,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2921,9 +2884,9 @@ extension NotificationsClient { /// /// Untags a resource with a specified Amazon Resource Name (ARN). For more information, see [Tagging your Amazon Web Services resources](https://docs.aws.amazon.com/tag-editor/latest/userguide/tagging.html) in the Tagging Amazon Web Services Resources User Guide. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2959,7 +2922,6 @@ extension NotificationsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2991,9 +2953,9 @@ extension NotificationsClient { /// /// Updates an existing EventRule. /// - /// - Parameter UpdateEventRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventRuleInput`) /// - /// - Returns: `UpdateEventRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3032,7 +2994,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventRuleOutput.httpOutput(from:), UpdateEventRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3064,9 +3025,9 @@ extension NotificationsClient { /// /// Updates a NotificationConfiguration. /// - /// - Parameter UpdateNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNotificationConfigurationInput`) /// - /// - Returns: `UpdateNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNotificationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3105,7 +3066,6 @@ extension NotificationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNotificationConfigurationOutput.httpOutput(from:), UpdateNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSNotificationsContacts/Sources/AWSNotificationsContacts/NotificationsContactsClient.swift b/Sources/Services/AWSNotificationsContacts/Sources/AWSNotificationsContacts/NotificationsContactsClient.swift index b8959672ea2..653a2ac157a 100644 --- a/Sources/Services/AWSNotificationsContacts/Sources/AWSNotificationsContacts/NotificationsContactsClient.swift +++ b/Sources/Services/AWSNotificationsContacts/Sources/AWSNotificationsContacts/NotificationsContactsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class NotificationsContactsClient: ClientRuntime.Client { public static let clientName = "NotificationsContactsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: NotificationsContactsClient.NotificationsContactsClientConfiguration let serviceName = "NotificationsContacts" @@ -373,9 +372,9 @@ extension NotificationsContactsClient { /// /// Activates an email contact using an activation code. This code is in the activation email sent to the email address associated with this email contact. /// - /// - Parameter ActivateEmailContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateEmailContactInput`) /// - /// - Returns: `ActivateEmailContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateEmailContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension NotificationsContactsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateEmailContactOutput.httpOutput(from:), ActivateEmailContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension NotificationsContactsClient { /// /// Creates an email contact for the provided email address. /// - /// - Parameter CreateEmailContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEmailContactInput`) /// - /// - Returns: `CreateEmailContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEmailContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension NotificationsContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEmailContactOutput.httpOutput(from:), CreateEmailContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension NotificationsContactsClient { /// /// Deletes an email contact. Deleting an email contact removes it from all associated notification configurations. /// - /// - Parameter DeleteEmailContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEmailContactInput`) /// - /// - Returns: `DeleteEmailContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEmailContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension NotificationsContactsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEmailContactOutput.httpOutput(from:), DeleteEmailContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension NotificationsContactsClient { /// /// Returns an email contact. /// - /// - Parameter GetEmailContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEmailContactInput`) /// - /// - Returns: `GetEmailContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEmailContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -623,7 +619,6 @@ extension NotificationsContactsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEmailContactOutput.httpOutput(from:), GetEmailContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -655,9 +650,9 @@ extension NotificationsContactsClient { /// /// Lists all email contacts created under the Account. /// - /// - Parameter ListEmailContactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEmailContactsInput`) /// - /// - Returns: `ListEmailContactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEmailContactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -692,7 +687,6 @@ extension NotificationsContactsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEmailContactsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEmailContactsOutput.httpOutput(from:), ListEmailContactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -724,9 +718,9 @@ extension NotificationsContactsClient { /// /// Lists all of the tags associated with the Amazon Resource Name (ARN) that you specify. The resource can be a user, server, or role. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -761,7 +755,6 @@ extension NotificationsContactsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -793,9 +786,9 @@ extension NotificationsContactsClient { /// /// Sends an activation email to the email address associated with the specified email contact. It might take a few minutes for the activation email to arrive. If it doesn't arrive, check in your spam folder or try sending another activation email. /// - /// - Parameter SendActivationCodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendActivationCodeInput`) /// - /// - Returns: `SendActivationCodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendActivationCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -831,7 +824,6 @@ extension NotificationsContactsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendActivationCodeOutput.httpOutput(from:), SendActivationCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -863,9 +855,9 @@ extension NotificationsContactsClient { /// /// Attaches a key-value pair to a resource, as identified by its Amazon Resource Name (ARN). Taggable resources in AWS User Notifications Contacts include email contacts. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -903,7 +895,6 @@ extension NotificationsContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -935,9 +926,9 @@ extension NotificationsContactsClient { /// /// Detaches a key-value pair from a resource, as identified by its Amazon Resource Name (ARN). Taggable resources in AWS User Notifications Contacts include email contacts.. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -973,7 +964,6 @@ extension NotificationsContactsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSOAM/Sources/AWSOAM/OAMClient.swift b/Sources/Services/AWSOAM/Sources/AWSOAM/OAMClient.swift index 6980b3fc4eb..95afd1b2163 100644 --- a/Sources/Services/AWSOAM/Sources/AWSOAM/OAMClient.swift +++ b/Sources/Services/AWSOAM/Sources/AWSOAM/OAMClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class OAMClient: ClientRuntime.Client { public static let clientName = "OAMClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: OAMClient.OAMClientConfiguration let serviceName = "OAM" @@ -373,9 +372,9 @@ extension OAMClient { /// /// Creates a link between a source account and a sink that you have created in a monitoring account. After the link is created, data is sent from the source account to the monitoring account. When you create a link, you can optionally specify filters that specify which metric namespaces and which log groups are shared from the source account to the monitoring account. Before you create a link, you must create a sink in the monitoring account and create a sink policy in that account. The sink policy must permit the source account to link to it. You can grant permission to source accounts by granting permission to an entire organization or to individual accounts. For more information, see [CreateSink](https://docs.aws.amazon.com/OAM/latest/APIReference/API_CreateSink.html) and [PutSinkPolicy](https://docs.aws.amazon.com/OAM/latest/APIReference/API_PutSinkPolicy.html). Each monitoring account can be linked to as many as 100,000 source accounts. Each source account can be linked to as many as five monitoring accounts. /// - /// - Parameter CreateLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLinkInput`) /// - /// - Returns: `CreateLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLinkOutput.httpOutput(from:), CreateLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension OAMClient { /// /// Use this to create a sink in the current account, so that it can be used as a monitoring account in CloudWatch cross-account observability. A sink is a resource that represents an attachment point in a monitoring account. Source accounts can link to the sink to send observability data. After you create a sink, you must create a sink policy that allows source accounts to attach to it. For more information, see [PutSinkPolicy](https://docs.aws.amazon.com/OAM/latest/APIReference/API_PutSinkPolicy.html). Each account can contain one sink per Region. If you delete a sink, you can then create a new one in that Region. /// - /// - Parameter CreateSinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSinkInput`) /// - /// - Returns: `CreateSinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSinkOutput.httpOutput(from:), CreateSinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension OAMClient { /// /// Deletes a link between a monitoring account sink and a source account. You must run this operation in the source account. /// - /// - Parameter DeleteLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLinkInput`) /// - /// - Returns: `DeleteLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLinkOutput.httpOutput(from:), DeleteLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension OAMClient { /// /// Deletes a sink. You must delete all links to a sink before you can delete that sink. /// - /// - Parameter DeleteSinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSinkInput`) /// - /// - Returns: `DeleteSinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSinkOutput.httpOutput(from:), DeleteSinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +655,9 @@ extension OAMClient { /// /// Returns complete information about one link. To use this operation, provide the link ARN. To retrieve a list of link ARNs, use [ListLinks](https://docs.aws.amazon.com/OAM/latest/APIReference/API_ListLinks.html). /// - /// - Parameter GetLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLinkInput`) /// - /// - Returns: `GetLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -699,7 +694,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLinkOutput.httpOutput(from:), GetLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +725,9 @@ extension OAMClient { /// /// Returns complete information about one monitoring account sink. To use this operation, provide the sink ARN. To retrieve a list of sink ARNs, use [ListSinks](https://docs.aws.amazon.com/OAM/latest/APIReference/API_ListSinks.html). /// - /// - Parameter GetSinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSinkInput`) /// - /// - Returns: `GetSinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -770,7 +764,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSinkOutput.httpOutput(from:), GetSinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -802,9 +795,9 @@ extension OAMClient { /// /// Returns the current sink policy attached to this sink. The sink policy specifies what accounts can attach to this sink as source accounts, and what types of data they can share. /// - /// - Parameter GetSinkPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSinkPolicyInput`) /// - /// - Returns: `GetSinkPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSinkPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -841,7 +834,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSinkPolicyOutput.httpOutput(from:), GetSinkPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension OAMClient { /// /// Returns a list of source account links that are linked to this monitoring account sink. To use this operation, provide the sink ARN. To retrieve a list of sink ARNs, use [ListSinks](https://docs.aws.amazon.com/OAM/latest/APIReference/API_ListSinks.html). To find a list of links for one source account, use [ListLinks](https://docs.aws.amazon.com/OAM/latest/APIReference/API_ListLinks.html). /// - /// - Parameter ListAttachedLinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttachedLinksInput`) /// - /// - Returns: `ListAttachedLinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAttachedLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -912,7 +904,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttachedLinksOutput.httpOutput(from:), ListAttachedLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -944,9 +935,9 @@ extension OAMClient { /// /// Use this operation in a source account to return a list of links to monitoring account sinks that this source account has. To find a list of links for one monitoring account sink, use [ListAttachedLinks](https://docs.aws.amazon.com/OAM/latest/APIReference/API_ListAttachedLinks.html) from within the monitoring account. /// - /// - Parameter ListLinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLinksInput`) /// - /// - Returns: `ListLinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -982,7 +973,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLinksOutput.httpOutput(from:), ListLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1014,9 +1004,9 @@ extension OAMClient { /// /// Use this operation in a monitoring account to return the list of sinks created in that account. /// - /// - Parameter ListSinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSinksInput`) /// - /// - Returns: `ListSinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1052,7 +1042,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSinksOutput.httpOutput(from:), ListSinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1084,9 +1073,9 @@ extension OAMClient { /// /// Displays the tags associated with a resource. Both sinks and links support tagging. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1118,7 +1107,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1165,9 +1153,9 @@ extension OAMClient { /// /// See the examples in this section to see how to specify permitted source accounts and data types. /// - /// - Parameter PutSinkPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSinkPolicyInput`) /// - /// - Returns: `PutSinkPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSinkPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1204,7 +1192,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSinkPolicyOutput.httpOutput(from:), PutSinkPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1236,9 +1223,9 @@ extension OAMClient { /// /// Assigns one or more tags (key-value pairs) to the specified resource. Both sinks and links can be tagged. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with a resource that already has tags. If you specify a new tag key for the alarm, this tag is appended to the list of tags associated with the alarm. If you specify a tag key that is already associated with the alarm, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a resource. Unlike tagging permissions in other Amazon Web Services services, to tag or untag links and sinks you must have the oam:ResourceTag permission. The iam:ResourceTag permission does not allow you to tag and untag links and sinks. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1274,7 +1261,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1306,9 +1292,9 @@ extension OAMClient { /// /// Removes one or more tags from the specified resource. Unlike tagging permissions in other Amazon Web Services services, to tag or untag links and sinks you must have the oam:ResourceTag permission. The iam:TagResource permission does not allow you to tag and untag links and sinks. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1341,7 +1327,6 @@ extension OAMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1373,9 +1358,9 @@ extension OAMClient { /// /// Use this operation to change what types of data are shared from a source account to its linked monitoring account sink. You can't change the sink or change the monitoring account with this operation. When you update a link, you can optionally specify filters that specify which metric namespaces and which log groups are shared from the source account to the monitoring account. To update the list of tags associated with the sink, use [TagResource](https://docs.aws.amazon.com/OAM/latest/APIReference/API_TagResource.html). /// - /// - Parameter UpdateLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLinkInput`) /// - /// - Returns: `UpdateLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1412,7 +1397,6 @@ extension OAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLinkOutput.httpOutput(from:), UpdateLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSOSIS/Sources/AWSOSIS/OSISClient.swift b/Sources/Services/AWSOSIS/Sources/AWSOSIS/OSISClient.swift index 4b67f7b4784..01a8b96549a 100644 --- a/Sources/Services/AWSOSIS/Sources/AWSOSIS/OSISClient.swift +++ b/Sources/Services/AWSOSIS/Sources/AWSOSIS/OSISClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class OSISClient: ClientRuntime.Client { public static let clientName = "OSISClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: OSISClient.OSISClientConfiguration let serviceName = "OSIS" @@ -373,9 +372,9 @@ extension OSISClient { /// /// Creates an OpenSearch Ingestion pipeline. For more information, see [Creating Amazon OpenSearch Ingestion pipelines](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/creating-pipeline.html). /// - /// - Parameter CreatePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePipelineInput`) /// - /// - Returns: `CreatePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePipelineOutput.httpOutput(from:), CreatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension OSISClient { /// /// Creates a VPC endpoint for an OpenSearch Ingestion pipeline. Pipeline endpoints allow you to ingest data from your VPC into pipelines that you have access to. /// - /// - Parameter CreatePipelineEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePipelineEndpointInput`) /// - /// - Returns: `CreatePipelineEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePipelineEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePipelineEndpointOutput.httpOutput(from:), CreatePipelineEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension OSISClient { /// /// Deletes an OpenSearch Ingestion pipeline. For more information, see [Deleting Amazon OpenSearch Ingestion pipelines](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/delete-pipeline.html). /// - /// - Parameter DeletePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePipelineInput`) /// - /// - Returns: `DeletePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePipelineOutput.httpOutput(from:), DeletePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension OSISClient { /// /// Deletes a VPC endpoint for an OpenSearch Ingestion pipeline. /// - /// - Parameter DeletePipelineEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePipelineEndpointInput`) /// - /// - Returns: `DeletePipelineEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePipelineEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePipelineEndpointOutput.httpOutput(from:), DeletePipelineEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension OSISClient { /// /// Deletes a resource-based policy from an OpenSearch Ingestion resource. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension OSISClient { /// /// Retrieves information about an OpenSearch Ingestion pipeline. /// - /// - Parameter GetPipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPipelineInput`) /// - /// - Returns: `GetPipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -765,7 +759,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPipelineOutput.httpOutput(from:), GetPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -797,9 +790,9 @@ extension OSISClient { /// /// Retrieves information about a specific blueprint for OpenSearch Ingestion. Blueprints are templates for the configuration needed for a CreatePipeline request. For more information, see [Using blueprints to create a pipeline](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/creating-pipeline.html#pipeline-blueprint). /// - /// - Parameter GetPipelineBlueprintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPipelineBlueprintInput`) /// - /// - Returns: `GetPipelineBlueprintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPipelineBlueprintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -835,7 +828,6 @@ extension OSISClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPipelineBlueprintInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPipelineBlueprintOutput.httpOutput(from:), GetPipelineBlueprintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -867,9 +859,9 @@ extension OSISClient { /// /// Returns progress information for the current change happening on an OpenSearch Ingestion pipeline. Currently, this operation only returns information when a pipeline is being created. For more information, see [Tracking the status of pipeline creation](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/creating-pipeline.html#get-pipeline-progress). /// - /// - Parameter GetPipelineChangeProgressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPipelineChangeProgressInput`) /// - /// - Returns: `GetPipelineChangeProgressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPipelineChangeProgressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -904,7 +896,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPipelineChangeProgressOutput.httpOutput(from:), GetPipelineChangeProgressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -936,9 +927,9 @@ extension OSISClient { /// /// Retrieves the resource-based policy attached to an OpenSearch Ingestion resource. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -974,7 +965,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1006,9 +996,9 @@ extension OSISClient { /// /// Retrieves a list of all available blueprints for Data Prepper. For more information, see [Using blueprints to create a pipeline](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/creating-pipeline.html#pipeline-blueprint). /// - /// - Parameter ListPipelineBlueprintsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipelineBlueprintsInput`) /// - /// - Returns: `ListPipelineBlueprintsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipelineBlueprintsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1043,7 +1033,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelineBlueprintsOutput.httpOutput(from:), ListPipelineBlueprintsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1075,9 +1064,9 @@ extension OSISClient { /// /// Lists the pipeline endpoints connected to pipelines in your account. /// - /// - Parameter ListPipelineEndpointConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipelineEndpointConnectionsInput`) /// - /// - Returns: `ListPipelineEndpointConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipelineEndpointConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1113,7 +1102,6 @@ extension OSISClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPipelineEndpointConnectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelineEndpointConnectionsOutput.httpOutput(from:), ListPipelineEndpointConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1145,9 +1133,9 @@ extension OSISClient { /// /// Lists all pipeline endpoints in your account. /// - /// - Parameter ListPipelineEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipelineEndpointsInput`) /// - /// - Returns: `ListPipelineEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipelineEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1183,7 +1171,6 @@ extension OSISClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPipelineEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelineEndpointsOutput.httpOutput(from:), ListPipelineEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1215,9 +1202,9 @@ extension OSISClient { /// /// Lists all OpenSearch Ingestion pipelines in the current Amazon Web Services account and Region. For more information, see [Viewing Amazon OpenSearch Ingestion pipelines](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/list-pipeline.html). /// - /// - Parameter ListPipelinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipelinesInput`) /// - /// - Returns: `ListPipelinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipelinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1253,7 +1240,6 @@ extension OSISClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPipelinesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelinesOutput.httpOutput(from:), ListPipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1285,9 +1271,9 @@ extension OSISClient { /// /// Lists all resource tags associated with an OpenSearch Ingestion pipeline. For more information, see [Tagging Amazon OpenSearch Ingestion pipelines](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/tag-pipeline.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1323,7 +1309,6 @@ extension OSISClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1355,9 +1340,9 @@ extension OSISClient { /// /// Attaches a resource-based policy to an OpenSearch Ingestion resource. Resource-based policies grant permissions to principals to perform actions on the resource. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1381,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1428,9 +1412,9 @@ extension OSISClient { /// /// Revokes pipeline endpoints from specified endpoint IDs. /// - /// - Parameter RevokePipelineEndpointConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokePipelineEndpointConnectionsInput`) /// - /// - Returns: `RevokePipelineEndpointConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokePipelineEndpointConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1468,7 +1452,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokePipelineEndpointConnectionsOutput.httpOutput(from:), RevokePipelineEndpointConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1500,9 +1483,9 @@ extension OSISClient { /// /// Starts an OpenSearch Ingestion pipeline. For more information, see [Starting an OpenSearch Ingestion pipeline](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/pipeline--stop-start.html#pipeline--start). /// - /// - Parameter StartPipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPipelineInput`) /// - /// - Returns: `StartPipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1538,7 +1521,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPipelineOutput.httpOutput(from:), StartPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1570,9 +1552,9 @@ extension OSISClient { /// /// Stops an OpenSearch Ingestion pipeline. For more information, see [Stopping an OpenSearch Ingestion pipeline](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/pipeline--stop-start.html#pipeline--stop). /// - /// - Parameter StopPipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopPipelineInput`) /// - /// - Returns: `StopPipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopPipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1608,7 +1590,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopPipelineOutput.httpOutput(from:), StopPipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1640,9 +1621,9 @@ extension OSISClient { /// /// Tags an OpenSearch Ingestion pipeline. For more information, see [Tagging Amazon OpenSearch Ingestion pipelines](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/tag-pipeline.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1682,7 +1663,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1714,9 +1694,9 @@ extension OSISClient { /// /// Removes one or more tags from an OpenSearch Ingestion pipeline. For more information, see [Tagging Amazon OpenSearch Ingestion pipelines](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/tag-pipeline.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1755,7 +1735,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1787,9 +1766,9 @@ extension OSISClient { /// /// Updates an OpenSearch Ingestion pipeline. For more information, see [Updating Amazon OpenSearch Ingestion pipelines](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/update-pipeline.html). /// - /// - Parameter UpdatePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePipelineInput`) /// - /// - Returns: `UpdatePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1828,7 +1807,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePipelineOutput.httpOutput(from:), UpdatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1860,9 +1838,9 @@ extension OSISClient { /// /// Checks whether an OpenSearch Ingestion pipeline configuration is valid prior to creation. For more information, see [Creating Amazon OpenSearch Ingestion pipelines](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/creating-pipeline.html). /// - /// - Parameter ValidatePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidatePipelineInput`) /// - /// - Returns: `ValidatePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1899,7 +1877,6 @@ extension OSISClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidatePipelineOutput.httpOutput(from:), ValidatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSObservabilityAdmin/Sources/AWSObservabilityAdmin/ObservabilityAdminClient.swift b/Sources/Services/AWSObservabilityAdmin/Sources/AWSObservabilityAdmin/ObservabilityAdminClient.swift index 0e4a88075fc..bfb1ea560b3 100644 --- a/Sources/Services/AWSObservabilityAdmin/Sources/AWSObservabilityAdmin/ObservabilityAdminClient.swift +++ b/Sources/Services/AWSObservabilityAdmin/Sources/AWSObservabilityAdmin/ObservabilityAdminClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ObservabilityAdminClient: ClientRuntime.Client { public static let clientName = "ObservabilityAdminClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ObservabilityAdminClient.ObservabilityAdminClientConfiguration let serviceName = "ObservabilityAdmin" @@ -372,9 +371,9 @@ extension ObservabilityAdminClient { /// /// Creates a centralization rule that applies across an Amazon Web Services Organization. This operation can only be called by the organization's management account or a delegated administrator account. /// - /// - Parameter CreateCentralizationRuleForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCentralizationRuleForOrganizationInput`) /// - /// - Returns: `CreateCentralizationRuleForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCentralizationRuleForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCentralizationRuleForOrganizationOutput.httpOutput(from:), CreateCentralizationRuleForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension ObservabilityAdminClient { /// /// Creates a telemetry rule that defines how telemetry should be configured for Amazon Web Services resources in your account. The rule specifies which resources should have telemetry enabled and how that telemetry data should be collected based on resource type, telemetry type, and selection criteria. /// - /// - Parameter CreateTelemetryRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTelemetryRuleInput`) /// - /// - Returns: `CreateTelemetryRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTelemetryRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTelemetryRuleOutput.httpOutput(from:), CreateTelemetryRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension ObservabilityAdminClient { /// /// Creates a telemetry rule that applies across an Amazon Web Services Organization. This operation can only be called by the organization's management account or a delegated administrator account. /// - /// - Parameter CreateTelemetryRuleForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTelemetryRuleForOrganizationInput`) /// - /// - Returns: `CreateTelemetryRuleForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTelemetryRuleForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTelemetryRuleForOrganizationOutput.httpOutput(from:), CreateTelemetryRuleForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension ObservabilityAdminClient { /// /// Deletes an organization-wide centralization rule. This operation can only be called by the organization's management account or a delegated administrator account. /// - /// - Parameter DeleteCentralizationRuleForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCentralizationRuleForOrganizationInput`) /// - /// - Returns: `DeleteCentralizationRuleForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCentralizationRuleForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCentralizationRuleForOrganizationOutput.httpOutput(from:), DeleteCentralizationRuleForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension ObservabilityAdminClient { /// /// Deletes a telemetry rule from your account. Any telemetry configurations previously created by the rule will remain but no new resources will be configured by this rule. /// - /// - Parameter DeleteTelemetryRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTelemetryRuleInput`) /// - /// - Returns: `DeleteTelemetryRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTelemetryRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTelemetryRuleOutput.httpOutput(from:), DeleteTelemetryRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension ObservabilityAdminClient { /// /// Deletes an organization-wide telemetry rule. This operation can only be called by the organization's management account or a delegated administrator account. /// - /// - Parameter DeleteTelemetryRuleForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTelemetryRuleForOrganizationInput`) /// - /// - Returns: `DeleteTelemetryRuleForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTelemetryRuleForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -775,7 +769,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTelemetryRuleForOrganizationOutput.httpOutput(from:), DeleteTelemetryRuleForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension ObservabilityAdminClient { /// /// Retrieves the details of a specific organization centralization rule. This operation can only be called by the organization's management account or a delegated administrator account. /// - /// - Parameter GetCentralizationRuleForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCentralizationRuleForOrganizationInput`) /// - /// - Returns: `GetCentralizationRuleForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCentralizationRuleForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCentralizationRuleForOrganizationOutput.httpOutput(from:), GetCentralizationRuleForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension ObservabilityAdminClient { /// /// Returns the current onboarding status of the telemetry config feature, including the status of the feature and reason the feature failed to start or stop. /// - /// - Parameter GetTelemetryEvaluationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTelemetryEvaluationStatusInput`) /// - /// - Returns: `GetTelemetryEvaluationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTelemetryEvaluationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTelemetryEvaluationStatusOutput.httpOutput(from:), GetTelemetryEvaluationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +937,9 @@ extension ObservabilityAdminClient { /// /// This returns the onboarding status of the telemetry configuration feature for the organization. It can only be called by a Management Account of an Amazon Web Services Organization or an assigned Delegated Admin Account of Amazon CloudWatch telemetry config. /// - /// - Parameter GetTelemetryEvaluationStatusForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTelemetryEvaluationStatusForOrganizationInput`) /// - /// - Returns: `GetTelemetryEvaluationStatusForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTelemetryEvaluationStatusForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -982,7 +973,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTelemetryEvaluationStatusForOrganizationOutput.httpOutput(from:), GetTelemetryEvaluationStatusForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1014,9 +1004,9 @@ extension ObservabilityAdminClient { /// /// Retrieves the details of a specific telemetry rule in your account. /// - /// - Parameter GetTelemetryRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTelemetryRuleInput`) /// - /// - Returns: `GetTelemetryRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTelemetryRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTelemetryRuleOutput.httpOutput(from:), GetTelemetryRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1075,9 @@ extension ObservabilityAdminClient { /// /// Retrieves the details of a specific organization telemetry rule. This operation can only be called by the organization's management account or a delegated administrator account. /// - /// - Parameter GetTelemetryRuleForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTelemetryRuleForOrganizationInput`) /// - /// - Returns: `GetTelemetryRuleForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTelemetryRuleForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1126,7 +1115,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTelemetryRuleForOrganizationOutput.httpOutput(from:), GetTelemetryRuleForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1158,9 +1146,9 @@ extension ObservabilityAdminClient { /// /// Lists all centralization rules in your organization. This operation can only be called by the organization's management account or a delegated administrator account. /// - /// - Parameter ListCentralizationRulesForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCentralizationRulesForOrganizationInput`) /// - /// - Returns: `ListCentralizationRulesForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCentralizationRulesForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1197,7 +1185,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCentralizationRulesForOrganizationOutput.httpOutput(from:), ListCentralizationRulesForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1229,9 +1216,9 @@ extension ObservabilityAdminClient { /// /// Returns a list of telemetry configurations for Amazon Web Services resources supported by telemetry config. For more information, see [Auditing CloudWatch telemetry configurations](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/telemetry-config-cloudwatch.html). /// - /// - Parameter ListResourceTelemetryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceTelemetryInput`) /// - /// - Returns: `ListResourceTelemetryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceTelemetryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1268,7 +1255,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceTelemetryOutput.httpOutput(from:), ListResourceTelemetryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1300,9 +1286,9 @@ extension ObservabilityAdminClient { /// /// Returns a list of telemetry configurations for Amazon Web Services resources supported by telemetry config in the organization. /// - /// - Parameter ListResourceTelemetryForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceTelemetryForOrganizationInput`) /// - /// - Returns: `ListResourceTelemetryForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceTelemetryForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1339,7 +1325,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceTelemetryForOrganizationOutput.httpOutput(from:), ListResourceTelemetryForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1371,9 +1356,9 @@ extension ObservabilityAdminClient { /// /// Lists all tags attached to the specified telemetry rule resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1411,7 +1396,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1443,9 +1427,9 @@ extension ObservabilityAdminClient { /// /// Lists all telemetry rules in your account. You can filter the results by specifying a rule name prefix. /// - /// - Parameter ListTelemetryRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTelemetryRulesInput`) /// - /// - Returns: `ListTelemetryRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTelemetryRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1482,7 +1466,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTelemetryRulesOutput.httpOutput(from:), ListTelemetryRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1514,9 +1497,9 @@ extension ObservabilityAdminClient { /// /// Lists all telemetry rules in your organization. This operation can only be called by the organization's management account or a delegated administrator account. /// - /// - Parameter ListTelemetryRulesForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTelemetryRulesForOrganizationInput`) /// - /// - Returns: `ListTelemetryRulesForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTelemetryRulesForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1553,7 +1536,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTelemetryRulesForOrganizationOutput.httpOutput(from:), ListTelemetryRulesForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1585,9 +1567,9 @@ extension ObservabilityAdminClient { /// /// This action begins onboarding the caller Amazon Web Services account to the telemetry config feature. /// - /// - Parameter StartTelemetryEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTelemetryEvaluationInput`) /// - /// - Returns: `StartTelemetryEvaluationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTelemetryEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1621,7 +1603,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTelemetryEvaluationOutput.httpOutput(from:), StartTelemetryEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1653,9 +1634,9 @@ extension ObservabilityAdminClient { /// /// This actions begins onboarding the organization and all member accounts to the telemetry config feature. /// - /// - Parameter StartTelemetryEvaluationForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTelemetryEvaluationForOrganizationInput`) /// - /// - Returns: `StartTelemetryEvaluationForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTelemetryEvaluationForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1689,7 +1670,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTelemetryEvaluationForOrganizationOutput.httpOutput(from:), StartTelemetryEvaluationForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1721,9 +1701,9 @@ extension ObservabilityAdminClient { /// /// This action begins offboarding the caller Amazon Web Services account from the telemetry config feature. /// - /// - Parameter StopTelemetryEvaluationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopTelemetryEvaluationInput`) /// - /// - Returns: `StopTelemetryEvaluationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopTelemetryEvaluationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1757,7 +1737,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopTelemetryEvaluationOutput.httpOutput(from:), StopTelemetryEvaluationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1789,9 +1768,9 @@ extension ObservabilityAdminClient { /// /// This action offboards the Organization of the caller Amazon Web Services account from the telemetry config feature. /// - /// - Parameter StopTelemetryEvaluationForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopTelemetryEvaluationForOrganizationInput`) /// - /// - Returns: `StopTelemetryEvaluationForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopTelemetryEvaluationForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1825,7 +1804,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopTelemetryEvaluationForOrganizationOutput.httpOutput(from:), StopTelemetryEvaluationForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1857,9 +1835,9 @@ extension ObservabilityAdminClient { /// /// Adds or updates tags for a telemetry rule resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1898,7 +1876,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1930,9 +1907,9 @@ extension ObservabilityAdminClient { /// /// Removes tags from a telemetry rule resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1970,7 +1947,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2002,9 +1978,9 @@ extension ObservabilityAdminClient { /// /// Updates an existing centralization rule that applies across an Amazon Web Services Organization. This operation can only be called by the organization's management account or a delegated administrator account. /// - /// - Parameter UpdateCentralizationRuleForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCentralizationRuleForOrganizationInput`) /// - /// - Returns: `UpdateCentralizationRuleForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCentralizationRuleForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2043,7 +2019,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCentralizationRuleForOrganizationOutput.httpOutput(from:), UpdateCentralizationRuleForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2075,9 +2050,9 @@ extension ObservabilityAdminClient { /// /// Updates an existing telemetry rule in your account. /// - /// - Parameter UpdateTelemetryRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTelemetryRuleInput`) /// - /// - Returns: `UpdateTelemetryRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTelemetryRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2116,7 +2091,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTelemetryRuleOutput.httpOutput(from:), UpdateTelemetryRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2148,9 +2122,9 @@ extension ObservabilityAdminClient { /// /// Updates an existing telemetry rule that applies across an Amazon Web Services Organization. This operation can only be called by the organization's management account or a delegated administrator account. /// - /// - Parameter UpdateTelemetryRuleForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTelemetryRuleForOrganizationInput`) /// - /// - Returns: `UpdateTelemetryRuleForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTelemetryRuleForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2189,7 +2163,6 @@ extension ObservabilityAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTelemetryRuleForOrganizationOutput.httpOutput(from:), UpdateTelemetryRuleForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSOdb/Sources/AWSOdb/OdbClient.swift b/Sources/Services/AWSOdb/Sources/AWSOdb/OdbClient.swift index 649ec055d05..0b028e7d1b1 100644 --- a/Sources/Services/AWSOdb/Sources/AWSOdb/OdbClient.swift +++ b/Sources/Services/AWSOdb/Sources/AWSOdb/OdbClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class OdbClient: ClientRuntime.Client { public static let clientName = "OdbClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: OdbClient.OdbClientConfiguration let serviceName = "odb" @@ -374,9 +373,9 @@ extension OdbClient { /// /// Registers the Amazon Web Services Marketplace token for your Amazon Web Services account to activate your Oracle Database@Amazon Web Services subscription. /// - /// - Parameter AcceptMarketplaceRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptMarketplaceRegistrationInput`) /// - /// - Returns: `AcceptMarketplaceRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptMarketplaceRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptMarketplaceRegistrationOutput.httpOutput(from:), AcceptMarketplaceRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension OdbClient { /// /// Creates a new Autonomous VM cluster in the specified Exadata infrastructure. /// - /// - Parameter CreateCloudAutonomousVmClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCloudAutonomousVmClusterInput`) /// - /// - Returns: `CreateCloudAutonomousVmClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCloudAutonomousVmClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCloudAutonomousVmClusterOutput.httpOutput(from:), CreateCloudAutonomousVmClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension OdbClient { /// /// Creates an Exadata infrastructure. /// - /// - Parameter CreateCloudExadataInfrastructureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCloudExadataInfrastructureInput`) /// - /// - Returns: `CreateCloudExadataInfrastructureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCloudExadataInfrastructureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCloudExadataInfrastructureOutput.httpOutput(from:), CreateCloudExadataInfrastructureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -598,9 +594,9 @@ extension OdbClient { /// /// Creates a VM cluster on the specified Exadata infrastructure. /// - /// - Parameter CreateCloudVmClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCloudVmClusterInput`) /// - /// - Returns: `CreateCloudVmClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCloudVmClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -639,7 +635,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCloudVmClusterOutput.httpOutput(from:), CreateCloudVmClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -674,9 +669,9 @@ extension OdbClient { /// /// Creates an ODB network. /// - /// - Parameter CreateOdbNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOdbNetworkInput`) /// - /// - Returns: `CreateOdbNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOdbNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -714,7 +709,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOdbNetworkOutput.httpOutput(from:), CreateOdbNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -749,9 +743,9 @@ extension OdbClient { /// /// Creates a peering connection between an ODB network and either another ODB network or a customer-owned VPC. A peering connection enables private connectivity between the networks for application-tier communication. /// - /// - Parameter CreateOdbPeeringConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOdbPeeringConnectionInput`) /// - /// - Returns: `CreateOdbPeeringConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOdbPeeringConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -789,7 +783,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOdbPeeringConnectionOutput.httpOutput(from:), CreateOdbPeeringConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -824,9 +817,9 @@ extension OdbClient { /// /// Deletes an Autonomous VM cluster. /// - /// - Parameter DeleteCloudAutonomousVmClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCloudAutonomousVmClusterInput`) /// - /// - Returns: `DeleteCloudAutonomousVmClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCloudAutonomousVmClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -862,7 +855,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCloudAutonomousVmClusterOutput.httpOutput(from:), DeleteCloudAutonomousVmClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -897,9 +889,9 @@ extension OdbClient { /// /// Deletes the specified Exadata infrastructure. Before you use this operation, make sure to delete all of the VM clusters that are hosted on this Exadata infrastructure. /// - /// - Parameter DeleteCloudExadataInfrastructureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCloudExadataInfrastructureInput`) /// - /// - Returns: `DeleteCloudExadataInfrastructureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCloudExadataInfrastructureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -936,7 +928,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCloudExadataInfrastructureOutput.httpOutput(from:), DeleteCloudExadataInfrastructureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -971,9 +962,9 @@ extension OdbClient { /// /// Deletes the specified VM cluster. /// - /// - Parameter DeleteCloudVmClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCloudVmClusterInput`) /// - /// - Returns: `DeleteCloudVmClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCloudVmClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1009,7 +1000,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCloudVmClusterOutput.httpOutput(from:), DeleteCloudVmClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1044,9 +1034,9 @@ extension OdbClient { /// /// Deletes the specified ODB network. /// - /// - Parameter DeleteOdbNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOdbNetworkInput`) /// - /// - Returns: `DeleteOdbNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOdbNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1082,7 +1072,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOdbNetworkOutput.httpOutput(from:), DeleteOdbNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1117,9 +1106,9 @@ extension OdbClient { /// /// Deletes an ODB peering connection. When you delete an ODB peering connection, the underlying VPC peering connection is also deleted. /// - /// - Parameter DeleteOdbPeeringConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOdbPeeringConnectionInput`) /// - /// - Returns: `DeleteOdbPeeringConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOdbPeeringConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1155,7 +1144,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOdbPeeringConnectionOutput.httpOutput(from:), DeleteOdbPeeringConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1190,9 +1178,9 @@ extension OdbClient { /// /// Gets information about a specific Autonomous VM cluster. /// - /// - Parameter GetCloudAutonomousVmClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCloudAutonomousVmClusterInput`) /// - /// - Returns: `GetCloudAutonomousVmClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCloudAutonomousVmClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1228,7 +1216,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudAutonomousVmClusterOutput.httpOutput(from:), GetCloudAutonomousVmClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1263,9 +1250,9 @@ extension OdbClient { /// /// Returns information about the specified Exadata infrastructure. /// - /// - Parameter GetCloudExadataInfrastructureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCloudExadataInfrastructureInput`) /// - /// - Returns: `GetCloudExadataInfrastructureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCloudExadataInfrastructureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1301,7 +1288,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudExadataInfrastructureOutput.httpOutput(from:), GetCloudExadataInfrastructureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1336,9 +1322,9 @@ extension OdbClient { /// /// Retrieves information about unallocated resources in a specified Cloud Exadata Infrastructure. /// - /// - Parameter GetCloudExadataInfrastructureUnallocatedResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCloudExadataInfrastructureUnallocatedResourcesInput`) /// - /// - Returns: `GetCloudExadataInfrastructureUnallocatedResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCloudExadataInfrastructureUnallocatedResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1374,7 +1360,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudExadataInfrastructureUnallocatedResourcesOutput.httpOutput(from:), GetCloudExadataInfrastructureUnallocatedResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1409,9 +1394,9 @@ extension OdbClient { /// /// Returns information about the specified VM cluster. /// - /// - Parameter GetCloudVmClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCloudVmClusterInput`) /// - /// - Returns: `GetCloudVmClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCloudVmClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1447,7 +1432,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudVmClusterOutput.httpOutput(from:), GetCloudVmClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1482,9 +1466,9 @@ extension OdbClient { /// /// Returns information about the specified DB node. /// - /// - Parameter GetDbNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDbNodeInput`) /// - /// - Returns: `GetDbNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDbNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1520,7 +1504,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDbNodeOutput.httpOutput(from:), GetDbNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1555,9 +1538,9 @@ extension OdbClient { /// /// Returns information about the specified database server. /// - /// - Parameter GetDbServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDbServerInput`) /// - /// - Returns: `GetDbServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDbServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1593,7 +1576,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDbServerOutput.httpOutput(from:), GetDbServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1628,9 +1610,9 @@ extension OdbClient { /// /// Returns the tenancy activation link and onboarding status for your Amazon Web Services account. /// - /// - Parameter GetOciOnboardingStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOciOnboardingStatusInput`) /// - /// - Returns: `GetOciOnboardingStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOciOnboardingStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1665,7 +1647,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOciOnboardingStatusOutput.httpOutput(from:), GetOciOnboardingStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1700,9 +1681,9 @@ extension OdbClient { /// /// Returns information about the specified ODB network. /// - /// - Parameter GetOdbNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOdbNetworkInput`) /// - /// - Returns: `GetOdbNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOdbNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1738,7 +1719,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOdbNetworkOutput.httpOutput(from:), GetOdbNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1773,9 +1753,9 @@ extension OdbClient { /// /// Retrieves information about an ODB peering connection. /// - /// - Parameter GetOdbPeeringConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOdbPeeringConnectionInput`) /// - /// - Returns: `GetOdbPeeringConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOdbPeeringConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1811,7 +1791,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOdbPeeringConnectionOutput.httpOutput(from:), GetOdbPeeringConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1846,9 +1825,9 @@ extension OdbClient { /// /// Initializes the ODB service for the first time in an account. /// - /// - Parameter InitializeServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InitializeServiceInput`) /// - /// - Returns: `InitializeServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InitializeServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1883,7 +1862,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitializeServiceOutput.httpOutput(from:), InitializeServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1918,9 +1896,9 @@ extension OdbClient { /// /// Lists all Autonomous VMs in an Autonomous VM cluster. /// - /// - Parameter ListAutonomousVirtualMachinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutonomousVirtualMachinesInput`) /// - /// - Returns: `ListAutonomousVirtualMachinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutonomousVirtualMachinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1956,7 +1934,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutonomousVirtualMachinesOutput.httpOutput(from:), ListAutonomousVirtualMachinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1991,9 +1968,9 @@ extension OdbClient { /// /// Lists all Autonomous VM clusters in a specified Cloud Exadata infrastructure. /// - /// - Parameter ListCloudAutonomousVmClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCloudAutonomousVmClustersInput`) /// - /// - Returns: `ListCloudAutonomousVmClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCloudAutonomousVmClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2029,7 +2006,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCloudAutonomousVmClustersOutput.httpOutput(from:), ListCloudAutonomousVmClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2064,9 +2040,9 @@ extension OdbClient { /// /// Returns information about the Exadata infrastructures owned by your Amazon Web Services account. /// - /// - Parameter ListCloudExadataInfrastructuresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCloudExadataInfrastructuresInput`) /// - /// - Returns: `ListCloudExadataInfrastructuresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCloudExadataInfrastructuresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2101,7 +2077,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCloudExadataInfrastructuresOutput.httpOutput(from:), ListCloudExadataInfrastructuresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2136,9 +2111,9 @@ extension OdbClient { /// /// Returns information about the VM clusters owned by your Amazon Web Services account or only the ones on the specified Exadata infrastructure. /// - /// - Parameter ListCloudVmClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCloudVmClustersInput`) /// - /// - Returns: `ListCloudVmClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCloudVmClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2174,7 +2149,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCloudVmClustersOutput.httpOutput(from:), ListCloudVmClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2209,9 +2183,9 @@ extension OdbClient { /// /// Returns information about the DB nodes for the specified VM cluster. /// - /// - Parameter ListDbNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDbNodesInput`) /// - /// - Returns: `ListDbNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDbNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2247,7 +2221,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDbNodesOutput.httpOutput(from:), ListDbNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2282,9 +2255,9 @@ extension OdbClient { /// /// Returns information about the database servers that belong to the specified Exadata infrastructure. /// - /// - Parameter ListDbServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDbServersInput`) /// - /// - Returns: `ListDbServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDbServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2320,7 +2293,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDbServersOutput.httpOutput(from:), ListDbServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2355,9 +2327,9 @@ extension OdbClient { /// /// Returns information about the shapes that are available for an Exadata infrastructure. /// - /// - Parameter ListDbSystemShapesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDbSystemShapesInput`) /// - /// - Returns: `ListDbSystemShapesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDbSystemShapesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2392,7 +2364,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDbSystemShapesOutput.httpOutput(from:), ListDbSystemShapesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2427,9 +2398,9 @@ extension OdbClient { /// /// Returns information about Oracle Grid Infrastructure (GI) software versions that are available for a VM cluster for the specified shape. /// - /// - Parameter ListGiVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGiVersionsInput`) /// - /// - Returns: `ListGiVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGiVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2464,7 +2435,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGiVersionsOutput.httpOutput(from:), ListGiVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2499,9 +2469,9 @@ extension OdbClient { /// /// Returns information about the ODB networks owned by your Amazon Web Services account. /// - /// - Parameter ListOdbNetworksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOdbNetworksInput`) /// - /// - Returns: `ListOdbNetworksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOdbNetworksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2536,7 +2506,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOdbNetworksOutput.httpOutput(from:), ListOdbNetworksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2571,9 +2540,9 @@ extension OdbClient { /// /// Lists all ODB peering connections or those associated with a specific ODB network. /// - /// - Parameter ListOdbPeeringConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOdbPeeringConnectionsInput`) /// - /// - Returns: `ListOdbPeeringConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOdbPeeringConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2609,7 +2578,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOdbPeeringConnectionsOutput.httpOutput(from:), ListOdbPeeringConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2644,9 +2612,9 @@ extension OdbClient { /// /// Returns information about the system versions that are available for a VM cluster for the specified giVersion and shape. /// - /// - Parameter ListSystemVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSystemVersionsInput`) /// - /// - Returns: `ListSystemVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSystemVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2682,7 +2650,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSystemVersionsOutput.httpOutput(from:), ListSystemVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2717,9 +2684,9 @@ extension OdbClient { /// /// Returns information about the tags applied to this resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2751,7 +2718,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2786,9 +2752,9 @@ extension OdbClient { /// /// Reboots the specified DB node in a VM cluster. /// - /// - Parameter RebootDbNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootDbNodeInput`) /// - /// - Returns: `RebootDbNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootDbNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2824,7 +2790,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootDbNodeOutput.httpOutput(from:), RebootDbNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2859,9 +2824,9 @@ extension OdbClient { /// /// Starts the specified DB node in a VM cluster. /// - /// - Parameter StartDbNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDbNodeInput`) /// - /// - Returns: `StartDbNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDbNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2897,7 +2862,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDbNodeOutput.httpOutput(from:), StartDbNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2932,9 +2896,9 @@ extension OdbClient { /// /// Stops the specified DB node in a VM cluster. /// - /// - Parameter StopDbNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDbNodeInput`) /// - /// - Returns: `StopDbNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDbNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2970,7 +2934,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDbNodeOutput.httpOutput(from:), StopDbNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3005,9 +2968,9 @@ extension OdbClient { /// /// Applies tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3040,7 +3003,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3075,9 +3037,9 @@ extension OdbClient { /// /// Removes tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3109,7 +3071,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3144,9 +3105,9 @@ extension OdbClient { /// /// Updates the properties of an Exadata infrastructure resource. /// - /// - Parameter UpdateCloudExadataInfrastructureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCloudExadataInfrastructureInput`) /// - /// - Returns: `UpdateCloudExadataInfrastructureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCloudExadataInfrastructureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3183,7 +3144,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCloudExadataInfrastructureOutput.httpOutput(from:), UpdateCloudExadataInfrastructureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3218,9 +3178,9 @@ extension OdbClient { /// /// Updates properties of a specified ODB network. /// - /// - Parameter UpdateOdbNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOdbNetworkInput`) /// - /// - Returns: `UpdateOdbNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOdbNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3257,7 +3217,6 @@ extension OdbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOdbNetworkOutput.httpOutput(from:), UpdateOdbNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSOmics/Sources/AWSOmics/OmicsClient.swift b/Sources/Services/AWSOmics/Sources/AWSOmics/OmicsClient.swift index 39b35359aa3..53cf074b6ec 100644 --- a/Sources/Services/AWSOmics/Sources/AWSOmics/OmicsClient.swift +++ b/Sources/Services/AWSOmics/Sources/AWSOmics/OmicsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -74,7 +73,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class OmicsClient: ClientRuntime.Client { public static let clientName = "OmicsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: OmicsClient.OmicsClientConfiguration let serviceName = "Omics" @@ -380,9 +379,9 @@ extension OmicsClient { /// /// Stops a multipart read set upload into a sequence store and returns a response with no body if the operation is successful. To confirm that a multipart read set upload has been stopped, use the ListMultipartReadSetUploads API operation to view all active multipart read set uploads. /// - /// - Parameter AbortMultipartReadSetUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AbortMultipartReadSetUploadInput`) /// - /// - Returns: `AbortMultipartReadSetUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AbortMultipartReadSetUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -420,7 +419,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(AbortMultipartReadSetUploadOutput.httpOutput(from:), AbortMultipartReadSetUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension OmicsClient { /// /// Accept a resource share request. /// - /// - Parameter AcceptShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptShareInput`) /// - /// - Returns: `AcceptShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "analytics-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptShareOutput.httpOutput(from:), AcceptShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension OmicsClient { /// /// Deletes one or more read sets. If the operation is successful, it returns a response with no body. If there is an error with deleting one of the read sets, the operation returns an error list. If the operation successfully deletes only a subset of files, it will return an error list for the remaining files that fail to be deleted. There is a limit of 100 read sets that can be deleted in each BatchDeleteReadSet API call. /// - /// - Parameter BatchDeleteReadSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteReadSetInput`) /// - /// - Returns: `BatchDeleteReadSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteReadSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +561,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteReadSetOutput.httpOutput(from:), BatchDeleteReadSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension OmicsClient { /// /// Cancels an annotation import job. /// - /// - Parameter CancelAnnotationImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelAnnotationImportJobInput`) /// - /// - Returns: `CancelAnnotationImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelAnnotationImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "analytics-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelAnnotationImportJobOutput.httpOutput(from:), CancelAnnotationImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension OmicsClient { /// /// Cancels a run using its ID and returns a response with no body if the operation is successful. To confirm that the run has been cancelled, use the ListRuns API operation to check that it is no longer listed. /// - /// - Parameter CancelRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelRunInput`) /// - /// - Returns: `CancelRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "workflows-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelRunOutput.httpOutput(from:), CancelRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -737,9 +731,9 @@ extension OmicsClient { /// /// Cancels a variant import job. /// - /// - Parameter CancelVariantImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelVariantImportJobInput`) /// - /// - Returns: `CancelVariantImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelVariantImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "analytics-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelVariantImportJobOutput.httpOutput(from:), CancelVariantImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension OmicsClient { /// /// Completes a multipart read set upload into a sequence store after you have initiated the upload process with CreateMultipartReadSetUpload and uploaded all read set parts using UploadReadSetPart. You must specify the parts you uploaded using the parts parameter. If the operation is successful, it returns the read set ID(s) of the uploaded read set(s). For more information, see [Direct upload to a sequence store](https://docs.aws.amazon.com/omics/latest/dev/synchronous-uploads.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter CompleteMultipartReadSetUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CompleteMultipartReadSetUploadInput`) /// - /// - Returns: `CompleteMultipartReadSetUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompleteMultipartReadSetUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -849,7 +842,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteMultipartReadSetUploadOutput.httpOutput(from:), CompleteMultipartReadSetUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -881,9 +873,9 @@ extension OmicsClient { /// /// Creates an annotation store. /// - /// - Parameter CreateAnnotationStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAnnotationStoreInput`) /// - /// - Returns: `CreateAnnotationStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAnnotationStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -923,7 +915,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAnnotationStoreOutput.httpOutput(from:), CreateAnnotationStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -955,9 +946,9 @@ extension OmicsClient { /// /// Creates a new version of an annotation store. /// - /// - Parameter CreateAnnotationStoreVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAnnotationStoreVersionInput`) /// - /// - Returns: `CreateAnnotationStoreVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAnnotationStoreVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +988,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAnnotationStoreVersionOutput.httpOutput(from:), CreateAnnotationStoreVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1036,9 +1026,9 @@ extension OmicsClient { /// /// When you have finished uploading parts, use the CompleteMultipartReadSetUpload API to complete the multipart read set upload and to retrieve the final read set IDs in the response. To learn more about creating parts and the split operation, see [Direct upload to a sequence store](https://docs.aws.amazon.com/omics/latest/dev/synchronous-uploads.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter CreateMultipartReadSetUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMultipartReadSetUploadInput`) /// - /// - Returns: `CreateMultipartReadSetUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMultipartReadSetUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1079,7 +1069,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMultipartReadSetUploadOutput.httpOutput(from:), CreateMultipartReadSetUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1111,9 +1100,9 @@ extension OmicsClient { /// /// Creates a reference store and returns metadata in JSON format. Reference stores are used to store reference genomes in FASTA format. A reference store is created when the first reference genome is imported. To import additional reference genomes from an Amazon S3 bucket, use the StartReferenceImportJob API operation. For more information, see [Creating a HealthOmics reference store](https://docs.aws.amazon.com/omics/latest/dev/create-reference-store.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter CreateReferenceStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReferenceStoreInput`) /// - /// - Returns: `CreateReferenceStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReferenceStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1152,7 +1141,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReferenceStoreOutput.httpOutput(from:), CreateReferenceStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1184,9 +1172,9 @@ extension OmicsClient { /// /// Creates a run cache to store and reference task outputs from completed private runs. Specify an Amazon S3 location where Amazon Web Services HealthOmics saves the cached data. This data must be immediately accessible and not in an archived state. You can save intermediate task files to a run cache if they are declared as task outputs in the workflow definition file. For more information, see [Call caching](https://docs.aws.amazon.com/omics/latest/dev/workflows-call-caching.html) and [Creating a run cache](https://docs.aws.amazon.com/omics/latest/dev/workflow-cache-create.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter CreateRunCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRunCacheInput`) /// - /// - Returns: `CreateRunCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRunCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1228,7 +1216,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRunCacheOutput.httpOutput(from:), CreateRunCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1260,9 +1247,9 @@ extension OmicsClient { /// /// Creates a run group to limit the compute resources for the runs that are added to the group. Returns an ARN, ID, and tags for the run group. /// - /// - Parameter CreateRunGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRunGroupInput`) /// - /// - Returns: `CreateRunGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRunGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1304,7 +1291,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRunGroupOutput.httpOutput(from:), CreateRunGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1349,9 +1335,9 @@ extension OmicsClient { /// /// For more information, see [Creating a HealthOmics sequence store](https://docs.aws.amazon.com/omics/latest/dev/create-sequence-store.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter CreateSequenceStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSequenceStoreInput`) /// - /// - Returns: `CreateSequenceStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSequenceStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1391,7 +1377,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSequenceStoreOutput.httpOutput(from:), CreateSequenceStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1429,9 +1414,9 @@ extension OmicsClient { /// /// * Private workflows /// - /// - Parameter CreateShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateShareInput`) /// - /// - Returns: `CreateShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1471,7 +1456,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateShareOutput.httpOutput(from:), CreateShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1503,9 +1487,9 @@ extension OmicsClient { /// /// Creates a variant store. /// - /// - Parameter CreateVariantStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVariantStoreInput`) /// - /// - Returns: `CreateVariantStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVariantStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1545,7 +1529,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVariantStoreOutput.httpOutput(from:), CreateVariantStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1588,9 +1571,9 @@ extension OmicsClient { /// /// For more information, see [Creating or updating a private workflow in Amazon Web Services HealthOmics](https://docs.aws.amazon.com/omics/latest/dev/creating-private-workflows.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter CreateWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkflowInput`) /// - /// - Returns: `CreateWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1632,7 +1615,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkflowOutput.httpOutput(from:), CreateWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1664,9 +1646,9 @@ extension OmicsClient { /// /// Creates a new workflow version for the workflow that you specify with the workflowId parameter. When you create a new version of a workflow, you need to specify the configuration for the new version. It doesn't inherit any configuration values from the workflow. Provide a version name that is unique for this workflow. You cannot change the name after HealthOmics creates the version. Don't include any personally identifiable information (PII) in the version name. Version names appear in the workflow version ARN. For more information, see [Workflow versioning in Amazon Web Services HealthOmics](https://docs.aws.amazon.com/omics/latest/dev/workflow-versions.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter CreateWorkflowVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkflowVersionInput`) /// - /// - Returns: `CreateWorkflowVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkflowVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1708,7 +1690,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkflowVersionOutput.httpOutput(from:), CreateWorkflowVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1740,9 +1721,9 @@ extension OmicsClient { /// /// Deletes an annotation store. /// - /// - Parameter DeleteAnnotationStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAnnotationStoreInput`) /// - /// - Returns: `DeleteAnnotationStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAnnotationStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1779,7 +1760,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAnnotationStoreInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnnotationStoreOutput.httpOutput(from:), DeleteAnnotationStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1811,9 +1791,9 @@ extension OmicsClient { /// /// Deletes one or multiple versions of an annotation store. /// - /// - Parameter DeleteAnnotationStoreVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAnnotationStoreVersionsInput`) /// - /// - Returns: `DeleteAnnotationStoreVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAnnotationStoreVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1853,7 +1833,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnnotationStoreVersionsOutput.httpOutput(from:), DeleteAnnotationStoreVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1885,9 +1864,9 @@ extension OmicsClient { /// /// Deletes a reference genome and returns a response with no body if the operation is successful. The read set associated with the reference genome must first be deleted before deleting the reference genome. After the reference genome is deleted, you can delete the reference store using the DeleteReferenceStore API operation. For more information, see [Deleting HealthOmics reference and sequence stores](https://docs.aws.amazon.com/omics/latest/dev/deleting-reference-and-sequence-stores.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter DeleteReferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReferenceInput`) /// - /// - Returns: `DeleteReferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReferenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1924,7 +1903,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReferenceOutput.httpOutput(from:), DeleteReferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1956,9 +1934,9 @@ extension OmicsClient { /// /// Deletes a reference store and returns a response with no body if the operation is successful. You can only delete a reference store when it does not contain any reference genomes. To empty a reference store, use DeleteReference. For more information about your workflow status, see [Deleting HealthOmics reference and sequence stores](https://docs.aws.amazon.com/omics/latest/dev/deleting-reference-and-sequence-stores.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter DeleteReferenceStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReferenceStoreInput`) /// - /// - Returns: `DeleteReferenceStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReferenceStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1995,7 +1973,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReferenceStoreOutput.httpOutput(from:), DeleteReferenceStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2031,9 +2008,9 @@ extension OmicsClient { /// /// * Use GetRun to verify the workflow cannot be found. /// - /// - Parameter DeleteRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRunInput`) /// - /// - Returns: `DeleteRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2071,7 +2048,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "workflows-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRunOutput.httpOutput(from:), DeleteRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2103,9 +2079,9 @@ extension OmicsClient { /// /// Deletes a run cache and returns a response with no body if the operation is successful. This action removes the cache metadata stored in the service account, but does not delete the data in Amazon S3. You can access the cache data in Amazon S3, for inspection or to troubleshoot issues. You can remove old cache data using standard S3 Delete operations. For more information, see [Deleting a run cache](https://docs.aws.amazon.com/omics/latest/dev/workflow-cache-delete.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter DeleteRunCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRunCacheInput`) /// - /// - Returns: `DeleteRunCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRunCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2143,7 +2119,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "workflows-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRunCacheOutput.httpOutput(from:), DeleteRunCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2179,9 +2154,9 @@ extension OmicsClient { /// /// * Use GetRunGroup to verify the workflow cannot be found. /// - /// - Parameter DeleteRunGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRunGroupInput`) /// - /// - Returns: `DeleteRunGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRunGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2219,7 +2194,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "workflows-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRunGroupOutput.httpOutput(from:), DeleteRunGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2251,9 +2225,9 @@ extension OmicsClient { /// /// Deletes an access policy for the specified store. /// - /// - Parameter DeleteS3AccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteS3AccessPolicyInput`) /// - /// - Returns: `DeleteS3AccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteS3AccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2290,7 +2264,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteS3AccessPolicyOutput.httpOutput(from:), DeleteS3AccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2322,9 +2295,9 @@ extension OmicsClient { /// /// Deletes a sequence store and returns a response with no body if the operation is successful. You can only delete a sequence store when it does not contain any read sets. Use the BatchDeleteReadSet API operation to ensure that all read sets in the sequence store are deleted. When a sequence store is deleted, all tags associated with the store are also deleted. For more information, see [Deleting HealthOmics reference and sequence stores](https://docs.aws.amazon.com/omics/latest/dev/deleting-reference-and-sequence-stores.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter DeleteSequenceStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSequenceStoreInput`) /// - /// - Returns: `DeleteSequenceStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSequenceStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2361,7 +2334,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSequenceStoreOutput.httpOutput(from:), DeleteSequenceStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2393,9 +2365,9 @@ extension OmicsClient { /// /// Deletes a resource share. If you are the resource owner, the subscriber will no longer have access to the shared resource. If you are the subscriber, this operation deletes your access to the share. /// - /// - Parameter DeleteShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteShareInput`) /// - /// - Returns: `DeleteShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2432,7 +2404,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "analytics-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteShareOutput.httpOutput(from:), DeleteShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2464,9 +2435,9 @@ extension OmicsClient { /// /// Deletes a variant store. /// - /// - Parameter DeleteVariantStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVariantStoreInput`) /// - /// - Returns: `DeleteVariantStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVariantStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2503,7 +2474,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteVariantStoreInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVariantStoreOutput.httpOutput(from:), DeleteVariantStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2539,9 +2509,9 @@ extension OmicsClient { /// /// * Use GetWorkflow to verify the workflow cannot be found. /// - /// - Parameter DeleteWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkflowInput`) /// - /// - Returns: `DeleteWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2579,7 +2549,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "workflows-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkflowOutput.httpOutput(from:), DeleteWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2611,9 +2580,9 @@ extension OmicsClient { /// /// Deletes a workflow version. Deleting a workflow version doesn't affect any ongoing runs that are using the workflow version. For more information, see [Workflow versioning in Amazon Web Services HealthOmics](https://docs.aws.amazon.com/omics/latest/dev/workflow-versions.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter DeleteWorkflowVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkflowVersionInput`) /// - /// - Returns: `DeleteWorkflowVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkflowVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2651,7 +2620,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "workflows-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkflowVersionOutput.httpOutput(from:), DeleteWorkflowVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2683,9 +2651,9 @@ extension OmicsClient { /// /// Gets information about an annotation import job. /// - /// - Parameter GetAnnotationImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAnnotationImportJobInput`) /// - /// - Returns: `GetAnnotationImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAnnotationImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2720,7 +2688,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "analytics-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnnotationImportJobOutput.httpOutput(from:), GetAnnotationImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2752,9 +2719,9 @@ extension OmicsClient { /// /// Gets information about an annotation store. /// - /// - Parameter GetAnnotationStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAnnotationStoreInput`) /// - /// - Returns: `GetAnnotationStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAnnotationStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2789,7 +2756,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "analytics-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnnotationStoreOutput.httpOutput(from:), GetAnnotationStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2821,9 +2787,9 @@ extension OmicsClient { /// /// Retrieves the metadata for an annotation store version. /// - /// - Parameter GetAnnotationStoreVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAnnotationStoreVersionInput`) /// - /// - Returns: `GetAnnotationStoreVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAnnotationStoreVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2858,7 +2824,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "analytics-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnnotationStoreVersionOutput.httpOutput(from:), GetAnnotationStoreVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2890,9 +2855,9 @@ extension OmicsClient { /// /// Retrieves detailed information from parts of a read set and returns the read set in the same format that it was uploaded. You must have read sets uploaded to your sequence store in order to run this operation. /// - /// - Parameter GetReadSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReadSetInput`) /// - /// - Returns: `GetReadSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReadSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2931,7 +2896,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetReadSetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReadSetOutput.httpOutput(from:), GetReadSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2963,9 +2927,9 @@ extension OmicsClient { /// /// Returns detailed information about the status of a read set activation job in JSON format. /// - /// - Parameter GetReadSetActivationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReadSetActivationJobInput`) /// - /// - Returns: `GetReadSetActivationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReadSetActivationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3001,7 +2965,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReadSetActivationJobOutput.httpOutput(from:), GetReadSetActivationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3033,9 +2996,9 @@ extension OmicsClient { /// /// Retrieves status information about a read set export job and returns the data in JSON format. Use this operation to actively monitor the progress of an export job. /// - /// - Parameter GetReadSetExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReadSetExportJobInput`) /// - /// - Returns: `GetReadSetExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReadSetExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3071,7 +3034,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReadSetExportJobOutput.httpOutput(from:), GetReadSetExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3103,9 +3065,9 @@ extension OmicsClient { /// /// Gets detailed and status information about a read set import job and returns the data in JSON format. /// - /// - Parameter GetReadSetImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReadSetImportJobInput`) /// - /// - Returns: `GetReadSetImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReadSetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3141,7 +3103,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReadSetImportJobOutput.httpOutput(from:), GetReadSetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3173,9 +3134,9 @@ extension OmicsClient { /// /// Retrieves the metadata for a read set from a sequence store in JSON format. This operation does not return tags. To retrieve the list of tags for a read set, use the ListTagsForResource API operation. /// - /// - Parameter GetReadSetMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReadSetMetadataInput`) /// - /// - Returns: `GetReadSetMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReadSetMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3211,7 +3172,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReadSetMetadataOutput.httpOutput(from:), GetReadSetMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3243,9 +3203,9 @@ extension OmicsClient { /// /// Downloads parts of data from a reference genome and returns the reference file in the same format that it was uploaded. For more information, see [Creating a HealthOmics reference store](https://docs.aws.amazon.com/omics/latest/dev/create-reference-store.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter GetReferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReferenceInput`) /// - /// - Returns: `GetReferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReferenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3284,7 +3244,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetReferenceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReferenceOutput.httpOutput(from:), GetReferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3316,9 +3275,9 @@ extension OmicsClient { /// /// Monitors the status of a reference import job. This operation can be called after calling the StartReferenceImportJob operation. /// - /// - Parameter GetReferenceImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReferenceImportJobInput`) /// - /// - Returns: `GetReferenceImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReferenceImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3354,7 +3313,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReferenceImportJobOutput.httpOutput(from:), GetReferenceImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3386,9 +3344,9 @@ extension OmicsClient { /// /// Retrieves metadata for a reference genome. This operation returns the number of parts, part size, and MD5 of an entire file. This operation does not return tags. To retrieve the list of tags for a read set, use the ListTagsForResource API operation. /// - /// - Parameter GetReferenceMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReferenceMetadataInput`) /// - /// - Returns: `GetReferenceMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReferenceMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3424,7 +3382,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReferenceMetadataOutput.httpOutput(from:), GetReferenceMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3456,9 +3413,9 @@ extension OmicsClient { /// /// Gets information about a reference store. /// - /// - Parameter GetReferenceStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReferenceStoreInput`) /// - /// - Returns: `GetReferenceStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReferenceStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3494,7 +3451,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReferenceStoreOutput.httpOutput(from:), GetReferenceStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3526,9 +3482,9 @@ extension OmicsClient { /// /// Gets detailed information about a specific run using its ID. Amazon Web Services HealthOmics stores a configurable number of runs, as determined by service limits, that are available to the console and API. If GetRun does not return the requested run, you can find all run logs in the CloudWatch logs. For more information about viewing the run logs, see [CloudWatch logs](https://docs.aws.amazon.com/omics/latest/dev/monitoring-cloudwatch-logs.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter GetRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRunInput`) /// - /// - Returns: `GetRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3567,7 +3523,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRunInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRunOutput.httpOutput(from:), GetRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3599,9 +3554,9 @@ extension OmicsClient { /// /// Retrieves detailed information about the specified run cache using its ID. For more information, see [Call caching for Amazon Web Services HealthOmics runs](https://docs.aws.amazon.com/omics/latest/dev/workflows-call-caching.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter GetRunCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRunCacheInput`) /// - /// - Returns: `GetRunCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRunCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3639,7 +3594,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "workflows-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRunCacheOutput.httpOutput(from:), GetRunCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3671,9 +3625,9 @@ extension OmicsClient { /// /// Gets information about a run group and returns its metadata. /// - /// - Parameter GetRunGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRunGroupInput`) /// - /// - Returns: `GetRunGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRunGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3711,7 +3665,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "workflows-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRunGroupOutput.httpOutput(from:), GetRunGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3743,9 +3696,9 @@ extension OmicsClient { /// /// Gets detailed information about a run task using its ID. /// - /// - Parameter GetRunTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRunTaskInput`) /// - /// - Returns: `GetRunTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRunTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3783,7 +3736,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "workflows-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRunTaskOutput.httpOutput(from:), GetRunTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3815,9 +3767,9 @@ extension OmicsClient { /// /// Retrieves details about an access policy on a given store. /// - /// - Parameter GetS3AccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetS3AccessPolicyInput`) /// - /// - Returns: `GetS3AccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetS3AccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3855,7 +3807,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetS3AccessPolicyOutput.httpOutput(from:), GetS3AccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3887,9 +3838,9 @@ extension OmicsClient { /// /// Retrieves metadata for a sequence store using its ID and returns it in JSON format. /// - /// - Parameter GetSequenceStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSequenceStoreInput`) /// - /// - Returns: `GetSequenceStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSequenceStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3925,7 +3876,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "control-storage-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSequenceStoreOutput.httpOutput(from:), GetSequenceStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3957,9 +3907,9 @@ extension OmicsClient { /// /// Retrieves the metadata for the specified resource share. /// - /// - Parameter GetShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetShareInput`) /// - /// - Returns: `GetShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3996,7 +3946,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "analytics-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetShareOutput.httpOutput(from:), GetShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4028,9 +3977,9 @@ extension OmicsClient { /// /// Gets information about a variant import job. /// - /// - Parameter GetVariantImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVariantImportJobInput`) /// - /// - Returns: `GetVariantImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVariantImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4065,7 +4014,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "analytics-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVariantImportJobOutput.httpOutput(from:), GetVariantImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4097,9 +4045,9 @@ extension OmicsClient { /// /// Gets information about a variant store. /// - /// - Parameter GetVariantStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVariantStoreInput`) /// - /// - Returns: `GetVariantStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVariantStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4134,7 +4082,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "analytics-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVariantStoreOutput.httpOutput(from:), GetVariantStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4166,9 +4113,9 @@ extension OmicsClient { /// /// Gets all information about a workflow using its ID. If a workflow is shared with you, you cannot export the workflow. For more information about your workflow status, see [Verify the workflow status](https://docs.aws.amazon.com/omics/latest/dev/using-get-workflow.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter GetWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowInput`) /// - /// - Returns: `GetWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4207,7 +4154,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWorkflowInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowOutput.httpOutput(from:), GetWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4239,9 +4185,9 @@ extension OmicsClient { /// /// Gets information about a workflow version. For more information, see [Workflow versioning in Amazon Web Services HealthOmics](https://docs.aws.amazon.com/omics/latest/dev/workflow-versions.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter GetWorkflowVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowVersionInput`) /// - /// - Returns: `GetWorkflowVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkflowVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4280,7 +4226,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWorkflowVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowVersionOutput.httpOutput(from:), GetWorkflowVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4312,9 +4257,9 @@ extension OmicsClient { /// /// Retrieves a list of annotation import jobs. /// - /// - Parameter ListAnnotationImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnnotationImportJobsInput`) /// - /// - Returns: `ListAnnotationImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnnotationImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4353,7 +4298,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnnotationImportJobsOutput.httpOutput(from:), ListAnnotationImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4385,9 +4329,9 @@ extension OmicsClient { /// /// Lists the versions of an annotation store. /// - /// - Parameter ListAnnotationStoreVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnnotationStoreVersionsInput`) /// - /// - Returns: `ListAnnotationStoreVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnnotationStoreVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4426,7 +4370,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnnotationStoreVersionsOutput.httpOutput(from:), ListAnnotationStoreVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4458,9 +4401,9 @@ extension OmicsClient { /// /// Retrieves a list of annotation stores. /// - /// - Parameter ListAnnotationStoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnnotationStoresInput`) /// - /// - Returns: `ListAnnotationStoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnnotationStoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4499,7 +4442,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnnotationStoresOutput.httpOutput(from:), ListAnnotationStoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4531,9 +4473,9 @@ extension OmicsClient { /// /// Lists in-progress multipart read set uploads for a sequence store and returns it in a JSON formatted output. Multipart read set uploads are initiated by the CreateMultipartReadSetUploads API operation. This operation returns a response with no body when the upload is complete. /// - /// - Parameter ListMultipartReadSetUploadsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMultipartReadSetUploadsInput`) /// - /// - Returns: `ListMultipartReadSetUploadsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMultipartReadSetUploadsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4572,7 +4514,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMultipartReadSetUploadsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMultipartReadSetUploadsOutput.httpOutput(from:), ListMultipartReadSetUploadsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4604,9 +4545,9 @@ extension OmicsClient { /// /// Retrieves a list of read set activation jobs and returns the metadata in a JSON formatted output. To extract metadata from a read set activation job, use the GetReadSetActivationJob API operation. /// - /// - Parameter ListReadSetActivationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReadSetActivationJobsInput`) /// - /// - Returns: `ListReadSetActivationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReadSetActivationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4646,7 +4587,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReadSetActivationJobsOutput.httpOutput(from:), ListReadSetActivationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4678,9 +4618,9 @@ extension OmicsClient { /// /// Retrieves a list of read set export jobs in a JSON formatted response. This API operation is used to check the status of a read set export job initiated by the StartReadSetExportJob API operation. /// - /// - Parameter ListReadSetExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReadSetExportJobsInput`) /// - /// - Returns: `ListReadSetExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReadSetExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4720,7 +4660,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReadSetExportJobsOutput.httpOutput(from:), ListReadSetExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4752,9 +4691,9 @@ extension OmicsClient { /// /// Retrieves a list of read set import jobs and returns the data in JSON format. /// - /// - Parameter ListReadSetImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReadSetImportJobsInput`) /// - /// - Returns: `ListReadSetImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReadSetImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4794,7 +4733,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReadSetImportJobsOutput.httpOutput(from:), ListReadSetImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4826,9 +4764,9 @@ extension OmicsClient { /// /// Lists all parts in a multipart read set upload for a sequence store and returns the metadata in a JSON formatted output. /// - /// - Parameter ListReadSetUploadPartsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReadSetUploadPartsInput`) /// - /// - Returns: `ListReadSetUploadPartsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReadSetUploadPartsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4870,7 +4808,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReadSetUploadPartsOutput.httpOutput(from:), ListReadSetUploadPartsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4902,9 +4839,9 @@ extension OmicsClient { /// /// Retrieves a list of read sets from a sequence store ID and returns the metadata in JSON format. /// - /// - Parameter ListReadSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReadSetsInput`) /// - /// - Returns: `ListReadSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReadSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4944,7 +4881,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReadSetsOutput.httpOutput(from:), ListReadSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4976,9 +4912,9 @@ extension OmicsClient { /// /// Retrieves the metadata of one or more reference import jobs for a reference store. /// - /// - Parameter ListReferenceImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReferenceImportJobsInput`) /// - /// - Returns: `ListReferenceImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReferenceImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5018,7 +4954,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReferenceImportJobsOutput.httpOutput(from:), ListReferenceImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5050,9 +4985,9 @@ extension OmicsClient { /// /// Retrieves a list of reference stores linked to your account and returns their metadata in JSON format. For more information, see [Creating a reference store](https://docs.aws.amazon.com/omics/latest/dev/create-reference-store.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter ListReferenceStoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReferenceStoresInput`) /// - /// - Returns: `ListReferenceStoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReferenceStoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5091,7 +5026,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReferenceStoresOutput.httpOutput(from:), ListReferenceStoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5123,9 +5057,9 @@ extension OmicsClient { /// /// Retrieves the metadata of one or more reference genomes in a reference store. For more information, see [Creating a reference store](https://docs.aws.amazon.com/omics/latest/dev/create-reference-store.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter ListReferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReferencesInput`) /// - /// - Returns: `ListReferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5165,7 +5099,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReferencesOutput.httpOutput(from:), ListReferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5197,9 +5130,9 @@ extension OmicsClient { /// /// Retrieves a list of your run caches and the metadata for each cache. /// - /// - Parameter ListRunCachesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRunCachesInput`) /// - /// - Returns: `ListRunCachesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRunCachesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5238,7 +5171,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRunCachesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRunCachesOutput.httpOutput(from:), ListRunCachesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5270,9 +5202,9 @@ extension OmicsClient { /// /// Retrieves a list of all run groups and returns the metadata for each run group. /// - /// - Parameter ListRunGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRunGroupsInput`) /// - /// - Returns: `ListRunGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRunGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5311,7 +5243,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRunGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRunGroupsOutput.httpOutput(from:), ListRunGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5343,9 +5274,9 @@ extension OmicsClient { /// /// Returns a list of tasks and status information within their specified run. Use this operation to monitor runs and to identify which specific tasks have failed. /// - /// - Parameter ListRunTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRunTasksInput`) /// - /// - Returns: `ListRunTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRunTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5384,7 +5315,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRunTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRunTasksOutput.httpOutput(from:), ListRunTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5416,9 +5346,9 @@ extension OmicsClient { /// /// Retrieves a list of runs and returns each run's metadata and status. Amazon Web Services HealthOmics stores a configurable number of runs, as determined by service limits, that are available to the console and API. If the ListRuns response doesn't include specific runs that you expected, you can find all run logs in the CloudWatch logs. For more information about viewing the run logs, see [CloudWatch logs](https://docs.aws.amazon.com/omics/latest/dev/monitoring-cloudwatch-logs.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter ListRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRunsInput`) /// - /// - Returns: `ListRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5457,7 +5387,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRunsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRunsOutput.httpOutput(from:), ListRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5489,9 +5418,9 @@ extension OmicsClient { /// /// Retrieves a list of sequence stores and returns each sequence store's metadata. For more information, see [Creating a HealthOmics sequence store](https://docs.aws.amazon.com/omics/latest/dev/create-sequence-store.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter ListSequenceStoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSequenceStoresInput`) /// - /// - Returns: `ListSequenceStoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSequenceStoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5530,7 +5459,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSequenceStoresOutput.httpOutput(from:), ListSequenceStoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5562,9 +5490,9 @@ extension OmicsClient { /// /// Retrieves the resource shares associated with an account. Use the filter parameter to retrieve a specific subset of the shares. /// - /// - Parameter ListSharesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSharesInput`) /// - /// - Returns: `ListSharesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5605,7 +5533,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSharesOutput.httpOutput(from:), ListSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5637,9 +5564,9 @@ extension OmicsClient { /// /// Retrieves a list of tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5677,7 +5604,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "tags-")) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5709,9 +5635,9 @@ extension OmicsClient { /// /// Retrieves a list of variant import jobs. /// - /// - Parameter ListVariantImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVariantImportJobsInput`) /// - /// - Returns: `ListVariantImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVariantImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5750,7 +5676,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVariantImportJobsOutput.httpOutput(from:), ListVariantImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5782,9 +5707,9 @@ extension OmicsClient { /// /// Retrieves a list of variant stores. /// - /// - Parameter ListVariantStoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVariantStoresInput`) /// - /// - Returns: `ListVariantStoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVariantStoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5823,7 +5748,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVariantStoresOutput.httpOutput(from:), ListVariantStoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5855,9 +5779,9 @@ extension OmicsClient { /// /// Lists the workflow versions for the specified workflow. For more information, see [Workflow versioning in Amazon Web Services HealthOmics](https://docs.aws.amazon.com/omics/latest/dev/workflow-versions.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter ListWorkflowVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowVersionsInput`) /// - /// - Returns: `ListWorkflowVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5896,7 +5820,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkflowVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowVersionsOutput.httpOutput(from:), ListWorkflowVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5928,9 +5851,9 @@ extension OmicsClient { /// /// Retrieves a list of existing workflows. You can filter for specific workflows by their name and type. Using the type parameter, specify PRIVATE to retrieve a list of private workflows or specify READY2RUN for a list of all Ready2Run workflows. If you do not specify the type of workflow, this operation returns a list of existing workflows. /// - /// - Parameter ListWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowsInput`) /// - /// - Returns: `ListWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5969,7 +5892,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkflowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowsOutput.httpOutput(from:), ListWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6001,9 +5923,9 @@ extension OmicsClient { /// /// Adds an access policy to the specified store. /// - /// - Parameter PutS3AccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutS3AccessPolicyInput`) /// - /// - Returns: `PutS3AccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutS3AccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6043,7 +5965,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutS3AccessPolicyOutput.httpOutput(from:), PutS3AccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6075,9 +5996,9 @@ extension OmicsClient { /// /// Starts an annotation import job. /// - /// - Parameter StartAnnotationImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAnnotationImportJobInput`) /// - /// - Returns: `StartAnnotationImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAnnotationImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6116,7 +6037,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAnnotationImportJobOutput.httpOutput(from:), StartAnnotationImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6148,9 +6068,9 @@ extension OmicsClient { /// /// Activates an archived read set and returns its metadata in a JSON formatted output. AWS HealthOmics automatically archives unused read sets after 30 days. To monitor the status of your read set activation job, use the GetReadSetActivationJob operation. To learn more, see [Activating read sets](https://docs.aws.amazon.com/omics/latest/dev/activating-read-sets.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter StartReadSetActivationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartReadSetActivationJobInput`) /// - /// - Returns: `StartReadSetActivationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartReadSetActivationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6190,7 +6110,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReadSetActivationJobOutput.httpOutput(from:), StartReadSetActivationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6222,9 +6141,9 @@ extension OmicsClient { /// /// Starts a read set export job. When the export job is finished, the read set is exported to an Amazon S3 bucket which can be retrieved using the GetReadSetExportJob API operation. To monitor the status of the export job, use the ListReadSetExportJobs API operation. /// - /// - Parameter StartReadSetExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartReadSetExportJobInput`) /// - /// - Returns: `StartReadSetExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartReadSetExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6264,7 +6183,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReadSetExportJobOutput.httpOutput(from:), StartReadSetExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6296,9 +6214,9 @@ extension OmicsClient { /// /// Imports a read set from the sequence store. Read set import jobs support a maximum of 100 read sets of different types. Monitor the progress of your read set import job by calling the GetReadSetImportJob API operation. /// - /// - Parameter StartReadSetImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartReadSetImportJobInput`) /// - /// - Returns: `StartReadSetImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartReadSetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6338,7 +6256,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReadSetImportJobOutput.httpOutput(from:), StartReadSetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6370,9 +6287,9 @@ extension OmicsClient { /// /// Imports a reference genome from Amazon S3 into a specified reference store. You can have multiple reference genomes in a reference store. You can only import reference genomes one at a time into each reference store. Monitor the status of your reference import job by using the GetReferenceImportJob API operation. /// - /// - Parameter StartReferenceImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartReferenceImportJobInput`) /// - /// - Returns: `StartReferenceImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartReferenceImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6412,7 +6329,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReferenceImportJobOutput.httpOutput(from:), StartReferenceImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6473,9 +6389,9 @@ extension OmicsClient { /// /// To learn more about the retention modes, see [Run retention mode](https://docs.aws.amazon.com/omics/latest/dev/run-retention.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter StartRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRunInput`) /// - /// - Returns: `StartRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6517,7 +6433,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRunOutput.httpOutput(from:), StartRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6549,9 +6464,9 @@ extension OmicsClient { /// /// Starts a variant import job. /// - /// - Parameter StartVariantImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartVariantImportJobInput`) /// - /// - Returns: `StartVariantImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartVariantImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6590,7 +6505,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartVariantImportJobOutput.httpOutput(from:), StartVariantImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6622,9 +6536,9 @@ extension OmicsClient { /// /// Tags a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6665,7 +6579,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6697,9 +6610,9 @@ extension OmicsClient { /// /// Removes tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6738,7 +6651,6 @@ extension OmicsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6770,9 +6682,9 @@ extension OmicsClient { /// /// Updates an annotation store. /// - /// - Parameter UpdateAnnotationStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAnnotationStoreInput`) /// - /// - Returns: `UpdateAnnotationStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAnnotationStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6810,7 +6722,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnnotationStoreOutput.httpOutput(from:), UpdateAnnotationStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6842,9 +6753,9 @@ extension OmicsClient { /// /// Updates the description of an annotation store version. /// - /// - Parameter UpdateAnnotationStoreVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAnnotationStoreVersionInput`) /// - /// - Returns: `UpdateAnnotationStoreVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAnnotationStoreVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6882,7 +6793,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnnotationStoreVersionOutput.httpOutput(from:), UpdateAnnotationStoreVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6914,9 +6824,9 @@ extension OmicsClient { /// /// Updates a run cache using its ID and returns a response with no body if the operation is successful. You can update the run cache description, name, or the default run cache behavior with CACHE_ON_FAILURE or CACHE_ALWAYS. To confirm that your run cache settings have been properly updated, use the GetRunCache API operation. For more information, see [How call caching works](https://docs.aws.amazon.com/omics/latest/dev/how-run-cache.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter UpdateRunCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRunCacheInput`) /// - /// - Returns: `UpdateRunCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRunCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6957,7 +6867,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRunCacheOutput.httpOutput(from:), UpdateRunCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7002,9 +6911,9 @@ extension OmicsClient { /// /// To confirm that the settings have been successfully updated, use the ListRunGroups or GetRunGroup API operations to verify that the desired changes have been made. /// - /// - Parameter UpdateRunGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRunGroupInput`) /// - /// - Returns: `UpdateRunGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRunGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7045,7 +6954,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRunGroupOutput.httpOutput(from:), UpdateRunGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7077,9 +6985,9 @@ extension OmicsClient { /// /// Update one or more parameters for the sequence store. /// - /// - Parameter UpdateSequenceStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSequenceStoreInput`) /// - /// - Returns: `UpdateSequenceStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSequenceStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7120,7 +7028,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSequenceStoreOutput.httpOutput(from:), UpdateSequenceStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7152,9 +7059,9 @@ extension OmicsClient { /// /// Updates a variant store. /// - /// - Parameter UpdateVariantStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVariantStoreInput`) /// - /// - Returns: `UpdateVariantStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVariantStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7192,7 +7099,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVariantStoreOutput.httpOutput(from:), UpdateVariantStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7235,9 +7141,9 @@ extension OmicsClient { /// /// This operation returns a response with no body if the operation is successful. You can check the workflow updates by calling the GetWorkflow API operation. For more information, see [Update a private workflow](https://docs.aws.amazon.com/omics/latest/dev/update-private-workflow.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter UpdateWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkflowInput`) /// - /// - Returns: `UpdateWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7278,7 +7184,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkflowOutput.httpOutput(from:), UpdateWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7310,9 +7215,9 @@ extension OmicsClient { /// /// Updates information about the workflow version. For more information, see [Workflow versioning in Amazon Web Services HealthOmics](https://docs.aws.amazon.com/omics/latest/dev/workflow-versions.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter UpdateWorkflowVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkflowVersionInput`) /// - /// - Returns: `UpdateWorkflowVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkflowVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7353,7 +7258,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkflowVersionOutput.httpOutput(from:), UpdateWorkflowVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7385,9 +7289,9 @@ extension OmicsClient { /// /// Uploads a specific part of a read set into a sequence store. When you a upload a read set part with a part number that already exists, the new part replaces the existing one. This operation returns a JSON formatted response containing a string identifier that is used to confirm that parts are being added to the intended upload. For more information, see [Direct upload to a sequence store](https://docs.aws.amazon.com/omics/latest/dev/synchronous-uploads.html) in the Amazon Web Services HealthOmics User Guide. /// - /// - Parameter UploadReadSetPartInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UploadReadSetPartInput`) /// - /// - Returns: `UploadReadSetPartOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UploadReadSetPartOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7429,7 +7333,6 @@ extension OmicsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware(requiresLength: true, unsignedPayload: true)) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadReadSetPartOutput.httpOutput(from:), UploadReadSetPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSOpenSearch/Sources/AWSOpenSearch/OpenSearchClient.swift b/Sources/Services/AWSOpenSearch/Sources/AWSOpenSearch/OpenSearchClient.swift index 036980a2d64..7c9a4507624 100644 --- a/Sources/Services/AWSOpenSearch/Sources/AWSOpenSearch/OpenSearchClient.swift +++ b/Sources/Services/AWSOpenSearch/Sources/AWSOpenSearch/OpenSearchClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class OpenSearchClient: ClientRuntime.Client { public static let clientName = "OpenSearchClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: OpenSearchClient.OpenSearchClientConfiguration let serviceName = "OpenSearch" @@ -375,9 +374,9 @@ extension OpenSearchClient { /// /// Allows the destination Amazon OpenSearch Service domain owner to accept an inbound cross-cluster search connection request. For more information, see [Cross-cluster search for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/cross-cluster-search.html). /// - /// - Parameter AcceptInboundConnectionInput : Container for the parameters to the AcceptInboundConnection operation. + /// - Parameter input: Container for the parameters to the AcceptInboundConnection operation. (Type: `AcceptInboundConnectionInput`) /// - /// - Returns: `AcceptInboundConnectionOutput` : Contains details about the accepted inbound connection. + /// - Returns: Contains details about the accepted inbound connection. (Type: `AcceptInboundConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptInboundConnectionOutput.httpOutput(from:), AcceptInboundConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension OpenSearchClient { /// /// Creates a new direct-query data source to the specified domain. For more information, see [Creating Amazon OpenSearch Service data source integrations with Amazon S3](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/direct-query-s3-creating.html). /// - /// - Parameter AddDataSourceInput : Container for the parameters to the AddDataSource operation. + /// - Parameter input: Container for the parameters to the AddDataSource operation. (Type: `AddDataSourceInput`) /// - /// - Returns: `AddDataSourceOutput` : The result of an AddDataSource operation. + /// - Returns: The result of an AddDataSource operation. (Type: `AddDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddDataSourceOutput.httpOutput(from:), AddDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension OpenSearchClient { /// /// Adds a new data source in Amazon OpenSearch Service so that you can perform direct queries on external data. /// - /// - Parameter AddDirectQueryDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddDirectQueryDataSourceInput`) /// - /// - Returns: `AddDirectQueryDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddDirectQueryDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddDirectQueryDataSourceOutput.httpOutput(from:), AddDirectQueryDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -589,9 +585,9 @@ extension OpenSearchClient { /// /// Attaches tags to an existing Amazon OpenSearch Service domain, data source, or application. Tags are a set of case-sensitive key-value pairs. A domain, data source, or application can have up to 10 tags. For more information, see [Tagging Amazon OpenSearch Service resources](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/managedomains-awsresourcetagging.html). /// - /// - Parameter AddTagsInput : Container for the parameters to the AddTags operation. Specifies the tags to attach to the domain, data source, or application. + /// - Parameter input: Container for the parameters to the AddTags operation. Specifies the tags to attach to the domain, data source, or application. (Type: `AddTagsInput`) /// - /// - Returns: `AddTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsOutput.httpOutput(from:), AddTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +655,9 @@ extension OpenSearchClient { /// /// Associates a package with an Amazon OpenSearch Service domain. For more information, see [Custom packages for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/custom-packages.html). /// - /// - Parameter AssociatePackageInput : Container for the request parameters to the AssociatePackage operation. + /// - Parameter input: Container for the request parameters to the AssociatePackage operation. (Type: `AssociatePackageInput`) /// - /// - Returns: `AssociatePackageOutput` : Container for the response returned by the AssociatePackage operation. + /// - Returns: Container for the response returned by the AssociatePackage operation. (Type: `AssociatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePackageOutput.httpOutput(from:), AssociatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -733,9 +727,9 @@ extension OpenSearchClient { /// /// Operation in the Amazon OpenSearch Service API for associating multiple packages with a domain simultaneously. /// - /// - Parameter AssociatePackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociatePackagesInput`) /// - /// - Returns: `AssociatePackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociatePackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePackagesOutput.httpOutput(from:), AssociatePackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension OpenSearchClient { /// /// Provides access to an Amazon OpenSearch Service domain through the use of an interface VPC endpoint. /// - /// - Parameter AuthorizeVpcEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AuthorizeVpcEndpointAccessInput`) /// - /// - Returns: `AuthorizeVpcEndpointAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AuthorizeVpcEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeVpcEndpointAccessOutput.httpOutput(from:), AuthorizeVpcEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension OpenSearchClient { /// /// Cancels a pending configuration change on an Amazon OpenSearch Service domain. /// - /// - Parameter CancelDomainConfigChangeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelDomainConfigChangeInput`) /// - /// - Returns: `CancelDomainConfigChangeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelDomainConfigChangeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +911,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelDomainConfigChangeOutput.httpOutput(from:), CancelDomainConfigChangeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -951,9 +942,9 @@ extension OpenSearchClient { /// /// Cancels a scheduled service software update for an Amazon OpenSearch Service domain. You can only perform this operation before the AutomatedUpdateDate and when the domain's UpdateStatus is PENDING_UPDATE. For more information, see [Service software updates in Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/service-software.html). /// - /// - Parameter CancelServiceSoftwareUpdateInput : Container for the request parameters to cancel a service software update. + /// - Parameter input: Container for the request parameters to cancel a service software update. (Type: `CancelServiceSoftwareUpdateInput`) /// - /// - Returns: `CancelServiceSoftwareUpdateOutput` : Container for the response to a CancelServiceSoftwareUpdate operation. Contains the status of the update. + /// - Returns: Container for the response to a CancelServiceSoftwareUpdate operation. Contains the status of the update. (Type: `CancelServiceSoftwareUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -990,7 +981,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelServiceSoftwareUpdateOutput.httpOutput(from:), CancelServiceSoftwareUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1022,9 +1012,9 @@ extension OpenSearchClient { /// /// Creates an OpenSearch UI application. For more information, see [Using the OpenSearch user interface in Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/application.html). /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1064,7 +1054,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1096,9 +1085,9 @@ extension OpenSearchClient { /// /// Creates an Amazon OpenSearch Service domain. For more information, see [Creating and managing Amazon OpenSearch Service domains](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/createupdatedomains.html). /// - /// - Parameter CreateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainInput`) /// - /// - Returns: `CreateDomainOutput` : The result of a CreateDomain operation. Contains the status of the newly created domain. + /// - Returns: The result of a CreateDomain operation. Contains the status of the newly created domain. (Type: `CreateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1138,7 +1127,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainOutput.httpOutput(from:), CreateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1170,9 +1158,9 @@ extension OpenSearchClient { /// /// Creates a new cross-cluster search connection from a source Amazon OpenSearch Service domain to a destination domain. For more information, see [Cross-cluster search for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/cross-cluster-search.html). /// - /// - Parameter CreateOutboundConnectionInput : Container for the parameters to the CreateOutboundConnection operation. + /// - Parameter input: Container for the parameters to the CreateOutboundConnection operation. (Type: `CreateOutboundConnectionInput`) /// - /// - Returns: `CreateOutboundConnectionOutput` : The result of a CreateOutboundConnection request. Contains details about the newly created cross-cluster connection. + /// - Returns: The result of a CreateOutboundConnection request. Contains details about the newly created cross-cluster connection. (Type: `CreateOutboundConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1209,7 +1197,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOutboundConnectionOutput.httpOutput(from:), CreateOutboundConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1241,9 +1228,9 @@ extension OpenSearchClient { /// /// Creates a package for use with Amazon OpenSearch Service domains. For more information, see [Custom packages for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/custom-packages.html). /// - /// - Parameter CreatePackageInput : Container for request parameters to the CreatePackage operation. + /// - Parameter input: Container for request parameters to the CreatePackage operation. (Type: `CreatePackageInput`) /// - /// - Returns: `CreatePackageOutput` : Container for the response returned by the CreatePackage operation. + /// - Returns: Container for the response returned by the CreatePackage operation. (Type: `CreatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1283,7 +1270,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePackageOutput.httpOutput(from:), CreatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1315,9 +1301,9 @@ extension OpenSearchClient { /// /// Creates an Amazon OpenSearch Service-managed VPC endpoint. /// - /// - Parameter CreateVpcEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcEndpointInput`) /// - /// - Returns: `CreateVpcEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1356,7 +1342,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcEndpointOutput.httpOutput(from:), CreateVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1388,9 +1373,9 @@ extension OpenSearchClient { /// /// Deletes a specified OpenSearch application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1427,7 +1412,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1459,9 +1443,9 @@ extension OpenSearchClient { /// /// Deletes a direct-query data source. For more information, see [Deleting an Amazon OpenSearch Service data source with Amazon S3](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/direct-query-s3-delete.html). /// - /// - Parameter DeleteDataSourceInput : Container for the parameters to the DeleteDataSource operation. + /// - Parameter input: Container for the parameters to the DeleteDataSource operation. (Type: `DeleteDataSourceInput`) /// - /// - Returns: `DeleteDataSourceOutput` : The result of a GetDataSource operation. + /// - Returns: The result of a GetDataSource operation. (Type: `DeleteDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1497,7 +1481,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSourceOutput.httpOutput(from:), DeleteDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1529,9 +1512,9 @@ extension OpenSearchClient { /// /// Deletes a previously configured direct query data source from Amazon OpenSearch Service. /// - /// - Parameter DeleteDirectQueryDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDirectQueryDataSourceInput`) /// - /// - Returns: `DeleteDirectQueryDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDirectQueryDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1566,7 +1549,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDirectQueryDataSourceOutput.httpOutput(from:), DeleteDirectQueryDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1598,9 +1580,9 @@ extension OpenSearchClient { /// /// Deletes an Amazon OpenSearch Service domain and all of its data. You can't recover a domain after you delete it. /// - /// - Parameter DeleteDomainInput : Container for the parameters to the DeleteDomain operation. + /// - Parameter input: Container for the parameters to the DeleteDomain operation. (Type: `DeleteDomainInput`) /// - /// - Returns: `DeleteDomainOutput` : The results of a DeleteDomain request. Contains the status of the pending deletion, or a "domain not found" error if the domain and all of its resources have been deleted. + /// - Returns: The results of a DeleteDomain request. Contains the status of the pending deletion, or a "domain not found" error if the domain and all of its resources have been deleted. (Type: `DeleteDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1634,7 +1616,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainOutput.httpOutput(from:), DeleteDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1666,9 +1647,9 @@ extension OpenSearchClient { /// /// Allows the destination Amazon OpenSearch Service domain owner to delete an existing inbound cross-cluster search connection. For more information, see [Cross-cluster search for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/cross-cluster-search.html). /// - /// - Parameter DeleteInboundConnectionInput : Container for the parameters to the DeleteInboundConnection operation. + /// - Parameter input: Container for the parameters to the DeleteInboundConnection operation. (Type: `DeleteInboundConnectionInput`) /// - /// - Returns: `DeleteInboundConnectionOutput` : The results of a DeleteInboundConnection operation. Contains details about the deleted inbound connection. + /// - Returns: The results of a DeleteInboundConnection operation. Contains details about the deleted inbound connection. (Type: `DeleteInboundConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1700,7 +1681,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInboundConnectionOutput.httpOutput(from:), DeleteInboundConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1732,9 +1712,9 @@ extension OpenSearchClient { /// /// Allows the source Amazon OpenSearch Service domain owner to delete an existing outbound cross-cluster search connection. For more information, see [Cross-cluster search for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/cross-cluster-search.html). /// - /// - Parameter DeleteOutboundConnectionInput : Container for the parameters to the DeleteOutboundConnection operation. + /// - Parameter input: Container for the parameters to the DeleteOutboundConnection operation. (Type: `DeleteOutboundConnectionInput`) /// - /// - Returns: `DeleteOutboundConnectionOutput` : Details about the deleted outbound connection. + /// - Returns: Details about the deleted outbound connection. (Type: `DeleteOutboundConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1766,7 +1746,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOutboundConnectionOutput.httpOutput(from:), DeleteOutboundConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1798,9 +1777,9 @@ extension OpenSearchClient { /// /// Deletes an Amazon OpenSearch Service package. For more information, see [Custom packages for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/custom-packages.html). /// - /// - Parameter DeletePackageInput : Deletes a package from OpenSearch Service. The package can't be associated with any OpenSearch Service domain. + /// - Parameter input: Deletes a package from OpenSearch Service. The package can't be associated with any OpenSearch Service domain. (Type: `DeletePackageInput`) /// - /// - Returns: `DeletePackageOutput` : Container for the response parameters to the DeletePackage operation. + /// - Returns: Container for the response parameters to the DeletePackage operation. (Type: `DeletePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1836,7 +1815,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePackageOutput.httpOutput(from:), DeletePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1868,9 +1846,9 @@ extension OpenSearchClient { /// /// Deletes an Amazon OpenSearch Service-managed interface VPC endpoint. /// - /// - Parameter DeleteVpcEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcEndpointInput`) /// - /// - Returns: `DeleteVpcEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1904,7 +1882,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcEndpointOutput.httpOutput(from:), DeleteVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1936,9 +1913,9 @@ extension OpenSearchClient { /// /// Describes the domain configuration for the specified Amazon OpenSearch Service domain, including the domain ID, domain service endpoint, and domain ARN. /// - /// - Parameter DescribeDomainInput : Container for the parameters to the DescribeDomain operation. + /// - Parameter input: Container for the parameters to the DescribeDomain operation. (Type: `DescribeDomainInput`) /// - /// - Returns: `DescribeDomainOutput` : Contains the status of the domain specified in the request. + /// - Returns: Contains the status of the domain specified in the request. (Type: `DescribeDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1972,7 +1949,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainOutput.httpOutput(from:), DescribeDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2004,9 +1980,9 @@ extension OpenSearchClient { /// /// Returns the list of optimizations that Auto-Tune has made to an Amazon OpenSearch Service domain. For more information, see [Auto-Tune for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/auto-tune.html). /// - /// - Parameter DescribeDomainAutoTunesInput : Container for the parameters to the DescribeDomainAutoTunes operation. + /// - Parameter input: Container for the parameters to the DescribeDomainAutoTunes operation. (Type: `DescribeDomainAutoTunesInput`) /// - /// - Returns: `DescribeDomainAutoTunesOutput` : The result of a DescribeDomainAutoTunes request. + /// - Returns: The result of a DescribeDomainAutoTunes request. (Type: `DescribeDomainAutoTunesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2043,7 +2019,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainAutoTunesOutput.httpOutput(from:), DescribeDomainAutoTunesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2075,9 +2050,9 @@ extension OpenSearchClient { /// /// Returns information about the current blue/green deployment happening on an Amazon OpenSearch Service domain. For more information, see [Making configuration changes in Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/managedomains-configuration-changes.html). /// - /// - Parameter DescribeDomainChangeProgressInput : Container for the parameters to the DescribeDomainChangeProgress operation. + /// - Parameter input: Container for the parameters to the DescribeDomainChangeProgress operation. (Type: `DescribeDomainChangeProgressInput`) /// - /// - Returns: `DescribeDomainChangeProgressOutput` : The result of a DescribeDomainChangeProgress request. Contains progress information for the requested domain change. + /// - Returns: The result of a DescribeDomainChangeProgress request. Contains progress information for the requested domain change. (Type: `DescribeDomainChangeProgressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2112,7 +2087,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDomainChangeProgressInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainChangeProgressOutput.httpOutput(from:), DescribeDomainChangeProgressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2144,9 +2118,9 @@ extension OpenSearchClient { /// /// Returns the configuration of an Amazon OpenSearch Service domain. /// - /// - Parameter DescribeDomainConfigInput : Container for the parameters to the DescribeDomainConfig operation. + /// - Parameter input: Container for the parameters to the DescribeDomainConfig operation. (Type: `DescribeDomainConfigInput`) /// - /// - Returns: `DescribeDomainConfigOutput` : Contains the configuration information of the requested domain. + /// - Returns: Contains the configuration information of the requested domain. (Type: `DescribeDomainConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2180,7 +2154,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainConfigOutput.httpOutput(from:), DescribeDomainConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2212,9 +2185,9 @@ extension OpenSearchClient { /// /// Returns information about domain and node health, the standby Availability Zone, number of nodes per Availability Zone, and shard count per node. /// - /// - Parameter DescribeDomainHealthInput : Container for the parameters to the DescribeDomainHealth operation. + /// - Parameter input: Container for the parameters to the DescribeDomainHealth operation. (Type: `DescribeDomainHealthInput`) /// - /// - Returns: `DescribeDomainHealthOutput` : The result of a DescribeDomainHealth request. Contains health information for the requested domain. + /// - Returns: The result of a DescribeDomainHealth request. Contains health information for the requested domain. (Type: `DescribeDomainHealthOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2249,7 +2222,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainHealthOutput.httpOutput(from:), DescribeDomainHealthOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2281,9 +2253,9 @@ extension OpenSearchClient { /// /// Returns information about domain and nodes, including data nodes, master nodes, ultrawarm nodes, Availability Zone(s), standby nodes, node configurations, and node states. /// - /// - Parameter DescribeDomainNodesInput : Container for the parameters to the DescribeDomainNodes operation. + /// - Parameter input: Container for the parameters to the DescribeDomainNodes operation. (Type: `DescribeDomainNodesInput`) /// - /// - Returns: `DescribeDomainNodesOutput` : The result of a DescribeDomainNodes request. Contains information about the nodes on the requested domain. + /// - Returns: The result of a DescribeDomainNodes request. Contains information about the nodes on the requested domain. (Type: `DescribeDomainNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2319,7 +2291,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainNodesOutput.httpOutput(from:), DescribeDomainNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2351,9 +2322,9 @@ extension OpenSearchClient { /// /// Returns domain configuration information about the specified Amazon OpenSearch Service domains. /// - /// - Parameter DescribeDomainsInput : Container for the parameters to the DescribeDomains operation. + /// - Parameter input: Container for the parameters to the DescribeDomains operation. (Type: `DescribeDomainsInput`) /// - /// - Returns: `DescribeDomainsOutput` : Contains the status of the specified domains or all domains owned by the account. + /// - Returns: Contains the status of the specified domains or all domains owned by the account. (Type: `DescribeDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2389,7 +2360,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainsOutput.httpOutput(from:), DescribeDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2421,9 +2391,9 @@ extension OpenSearchClient { /// /// Describes the progress of a pre-update dry run analysis on an Amazon OpenSearch Service domain. For more information, see [Determining whether a change will cause a blue/green deployment](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/managedomains-configuration-changes#dryrun). /// - /// - Parameter DescribeDryRunProgressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDryRunProgressInput`) /// - /// - Returns: `DescribeDryRunProgressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDryRunProgressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2459,7 +2429,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDryRunProgressInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDryRunProgressOutput.httpOutput(from:), DescribeDryRunProgressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2491,9 +2460,9 @@ extension OpenSearchClient { /// /// Lists all the inbound cross-cluster search connections for a destination (remote) Amazon OpenSearch Service domain. For more information, see [Cross-cluster search for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/cross-cluster-search.html). /// - /// - Parameter DescribeInboundConnectionsInput : Container for the parameters to the DescribeInboundConnections operation. + /// - Parameter input: Container for the parameters to the DescribeInboundConnections operation. (Type: `DescribeInboundConnectionsInput`) /// - /// - Returns: `DescribeInboundConnectionsOutput` : Contains a list of connections matching the filter criteria. + /// - Returns: Contains a list of connections matching the filter criteria. (Type: `DescribeInboundConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2528,7 +2497,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInboundConnectionsOutput.httpOutput(from:), DescribeInboundConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2560,9 +2528,9 @@ extension OpenSearchClient { /// /// Describes the instance count, storage, and master node limits for a given OpenSearch or Elasticsearch version and instance type. /// - /// - Parameter DescribeInstanceTypeLimitsInput : Container for the parameters to the DescribeInstanceTypeLimits operation. + /// - Parameter input: Container for the parameters to the DescribeInstanceTypeLimits operation. (Type: `DescribeInstanceTypeLimitsInput`) /// - /// - Returns: `DescribeInstanceTypeLimitsOutput` : Container for the parameters received from the DescribeInstanceTypeLimits operation. + /// - Returns: Container for the parameters received from the DescribeInstanceTypeLimits operation. (Type: `DescribeInstanceTypeLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2599,7 +2567,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeInstanceTypeLimitsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceTypeLimitsOutput.httpOutput(from:), DescribeInstanceTypeLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2631,9 +2598,9 @@ extension OpenSearchClient { /// /// Lists all the outbound cross-cluster connections for a local (source) Amazon OpenSearch Service domain. For more information, see [Cross-cluster search for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/cross-cluster-search.html). /// - /// - Parameter DescribeOutboundConnectionsInput : Container for the parameters to the DescribeOutboundConnections operation. + /// - Parameter input: Container for the parameters to the DescribeOutboundConnections operation. (Type: `DescribeOutboundConnectionsInput`) /// - /// - Returns: `DescribeOutboundConnectionsOutput` : Contains a list of connections matching the filter criteria. + /// - Returns: Contains a list of connections matching the filter criteria. (Type: `DescribeOutboundConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2668,7 +2635,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOutboundConnectionsOutput.httpOutput(from:), DescribeOutboundConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2700,9 +2666,9 @@ extension OpenSearchClient { /// /// Describes all packages available to OpenSearch Service. For more information, see [Custom packages for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/custom-packages.html). /// - /// - Parameter DescribePackagesInput : Container for the request parameters to the DescribePackage operation. + /// - Parameter input: Container for the request parameters to the DescribePackage operation. (Type: `DescribePackagesInput`) /// - /// - Returns: `DescribePackagesOutput` : Container for the response returned by the DescribePackages operation. + /// - Returns: Container for the response returned by the DescribePackages operation. (Type: `DescribePackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2740,7 +2706,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePackagesOutput.httpOutput(from:), DescribePackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2772,9 +2737,9 @@ extension OpenSearchClient { /// /// Describes the available Amazon OpenSearch Service Reserved Instance offerings for a given Region. For more information, see [Reserved Instances in Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/ri.html). /// - /// - Parameter DescribeReservedInstanceOfferingsInput : Container for the request parameters to a DescribeReservedInstanceOfferings operation. + /// - Parameter input: Container for the request parameters to a DescribeReservedInstanceOfferings operation. (Type: `DescribeReservedInstanceOfferingsInput`) /// - /// - Returns: `DescribeReservedInstanceOfferingsOutput` : Container for results of a DescribeReservedInstanceOfferings request. + /// - Returns: Container for results of a DescribeReservedInstanceOfferings request. (Type: `DescribeReservedInstanceOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2809,7 +2774,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeReservedInstanceOfferingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedInstanceOfferingsOutput.httpOutput(from:), DescribeReservedInstanceOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2841,9 +2805,9 @@ extension OpenSearchClient { /// /// Describes the Amazon OpenSearch Service instances that you have reserved in a given Region. For more information, see [Reserved Instances in Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/ri.html). /// - /// - Parameter DescribeReservedInstancesInput : Container for the request parameters to the DescribeReservedInstances operation. + /// - Parameter input: Container for the request parameters to the DescribeReservedInstances operation. (Type: `DescribeReservedInstancesInput`) /// - /// - Returns: `DescribeReservedInstancesOutput` : Container for results from DescribeReservedInstances + /// - Returns: Container for results from DescribeReservedInstances (Type: `DescribeReservedInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2878,7 +2842,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeReservedInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedInstancesOutput.httpOutput(from:), DescribeReservedInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2910,9 +2873,9 @@ extension OpenSearchClient { /// /// Describes one or more Amazon OpenSearch Service-managed VPC endpoints. /// - /// - Parameter DescribeVpcEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVpcEndpointsInput`) /// - /// - Returns: `DescribeVpcEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVpcEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2949,7 +2912,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVpcEndpointsOutput.httpOutput(from:), DescribeVpcEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2981,9 +2943,9 @@ extension OpenSearchClient { /// /// Removes a package from the specified Amazon OpenSearch Service domain. The package can't be in use with any OpenSearch index for the dissociation to succeed. The package is still available in OpenSearch Service for association later. For more information, see [Custom packages for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/custom-packages.html). /// - /// - Parameter DissociatePackageInput : Container for the request parameters to the DissociatePackage operation. + /// - Parameter input: Container for the request parameters to the DissociatePackage operation. (Type: `DissociatePackageInput`) /// - /// - Returns: `DissociatePackageOutput` : Container for the response returned by an DissociatePackage operation. + /// - Returns: Container for the response returned by an DissociatePackage operation. (Type: `DissociatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3019,7 +2981,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DissociatePackageOutput.httpOutput(from:), DissociatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3051,9 +3012,9 @@ extension OpenSearchClient { /// /// Dissociates multiple packages from a domain simulatneously. /// - /// - Parameter DissociatePackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DissociatePackagesInput`) /// - /// - Returns: `DissociatePackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DissociatePackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3092,7 +3053,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DissociatePackagesOutput.httpOutput(from:), DissociatePackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3124,9 +3084,9 @@ extension OpenSearchClient { /// /// Retrieves the configuration and status of an existing OpenSearch application. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3162,7 +3122,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3194,9 +3153,9 @@ extension OpenSearchClient { /// /// Returns a map of OpenSearch or Elasticsearch versions and the versions you can upgrade them to. /// - /// - Parameter GetCompatibleVersionsInput : Container for the request parameters to GetCompatibleVersions operation. + /// - Parameter input: Container for the request parameters to GetCompatibleVersions operation. (Type: `GetCompatibleVersionsInput`) /// - /// - Returns: `GetCompatibleVersionsOutput` : Container for the response returned by the GetCompatibleVersions operation. + /// - Returns: Container for the response returned by the GetCompatibleVersions operation. (Type: `GetCompatibleVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3232,7 +3191,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCompatibleVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCompatibleVersionsOutput.httpOutput(from:), GetCompatibleVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3264,9 +3222,9 @@ extension OpenSearchClient { /// /// Retrieves information about a direct query data source. /// - /// - Parameter GetDataSourceInput : Container for the parameters to the GetDataSource operation. + /// - Parameter input: Container for the parameters to the GetDataSource operation. (Type: `GetDataSourceInput`) /// - /// - Returns: `GetDataSourceOutput` : The result of a GetDataSource operation. + /// - Returns: The result of a GetDataSource operation. (Type: `GetDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3302,7 +3260,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSourceOutput.httpOutput(from:), GetDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3334,9 +3291,9 @@ extension OpenSearchClient { /// /// Returns detailed configuration information for a specific direct query data source in Amazon OpenSearch Service. /// - /// - Parameter GetDirectQueryDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDirectQueryDataSourceInput`) /// - /// - Returns: `GetDirectQueryDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDirectQueryDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3371,7 +3328,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDirectQueryDataSourceOutput.httpOutput(from:), GetDirectQueryDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3403,9 +3359,9 @@ extension OpenSearchClient { /// /// The status of the maintenance action. /// - /// - Parameter GetDomainMaintenanceStatusInput : Container for the parameters to the GetDomainMaintenanceStatus operation. + /// - Parameter input: Container for the parameters to the GetDomainMaintenanceStatus operation. (Type: `GetDomainMaintenanceStatusInput`) /// - /// - Returns: `GetDomainMaintenanceStatusOutput` : The result of a GetDomainMaintenanceStatus request that information about the requested action. + /// - Returns: The result of a GetDomainMaintenanceStatus request that information about the requested action. (Type: `GetDomainMaintenanceStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3441,7 +3397,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDomainMaintenanceStatusInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainMaintenanceStatusOutput.httpOutput(from:), GetDomainMaintenanceStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3473,9 +3428,9 @@ extension OpenSearchClient { /// /// Returns a list of Amazon OpenSearch Service package versions, along with their creation time, commit message, and plugin properties (if the package is a zip plugin package). For more information, see [Custom packages for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/custom-packages.html). /// - /// - Parameter GetPackageVersionHistoryInput : Container for the request parameters to the GetPackageVersionHistory operation. + /// - Parameter input: Container for the request parameters to the GetPackageVersionHistory operation. (Type: `GetPackageVersionHistoryInput`) /// - /// - Returns: `GetPackageVersionHistoryOutput` : Container for response returned by GetPackageVersionHistory operation. + /// - Returns: Container for response returned by GetPackageVersionHistory operation. (Type: `GetPackageVersionHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3511,7 +3466,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPackageVersionHistoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPackageVersionHistoryOutput.httpOutput(from:), GetPackageVersionHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3543,9 +3497,9 @@ extension OpenSearchClient { /// /// Retrieves the complete history of the last 10 upgrades performed on an Amazon OpenSearch Service domain. /// - /// - Parameter GetUpgradeHistoryInput : Container for the request parameters to the GetUpgradeHistory operation. + /// - Parameter input: Container for the request parameters to the GetUpgradeHistory operation. (Type: `GetUpgradeHistoryInput`) /// - /// - Returns: `GetUpgradeHistoryOutput` : Container for the response returned by the GetUpgradeHistory operation. + /// - Returns: Container for the response returned by the GetUpgradeHistory operation. (Type: `GetUpgradeHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3581,7 +3535,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetUpgradeHistoryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUpgradeHistoryOutput.httpOutput(from:), GetUpgradeHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3613,9 +3566,9 @@ extension OpenSearchClient { /// /// Returns the most recent status of the last upgrade or upgrade eligibility check performed on an Amazon OpenSearch Service domain. /// - /// - Parameter GetUpgradeStatusInput : Container for the request parameters to the GetUpgradeStatus operation. + /// - Parameter input: Container for the request parameters to the GetUpgradeStatus operation. (Type: `GetUpgradeStatusInput`) /// - /// - Returns: `GetUpgradeStatusOutput` : Container for the response returned by the GetUpgradeStatus operation. + /// - Returns: Container for the response returned by the GetUpgradeStatus operation. (Type: `GetUpgradeStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3650,7 +3603,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUpgradeStatusOutput.httpOutput(from:), GetUpgradeStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3682,9 +3634,9 @@ extension OpenSearchClient { /// /// Lists all OpenSearch applications under your account. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3721,7 +3673,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3753,9 +3704,9 @@ extension OpenSearchClient { /// /// Lists direct-query data sources for a specific domain. For more information, see For more information, see [Working with Amazon OpenSearch Service direct queries with Amazon S3](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/direct-query-s3.html). /// - /// - Parameter ListDataSourcesInput : Container for the parameters to the ListDataSources operation. + /// - Parameter input: Container for the parameters to the ListDataSources operation. (Type: `ListDataSourcesInput`) /// - /// - Returns: `ListDataSourcesOutput` : The result of a ListDataSources operation. + /// - Returns: The result of a ListDataSources operation. (Type: `ListDataSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3791,7 +3742,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourcesOutput.httpOutput(from:), ListDataSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3823,9 +3773,9 @@ extension OpenSearchClient { /// /// Lists an inventory of all the direct query data sources that you have configured within Amazon OpenSearch Service. /// - /// - Parameter ListDirectQueryDataSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDirectQueryDataSourcesInput`) /// - /// - Returns: `ListDirectQueryDataSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDirectQueryDataSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3861,7 +3811,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDirectQueryDataSourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDirectQueryDataSourcesOutput.httpOutput(from:), ListDirectQueryDataSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3893,9 +3842,9 @@ extension OpenSearchClient { /// /// A list of maintenance actions for the domain. /// - /// - Parameter ListDomainMaintenancesInput : Container for the parameters to the ListDomainMaintenances operation. + /// - Parameter input: Container for the parameters to the ListDomainMaintenances operation. (Type: `ListDomainMaintenancesInput`) /// - /// - Returns: `ListDomainMaintenancesOutput` : The result of a ListDomainMaintenances request that contains information about the requested actions. + /// - Returns: The result of a ListDomainMaintenances request that contains information about the requested actions. (Type: `ListDomainMaintenancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3931,7 +3880,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainMaintenancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainMaintenancesOutput.httpOutput(from:), ListDomainMaintenancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3963,9 +3911,9 @@ extension OpenSearchClient { /// /// Returns the names of all Amazon OpenSearch Service domains owned by the current user in the active Region. /// - /// - Parameter ListDomainNamesInput : Container for the parameters to the ListDomainNames operation. + /// - Parameter input: Container for the parameters to the ListDomainNames operation. (Type: `ListDomainNamesInput`) /// - /// - Returns: `ListDomainNamesOutput` : The results of a ListDomainNames operation. Contains the names of all domains owned by this account and their respective engine types. + /// - Returns: The results of a ListDomainNames operation. Contains the names of all domains owned by this account and their respective engine types. (Type: `ListDomainNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3998,7 +3946,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainNamesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainNamesOutput.httpOutput(from:), ListDomainNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4030,9 +3977,9 @@ extension OpenSearchClient { /// /// Lists all Amazon OpenSearch Service domains associated with a given package. For more information, see [Custom packages for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/custom-packages.html). /// - /// - Parameter ListDomainsForPackageInput : Container for the request parameters to the ListDomainsForPackage operation. + /// - Parameter input: Container for the request parameters to the ListDomainsForPackage operation. (Type: `ListDomainsForPackageInput`) /// - /// - Returns: `ListDomainsForPackageOutput` : Container for the response parameters to the ListDomainsForPackage operation. + /// - Returns: Container for the response parameters to the ListDomainsForPackage operation. (Type: `ListDomainsForPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4068,7 +4015,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainsForPackageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsForPackageOutput.httpOutput(from:), ListDomainsForPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4100,9 +4046,9 @@ extension OpenSearchClient { /// /// Lists all instance types and available features for a given OpenSearch or Elasticsearch version. /// - /// - Parameter ListInstanceTypeDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstanceTypeDetailsInput`) /// - /// - Returns: `ListInstanceTypeDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstanceTypeDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4137,7 +4083,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInstanceTypeDetailsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstanceTypeDetailsOutput.httpOutput(from:), ListInstanceTypeDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4169,9 +4114,9 @@ extension OpenSearchClient { /// /// Lists all packages associated with an Amazon OpenSearch Service domain. For more information, see [Custom packages for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/custom-packages.html). /// - /// - Parameter ListPackagesForDomainInput : Container for the request parameters to the ListPackagesForDomain operation. + /// - Parameter input: Container for the request parameters to the ListPackagesForDomain operation. (Type: `ListPackagesForDomainInput`) /// - /// - Returns: `ListPackagesForDomainOutput` : Container for the response parameters to the ListPackagesForDomain operation. + /// - Returns: Container for the response parameters to the ListPackagesForDomain operation. (Type: `ListPackagesForDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4207,7 +4152,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackagesForDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackagesForDomainOutput.httpOutput(from:), ListPackagesForDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4239,9 +4183,9 @@ extension OpenSearchClient { /// /// Retrieves a list of configuration changes that are scheduled for a domain. These changes can be [service software updates](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/service-software.html) or [blue/green Auto-Tune enhancements](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/auto-tune.html#auto-tune-types). /// - /// - Parameter ListScheduledActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListScheduledActionsInput`) /// - /// - Returns: `ListScheduledActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListScheduledActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4277,7 +4221,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListScheduledActionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScheduledActionsOutput.httpOutput(from:), ListScheduledActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4309,9 +4252,9 @@ extension OpenSearchClient { /// /// Returns all resource tags for an Amazon OpenSearch Service domain, data source, or application. For more information, see [Tagging Amazon OpenSearch Service resources](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/managedomains-awsresourcetagging.html). /// - /// - Parameter ListTagsInput : Container for the parameters to the ListTags operation. + /// - Parameter input: Container for the parameters to the ListTags operation. (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : The results of a ListTags operation. + /// - Returns: The results of a ListTags operation. (Type: `ListTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4346,7 +4289,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4378,9 +4320,9 @@ extension OpenSearchClient { /// /// Lists all versions of OpenSearch and Elasticsearch that Amazon OpenSearch Service supports. /// - /// - Parameter ListVersionsInput : Container for the request parameters to the ListVersions operation. + /// - Parameter input: Container for the request parameters to the ListVersions operation. (Type: `ListVersionsInput`) /// - /// - Returns: `ListVersionsOutput` : Container for the parameters for response received from the ListVersions operation. + /// - Returns: Container for the parameters for response received from the ListVersions operation. (Type: `ListVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4415,7 +4357,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVersionsOutput.httpOutput(from:), ListVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4447,9 +4388,9 @@ extension OpenSearchClient { /// /// Retrieves information about each Amazon Web Services principal that is allowed to access a given Amazon OpenSearch Service domain through the use of an interface VPC endpoint. /// - /// - Parameter ListVpcEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVpcEndpointAccessInput`) /// - /// - Returns: `ListVpcEndpointAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVpcEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4484,7 +4425,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVpcEndpointAccessInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcEndpointAccessOutput.httpOutput(from:), ListVpcEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4516,9 +4456,9 @@ extension OpenSearchClient { /// /// Retrieves all Amazon OpenSearch Service-managed VPC endpoints in the current Amazon Web Services account and Region. /// - /// - Parameter ListVpcEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVpcEndpointsInput`) /// - /// - Returns: `ListVpcEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVpcEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4552,7 +4492,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVpcEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcEndpointsOutput.httpOutput(from:), ListVpcEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4584,9 +4523,9 @@ extension OpenSearchClient { /// /// Retrieves all Amazon OpenSearch Service-managed VPC endpoints associated with a particular domain. /// - /// - Parameter ListVpcEndpointsForDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVpcEndpointsForDomainInput`) /// - /// - Returns: `ListVpcEndpointsForDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVpcEndpointsForDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4621,7 +4560,6 @@ extension OpenSearchClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVpcEndpointsForDomainInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcEndpointsForDomainOutput.httpOutput(from:), ListVpcEndpointsForDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4653,9 +4591,9 @@ extension OpenSearchClient { /// /// Allows you to purchase Amazon OpenSearch Service Reserved Instances. /// - /// - Parameter PurchaseReservedInstanceOfferingInput : Container for request parameters to the PurchaseReservedInstanceOffering operation. + /// - Parameter input: Container for request parameters to the PurchaseReservedInstanceOffering operation. (Type: `PurchaseReservedInstanceOfferingInput`) /// - /// - Returns: `PurchaseReservedInstanceOfferingOutput` : Represents the output of a PurchaseReservedInstanceOffering operation. + /// - Returns: Represents the output of a PurchaseReservedInstanceOffering operation. (Type: `PurchaseReservedInstanceOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4694,7 +4632,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseReservedInstanceOfferingOutput.httpOutput(from:), PurchaseReservedInstanceOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4726,9 +4663,9 @@ extension OpenSearchClient { /// /// Allows the remote Amazon OpenSearch Service domain owner to reject an inbound cross-cluster connection request. /// - /// - Parameter RejectInboundConnectionInput : Container for the request parameters to the RejectInboundConnection operation. + /// - Parameter input: Container for the request parameters to the RejectInboundConnection operation. (Type: `RejectInboundConnectionInput`) /// - /// - Returns: `RejectInboundConnectionOutput` : Represents the output of a RejectInboundConnection operation. + /// - Returns: Represents the output of a RejectInboundConnection operation. (Type: `RejectInboundConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4760,7 +4697,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectInboundConnectionOutput.httpOutput(from:), RejectInboundConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4792,9 +4728,9 @@ extension OpenSearchClient { /// /// Removes the specified set of tags from an Amazon OpenSearch Service domain, data source, or application. For more information, see [ Tagging Amazon OpenSearch Service resources](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/managedomains.html#managedomains-awsresorcetagging). /// - /// - Parameter RemoveTagsInput : Container for the request parameters to the RemoveTags operation. + /// - Parameter input: Container for the request parameters to the RemoveTags operation. (Type: `RemoveTagsInput`) /// - /// - Returns: `RemoveTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4830,7 +4766,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsOutput.httpOutput(from:), RemoveTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4862,9 +4797,9 @@ extension OpenSearchClient { /// /// Revokes access to an Amazon OpenSearch Service domain that was provided through an interface VPC endpoint. /// - /// - Parameter RevokeVpcEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeVpcEndpointAccessInput`) /// - /// - Returns: `RevokeVpcEndpointAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeVpcEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4902,7 +4837,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeVpcEndpointAccessOutput.httpOutput(from:), RevokeVpcEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4934,9 +4868,9 @@ extension OpenSearchClient { /// /// Starts the node maintenance process on the data node. These processes can include a node reboot, an Opensearch or Elasticsearch process restart, or a Dashboard or Kibana restart. /// - /// - Parameter StartDomainMaintenanceInput : Container for the parameters to the StartDomainMaintenance operation. + /// - Parameter input: Container for the parameters to the StartDomainMaintenance operation. (Type: `StartDomainMaintenanceInput`) /// - /// - Returns: `StartDomainMaintenanceOutput` : The result of a StartDomainMaintenance request that information about the requested action. + /// - Returns: The result of a StartDomainMaintenance request that information about the requested action. (Type: `StartDomainMaintenanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4974,7 +4908,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDomainMaintenanceOutput.httpOutput(from:), StartDomainMaintenanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5006,9 +4939,9 @@ extension OpenSearchClient { /// /// Schedules a service software update for an Amazon OpenSearch Service domain. For more information, see [Service software updates in Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/service-software.html). /// - /// - Parameter StartServiceSoftwareUpdateInput : Container for the request parameters to the StartServiceSoftwareUpdate operation. + /// - Parameter input: Container for the request parameters to the StartServiceSoftwareUpdate operation. (Type: `StartServiceSoftwareUpdateInput`) /// - /// - Returns: `StartServiceSoftwareUpdateOutput` : Represents the output of a StartServiceSoftwareUpdate operation. Contains the status of the update. + /// - Returns: Represents the output of a StartServiceSoftwareUpdate operation. Contains the status of the update. (Type: `StartServiceSoftwareUpdateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5045,7 +4978,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartServiceSoftwareUpdateOutput.httpOutput(from:), StartServiceSoftwareUpdateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5077,9 +5009,9 @@ extension OpenSearchClient { /// /// Updates the configuration and settings of an existing OpenSearch application. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5119,7 +5051,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5151,9 +5082,9 @@ extension OpenSearchClient { /// /// Updates a direct-query data source. For more information, see [Working with Amazon OpenSearch Service data source integrations with Amazon S3](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/direct-query-s3-creating.html). /// - /// - Parameter UpdateDataSourceInput : Container for the parameters to the UpdateDataSource operation. + /// - Parameter input: Container for the parameters to the UpdateDataSource operation. (Type: `UpdateDataSourceInput`) /// - /// - Returns: `UpdateDataSourceOutput` : The result of an UpdateDataSource operation. + /// - Returns: The result of an UpdateDataSource operation. (Type: `UpdateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5192,7 +5123,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSourceOutput.httpOutput(from:), UpdateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5224,9 +5154,9 @@ extension OpenSearchClient { /// /// Updates the configuration or properties of an existing direct query data source in Amazon OpenSearch Service. /// - /// - Parameter UpdateDirectQueryDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDirectQueryDataSourceInput`) /// - /// - Returns: `UpdateDirectQueryDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDirectQueryDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5264,7 +5194,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDirectQueryDataSourceOutput.httpOutput(from:), UpdateDirectQueryDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5296,9 +5225,9 @@ extension OpenSearchClient { /// /// Modifies the cluster configuration of the specified Amazon OpenSearch Service domain. /// - /// - Parameter UpdateDomainConfigInput : Container for the request parameters to the UpdateDomain operation. + /// - Parameter input: Container for the request parameters to the UpdateDomain operation. (Type: `UpdateDomainConfigInput`) /// - /// - Returns: `UpdateDomainConfigOutput` : The results of an UpdateDomain request. Contains the status of the domain being updated. + /// - Returns: The results of an UpdateDomain request. Contains the status of the domain being updated. (Type: `UpdateDomainConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5337,7 +5266,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainConfigOutput.httpOutput(from:), UpdateDomainConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5369,9 +5297,9 @@ extension OpenSearchClient { /// /// Updates a package for use with Amazon OpenSearch Service domains. For more information, see [Custom packages for Amazon OpenSearch Service](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/custom-packages.html). /// - /// - Parameter UpdatePackageInput : Container for request parameters to the UpdatePackage operation. + /// - Parameter input: Container for request parameters to the UpdatePackage operation. (Type: `UpdatePackageInput`) /// - /// - Returns: `UpdatePackageOutput` : Container for the response returned by the UpdatePackage operation. + /// - Returns: Container for the response returned by the UpdatePackage operation. (Type: `UpdatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5410,7 +5338,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePackageOutput.httpOutput(from:), UpdatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5442,9 +5369,9 @@ extension OpenSearchClient { /// /// Updates the scope of a package. Scope of the package defines users who can view and associate a package. /// - /// - Parameter UpdatePackageScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePackageScopeInput`) /// - /// - Returns: `UpdatePackageScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePackageScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5482,7 +5409,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePackageScopeOutput.httpOutput(from:), UpdatePackageScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5514,9 +5440,9 @@ extension OpenSearchClient { /// /// Reschedules a planned domain configuration change for a later time. This change can be a scheduled [service software update](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/service-software.html) or a [blue/green Auto-Tune enhancement](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/auto-tune.html#auto-tune-types). /// - /// - Parameter UpdateScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScheduledActionInput`) /// - /// - Returns: `UpdateScheduledActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5556,7 +5482,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScheduledActionOutput.httpOutput(from:), UpdateScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5588,9 +5513,9 @@ extension OpenSearchClient { /// /// Modifies an Amazon OpenSearch Service-managed interface VPC endpoint. /// - /// - Parameter UpdateVpcEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVpcEndpointInput`) /// - /// - Returns: `UpdateVpcEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVpcEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5629,7 +5554,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVpcEndpointOutput.httpOutput(from:), UpdateVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5661,9 +5585,9 @@ extension OpenSearchClient { /// /// Allows you to either upgrade your Amazon OpenSearch Service domain or perform an upgrade eligibility check to a compatible version of OpenSearch or Elasticsearch. /// - /// - Parameter UpgradeDomainInput : Container for the request parameters to the UpgradeDomain operation. + /// - Parameter input: Container for the request parameters to the UpgradeDomain operation. (Type: `UpgradeDomainInput`) /// - /// - Returns: `UpgradeDomainOutput` : Container for the response returned by UpgradeDomain operation. + /// - Returns: Container for the response returned by UpgradeDomain operation. (Type: `UpgradeDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5702,7 +5626,6 @@ extension OpenSearchClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpgradeDomainOutput.httpOutput(from:), UpgradeDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSOpenSearchServerless/Sources/AWSOpenSearchServerless/OpenSearchServerlessClient.swift b/Sources/Services/AWSOpenSearchServerless/Sources/AWSOpenSearchServerless/OpenSearchServerlessClient.swift index e7a42711828..6fedcbcede5 100644 --- a/Sources/Services/AWSOpenSearchServerless/Sources/AWSOpenSearchServerless/OpenSearchServerlessClient.swift +++ b/Sources/Services/AWSOpenSearchServerless/Sources/AWSOpenSearchServerless/OpenSearchServerlessClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class OpenSearchServerlessClient: ClientRuntime.Client { public static let clientName = "OpenSearchServerlessClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: OpenSearchServerlessClient.OpenSearchServerlessClientConfiguration let serviceName = "OpenSearchServerless" @@ -375,9 +374,9 @@ extension OpenSearchServerlessClient { /// /// Returns attributes for one or more collections, including the collection endpoint, the OpenSearch Dashboards endpoint, and FIPS-compliant endpoints. For more information, see [Creating and managing Amazon OpenSearch Serverless collections](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-manage.html). /// - /// - Parameter BatchGetCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetCollectionInput`) /// - /// - Returns: `BatchGetCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetCollectionOutput.httpOutput(from:), BatchGetCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension OpenSearchServerlessClient { /// /// Returns a list of successful and failed retrievals for the OpenSearch Serverless indexes. For more information, see [Viewing data lifecycle policies](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-lifecycle.html#serverless-lifecycle-list). /// - /// - Parameter BatchGetEffectiveLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetEffectiveLifecyclePolicyInput`) /// - /// - Returns: `BatchGetEffectiveLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetEffectiveLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetEffectiveLifecyclePolicyOutput.httpOutput(from:), BatchGetEffectiveLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension OpenSearchServerlessClient { /// /// Returns one or more configured OpenSearch Serverless lifecycle policies. For more information, see [Viewing data lifecycle policies](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-lifecycle.html#serverless-lifecycle-list). /// - /// - Parameter BatchGetLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetLifecyclePolicyInput`) /// - /// - Returns: `BatchGetLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -550,7 +547,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetLifecyclePolicyOutput.httpOutput(from:), BatchGetLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +581,9 @@ extension OpenSearchServerlessClient { /// /// Returns attributes for one or more VPC endpoints associated with the current account. For more information, see [Access Amazon OpenSearch Serverless using an interface endpoint](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-vpc.html). /// - /// - Parameter BatchGetVpcEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetVpcEndpointInput`) /// - /// - Returns: `BatchGetVpcEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetVpcEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -620,7 +616,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetVpcEndpointOutput.httpOutput(from:), BatchGetVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -655,9 +650,9 @@ extension OpenSearchServerlessClient { /// /// Creates a data access policy for OpenSearch Serverless. Access policies limit access to collections and the resources within them, and allow a user to access that data irrespective of the access mechanism or network source. For more information, see [Data access control for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-data-access.html). /// - /// - Parameter CreateAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessPolicyInput`) /// - /// - Returns: `CreateAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -693,7 +688,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessPolicyOutput.httpOutput(from:), CreateAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension OpenSearchServerlessClient { /// /// Creates a new OpenSearch Serverless collection. For more information, see [Creating and managing Amazon OpenSearch Serverless collections](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-manage.html). /// - /// - Parameter CreateCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCollectionInput`) /// - /// - Returns: `CreateCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCollectionOutput.httpOutput(from:), CreateCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -802,9 +795,9 @@ extension OpenSearchServerlessClient { /// /// Creates an index within an OpenSearch Serverless collection. Unlike other OpenSearch indexes, indexes created by this API are automatically configured to conduct automatic semantic enrichment ingestion and search. For more information, see [About automatic semantic enrichment](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-manage.html#serverless-semantic-enrichment) in the OpenSearch User Guide. /// - /// - Parameter CreateIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIndexInput`) /// - /// - Returns: `CreateIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -839,7 +832,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIndexOutput.httpOutput(from:), CreateIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -874,9 +866,9 @@ extension OpenSearchServerlessClient { /// /// Creates a lifecyle policy to be applied to OpenSearch Serverless indexes. Lifecycle policies define the number of days or hours to retain the data on an OpenSearch Serverless index. For more information, see [Creating data lifecycle policies](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-lifecycle.html#serverless-lifecycle-create). /// - /// - Parameter CreateLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLifecyclePolicyInput`) /// - /// - Returns: `CreateLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -912,7 +904,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLifecyclePolicyOutput.httpOutput(from:), CreateLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -947,9 +938,9 @@ extension OpenSearchServerlessClient { /// /// Specifies a security configuration for OpenSearch Serverless. For more information, see [SAML authentication for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-saml.html). /// - /// - Parameter CreateSecurityConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSecurityConfigInput`) /// - /// - Returns: `CreateSecurityConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSecurityConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -985,7 +976,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSecurityConfigOutput.httpOutput(from:), CreateSecurityConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1020,9 +1010,9 @@ extension OpenSearchServerlessClient { /// /// Creates a security policy to be used by one or more OpenSearch Serverless collections. Security policies provide access to a collection and its OpenSearch Dashboards endpoint from public networks or specific VPC endpoints. They also allow you to secure a collection with a KMS encryption key. For more information, see [Network access for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-network.html) and [Encryption at rest for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-encryption.html). /// - /// - Parameter CreateSecurityPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSecurityPolicyInput`) /// - /// - Returns: `CreateSecurityPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSecurityPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1058,7 +1048,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSecurityPolicyOutput.httpOutput(from:), CreateSecurityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1093,9 +1082,9 @@ extension OpenSearchServerlessClient { /// /// Creates an OpenSearch Serverless-managed interface VPC endpoint. For more information, see [Access Amazon OpenSearch Serverless using an interface endpoint](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-vpc.html). /// - /// - Parameter CreateVpcEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVpcEndpointInput`) /// - /// - Returns: `CreateVpcEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVpcEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1131,7 +1120,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVpcEndpointOutput.httpOutput(from:), CreateVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1166,9 +1154,9 @@ extension OpenSearchServerlessClient { /// /// Deletes an OpenSearch Serverless access policy. For more information, see [Data access control for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-data-access.html). /// - /// - Parameter DeleteAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessPolicyInput`) /// - /// - Returns: `DeleteAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1204,7 +1192,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessPolicyOutput.httpOutput(from:), DeleteAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1239,9 +1226,9 @@ extension OpenSearchServerlessClient { /// /// Deletes an OpenSearch Serverless collection. For more information, see [Creating and managing Amazon OpenSearch Serverless collections](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-manage.html). /// - /// - Parameter DeleteCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCollectionInput`) /// - /// - Returns: `DeleteCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1277,7 +1264,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCollectionOutput.httpOutput(from:), DeleteCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1312,9 +1298,9 @@ extension OpenSearchServerlessClient { /// /// Deletes an index from an OpenSearch Serverless collection. Be aware that the index might be configured to conduct automatic semantic enrichment ingestion and search. For more information, see [About automatic semantic enrichment](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-manage.html#serverless-semantic-enrichment). /// - /// - Parameter DeleteIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIndexInput`) /// - /// - Returns: `DeleteIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1348,7 +1334,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIndexOutput.httpOutput(from:), DeleteIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1383,9 +1368,9 @@ extension OpenSearchServerlessClient { /// /// Deletes an OpenSearch Serverless lifecycle policy. For more information, see [Deleting data lifecycle policies](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-lifecycle.html#serverless-lifecycle-delete). /// - /// - Parameter DeleteLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLifecyclePolicyInput`) /// - /// - Returns: `DeleteLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1421,7 +1406,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLifecyclePolicyOutput.httpOutput(from:), DeleteLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1456,9 +1440,9 @@ extension OpenSearchServerlessClient { /// /// Deletes a security configuration for OpenSearch Serverless. For more information, see [SAML authentication for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-saml.html). /// - /// - Parameter DeleteSecurityConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSecurityConfigInput`) /// - /// - Returns: `DeleteSecurityConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSecurityConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1494,7 +1478,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSecurityConfigOutput.httpOutput(from:), DeleteSecurityConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1529,9 +1512,9 @@ extension OpenSearchServerlessClient { /// /// Deletes an OpenSearch Serverless security policy. /// - /// - Parameter DeleteSecurityPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSecurityPolicyInput`) /// - /// - Returns: `DeleteSecurityPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSecurityPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1567,7 +1550,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSecurityPolicyOutput.httpOutput(from:), DeleteSecurityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1602,9 +1584,9 @@ extension OpenSearchServerlessClient { /// /// Deletes an OpenSearch Serverless-managed interface endpoint. For more information, see [Access Amazon OpenSearch Serverless using an interface endpoint](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-vpc.html). /// - /// - Parameter DeleteVpcEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVpcEndpointInput`) /// - /// - Returns: `DeleteVpcEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVpcEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1640,7 +1622,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVpcEndpointOutput.httpOutput(from:), DeleteVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1675,9 +1656,9 @@ extension OpenSearchServerlessClient { /// /// Returns an OpenSearch Serverless access policy. For more information, see [Data access control for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-data-access.html). /// - /// - Parameter GetAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessPolicyInput`) /// - /// - Returns: `GetAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1711,7 +1692,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessPolicyOutput.httpOutput(from:), GetAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1746,9 +1726,9 @@ extension OpenSearchServerlessClient { /// /// Returns account-level settings related to OpenSearch Serverless. /// - /// - Parameter GetAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountSettingsInput`) /// - /// - Returns: `GetAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1781,7 +1761,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSettingsOutput.httpOutput(from:), GetAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1816,9 +1795,9 @@ extension OpenSearchServerlessClient { /// /// Retrieves information about an index in an OpenSearch Serverless collection, including its schema definition. The index might be configured to conduct automatic semantic enrichment ingestion and search. For more information, see [About automatic semantic enrichment](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-manage.html#serverless-semantic-enrichment). /// - /// - Parameter GetIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIndexInput`) /// - /// - Returns: `GetIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1852,7 +1831,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIndexOutput.httpOutput(from:), GetIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1887,9 +1865,9 @@ extension OpenSearchServerlessClient { /// /// Returns statistical information about your OpenSearch Serverless access policies, security configurations, and security policies. /// - /// - Parameter GetPoliciesStatsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPoliciesStatsInput`) /// - /// - Returns: `GetPoliciesStatsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPoliciesStatsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1921,7 +1899,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPoliciesStatsOutput.httpOutput(from:), GetPoliciesStatsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1956,9 +1933,9 @@ extension OpenSearchServerlessClient { /// /// Returns information about an OpenSearch Serverless security configuration. For more information, see [SAML authentication for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-saml.html). /// - /// - Parameter GetSecurityConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSecurityConfigInput`) /// - /// - Returns: `GetSecurityConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSecurityConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1992,7 +1969,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSecurityConfigOutput.httpOutput(from:), GetSecurityConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2027,9 +2003,9 @@ extension OpenSearchServerlessClient { /// /// Returns information about a configured OpenSearch Serverless security policy. For more information, see [Network access for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-network.html) and [Encryption at rest for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-encryption.html). /// - /// - Parameter GetSecurityPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSecurityPolicyInput`) /// - /// - Returns: `GetSecurityPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSecurityPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2063,7 +2039,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSecurityPolicyOutput.httpOutput(from:), GetSecurityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2098,9 +2073,9 @@ extension OpenSearchServerlessClient { /// /// Returns information about a list of OpenSearch Serverless access policies. /// - /// - Parameter ListAccessPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessPoliciesInput`) /// - /// - Returns: `ListAccessPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2133,7 +2108,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessPoliciesOutput.httpOutput(from:), ListAccessPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2168,9 +2142,9 @@ extension OpenSearchServerlessClient { /// /// Lists all OpenSearch Serverless collections. For more information, see [Creating and managing Amazon OpenSearch Serverless collections](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-manage.html). Make sure to include an empty request body {} if you don't include any collection filters in the request. /// - /// - Parameter ListCollectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollectionsInput`) /// - /// - Returns: `ListCollectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2203,7 +2177,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollectionsOutput.httpOutput(from:), ListCollectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2238,9 +2211,9 @@ extension OpenSearchServerlessClient { /// /// Returns a list of OpenSearch Serverless lifecycle policies. For more information, see [Viewing data lifecycle policies](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-lifecycle.html#serverless-lifecycle-list). /// - /// - Parameter ListLifecyclePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLifecyclePoliciesInput`) /// - /// - Returns: `ListLifecyclePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLifecyclePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2273,7 +2246,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLifecyclePoliciesOutput.httpOutput(from:), ListLifecyclePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2308,9 +2280,9 @@ extension OpenSearchServerlessClient { /// /// Returns information about configured OpenSearch Serverless security configurations. For more information, see [SAML authentication for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-saml.html). /// - /// - Parameter ListSecurityConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityConfigsInput`) /// - /// - Returns: `ListSecurityConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2343,7 +2315,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityConfigsOutput.httpOutput(from:), ListSecurityConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2378,9 +2349,9 @@ extension OpenSearchServerlessClient { /// /// Returns information about configured OpenSearch Serverless security policies. /// - /// - Parameter ListSecurityPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityPoliciesInput`) /// - /// - Returns: `ListSecurityPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2413,7 +2384,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityPoliciesOutput.httpOutput(from:), ListSecurityPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2448,9 +2418,9 @@ extension OpenSearchServerlessClient { /// /// Returns the tags for an OpenSearch Serverless resource. For more information, see [Tagging Amazon OpenSearch Serverless collections](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/tag-collection.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2484,7 +2454,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2519,9 +2488,9 @@ extension OpenSearchServerlessClient { /// /// Returns the OpenSearch Serverless-managed interface VPC endpoints associated with the current account. For more information, see [Access Amazon OpenSearch Serverless using an interface endpoint](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-vpc.html). /// - /// - Parameter ListVpcEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVpcEndpointsInput`) /// - /// - Returns: `ListVpcEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVpcEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2554,7 +2523,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVpcEndpointsOutput.httpOutput(from:), ListVpcEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2589,9 +2557,9 @@ extension OpenSearchServerlessClient { /// /// Associates tags with an OpenSearch Serverless resource. For more information, see [Tagging Amazon OpenSearch Serverless collections](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/tag-collection.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2627,7 +2595,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2662,9 +2629,9 @@ extension OpenSearchServerlessClient { /// /// Removes a tag or set of tags from an OpenSearch Serverless resource. For more information, see [Tagging Amazon OpenSearch Serverless collections](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/tag-collection.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2699,7 +2666,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2734,9 +2700,9 @@ extension OpenSearchServerlessClient { /// /// Updates an OpenSearch Serverless access policy. For more information, see [Data access control for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-data-access.html). /// - /// - Parameter UpdateAccessPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccessPolicyInput`) /// - /// - Returns: `UpdateAccessPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccessPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2772,7 +2738,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccessPolicyOutput.httpOutput(from:), UpdateAccessPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2807,9 +2772,9 @@ extension OpenSearchServerlessClient { /// /// Update the OpenSearch Serverless settings for the current Amazon Web Services account. For more information, see [Managing capacity limits for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-scaling.html). /// - /// - Parameter UpdateAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountSettingsInput`) /// - /// - Returns: `UpdateAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2842,7 +2807,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountSettingsOutput.httpOutput(from:), UpdateAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2877,9 +2841,9 @@ extension OpenSearchServerlessClient { /// /// Updates an OpenSearch Serverless collection. /// - /// - Parameter UpdateCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCollectionInput`) /// - /// - Returns: `UpdateCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2914,7 +2878,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCollectionOutput.httpOutput(from:), UpdateCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2949,9 +2912,9 @@ extension OpenSearchServerlessClient { /// /// Updates an existing index in an OpenSearch Serverless collection. This operation allows you to modify the index schema, including adding new fields or changing field mappings. You can also enable automatic semantic enrichment ingestion and search. For more information, see [About automatic semantic enrichment](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-manage.html#serverless-semantic-enrichment). /// - /// - Parameter UpdateIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIndexInput`) /// - /// - Returns: `UpdateIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2985,7 +2948,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIndexOutput.httpOutput(from:), UpdateIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3020,9 +2982,9 @@ extension OpenSearchServerlessClient { /// /// Updates an OpenSearch Serverless access policy. For more information, see [Updating data lifecycle policies](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-lifecycle.html#serverless-lifecycle-update). /// - /// - Parameter UpdateLifecyclePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLifecyclePolicyInput`) /// - /// - Returns: `UpdateLifecyclePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLifecyclePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3059,7 +3021,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLifecyclePolicyOutput.httpOutput(from:), UpdateLifecyclePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3094,9 +3055,9 @@ extension OpenSearchServerlessClient { /// /// Updates a security configuration for OpenSearch Serverless. For more information, see [SAML authentication for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-saml.html). /// - /// - Parameter UpdateSecurityConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecurityConfigInput`) /// - /// - Returns: `UpdateSecurityConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecurityConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3132,7 +3093,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecurityConfigOutput.httpOutput(from:), UpdateSecurityConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3167,9 +3127,9 @@ extension OpenSearchServerlessClient { /// /// Updates an OpenSearch Serverless security policy. For more information, see [Network access for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-network.html) and [Encryption at rest for Amazon OpenSearch Serverless](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-encryption.html). /// - /// - Parameter UpdateSecurityPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecurityPolicyInput`) /// - /// - Returns: `UpdateSecurityPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecurityPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3206,7 +3166,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecurityPolicyOutput.httpOutput(from:), UpdateSecurityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3241,9 +3200,9 @@ extension OpenSearchServerlessClient { /// /// Updates an OpenSearch Serverless-managed interface endpoint. For more information, see [Access Amazon OpenSearch Serverless using an interface endpoint](https://docs.aws.amazon.com/opensearch-service/latest/developerguide/serverless-vpc.html). /// - /// - Parameter UpdateVpcEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVpcEndpointInput`) /// - /// - Returns: `UpdateVpcEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVpcEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3278,7 +3237,6 @@ extension OpenSearchServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVpcEndpointOutput.httpOutput(from:), UpdateVpcEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSOrganizations/Sources/AWSOrganizations/OrganizationsClient.swift b/Sources/Services/AWSOrganizations/Sources/AWSOrganizations/OrganizationsClient.swift index 76e1b127b5e..ae1e28010fd 100644 --- a/Sources/Services/AWSOrganizations/Sources/AWSOrganizations/OrganizationsClient.swift +++ b/Sources/Services/AWSOrganizations/Sources/AWSOrganizations/OrganizationsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class OrganizationsClient: ClientRuntime.Client { public static let clientName = "OrganizationsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: OrganizationsClient.OrganizationsClientConfiguration let serviceName = "Organizations" @@ -381,9 +380,9 @@ extension OrganizationsClient { /// /// After you accept a handshake, it continues to appear in the results of relevant APIs for only 30 days. After that, it's deleted. /// - /// - Parameter AcceptHandshakeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptHandshakeInput`) /// - /// - Returns: `AcceptHandshakeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptHandshakeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -495,7 +494,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptHandshakeOutput.httpOutput(from:), AcceptHandshakeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -549,9 +547,9 @@ extension OrganizationsClient { /// /// This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter AttachPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachPolicyInput`) /// - /// - Returns: `AttachPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -726,7 +724,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachPolicyOutput.httpOutput(from:), AttachPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -761,9 +758,9 @@ extension OrganizationsClient { /// /// Cancels a handshake. Canceling a handshake sets the handshake state to CANCELED. This operation can be called only from the account that originated the handshake. The recipient of the handshake can't cancel it, but can use [DeclineHandshake] instead. After a handshake is canceled, the recipient can no longer respond to that handshake. After you cancel a handshake, it continues to appear in the results of relevant APIs for only 30 days. After that, it's deleted. /// - /// - Parameter CancelHandshakeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelHandshakeInput`) /// - /// - Returns: `CancelHandshakeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelHandshakeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -854,7 +851,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelHandshakeOutput.httpOutput(from:), CancelHandshakeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -902,9 +898,9 @@ extension OrganizationsClient { /// /// * If the Amazon Web Services account you attempt to close is linked to an Amazon Web Services GovCloud (US) account, the CloseAccount request will close both accounts. To learn important pre-closure details, see [ Closing an Amazon Web Services GovCloud (US) account](https://docs.aws.amazon.com/govcloud-us/latest/UserGuide/Closing-govcloud-account.html) in the Amazon Web Services GovCloud User Guide. /// - /// - Parameter CloseAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CloseAccountInput`) /// - /// - Returns: `CloseAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CloseAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1077,7 +1073,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CloseAccountOutput.httpOutput(from:), CloseAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1130,9 +1125,9 @@ extension OrganizationsClient { /// /// When you create a member account with this operation, you can choose whether to create the account with the IAM User and Role Access to Billing Information switch enabled. If you enable it, IAM users and roles that have appropriate permissions can view billing information for the account. If you disable it, only the account root user can access billing information. For information about how to disable this switch for an account, see [Granting access to your billing information and tools](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/control-access-billing.html#grantaccess). /// - /// - Parameter CreateAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccountInput`) /// - /// - Returns: `CreateAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1303,7 +1298,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccountOutput.httpOutput(from:), CreateAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1374,9 +1368,9 @@ extension OrganizationsClient { /// /// When you create a member account with this operation, you can choose whether to create the account with the IAM User and Role Access to Billing Information switch enabled. If you enable it, IAM users and roles that have appropriate permissions can view billing information for the account. If you disable it, only the account root user can access billing information. For information about how to disable this switch for an account, see [Granting access to your billing information and tools](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/grantaccess.html). /// - /// - Parameter CreateGovCloudAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGovCloudAccountInput`) /// - /// - Returns: `CreateGovCloudAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGovCloudAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1547,7 +1541,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGovCloudAccountOutput.httpOutput(from:), CreateGovCloudAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1582,9 +1575,9 @@ extension OrganizationsClient { /// /// Creates an Amazon Web Services organization. The account whose user is calling the CreateOrganization operation automatically becomes the [management account](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_getting-started_concepts.html#account) of the new organization. This operation must be called using credentials from the account that is to become the new organization's management account. The principal must also have the relevant IAM permissions. By default (or if you set the FeatureSet parameter to ALL), the new organization is created with all features enabled and service control policies automatically enabled in the root. If you instead choose to create the organization supporting only the consolidated billing features by setting the FeatureSet parameter to CONSOLIDATED_BILLING, no policy types are enabled by default and you can't use organization policies. /// - /// - Parameter CreateOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOrganizationInput`) /// - /// - Returns: `CreateOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1754,7 +1747,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOrganizationOutput.httpOutput(from:), CreateOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1789,9 +1781,9 @@ extension OrganizationsClient { /// /// Creates an organizational unit (OU) within a root or parent OU. An OU is a container for accounts that enables you to organize your accounts to apply policies according to your business requirements. The number of levels deep that you can nest OUs is dependent upon the policy types enabled for that root. For service control policies, the limit is five. For more information about OUs, see [Managing organizational units (OUs)](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_ous.html) in the Organizations User Guide. If the request includes tags, then the requester must have the organizations:TagResource permission. This operation can be called only from the organization's management account. /// - /// - Parameter CreateOrganizationalUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOrganizationalUnitInput`) /// - /// - Returns: `CreateOrganizationalUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOrganizationalUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1962,7 +1954,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOrganizationalUnitOutput.httpOutput(from:), CreateOrganizationalUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1997,9 +1988,9 @@ extension OrganizationsClient { /// /// Creates a policy of a specified type that you can attach to a root, an organizational unit (OU), or an individual Amazon Web Services account. For more information about policies and their use, see [Managing Organizations policies](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_policies.html). If the request includes tags, then the requester must have the organizations:TagResource permission. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter CreatePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePolicyInput`) /// - /// - Returns: `CreatePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2172,7 +2163,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePolicyOutput.httpOutput(from:), CreatePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2207,9 +2197,9 @@ extension OrganizationsClient { /// /// Declines a handshake request. This sets the handshake state to DECLINED and effectively deactivates the request. This operation can be called only from the account that received the handshake. The originator of the handshake can use [CancelHandshake] instead. The originator can't reactivate a declined request, but can reinitiate the process with a new handshake request. After you decline a handshake, it continues to appear in the results of relevant APIs for only 30 days. After that, it's deleted. /// - /// - Parameter DeclineHandshakeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeclineHandshakeInput`) /// - /// - Returns: `DeclineHandshakeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeclineHandshakeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2300,7 +2290,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeclineHandshakeOutput.httpOutput(from:), DeclineHandshakeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2335,9 +2324,9 @@ extension OrganizationsClient { /// /// Deletes the organization. You can delete an organization only by using credentials from the management account. The organization must be empty of member accounts. /// - /// - Parameter DeleteOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOrganizationInput`) /// - /// - Returns: `DeleteOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2427,7 +2416,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOrganizationOutput.httpOutput(from:), DeleteOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2462,9 +2450,9 @@ extension OrganizationsClient { /// /// Deletes an organizational unit (OU) from a root or another OU. You must first remove all accounts and child OUs from the OU that you want to delete. This operation can be called only from the organization's management account. /// - /// - Parameter DeleteOrganizationalUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOrganizationalUnitInput`) /// - /// - Returns: `DeleteOrganizationalUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOrganizationalUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2555,7 +2543,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOrganizationalUnitOutput.httpOutput(from:), DeleteOrganizationalUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2590,9 +2577,9 @@ extension OrganizationsClient { /// /// Deletes the specified policy from your organization. Before you perform this operation, you must first detach the policy from all organizational units (OUs), roots, and accounts. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter DeletePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyInput`) /// - /// - Returns: `DeletePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2684,7 +2671,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyOutput.httpOutput(from:), DeletePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2719,9 +2705,9 @@ extension OrganizationsClient { /// /// Deletes the resource policy from your organization. This operation can be called only from the organization's management account. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2839,7 +2825,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2874,9 +2859,9 @@ extension OrganizationsClient { /// /// Removes the specified member Amazon Web Services account as a delegated administrator for the specified Amazon Web Services service. Deregistering a delegated administrator can have unintended impacts on the functionality of the enabled Amazon Web Services service. See the documentation for the enabled service before you deregister a delegated administrator so that you understand any potential impacts. You can run this action only for Amazon Web Services services that support this feature. For a current list of services that support it, see the column Supports Delegated Administrator in the table at [Amazon Web Services Services that you can use with Organizations](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_integrate_services_list.html) in the Organizations User Guide. This operation can be called only from the organization's management account. /// - /// - Parameter DeregisterDelegatedAdministratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterDelegatedAdministratorInput`) /// - /// - Returns: `DeregisterDelegatedAdministratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterDelegatedAdministratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3048,7 +3033,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterDelegatedAdministratorOutput.httpOutput(from:), DeregisterDelegatedAdministratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3083,9 +3067,9 @@ extension OrganizationsClient { /// /// Retrieves Organizations-related information about the specified account. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter DescribeAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountInput`) /// - /// - Returns: `DescribeAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3174,7 +3158,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountOutput.httpOutput(from:), DescribeAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3209,9 +3192,9 @@ extension OrganizationsClient { /// /// Retrieves the current status of an asynchronous request to create an account. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter DescribeCreateAccountStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCreateAccountStatusInput`) /// - /// - Returns: `DescribeCreateAccountStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCreateAccountStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3301,7 +3284,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCreateAccountStatusOutput.httpOutput(from:), DescribeCreateAccountStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3336,9 +3318,9 @@ extension OrganizationsClient { /// /// Returns the contents of the effective policy for specified policy type and account. The effective policy is the aggregation of any policies of the specified type that the account inherits, plus any policy of that type that is directly attached to the account. This operation applies only to management policies. It does not apply to authorization policies: service control policies (SCPs) and resource control policies (RCPs). For more information about policy inheritance, see [Understanding management policy inheritance](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_policies_inheritance_mgmt.html) in the Organizations User Guide. This operation can be called from any account in the organization. /// - /// - Parameter DescribeEffectivePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEffectivePolicyInput`) /// - /// - Returns: `DescribeEffectivePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEffectivePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3509,7 +3491,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEffectivePolicyOutput.httpOutput(from:), DescribeEffectivePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3544,9 +3525,9 @@ extension OrganizationsClient { /// /// Retrieves information about a previously requested handshake. The handshake ID comes from the response to the original [InviteAccountToOrganization] operation that generated the handshake. You can access handshakes that are ACCEPTED, DECLINED, or CANCELED for only 30 days after they change to that state. They're then deleted and no longer accessible. This operation can be called from any account in the organization. /// - /// - Parameter DescribeHandshakeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHandshakeInput`) /// - /// - Returns: `DescribeHandshakeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHandshakeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3635,7 +3616,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHandshakeOutput.httpOutput(from:), DescribeHandshakeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3670,9 +3650,9 @@ extension OrganizationsClient { /// /// Retrieves information about the organization that the user's account belongs to. This operation can be called from any account in the organization. Even if a policy type is shown as available in the organization, you can disable it separately at the root level with [DisablePolicyType]. Use [ListRoots] to see the status of policy types for a specified root. /// - /// - Parameter DescribeOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationInput`) /// - /// - Returns: `DescribeOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3708,7 +3688,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationOutput.httpOutput(from:), DescribeOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3743,9 +3722,9 @@ extension OrganizationsClient { /// /// Retrieves information about an organizational unit (OU). This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter DescribeOrganizationalUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationalUnitInput`) /// - /// - Returns: `DescribeOrganizationalUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationalUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3834,7 +3813,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationalUnitOutput.httpOutput(from:), DescribeOrganizationalUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3869,9 +3847,9 @@ extension OrganizationsClient { /// /// Retrieves information about a policy. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter DescribePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePolicyInput`) /// - /// - Returns: `DescribePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3961,7 +3939,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePolicyOutput.httpOutput(from:), DescribePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3996,9 +3973,9 @@ extension OrganizationsClient { /// /// Retrieves information about a resource policy. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter DescribeResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourcePolicyInput`) /// - /// - Returns: `DescribeResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4115,7 +4092,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourcePolicyOutput.httpOutput(from:), DescribeResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4150,9 +4126,9 @@ extension OrganizationsClient { /// /// Detaches a policy from a target root, organizational unit (OU), or account. If the policy being detached is a service control policy (SCP), the changes to permissions for Identity and Access Management (IAM) users and roles in affected accounts are immediate. Every root, OU, and account must have at least one SCP attached. If you want to replace the default FullAWSAccess policy with an SCP that limits the permissions that can be delegated, you must attach the replacement SCP before you can remove the default SCP. This is the authorization strategy of an "[allow list](https://docs.aws.amazon.com/organizations/latest/userguide/SCP_strategies.html#orgs_policies_allowlist)". If you instead attach a second SCP and leave the FullAWSAccess SCP still attached, and specify "Effect": "Deny" in the second SCP to override the "Effect": "Allow" in the FullAWSAccess policy (or any other attached SCP), you're using the authorization strategy of a "[deny list](https://docs.aws.amazon.com/organizations/latest/userguide/SCP_strategies.html#orgs_policies_denylist)". This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter DetachPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachPolicyInput`) /// - /// - Returns: `DetachPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4326,7 +4302,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachPolicyOutput.httpOutput(from:), DetachPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4370,9 +4345,9 @@ extension OrganizationsClient { /// /// Using the other service's console or commands to disable the integration ensures that the other service is aware that it can clean up any resources that are required only for the integration. How the service cleans up its resources in the organization's accounts depends on that service. For more information, see the documentation for the other Amazon Web Services service. After you perform the DisableAWSServiceAccess operation, the specified service can no longer perform operations in your organization's accounts For more information about integrating other services with Organizations, including the list of services that work with Organizations, see [Using Organizations with other Amazon Web Services services](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_integrate_services.html) in the Organizations User Guide. This operation can be called only from the organization's management account. /// - /// - Parameter DisableAWSServiceAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableAWSServiceAccessInput`) /// - /// - Returns: `DisableAWSServiceAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableAWSServiceAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4542,7 +4517,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableAWSServiceAccessOutput.httpOutput(from:), DisableAWSServiceAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4577,9 +4551,9 @@ extension OrganizationsClient { /// /// Disables an organizational policy type in a root. A policy of a certain type can be attached to entities in a root only if that type is enabled in the root. After you perform this operation, you no longer can attach policies of the specified type to that root or to any organizational unit (OU) or account in that root. You can undo this by using the [EnablePolicyType] operation. This is an asynchronous request that Amazon Web Services performs in the background. If you disable a policy type for a root, it still appears enabled for the organization if [all features](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_org_support-all-features.html) are enabled for the organization. Amazon Web Services recommends that you first use [ListRoots] to see the status of policy types for a specified root, and then use this operation. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. To view the status of available policy types in the organization, use [ListRoots]. /// - /// - Parameter DisablePolicyTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisablePolicyTypeInput`) /// - /// - Returns: `DisablePolicyTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisablePolicyTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4752,7 +4726,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisablePolicyTypeOutput.httpOutput(from:), DisablePolicyTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4787,9 +4760,9 @@ extension OrganizationsClient { /// /// Provides an Amazon Web Services service (the service that is specified by ServicePrincipal) with permissions to view the structure of an organization, create a [service-linked role](https://docs.aws.amazon.com/IAM/latest/UserGuide/using-service-linked-roles.html) in all the accounts in the organization, and allow the service to perform operations on behalf of the organization and its accounts. Establishing these permissions can be a first step in enabling the integration of an Amazon Web Services service with Organizations. We recommend that you enable integration between Organizations and the specified Amazon Web Services service by using the console or commands that are provided by the specified service. Doing so ensures that the service is aware that it can create the resources that are required for the integration. How the service creates those resources in the organization's accounts depends on that service. For more information, see the documentation for the other Amazon Web Services service. For more information about enabling services to integrate with Organizations, see [Using Organizations with other Amazon Web Services services](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_integrate_services.html) in the Organizations User Guide. This operation can be called only from the organization's management account. /// - /// - Parameter EnableAWSServiceAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableAWSServiceAccessInput`) /// - /// - Returns: `EnableAWSServiceAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableAWSServiceAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4959,7 +4932,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableAWSServiceAccessOutput.httpOutput(from:), EnableAWSServiceAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4994,9 +4966,9 @@ extension OrganizationsClient { /// /// Enables all features in an organization. This enables the use of organization policies that can restrict the services and actions that can be called in each account. Until you enable all features, you have access only to consolidated billing, and you can't use any of the advanced account administration features that Organizations supports. For more information, see [Enabling all features in your organization](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_org_support-all-features.html) in the Organizations User Guide. This operation is required only for organizations that were created explicitly with only the consolidated billing features enabled. Calling this operation sends a handshake to every invited account in the organization. The feature set change can be finalized and the additional features enabled only after all administrators in the invited accounts approve the change by accepting the handshake. After you enable all features, you can separately enable or disable individual policy types in a root using [EnablePolicyType] and [DisablePolicyType]. To see the status of policy types in a root, use [ListRoots]. After all invited member accounts accept the handshake, you finalize the feature set change by accepting the handshake that contains "Action": "ENABLE_ALL_FEATURES". This completes the change. After you enable all features in your organization, the management account in the organization can apply policies on all member accounts. These policies can restrict what users and even administrators in those accounts can do. The management account can apply policies that prevent accounts from leaving the organization. Ensure that your account administrators are aware of this. This operation can be called only from the organization's management account. /// - /// - Parameter EnableAllFeaturesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableAllFeaturesInput`) /// - /// - Returns: `EnableAllFeaturesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableAllFeaturesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5184,7 +5156,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableAllFeaturesOutput.httpOutput(from:), EnableAllFeaturesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5219,9 +5190,9 @@ extension OrganizationsClient { /// /// Enables a policy type in a root. After you enable a policy type in a root, you can attach policies of that type to the root, any organizational unit (OU), or account in that root. You can undo this by using the [DisablePolicyType] operation. This is an asynchronous request that Amazon Web Services performs in the background. Amazon Web Services recommends that you first use [ListRoots] to see the status of policy types for a specified root, and then use this operation. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. You can enable a policy type in a root only if that policy type is available in the organization. To view the status of available policy types in the organization, use [ListRoots]. /// - /// - Parameter EnablePolicyTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnablePolicyTypeInput`) /// - /// - Returns: `EnablePolicyTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnablePolicyTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5395,7 +5366,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnablePolicyTypeOutput.httpOutput(from:), EnablePolicyTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5430,9 +5400,9 @@ extension OrganizationsClient { /// /// Sends an invitation to another account to join your organization as a member account. Organizations sends email on your behalf to the email address that is associated with the other account's owner. The invitation is implemented as a [Handshake] whose details are in the response. If you receive an exception that indicates that you exceeded your account limits for the organization or that the operation failed because your organization is still initializing, wait one hour and then try again. If the error persists after an hour, contact [Amazon Web Services Support](https://console.aws.amazon.com/support/home#/). If the request includes tags, then the requester must have the organizations:TagResource permission. This operation can be called only from the organization's management account. /// - /// - Parameter InviteAccountToOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InviteAccountToOrganizationInput`) /// - /// - Returns: `InviteAccountToOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InviteAccountToOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5623,7 +5593,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InviteAccountToOrganizationOutput.httpOutput(from:), InviteAccountToOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5679,9 +5648,9 @@ extension OrganizationsClient { /// /// * If you are using an organization principal to call LeaveOrganization across multiple accounts, you can only do this up to 5 accounts per second in a single organization. /// - /// - Parameter LeaveOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `LeaveOrganizationInput`) /// - /// - Returns: `LeaveOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `LeaveOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5852,7 +5821,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(LeaveOrganizationOutput.httpOutput(from:), LeaveOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5887,9 +5855,9 @@ extension OrganizationsClient { /// /// Returns a list of the Amazon Web Services services that you enabled to integrate with your organization. After a service on this list creates the resources that it requires for the integration, it can perform operations on your organization and its accounts. For more information about integrating other services with Organizations, including the list of services that currently work with Organizations, see [Using Organizations with other Amazon Web Services services](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_integrate_services.html) in the Organizations User Guide. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListAWSServiceAccessForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAWSServiceAccessForOrganizationInput`) /// - /// - Returns: `ListAWSServiceAccessForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAWSServiceAccessForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6058,7 +6026,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAWSServiceAccessForOrganizationOutput.httpOutput(from:), ListAWSServiceAccessForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6093,9 +6060,9 @@ extension OrganizationsClient { /// /// Lists all the accounts in the organization. To request only the accounts in a specified root or organizational unit (OU), use the [ListAccountsForParent] operation instead. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountsInput`) /// - /// - Returns: `ListAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6183,7 +6150,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountsOutput.httpOutput(from:), ListAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6218,9 +6184,9 @@ extension OrganizationsClient { /// /// Lists the accounts in an organization that are contained by the specified target root or organizational unit (OU). If you specify the root, you get a list of all the accounts that aren't in any OU. If you specify an OU, you get a list of all the accounts in only that OU and not in any child OUs. To get a list of all accounts in the organization, use the [ListAccounts] operation. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListAccountsForParentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountsForParentInput`) /// - /// - Returns: `ListAccountsForParentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountsForParentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6309,7 +6275,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountsForParentOutput.httpOutput(from:), ListAccountsForParentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6344,9 +6309,9 @@ extension OrganizationsClient { /// /// Lists all the accounts in an organization that have invalid effective policies. An invalid effective policy is an [effective policy](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_policies_effective.html) that fails validation checks, resulting in the effective policy not being fully enforced on all the intended accounts within an organization. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListAccountsWithInvalidEffectivePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountsWithInvalidEffectivePolicyInput`) /// - /// - Returns: `ListAccountsWithInvalidEffectivePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountsWithInvalidEffectivePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6516,7 +6481,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountsWithInvalidEffectivePolicyOutput.httpOutput(from:), ListAccountsWithInvalidEffectivePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6551,9 +6515,9 @@ extension OrganizationsClient { /// /// Lists all of the organizational units (OUs) or accounts that are contained in the specified parent OU or root. This operation, along with [ListParents] enables you to traverse the tree structure that makes up this root. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListChildrenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChildrenInput`) /// - /// - Returns: `ListChildrenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChildrenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6642,7 +6606,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChildrenOutput.httpOutput(from:), ListChildrenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6677,9 +6640,9 @@ extension OrganizationsClient { /// /// Lists the account creation requests that match the specified status that is currently being tracked for the organization. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListCreateAccountStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCreateAccountStatusInput`) /// - /// - Returns: `ListCreateAccountStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCreateAccountStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6768,7 +6731,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCreateAccountStatusOutput.httpOutput(from:), ListCreateAccountStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6803,9 +6765,9 @@ extension OrganizationsClient { /// /// Lists the Amazon Web Services accounts that are designated as delegated administrators in this organization. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListDelegatedAdministratorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDelegatedAdministratorsInput`) /// - /// - Returns: `ListDelegatedAdministratorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDelegatedAdministratorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6974,7 +6936,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDelegatedAdministratorsOutput.httpOutput(from:), ListDelegatedAdministratorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7009,9 +6970,9 @@ extension OrganizationsClient { /// /// List the Amazon Web Services services for which the specified account is a delegated administrator. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListDelegatedServicesForAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDelegatedServicesForAccountInput`) /// - /// - Returns: `ListDelegatedServicesForAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDelegatedServicesForAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7182,7 +7143,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDelegatedServicesForAccountOutput.httpOutput(from:), ListDelegatedServicesForAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7217,9 +7177,9 @@ extension OrganizationsClient { /// /// Lists all the validation errors on an [effective policy](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_policies_effective.html) for a specified account and policy type. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListEffectivePolicyValidationErrorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEffectivePolicyValidationErrorsInput`) /// - /// - Returns: `ListEffectivePolicyValidationErrorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEffectivePolicyValidationErrorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7390,7 +7350,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEffectivePolicyValidationErrorsOutput.httpOutput(from:), ListEffectivePolicyValidationErrorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7425,9 +7384,9 @@ extension OrganizationsClient { /// /// Lists the current handshakes that are associated with the account of the requesting user. Handshakes that are ACCEPTED, DECLINED, CANCELED, or EXPIRED appear in the results of this API for only 30 days after changing to that state. After that, they're deleted and no longer accessible. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called from any account in the organization. /// - /// - Parameter ListHandshakesForAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHandshakesForAccountInput`) /// - /// - Returns: `ListHandshakesForAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHandshakesForAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7515,7 +7474,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHandshakesForAccountOutput.httpOutput(from:), ListHandshakesForAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7550,9 +7508,9 @@ extension OrganizationsClient { /// /// Lists the handshakes that are associated with the organization that the requesting user is part of. The ListHandshakesForOrganization operation returns a list of handshake structures. Each structure contains details and status about a handshake. Handshakes that are ACCEPTED, DECLINED, CANCELED, or EXPIRED appear in the results of this API for only 30 days after changing to that state. After that, they're deleted and no longer accessible. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListHandshakesForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHandshakesForOrganizationInput`) /// - /// - Returns: `ListHandshakesForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHandshakesForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7641,7 +7599,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHandshakesForOrganizationOutput.httpOutput(from:), ListHandshakesForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7676,9 +7633,9 @@ extension OrganizationsClient { /// /// Lists the organizational units (OUs) in a parent organizational unit or root. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListOrganizationalUnitsForParentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationalUnitsForParentInput`) /// - /// - Returns: `ListOrganizationalUnitsForParentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationalUnitsForParentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7767,7 +7724,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationalUnitsForParentOutput.httpOutput(from:), ListOrganizationalUnitsForParentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7802,9 +7758,9 @@ extension OrganizationsClient { /// /// Lists the root or organizational units (OUs) that serve as the immediate parent of the specified child OU or account. This operation, along with [ListChildren] enables you to traverse the tree structure that makes up this root. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. In the current release, a child can have only a single parent. /// - /// - Parameter ListParentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListParentsInput`) /// - /// - Returns: `ListParentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListParentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7893,7 +7849,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListParentsOutput.httpOutput(from:), ListParentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7928,9 +7883,9 @@ extension OrganizationsClient { /// /// Retrieves the list of all policies in an organization of a specified type. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPoliciesInput`) /// - /// - Returns: `ListPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8019,7 +7974,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPoliciesOutput.httpOutput(from:), ListPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8054,9 +8008,9 @@ extension OrganizationsClient { /// /// Lists the policies that are directly attached to the specified target root, organizational unit (OU), or account. You must specify the policy type that you want included in the returned list. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListPoliciesForTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPoliciesForTargetInput`) /// - /// - Returns: `ListPoliciesForTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPoliciesForTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8146,7 +8100,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPoliciesForTargetOutput.httpOutput(from:), ListPoliciesForTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8181,9 +8134,9 @@ extension OrganizationsClient { /// /// Lists the roots that are defined in the current organization. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. Policy types can be enabled and disabled in roots. This is distinct from whether they're available in the organization. When you enable all features, you make policy types available for use in that organization. Individual policy types can then be enabled and disabled in a root. To see the availability of a policy type in an organization, use [DescribeOrganization]. /// - /// - Parameter ListRootsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRootsInput`) /// - /// - Returns: `ListRootsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRootsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8271,7 +8224,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRootsOutput.httpOutput(from:), ListRootsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8317,9 +8269,9 @@ extension OrganizationsClient { /// /// This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8408,7 +8360,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8443,9 +8394,9 @@ extension OrganizationsClient { /// /// Lists all the roots, organizational units (OUs), and accounts that the specified policy is attached to. Always check the NextToken response parameter for a null value when calling a List* operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter ListTargetsForPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetsForPolicyInput`) /// - /// - Returns: `ListTargetsForPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetsForPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8535,7 +8486,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetsForPolicyOutput.httpOutput(from:), ListTargetsForPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8570,9 +8520,9 @@ extension OrganizationsClient { /// /// Moves an account from its current source parent root or organizational unit (OU) to the specified destination parent root or OU. This operation can be called only from the organization's management account. /// - /// - Parameter MoveAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MoveAccountInput`) /// - /// - Returns: `MoveAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MoveAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8665,7 +8615,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MoveAccountOutput.httpOutput(from:), MoveAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8700,9 +8649,9 @@ extension OrganizationsClient { /// /// Creates or updates a resource policy. This operation can be called only from the organization's management account.. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8872,7 +8821,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8907,9 +8855,9 @@ extension OrganizationsClient { /// /// Enables the specified member account to administer the Organizations features of the specified Amazon Web Services service. It grants read-only access to Organizations service data. The account still requires IAM permissions to access and administer the Amazon Web Services service. You can run this action only for Amazon Web Services services that support this feature. For a current list of services that support it, see the column Supports Delegated Administrator in the table at [Amazon Web Services Services that you can use with Organizations](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_integrate_services_list.html) in the Organizations User Guide. This operation can be called only from the organization's management account. /// - /// - Parameter RegisterDelegatedAdministratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterDelegatedAdministratorInput`) /// - /// - Returns: `RegisterDelegatedAdministratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterDelegatedAdministratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9081,7 +9029,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterDelegatedAdministratorOutput.httpOutput(from:), RegisterDelegatedAdministratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9122,9 +9069,9 @@ extension OrganizationsClient { /// /// * After the account leaves the organization, all tags that were attached to the account object in the organization are deleted. Amazon Web Services accounts outside of an organization do not support tags. /// - /// - Parameter RemoveAccountFromOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveAccountFromOrganizationInput`) /// - /// - Returns: `RemoveAccountFromOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveAccountFromOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9295,7 +9242,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveAccountFromOrganizationOutput.httpOutput(from:), RemoveAccountFromOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9341,9 +9287,9 @@ extension OrganizationsClient { /// /// This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9513,7 +9459,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9559,9 +9504,9 @@ extension OrganizationsClient { /// /// This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9731,7 +9676,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9766,9 +9710,9 @@ extension OrganizationsClient { /// /// Renames the specified organizational unit (OU). The ID and ARN don't change. The child OUs and accounts remain in place, and any attached policies of the OU remain attached. This operation can be called only from the organization's management account. /// - /// - Parameter UpdateOrganizationalUnitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOrganizationalUnitInput`) /// - /// - Returns: `UpdateOrganizationalUnitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOrganizationalUnitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9859,7 +9803,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOrganizationalUnitOutput.httpOutput(from:), UpdateOrganizationalUnitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9894,9 +9837,9 @@ extension OrganizationsClient { /// /// Updates an existing policy with a new name, description, or content. If you don't supply any parameter, that value remains unchanged. You can't change a policy's type. This operation can be called only from the organization's management account or by a member account that is a delegated administrator. /// - /// - Parameter UpdatePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePolicyInput`) /// - /// - Returns: `UpdatePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10070,7 +10013,6 @@ extension OrganizationsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePolicyOutput.httpOutput(from:), UpdatePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSOutposts/Sources/AWSOutposts/OutpostsClient.swift b/Sources/Services/AWSOutposts/Sources/AWSOutposts/OutpostsClient.swift index b4b8a661fe3..65df9e4ceff 100644 --- a/Sources/Services/AWSOutposts/Sources/AWSOutposts/OutpostsClient.swift +++ b/Sources/Services/AWSOutposts/Sources/AWSOutposts/OutpostsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class OutpostsClient: ClientRuntime.Client { public static let clientName = "OutpostsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: OutpostsClient.OutpostsClientConfiguration let serviceName = "Outposts" @@ -374,9 +373,9 @@ extension OutpostsClient { /// /// Cancels the capacity task. /// - /// - Parameter CancelCapacityTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelCapacityTaskInput`) /// - /// - Returns: `CancelCapacityTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelCapacityTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelCapacityTaskOutput.httpOutput(from:), CancelCapacityTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension OutpostsClient { /// /// Cancels the specified order for an Outpost. /// - /// - Parameter CancelOrderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelOrderInput`) /// - /// - Returns: `CancelOrderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelOrderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelOrderOutput.httpOutput(from:), CancelOrderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension OutpostsClient { /// /// Creates an order for an Outpost. /// - /// - Parameter CreateOrderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOrderInput`) /// - /// - Returns: `CreateOrderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOrderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOrderOutput.httpOutput(from:), CreateOrderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +581,9 @@ extension OutpostsClient { /// /// Creates an Outpost. You can specify either an Availability one or an AZ ID. /// - /// - Parameter CreateOutpostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOutpostInput`) /// - /// - Returns: `CreateOutpostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOutpostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOutpostOutput.httpOutput(from:), CreateOutpostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension OutpostsClient { /// /// Creates a site for an Outpost. /// - /// - Parameter CreateSiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSiteInput`) /// - /// - Returns: `CreateSiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSiteOutput.httpOutput(from:), CreateSiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension OutpostsClient { /// /// Deletes the specified Outpost. /// - /// - Parameter DeleteOutpostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOutpostInput`) /// - /// - Returns: `DeleteOutpostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOutpostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOutpostOutput.httpOutput(from:), DeleteOutpostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension OutpostsClient { /// /// Deletes the specified site. /// - /// - Parameter DeleteSiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSiteInput`) /// - /// - Returns: `DeleteSiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -836,7 +829,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSiteOutput.httpOutput(from:), DeleteSiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -868,9 +860,9 @@ extension OutpostsClient { /// /// Gets details of the specified capacity task. /// - /// - Parameter GetCapacityTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCapacityTaskInput`) /// - /// - Returns: `GetCapacityTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCapacityTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -904,7 +896,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCapacityTaskOutput.httpOutput(from:), GetCapacityTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -936,9 +927,9 @@ extension OutpostsClient { /// /// Gets information about the specified catalog item. /// - /// - Parameter GetCatalogItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCatalogItemInput`) /// - /// - Returns: `GetCatalogItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCatalogItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -972,7 +963,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCatalogItemOutput.httpOutput(from:), GetCatalogItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1004,9 +994,9 @@ extension OutpostsClient { /// /// Amazon Web Services uses this action to install Outpost servers. Gets information about the specified connection. Use CloudTrail to monitor this action or Amazon Web Services managed policy for Amazon Web Services Outposts to secure it. For more information, see [ Amazon Web Services managed policies for Amazon Web Services Outposts](https://docs.aws.amazon.com/outposts/latest/userguide/security-iam-awsmanpol.html) and [ Logging Amazon Web Services Outposts API calls with Amazon Web Services CloudTrail](https://docs.aws.amazon.com/outposts/latest/userguide/logging-using-cloudtrail.html) in the Amazon Web Services Outposts User Guide. /// - /// - Parameter GetConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionInput`) /// - /// - Returns: `GetConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1040,7 +1030,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionOutput.httpOutput(from:), GetConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1072,9 +1061,9 @@ extension OutpostsClient { /// /// Gets information about the specified order. /// - /// - Parameter GetOrderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOrderInput`) /// - /// - Returns: `GetOrderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOrderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1107,7 +1096,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOrderOutput.httpOutput(from:), GetOrderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1139,9 +1127,9 @@ extension OutpostsClient { /// /// Gets information about the specified Outpost. /// - /// - Parameter GetOutpostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOutpostInput`) /// - /// - Returns: `GetOutpostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOutpostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1175,7 +1163,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOutpostOutput.httpOutput(from:), GetOutpostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1207,9 +1194,9 @@ extension OutpostsClient { /// /// Gets current and historical billing information about the specified Outpost. /// - /// - Parameter GetOutpostBillingInformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOutpostBillingInformationInput`) /// - /// - Returns: `GetOutpostBillingInformationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOutpostBillingInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1243,7 +1230,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetOutpostBillingInformationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOutpostBillingInformationOutput.httpOutput(from:), GetOutpostBillingInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1275,9 +1261,9 @@ extension OutpostsClient { /// /// Gets the instance types for the specified Outpost. /// - /// - Parameter GetOutpostInstanceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOutpostInstanceTypesInput`) /// - /// - Returns: `GetOutpostInstanceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOutpostInstanceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1312,7 +1298,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetOutpostInstanceTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOutpostInstanceTypesOutput.httpOutput(from:), GetOutpostInstanceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1344,9 +1329,9 @@ extension OutpostsClient { /// /// Gets the instance types that an Outpost can support in InstanceTypeCapacity. This will generally include instance types that are not currently configured and therefore cannot be launched with the current Outpost capacity configuration. /// - /// - Parameter GetOutpostSupportedInstanceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOutpostSupportedInstanceTypesInput`) /// - /// - Returns: `GetOutpostSupportedInstanceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOutpostSupportedInstanceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1381,7 +1366,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetOutpostSupportedInstanceTypesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOutpostSupportedInstanceTypesOutput.httpOutput(from:), GetOutpostSupportedInstanceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1413,9 +1397,9 @@ extension OutpostsClient { /// /// Gets information about the specified Outpost site. /// - /// - Parameter GetSiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSiteInput`) /// - /// - Returns: `GetSiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1449,7 +1433,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSiteOutput.httpOutput(from:), GetSiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1481,9 +1464,9 @@ extension OutpostsClient { /// /// Gets the site address of the specified site. /// - /// - Parameter GetSiteAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSiteAddressInput`) /// - /// - Returns: `GetSiteAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSiteAddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1518,7 +1501,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSiteAddressInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSiteAddressOutput.httpOutput(from:), GetSiteAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1550,9 +1532,9 @@ extension OutpostsClient { /// /// A list of Amazon EC2 instances, belonging to all accounts, running on the specified Outpost. Does not include Amazon EBS or Amazon S3 instances. /// - /// - Parameter ListAssetInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetInstancesInput`) /// - /// - Returns: `ListAssetInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1587,7 +1569,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetInstancesOutput.httpOutput(from:), ListAssetInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1619,9 +1600,9 @@ extension OutpostsClient { /// /// Lists the hardware assets for the specified Outpost. Use filters to return specific results. If you specify multiple filters, the results include only the resources that match all of the specified filters. For a filter where you can specify multiple values, the results include items that match any of the values that you specify for the filter. /// - /// - Parameter ListAssetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetsInput`) /// - /// - Returns: `ListAssetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1656,7 +1637,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetsOutput.httpOutput(from:), ListAssetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1688,9 +1668,9 @@ extension OutpostsClient { /// /// A list of Amazon EC2 instances running on the Outpost and belonging to the account that initiated the capacity task. Use this list to specify the instances you cannot stop to free up capacity to run the capacity task. /// - /// - Parameter ListBlockingInstancesForCapacityTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBlockingInstancesForCapacityTaskInput`) /// - /// - Returns: `ListBlockingInstancesForCapacityTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBlockingInstancesForCapacityTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1725,7 +1705,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBlockingInstancesForCapacityTaskInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBlockingInstancesForCapacityTaskOutput.httpOutput(from:), ListBlockingInstancesForCapacityTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1757,9 +1736,9 @@ extension OutpostsClient { /// /// Lists the capacity tasks for your Amazon Web Services account. Use filters to return specific results. If you specify multiple filters, the results include only the resources that match all of the specified filters. For a filter where you can specify multiple values, the results include items that match any of the values that you specify for the filter. /// - /// - Parameter ListCapacityTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCapacityTasksInput`) /// - /// - Returns: `ListCapacityTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCapacityTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1794,7 +1773,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCapacityTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCapacityTasksOutput.httpOutput(from:), ListCapacityTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1826,9 +1804,9 @@ extension OutpostsClient { /// /// Lists the items in the catalog. Use filters to return specific results. If you specify multiple filters, the results include only the resources that match all of the specified filters. For a filter where you can specify multiple values, the results include items that match any of the values that you specify for the filter. /// - /// - Parameter ListCatalogItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCatalogItemsInput`) /// - /// - Returns: `ListCatalogItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCatalogItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1863,7 +1841,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCatalogItemsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCatalogItemsOutput.httpOutput(from:), ListCatalogItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1895,9 +1872,9 @@ extension OutpostsClient { /// /// Lists the Outpost orders for your Amazon Web Services account. /// - /// - Parameter ListOrdersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrdersInput`) /// - /// - Returns: `ListOrdersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrdersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1932,7 +1909,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOrdersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrdersOutput.httpOutput(from:), ListOrdersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1964,9 +1940,9 @@ extension OutpostsClient { /// /// Lists the Outposts for your Amazon Web Services account. Use filters to return specific results. If you specify multiple filters, the results include only the resources that match all of the specified filters. For a filter where you can specify multiple values, the results include items that match any of the values that you specify for the filter. /// - /// - Parameter ListOutpostsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOutpostsInput`) /// - /// - Returns: `ListOutpostsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOutpostsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2000,7 +1976,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOutpostsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOutpostsOutput.httpOutput(from:), ListOutpostsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2032,9 +2007,9 @@ extension OutpostsClient { /// /// Lists the Outpost sites for your Amazon Web Services account. Use filters to return specific results. Use filters to return specific results. If you specify multiple filters, the results include only the resources that match all of the specified filters. For a filter where you can specify multiple values, the results include items that match any of the values that you specify for the filter. /// - /// - Parameter ListSitesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSitesInput`) /// - /// - Returns: `ListSitesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSitesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2068,7 +2043,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSitesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSitesOutput.httpOutput(from:), ListSitesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2100,9 +2074,9 @@ extension OutpostsClient { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2135,7 +2109,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2167,9 +2140,9 @@ extension OutpostsClient { /// /// Starts the specified capacity task. You can have one active capacity task for each order and each Outpost. /// - /// - Parameter StartCapacityTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCapacityTaskInput`) /// - /// - Returns: `StartCapacityTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCapacityTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2207,7 +2180,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCapacityTaskOutput.httpOutput(from:), StartCapacityTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2239,9 +2211,9 @@ extension OutpostsClient { /// /// Amazon Web Services uses this action to install Outpost servers. Starts the connection required for Outpost server installation. Use CloudTrail to monitor this action or Amazon Web Services managed policy for Amazon Web Services Outposts to secure it. For more information, see [ Amazon Web Services managed policies for Amazon Web Services Outposts](https://docs.aws.amazon.com/outposts/latest/userguide/security-iam-awsmanpol.html) and [ Logging Amazon Web Services Outposts API calls with Amazon Web Services CloudTrail](https://docs.aws.amazon.com/outposts/latest/userguide/logging-using-cloudtrail.html) in the Amazon Web Services Outposts User Guide. /// - /// - Parameter StartConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartConnectionInput`) /// - /// - Returns: `StartConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2278,7 +2250,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartConnectionOutput.httpOutput(from:), StartConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2310,9 +2281,9 @@ extension OutpostsClient { /// /// Adds tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2348,7 +2319,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2380,9 +2350,9 @@ extension OutpostsClient { /// /// Removes tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2416,7 +2386,6 @@ extension OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2448,9 +2417,9 @@ extension OutpostsClient { /// /// Updates an Outpost. /// - /// - Parameter UpdateOutpostInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOutpostInput`) /// - /// - Returns: `UpdateOutpostOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOutpostOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2488,7 +2457,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOutpostOutput.httpOutput(from:), UpdateOutpostOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2520,9 +2488,9 @@ extension OutpostsClient { /// /// Updates the specified site. /// - /// - Parameter UpdateSiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSiteInput`) /// - /// - Returns: `UpdateSiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSiteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2560,7 +2528,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSiteOutput.httpOutput(from:), UpdateSiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2592,9 +2559,9 @@ extension OutpostsClient { /// /// Updates the address of the specified site. You can't update a site address if there is an order in progress. You must wait for the order to complete or cancel the order. You can update the operating address before you place an order at the site, or after all Outposts that belong to the site have been deactivated. /// - /// - Parameter UpdateSiteAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSiteAddressInput`) /// - /// - Returns: `UpdateSiteAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSiteAddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2632,7 +2599,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSiteAddressOutput.httpOutput(from:), UpdateSiteAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2664,9 +2630,9 @@ extension OutpostsClient { /// /// Update the physical and logistical details for a rack at a site. For more information about hardware requirements for racks, see [Network readiness checklist](https://docs.aws.amazon.com/outposts/latest/userguide/outposts-requirements.html#checklist) in the Amazon Web Services Outposts User Guide. To update a rack at a site with an order of IN_PROGRESS, you must wait for the order to complete or cancel the order. /// - /// - Parameter UpdateSiteRackPhysicalPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSiteRackPhysicalPropertiesInput`) /// - /// - Returns: `UpdateSiteRackPhysicalPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSiteRackPhysicalPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2704,7 +2670,6 @@ extension OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSiteRackPhysicalPropertiesOutput.httpOutput(from:), UpdateSiteRackPhysicalPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPCS/Sources/AWSPCS/PCSClient.swift b/Sources/Services/AWSPCS/Sources/AWSPCS/PCSClient.swift index fb92d6f4625..4433ece56c8 100644 --- a/Sources/Services/AWSPCS/Sources/AWSPCS/PCSClient.swift +++ b/Sources/Services/AWSPCS/Sources/AWSPCS/PCSClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PCSClient: ClientRuntime.Client { public static let clientName = "PCSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PCSClient.PCSClientConfiguration let serviceName = "PCS" @@ -374,9 +373,9 @@ extension PCSClient { /// /// Creates a cluster in your account. PCS creates the cluster controller in a service-owned account. The cluster controller communicates with the cluster resources in your account. The subnets and security groups for the cluster must already exist before you use this API action. It takes time for PCS to create the cluster. The cluster is in a Creating state until it is ready to use. There can only be 1 cluster in a Creating state per Amazon Web Services Region per Amazon Web Services account. CreateCluster fails with a ServiceQuotaExceededException if there is already a cluster in a Creating state. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -444,7 +443,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -479,9 +477,9 @@ extension PCSClient { /// /// Creates a managed set of compute nodes. You associate a compute node group with a cluster through 1 or more PCS queues or as part of the login fleet. A compute node group includes the definition of the compute properties and lifecycle management. PCS uses the information you provide to this API action to launch compute nodes in your account. You can only specify subnets in the same Amazon VPC as your cluster. You receive billing charges for the compute nodes that PCS launches in your account. You must already have a launch template before you call this API. For more information, see [Launch an instance from a launch template](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/ec2-launch-templates.html) in the Amazon Elastic Compute Cloud User Guide for Linux Instances. /// - /// - Parameter CreateComputeNodeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateComputeNodeGroupInput`) /// - /// - Returns: `CreateComputeNodeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateComputeNodeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -550,7 +548,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComputeNodeGroupOutput.httpOutput(from:), CreateComputeNodeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +582,9 @@ extension PCSClient { /// /// Creates a job queue. You must associate 1 or more compute node groups with the queue. You can associate 1 compute node group with multiple queues. /// - /// - Parameter CreateQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQueueInput`) /// - /// - Returns: `CreateQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -656,7 +653,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQueueOutput.httpOutput(from:), CreateQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -691,9 +687,9 @@ extension PCSClient { /// /// Deletes a cluster and all its linked resources. You must delete all queues and compute node groups associated with the cluster before you can delete the cluster. /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -755,7 +751,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -790,9 +785,9 @@ extension PCSClient { /// /// Deletes a compute node group. You must delete all queues associated with the compute node group first. /// - /// - Parameter DeleteComputeNodeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteComputeNodeGroupInput`) /// - /// - Returns: `DeleteComputeNodeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteComputeNodeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -854,7 +849,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteComputeNodeGroupOutput.httpOutput(from:), DeleteComputeNodeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -889,9 +883,9 @@ extension PCSClient { /// /// Deletes a job queue. If the compute node group associated with this queue isn't associated with any other queues, PCS terminates all the compute nodes for this queue. /// - /// - Parameter DeleteQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueueInput`) /// - /// - Returns: `DeleteQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -953,7 +947,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueueOutput.httpOutput(from:), DeleteQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -988,9 +981,9 @@ extension PCSClient { /// /// Returns detailed information about a running cluster in your account. This API action provides networking information, endpoint information for communication with the scheduler, and provisioning status. /// - /// - Parameter GetClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClusterInput`) /// - /// - Returns: `GetClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1051,7 +1044,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClusterOutput.httpOutput(from:), GetClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1078,9 @@ extension PCSClient { /// /// Returns detailed information about a compute node group. This API action provides networking information, EC2 instance type, compute node group status, and scheduler (such as Slurm) configuration. /// - /// - Parameter GetComputeNodeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComputeNodeGroupInput`) /// - /// - Returns: `GetComputeNodeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComputeNodeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1149,7 +1141,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComputeNodeGroupOutput.httpOutput(from:), GetComputeNodeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1184,9 +1175,9 @@ extension PCSClient { /// /// Returns detailed information about a queue. The information includes the compute node groups that the queue uses to schedule jobs. /// - /// - Parameter GetQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueueInput`) /// - /// - Returns: `GetQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1247,7 +1238,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueueOutput.httpOutput(from:), GetQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1282,9 +1272,9 @@ extension PCSClient { /// /// Returns a list of running clusters in your account. /// - /// - Parameter ListClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1345,7 +1335,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1380,9 +1369,9 @@ extension PCSClient { /// /// Returns a list of all compute node groups associated with a cluster. /// - /// - Parameter ListComputeNodeGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComputeNodeGroupsInput`) /// - /// - Returns: `ListComputeNodeGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComputeNodeGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1443,7 +1432,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComputeNodeGroupsOutput.httpOutput(from:), ListComputeNodeGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1478,9 +1466,9 @@ extension PCSClient { /// /// Returns a list of all queues associated with a cluster. /// - /// - Parameter ListQueuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueuesInput`) /// - /// - Returns: `ListQueuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1541,7 +1529,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueuesOutput.httpOutput(from:), ListQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1576,9 +1563,9 @@ extension PCSClient { /// /// Returns a list of all tags on an PCS resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1610,7 +1597,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1645,9 +1631,9 @@ extension PCSClient { /// /// This API action isn't intended for you to use. PCS uses this API action to register the compute nodes it launches in your account. /// - /// - Parameter RegisterComputeNodeGroupInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterComputeNodeGroupInstanceInput`) /// - /// - Returns: `RegisterComputeNodeGroupInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterComputeNodeGroupInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1688,7 +1674,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterComputeNodeGroupInstanceOutput.httpOutput(from:), RegisterComputeNodeGroupInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1723,9 +1708,9 @@ extension PCSClient { /// /// Adds or edits tags on an PCS resource. Each tag consists of a tag key and a tag value. The tag key and tag value are case-sensitive strings. The tag value can be an empty (null) string. To add a tag, specify a new tag key and a tag value. To edit a tag, specify an existing tag key and a new tag value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1764,7 +1749,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1799,9 +1783,9 @@ extension PCSClient { /// /// Deletes tags from an PCS resource. To delete a tag, specify the tag key and the Amazon Resource Name (ARN) of the PCS resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1833,7 +1817,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1868,9 +1851,9 @@ extension PCSClient { /// /// Updates a cluster configuration. You can modify Slurm scheduler settings, accounting configuration, and security groups for an existing cluster. You can only update clusters that are in ACTIVE, UPDATE_FAILED, or SUSPENDED state. All associated resources (queues and compute node groups) must be in ACTIVE state before you can update the cluster. /// - /// - Parameter UpdateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterInput`) /// - /// - Returns: `UpdateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1932,7 +1915,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterOutput.httpOutput(from:), UpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1967,9 +1949,9 @@ extension PCSClient { /// /// Updates a compute node group. You can update many of the fields related to your compute node group including the configurations for networking, compute nodes, and settings specific to your scheduler (such as Slurm). /// - /// - Parameter UpdateComputeNodeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateComputeNodeGroupInput`) /// - /// - Returns: `UpdateComputeNodeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateComputeNodeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2038,7 +2020,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateComputeNodeGroupOutput.httpOutput(from:), UpdateComputeNodeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2073,9 +2054,9 @@ extension PCSClient { /// /// Updates the compute node group configuration of a queue. Use this API to change the compute node groups that the queue can send jobs to. /// - /// - Parameter UpdateQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQueueInput`) /// - /// - Returns: `UpdateQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2144,7 +2125,6 @@ extension PCSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQueueOutput.httpOutput(from:), UpdateQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPI/Sources/AWSPI/PIClient.swift b/Sources/Services/AWSPI/Sources/AWSPI/PIClient.swift index 26a6e8f0872..45bed7a1755 100644 --- a/Sources/Services/AWSPI/Sources/AWSPI/PIClient.swift +++ b/Sources/Services/AWSPI/Sources/AWSPI/PIClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PIClient: ClientRuntime.Client { public static let clientName = "PIClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PIClient.PIClientConfiguration let serviceName = "PI" @@ -374,9 +373,9 @@ extension PIClient { /// /// Creates a new performance analysis report for a specific time period for the DB instance. /// - /// - Parameter CreatePerformanceAnalysisReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePerformanceAnalysisReportInput`) /// - /// - Returns: `CreatePerformanceAnalysisReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePerformanceAnalysisReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePerformanceAnalysisReportOutput.httpOutput(from:), CreatePerformanceAnalysisReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension PIClient { /// /// Deletes a performance analysis report. /// - /// - Parameter DeletePerformanceAnalysisReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePerformanceAnalysisReportInput`) /// - /// - Returns: `DeletePerformanceAnalysisReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePerformanceAnalysisReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePerformanceAnalysisReportOutput.httpOutput(from:), DeletePerformanceAnalysisReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension PIClient { /// /// For a specific time period, retrieve the top N dimension keys for a metric. Each response element returns a maximum of 500 bytes. For larger elements, such as SQL statements, only the first 500 bytes are returned. /// - /// - Parameter DescribeDimensionKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDimensionKeysInput`) /// - /// - Returns: `DescribeDimensionKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDimensionKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -552,7 +549,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDimensionKeysOutput.httpOutput(from:), DescribeDimensionKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension PIClient { /// /// Get the attributes of the specified dimension group for a DB instance or data source. For example, if you specify a SQL ID, GetDimensionKeyDetails retrieves the full text of the dimension db.sql.statement associated with this ID. This operation is useful because GetResourceMetrics and DescribeDimensionKeys don't support retrieval of large SQL statement text, lock snapshots, and execution plans. /// - /// - Parameter GetDimensionKeyDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDimensionKeyDetailsInput`) /// - /// - Returns: `GetDimensionKeyDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDimensionKeyDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -623,7 +619,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDimensionKeyDetailsOutput.httpOutput(from:), GetDimensionKeyDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension PIClient { /// /// Retrieves the report including the report ID, status, time details, and the insights with recommendations. The report status can be RUNNING, SUCCEEDED, or FAILED. The insights include the description and recommendation fields. /// - /// - Parameter GetPerformanceAnalysisReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPerformanceAnalysisReportInput`) /// - /// - Returns: `GetPerformanceAnalysisReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPerformanceAnalysisReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -694,7 +689,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPerformanceAnalysisReportOutput.httpOutput(from:), GetPerformanceAnalysisReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -729,9 +723,9 @@ extension PIClient { /// /// Retrieve the metadata for different features. For example, the metadata might indicate that a feature is turned on or off on a specific DB instance. /// - /// - Parameter GetResourceMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceMetadataInput`) /// - /// - Returns: `GetResourceMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -765,7 +759,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceMetadataOutput.httpOutput(from:), GetResourceMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -800,9 +793,9 @@ extension PIClient { /// /// Retrieve Performance Insights metrics for a set of data sources over a time period. You can provide specific dimension groups and dimensions, and provide filtering criteria for each group. You must specify an aggregate function for each metric. Each response element returns a maximum of 500 bytes. For larger elements, such as SQL statements, only the first 500 bytes are returned. /// - /// - Parameter GetResourceMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceMetricsInput`) /// - /// - Returns: `GetResourceMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -836,7 +829,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceMetricsOutput.httpOutput(from:), GetResourceMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -871,9 +863,9 @@ extension PIClient { /// /// Retrieve the dimensions that can be queried for each specified metric type on a specified DB instance. /// - /// - Parameter ListAvailableResourceDimensionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAvailableResourceDimensionsInput`) /// - /// - Returns: `ListAvailableResourceDimensionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAvailableResourceDimensionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -907,7 +899,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAvailableResourceDimensionsOutput.httpOutput(from:), ListAvailableResourceDimensionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -942,9 +933,9 @@ extension PIClient { /// /// Retrieve metrics of the specified types that can be queried for a specified DB instance. /// - /// - Parameter ListAvailableResourceMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAvailableResourceMetricsInput`) /// - /// - Returns: `ListAvailableResourceMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAvailableResourceMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -978,7 +969,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAvailableResourceMetricsOutput.httpOutput(from:), ListAvailableResourceMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1013,9 +1003,9 @@ extension PIClient { /// /// Lists all the analysis reports created for the DB instance. The reports are sorted based on the start time of each report. /// - /// - Parameter ListPerformanceAnalysisReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPerformanceAnalysisReportsInput`) /// - /// - Returns: `ListPerformanceAnalysisReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPerformanceAnalysisReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1049,7 +1039,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPerformanceAnalysisReportsOutput.httpOutput(from:), ListPerformanceAnalysisReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1084,9 +1073,9 @@ extension PIClient { /// /// Retrieves all the metadata tags associated with Amazon RDS Performance Insights resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1120,7 +1109,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1155,9 +1143,9 @@ extension PIClient { /// /// Adds metadata tags to the Amazon RDS Performance Insights resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1191,7 +1179,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1226,9 +1213,9 @@ extension PIClient { /// /// Deletes the metadata tags from the Amazon RDS Performance Insights resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1262,7 +1249,6 @@ extension PIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPanorama/Sources/AWSPanorama/PanoramaClient.swift b/Sources/Services/AWSPanorama/Sources/AWSPanorama/PanoramaClient.swift index d8ece330fa9..a63f5f70064 100644 --- a/Sources/Services/AWSPanorama/Sources/AWSPanorama/PanoramaClient.swift +++ b/Sources/Services/AWSPanorama/Sources/AWSPanorama/PanoramaClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PanoramaClient: ClientRuntime.Client { public static let clientName = "PanoramaClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PanoramaClient.PanoramaClientConfiguration let serviceName = "Panorama" @@ -374,9 +373,9 @@ extension PanoramaClient { /// /// Creates an application instance and deploys it to a device. /// - /// - Parameter CreateApplicationInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInstanceInput`) /// - /// - Returns: `CreateApplicationInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationInstanceOutput.httpOutput(from:), CreateApplicationInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension PanoramaClient { /// /// Creates a job to run on a device. A job can update a device's software or reboot it. /// - /// - Parameter CreateJobForDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobForDevicesInput`) /// - /// - Returns: `CreateJobForDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobForDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobForDevicesOutput.httpOutput(from:), CreateJobForDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension PanoramaClient { /// /// Creates a camera stream node. /// - /// - Parameter CreateNodeFromTemplateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNodeFromTemplateJobInput`) /// - /// - Returns: `CreateNodeFromTemplateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNodeFromTemplateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNodeFromTemplateJobOutput.httpOutput(from:), CreateNodeFromTemplateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension PanoramaClient { /// /// Creates a package and storage location in an Amazon S3 access point. /// - /// - Parameter CreatePackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePackageInput`) /// - /// - Returns: `CreatePackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePackageOutput.httpOutput(from:), CreatePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension PanoramaClient { /// /// Imports a node package. /// - /// - Parameter CreatePackageImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePackageImportJobInput`) /// - /// - Returns: `CreatePackageImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePackageImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePackageImportJobOutput.httpOutput(from:), CreatePackageImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension PanoramaClient { /// /// Deletes a device. /// - /// - Parameter DeleteDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeviceInput`) /// - /// - Returns: `DeleteDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +761,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeviceOutput.httpOutput(from:), DeleteDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension PanoramaClient { /// /// Deletes a package. To delete a package, you need permission to call s3:DeleteObject in addition to permissions for the AWS Panorama API. /// - /// - Parameter DeletePackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePackageInput`) /// - /// - Returns: `DeletePackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -837,7 +830,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePackageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePackageOutput.httpOutput(from:), DeletePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -869,9 +861,9 @@ extension PanoramaClient { /// /// Deregisters a package version. /// - /// - Parameter DeregisterPackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterPackageVersionInput`) /// - /// - Returns: `DeregisterPackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterPackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -907,7 +899,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeregisterPackageVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterPackageVersionOutput.httpOutput(from:), DeregisterPackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -939,9 +930,9 @@ extension PanoramaClient { /// /// Returns information about an application instance on a device. /// - /// - Parameter DescribeApplicationInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationInstanceInput`) /// - /// - Returns: `DescribeApplicationInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +967,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationInstanceOutput.httpOutput(from:), DescribeApplicationInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1008,9 +998,9 @@ extension PanoramaClient { /// /// Returns information about an application instance's configuration manifest. /// - /// - Parameter DescribeApplicationInstanceDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationInstanceDetailsInput`) /// - /// - Returns: `DescribeApplicationInstanceDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationInstanceDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1045,7 +1035,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationInstanceDetailsOutput.httpOutput(from:), DescribeApplicationInstanceDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1077,9 +1066,9 @@ extension PanoramaClient { /// /// Returns information about a device. /// - /// - Parameter DescribeDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeviceInput`) /// - /// - Returns: `DescribeDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1113,7 +1102,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeviceOutput.httpOutput(from:), DescribeDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1145,9 +1133,9 @@ extension PanoramaClient { /// /// Returns information about a device job. /// - /// - Parameter DescribeDeviceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeviceJobInput`) /// - /// - Returns: `DescribeDeviceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeviceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1182,7 +1170,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeviceJobOutput.httpOutput(from:), DescribeDeviceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1214,9 +1201,9 @@ extension PanoramaClient { /// /// Returns information about a node. /// - /// - Parameter DescribeNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNodeInput`) /// - /// - Returns: `DescribeNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1252,7 +1239,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeNodeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNodeOutput.httpOutput(from:), DescribeNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1284,9 +1270,9 @@ extension PanoramaClient { /// /// Returns information about a job to create a camera stream node. /// - /// - Parameter DescribeNodeFromTemplateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNodeFromTemplateJobInput`) /// - /// - Returns: `DescribeNodeFromTemplateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNodeFromTemplateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1320,7 +1306,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNodeFromTemplateJobOutput.httpOutput(from:), DescribeNodeFromTemplateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1352,9 +1337,9 @@ extension PanoramaClient { /// /// Returns information about a package. /// - /// - Parameter DescribePackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePackageInput`) /// - /// - Returns: `DescribePackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1389,7 +1374,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePackageOutput.httpOutput(from:), DescribePackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1421,9 +1405,9 @@ extension PanoramaClient { /// /// Returns information about a package import job. /// - /// - Parameter DescribePackageImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePackageImportJobInput`) /// - /// - Returns: `DescribePackageImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePackageImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1457,7 +1441,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePackageImportJobOutput.httpOutput(from:), DescribePackageImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1489,9 +1472,9 @@ extension PanoramaClient { /// /// Returns information about a package version. /// - /// - Parameter DescribePackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePackageVersionInput`) /// - /// - Returns: `DescribePackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1527,7 +1510,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribePackageVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePackageVersionOutput.httpOutput(from:), DescribePackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1559,9 +1541,9 @@ extension PanoramaClient { /// /// Returns a list of application instance dependencies. /// - /// - Parameter ListApplicationInstanceDependenciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationInstanceDependenciesInput`) /// - /// - Returns: `ListApplicationInstanceDependenciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationInstanceDependenciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1594,7 +1576,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationInstanceDependenciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationInstanceDependenciesOutput.httpOutput(from:), ListApplicationInstanceDependenciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1626,9 +1607,9 @@ extension PanoramaClient { /// /// Returns a list of application node instances. /// - /// - Parameter ListApplicationInstanceNodeInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationInstanceNodeInstancesInput`) /// - /// - Returns: `ListApplicationInstanceNodeInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationInstanceNodeInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1661,7 +1642,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationInstanceNodeInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationInstanceNodeInstancesOutput.httpOutput(from:), ListApplicationInstanceNodeInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1693,9 +1673,9 @@ extension PanoramaClient { /// /// Returns a list of application instances. /// - /// - Parameter ListApplicationInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationInstancesInput`) /// - /// - Returns: `ListApplicationInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1728,7 +1708,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationInstancesOutput.httpOutput(from:), ListApplicationInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1760,9 +1739,9 @@ extension PanoramaClient { /// /// Returns a list of devices. /// - /// - Parameter ListDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevicesInput`) /// - /// - Returns: `ListDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1797,7 +1776,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDevicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevicesOutput.httpOutput(from:), ListDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1829,9 +1807,9 @@ extension PanoramaClient { /// /// Returns a list of jobs. /// - /// - Parameter ListDevicesJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevicesJobsInput`) /// - /// - Returns: `ListDevicesJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevicesJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1867,7 +1845,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDevicesJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevicesJobsOutput.httpOutput(from:), ListDevicesJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1899,9 +1876,9 @@ extension PanoramaClient { /// /// Returns a list of camera stream node jobs. /// - /// - Parameter ListNodeFromTemplateJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNodeFromTemplateJobsInput`) /// - /// - Returns: `ListNodeFromTemplateJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNodeFromTemplateJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1936,7 +1913,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNodeFromTemplateJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNodeFromTemplateJobsOutput.httpOutput(from:), ListNodeFromTemplateJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1968,9 +1944,9 @@ extension PanoramaClient { /// /// Returns a list of nodes. /// - /// - Parameter ListNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNodesInput`) /// - /// - Returns: `ListNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2004,7 +1980,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNodesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNodesOutput.httpOutput(from:), ListNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2036,9 +2011,9 @@ extension PanoramaClient { /// /// Returns a list of package import jobs. /// - /// - Parameter ListPackageImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackageImportJobsInput`) /// - /// - Returns: `ListPackageImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackageImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2073,7 +2048,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackageImportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackageImportJobsOutput.httpOutput(from:), ListPackageImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2105,9 +2079,9 @@ extension PanoramaClient { /// /// Returns a list of packages. /// - /// - Parameter ListPackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPackagesInput`) /// - /// - Returns: `ListPackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2143,7 +2117,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPackagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPackagesOutput.httpOutput(from:), ListPackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2175,9 +2148,9 @@ extension PanoramaClient { /// /// Returns a list of tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2210,7 +2183,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2242,9 +2214,9 @@ extension PanoramaClient { /// /// Creates a device and returns a configuration archive. The configuration archive is a ZIP file that contains a provisioning certificate that is valid for 5 minutes. Name the configuration archive certificates-omni_device-name.zip and transfer it to the device within 5 minutes. Use the included USB storage device and connect it to the USB 3.0 port next to the HDMI output. /// - /// - Parameter ProvisionDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ProvisionDeviceInput`) /// - /// - Returns: `ProvisionDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ProvisionDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2282,7 +2254,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ProvisionDeviceOutput.httpOutput(from:), ProvisionDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2314,9 +2285,9 @@ extension PanoramaClient { /// /// Registers a package version. /// - /// - Parameter RegisterPackageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterPackageVersionInput`) /// - /// - Returns: `RegisterPackageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterPackageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2353,7 +2324,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterPackageVersionOutput.httpOutput(from:), RegisterPackageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2385,9 +2355,9 @@ extension PanoramaClient { /// /// Removes an application instance. /// - /// - Parameter RemoveApplicationInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveApplicationInstanceInput`) /// - /// - Returns: `RemoveApplicationInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveApplicationInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2422,7 +2392,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveApplicationInstanceOutput.httpOutput(from:), RemoveApplicationInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2454,9 +2423,9 @@ extension PanoramaClient { /// /// Signal camera nodes to stop or resume. /// - /// - Parameter SignalApplicationInstanceNodeInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SignalApplicationInstanceNodeInstancesInput`) /// - /// - Returns: `SignalApplicationInstanceNodeInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SignalApplicationInstanceNodeInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2493,7 +2462,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SignalApplicationInstanceNodeInstancesOutput.httpOutput(from:), SignalApplicationInstanceNodeInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2525,9 +2493,9 @@ extension PanoramaClient { /// /// Tags a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2563,7 +2531,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2595,9 +2562,9 @@ extension PanoramaClient { /// /// Removes tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2631,7 +2598,6 @@ extension PanoramaClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2663,9 +2629,9 @@ extension PanoramaClient { /// /// Updates a device's metadata. /// - /// - Parameter UpdateDeviceMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDeviceMetadataInput`) /// - /// - Returns: `UpdateDeviceMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDeviceMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2703,7 +2669,6 @@ extension PanoramaClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeviceMetadataOutput.httpOutput(from:), UpdateDeviceMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPartnerCentralSelling/Sources/AWSPartnerCentralSelling/PartnerCentralSellingClient.swift b/Sources/Services/AWSPartnerCentralSelling/Sources/AWSPartnerCentralSelling/PartnerCentralSellingClient.swift index 070d7d53051..d531c43732f 100644 --- a/Sources/Services/AWSPartnerCentralSelling/Sources/AWSPartnerCentralSelling/PartnerCentralSellingClient.swift +++ b/Sources/Services/AWSPartnerCentralSelling/Sources/AWSPartnerCentralSelling/PartnerCentralSellingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PartnerCentralSellingClient: ClientRuntime.Client { public static let clientName = "PartnerCentralSellingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PartnerCentralSellingClient.PartnerCentralSellingClientConfiguration let serviceName = "PartnerCentral Selling" @@ -375,9 +374,9 @@ extension PartnerCentralSellingClient { /// /// Use the AcceptEngagementInvitation action to accept an engagement invitation shared by AWS. Accepting the invitation indicates your willingness to participate in the engagement, granting you access to all engagement-related data. /// - /// - Parameter AcceptEngagementInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptEngagementInvitationInput`) /// - /// - Returns: `AcceptEngagementInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptEngagementInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptEngagementInvitationOutput.httpOutput(from:), AcceptEngagementInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension PartnerCentralSellingClient { /// /// Enables you to reassign an existing Opportunity to another user within your Partner Central account. The specified user receives the opportunity, and it appears on their Partner Central dashboard, allowing them to take necessary actions or proceed with the opportunity. This is useful for distributing opportunities to the appropriate team members or departments within your organization, ensuring that each opportunity is handled by the right person. By default, the opportunity owner is the one who creates it. Currently, there's no API to enumerate the list of available users. /// - /// - Parameter AssignOpportunityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssignOpportunityInput`) /// - /// - Returns: `AssignOpportunityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssignOpportunityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssignOpportunityOutput.httpOutput(from:), AssignOpportunityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -537,9 +534,9 @@ extension PartnerCentralSellingClient { /// /// * Amazon Web Services Marketplace private offer: Use the [Using the Amazon Web Services Marketplace Catalog API](https://docs.aws.amazon.com/marketplace/latest/APIReference/catalog-apis.html) to list entities. Specifically, use the ListEntities operation to retrieve a list of private offers. The request returns the details of available private offers. For more information, see [ListEntities](https://docs.aws.amazon.com/marketplace-catalog/latest/api-reference/API_ListEntities.html). /// - /// - Parameter AssociateOpportunityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateOpportunityInput`) /// - /// - Returns: `AssociateOpportunityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateOpportunityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -575,7 +572,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateOpportunityOutput.httpOutput(from:), AssociateOpportunityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -610,9 +606,9 @@ extension PartnerCentralSellingClient { /// /// The CreateEngagement action allows you to create an Engagement, which serves as a collaborative space between different parties such as AWS Partners and AWS Sellers. This action automatically adds the caller's AWS account as an active member of the newly created Engagement. /// - /// - Parameter CreateEngagementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEngagementInput`) /// - /// - Returns: `CreateEngagementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEngagementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -650,7 +646,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEngagementOutput.httpOutput(from:), CreateEngagementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -685,9 +680,9 @@ extension PartnerCentralSellingClient { /// /// This action creates an invitation from a sender to a single receiver to join an engagement. /// - /// - Parameter CreateEngagementInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEngagementInvitationInput`) /// - /// - Returns: `CreateEngagementInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEngagementInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -725,7 +720,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEngagementInvitationOutput.httpOutput(from:), CreateEngagementInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -769,9 +763,9 @@ extension PartnerCentralSellingClient { /// /// After submission, you can't edit the opportunity until the review is complete. But opportunities in the Pending Submission state must have complete details. You can update the opportunity while it's in the Pending Submission state. There's a set of mandatory fields to create opportunities, but consider providing optional fields to enrich the opportunity record. /// - /// - Parameter CreateOpportunityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOpportunityInput`) /// - /// - Returns: `CreateOpportunityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOpportunityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -809,7 +803,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOpportunityOutput.httpOutput(from:), CreateOpportunityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -844,9 +837,9 @@ extension PartnerCentralSellingClient { /// /// This action allows you to create an immutable snapshot of a specific resource, such as an opportunity, within the context of an engagement. The snapshot captures a subset of the resource's data based on the schema defined by the provided template. /// - /// - Parameter CreateResourceSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceSnapshotInput`) /// - /// - Returns: `CreateResourceSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -884,7 +877,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceSnapshotOutput.httpOutput(from:), CreateResourceSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -919,9 +911,9 @@ extension PartnerCentralSellingClient { /// /// Use this action to create a job to generate a snapshot of the specified resource within an engagement. It initiates an asynchronous process to create a resource snapshot. The job creates a new snapshot only if the resource state has changed, adhering to the same access control and immutability rules as direct snapshot creation. /// - /// - Parameter CreateResourceSnapshotJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceSnapshotJobInput`) /// - /// - Returns: `CreateResourceSnapshotJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceSnapshotJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -959,7 +951,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceSnapshotJobOutput.httpOutput(from:), CreateResourceSnapshotJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -994,9 +985,9 @@ extension PartnerCentralSellingClient { /// /// Use this action to deletes a previously created resource snapshot job. The job must be in a stopped state before it can be deleted. /// - /// - Parameter DeleteResourceSnapshotJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceSnapshotJobInput`) /// - /// - Returns: `DeleteResourceSnapshotJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceSnapshotJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1032,7 +1023,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceSnapshotJobOutput.httpOutput(from:), DeleteResourceSnapshotJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1067,9 +1057,9 @@ extension PartnerCentralSellingClient { /// /// Allows you to remove an existing association between an Opportunity and related entities, such as a Partner Solution, Amazon Web Services product, or an Amazon Web Services Marketplace offer. This operation is the counterpart to AssociateOpportunity, and it provides flexibility to manage associations as business needs change. Use this operation to update the associations of an Opportunity due to changes in the related entities, or if an association was made in error. Ensuring accurate associations helps maintain clarity and accuracy to track and manage business opportunities. When you replace an entity, first attach the new entity and then disassociate the one to be removed, especially if it's the last remaining entity that's required. /// - /// - Parameter DisassociateOpportunityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateOpportunityInput`) /// - /// - Returns: `DisassociateOpportunityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateOpportunityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1105,7 +1095,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateOpportunityOutput.httpOutput(from:), DisassociateOpportunityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1140,9 +1129,9 @@ extension PartnerCentralSellingClient { /// /// Retrieves a summary of an AWS Opportunity. This summary includes high-level details about the opportunity sourced from AWS, such as lifecycle information, customer details, and involvement type. It is useful for tracking updates on the AWS opportunity corresponding to an opportunity in the partner's account. /// - /// - Parameter GetAwsOpportunitySummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAwsOpportunitySummaryInput`) /// - /// - Returns: `GetAwsOpportunitySummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAwsOpportunitySummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1178,7 +1167,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAwsOpportunitySummaryOutput.httpOutput(from:), GetAwsOpportunitySummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1213,9 +1201,9 @@ extension PartnerCentralSellingClient { /// /// Use this action to retrieve the engagement record for a given EngagementIdentifier. /// - /// - Parameter GetEngagementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEngagementInput`) /// - /// - Returns: `GetEngagementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEngagementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1250,7 +1238,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEngagementOutput.httpOutput(from:), GetEngagementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1285,9 +1272,9 @@ extension PartnerCentralSellingClient { /// /// Retrieves the details of an engagement invitation shared by AWS with a partner. The information includes aspects such as customer, project details, and lifecycle information. To connect an engagement invitation with an opportunity, match the invitation’s Payload.Project.Title with opportunity Project.Title. /// - /// - Parameter GetEngagementInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEngagementInvitationInput`) /// - /// - Returns: `GetEngagementInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEngagementInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1323,7 +1310,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEngagementInvitationOutput.httpOutput(from:), GetEngagementInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1358,9 +1344,9 @@ extension PartnerCentralSellingClient { /// /// Fetches the Opportunity record from Partner Central by a given Identifier. Use the ListOpportunities action or the event notification (from Amazon EventBridge) to obtain this identifier. /// - /// - Parameter GetOpportunityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOpportunityInput`) /// - /// - Returns: `GetOpportunityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOpportunityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1382,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOpportunityOutput.httpOutput(from:), GetOpportunityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1431,9 +1416,9 @@ extension PartnerCentralSellingClient { /// /// Use this action to retrieve a specific snapshot record. /// - /// - Parameter GetResourceSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceSnapshotInput`) /// - /// - Returns: `GetResourceSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1468,7 +1453,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceSnapshotOutput.httpOutput(from:), GetResourceSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1503,9 +1487,9 @@ extension PartnerCentralSellingClient { /// /// Use this action to retrieves information about a specific resource snapshot job. /// - /// - Parameter GetResourceSnapshotJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceSnapshotJobInput`) /// - /// - Returns: `GetResourceSnapshotJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceSnapshotJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1540,7 +1524,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceSnapshotJobOutput.httpOutput(from:), GetResourceSnapshotJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1575,9 +1558,9 @@ extension PartnerCentralSellingClient { /// /// Retrieves the currently set system settings, which include the IAM Role used for resource snapshot jobs. /// - /// - Parameter GetSellingSystemSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSellingSystemSettingsInput`) /// - /// - Returns: `GetSellingSystemSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSellingSystemSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1612,7 +1595,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSellingSystemSettingsOutput.httpOutput(from:), GetSellingSystemSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1647,9 +1629,9 @@ extension PartnerCentralSellingClient { /// /// Lists all in-progress, completed, or failed StartEngagementByAcceptingInvitationTask tasks that were initiated by the caller's account. /// - /// - Parameter ListEngagementByAcceptingInvitationTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEngagementByAcceptingInvitationTasksInput`) /// - /// - Returns: `ListEngagementByAcceptingInvitationTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEngagementByAcceptingInvitationTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1684,7 +1666,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEngagementByAcceptingInvitationTasksOutput.httpOutput(from:), ListEngagementByAcceptingInvitationTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1719,9 +1700,9 @@ extension PartnerCentralSellingClient { /// /// Lists all in-progress, completed, or failed EngagementFromOpportunity tasks that were initiated by the caller's account. /// - /// - Parameter ListEngagementFromOpportunityTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEngagementFromOpportunityTasksInput`) /// - /// - Returns: `ListEngagementFromOpportunityTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEngagementFromOpportunityTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1756,7 +1737,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEngagementFromOpportunityTasksOutput.httpOutput(from:), ListEngagementFromOpportunityTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1791,9 +1771,9 @@ extension PartnerCentralSellingClient { /// /// Retrieves a list of engagement invitations sent to the partner. This allows partners to view all pending or past engagement invitations, helping them track opportunities shared by AWS. /// - /// - Parameter ListEngagementInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEngagementInvitationsInput`) /// - /// - Returns: `ListEngagementInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEngagementInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1829,7 +1809,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEngagementInvitationsOutput.httpOutput(from:), ListEngagementInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1864,9 +1843,9 @@ extension PartnerCentralSellingClient { /// /// Retrieves the details of member partners in an Engagement. This operation can only be invoked by members of the Engagement. The ListEngagementMembers operation allows you to fetch information about the members of a specific Engagement. This action is restricted to members of the Engagement being queried. /// - /// - Parameter ListEngagementMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEngagementMembersInput`) /// - /// - Returns: `ListEngagementMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEngagementMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1901,7 +1880,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEngagementMembersOutput.httpOutput(from:), ListEngagementMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1936,9 +1914,9 @@ extension PartnerCentralSellingClient { /// /// Lists the associations between resources and engagements where the caller is a member and has at least one snapshot in the engagement. /// - /// - Parameter ListEngagementResourceAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEngagementResourceAssociationsInput`) /// - /// - Returns: `ListEngagementResourceAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEngagementResourceAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1973,7 +1951,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEngagementResourceAssociationsOutput.httpOutput(from:), ListEngagementResourceAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2008,9 +1985,9 @@ extension PartnerCentralSellingClient { /// /// This action allows users to retrieve a list of Engagement records from Partner Central. This action can be used to manage and track various engagements across different stages of the partner selling process. /// - /// - Parameter ListEngagementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEngagementsInput`) /// - /// - Returns: `ListEngagementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEngagementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2045,7 +2022,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEngagementsOutput.httpOutput(from:), ListEngagementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2086,9 +2062,9 @@ extension PartnerCentralSellingClient { /// /// * Amazon Web Services only returns opportunities created or updated on or after that date and time. Use NextToken to iterate over all pages. /// - /// - Parameter ListOpportunitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOpportunitiesInput`) /// - /// - Returns: `ListOpportunitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOpportunitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2124,7 +2100,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOpportunitiesOutput.httpOutput(from:), ListOpportunitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2159,9 +2134,9 @@ extension PartnerCentralSellingClient { /// /// Lists resource snapshot jobs owned by the customer. This operation supports various filtering scenarios, including listing all jobs owned by the caller, jobs for a specific engagement, jobs with a specific status, or any combination of these filters. /// - /// - Parameter ListResourceSnapshotJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceSnapshotJobsInput`) /// - /// - Returns: `ListResourceSnapshotJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceSnapshotJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2196,7 +2171,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceSnapshotJobsOutput.httpOutput(from:), ListResourceSnapshotJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2241,9 +2215,9 @@ extension PartnerCentralSellingClient { /// /// * Filtering snapshots by resource owner. /// - /// - Parameter ListResourceSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceSnapshotsInput`) /// - /// - Returns: `ListResourceSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2278,7 +2252,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceSnapshotsOutput.httpOutput(from:), ListResourceSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2313,9 +2286,9 @@ extension PartnerCentralSellingClient { /// /// Retrieves a list of Partner Solutions that the partner registered on Partner Central. This API is used to generate a list of solutions that an end user selects from for association with an opportunity. /// - /// - Parameter ListSolutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSolutionsInput`) /// - /// - Returns: `ListSolutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSolutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2350,7 +2323,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSolutionsOutput.httpOutput(from:), ListSolutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2385,9 +2357,9 @@ extension PartnerCentralSellingClient { /// /// Returns a list of tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2423,7 +2395,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2458,9 +2429,9 @@ extension PartnerCentralSellingClient { /// /// Updates the currently set system settings, which include the IAM Role used for resource snapshot jobs. /// - /// - Parameter PutSellingSystemSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSellingSystemSettingsInput`) /// - /// - Returns: `PutSellingSystemSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSellingSystemSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2495,7 +2466,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSellingSystemSettingsOutput.httpOutput(from:), PutSellingSystemSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2530,9 +2500,9 @@ extension PartnerCentralSellingClient { /// /// This action rejects an EngagementInvitation that AWS shared. Rejecting an invitation indicates that the partner doesn't want to pursue the opportunity, and all related data will become inaccessible thereafter. /// - /// - Parameter RejectEngagementInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectEngagementInvitationInput`) /// - /// - Returns: `RejectEngagementInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectEngagementInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2569,7 +2539,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectEngagementInvitationOutput.httpOutput(from:), RejectEngagementInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2604,9 +2573,9 @@ extension PartnerCentralSellingClient { /// /// This action starts the engagement by accepting an EngagementInvitation. The task is asynchronous and involves the following steps: accepting the invitation, creating an opportunity in the partner’s account from the AWS opportunity, and copying details for tracking. When completed, an Opportunity Created event is generated, indicating that the opportunity has been successfully created in the partner's account. /// - /// - Parameter StartEngagementByAcceptingInvitationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEngagementByAcceptingInvitationTaskInput`) /// - /// - Returns: `StartEngagementByAcceptingInvitationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEngagementByAcceptingInvitationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2645,7 +2614,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEngagementByAcceptingInvitationTaskOutput.httpOutput(from:), StartEngagementByAcceptingInvitationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2680,9 +2648,9 @@ extension PartnerCentralSellingClient { /// /// Similar to StartEngagementByAcceptingInvitationTask, this action is asynchronous and performs multiple steps before completion. This action orchestrates a comprehensive workflow that combines multiple API operations into a single task to create and initiate an engagement from an existing opportunity. It automatically executes a sequence of operations including GetOpportunity, CreateEngagement (if it doesn't exist), CreateResourceSnapshot, CreateResourceSnapshotJob, CreateEngagementInvitation (if not already invited/accepted), and SubmitOpportunity. /// - /// - Parameter StartEngagementFromOpportunityTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEngagementFromOpportunityTaskInput`) /// - /// - Returns: `StartEngagementFromOpportunityTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEngagementFromOpportunityTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2721,7 +2689,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEngagementFromOpportunityTaskOutput.httpOutput(from:), StartEngagementFromOpportunityTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2756,9 +2723,9 @@ extension PartnerCentralSellingClient { /// /// Starts a resource snapshot job that has been previously created. /// - /// - Parameter StartResourceSnapshotJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartResourceSnapshotJobInput`) /// - /// - Returns: `StartResourceSnapshotJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartResourceSnapshotJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2793,7 +2760,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartResourceSnapshotJobOutput.httpOutput(from:), StartResourceSnapshotJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2828,9 +2794,9 @@ extension PartnerCentralSellingClient { /// /// Stops a resource snapshot job. The job must be started prior to being stopped. /// - /// - Parameter StopResourceSnapshotJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopResourceSnapshotJobInput`) /// - /// - Returns: `StopResourceSnapshotJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopResourceSnapshotJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2865,7 +2831,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopResourceSnapshotJobOutput.httpOutput(from:), StopResourceSnapshotJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2900,9 +2865,9 @@ extension PartnerCentralSellingClient { /// /// Use this action to submit an Opportunity that was previously created by partner for AWS review. After you perform this action, the Opportunity becomes non-editable until it is reviewed by AWS and has LifeCycle.ReviewStatus as either Approved or Action Required. /// - /// - Parameter SubmitOpportunityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubmitOpportunityInput`) /// - /// - Returns: `SubmitOpportunityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubmitOpportunityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2938,7 +2903,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitOpportunityOutput.httpOutput(from:), SubmitOpportunityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2973,9 +2937,9 @@ extension PartnerCentralSellingClient { /// /// Assigns one or more tags (key-value pairs) to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3012,7 +2976,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3047,9 +3010,9 @@ extension PartnerCentralSellingClient { /// /// Removes a tag or tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3086,7 +3049,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3121,9 +3083,9 @@ extension PartnerCentralSellingClient { /// /// Updates the Opportunity record identified by a given Identifier. This operation allows you to modify the details of an existing opportunity to reflect the latest information and progress. Use this action to keep the opportunity record up-to-date and accurate. When you perform updates, include the entire payload with each request. If any field is omitted, the API assumes that the field is set to null. The best practice is to always perform a GetOpportunity to retrieve the latest values, then send the complete payload with the updated values to be changed. /// - /// - Parameter UpdateOpportunityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOpportunityInput`) /// - /// - Returns: `UpdateOpportunityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOpportunityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3160,7 +3122,6 @@ extension PartnerCentralSellingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOpportunityOutput.httpOutput(from:), UpdateOpportunityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPaymentCryptography/Sources/AWSPaymentCryptography/PaymentCryptographyClient.swift b/Sources/Services/AWSPaymentCryptography/Sources/AWSPaymentCryptography/PaymentCryptographyClient.swift index 2878ae2279d..e604ee92ae9 100644 --- a/Sources/Services/AWSPaymentCryptography/Sources/AWSPaymentCryptography/PaymentCryptographyClient.swift +++ b/Sources/Services/AWSPaymentCryptography/Sources/AWSPaymentCryptography/PaymentCryptographyClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PaymentCryptographyClient: ClientRuntime.Client { public static let clientName = "PaymentCryptographyClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PaymentCryptographyClient.PaymentCryptographyClientConfiguration let serviceName = "Payment Cryptography" @@ -380,9 +379,9 @@ extension PaymentCryptographyClient { /// /// * [GetDefaultKeyReplicationRegions](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_GetDefaultKeyReplicationRegions.html) /// - /// - Parameter AddKeyReplicationRegionsInput : Input parameters for adding replication regions to a specific key. + /// - Parameter input: Input parameters for adding replication regions to a specific key. (Type: `AddKeyReplicationRegionsInput`) /// - /// - Returns: `AddKeyReplicationRegionsOutput` : Output from adding replication regions to a key. + /// - Returns: Output from adding replication regions to a key. (Type: `AddKeyReplicationRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -420,7 +419,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddKeyReplicationRegionsOutput.httpOutput(from:), AddKeyReplicationRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -463,9 +461,9 @@ extension PaymentCryptographyClient { /// /// * [UpdateAlias](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_UpdateAlias.html) /// - /// - Parameter CreateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAliasInput`) /// - /// - Returns: `CreateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -504,7 +502,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAliasOutput.httpOutput(from:), CreateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -545,9 +542,9 @@ extension PaymentCryptographyClient { /// /// * [ListKeys](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_ListKeys.html) /// - /// - Parameter CreateKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKeyInput`) /// - /// - Returns: `CreateKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -586,7 +583,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKeyOutput.httpOutput(from:), CreateKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -629,9 +625,9 @@ extension PaymentCryptographyClient { /// /// * [UpdateAlias](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_UpdateAlias.html) /// - /// - Parameter DeleteAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAliasInput`) /// - /// - Returns: `DeleteAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -669,7 +665,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAliasOutput.httpOutput(from:), DeleteAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -710,9 +705,9 @@ extension PaymentCryptographyClient { /// /// * [StopKeyUsage](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_StopKeyUsage.html) /// - /// - Parameter DeleteKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKeyInput`) /// - /// - Returns: `DeleteKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -750,7 +745,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKeyOutput.httpOutput(from:), DeleteKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -789,9 +783,9 @@ extension PaymentCryptographyClient { /// /// * [GetDefaultKeyReplicationRegions](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_GetDefaultKeyReplicationRegions.html) /// - /// - Parameter DisableDefaultKeyReplicationRegionsInput : Input parameters for disabling default key replication regions for the account. + /// - Parameter input: Input parameters for disabling default key replication regions for the account. (Type: `DisableDefaultKeyReplicationRegionsInput`) /// - /// - Returns: `DisableDefaultKeyReplicationRegionsOutput` : Output from disabling default key replication regions for the account. + /// - Returns: Output from disabling default key replication regions for the account. (Type: `DisableDefaultKeyReplicationRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -829,7 +823,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableDefaultKeyReplicationRegionsOutput.httpOutput(from:), DisableDefaultKeyReplicationRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -868,9 +861,9 @@ extension PaymentCryptographyClient { /// /// * [GetDefaultKeyReplicationRegions](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_GetDefaultKeyReplicationRegions.html) /// - /// - Parameter EnableDefaultKeyReplicationRegionsInput : Input parameters for enabling default key replication regions for the account. + /// - Parameter input: Input parameters for enabling default key replication regions for the account. (Type: `EnableDefaultKeyReplicationRegionsInput`) /// - /// - Returns: `EnableDefaultKeyReplicationRegionsOutput` : Output from enabling default key replication regions for the account. + /// - Returns: Output from enabling default key replication regions for the account. (Type: `EnableDefaultKeyReplicationRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -908,7 +901,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableDefaultKeyReplicationRegionsOutput.httpOutput(from:), EnableDefaultKeyReplicationRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -991,9 +983,9 @@ extension PaymentCryptographyClient { /// /// * [ImportKey](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_ImportKey.html) /// - /// - Parameter ExportKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportKeyInput`) /// - /// - Returns: `ExportKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1031,7 +1023,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportKeyOutput.httpOutput(from:), ExportKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1074,9 +1065,9 @@ extension PaymentCryptographyClient { /// /// * [UpdateAlias](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_UpdateAlias.html) /// - /// - Parameter GetAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAliasInput`) /// - /// - Returns: `GetAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1113,7 +1104,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAliasOutput.httpOutput(from:), GetAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1148,9 +1138,9 @@ extension PaymentCryptographyClient { /// /// Used to retrieve the public key for a keypair. /// - /// - Parameter GetCertificateSigningRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCertificateSigningRequestInput`) /// - /// - Returns: `GetCertificateSigningRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCertificateSigningRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1187,7 +1177,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCertificateSigningRequestOutput.httpOutput(from:), GetCertificateSigningRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1226,9 +1215,9 @@ extension PaymentCryptographyClient { /// /// * [DisableDefaultKeyReplicationRegions](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_DisableDefaultKeyReplicationRegions.html) /// - /// - Parameter GetDefaultKeyReplicationRegionsInput : Input parameters for retrieving the account's default key replication regions. This operation requires no input parameters. + /// - Parameter input: Input parameters for retrieving the account's default key replication regions. This operation requires no input parameters. (Type: `GetDefaultKeyReplicationRegionsInput`) /// - /// - Returns: `GetDefaultKeyReplicationRegionsOutput` : Output containing the account's current default key replication configuration. + /// - Returns: Output containing the account's current default key replication configuration. (Type: `GetDefaultKeyReplicationRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1266,7 +1255,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDefaultKeyReplicationRegionsOutput.httpOutput(from:), GetDefaultKeyReplicationRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1307,9 +1295,9 @@ extension PaymentCryptographyClient { /// /// * [ListKeys](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_ListKeys.html) /// - /// - Parameter GetKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKeyInput`) /// - /// - Returns: `GetKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1346,7 +1334,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKeyOutput.httpOutput(from:), GetKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1385,9 +1372,9 @@ extension PaymentCryptographyClient { /// /// * [GetParametersForImport](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_GetParametersForImport.html) /// - /// - Parameter GetParametersForExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetParametersForExportInput`) /// - /// - Returns: `GetParametersForExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetParametersForExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1426,7 +1413,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetParametersForExportOutput.httpOutput(from:), GetParametersForExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1465,9 +1451,9 @@ extension PaymentCryptographyClient { /// /// * [ImportKey](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_ImportKey.html) /// - /// - Parameter GetParametersForImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetParametersForImportInput`) /// - /// - Returns: `GetParametersForImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetParametersForImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1506,7 +1492,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetParametersForImportOutput.httpOutput(from:), GetParametersForImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1541,9 +1526,9 @@ extension PaymentCryptographyClient { /// /// Gets the public key certificate of the asymmetric key pair that exists within Amazon Web Services Payment Cryptography. Unlike the private key of an asymmetric key, which never leaves Amazon Web Services Payment Cryptography unencrypted, callers with GetPublicKeyCertificate permission can download the public key certificate of the asymmetric key. You can share the public key certificate to allow others to encrypt messages and verify signatures outside of Amazon Web Services Payment Cryptography Cross-account use: This operation can't be used across different Amazon Web Services accounts. /// - /// - Parameter GetPublicKeyCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPublicKeyCertificateInput`) /// - /// - Returns: `GetPublicKeyCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPublicKeyCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1580,7 +1565,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPublicKeyCertificateOutput.httpOutput(from:), GetPublicKeyCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1676,9 +1660,9 @@ extension PaymentCryptographyClient { /// /// * [GetParametersForImport](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_GetParametersForImport.html) /// - /// - Parameter ImportKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportKeyInput`) /// - /// - Returns: `ImportKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1717,7 +1701,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportKeyOutput.httpOutput(from:), ImportKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1760,9 +1743,9 @@ extension PaymentCryptographyClient { /// /// * [UpdateAlias](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_UpdateAlias.html) /// - /// - Parameter ListAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAliasesInput`) /// - /// - Returns: `ListAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1799,7 +1782,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAliasesOutput.httpOutput(from:), ListAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1840,9 +1822,9 @@ extension PaymentCryptographyClient { /// /// * [GetKey](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_GetKey.html) /// - /// - Parameter ListKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKeysInput`) /// - /// - Returns: `ListKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1879,7 +1861,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKeysOutput.httpOutput(from:), ListKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1918,9 +1899,9 @@ extension PaymentCryptographyClient { /// /// * [UntagResource](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_UntagResource.html) /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1957,7 +1938,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1996,9 +1976,9 @@ extension PaymentCryptographyClient { /// /// * [DisableDefaultKeyReplicationRegions](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_DisableDefaultKeyReplicationRegions.html) /// - /// - Parameter RemoveKeyReplicationRegionsInput : Input parameters for removing replication regions from a specific key. + /// - Parameter input: Input parameters for removing replication regions from a specific key. (Type: `RemoveKeyReplicationRegionsInput`) /// - /// - Returns: `RemoveKeyReplicationRegionsOutput` : Output from removing replication regions from a key. + /// - Returns: Output from removing replication regions from a key. (Type: `RemoveKeyReplicationRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2036,7 +2016,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveKeyReplicationRegionsOutput.httpOutput(from:), RemoveKeyReplicationRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2077,9 +2056,9 @@ extension PaymentCryptographyClient { /// /// * [StopKeyUsage](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_StopKeyUsage.html) /// - /// - Parameter RestoreKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreKeyInput`) /// - /// - Returns: `RestoreKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2118,7 +2097,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreKeyOutput.httpOutput(from:), RestoreKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2155,9 +2133,9 @@ extension PaymentCryptographyClient { /// /// * [StopKeyUsage](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_StopKeyUsage.html) /// - /// - Parameter StartKeyUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartKeyUsageInput`) /// - /// - Returns: `StartKeyUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartKeyUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2196,7 +2174,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartKeyUsageOutput.httpOutput(from:), StartKeyUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2235,9 +2212,9 @@ extension PaymentCryptographyClient { /// /// * [StartKeyUsage](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_StartKeyUsage.html) /// - /// - Parameter StopKeyUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopKeyUsageInput`) /// - /// - Returns: `StopKeyUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopKeyUsageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2276,7 +2253,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopKeyUsageOutput.httpOutput(from:), StopKeyUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2315,9 +2291,9 @@ extension PaymentCryptographyClient { /// /// * [UntagResource](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_UntagResource.html) /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2356,7 +2332,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2395,9 +2370,9 @@ extension PaymentCryptographyClient { /// /// * [TagResource](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_TagResource.html) /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2435,7 +2410,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2478,9 +2452,9 @@ extension PaymentCryptographyClient { /// /// * [ListAliases](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_ListAliases.html) /// - /// - Parameter UpdateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAliasInput`) /// - /// - Returns: `UpdateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2518,7 +2492,6 @@ extension PaymentCryptographyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAliasOutput.httpOutput(from:), UpdateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPaymentCryptographyData/Sources/AWSPaymentCryptographyData/Models.swift b/Sources/Services/AWSPaymentCryptographyData/Sources/AWSPaymentCryptographyData/Models.swift index c51410ba086..0e3cc302212 100644 --- a/Sources/Services/AWSPaymentCryptographyData/Sources/AWSPaymentCryptographyData/Models.swift +++ b/Sources/Services/AWSPaymentCryptographyData/Sources/AWSPaymentCryptographyData/Models.swift @@ -1152,11 +1152,6 @@ extension PaymentCryptographyDataClientTypes { } } -extension PaymentCryptographyDataClientTypes.EcdhDerivationAttributes: Swift.CustomDebugStringConvertible { - public var debugDescription: Swift.String { - "EcdhDerivationAttributes(certificateAuthorityPublicKeyIdentifier: \(Swift.String(describing: certificateAuthorityPublicKeyIdentifier)), keyAlgorithm: \(Swift.String(describing: keyAlgorithm)), keyDerivationFunction: \(Swift.String(describing: keyDerivationFunction)), keyDerivationHashAlgorithm: \(Swift.String(describing: keyDerivationHashAlgorithm)), sharedInformation: \(Swift.String(describing: sharedInformation)), publicKeyCertificate: \"CONTENT_REDACTED\")"} -} - extension PaymentCryptographyDataClientTypes { /// Parameter information of a WrappedKeyBlock for encryption key exchange. @@ -1491,6 +1486,16 @@ extension PaymentCryptographyDataClientTypes { } } +extension PaymentCryptographyDataClientTypes { + + /// The shared information used when deriving a key using ECDH. + public enum DiffieHellmanDerivationData: Swift.Sendable { + /// A string containing information that binds the ECDH derived key to the two parties involved or to the context of the key. It may include details like identities of the two parties deriving the key, context of the operation, session IDs, and optionally a nonce. It must not contain zero bytes. It is not recommended to reuse shared information for multiple ECDH key derivations, as it could result in derived key material being the same across different derivations. + case sharedinformation(Swift.String) + case sdkUnknown(Swift.String) + } +} + extension PaymentCryptographyDataClientTypes { /// Parameters that are used for Derived Unique Key Per Transaction (DUKPT) derivation algorithm. @@ -2254,6 +2259,7 @@ extension PaymentCryptographyDataClientTypes { public enum PinBlockFormatForPinData: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { case isoFormat0 + case isoFormat1 case isoFormat3 case isoFormat4 case sdkUnknown(Swift.String) @@ -2261,6 +2267,7 @@ extension PaymentCryptographyDataClientTypes { public static var allCases: [PinBlockFormatForPinData] { return [ .isoFormat0, + .isoFormat1, .isoFormat3, .isoFormat4 ] @@ -2274,6 +2281,7 @@ extension PaymentCryptographyDataClientTypes { public var rawValue: Swift.String { switch self { case .isoFormat0: return "ISO_FORMAT_0" + case .isoFormat1: return "ISO_FORMAT_1" case .isoFormat3: return "ISO_FORMAT_3" case .isoFormat4: return "ISO_FORMAT_4" case let .sdkUnknown(s): return s @@ -2294,13 +2302,12 @@ public struct GeneratePinDataInput: Swift.Sendable { /// The keyARN of the PEK that Amazon Web Services Payment Cryptography uses for pin data generation. /// This member is required. public var generationKeyIdentifier: Swift.String? - /// The PIN encoding format for pin data generation as specified in ISO 9564. Amazon Web Services Payment Cryptography supports ISO_Format_0 and ISO_Format_3. The ISO_Format_0 PIN block format is equivalent to the ANSI X9.8, VISA-1, and ECI-1 PIN block formats. It is similar to a VISA-4 PIN block format. It supports a PIN from 4 to 12 digits in length. The ISO_Format_3 PIN block format is the same as ISO_Format_0 except that the fill digits are random values from 10 to 15. + /// The PIN encoding format for pin data generation as specified in ISO 9564. Amazon Web Services Payment Cryptography supports ISO_Format_0, ISO_Format_3 and ISO_Format_4. The ISO_Format_0 PIN block format is equivalent to the ANSI X9.8, VISA-1, and ECI-1 PIN block formats. It is similar to a VISA-4 PIN block format. It supports a PIN from 4 to 12 digits in length. The ISO_Format_3 PIN block format is the same as ISO_Format_0 except that the fill digits are random values from 10 to 15. The ISO_Format_4 PIN block format is the only one supporting AES encryption. It is similar to ISO_Format_3 but doubles the pin block length by padding with fill digit A and random values from 10 to 15. /// This member is required. public var pinBlockFormat: PaymentCryptographyDataClientTypes.PinBlockFormatForPinData? /// The length of PIN under generation. public var pinDataLength: Swift.Int? /// The Primary Account Number (PAN), a unique identifier for a payment credit or debit card that associates the card with a specific account holder. - /// This member is required. public var primaryAccountNumber: Swift.String? public init( @@ -2417,6 +2424,98 @@ extension PaymentCryptographyDataClientTypes.Ibm3624PinVerification: Swift.Custo "Ibm3624PinVerification(pinValidationDataPadCharacter: \(Swift.String(describing: pinValidationDataPadCharacter)), decimalizationTable: \"CONTENT_REDACTED\", pinOffset: \"CONTENT_REDACTED\", pinValidationData: \"CONTENT_REDACTED\")"} } +extension PaymentCryptographyDataClientTypes { + + /// Parameter information of a TR31KeyBlock wrapped using an ECDH derived key. + public struct IncomingDiffieHellmanTr31KeyBlock: Swift.Sendable { + /// The keyArn of the certificate that signed the client's PublicKeyCertificate. + /// This member is required. + public var certificateAuthorityPublicKeyIdentifier: Swift.String? + /// The shared information used when deriving a key using ECDH. + /// This member is required. + public var derivationData: PaymentCryptographyDataClientTypes.DiffieHellmanDerivationData? + /// The key algorithm of the derived ECDH key. + /// This member is required. + public var deriveKeyAlgorithm: PaymentCryptographyDataClientTypes.SymmetricKeyAlgorithm? + /// The key derivation function to use for deriving a key using ECDH. + /// This member is required. + public var keyDerivationFunction: PaymentCryptographyDataClientTypes.KeyDerivationFunction? + /// The hash type to use for deriving a key using ECDH. + /// This member is required. + public var keyDerivationHashAlgorithm: PaymentCryptographyDataClientTypes.KeyDerivationHashAlgorithm? + /// The keyARN of the asymmetric ECC key pair. + /// This member is required. + public var privateKeyIdentifier: Swift.String? + /// The client's public key certificate in PEM format (base64 encoded) to use for ECDH key derivation. + /// This member is required. + public var publicKeyCertificate: Swift.String? + /// The WrappedKeyBlock containing the transaction key wrapped using an ECDH dervied key. + /// This member is required. + public var wrappedKeyBlock: Swift.String? + + public init( + certificateAuthorityPublicKeyIdentifier: Swift.String? = nil, + derivationData: PaymentCryptographyDataClientTypes.DiffieHellmanDerivationData? = nil, + deriveKeyAlgorithm: PaymentCryptographyDataClientTypes.SymmetricKeyAlgorithm? = nil, + keyDerivationFunction: PaymentCryptographyDataClientTypes.KeyDerivationFunction? = nil, + keyDerivationHashAlgorithm: PaymentCryptographyDataClientTypes.KeyDerivationHashAlgorithm? = nil, + privateKeyIdentifier: Swift.String? = nil, + publicKeyCertificate: Swift.String? = nil, + wrappedKeyBlock: Swift.String? = nil + ) { + self.certificateAuthorityPublicKeyIdentifier = certificateAuthorityPublicKeyIdentifier + self.derivationData = derivationData + self.deriveKeyAlgorithm = deriveKeyAlgorithm + self.keyDerivationFunction = keyDerivationFunction + self.keyDerivationHashAlgorithm = keyDerivationHashAlgorithm + self.privateKeyIdentifier = privateKeyIdentifier + self.publicKeyCertificate = publicKeyCertificate + self.wrappedKeyBlock = wrappedKeyBlock + } + } +} + +extension PaymentCryptographyDataClientTypes.IncomingDiffieHellmanTr31KeyBlock: Swift.CustomDebugStringConvertible { + public var debugDescription: Swift.String { + "IncomingDiffieHellmanTr31KeyBlock(certificateAuthorityPublicKeyIdentifier: \(Swift.String(describing: certificateAuthorityPublicKeyIdentifier)), derivationData: \(Swift.String(describing: derivationData)), deriveKeyAlgorithm: \(Swift.String(describing: deriveKeyAlgorithm)), keyDerivationFunction: \(Swift.String(describing: keyDerivationFunction)), keyDerivationHashAlgorithm: \(Swift.String(describing: keyDerivationHashAlgorithm)), privateKeyIdentifier: \(Swift.String(describing: privateKeyIdentifier)), publicKeyCertificate: \(Swift.String(describing: publicKeyCertificate)), wrappedKeyBlock: \"CONTENT_REDACTED\")"} +} + +extension PaymentCryptographyDataClientTypes { + + /// Parameter information of the incoming WrappedKeyBlock containing the transaction key. + public enum IncomingKeyMaterial: Swift.Sendable { + /// Parameter information of the TR31WrappedKeyBlock containing the transaction key wrapped using an ECDH dervied key. + case diffiehellmantr31keyblock(PaymentCryptographyDataClientTypes.IncomingDiffieHellmanTr31KeyBlock) + case sdkUnknown(Swift.String) + } +} + +extension PaymentCryptographyDataClientTypes { + + /// Parameter information of the TR31WrappedKeyBlock containing the transaction key wrapped using a KEK. + public struct OutgoingTr31KeyBlock: Swift.Sendable { + /// The keyARN of the KEK used to wrap the transaction key. + /// This member is required. + public var wrappingKeyIdentifier: Swift.String? + + public init( + wrappingKeyIdentifier: Swift.String? = nil + ) { + self.wrappingKeyIdentifier = wrappingKeyIdentifier + } + } +} + +extension PaymentCryptographyDataClientTypes { + + /// Parameter information of the outgoing TR31WrappedKeyBlock containing the transaction key. + public enum OutgoingKeyMaterial: Swift.Sendable { + /// Parameter information of the TR31WrappedKeyBlock containing the transaction key wrapped using a KEK. + case tr31keyblock(PaymentCryptographyDataClientTypes.OutgoingTr31KeyBlock) + case sdkUnknown(Swift.String) + } +} + extension PaymentCryptographyDataClientTypes { /// Parameters that are required to perform reencryption operation. @@ -2501,6 +2600,102 @@ extension ReEncryptDataOutput: Swift.CustomDebugStringConvertible { "ReEncryptDataOutput(keyArn: \(Swift.String(describing: keyArn)), keyCheckValue: \(Swift.String(describing: keyCheckValue)), cipherText: \"CONTENT_REDACTED\")"} } +public struct TranslateKeyMaterialInput: Swift.Sendable { + /// Parameter information of the TR31WrappedKeyBlock containing the transaction key. + /// This member is required. + public var incomingKeyMaterial: PaymentCryptographyDataClientTypes.IncomingKeyMaterial? + /// The key check value (KCV) algorithm used for calculating the KCV. + public var keyCheckValueAlgorithm: PaymentCryptographyDataClientTypes.KeyCheckValueAlgorithm? + /// Parameter information of the wrapping key used to wrap the transaction key in the outgoing TR31WrappedKeyBlock. + /// This member is required. + public var outgoingKeyMaterial: PaymentCryptographyDataClientTypes.OutgoingKeyMaterial? + + public init( + incomingKeyMaterial: PaymentCryptographyDataClientTypes.IncomingKeyMaterial? = nil, + keyCheckValueAlgorithm: PaymentCryptographyDataClientTypes.KeyCheckValueAlgorithm? = nil, + outgoingKeyMaterial: PaymentCryptographyDataClientTypes.OutgoingKeyMaterial? = nil + ) { + self.incomingKeyMaterial = incomingKeyMaterial + self.keyCheckValueAlgorithm = keyCheckValueAlgorithm + self.outgoingKeyMaterial = outgoingKeyMaterial + } +} + +extension PaymentCryptographyDataClientTypes { + + public enum WrappedKeyMaterialFormat: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { + case keyCryptogram + case tr31KeyBlock + case tr34KeyBlock + case sdkUnknown(Swift.String) + + public static var allCases: [WrappedKeyMaterialFormat] { + return [ + .keyCryptogram, + .tr31KeyBlock, + .tr34KeyBlock + ] + } + + public init?(rawValue: Swift.String) { + let value = Self.allCases.first(where: { $0.rawValue == rawValue }) + self = value ?? Self.sdkUnknown(rawValue) + } + + public var rawValue: Swift.String { + switch self { + case .keyCryptogram: return "KEY_CRYPTOGRAM" + case .tr31KeyBlock: return "TR31_KEY_BLOCK" + case .tr34KeyBlock: return "TR34_KEY_BLOCK" + case let .sdkUnknown(s): return s + } + } + } +} + +extension PaymentCryptographyDataClientTypes { + + /// The parameter information of the outgoing wrapped key block. + public struct WrappedWorkingKey: Swift.Sendable { + /// The key check value (KCV) of the key contained within the outgoing TR31WrappedKeyBlock. The KCV is used to check if all parties holding a given key have the same key or to detect that a key has changed. For more information on KCV, see [KCV](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/terminology.html#terms.kcv) in the Amazon Web Services Payment Cryptography User Guide. + /// This member is required. + public var keyCheckValue: Swift.String? + /// The wrapped key block of the outgoing transaction key. + /// This member is required. + public var wrappedKeyMaterial: Swift.String? + /// The key block format of the wrapped key. + /// This member is required. + public var wrappedKeyMaterialFormat: PaymentCryptographyDataClientTypes.WrappedKeyMaterialFormat? + + public init( + keyCheckValue: Swift.String? = nil, + wrappedKeyMaterial: Swift.String? = nil, + wrappedKeyMaterialFormat: PaymentCryptographyDataClientTypes.WrappedKeyMaterialFormat? = nil + ) { + self.keyCheckValue = keyCheckValue + self.wrappedKeyMaterial = wrappedKeyMaterial + self.wrappedKeyMaterialFormat = wrappedKeyMaterialFormat + } + } +} + +extension PaymentCryptographyDataClientTypes.WrappedWorkingKey: Swift.CustomDebugStringConvertible { + public var debugDescription: Swift.String { + "WrappedWorkingKey(keyCheckValue: \(Swift.String(describing: keyCheckValue)), wrappedKeyMaterialFormat: \(Swift.String(describing: wrappedKeyMaterialFormat)), wrappedKeyMaterial: \"CONTENT_REDACTED\")"} +} + +public struct TranslateKeyMaterialOutput: Swift.Sendable { + /// The outgoing KEK wrapped TR31WrappedKeyBlock. + /// This member is required. + public var wrappedKey: PaymentCryptographyDataClientTypes.WrappedWorkingKey? + + public init( + wrappedKey: PaymentCryptographyDataClientTypes.WrappedWorkingKey? = nil + ) { + self.wrappedKey = wrappedKey + } +} + extension PaymentCryptographyDataClientTypes { /// Parameters that are required for tranlation between ISO9564 PIN format 0,3,4 tranlation. @@ -3083,7 +3278,6 @@ public struct VerifyPinDataInput: Swift.Sendable { /// The length of PIN being verified. public var pinDataLength: Swift.Int? /// The Primary Account Number (PAN), a unique identifier for a payment credit or debit card that associates the card with a specific account holder. - /// This member is required. public var primaryAccountNumber: Swift.String? /// The attributes and values for PIN data verification. /// This member is required. @@ -3205,6 +3399,13 @@ extension ReEncryptDataInput { } } +extension TranslateKeyMaterialInput { + + static func urlPathProvider(_ value: TranslateKeyMaterialInput) -> Swift.String? { + return "/keymaterial/translate" + } +} + extension TranslatePinDataInput { static func urlPathProvider(_ value: TranslatePinDataInput) -> Swift.String? { @@ -3323,6 +3524,16 @@ extension ReEncryptDataInput { } } +extension TranslateKeyMaterialInput { + + static func write(value: TranslateKeyMaterialInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["IncomingKeyMaterial"].write(value.incomingKeyMaterial, with: PaymentCryptographyDataClientTypes.IncomingKeyMaterial.write(value:to:)) + try writer["KeyCheckValueAlgorithm"].write(value.keyCheckValueAlgorithm) + try writer["OutgoingKeyMaterial"].write(value.outgoingKeyMaterial, with: PaymentCryptographyDataClientTypes.OutgoingKeyMaterial.write(value:to:)) + } +} + extension TranslatePinDataInput { static func write(value: TranslatePinDataInput?, to writer: SmithyJSON.Writer) throws { @@ -3498,6 +3709,18 @@ extension ReEncryptDataOutput { } } +extension TranslateKeyMaterialOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> TranslateKeyMaterialOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = TranslateKeyMaterialOutput() + value.wrappedKey = try reader["WrappedKey"].readIfPresent(with: PaymentCryptographyDataClientTypes.WrappedWorkingKey.read(from:)) + return value + } +} + extension TranslatePinDataOutput { static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> TranslatePinDataOutput { @@ -3693,6 +3916,24 @@ enum ReEncryptDataOutputError { } } +enum TranslateKeyMaterialOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ResourceNotFoundException": return try ResourceNotFoundException.makeError(baseError: baseError) + case "ThrottlingException": return try ThrottlingException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + enum TranslatePinDataOutputError { static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { @@ -3896,6 +4137,18 @@ extension PaymentCryptographyDataClientTypes.PinData { } } +extension PaymentCryptographyDataClientTypes.WrappedWorkingKey { + + static func read(from reader: SmithyJSON.Reader) throws -> PaymentCryptographyDataClientTypes.WrappedWorkingKey { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = PaymentCryptographyDataClientTypes.WrappedWorkingKey() + value.wrappedKeyMaterial = try reader["WrappedKeyMaterial"].readIfPresent() ?? "" + value.keyCheckValue = try reader["KeyCheckValue"].readIfPresent() ?? "" + value.wrappedKeyMaterialFormat = try reader["WrappedKeyMaterialFormat"].readIfPresent() ?? .sdkUnknown("") + return value + } +} + extension PaymentCryptographyDataClientTypes.ValidationExceptionField { static func read(from reader: SmithyJSON.Reader) throws -> PaymentCryptographyDataClientTypes.ValidationExceptionField { @@ -4344,6 +4597,68 @@ extension PaymentCryptographyDataClientTypes.ReEncryptionAttributes { } } +extension PaymentCryptographyDataClientTypes.IncomingKeyMaterial { + + static func write(value: PaymentCryptographyDataClientTypes.IncomingKeyMaterial?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + switch value { + case let .diffiehellmantr31keyblock(diffiehellmantr31keyblock): + try writer["DiffieHellmanTr31KeyBlock"].write(diffiehellmantr31keyblock, with: PaymentCryptographyDataClientTypes.IncomingDiffieHellmanTr31KeyBlock.write(value:to:)) + case let .sdkUnknown(sdkUnknown): + try writer["sdkUnknown"].write(sdkUnknown) + } + } +} + +extension PaymentCryptographyDataClientTypes.IncomingDiffieHellmanTr31KeyBlock { + + static func write(value: PaymentCryptographyDataClientTypes.IncomingDiffieHellmanTr31KeyBlock?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["CertificateAuthorityPublicKeyIdentifier"].write(value.certificateAuthorityPublicKeyIdentifier) + try writer["DerivationData"].write(value.derivationData, with: PaymentCryptographyDataClientTypes.DiffieHellmanDerivationData.write(value:to:)) + try writer["DeriveKeyAlgorithm"].write(value.deriveKeyAlgorithm) + try writer["KeyDerivationFunction"].write(value.keyDerivationFunction) + try writer["KeyDerivationHashAlgorithm"].write(value.keyDerivationHashAlgorithm) + try writer["PrivateKeyIdentifier"].write(value.privateKeyIdentifier) + try writer["PublicKeyCertificate"].write(value.publicKeyCertificate) + try writer["WrappedKeyBlock"].write(value.wrappedKeyBlock) + } +} + +extension PaymentCryptographyDataClientTypes.DiffieHellmanDerivationData { + + static func write(value: PaymentCryptographyDataClientTypes.DiffieHellmanDerivationData?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + switch value { + case let .sharedinformation(sharedinformation): + try writer["SharedInformation"].write(sharedinformation) + case let .sdkUnknown(sdkUnknown): + try writer["sdkUnknown"].write(sdkUnknown) + } + } +} + +extension PaymentCryptographyDataClientTypes.OutgoingKeyMaterial { + + static func write(value: PaymentCryptographyDataClientTypes.OutgoingKeyMaterial?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + switch value { + case let .tr31keyblock(tr31keyblock): + try writer["Tr31KeyBlock"].write(tr31keyblock, with: PaymentCryptographyDataClientTypes.OutgoingTr31KeyBlock.write(value:to:)) + case let .sdkUnknown(sdkUnknown): + try writer["sdkUnknown"].write(sdkUnknown) + } + } +} + +extension PaymentCryptographyDataClientTypes.OutgoingTr31KeyBlock { + + static func write(value: PaymentCryptographyDataClientTypes.OutgoingTr31KeyBlock?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["WrappingKeyIdentifier"].write(value.wrappingKeyIdentifier) + } +} + extension PaymentCryptographyDataClientTypes.TranslationIsoFormats { static func write(value: PaymentCryptographyDataClientTypes.TranslationIsoFormats?, to writer: SmithyJSON.Writer) throws { diff --git a/Sources/Services/AWSPaymentCryptographyData/Sources/AWSPaymentCryptographyData/PaymentCryptographyDataClient.swift b/Sources/Services/AWSPaymentCryptographyData/Sources/AWSPaymentCryptographyData/PaymentCryptographyDataClient.swift index e23ce8d571f..acfe6418e6e 100644 --- a/Sources/Services/AWSPaymentCryptographyData/Sources/AWSPaymentCryptographyData/PaymentCryptographyDataClient.swift +++ b/Sources/Services/AWSPaymentCryptographyData/Sources/AWSPaymentCryptographyData/PaymentCryptographyDataClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PaymentCryptographyDataClient: ClientRuntime.Client { public static let clientName = "PaymentCryptographyDataClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PaymentCryptographyDataClient.PaymentCryptographyDataClientConfiguration let serviceName = "Payment Cryptography Data" @@ -378,9 +377,9 @@ extension PaymentCryptographyDataClient { /// /// * [ImportKey](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_ImportKey.html) /// - /// - Parameter DecryptDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DecryptDataInput`) /// - /// - Returns: `DecryptDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DecryptDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DecryptDataOutput.httpOutput(from:), DecryptDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -458,9 +456,9 @@ extension PaymentCryptographyDataClient { /// /// * [ReEncryptData] /// - /// - Parameter EncryptDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EncryptDataInput`) /// - /// - Returns: `EncryptDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EncryptDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -498,7 +496,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EncryptDataOutput.httpOutput(from:), EncryptDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -534,9 +531,9 @@ extension PaymentCryptographyDataClient { /// /// * [VerifyCardValidationData] /// - /// - Parameter GenerateCardValidationDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateCardValidationDataInput`) /// - /// - Returns: `GenerateCardValidationDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateCardValidationDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -574,7 +571,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateCardValidationDataOutput.httpOutput(from:), GenerateCardValidationDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -604,13 +600,13 @@ extension PaymentCryptographyDataClient { /// Performs the `GenerateMac` operation on the `PaymentCryptographyData` service. /// - /// Generates a Message Authentication Code (MAC) cryptogram within Amazon Web Services Payment Cryptography. You can use this operation to authenticate card-related data by using known data values to generate MAC for data validation between the sending and receiving parties. This operation uses message data, a secret encryption key and MAC algorithm to generate a unique MAC value for transmission. The receiving party of the MAC must use the same message data, secret encryption key and MAC algorithm to reproduce another MAC value for comparision. You can use this operation to generate a DUPKT, CMAC, HMAC or EMV MAC by setting generation attributes and algorithm to the associated values. The MAC generation encryption key must have valid values for KeyUsage such as TR31_M7_HMAC_KEY for HMAC generation, and they key must have KeyModesOfUse set to Generate and Verify. For information about valid keys for this operation, see [Understanding key attributes](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/keys-validattributes.html) and [Key types for specific data operations](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/crypto-ops-validkeys-ops.html) in the Amazon Web Services Payment Cryptography User Guide. Cross-account use: This operation can't be used across different Amazon Web Services accounts. Related operations: + /// Generates a Message Authentication Code (MAC) cryptogram within Amazon Web Services Payment Cryptography. You can use this operation to authenticate card-related data by using known data values to generate MAC for data validation between the sending and receiving parties. This operation uses message data, a secret encryption key and MAC algorithm to generate a unique MAC value for transmission. The receiving party of the MAC must use the same message data, secret encryption key and MAC algorithm to reproduce another MAC value for comparision. You can use this operation to generate a DUPKT, CMAC, HMAC or EMV MAC by setting generation attributes and algorithm to the associated values. The MAC generation encryption key must have valid values for KeyUsage such as TR31_M7_HMAC_KEY for HMAC generation, and the key must have KeyModesOfUse set to Generate and Verify. For information about valid keys for this operation, see [Understanding key attributes](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/keys-validattributes.html) and [Key types for specific data operations](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/crypto-ops-validkeys-ops.html) in the Amazon Web Services Payment Cryptography User Guide. Cross-account use: This operation can't be used across different Amazon Web Services accounts. Related operations: /// /// * [VerifyMac] /// - /// - Parameter GenerateMacInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateMacInput`) /// - /// - Returns: `GenerateMacOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateMacOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -648,7 +644,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateMacOutput.httpOutput(from:), GenerateMacOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -684,9 +679,9 @@ extension PaymentCryptographyDataClient { /// /// * [GenerateMac] /// - /// - Parameter GenerateMacEmvPinChangeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateMacEmvPinChangeInput`) /// - /// - Returns: `GenerateMacEmvPinChangeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateMacEmvPinChangeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -724,7 +719,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateMacEmvPinChangeOutput.httpOutput(from:), GenerateMacEmvPinChangeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -762,9 +756,9 @@ extension PaymentCryptographyDataClient { /// /// * [VerifyPinData] /// - /// - Parameter GeneratePinDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GeneratePinDataInput`) /// - /// - Returns: `GeneratePinDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GeneratePinDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -802,7 +796,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GeneratePinDataOutput.httpOutput(from:), GeneratePinDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -842,9 +835,9 @@ extension PaymentCryptographyDataClient { /// /// * [ImportKey](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_ImportKey.html) /// - /// - Parameter ReEncryptDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReEncryptDataInput`) /// - /// - Returns: `ReEncryptDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReEncryptDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -882,7 +875,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReEncryptDataOutput.httpOutput(from:), ReEncryptDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -910,17 +902,94 @@ extension PaymentCryptographyDataClient { return try await op.execute(input: input) } + /// Performs the `TranslateKeyMaterial` operation on the `PaymentCryptographyData` service. + /// + /// Translates an encryption key between different wrapping keys without importing the key into Amazon Web Services Payment Cryptography. This operation can be used when key material is frequently rotated, such as during every card transaction, and there is a need to avoid importing short-lived keys into Amazon Web Services Payment Cryptography. It translates short-lived transaction keys such as Pin Encryption Key (PEK) generated for each transaction and wrapped with an ECDH (Elliptic Curve Diffie-Hellman) derived wrapping key to another KEK (Key Encryption Key) wrapping key. Before using this operation, you must first request the public key certificate of the ECC key pair generated within Amazon Web Services Payment Cryptography to establish an ECDH key agreement. In TranslateKeyData, the service uses its own ECC key pair, public certificate of receiving ECC key pair, and the key derivation parameters to generate a derived key. The service uses this derived key to unwrap the incoming transaction key received as a TR31WrappedKeyBlock and re-wrap using a user provided KEK to generate an outgoing Tr31WrappedKeyBlock. For more information on establishing ECDH derived keys, see the [Creating keys](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/create-keys.html) in the Amazon Web Services Payment Cryptography User Guide. For information about valid keys for this operation, see [Understanding key attributes](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/keys-validattributes.html) and [Key types for specific data operations](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/crypto-ops-validkeys-ops.html) in the Amazon Web Services Payment Cryptography User Guide. Cross-account use: This operation can't be used across different Amazon Web Services accounts. Related operations: + /// + /// * [CreateKey](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_CreateKey.html) + /// + /// * [GetPublicCertificate](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_GetPublicKeyCertificate.html) + /// + /// * [ImportKey](https://docs.aws.amazon.com/payment-cryptography/latest/APIReference/API_ImportKey.html) + /// + /// - Parameter input: [no documentation found] (Type: `TranslateKeyMaterialInput`) + /// + /// - Returns: [no documentation found] (Type: `TranslateKeyMaterialOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : You do not have sufficient access to perform this action. + /// - `InternalServerException` : The request processing has failed because of an unknown error, exception, or failure. + /// - `ResourceNotFoundException` : The request was denied due to an invalid resource error. + /// - `ThrottlingException` : The request was denied due to request throttling. + /// - `ValidationException` : The request was denied due to an invalid request error. + public func translateKeyMaterial(input: TranslateKeyMaterialInput) async throws -> TranslateKeyMaterialOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "translateKeyMaterial") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "payment-cryptography") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(TranslateKeyMaterialInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: TranslateKeyMaterialInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(TranslateKeyMaterialOutput.httpOutput(from:), TranslateKeyMaterialOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Payment Cryptography Data", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: PaymentCryptographyDataClient.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "PaymentCryptographyData") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "TranslateKeyMaterial") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + /// Performs the `TranslatePinData` operation on the `PaymentCryptographyData` service. /// - /// Translates encrypted PIN block from and to ISO 9564 formats 0,1,3,4. For more information, see [Translate PIN data](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/translate-pin-data.html) in the Amazon Web Services Payment Cryptography User Guide. PIN block translation involves changing a PIN block from one encryption key to another and optionally change its format. PIN block translation occurs entirely within the HSM boundary and PIN data never enters or leaves Amazon Web Services Payment Cryptography in clear text. The encryption key transformation can be from PEK (Pin Encryption Key) to BDK (Base Derivation Key) for DUKPT or from BDK for DUKPT to PEK. Amazon Web Services Payment Cryptography also supports use of dynamic keys and ECDH (Elliptic Curve Diffie-Hellman) based key exchange for this operation. Dynamic keys allow you to pass a PEK as a TR-31 WrappedKeyBlock. They can be used when key material is frequently rotated, such as during every card transaction, and there is need to avoid importing short-lived keys into Amazon Web Services Payment Cryptography. To translate PIN block using dynamic keys, the keyARN is the Key Encryption Key (KEK) of the TR-31 wrapped PEK. The incoming wrapped key shall have a key purpose of P0 with a mode of use of B or D. For more information, see [Using Dynamic Keys](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/use-cases-acquirers-dynamickeys.html) in the Amazon Web Services Payment Cryptography User Guide. Using ECDH key exchange, you can receive cardholder selectable PINs into Amazon Web Services Payment Cryptography. The ECDH derived key protects the incoming PIN block, which is translated to a PEK encrypted PIN block for use within the service. You can also use ECDH for reveal PIN, wherein the service translates the PIN block from PEK to a ECDH derived encryption key. For more information on establishing ECDH derived keys, see the [Generating keys](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/create-keys.html) in the Amazon Web Services Payment Cryptography User Guide. The allowed combinations of PIN block format translations are guided by PCI. It is important to note that not all encrypted PIN block formats (example, format 1) require PAN (Primary Account Number) as input. And as such, PIN block format that requires PAN (example, formats 0,3,4) cannot be translated to a format (format 1) that does not require a PAN for generation. For information about valid keys for this operation, see [Understanding key attributes](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/keys-validattributes.html) and [Key types for specific data operations](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/crypto-ops-validkeys-ops.html) in the Amazon Web Services Payment Cryptography User Guide. Amazon Web Services Payment Cryptography currently supports ISO PIN block 4 translation for PIN block built using legacy PAN length. That is, PAN is the right most 12 digits excluding the check digits. Cross-account use: This operation can't be used across different Amazon Web Services accounts. Related operations: + /// Translates encrypted PIN block from and to ISO 9564 formats 0,1,3,4. For more information, see [Translate PIN data](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/translate-pin-data.html) in the Amazon Web Services Payment Cryptography User Guide. PIN block translation involves changing a PIN block from one encryption key to another and optionally change its format. PIN block translation occurs entirely within the HSM boundary and PIN data never enters or leaves Amazon Web Services Payment Cryptography in clear text. The encryption key transformation can be from PEK (Pin Encryption Key) to BDK (Base Derivation Key) for DUKPT or from BDK for DUKPT to PEK. Amazon Web Services Payment Cryptography also supports use of dynamic keys and ECDH (Elliptic Curve Diffie-Hellman) based key exchange for this operation. Dynamic keys allow you to pass a PEK as a TR-31 WrappedKeyBlock. They can be used when key material is frequently rotated, such as during every card transaction, and there is need to avoid importing short-lived keys into Amazon Web Services Payment Cryptography. To translate PIN block using dynamic keys, the keyARN is the Key Encryption Key (KEK) of the TR-31 wrapped PEK. The incoming wrapped key shall have a key purpose of P0 with a mode of use of B or D. For more information, see [Using Dynamic Keys](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/use-cases-acquirers-dynamickeys.html) in the Amazon Web Services Payment Cryptography User Guide. Using ECDH key exchange, you can receive cardholder selectable PINs into Amazon Web Services Payment Cryptography. The ECDH derived key protects the incoming PIN block, which is translated to a PEK encrypted PIN block for use within the service. You can also use ECDH for reveal PIN, wherein the service translates the PIN block from PEK to a ECDH derived encryption key. For more information on establishing ECDH derived keys, see the [Creating keys](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/create-keys.html) in the Amazon Web Services Payment Cryptography User Guide. The allowed combinations of PIN block format translations are guided by PCI. It is important to note that not all encrypted PIN block formats (example, format 1) require PAN (Primary Account Number) as input. And as such, PIN block format that requires PAN (example, formats 0,3,4) cannot be translated to a format (format 1) that does not require a PAN for generation. For information about valid keys for this operation, see [Understanding key attributes](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/keys-validattributes.html) and [Key types for specific data operations](https://docs.aws.amazon.com/payment-cryptography/latest/userguide/crypto-ops-validkeys-ops.html) in the Amazon Web Services Payment Cryptography User Guide. Amazon Web Services Payment Cryptography currently supports ISO PIN block 4 translation for PIN block built using legacy PAN length. That is, PAN is the right most 12 digits excluding the check digits. Cross-account use: This operation can't be used across different Amazon Web Services accounts. Related operations: /// /// * [GeneratePinData] /// /// * [VerifyPinData] /// - /// - Parameter TranslatePinDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TranslatePinDataInput`) /// - /// - Returns: `TranslatePinDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TranslatePinDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -958,7 +1027,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TranslatePinDataOutput.httpOutput(from:), TranslatePinDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -994,9 +1062,9 @@ extension PaymentCryptographyDataClient { /// /// * [VerifyPinData] /// - /// - Parameter VerifyAuthRequestCryptogramInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifyAuthRequestCryptogramInput`) /// - /// - Returns: `VerifyAuthRequestCryptogramOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyAuthRequestCryptogramOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1035,7 +1103,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyAuthRequestCryptogramOutput.httpOutput(from:), VerifyAuthRequestCryptogramOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1073,9 +1140,9 @@ extension PaymentCryptographyDataClient { /// /// * [VerifyPinData] /// - /// - Parameter VerifyCardValidationDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifyCardValidationDataInput`) /// - /// - Returns: `VerifyCardValidationDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyCardValidationDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1114,7 +1181,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyCardValidationDataOutput.httpOutput(from:), VerifyCardValidationDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1148,9 +1214,9 @@ extension PaymentCryptographyDataClient { /// /// * [GenerateMac] /// - /// - Parameter VerifyMacInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifyMacInput`) /// - /// - Returns: `VerifyMacOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyMacOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1189,7 +1255,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyMacOutput.httpOutput(from:), VerifyMacOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1225,9 +1290,9 @@ extension PaymentCryptographyDataClient { /// /// * [TranslatePinData] /// - /// - Parameter VerifyPinDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifyPinDataInput`) /// - /// - Returns: `VerifyPinDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyPinDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1266,7 +1331,6 @@ extension PaymentCryptographyDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyPinDataOutput.httpOutput(from:), VerifyPinDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPcaConnectorAd/Sources/AWSPcaConnectorAd/PcaConnectorAdClient.swift b/Sources/Services/AWSPcaConnectorAd/Sources/AWSPcaConnectorAd/PcaConnectorAdClient.swift index a9eb4b0ce90..7428dd7ee72 100644 --- a/Sources/Services/AWSPcaConnectorAd/Sources/AWSPcaConnectorAd/PcaConnectorAdClient.swift +++ b/Sources/Services/AWSPcaConnectorAd/Sources/AWSPcaConnectorAd/PcaConnectorAdClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PcaConnectorAdClient: ClientRuntime.Client { public static let clientName = "PcaConnectorAdClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PcaConnectorAdClient.PcaConnectorAdClientConfiguration let serviceName = "Pca Connector Ad" @@ -374,9 +373,9 @@ extension PcaConnectorAdClient { /// /// Creates a connector between Amazon Web Services Private CA and an Active Directory. You must specify the private CA, directory ID, and security groups. /// - /// - Parameter CreateConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectorInput`) /// - /// - Returns: `CreateConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectorOutput.httpOutput(from:), CreateConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension PcaConnectorAdClient { /// /// Creates a directory registration that authorizes communication between Amazon Web Services Private CA and an Active Directory /// - /// - Parameter CreateDirectoryRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDirectoryRegistrationInput`) /// - /// - Returns: `CreateDirectoryRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDirectoryRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDirectoryRegistrationOutput.httpOutput(from:), CreateDirectoryRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension PcaConnectorAdClient { /// /// Creates a service principal name (SPN) for the service account in Active Directory. Kerberos authentication uses SPNs to associate a service instance with a service sign-in account. /// - /// - Parameter CreateServicePrincipalNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServicePrincipalNameInput`) /// - /// - Returns: `CreateServicePrincipalNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServicePrincipalNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServicePrincipalNameOutput.httpOutput(from:), CreateServicePrincipalNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension PcaConnectorAdClient { /// /// Creates an Active Directory compatible certificate template. The connectors issues certificates using these templates based on the requester’s Active Directory group membership. /// - /// - Parameter CreateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTemplateInput`) /// - /// - Returns: `CreateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -640,7 +636,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTemplateOutput.httpOutput(from:), CreateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension PcaConnectorAdClient { /// /// Create a group access control entry. Allow or deny Active Directory groups from enrolling and/or autoenrolling with the template based on the group security identifiers (SIDs). /// - /// - Parameter CreateTemplateGroupAccessControlEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTemplateGroupAccessControlEntryInput`) /// - /// - Returns: `CreateTemplateGroupAccessControlEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTemplateGroupAccessControlEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -715,7 +710,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTemplateGroupAccessControlEntryOutput.httpOutput(from:), CreateTemplateGroupAccessControlEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -747,9 +741,9 @@ extension PcaConnectorAdClient { /// /// Deletes a connector for Active Directory. You must provide the Amazon Resource Name (ARN) of the connector that you want to delete. You can find the ARN by calling the [https://docs.aws.amazon.com/pca-connector-ad/latest/APIReference/API_ListConnectors](https://docs.aws.amazon.com/pca-connector-ad/latest/APIReference/API_ListConnectors) action. Deleting a connector does not deregister your directory with Amazon Web Services Private CA. You can deregister your directory by calling the [https://docs.aws.amazon.com/pca-connector-ad/latest/APIReference/API_DeleteDirectoryRegistration](https://docs.aws.amazon.com/pca-connector-ad/latest/APIReference/API_DeleteDirectoryRegistration) action. /// - /// - Parameter DeleteConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectorInput`) /// - /// - Returns: `DeleteConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -785,7 +779,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectorOutput.httpOutput(from:), DeleteConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -817,9 +810,9 @@ extension PcaConnectorAdClient { /// /// Deletes a directory registration. Deleting a directory registration deauthorizes Amazon Web Services Private CA with the directory. /// - /// - Parameter DeleteDirectoryRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDirectoryRegistrationInput`) /// - /// - Returns: `DeleteDirectoryRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDirectoryRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -854,7 +847,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDirectoryRegistrationOutput.httpOutput(from:), DeleteDirectoryRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -886,9 +878,9 @@ extension PcaConnectorAdClient { /// /// Deletes the service principal name (SPN) used by a connector to authenticate with your Active Directory. /// - /// - Parameter DeleteServicePrincipalNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServicePrincipalNameInput`) /// - /// - Returns: `DeleteServicePrincipalNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServicePrincipalNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -923,7 +915,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServicePrincipalNameOutput.httpOutput(from:), DeleteServicePrincipalNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -955,9 +946,9 @@ extension PcaConnectorAdClient { /// /// Deletes a template. Certificates issued using the template are still valid until they are revoked or expired. /// - /// - Parameter DeleteTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTemplateInput`) /// - /// - Returns: `DeleteTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -993,7 +984,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTemplateOutput.httpOutput(from:), DeleteTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1025,9 +1015,9 @@ extension PcaConnectorAdClient { /// /// Deletes a group access control entry. /// - /// - Parameter DeleteTemplateGroupAccessControlEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTemplateGroupAccessControlEntryInput`) /// - /// - Returns: `DeleteTemplateGroupAccessControlEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTemplateGroupAccessControlEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1063,7 +1053,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTemplateGroupAccessControlEntryOutput.httpOutput(from:), DeleteTemplateGroupAccessControlEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1095,9 +1084,9 @@ extension PcaConnectorAdClient { /// /// Lists information about your connector. You specify the connector on input by its ARN (Amazon Resource Name). /// - /// - Parameter GetConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectorInput`) /// - /// - Returns: `GetConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1132,7 +1121,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectorOutput.httpOutput(from:), GetConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1164,9 +1152,9 @@ extension PcaConnectorAdClient { /// /// A structure that contains information about your directory registration. /// - /// - Parameter GetDirectoryRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDirectoryRegistrationInput`) /// - /// - Returns: `GetDirectoryRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDirectoryRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1201,7 +1189,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDirectoryRegistrationOutput.httpOutput(from:), GetDirectoryRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1233,9 +1220,9 @@ extension PcaConnectorAdClient { /// /// Lists the service principal name that the connector uses to authenticate with Active Directory. /// - /// - Parameter GetServicePrincipalNameInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServicePrincipalNameInput`) /// - /// - Returns: `GetServicePrincipalNameOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServicePrincipalNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1270,7 +1257,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServicePrincipalNameOutput.httpOutput(from:), GetServicePrincipalNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1302,9 +1288,9 @@ extension PcaConnectorAdClient { /// /// Retrieves a certificate template that the connector uses to issue certificates from a private CA. /// - /// - Parameter GetTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemplateInput`) /// - /// - Returns: `GetTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1339,7 +1325,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateOutput.httpOutput(from:), GetTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1371,9 +1356,9 @@ extension PcaConnectorAdClient { /// /// Retrieves the group access control entries for a template. /// - /// - Parameter GetTemplateGroupAccessControlEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemplateGroupAccessControlEntryInput`) /// - /// - Returns: `GetTemplateGroupAccessControlEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemplateGroupAccessControlEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1408,7 +1393,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateGroupAccessControlEntryOutput.httpOutput(from:), GetTemplateGroupAccessControlEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1440,9 +1424,9 @@ extension PcaConnectorAdClient { /// /// Lists the connectors that you created by using the [https://docs.aws.amazon.com/pca-connector-ad/latest/APIReference/API_CreateConnector](https://docs.aws.amazon.com/pca-connector-ad/latest/APIReference/API_CreateConnector) action. /// - /// - Parameter ListConnectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorsInput`) /// - /// - Returns: `ListConnectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1477,7 +1461,6 @@ extension PcaConnectorAdClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorsOutput.httpOutput(from:), ListConnectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1509,9 +1492,9 @@ extension PcaConnectorAdClient { /// /// Lists the directory registrations that you created by using the [https://docs.aws.amazon.com/pca-connector-ad/latest/APIReference/API_CreateDirectoryRegistration](https://docs.aws.amazon.com/pca-connector-ad/latest/APIReference/API_CreateDirectoryRegistration) action. /// - /// - Parameter ListDirectoryRegistrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDirectoryRegistrationsInput`) /// - /// - Returns: `ListDirectoryRegistrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDirectoryRegistrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1546,7 +1529,6 @@ extension PcaConnectorAdClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDirectoryRegistrationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDirectoryRegistrationsOutput.httpOutput(from:), ListDirectoryRegistrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1578,9 +1560,9 @@ extension PcaConnectorAdClient { /// /// Lists the service principal names that the connector uses to authenticate with Active Directory. /// - /// - Parameter ListServicePrincipalNamesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicePrincipalNamesInput`) /// - /// - Returns: `ListServicePrincipalNamesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicePrincipalNamesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1616,7 +1598,6 @@ extension PcaConnectorAdClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServicePrincipalNamesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicePrincipalNamesOutput.httpOutput(from:), ListServicePrincipalNamesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1648,9 +1629,9 @@ extension PcaConnectorAdClient { /// /// Lists the tags, if any, that are associated with your resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1685,7 +1666,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1717,9 +1697,9 @@ extension PcaConnectorAdClient { /// /// Lists group access control entries you created. /// - /// - Parameter ListTemplateGroupAccessControlEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplateGroupAccessControlEntriesInput`) /// - /// - Returns: `ListTemplateGroupAccessControlEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplateGroupAccessControlEntriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1755,7 +1735,6 @@ extension PcaConnectorAdClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplateGroupAccessControlEntriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplateGroupAccessControlEntriesOutput.httpOutput(from:), ListTemplateGroupAccessControlEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1787,9 +1766,9 @@ extension PcaConnectorAdClient { /// /// Lists the templates, if any, that are associated with a connector. /// - /// - Parameter ListTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplatesInput`) /// - /// - Returns: `ListTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1825,7 +1804,6 @@ extension PcaConnectorAdClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplatesOutput.httpOutput(from:), ListTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1857,9 +1835,9 @@ extension PcaConnectorAdClient { /// /// Adds one or more tags to your resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1897,7 +1875,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1929,9 +1906,9 @@ extension PcaConnectorAdClient { /// /// Removes one or more tags from your resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1967,7 +1944,6 @@ extension PcaConnectorAdClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1999,9 +1975,9 @@ extension PcaConnectorAdClient { /// /// Update template configuration to define the information included in certificates. /// - /// - Parameter UpdateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTemplateInput`) /// - /// - Returns: `UpdateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2040,7 +2016,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTemplateOutput.httpOutput(from:), UpdateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2072,9 +2047,9 @@ extension PcaConnectorAdClient { /// /// Update a group access control entry you created using [CreateTemplateGroupAccessControlEntry](https://docs.aws.amazon.com/pca-connector-ad/latest/APIReference/API_CreateTemplateGroupAccessControlEntry.html). /// - /// - Parameter UpdateTemplateGroupAccessControlEntryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTemplateGroupAccessControlEntryInput`) /// - /// - Returns: `UpdateTemplateGroupAccessControlEntryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTemplateGroupAccessControlEntryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2113,7 +2088,6 @@ extension PcaConnectorAdClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTemplateGroupAccessControlEntryOutput.httpOutput(from:), UpdateTemplateGroupAccessControlEntryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPcaConnectorScep/Sources/AWSPcaConnectorScep/PcaConnectorScepClient.swift b/Sources/Services/AWSPcaConnectorScep/Sources/AWSPcaConnectorScep/PcaConnectorScepClient.swift index d4a23653ada..542c9fb248c 100644 --- a/Sources/Services/AWSPcaConnectorScep/Sources/AWSPcaConnectorScep/PcaConnectorScepClient.swift +++ b/Sources/Services/AWSPcaConnectorScep/Sources/AWSPcaConnectorScep/PcaConnectorScepClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PcaConnectorScepClient: ClientRuntime.Client { public static let clientName = "PcaConnectorScepClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PcaConnectorScepClient.PcaConnectorScepClientConfiguration let serviceName = "Pca Connector Scep" @@ -374,9 +373,9 @@ extension PcaConnectorScepClient { /// /// For general-purpose connectors. Creates a challenge password for the specified connector. The SCEP protocol uses a challenge password to authenticate a request before issuing a certificate from a certificate authority (CA). Your SCEP clients include the challenge password as part of their certificate request to Connector for SCEP. To retrieve the connector Amazon Resource Names (ARNs) for the connectors in your account, call [ListConnectors](https://docs.aws.amazon.com/C4SCEP_API/pca-connector-scep/latest/APIReference/API_ListConnectors.html). To create additional challenge passwords for the connector, call CreateChallenge again. We recommend frequently rotating your challenge passwords. /// - /// - Parameter CreateChallengeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChallengeInput`) /// - /// - Returns: `CreateChallengeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChallengeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension PcaConnectorScepClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChallengeOutput.httpOutput(from:), CreateChallengeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension PcaConnectorScepClient { /// /// Creates a SCEP connector. A SCEP connector links Amazon Web Services Private Certificate Authority to your SCEP-compatible devices and mobile device management (MDM) systems. Before you create a connector, you must complete a set of prerequisites, including creation of a private certificate authority (CA) to use with this connector. For more information, see [Connector for SCEP prerequisites](https://docs.aws.amazon.com/privateca/latest/userguide/scep-connector.htmlconnector-for-scep-prerequisites.html). /// - /// - Parameter CreateConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectorInput`) /// - /// - Returns: `CreateConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension PcaConnectorScepClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectorOutput.httpOutput(from:), CreateConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension PcaConnectorScepClient { /// /// Deletes the specified [Challenge](https://docs.aws.amazon.com/C4SCEP_API/pca-connector-scep/latest/APIReference/API_Challenge.html). /// - /// - Parameter DeleteChallengeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChallengeInput`) /// - /// - Returns: `DeleteChallengeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChallengeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension PcaConnectorScepClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChallengeOutput.httpOutput(from:), DeleteChallengeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension PcaConnectorScepClient { /// /// Deletes the specified [Connector](https://docs.aws.amazon.com/C4SCEP_API/pca-connector-scep/latest/APIReference/API_Connector.html). This operation also deletes any challenges associated with the connector. /// - /// - Parameter DeleteConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectorInput`) /// - /// - Returns: `DeleteConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension PcaConnectorScepClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectorOutput.httpOutput(from:), DeleteConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension PcaConnectorScepClient { /// /// Retrieves the metadata for the specified [Challenge](https://docs.aws.amazon.com/C4SCEP_API/pca-connector-scep/latest/APIReference/API_Challenge.html). /// - /// - Parameter GetChallengeMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChallengeMetadataInput`) /// - /// - Returns: `GetChallengeMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChallengeMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -702,7 +697,6 @@ extension PcaConnectorScepClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChallengeMetadataOutput.httpOutput(from:), GetChallengeMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -734,9 +728,9 @@ extension PcaConnectorScepClient { /// /// Retrieves the challenge password for the specified [Challenge](https://docs.aws.amazon.com/C4SCEP_API/pca-connector-scep/latest/APIReference/API_Challenge.html). /// - /// - Parameter GetChallengePasswordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChallengePasswordInput`) /// - /// - Returns: `GetChallengePasswordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChallengePasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension PcaConnectorScepClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChallengePasswordOutput.httpOutput(from:), GetChallengePasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension PcaConnectorScepClient { /// /// Retrieves details about the specified [Connector](https://docs.aws.amazon.com/C4SCEP_API/pca-connector-scep/latest/APIReference/API_Connector.html). Calling this action returns important details about the connector, such as the public SCEP URL where your clients can request certificates. /// - /// - Parameter GetConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectorInput`) /// - /// - Returns: `GetConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension PcaConnectorScepClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectorOutput.httpOutput(from:), GetConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -872,9 +864,9 @@ extension PcaConnectorScepClient { /// /// Retrieves the challenge metadata for the specified ARN. /// - /// - Parameter ListChallengeMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChallengeMetadataInput`) /// - /// - Returns: `ListChallengeMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChallengeMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -910,7 +902,6 @@ extension PcaConnectorScepClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChallengeMetadataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChallengeMetadataOutput.httpOutput(from:), ListChallengeMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -942,9 +933,9 @@ extension PcaConnectorScepClient { /// /// Lists the connectors belonging to your Amazon Web Services account. /// - /// - Parameter ListConnectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorsInput`) /// - /// - Returns: `ListConnectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -979,7 +970,6 @@ extension PcaConnectorScepClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorsOutput.httpOutput(from:), ListConnectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1011,9 +1001,9 @@ extension PcaConnectorScepClient { /// /// Retrieves the tags associated with the specified resource. Tags are key-value pairs that you can use to categorize and manage your resources, for purposes like billing. For example, you might set the tag key to "customer" and the value to the customer name or ID. You can specify one or more tags to add to each Amazon Web Services resource, up to 50 tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1048,7 +1038,6 @@ extension PcaConnectorScepClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1080,9 +1069,9 @@ extension PcaConnectorScepClient { /// /// Adds one or more tags to your resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1120,7 +1109,6 @@ extension PcaConnectorScepClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1152,9 +1140,9 @@ extension PcaConnectorScepClient { /// /// Removes one or more tags from your resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1190,7 +1178,6 @@ extension PcaConnectorScepClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPersonalize/Sources/AWSPersonalize/PersonalizeClient.swift b/Sources/Services/AWSPersonalize/Sources/AWSPersonalize/PersonalizeClient.swift index 76be049e3bd..008f40946fd 100644 --- a/Sources/Services/AWSPersonalize/Sources/AWSPersonalize/PersonalizeClient.swift +++ b/Sources/Services/AWSPersonalize/Sources/AWSPersonalize/PersonalizeClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PersonalizeClient: ClientRuntime.Client { public static let clientName = "PersonalizeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PersonalizeClient.PersonalizeClientConfiguration let serviceName = "Personalize" @@ -373,9 +372,9 @@ extension PersonalizeClient { /// /// Generates batch recommendations based on a list of items or users stored in Amazon S3 and exports the recommendations to an Amazon S3 bucket. To generate batch recommendations, specify the ARN of a solution version and an Amazon S3 URI for the input and output data. For user personalization, popular items, and personalized ranking solutions, the batch inference job generates a list of recommended items for each user ID in the input file. For related items solutions, the job generates a list of recommended items for each item ID in the input file. For more information, see [Creating a batch inference job ](https://docs.aws.amazon.com/personalize/latest/dg/getting-batch-recommendations.html). If you use the Similar-Items recipe, Amazon Personalize can add descriptive themes to batch recommendations. To generate themes, set the job's mode to THEME_GENERATION and specify the name of the field that contains item names in the input data. For more information about generating themes, see [Batch recommendations with themes from Content Generator ](https://docs.aws.amazon.com/personalize/latest/dg/themed-batch-recommendations.html). You can't get batch recommendations with the Trending-Now or Next-Best-Action recipes. /// - /// - Parameter CreateBatchInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBatchInferenceJobInput`) /// - /// - Returns: `CreateBatchInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBatchInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBatchInferenceJobOutput.httpOutput(from:), CreateBatchInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension PersonalizeClient { /// /// Creates a batch segment job. The operation can handle up to 50 million records and the input file must be in JSON format. For more information, see [Getting batch recommendations and user segments](https://docs.aws.amazon.com/personalize/latest/dg/recommendations-batch.html). /// - /// - Parameter CreateBatchSegmentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBatchSegmentJobInput`) /// - /// - Returns: `CreateBatchSegmentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBatchSegmentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBatchSegmentJobOutput.httpOutput(from:), CreateBatchSegmentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -536,9 +533,9 @@ extension PersonalizeClient { /// /// * [DeleteCampaign](https://docs.aws.amazon.com/personalize/latest/dg/API_DeleteCampaign.html) /// - /// - Parameter CreateCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCampaignInput`) /// - /// - Returns: `CreateCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -575,7 +572,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCampaignOutput.httpOutput(from:), CreateCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -626,9 +622,9 @@ extension PersonalizeClient { /// /// * [DescribeDataDeletionJob](https://docs.aws.amazon.com/personalize/latest/dg/API_DescribeDataDeletionJob.html) /// - /// - Parameter CreateDataDeletionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataDeletionJobInput`) /// - /// - Returns: `CreateDataDeletionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataDeletionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -665,7 +661,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataDeletionJobOutput.httpOutput(from:), CreateDataDeletionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +723,9 @@ extension PersonalizeClient { /// /// * [DeleteDataset](https://docs.aws.amazon.com/personalize/latest/dg/API_DeleteDataset.html) /// - /// - Parameter CreateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetInput`) /// - /// - Returns: `CreateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +762,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetOutput.httpOutput(from:), CreateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +801,9 @@ extension PersonalizeClient { /// /// To get the status of the export job, call [DescribeDatasetExportJob](https://docs.aws.amazon.com/personalize/latest/dg/API_DescribeDatasetExportJob.html), and specify the Amazon Resource Name (ARN) of the dataset export job. The dataset export is complete when the status shows as ACTIVE. If the status shows as CREATE FAILED, the response includes a failureReason key, which describes why the job failed. /// - /// - Parameter CreateDatasetExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetExportJobInput`) /// - /// - Returns: `CreateDatasetExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -846,7 +840,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetExportJobOutput.httpOutput(from:), CreateDatasetExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -916,9 +909,9 @@ extension PersonalizeClient { /// /// * [DeleteDatasetGroup](https://docs.aws.amazon.com/personalize/latest/dg/API_DeleteDatasetGroup.html) /// - /// - Parameter CreateDatasetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetGroupInput`) /// - /// - Returns: `CreateDatasetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -953,7 +946,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetGroupOutput.httpOutput(from:), CreateDatasetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -997,9 +989,9 @@ extension PersonalizeClient { /// /// * [DescribeDatasetImportJob](https://docs.aws.amazon.com/personalize/latest/dg/API_DescribeDatasetImportJob.html) /// - /// - Parameter CreateDatasetImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetImportJobInput`) /// - /// - Returns: `CreateDatasetImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1036,7 +1028,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetImportJobOutput.httpOutput(from:), CreateDatasetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1084,9 +1075,9 @@ extension PersonalizeClient { /// /// * [DeleteEventTracker](https://docs.aws.amazon.com/personalize/latest/dg/API_DeleteEventTracker.html) /// - /// - Parameter CreateEventTrackerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventTrackerInput`) /// - /// - Returns: `CreateEventTrackerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventTrackerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1123,7 +1114,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventTrackerOutput.httpOutput(from:), CreateEventTrackerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1158,9 +1148,9 @@ extension PersonalizeClient { /// /// Creates a recommendation filter. For more information, see [Filtering recommendations and user segments](https://docs.aws.amazon.com/personalize/latest/dg/filter.html). /// - /// - Parameter CreateFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFilterInput`) /// - /// - Returns: `CreateFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1196,7 +1186,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFilterOutput.httpOutput(from:), CreateFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1231,9 +1220,9 @@ extension PersonalizeClient { /// /// Creates a metric attribution. A metric attribution creates reports on the data that you import into Amazon Personalize. Depending on how you imported the data, you can view reports in Amazon CloudWatch or Amazon S3. For more information, see [Measuring impact of recommendations](https://docs.aws.amazon.com/personalize/latest/dg/measuring-recommendation-impact.html). /// - /// - Parameter CreateMetricAttributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMetricAttributionInput`) /// - /// - Returns: `CreateMetricAttributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMetricAttributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1269,7 +1258,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMetricAttributionOutput.httpOutput(from:), CreateMetricAttributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1321,9 +1309,9 @@ extension PersonalizeClient { /// /// * [DeleteRecommender](https://docs.aws.amazon.com/personalize/latest/dg/API_DeleteRecommender.html) /// - /// - Parameter CreateRecommenderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRecommenderInput`) /// - /// - Returns: `CreateRecommenderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRecommenderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1360,7 +1348,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRecommenderOutput.httpOutput(from:), CreateRecommenderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1401,9 +1388,9 @@ extension PersonalizeClient { /// /// * [DeleteSchema](https://docs.aws.amazon.com/personalize/latest/dg/API_DeleteSchema.html) /// - /// - Parameter CreateSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSchemaInput`) /// - /// - Returns: `CreateSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1437,7 +1424,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSchemaOutput.httpOutput(from:), CreateSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1482,9 @@ extension PersonalizeClient { /// /// * [DescribeSolutionVersion](https://docs.aws.amazon.com/personalize/latest/dg/API_DescribeSolutionVersion.html) /// - /// - Parameter CreateSolutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSolutionInput`) /// - /// - Returns: `CreateSolutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSolutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1535,7 +1521,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSolutionOutput.httpOutput(from:), CreateSolutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1597,9 +1582,9 @@ extension PersonalizeClient { /// /// * [DeleteSolution](https://docs.aws.amazon.com/personalize/latest/dg/API_DeleteSolution.html) /// - /// - Parameter CreateSolutionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSolutionVersionInput`) /// - /// - Returns: `CreateSolutionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSolutionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1636,7 +1621,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSolutionVersionOutput.httpOutput(from:), CreateSolutionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1671,9 +1655,9 @@ extension PersonalizeClient { /// /// Removes a campaign by deleting the solution deployment. The solution that the campaign is based on is not deleted and can be redeployed when needed. A deleted campaign can no longer be specified in a [GetRecommendations](https://docs.aws.amazon.com/personalize/latest/dg/API_RS_GetRecommendations.html) request. For information on creating campaigns, see [CreateCampaign](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateCampaign.html). /// - /// - Parameter DeleteCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCampaignInput`) /// - /// - Returns: `DeleteCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1707,7 +1691,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCampaignOutput.httpOutput(from:), DeleteCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1742,9 +1725,9 @@ extension PersonalizeClient { /// /// Deletes a dataset. You can't delete a dataset if an associated DatasetImportJob or SolutionVersion is in the CREATE PENDING or IN PROGRESS state. For more information about deleting datasets, see [Deleting a dataset](https://docs.aws.amazon.com/personalize/latest/dg/delete-dataset.html). /// - /// - Parameter DeleteDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetInput`) /// - /// - Returns: `DeleteDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1778,7 +1761,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetOutput.httpOutput(from:), DeleteDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1819,9 +1801,9 @@ extension PersonalizeClient { /// /// * All datasets in the dataset group. /// - /// - Parameter DeleteDatasetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetGroupInput`) /// - /// - Returns: `DeleteDatasetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1855,7 +1837,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetGroupOutput.httpOutput(from:), DeleteDatasetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1890,9 +1871,9 @@ extension PersonalizeClient { /// /// Deletes the event tracker. Does not delete the dataset from the dataset group. For more information on event trackers, see [CreateEventTracker](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateEventTracker.html). /// - /// - Parameter DeleteEventTrackerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventTrackerInput`) /// - /// - Returns: `DeleteEventTrackerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventTrackerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1926,7 +1907,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventTrackerOutput.httpOutput(from:), DeleteEventTrackerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1961,9 +1941,9 @@ extension PersonalizeClient { /// /// Deletes a filter. /// - /// - Parameter DeleteFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFilterInput`) /// - /// - Returns: `DeleteFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1997,7 +1977,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFilterOutput.httpOutput(from:), DeleteFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2032,9 +2011,9 @@ extension PersonalizeClient { /// /// Deletes a metric attribution. /// - /// - Parameter DeleteMetricAttributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMetricAttributionInput`) /// - /// - Returns: `DeleteMetricAttributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMetricAttributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2068,7 +2047,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMetricAttributionOutput.httpOutput(from:), DeleteMetricAttributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2103,9 +2081,9 @@ extension PersonalizeClient { /// /// Deactivates and removes a recommender. A deleted recommender can no longer be specified in a [GetRecommendations](https://docs.aws.amazon.com/personalize/latest/dg/API_RS_GetRecommendations.html) request. /// - /// - Parameter DeleteRecommenderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRecommenderInput`) /// - /// - Returns: `DeleteRecommenderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRecommenderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2139,7 +2117,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRecommenderOutput.httpOutput(from:), DeleteRecommenderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2174,9 +2151,9 @@ extension PersonalizeClient { /// /// Deletes a schema. Before deleting a schema, you must delete all datasets referencing the schema. For more information on schemas, see [CreateSchema](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateSchema.html). /// - /// - Parameter DeleteSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSchemaInput`) /// - /// - Returns: `DeleteSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2210,7 +2187,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSchemaOutput.httpOutput(from:), DeleteSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2245,9 +2221,9 @@ extension PersonalizeClient { /// /// Deletes all versions of a solution and the Solution object itself. Before deleting a solution, you must delete all campaigns based on the solution. To determine what campaigns are using the solution, call [ListCampaigns](https://docs.aws.amazon.com/personalize/latest/dg/API_ListCampaigns.html) and supply the Amazon Resource Name (ARN) of the solution. You can't delete a solution if an associated SolutionVersion is in the CREATE PENDING or IN PROGRESS state. For more information on solutions, see [CreateSolution](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateSolution.html). /// - /// - Parameter DeleteSolutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSolutionInput`) /// - /// - Returns: `DeleteSolutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSolutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2281,7 +2257,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSolutionOutput.httpOutput(from:), DeleteSolutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2316,9 +2291,9 @@ extension PersonalizeClient { /// /// Describes the given algorithm. /// - /// - Parameter DescribeAlgorithmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAlgorithmInput`) /// - /// - Returns: `DescribeAlgorithmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAlgorithmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2351,7 +2326,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAlgorithmOutput.httpOutput(from:), DescribeAlgorithmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2386,9 +2360,9 @@ extension PersonalizeClient { /// /// Gets the properties of a batch inference job including name, Amazon Resource Name (ARN), status, input and output configurations, and the ARN of the solution version used to generate the recommendations. /// - /// - Parameter DescribeBatchInferenceJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBatchInferenceJobInput`) /// - /// - Returns: `DescribeBatchInferenceJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBatchInferenceJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2421,7 +2395,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBatchInferenceJobOutput.httpOutput(from:), DescribeBatchInferenceJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2456,9 +2429,9 @@ extension PersonalizeClient { /// /// Gets the properties of a batch segment job including name, Amazon Resource Name (ARN), status, input and output configurations, and the ARN of the solution version used to generate segments. /// - /// - Parameter DescribeBatchSegmentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBatchSegmentJobInput`) /// - /// - Returns: `DescribeBatchSegmentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBatchSegmentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2491,7 +2464,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBatchSegmentJobOutput.httpOutput(from:), DescribeBatchSegmentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2533,9 +2505,9 @@ extension PersonalizeClient { /// /// When the status is CREATE FAILED, the response includes the failureReason key, which describes why. For more information on campaigns, see [CreateCampaign](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateCampaign.html). /// - /// - Parameter DescribeCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCampaignInput`) /// - /// - Returns: `DescribeCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2568,7 +2540,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCampaignOutput.httpOutput(from:), DescribeCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2603,9 +2574,9 @@ extension PersonalizeClient { /// /// Describes the data deletion job created by [CreateDataDeletionJob](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDataDeletionJob.html), including the job status. /// - /// - Parameter DescribeDataDeletionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataDeletionJobInput`) /// - /// - Returns: `DescribeDataDeletionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataDeletionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2638,7 +2609,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataDeletionJobOutput.httpOutput(from:), DescribeDataDeletionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2673,9 +2643,9 @@ extension PersonalizeClient { /// /// Describes the given dataset. For more information on datasets, see [CreateDataset](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDataset.html). /// - /// - Parameter DescribeDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetInput`) /// - /// - Returns: `DescribeDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2708,7 +2678,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetOutput.httpOutput(from:), DescribeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2743,9 +2712,9 @@ extension PersonalizeClient { /// /// Describes the dataset export job created by [CreateDatasetExportJob](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDatasetExportJob.html), including the export job status. /// - /// - Parameter DescribeDatasetExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetExportJobInput`) /// - /// - Returns: `DescribeDatasetExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2778,7 +2747,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetExportJobOutput.httpOutput(from:), DescribeDatasetExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2813,9 +2781,9 @@ extension PersonalizeClient { /// /// Describes the given dataset group. For more information on dataset groups, see [CreateDatasetGroup](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDatasetGroup.html). /// - /// - Parameter DescribeDatasetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetGroupInput`) /// - /// - Returns: `DescribeDatasetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2848,7 +2816,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetGroupOutput.httpOutput(from:), DescribeDatasetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2883,9 +2850,9 @@ extension PersonalizeClient { /// /// Describes the dataset import job created by [CreateDatasetImportJob](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDatasetImportJob.html), including the import job status. /// - /// - Parameter DescribeDatasetImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetImportJobInput`) /// - /// - Returns: `DescribeDatasetImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2918,7 +2885,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetImportJobOutput.httpOutput(from:), DescribeDatasetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2953,9 +2919,9 @@ extension PersonalizeClient { /// /// Describes an event tracker. The response includes the trackingId and status of the event tracker. For more information on event trackers, see [CreateEventTracker](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateEventTracker.html). /// - /// - Parameter DescribeEventTrackerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEventTrackerInput`) /// - /// - Returns: `DescribeEventTrackerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEventTrackerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2988,7 +2954,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventTrackerOutput.httpOutput(from:), DescribeEventTrackerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3023,9 +2988,9 @@ extension PersonalizeClient { /// /// Describes the given feature transformation. /// - /// - Parameter DescribeFeatureTransformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFeatureTransformationInput`) /// - /// - Returns: `DescribeFeatureTransformationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFeatureTransformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3058,7 +3023,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFeatureTransformationOutput.httpOutput(from:), DescribeFeatureTransformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3093,9 +3057,9 @@ extension PersonalizeClient { /// /// Describes a filter's properties. /// - /// - Parameter DescribeFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFilterInput`) /// - /// - Returns: `DescribeFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3128,7 +3092,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFilterOutput.httpOutput(from:), DescribeFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3163,9 +3126,9 @@ extension PersonalizeClient { /// /// Describes a metric attribution. /// - /// - Parameter DescribeMetricAttributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMetricAttributionInput`) /// - /// - Returns: `DescribeMetricAttributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMetricAttributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3198,7 +3161,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMetricAttributionOutput.httpOutput(from:), DescribeMetricAttributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3242,9 +3204,9 @@ extension PersonalizeClient { /// /// Amazon Personalize provides a set of predefined recipes. You specify a recipe when you create a solution with the [CreateSolution](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateSolution.html) API. CreateSolution trains a model by using the algorithm in the specified recipe and a training dataset. The solution, when deployed as a campaign, can provide recommendations using the [GetRecommendations](https://docs.aws.amazon.com/personalize/latest/dg/API_RS_GetRecommendations.html) API. /// - /// - Parameter DescribeRecipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecipeInput`) /// - /// - Returns: `DescribeRecipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3277,7 +3239,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecipeOutput.httpOutput(from:), DescribeRecipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3321,9 +3282,9 @@ extension PersonalizeClient { /// /// When the status is CREATE FAILED, the response includes the failureReason key, which describes why. The modelMetrics key is null when the recommender is being created or deleted. For more information on recommenders, see [CreateRecommender](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateRecommender.html). /// - /// - Parameter DescribeRecommenderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecommenderInput`) /// - /// - Returns: `DescribeRecommenderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecommenderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3356,7 +3317,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecommenderOutput.httpOutput(from:), DescribeRecommenderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3391,9 +3351,9 @@ extension PersonalizeClient { /// /// Describes a schema. For more information on schemas, see [CreateSchema](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateSchema.html). /// - /// - Parameter DescribeSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSchemaInput`) /// - /// - Returns: `DescribeSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3426,7 +3386,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSchemaOutput.httpOutput(from:), DescribeSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3461,9 +3420,9 @@ extension PersonalizeClient { /// /// Describes a solution. For more information on solutions, see [CreateSolution](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateSolution.html). /// - /// - Parameter DescribeSolutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSolutionInput`) /// - /// - Returns: `DescribeSolutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSolutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3496,7 +3455,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSolutionOutput.httpOutput(from:), DescribeSolutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3531,9 +3489,9 @@ extension PersonalizeClient { /// /// Describes a specific version of a solution. For more information on solutions, see [CreateSolution](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateSolution.html) /// - /// - Parameter DescribeSolutionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSolutionVersionInput`) /// - /// - Returns: `DescribeSolutionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSolutionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3566,7 +3524,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSolutionVersionOutput.httpOutput(from:), DescribeSolutionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3601,9 +3558,9 @@ extension PersonalizeClient { /// /// Gets the metrics for the specified solution version. /// - /// - Parameter GetSolutionMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSolutionMetricsInput`) /// - /// - Returns: `GetSolutionMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSolutionMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3637,7 +3594,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSolutionMetricsOutput.httpOutput(from:), GetSolutionMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3672,9 +3628,9 @@ extension PersonalizeClient { /// /// Gets a list of the batch inference jobs that have been performed off of a solution version. /// - /// - Parameter ListBatchInferenceJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBatchInferenceJobsInput`) /// - /// - Returns: `ListBatchInferenceJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBatchInferenceJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3707,7 +3663,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBatchInferenceJobsOutput.httpOutput(from:), ListBatchInferenceJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3742,9 +3697,9 @@ extension PersonalizeClient { /// /// Gets a list of the batch segment jobs that have been performed off of a solution version that you specify. /// - /// - Parameter ListBatchSegmentJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBatchSegmentJobsInput`) /// - /// - Returns: `ListBatchSegmentJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBatchSegmentJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3777,7 +3732,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBatchSegmentJobsOutput.httpOutput(from:), ListBatchSegmentJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3812,9 +3766,9 @@ extension PersonalizeClient { /// /// Returns a list of campaigns that use the given solution. When a solution is not specified, all the campaigns associated with the account are listed. The response provides the properties for each campaign, including the Amazon Resource Name (ARN). For more information on campaigns, see [CreateCampaign](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateCampaign.html). /// - /// - Parameter ListCampaignsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCampaignsInput`) /// - /// - Returns: `ListCampaignsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCampaignsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3847,7 +3801,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCampaignsOutput.httpOutput(from:), ListCampaignsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3882,9 +3835,9 @@ extension PersonalizeClient { /// /// Returns a list of data deletion jobs for a dataset group ordered by creation time, with the most recent first. When a dataset group is not specified, all the data deletion jobs associated with the account are listed. The response provides the properties for each job, including the Amazon Resource Name (ARN). For more information on data deletion jobs, see [Deleting users](https://docs.aws.amazon.com/personalize/latest/dg/delete-records.html). /// - /// - Parameter ListDataDeletionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataDeletionJobsInput`) /// - /// - Returns: `ListDataDeletionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataDeletionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3917,7 +3870,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataDeletionJobsOutput.httpOutput(from:), ListDataDeletionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3952,9 +3904,9 @@ extension PersonalizeClient { /// /// Returns a list of dataset export jobs that use the given dataset. When a dataset is not specified, all the dataset export jobs associated with the account are listed. The response provides the properties for each dataset export job, including the Amazon Resource Name (ARN). For more information on dataset export jobs, see [CreateDatasetExportJob](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDatasetExportJob.html). For more information on datasets, see [CreateDataset](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDataset.html). /// - /// - Parameter ListDatasetExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetExportJobsInput`) /// - /// - Returns: `ListDatasetExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3987,7 +3939,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetExportJobsOutput.httpOutput(from:), ListDatasetExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4022,9 +3973,9 @@ extension PersonalizeClient { /// /// Returns a list of dataset groups. The response provides the properties for each dataset group, including the Amazon Resource Name (ARN). For more information on dataset groups, see [CreateDatasetGroup](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDatasetGroup.html). /// - /// - Parameter ListDatasetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetGroupsInput`) /// - /// - Returns: `ListDatasetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4056,7 +4007,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetGroupsOutput.httpOutput(from:), ListDatasetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4091,9 +4041,9 @@ extension PersonalizeClient { /// /// Returns a list of dataset import jobs that use the given dataset. When a dataset is not specified, all the dataset import jobs associated with the account are listed. The response provides the properties for each dataset import job, including the Amazon Resource Name (ARN). For more information on dataset import jobs, see [CreateDatasetImportJob](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDatasetImportJob.html). For more information on datasets, see [CreateDataset](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDataset.html). /// - /// - Parameter ListDatasetImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetImportJobsInput`) /// - /// - Returns: `ListDatasetImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4126,7 +4076,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetImportJobsOutput.httpOutput(from:), ListDatasetImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4161,9 +4110,9 @@ extension PersonalizeClient { /// /// Returns the list of datasets contained in the given dataset group. The response provides the properties for each dataset, including the Amazon Resource Name (ARN). For more information on datasets, see [CreateDataset](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateDataset.html). /// - /// - Parameter ListDatasetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetsInput`) /// - /// - Returns: `ListDatasetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4196,7 +4145,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetsOutput.httpOutput(from:), ListDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4231,9 +4179,9 @@ extension PersonalizeClient { /// /// Returns the list of event trackers associated with the account. The response provides the properties for each event tracker, including the Amazon Resource Name (ARN) and tracking ID. For more information on event trackers, see [CreateEventTracker](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateEventTracker.html). /// - /// - Parameter ListEventTrackersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEventTrackersInput`) /// - /// - Returns: `ListEventTrackersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEventTrackersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4266,7 +4214,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEventTrackersOutput.httpOutput(from:), ListEventTrackersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4301,9 +4248,9 @@ extension PersonalizeClient { /// /// Lists all filters that belong to a given dataset group. /// - /// - Parameter ListFiltersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFiltersInput`) /// - /// - Returns: `ListFiltersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFiltersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4336,7 +4283,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFiltersOutput.httpOutput(from:), ListFiltersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4371,9 +4317,9 @@ extension PersonalizeClient { /// /// Lists the metrics for the metric attribution. /// - /// - Parameter ListMetricAttributionMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMetricAttributionMetricsInput`) /// - /// - Returns: `ListMetricAttributionMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMetricAttributionMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4406,7 +4352,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMetricAttributionMetricsOutput.httpOutput(from:), ListMetricAttributionMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4441,9 +4386,9 @@ extension PersonalizeClient { /// /// Lists metric attributions. /// - /// - Parameter ListMetricAttributionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMetricAttributionsInput`) /// - /// - Returns: `ListMetricAttributionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMetricAttributionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4476,7 +4421,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMetricAttributionsOutput.httpOutput(from:), ListMetricAttributionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4511,9 +4455,9 @@ extension PersonalizeClient { /// /// Returns a list of available recipes. The response provides the properties for each recipe, including the recipe's Amazon Resource Name (ARN). /// - /// - Parameter ListRecipesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecipesInput`) /// - /// - Returns: `ListRecipesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecipesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4546,7 +4490,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecipesOutput.httpOutput(from:), ListRecipesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4581,9 +4524,9 @@ extension PersonalizeClient { /// /// Returns a list of recommenders in a given Domain dataset group. When a Domain dataset group is not specified, all the recommenders associated with the account are listed. The response provides the properties for each recommender, including the Amazon Resource Name (ARN). For more information on recommenders, see [CreateRecommender](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateRecommender.html). /// - /// - Parameter ListRecommendersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendersInput`) /// - /// - Returns: `ListRecommendersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4616,7 +4559,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendersOutput.httpOutput(from:), ListRecommendersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4651,9 +4593,9 @@ extension PersonalizeClient { /// /// Returns the list of schemas associated with the account. The response provides the properties for each schema, including the Amazon Resource Name (ARN). For more information on schemas, see [CreateSchema](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateSchema.html). /// - /// - Parameter ListSchemasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchemasInput`) /// - /// - Returns: `ListSchemasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchemasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4685,7 +4627,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchemasOutput.httpOutput(from:), ListSchemasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4720,9 +4661,9 @@ extension PersonalizeClient { /// /// Returns a list of solution versions for the given solution. When a solution is not specified, all the solution versions associated with the account are listed. The response provides the properties for each solution version, including the Amazon Resource Name (ARN). /// - /// - Parameter ListSolutionVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSolutionVersionsInput`) /// - /// - Returns: `ListSolutionVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSolutionVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4756,7 +4697,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSolutionVersionsOutput.httpOutput(from:), ListSolutionVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4791,9 +4731,9 @@ extension PersonalizeClient { /// /// Returns a list of solutions in a given dataset group. When a dataset group is not specified, all the solutions associated with the account are listed. The response provides the properties for each solution, including the Amazon Resource Name (ARN). For more information on solutions, see [CreateSolution](https://docs.aws.amazon.com/personalize/latest/dg/API_CreateSolution.html). /// - /// - Parameter ListSolutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSolutionsInput`) /// - /// - Returns: `ListSolutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSolutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4826,7 +4766,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSolutionsOutput.httpOutput(from:), ListSolutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4861,9 +4800,9 @@ extension PersonalizeClient { /// /// Get a list of [tags](https://docs.aws.amazon.com/personalize/latest/dg/tagging-resources.html) attached to a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4897,7 +4836,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4932,9 +4870,9 @@ extension PersonalizeClient { /// /// Starts a recommender that is INACTIVE. Starting a recommender does not create any new models, but resumes billing and automatic retraining for the recommender. /// - /// - Parameter StartRecommenderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRecommenderInput`) /// - /// - Returns: `StartRecommenderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRecommenderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4968,7 +4906,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRecommenderOutput.httpOutput(from:), StartRecommenderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5003,9 +4940,9 @@ extension PersonalizeClient { /// /// Stops a recommender that is ACTIVE. Stopping a recommender halts billing and automatic retraining for the recommender. /// - /// - Parameter StopRecommenderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopRecommenderInput`) /// - /// - Returns: `StopRecommenderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopRecommenderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5039,7 +4976,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopRecommenderOutput.httpOutput(from:), StopRecommenderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5081,9 +5017,9 @@ extension PersonalizeClient { /// /// You are billed for all of the training completed up until you stop the solution version creation. You cannot resume creating a solution version once it has been stopped. /// - /// - Parameter StopSolutionVersionCreationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSolutionVersionCreationInput`) /// - /// - Returns: `StopSolutionVersionCreationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSolutionVersionCreationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5117,7 +5053,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSolutionVersionCreationOutput.httpOutput(from:), StopSolutionVersionCreationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5152,9 +5087,9 @@ extension PersonalizeClient { /// /// Add a list of tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5190,7 +5125,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5225,9 +5159,9 @@ extension PersonalizeClient { /// /// Removes the specified tags that are attached to a resource. For more information, see [Removing tags from Amazon Personalize resources](https://docs.aws.amazon.com/personalize/latest/dg/tags-remove.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5262,7 +5196,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5304,9 +5237,9 @@ extension PersonalizeClient { /// /// To update a campaign, the campaign status must be ACTIVE or CREATE FAILED. Check the campaign status using the [DescribeCampaign](https://docs.aws.amazon.com/personalize/latest/dg/API_DescribeCampaign.html) operation. You can still get recommendations from a campaign while an update is in progress. The campaign will use the previous solution version and campaign configuration to generate recommendations until the latest campaign update status is Active. For more information about updating a campaign, including code samples, see [Updating a campaign](https://docs.aws.amazon.com/personalize/latest/dg/update-campaigns.html). For more information about campaigns, see [Creating a campaign](https://docs.aws.amazon.com/personalize/latest/dg/campaigns.html). /// - /// - Parameter UpdateCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCampaignInput`) /// - /// - Returns: `UpdateCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5340,7 +5273,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignOutput.httpOutput(from:), UpdateCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5375,9 +5307,9 @@ extension PersonalizeClient { /// /// Update a dataset to replace its schema with a new or existing one. For more information, see [Replacing a dataset's schema](https://docs.aws.amazon.com/personalize/latest/dg/updating-dataset-schema.html). /// - /// - Parameter UpdateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatasetInput`) /// - /// - Returns: `UpdateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5411,7 +5343,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatasetOutput.httpOutput(from:), UpdateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5446,9 +5377,9 @@ extension PersonalizeClient { /// /// Updates a metric attribution. /// - /// - Parameter UpdateMetricAttributionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMetricAttributionInput`) /// - /// - Returns: `UpdateMetricAttributionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMetricAttributionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5483,7 +5414,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMetricAttributionOutput.httpOutput(from:), UpdateMetricAttributionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5518,9 +5448,9 @@ extension PersonalizeClient { /// /// Updates the recommender to modify the recommender configuration. If you update the recommender to modify the columns used in training, Amazon Personalize automatically starts a full retraining of the models backing your recommender. While the update completes, you can still get recommendations from the recommender. The recommender uses the previous configuration until the update completes. To track the status of this update, use the latestRecommenderUpdate returned in the [DescribeRecommender](https://docs.aws.amazon.com/personalize/latest/dg/API_DescribeRecommender.html) operation. /// - /// - Parameter UpdateRecommenderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRecommenderInput`) /// - /// - Returns: `UpdateRecommenderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRecommenderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5554,7 +5484,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRecommenderOutput.httpOutput(from:), UpdateRecommenderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5589,9 +5518,9 @@ extension PersonalizeClient { /// /// Updates an Amazon Personalize solution to use a different automatic training configuration. When you update a solution, you can change whether the solution uses automatic training, and you can change the training frequency. For more information about updating a solution, see [Updating a solution](https://docs.aws.amazon.com/personalize/latest/dg/updating-solution.html). A solution update can be in one of the following states: CREATE PENDING > CREATE IN_PROGRESS > ACTIVE -or- CREATE FAILED To get the status of a solution update, call the [DescribeSolution](https://docs.aws.amazon.com/personalize/latest/dg/API_DescribeSolution.html) API operation and find the status in the latestSolutionUpdate. /// - /// - Parameter UpdateSolutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSolutionInput`) /// - /// - Returns: `UpdateSolutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSolutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5626,7 +5555,6 @@ extension PersonalizeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSolutionOutput.httpOutput(from:), UpdateSolutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPersonalizeEvents/Sources/AWSPersonalizeEvents/PersonalizeEventsClient.swift b/Sources/Services/AWSPersonalizeEvents/Sources/AWSPersonalizeEvents/PersonalizeEventsClient.swift index 9bc0143315f..af0ad15ac7d 100644 --- a/Sources/Services/AWSPersonalizeEvents/Sources/AWSPersonalizeEvents/PersonalizeEventsClient.swift +++ b/Sources/Services/AWSPersonalizeEvents/Sources/AWSPersonalizeEvents/PersonalizeEventsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PersonalizeEventsClient: ClientRuntime.Client { public static let clientName = "PersonalizeEventsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PersonalizeEventsClient.PersonalizeEventsClientConfiguration let serviceName = "Personalize Events" @@ -372,9 +371,9 @@ extension PersonalizeEventsClient { /// /// Records action interaction event data. An action interaction event is an interaction between a user and an action. For example, a user taking an action, such a enrolling in a membership program or downloading your app. For more information about recording action interactions, see [Recording action interaction events](https://docs.aws.amazon.com/personalize/latest/dg/recording-action-interaction-events.html). For more information about actions in an Actions dataset, see [Actions dataset](https://docs.aws.amazon.com/personalize/latest/dg/actions-datasets.html). /// - /// - Parameter PutActionInteractionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutActionInteractionsInput`) /// - /// - Returns: `PutActionInteractionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutActionInteractionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension PersonalizeEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutActionInteractionsOutput.httpOutput(from:), PutActionInteractionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension PersonalizeEventsClient { /// /// Adds one or more actions to an Actions dataset. For more information see [Importing actions individually](https://docs.aws.amazon.com/personalize/latest/dg/importing-actions.html). /// - /// - Parameter PutActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutActionsInput`) /// - /// - Returns: `PutActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension PersonalizeEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutActionsOutput.httpOutput(from:), PutActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension PersonalizeEventsClient { /// /// Records item interaction event data. For more information see [Recording item interaction events](https://docs.aws.amazon.com/personalize/latest/dg/recording-item-interaction-events.html). /// - /// - Parameter PutEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEventsInput`) /// - /// - Returns: `PutEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -548,7 +545,6 @@ extension PersonalizeEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEventsOutput.httpOutput(from:), PutEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -580,9 +576,9 @@ extension PersonalizeEventsClient { /// /// Adds one or more items to an Items dataset. For more information see [Importing items individually](https://docs.aws.amazon.com/personalize/latest/dg/importing-items.html). /// - /// - Parameter PutItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutItemsInput`) /// - /// - Returns: `PutItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -618,7 +614,6 @@ extension PersonalizeEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutItemsOutput.httpOutput(from:), PutItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -650,9 +645,9 @@ extension PersonalizeEventsClient { /// /// Adds one or more users to a Users dataset. For more information see [Importing users individually](https://docs.aws.amazon.com/personalize/latest/dg/importing-users.html). /// - /// - Parameter PutUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutUsersInput`) /// - /// - Returns: `PutUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -688,7 +683,6 @@ extension PersonalizeEventsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutUsersOutput.httpOutput(from:), PutUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPersonalizeRuntime/Sources/AWSPersonalizeRuntime/PersonalizeRuntimeClient.swift b/Sources/Services/AWSPersonalizeRuntime/Sources/AWSPersonalizeRuntime/PersonalizeRuntimeClient.swift index 8826aca6523..8d009add495 100644 --- a/Sources/Services/AWSPersonalizeRuntime/Sources/AWSPersonalizeRuntime/PersonalizeRuntimeClient.swift +++ b/Sources/Services/AWSPersonalizeRuntime/Sources/AWSPersonalizeRuntime/PersonalizeRuntimeClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PersonalizeRuntimeClient: ClientRuntime.Client { public static let clientName = "PersonalizeRuntimeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PersonalizeRuntimeClient.PersonalizeRuntimeClientConfiguration let serviceName = "Personalize Runtime" @@ -372,9 +371,9 @@ extension PersonalizeRuntimeClient { /// /// Returns a list of recommended actions in sorted in descending order by prediction score. Use the GetActionRecommendations API if you have a custom campaign that deploys a solution version trained with a PERSONALIZED_ACTIONS recipe. For more information about PERSONALIZED_ACTIONS recipes, see [PERSONALIZED_ACTIONS recipes](https://docs.aws.amazon.com/personalize/latest/dg/nexts-best-action-recipes.html). For more information about getting action recommendations, see [Getting action recommendations](https://docs.aws.amazon.com/personalize/latest/dg/get-action-recommendations.html). /// - /// - Parameter GetActionRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetActionRecommendationsInput`) /// - /// - Returns: `GetActionRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetActionRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension PersonalizeRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetActionRecommendationsOutput.httpOutput(from:), GetActionRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -441,9 +439,9 @@ extension PersonalizeRuntimeClient { /// /// Re-ranks a list of recommended items for the given user. The first item in the list is deemed the most likely item to be of interest to the user. The solution backing the campaign must have been created using a recipe of type PERSONALIZED_RANKING. /// - /// - Parameter GetPersonalizedRankingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPersonalizedRankingInput`) /// - /// - Returns: `GetPersonalizedRankingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPersonalizedRankingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension PersonalizeRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPersonalizedRankingOutput.httpOutput(from:), GetPersonalizedRankingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension PersonalizeRuntimeClient { /// /// Campaigns that are backed by a solution created using a recipe of type PERSONALIZED_RANKING use the API. For recommenders, the recommender's ARN is required and the required item and user input depends on the use case (domain-based recipe) backing the recommender. For information on use case requirements see [Choosing recommender use cases](https://docs.aws.amazon.com/personalize/latest/dg/domain-use-cases.html). /// - /// - Parameter GetRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecommendationsInput`) /// - /// - Returns: `GetRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension PersonalizeRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommendationsOutput.httpOutput(from:), GetRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPinpoint/Sources/AWSPinpoint/PinpointClient.swift b/Sources/Services/AWSPinpoint/Sources/AWSPinpoint/PinpointClient.swift index 2fe4b73a4d1..a9df491aa7d 100644 --- a/Sources/Services/AWSPinpoint/Sources/AWSPinpoint/PinpointClient.swift +++ b/Sources/Services/AWSPinpoint/Sources/AWSPinpoint/PinpointClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PinpointClient: ClientRuntime.Client { public static let clientName = "PinpointClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PinpointClient.PinpointClientConfiguration let serviceName = "Pinpoint" @@ -374,9 +373,9 @@ extension PinpointClient { /// /// Creates an application. /// - /// - Parameter CreateAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppInput`) /// - /// - Returns: `CreateAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppOutput.httpOutput(from:), CreateAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension PinpointClient { /// /// Creates a new campaign for an application or updates the settings of an existing campaign for an application. /// - /// - Parameter CreateCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCampaignInput`) /// - /// - Returns: `CreateCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCampaignOutput.httpOutput(from:), CreateCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension PinpointClient { /// /// Creates a message template for messages that are sent through the email channel. /// - /// - Parameter CreateEmailTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEmailTemplateInput`) /// - /// - Returns: `CreateEmailTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEmailTemplateOutput.httpOutput(from:), CreateEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension PinpointClient { /// /// Creates an export job for an application. /// - /// - Parameter CreateExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExportJobInput`) /// - /// - Returns: `CreateExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -636,7 +632,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExportJobOutput.httpOutput(from:), CreateExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -668,9 +663,9 @@ extension PinpointClient { /// /// Creates an import job for an application. /// - /// - Parameter CreateImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImportJobInput`) /// - /// - Returns: `CreateImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -710,7 +705,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImportJobOutput.httpOutput(from:), CreateImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -742,9 +736,9 @@ extension PinpointClient { /// /// Creates a new message template for messages using the in-app message channel. /// - /// - Parameter CreateInAppTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInAppTemplateInput`) /// - /// - Returns: `CreateInAppTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInAppTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -782,7 +776,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInAppTemplateOutput.httpOutput(from:), CreateInAppTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -814,9 +807,9 @@ extension PinpointClient { /// /// Creates a journey for an application. /// - /// - Parameter CreateJourneyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJourneyInput`) /// - /// - Returns: `CreateJourneyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJourneyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -856,7 +849,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJourneyOutput.httpOutput(from:), CreateJourneyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -888,9 +880,9 @@ extension PinpointClient { /// /// Creates a message template for messages that are sent through a push notification channel. /// - /// - Parameter CreatePushTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePushTemplateInput`) /// - /// - Returns: `CreatePushTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePushTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -928,7 +920,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePushTemplateOutput.httpOutput(from:), CreatePushTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -960,9 +951,9 @@ extension PinpointClient { /// /// Creates an Amazon Pinpoint configuration for a recommender model. /// - /// - Parameter CreateRecommenderConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRecommenderConfigurationInput`) /// - /// - Returns: `CreateRecommenderConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRecommenderConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1002,7 +993,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRecommenderConfigurationOutput.httpOutput(from:), CreateRecommenderConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1034,9 +1024,9 @@ extension PinpointClient { /// /// Creates a new segment for an application or updates the configuration, dimension, and other settings for an existing segment that's associated with an application. /// - /// - Parameter CreateSegmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSegmentInput`) /// - /// - Returns: `CreateSegmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSegmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1076,7 +1066,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSegmentOutput.httpOutput(from:), CreateSegmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1108,9 +1097,9 @@ extension PinpointClient { /// /// Creates a message template for messages that are sent through the SMS channel. /// - /// - Parameter CreateSmsTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSmsTemplateInput`) /// - /// - Returns: `CreateSmsTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSmsTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1148,7 +1137,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSmsTemplateOutput.httpOutput(from:), CreateSmsTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1180,9 +1168,9 @@ extension PinpointClient { /// /// Creates a message template for messages that are sent through the voice channel. /// - /// - Parameter CreateVoiceTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVoiceTemplateInput`) /// - /// - Returns: `CreateVoiceTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVoiceTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1220,7 +1208,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVoiceTemplateOutput.httpOutput(from:), CreateVoiceTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1252,9 +1239,9 @@ extension PinpointClient { /// /// Disables the ADM channel for an application and deletes any existing settings for the channel. /// - /// - Parameter DeleteAdmChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAdmChannelInput`) /// - /// - Returns: `DeleteAdmChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAdmChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1291,7 +1278,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAdmChannelOutput.httpOutput(from:), DeleteAdmChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1323,9 +1309,9 @@ extension PinpointClient { /// /// Disables the APNs channel for an application and deletes any existing settings for the channel. /// - /// - Parameter DeleteApnsChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApnsChannelInput`) /// - /// - Returns: `DeleteApnsChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApnsChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1362,7 +1348,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApnsChannelOutput.httpOutput(from:), DeleteApnsChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1394,9 +1379,9 @@ extension PinpointClient { /// /// Disables the APNs sandbox channel for an application and deletes any existing settings for the channel. /// - /// - Parameter DeleteApnsSandboxChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApnsSandboxChannelInput`) /// - /// - Returns: `DeleteApnsSandboxChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApnsSandboxChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1433,7 +1418,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApnsSandboxChannelOutput.httpOutput(from:), DeleteApnsSandboxChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1465,9 +1449,9 @@ extension PinpointClient { /// /// Disables the APNs VoIP channel for an application and deletes any existing settings for the channel. /// - /// - Parameter DeleteApnsVoipChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApnsVoipChannelInput`) /// - /// - Returns: `DeleteApnsVoipChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApnsVoipChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1504,7 +1488,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApnsVoipChannelOutput.httpOutput(from:), DeleteApnsVoipChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1536,9 +1519,9 @@ extension PinpointClient { /// /// Disables the APNs VoIP sandbox channel for an application and deletes any existing settings for the channel. /// - /// - Parameter DeleteApnsVoipSandboxChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApnsVoipSandboxChannelInput`) /// - /// - Returns: `DeleteApnsVoipSandboxChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApnsVoipSandboxChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1575,7 +1558,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApnsVoipSandboxChannelOutput.httpOutput(from:), DeleteApnsVoipSandboxChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1607,9 +1589,9 @@ extension PinpointClient { /// /// Deletes an application. /// - /// - Parameter DeleteAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppInput`) /// - /// - Returns: `DeleteAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1646,7 +1628,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppOutput.httpOutput(from:), DeleteAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1678,9 +1659,9 @@ extension PinpointClient { /// /// Disables the Baidu channel for an application and deletes any existing settings for the channel. /// - /// - Parameter DeleteBaiduChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBaiduChannelInput`) /// - /// - Returns: `DeleteBaiduChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBaiduChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1717,7 +1698,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBaiduChannelOutput.httpOutput(from:), DeleteBaiduChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1749,9 +1729,9 @@ extension PinpointClient { /// /// Deletes a campaign from an application. /// - /// - Parameter DeleteCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCampaignInput`) /// - /// - Returns: `DeleteCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1788,7 +1768,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCampaignOutput.httpOutput(from:), DeleteCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1820,9 +1799,9 @@ extension PinpointClient { /// /// Disables the email channel for an application and deletes any existing settings for the channel. /// - /// - Parameter DeleteEmailChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEmailChannelInput`) /// - /// - Returns: `DeleteEmailChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEmailChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1859,7 +1838,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEmailChannelOutput.httpOutput(from:), DeleteEmailChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1891,9 +1869,9 @@ extension PinpointClient { /// /// Deletes a message template for messages that were sent through the email channel. /// - /// - Parameter DeleteEmailTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEmailTemplateInput`) /// - /// - Returns: `DeleteEmailTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1931,7 +1909,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteEmailTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEmailTemplateOutput.httpOutput(from:), DeleteEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1963,9 +1940,9 @@ extension PinpointClient { /// /// Deletes an endpoint from an application. /// - /// - Parameter DeleteEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEndpointInput`) /// - /// - Returns: `DeleteEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2002,7 +1979,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointOutput.httpOutput(from:), DeleteEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2034,9 +2010,9 @@ extension PinpointClient { /// /// Deletes the event stream for an application. /// - /// - Parameter DeleteEventStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventStreamInput`) /// - /// - Returns: `DeleteEventStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2073,7 +2049,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventStreamOutput.httpOutput(from:), DeleteEventStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2105,9 +2080,9 @@ extension PinpointClient { /// /// Disables the GCM channel for an application and deletes any existing settings for the channel. /// - /// - Parameter DeleteGcmChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGcmChannelInput`) /// - /// - Returns: `DeleteGcmChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGcmChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2144,7 +2119,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGcmChannelOutput.httpOutput(from:), DeleteGcmChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2176,9 +2150,9 @@ extension PinpointClient { /// /// Deletes a message template for messages sent using the in-app message channel. /// - /// - Parameter DeleteInAppTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInAppTemplateInput`) /// - /// - Returns: `DeleteInAppTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInAppTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2216,7 +2190,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteInAppTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInAppTemplateOutput.httpOutput(from:), DeleteInAppTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2248,9 +2221,9 @@ extension PinpointClient { /// /// Deletes a journey from an application. /// - /// - Parameter DeleteJourneyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJourneyInput`) /// - /// - Returns: `DeleteJourneyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJourneyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2287,7 +2260,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJourneyOutput.httpOutput(from:), DeleteJourneyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2319,9 +2291,9 @@ extension PinpointClient { /// /// Deletes a message template for messages that were sent through a push notification channel. /// - /// - Parameter DeletePushTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePushTemplateInput`) /// - /// - Returns: `DeletePushTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePushTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2359,7 +2331,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePushTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePushTemplateOutput.httpOutput(from:), DeletePushTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2391,9 +2362,9 @@ extension PinpointClient { /// /// Deletes an Amazon Pinpoint configuration for a recommender model. /// - /// - Parameter DeleteRecommenderConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRecommenderConfigurationInput`) /// - /// - Returns: `DeleteRecommenderConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRecommenderConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2430,7 +2401,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRecommenderConfigurationOutput.httpOutput(from:), DeleteRecommenderConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2462,9 +2432,9 @@ extension PinpointClient { /// /// Deletes a segment from an application. /// - /// - Parameter DeleteSegmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSegmentInput`) /// - /// - Returns: `DeleteSegmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSegmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2501,7 +2471,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSegmentOutput.httpOutput(from:), DeleteSegmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2533,9 +2502,9 @@ extension PinpointClient { /// /// Disables the SMS channel for an application and deletes any existing settings for the channel. /// - /// - Parameter DeleteSmsChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSmsChannelInput`) /// - /// - Returns: `DeleteSmsChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSmsChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2541,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSmsChannelOutput.httpOutput(from:), DeleteSmsChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2604,9 +2572,9 @@ extension PinpointClient { /// /// Deletes a message template for messages that were sent through the SMS channel. /// - /// - Parameter DeleteSmsTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSmsTemplateInput`) /// - /// - Returns: `DeleteSmsTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSmsTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2644,7 +2612,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteSmsTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSmsTemplateOutput.httpOutput(from:), DeleteSmsTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2676,9 +2643,9 @@ extension PinpointClient { /// /// Deletes all the endpoints that are associated with a specific user ID. /// - /// - Parameter DeleteUserEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserEndpointsInput`) /// - /// - Returns: `DeleteUserEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2715,7 +2682,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserEndpointsOutput.httpOutput(from:), DeleteUserEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2747,9 +2713,9 @@ extension PinpointClient { /// /// Disables the voice channel for an application and deletes any existing settings for the channel. /// - /// - Parameter DeleteVoiceChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceChannelInput`) /// - /// - Returns: `DeleteVoiceChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2786,7 +2752,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceChannelOutput.httpOutput(from:), DeleteVoiceChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2818,9 +2783,9 @@ extension PinpointClient { /// /// Deletes a message template for messages that were sent through the voice channel. /// - /// - Parameter DeleteVoiceTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceTemplateInput`) /// - /// - Returns: `DeleteVoiceTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2858,7 +2823,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteVoiceTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceTemplateOutput.httpOutput(from:), DeleteVoiceTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2890,9 +2854,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the ADM channel for an application. /// - /// - Parameter GetAdmChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAdmChannelInput`) /// - /// - Returns: `GetAdmChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAdmChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2929,7 +2893,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAdmChannelOutput.httpOutput(from:), GetAdmChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2961,9 +2924,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the APNs channel for an application. /// - /// - Parameter GetApnsChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApnsChannelInput`) /// - /// - Returns: `GetApnsChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApnsChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3000,7 +2963,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApnsChannelOutput.httpOutput(from:), GetApnsChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3032,9 +2994,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the APNs sandbox channel for an application. /// - /// - Parameter GetApnsSandboxChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApnsSandboxChannelInput`) /// - /// - Returns: `GetApnsSandboxChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApnsSandboxChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3071,7 +3033,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApnsSandboxChannelOutput.httpOutput(from:), GetApnsSandboxChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3103,9 +3064,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the APNs VoIP channel for an application. /// - /// - Parameter GetApnsVoipChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApnsVoipChannelInput`) /// - /// - Returns: `GetApnsVoipChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApnsVoipChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3142,7 +3103,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApnsVoipChannelOutput.httpOutput(from:), GetApnsVoipChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3174,9 +3134,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the APNs VoIP sandbox channel for an application. /// - /// - Parameter GetApnsVoipSandboxChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApnsVoipSandboxChannelInput`) /// - /// - Returns: `GetApnsVoipSandboxChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApnsVoipSandboxChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3213,7 +3173,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApnsVoipSandboxChannelOutput.httpOutput(from:), GetApnsVoipSandboxChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3245,9 +3204,9 @@ extension PinpointClient { /// /// Retrieves information about an application. /// - /// - Parameter GetAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAppInput`) /// - /// - Returns: `GetAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3284,7 +3243,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAppOutput.httpOutput(from:), GetAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3316,9 +3274,9 @@ extension PinpointClient { /// /// Retrieves (queries) pre-aggregated data for a standard metric that applies to an application. /// - /// - Parameter GetApplicationDateRangeKpiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationDateRangeKpiInput`) /// - /// - Returns: `GetApplicationDateRangeKpiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationDateRangeKpiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3356,7 +3314,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetApplicationDateRangeKpiInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationDateRangeKpiOutput.httpOutput(from:), GetApplicationDateRangeKpiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3388,9 +3345,9 @@ extension PinpointClient { /// /// Retrieves information about the settings for an application. /// - /// - Parameter GetApplicationSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationSettingsInput`) /// - /// - Returns: `GetApplicationSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3427,7 +3384,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationSettingsOutput.httpOutput(from:), GetApplicationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3459,9 +3415,9 @@ extension PinpointClient { /// /// Retrieves information about all the applications that are associated with your Amazon Pinpoint account. /// - /// - Parameter GetAppsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAppsInput`) /// - /// - Returns: `GetAppsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAppsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3499,7 +3455,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAppsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAppsOutput.httpOutput(from:), GetAppsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3531,9 +3486,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the Baidu channel for an application. /// - /// - Parameter GetBaiduChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBaiduChannelInput`) /// - /// - Returns: `GetBaiduChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBaiduChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3570,7 +3525,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBaiduChannelOutput.httpOutput(from:), GetBaiduChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3602,9 +3556,9 @@ extension PinpointClient { /// /// Retrieves information about the status, configuration, and other settings for a campaign. /// - /// - Parameter GetCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCampaignInput`) /// - /// - Returns: `GetCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3641,7 +3595,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignOutput.httpOutput(from:), GetCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3673,9 +3626,9 @@ extension PinpointClient { /// /// Retrieves information about all the activities for a campaign. /// - /// - Parameter GetCampaignActivitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCampaignActivitiesInput`) /// - /// - Returns: `GetCampaignActivitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCampaignActivitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3713,7 +3666,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCampaignActivitiesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignActivitiesOutput.httpOutput(from:), GetCampaignActivitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3745,9 +3697,9 @@ extension PinpointClient { /// /// Retrieves (queries) pre-aggregated data for a standard metric that applies to a campaign. /// - /// - Parameter GetCampaignDateRangeKpiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCampaignDateRangeKpiInput`) /// - /// - Returns: `GetCampaignDateRangeKpiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCampaignDateRangeKpiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3785,7 +3737,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCampaignDateRangeKpiInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignDateRangeKpiOutput.httpOutput(from:), GetCampaignDateRangeKpiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3817,9 +3768,9 @@ extension PinpointClient { /// /// Retrieves information about the status, configuration, and other settings for a specific version of a campaign. /// - /// - Parameter GetCampaignVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCampaignVersionInput`) /// - /// - Returns: `GetCampaignVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCampaignVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3856,7 +3807,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignVersionOutput.httpOutput(from:), GetCampaignVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3888,9 +3838,9 @@ extension PinpointClient { /// /// Retrieves information about the status, configuration, and other settings for all versions of a campaign. /// - /// - Parameter GetCampaignVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCampaignVersionsInput`) /// - /// - Returns: `GetCampaignVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCampaignVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3928,7 +3878,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCampaignVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignVersionsOutput.httpOutput(from:), GetCampaignVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3960,9 +3909,9 @@ extension PinpointClient { /// /// Retrieves information about the status, configuration, and other settings for all the campaigns that are associated with an application. /// - /// - Parameter GetCampaignsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCampaignsInput`) /// - /// - Returns: `GetCampaignsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCampaignsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4000,7 +3949,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCampaignsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCampaignsOutput.httpOutput(from:), GetCampaignsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4032,9 +3980,9 @@ extension PinpointClient { /// /// Retrieves information about the history and status of each channel for an application. /// - /// - Parameter GetChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelsInput`) /// - /// - Returns: `GetChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4071,7 +4019,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelsOutput.httpOutput(from:), GetChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4103,9 +4050,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the email channel for an application. /// - /// - Parameter GetEmailChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEmailChannelInput`) /// - /// - Returns: `GetEmailChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEmailChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4142,7 +4089,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEmailChannelOutput.httpOutput(from:), GetEmailChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4174,9 +4120,9 @@ extension PinpointClient { /// /// Retrieves the content and settings of a message template for messages that are sent through the email channel. /// - /// - Parameter GetEmailTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEmailTemplateInput`) /// - /// - Returns: `GetEmailTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4214,7 +4160,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetEmailTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEmailTemplateOutput.httpOutput(from:), GetEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4246,9 +4191,9 @@ extension PinpointClient { /// /// Retrieves information about the settings and attributes of a specific endpoint for an application. /// - /// - Parameter GetEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEndpointInput`) /// - /// - Returns: `GetEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4285,7 +4230,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEndpointOutput.httpOutput(from:), GetEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4317,9 +4261,9 @@ extension PinpointClient { /// /// Retrieves information about the event stream settings for an application. /// - /// - Parameter GetEventStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEventStreamInput`) /// - /// - Returns: `GetEventStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEventStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4356,7 +4300,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEventStreamOutput.httpOutput(from:), GetEventStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4388,9 +4331,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of a specific export job for an application. /// - /// - Parameter GetExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExportJobInput`) /// - /// - Returns: `GetExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4427,7 +4370,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExportJobOutput.httpOutput(from:), GetExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4459,9 +4401,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of all the export jobs for an application. /// - /// - Parameter GetExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExportJobsInput`) /// - /// - Returns: `GetExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4499,7 +4441,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetExportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExportJobsOutput.httpOutput(from:), GetExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4531,9 +4472,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the GCM channel for an application. /// - /// - Parameter GetGcmChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGcmChannelInput`) /// - /// - Returns: `GetGcmChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGcmChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4570,7 +4511,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGcmChannelOutput.httpOutput(from:), GetGcmChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4602,9 +4542,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of a specific import job for an application. /// - /// - Parameter GetImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImportJobInput`) /// - /// - Returns: `GetImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4641,7 +4581,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImportJobOutput.httpOutput(from:), GetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4673,9 +4612,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of all the import jobs for an application. /// - /// - Parameter GetImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImportJobsInput`) /// - /// - Returns: `GetImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4713,7 +4652,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetImportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImportJobsOutput.httpOutput(from:), GetImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4745,9 +4683,9 @@ extension PinpointClient { /// /// Retrieves the in-app messages targeted for the provided endpoint ID. /// - /// - Parameter GetInAppMessagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInAppMessagesInput`) /// - /// - Returns: `GetInAppMessagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInAppMessagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4784,7 +4722,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInAppMessagesOutput.httpOutput(from:), GetInAppMessagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4816,9 +4753,9 @@ extension PinpointClient { /// /// Retrieves the content and settings of a message template for messages sent through the in-app channel. /// - /// - Parameter GetInAppTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInAppTemplateInput`) /// - /// - Returns: `GetInAppTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInAppTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4856,7 +4793,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetInAppTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInAppTemplateOutput.httpOutput(from:), GetInAppTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4888,9 +4824,9 @@ extension PinpointClient { /// /// Retrieves information about the status, configuration, and other settings for a journey. /// - /// - Parameter GetJourneyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJourneyInput`) /// - /// - Returns: `GetJourneyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJourneyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4927,7 +4863,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJourneyOutput.httpOutput(from:), GetJourneyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4959,9 +4894,9 @@ extension PinpointClient { /// /// Retrieves (queries) pre-aggregated data for a standard engagement metric that applies to a journey. /// - /// - Parameter GetJourneyDateRangeKpiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJourneyDateRangeKpiInput`) /// - /// - Returns: `GetJourneyDateRangeKpiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJourneyDateRangeKpiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4999,7 +4934,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetJourneyDateRangeKpiInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJourneyDateRangeKpiOutput.httpOutput(from:), GetJourneyDateRangeKpiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5031,9 +4965,9 @@ extension PinpointClient { /// /// Retrieves (queries) pre-aggregated data for a standard execution metric that applies to a journey activity. /// - /// - Parameter GetJourneyExecutionActivityMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJourneyExecutionActivityMetricsInput`) /// - /// - Returns: `GetJourneyExecutionActivityMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJourneyExecutionActivityMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5071,7 +5005,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetJourneyExecutionActivityMetricsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJourneyExecutionActivityMetricsOutput.httpOutput(from:), GetJourneyExecutionActivityMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5103,9 +5036,9 @@ extension PinpointClient { /// /// Retrieves (queries) pre-aggregated data for a standard execution metric that applies to a journey. /// - /// - Parameter GetJourneyExecutionMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJourneyExecutionMetricsInput`) /// - /// - Returns: `GetJourneyExecutionMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJourneyExecutionMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5143,7 +5076,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetJourneyExecutionMetricsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJourneyExecutionMetricsOutput.httpOutput(from:), GetJourneyExecutionMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5175,9 +5107,9 @@ extension PinpointClient { /// /// Retrieves (queries) pre-aggregated data for a standard run execution metric that applies to a journey activity. /// - /// - Parameter GetJourneyRunExecutionActivityMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJourneyRunExecutionActivityMetricsInput`) /// - /// - Returns: `GetJourneyRunExecutionActivityMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJourneyRunExecutionActivityMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5215,7 +5147,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetJourneyRunExecutionActivityMetricsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJourneyRunExecutionActivityMetricsOutput.httpOutput(from:), GetJourneyRunExecutionActivityMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5247,9 +5178,9 @@ extension PinpointClient { /// /// Retrieves (queries) pre-aggregated data for a standard run execution metric that applies to a journey. /// - /// - Parameter GetJourneyRunExecutionMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJourneyRunExecutionMetricsInput`) /// - /// - Returns: `GetJourneyRunExecutionMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJourneyRunExecutionMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5287,7 +5218,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetJourneyRunExecutionMetricsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJourneyRunExecutionMetricsOutput.httpOutput(from:), GetJourneyRunExecutionMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5319,9 +5249,9 @@ extension PinpointClient { /// /// Provides information about the runs of a journey. /// - /// - Parameter GetJourneyRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJourneyRunsInput`) /// - /// - Returns: `GetJourneyRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJourneyRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5359,7 +5289,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetJourneyRunsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJourneyRunsOutput.httpOutput(from:), GetJourneyRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5391,9 +5320,9 @@ extension PinpointClient { /// /// Retrieves the content and settings of a message template for messages that are sent through a push notification channel. /// - /// - Parameter GetPushTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPushTemplateInput`) /// - /// - Returns: `GetPushTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPushTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5431,7 +5360,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPushTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPushTemplateOutput.httpOutput(from:), GetPushTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5463,9 +5391,9 @@ extension PinpointClient { /// /// Retrieves information about an Amazon Pinpoint configuration for a recommender model. /// - /// - Parameter GetRecommenderConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecommenderConfigurationInput`) /// - /// - Returns: `GetRecommenderConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecommenderConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5502,7 +5430,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommenderConfigurationOutput.httpOutput(from:), GetRecommenderConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5534,9 +5461,9 @@ extension PinpointClient { /// /// Retrieves information about all the recommender model configurations that are associated with your Amazon Pinpoint account. /// - /// - Parameter GetRecommenderConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecommenderConfigurationsInput`) /// - /// - Returns: `GetRecommenderConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecommenderConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5574,7 +5501,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRecommenderConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommenderConfigurationsOutput.httpOutput(from:), GetRecommenderConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5606,9 +5532,9 @@ extension PinpointClient { /// /// Retrieves information about the configuration, dimension, and other settings for a specific segment that's associated with an application. /// - /// - Parameter GetSegmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentInput`) /// - /// - Returns: `GetSegmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5645,7 +5571,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentOutput.httpOutput(from:), GetSegmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5677,9 +5602,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the export jobs for a segment. /// - /// - Parameter GetSegmentExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentExportJobsInput`) /// - /// - Returns: `GetSegmentExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5717,7 +5642,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSegmentExportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentExportJobsOutput.httpOutput(from:), GetSegmentExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5749,9 +5673,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the import jobs for a segment. /// - /// - Parameter GetSegmentImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentImportJobsInput`) /// - /// - Returns: `GetSegmentImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5789,7 +5713,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSegmentImportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentImportJobsOutput.httpOutput(from:), GetSegmentImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5821,9 +5744,9 @@ extension PinpointClient { /// /// Retrieves information about the configuration, dimension, and other settings for a specific version of a segment that's associated with an application. /// - /// - Parameter GetSegmentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentVersionInput`) /// - /// - Returns: `GetSegmentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5860,7 +5783,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentVersionOutput.httpOutput(from:), GetSegmentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5892,9 +5814,9 @@ extension PinpointClient { /// /// Retrieves information about the configuration, dimension, and other settings for all the versions of a specific segment that's associated with an application. /// - /// - Parameter GetSegmentVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentVersionsInput`) /// - /// - Returns: `GetSegmentVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5932,7 +5854,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSegmentVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentVersionsOutput.httpOutput(from:), GetSegmentVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5964,9 +5885,9 @@ extension PinpointClient { /// /// Retrieves information about the configuration, dimension, and other settings for all the segments that are associated with an application. /// - /// - Parameter GetSegmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentsInput`) /// - /// - Returns: `GetSegmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6004,7 +5925,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSegmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentsOutput.httpOutput(from:), GetSegmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6036,9 +5956,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the SMS channel for an application. /// - /// - Parameter GetSmsChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSmsChannelInput`) /// - /// - Returns: `GetSmsChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSmsChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6075,7 +5995,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSmsChannelOutput.httpOutput(from:), GetSmsChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6107,9 +6026,9 @@ extension PinpointClient { /// /// Retrieves the content and settings of a message template for messages that are sent through the SMS channel. /// - /// - Parameter GetSmsTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSmsTemplateInput`) /// - /// - Returns: `GetSmsTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSmsTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6147,7 +6066,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSmsTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSmsTemplateOutput.httpOutput(from:), GetSmsTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6179,9 +6097,9 @@ extension PinpointClient { /// /// Retrieves information about all the endpoints that are associated with a specific user ID. /// - /// - Parameter GetUserEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserEndpointsInput`) /// - /// - Returns: `GetUserEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6218,7 +6136,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserEndpointsOutput.httpOutput(from:), GetUserEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6250,9 +6167,9 @@ extension PinpointClient { /// /// Retrieves information about the status and settings of the voice channel for an application. /// - /// - Parameter GetVoiceChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceChannelInput`) /// - /// - Returns: `GetVoiceChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6289,7 +6206,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceChannelOutput.httpOutput(from:), GetVoiceChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6321,9 +6237,9 @@ extension PinpointClient { /// /// Retrieves the content and settings of a message template for messages that are sent through the voice channel. /// - /// - Parameter GetVoiceTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVoiceTemplateInput`) /// - /// - Returns: `GetVoiceTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVoiceTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6361,7 +6277,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetVoiceTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVoiceTemplateOutput.httpOutput(from:), GetVoiceTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6393,9 +6308,9 @@ extension PinpointClient { /// /// Retrieves information about the status, configuration, and other settings for all the journeys that are associated with an application. /// - /// - Parameter ListJourneysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJourneysInput`) /// - /// - Returns: `ListJourneysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJourneysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6433,7 +6348,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJourneysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJourneysOutput.httpOutput(from:), ListJourneysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6465,9 +6379,9 @@ extension PinpointClient { /// /// Retrieves all the tags (keys and values) that are associated with an application, campaign, message template, or segment. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) public func listTagsForResource(input: ListTagsForResourceInput) async throws -> ListTagsForResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -6493,7 +6407,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6525,9 +6438,9 @@ extension PinpointClient { /// /// Retrieves information about all the versions of a specific message template. /// - /// - Parameter ListTemplateVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplateVersionsInput`) /// - /// - Returns: `ListTemplateVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplateVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6565,7 +6478,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplateVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplateVersionsOutput.httpOutput(from:), ListTemplateVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6597,9 +6509,9 @@ extension PinpointClient { /// /// Retrieves information about all the message templates that are associated with your Amazon Pinpoint account. /// - /// - Parameter ListTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplatesInput`) /// - /// - Returns: `ListTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6635,7 +6547,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplatesOutput.httpOutput(from:), ListTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6667,9 +6578,9 @@ extension PinpointClient { /// /// Retrieves information about a phone number. /// - /// - Parameter PhoneNumberValidateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PhoneNumberValidateInput`) /// - /// - Returns: `PhoneNumberValidateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PhoneNumberValidateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6709,7 +6620,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PhoneNumberValidateOutput.httpOutput(from:), PhoneNumberValidateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6741,9 +6651,9 @@ extension PinpointClient { /// /// Creates a new event stream for an application or updates the settings of an existing event stream for an application. /// - /// - Parameter PutEventStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEventStreamInput`) /// - /// - Returns: `PutEventStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEventStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6783,7 +6693,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEventStreamOutput.httpOutput(from:), PutEventStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6815,9 +6724,9 @@ extension PinpointClient { /// /// Creates a new event to record for endpoints, or creates or updates endpoint data that existing events are associated with. /// - /// - Parameter PutEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEventsInput`) /// - /// - Returns: `PutEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6857,7 +6766,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEventsOutput.httpOutput(from:), PutEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6889,9 +6797,9 @@ extension PinpointClient { /// /// Removes one or more custom attributes, of the same attribute type, from the application. Existing endpoints still have the attributes but Amazon Pinpoint will stop capturing new or changed values for these attributes. /// - /// - Parameter RemoveAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveAttributesInput`) /// - /// - Returns: `RemoveAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6931,7 +6839,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveAttributesOutput.httpOutput(from:), RemoveAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6963,9 +6870,9 @@ extension PinpointClient { /// /// Creates and sends a direct message. /// - /// - Parameter SendMessagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendMessagesInput`) /// - /// - Returns: `SendMessagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendMessagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7005,7 +6912,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendMessagesOutput.httpOutput(from:), SendMessagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7037,9 +6943,9 @@ extension PinpointClient { /// /// Send an OTP message /// - /// - Parameter SendOTPMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendOTPMessageInput`) /// - /// - Returns: `SendOTPMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendOTPMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7079,7 +6985,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendOTPMessageOutput.httpOutput(from:), SendOTPMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7111,9 +7016,9 @@ extension PinpointClient { /// /// Creates and sends a message to a list of users. /// - /// - Parameter SendUsersMessagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendUsersMessagesInput`) /// - /// - Returns: `SendUsersMessagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendUsersMessagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7153,7 +7058,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendUsersMessagesOutput.httpOutput(from:), SendUsersMessagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7185,9 +7089,9 @@ extension PinpointClient { /// /// Adds one or more tags (keys and values) to an application, campaign, message template, or segment. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) public func tagResource(input: TagResourceInput) async throws -> TagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7216,7 +7120,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7248,9 +7151,9 @@ extension PinpointClient { /// /// Removes one or more tags (keys and values) from an application, campaign, message template, or segment. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) public func untagResource(input: UntagResourceInput) async throws -> UntagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -7277,7 +7180,6 @@ extension PinpointClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7309,9 +7211,9 @@ extension PinpointClient { /// /// Enables the ADM channel for an application or updates the status and settings of the ADM channel for an application. /// - /// - Parameter UpdateAdmChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAdmChannelInput`) /// - /// - Returns: `UpdateAdmChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAdmChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7351,7 +7253,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAdmChannelOutput.httpOutput(from:), UpdateAdmChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7383,9 +7284,9 @@ extension PinpointClient { /// /// Enables the APNs channel for an application or updates the status and settings of the APNs channel for an application. /// - /// - Parameter UpdateApnsChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApnsChannelInput`) /// - /// - Returns: `UpdateApnsChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApnsChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7425,7 +7326,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApnsChannelOutput.httpOutput(from:), UpdateApnsChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7457,9 +7357,9 @@ extension PinpointClient { /// /// Enables the APNs sandbox channel for an application or updates the status and settings of the APNs sandbox channel for an application. /// - /// - Parameter UpdateApnsSandboxChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApnsSandboxChannelInput`) /// - /// - Returns: `UpdateApnsSandboxChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApnsSandboxChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7499,7 +7399,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApnsSandboxChannelOutput.httpOutput(from:), UpdateApnsSandboxChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7531,9 +7430,9 @@ extension PinpointClient { /// /// Enables the APNs VoIP channel for an application or updates the status and settings of the APNs VoIP channel for an application. /// - /// - Parameter UpdateApnsVoipChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApnsVoipChannelInput`) /// - /// - Returns: `UpdateApnsVoipChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApnsVoipChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7573,7 +7472,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApnsVoipChannelOutput.httpOutput(from:), UpdateApnsVoipChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7605,9 +7503,9 @@ extension PinpointClient { /// /// Enables the APNs VoIP sandbox channel for an application or updates the status and settings of the APNs VoIP sandbox channel for an application. /// - /// - Parameter UpdateApnsVoipSandboxChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApnsVoipSandboxChannelInput`) /// - /// - Returns: `UpdateApnsVoipSandboxChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApnsVoipSandboxChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7647,7 +7545,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApnsVoipSandboxChannelOutput.httpOutput(from:), UpdateApnsVoipSandboxChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7679,9 +7576,9 @@ extension PinpointClient { /// /// Updates the settings for an application. /// - /// - Parameter UpdateApplicationSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationSettingsInput`) /// - /// - Returns: `UpdateApplicationSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7721,7 +7618,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationSettingsOutput.httpOutput(from:), UpdateApplicationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7753,9 +7649,9 @@ extension PinpointClient { /// /// Enables the Baidu channel for an application or updates the status and settings of the Baidu channel for an application. /// - /// - Parameter UpdateBaiduChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBaiduChannelInput`) /// - /// - Returns: `UpdateBaiduChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBaiduChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7795,7 +7691,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBaiduChannelOutput.httpOutput(from:), UpdateBaiduChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7827,9 +7722,9 @@ extension PinpointClient { /// /// Updates the configuration and other settings for a campaign. /// - /// - Parameter UpdateCampaignInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCampaignInput`) /// - /// - Returns: `UpdateCampaignOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7869,7 +7764,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCampaignOutput.httpOutput(from:), UpdateCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7901,9 +7795,9 @@ extension PinpointClient { /// /// Enables the email channel for an application or updates the status and settings of the email channel for an application. /// - /// - Parameter UpdateEmailChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEmailChannelInput`) /// - /// - Returns: `UpdateEmailChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEmailChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7943,7 +7837,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEmailChannelOutput.httpOutput(from:), UpdateEmailChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7975,9 +7868,9 @@ extension PinpointClient { /// /// Updates an existing message template for messages that are sent through the email channel. /// - /// - Parameter UpdateEmailTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEmailTemplateInput`) /// - /// - Returns: `UpdateEmailTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8018,7 +7911,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEmailTemplateOutput.httpOutput(from:), UpdateEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8050,9 +7942,9 @@ extension PinpointClient { /// /// Creates a new endpoint for an application or updates the settings and attributes of an existing endpoint for an application. You can also use this operation to define custom attributes for an endpoint. If an update includes one or more values for a custom attribute, Amazon Pinpoint replaces (overwrites) any existing values with the new values. /// - /// - Parameter UpdateEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEndpointInput`) /// - /// - Returns: `UpdateEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8092,7 +7984,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEndpointOutput.httpOutput(from:), UpdateEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8124,9 +8015,9 @@ extension PinpointClient { /// /// Creates a new batch of endpoints for an application or updates the settings and attributes of a batch of existing endpoints for an application. You can also use this operation to define custom attributes for a batch of endpoints. If an update includes one or more values for a custom attribute, Amazon Pinpoint replaces (overwrites) any existing values with the new values. /// - /// - Parameter UpdateEndpointsBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEndpointsBatchInput`) /// - /// - Returns: `UpdateEndpointsBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEndpointsBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8166,7 +8057,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEndpointsBatchOutput.httpOutput(from:), UpdateEndpointsBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8198,9 +8088,9 @@ extension PinpointClient { /// /// Enables the GCM channel for an application or updates the status and settings of the GCM channel for an application. /// - /// - Parameter UpdateGcmChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGcmChannelInput`) /// - /// - Returns: `UpdateGcmChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGcmChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8240,7 +8130,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGcmChannelOutput.httpOutput(from:), UpdateGcmChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8272,9 +8161,9 @@ extension PinpointClient { /// /// Updates an existing message template for messages sent through the in-app message channel. /// - /// - Parameter UpdateInAppTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInAppTemplateInput`) /// - /// - Returns: `UpdateInAppTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInAppTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8315,7 +8204,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInAppTemplateOutput.httpOutput(from:), UpdateInAppTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8347,9 +8235,9 @@ extension PinpointClient { /// /// Updates the configuration and other settings for a journey. /// - /// - Parameter UpdateJourneyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJourneyInput`) /// - /// - Returns: `UpdateJourneyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJourneyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8390,7 +8278,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJourneyOutput.httpOutput(from:), UpdateJourneyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8422,9 +8309,9 @@ extension PinpointClient { /// /// Cancels (stops) an active journey. /// - /// - Parameter UpdateJourneyStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJourneyStateInput`) /// - /// - Returns: `UpdateJourneyStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJourneyStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8464,7 +8351,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJourneyStateOutput.httpOutput(from:), UpdateJourneyStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8496,9 +8382,9 @@ extension PinpointClient { /// /// Updates an existing message template for messages that are sent through a push notification channel. /// - /// - Parameter UpdatePushTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePushTemplateInput`) /// - /// - Returns: `UpdatePushTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePushTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8539,7 +8425,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePushTemplateOutput.httpOutput(from:), UpdatePushTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8571,9 +8456,9 @@ extension PinpointClient { /// /// Updates an Amazon Pinpoint configuration for a recommender model. /// - /// - Parameter UpdateRecommenderConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRecommenderConfigurationInput`) /// - /// - Returns: `UpdateRecommenderConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRecommenderConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8613,7 +8498,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRecommenderConfigurationOutput.httpOutput(from:), UpdateRecommenderConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8645,9 +8529,9 @@ extension PinpointClient { /// /// Creates a new segment for an application or updates the configuration, dimension, and other settings for an existing segment that's associated with an application. /// - /// - Parameter UpdateSegmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSegmentInput`) /// - /// - Returns: `UpdateSegmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSegmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8687,7 +8571,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSegmentOutput.httpOutput(from:), UpdateSegmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8719,9 +8602,9 @@ extension PinpointClient { /// /// Enables the SMS channel for an application or updates the status and settings of the SMS channel for an application. /// - /// - Parameter UpdateSmsChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSmsChannelInput`) /// - /// - Returns: `UpdateSmsChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSmsChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8761,7 +8644,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSmsChannelOutput.httpOutput(from:), UpdateSmsChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8793,9 +8675,9 @@ extension PinpointClient { /// /// Updates an existing message template for messages that are sent through the SMS channel. /// - /// - Parameter UpdateSmsTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSmsTemplateInput`) /// - /// - Returns: `UpdateSmsTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSmsTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8836,7 +8718,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSmsTemplateOutput.httpOutput(from:), UpdateSmsTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8868,9 +8749,9 @@ extension PinpointClient { /// /// Changes the status of a specific version of a message template to active. /// - /// - Parameter UpdateTemplateActiveVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTemplateActiveVersionInput`) /// - /// - Returns: `UpdateTemplateActiveVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTemplateActiveVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8910,7 +8791,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTemplateActiveVersionOutput.httpOutput(from:), UpdateTemplateActiveVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8942,9 +8822,9 @@ extension PinpointClient { /// /// Enables the voice channel for an application or updates the status and settings of the voice channel for an application. /// - /// - Parameter UpdateVoiceChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVoiceChannelInput`) /// - /// - Returns: `UpdateVoiceChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVoiceChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8984,7 +8864,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVoiceChannelOutput.httpOutput(from:), UpdateVoiceChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9016,9 +8895,9 @@ extension PinpointClient { /// /// Updates an existing message template for messages that are sent through the voice channel. /// - /// - Parameter UpdateVoiceTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVoiceTemplateInput`) /// - /// - Returns: `UpdateVoiceTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVoiceTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9059,7 +8938,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVoiceTemplateOutput.httpOutput(from:), UpdateVoiceTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9091,9 +8969,9 @@ extension PinpointClient { /// /// Verify an OTP /// - /// - Parameter VerifyOTPMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifyOTPMessageInput`) /// - /// - Returns: `VerifyOTPMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyOTPMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9133,7 +9011,6 @@ extension PinpointClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyOTPMessageOutput.httpOutput(from:), VerifyOTPMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPinpointEmail/Sources/AWSPinpointEmail/PinpointEmailClient.swift b/Sources/Services/AWSPinpointEmail/Sources/AWSPinpointEmail/PinpointEmailClient.swift index e30fd84b4a8..a7bb1d043cc 100644 --- a/Sources/Services/AWSPinpointEmail/Sources/AWSPinpointEmail/PinpointEmailClient.swift +++ b/Sources/Services/AWSPinpointEmail/Sources/AWSPinpointEmail/PinpointEmailClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PinpointEmailClient: ClientRuntime.Client { public static let clientName = "PinpointEmailClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PinpointEmailClient.PinpointEmailClientConfiguration let serviceName = "Pinpoint Email" @@ -374,9 +373,9 @@ extension PinpointEmailClient { /// /// Create a configuration set. Configuration sets are groups of rules that you can apply to the emails you send using Amazon Pinpoint. You apply a configuration set to an email by including a reference to the configuration set in the headers of the email. When you apply a configuration set to an email, all of the rules in that configuration set are applied to the email. /// - /// - Parameter CreateConfigurationSetInput : A request to create a configuration set. + /// - Parameter input: A request to create a configuration set. (Type: `CreateConfigurationSetInput`) /// - /// - Returns: `CreateConfigurationSetOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CreateConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationSetOutput.httpOutput(from:), CreateConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension PinpointEmailClient { /// /// Create an event destination. In Amazon Pinpoint, events include message sends, deliveries, opens, clicks, bounces, and complaints. Event destinations are places that you can send information about these events to. For example, you can send event data to Amazon SNS to receive notifications when you receive bounces or complaints, or you can use Amazon Kinesis Data Firehose to stream data to Amazon S3 for long-term storage. A single configuration set can include more than one event destination. /// - /// - Parameter CreateConfigurationSetEventDestinationInput : A request to add an event destination to a configuration set. + /// - Parameter input: A request to add an event destination to a configuration set. (Type: `CreateConfigurationSetEventDestinationInput`) /// - /// - Returns: `CreateConfigurationSetEventDestinationOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CreateConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationSetEventDestinationOutput.httpOutput(from:), CreateConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension PinpointEmailClient { /// /// Create a new pool of dedicated IP addresses. A pool can include one or more dedicated IP addresses that are associated with your Amazon Pinpoint account. You can associate a pool with a configuration set. When you send an email that uses that configuration set, Amazon Pinpoint sends it using only the IP addresses in the associated pool. /// - /// - Parameter CreateDedicatedIpPoolInput : A request to create a new dedicated IP pool. + /// - Parameter input: A request to create a new dedicated IP pool. (Type: `CreateDedicatedIpPoolInput`) /// - /// - Returns: `CreateDedicatedIpPoolOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CreateDedicatedIpPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDedicatedIpPoolOutput.httpOutput(from:), CreateDedicatedIpPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension PinpointEmailClient { /// /// Create a new predictive inbox placement test. Predictive inbox placement tests can help you predict how your messages will be handled by various email providers around the world. When you perform a predictive inbox placement test, you provide a sample message that contains the content that you plan to send to your customers. Amazon Pinpoint then sends that message to special email addresses spread across several major email providers. After about 24 hours, the test is complete, and you can use the GetDeliverabilityTestReport operation to view the results of the test. /// - /// - Parameter CreateDeliverabilityTestReportInput : A request to perform a predictive inbox placement test. Predictive inbox placement tests can help you predict how your messages will be handled by various email providers around the world. When you perform a predictive inbox placement test, you provide a sample message that contains the content that you plan to send to your customers. Amazon Pinpoint then sends that message to special email addresses spread across several major email providers. After about 24 hours, the test is complete, and you can use the GetDeliverabilityTestReport operation to view the results of the test. + /// - Parameter input: A request to perform a predictive inbox placement test. Predictive inbox placement tests can help you predict how your messages will be handled by various email providers around the world. When you perform a predictive inbox placement test, you provide a sample message that contains the content that you plan to send to your customers. Amazon Pinpoint then sends that message to special email addresses spread across several major email providers. After about 24 hours, the test is complete, and you can use the GetDeliverabilityTestReport operation to view the results of the test. (Type: `CreateDeliverabilityTestReportInput`) /// - /// - Returns: `CreateDeliverabilityTestReportOutput` : Information about the predictive inbox placement test that you created. + /// - Returns: Information about the predictive inbox placement test that you created. (Type: `CreateDeliverabilityTestReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeliverabilityTestReportOutput.httpOutput(from:), CreateDeliverabilityTestReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension PinpointEmailClient { /// /// Verifies an email identity for use with Amazon Pinpoint. In Amazon Pinpoint, an identity is an email address or domain that you use when you send email. Before you can use an identity to send email with Amazon Pinpoint, you first have to verify it. By verifying an address, you demonstrate that you're the owner of the address, and that you've given Amazon Pinpoint permission to send email from the address. When you verify an email address, Amazon Pinpoint sends an email to the address. Your email address is verified as soon as you follow the link in the verification email. When you verify a domain, this operation provides a set of DKIM tokens, which you can convert into CNAME tokens. You add these CNAME tokens to the DNS configuration for your domain. Your domain is verified when Amazon Pinpoint detects these records in the DNS configuration for your domain. It usually takes around 72 hours to complete the domain verification process. /// - /// - Parameter CreateEmailIdentityInput : A request to begin the verification process for an email identity (an email address or domain). + /// - Parameter input: A request to begin the verification process for an email identity (an email address or domain). (Type: `CreateEmailIdentityInput`) /// - /// - Returns: `CreateEmailIdentityOutput` : If the email identity is a domain, this object contains tokens that you can use to create a set of CNAME records. To sucessfully verify your domain, you have to add these records to the DNS configuration for your domain. If the email identity is an email address, this object is empty. + /// - Returns: If the email identity is a domain, this object contains tokens that you can use to create a set of CNAME records. To sucessfully verify your domain, you have to add these records to the DNS configuration for your domain. If the email identity is an email address, this object is empty. (Type: `CreateEmailIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEmailIdentityOutput.httpOutput(from:), CreateEmailIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -738,9 +732,9 @@ extension PinpointEmailClient { /// /// Delete an existing configuration set. In Amazon Pinpoint, configuration sets are groups of rules that you can apply to the emails you send. You apply a configuration set to an email by including a reference to the configuration set in the headers of the email. When you apply a configuration set to an email, all of the rules in that configuration set are applied to the email. /// - /// - Parameter DeleteConfigurationSetInput : A request to delete a configuration set. + /// - Parameter input: A request to delete a configuration set. (Type: `DeleteConfigurationSetInput`) /// - /// - Returns: `DeleteConfigurationSetOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationSetOutput.httpOutput(from:), DeleteConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension PinpointEmailClient { /// /// Delete an event destination. In Amazon Pinpoint, events include message sends, deliveries, opens, clicks, bounces, and complaints. Event destinations are places that you can send information about these events to. For example, you can send event data to Amazon SNS to receive notifications when you receive bounces or complaints, or you can use Amazon Kinesis Data Firehose to stream data to Amazon S3 for long-term storage. /// - /// - Parameter DeleteConfigurationSetEventDestinationInput : A request to delete an event destination from a configuration set. + /// - Parameter input: A request to delete an event destination from a configuration set. (Type: `DeleteConfigurationSetEventDestinationInput`) /// - /// - Returns: `DeleteConfigurationSetEventDestinationOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -841,7 +834,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationSetEventDestinationOutput.httpOutput(from:), DeleteConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension PinpointEmailClient { /// /// Delete a dedicated IP pool. /// - /// - Parameter DeleteDedicatedIpPoolInput : A request to delete a dedicated IP pool. + /// - Parameter input: A request to delete a dedicated IP pool. (Type: `DeleteDedicatedIpPoolInput`) /// - /// - Returns: `DeleteDedicatedIpPoolOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteDedicatedIpPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -909,7 +901,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDedicatedIpPoolOutput.httpOutput(from:), DeleteDedicatedIpPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -941,9 +932,9 @@ extension PinpointEmailClient { /// /// Deletes an email identity that you previously verified for use with Amazon Pinpoint. An identity can be either an email address or a domain name. /// - /// - Parameter DeleteEmailIdentityInput : A request to delete an existing email identity. When you delete an identity, you lose the ability to use Amazon Pinpoint to send email from that identity. You can restore your ability to send email by completing the verification process for the identity again. + /// - Parameter input: A request to delete an existing email identity. When you delete an identity, you lose the ability to use Amazon Pinpoint to send email from that identity. You can restore your ability to send email by completing the verification process for the identity again. (Type: `DeleteEmailIdentityInput`) /// - /// - Returns: `DeleteEmailIdentityOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteEmailIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -977,7 +968,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEmailIdentityOutput.httpOutput(from:), DeleteEmailIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1009,9 +999,9 @@ extension PinpointEmailClient { /// /// Obtain information about the email-sending status and capabilities of your Amazon Pinpoint account in the current AWS Region. /// - /// - Parameter GetAccountInput : A request to obtain information about the email-sending capabilities of your Amazon Pinpoint account. + /// - Parameter input: A request to obtain information about the email-sending capabilities of your Amazon Pinpoint account. (Type: `GetAccountInput`) /// - /// - Returns: `GetAccountOutput` : A list of details about the email-sending capabilities of your Amazon Pinpoint account in the current AWS Region. + /// - Returns: A list of details about the email-sending capabilities of your Amazon Pinpoint account in the current AWS Region. (Type: `GetAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1043,7 +1033,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountOutput.httpOutput(from:), GetAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1075,9 +1064,9 @@ extension PinpointEmailClient { /// /// Retrieve a list of the blacklists that your dedicated IP addresses appear on. /// - /// - Parameter GetBlacklistReportsInput : A request to retrieve a list of the blacklists that your dedicated IP addresses appear on. + /// - Parameter input: A request to retrieve a list of the blacklists that your dedicated IP addresses appear on. (Type: `GetBlacklistReportsInput`) /// - /// - Returns: `GetBlacklistReportsOutput` : An object that contains information about blacklist events. + /// - Returns: An object that contains information about blacklist events. (Type: `GetBlacklistReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1111,7 +1100,6 @@ extension PinpointEmailClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBlacklistReportsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBlacklistReportsOutput.httpOutput(from:), GetBlacklistReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1143,9 +1131,9 @@ extension PinpointEmailClient { /// /// Get information about an existing configuration set, including the dedicated IP pool that it's associated with, whether or not it's enabled for sending email, and more. In Amazon Pinpoint, configuration sets are groups of rules that you can apply to the emails you send. You apply a configuration set to an email by including a reference to the configuration set in the headers of the email. When you apply a configuration set to an email, all of the rules in that configuration set are applied to the email. /// - /// - Parameter GetConfigurationSetInput : A request to obtain information about a configuration set. + /// - Parameter input: A request to obtain information about a configuration set. (Type: `GetConfigurationSetInput`) /// - /// - Returns: `GetConfigurationSetOutput` : Information about a configuration set. + /// - Returns: Information about a configuration set. (Type: `GetConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1178,7 +1166,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationSetOutput.httpOutput(from:), GetConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1210,9 +1197,9 @@ extension PinpointEmailClient { /// /// Retrieve a list of event destinations that are associated with a configuration set. In Amazon Pinpoint, events include message sends, deliveries, opens, clicks, bounces, and complaints. Event destinations are places that you can send information about these events to. For example, you can send event data to Amazon SNS to receive notifications when you receive bounces or complaints, or you can use Amazon Kinesis Data Firehose to stream data to Amazon S3 for long-term storage. /// - /// - Parameter GetConfigurationSetEventDestinationsInput : A request to obtain information about the event destinations for a configuration set. + /// - Parameter input: A request to obtain information about the event destinations for a configuration set. (Type: `GetConfigurationSetEventDestinationsInput`) /// - /// - Returns: `GetConfigurationSetEventDestinationsOutput` : Information about an event destination for a configuration set. + /// - Returns: Information about an event destination for a configuration set. (Type: `GetConfigurationSetEventDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1245,7 +1232,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationSetEventDestinationsOutput.httpOutput(from:), GetConfigurationSetEventDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1277,9 +1263,9 @@ extension PinpointEmailClient { /// /// Get information about a dedicated IP address, including the name of the dedicated IP pool that it's associated with, as well information about the automatic warm-up process for the address. /// - /// - Parameter GetDedicatedIpInput : A request to obtain more information about a dedicated IP address. + /// - Parameter input: A request to obtain more information about a dedicated IP address. (Type: `GetDedicatedIpInput`) /// - /// - Returns: `GetDedicatedIpOutput` : Information about a dedicated IP address. + /// - Returns: Information about a dedicated IP address. (Type: `GetDedicatedIpOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1312,7 +1298,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDedicatedIpOutput.httpOutput(from:), GetDedicatedIpOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1344,9 +1329,9 @@ extension PinpointEmailClient { /// /// List the dedicated IP addresses that are associated with your Amazon Pinpoint account. /// - /// - Parameter GetDedicatedIpsInput : A request to obtain more information about dedicated IP pools. + /// - Parameter input: A request to obtain more information about dedicated IP pools. (Type: `GetDedicatedIpsInput`) /// - /// - Returns: `GetDedicatedIpsOutput` : Information about the dedicated IP addresses that are associated with your Amazon Pinpoint account. + /// - Returns: Information about the dedicated IP addresses that are associated with your Amazon Pinpoint account. (Type: `GetDedicatedIpsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1380,7 +1365,6 @@ extension PinpointEmailClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDedicatedIpsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDedicatedIpsOutput.httpOutput(from:), GetDedicatedIpsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1412,9 +1396,9 @@ extension PinpointEmailClient { /// /// Retrieve information about the status of the Deliverability dashboard for your Amazon Pinpoint account. When the Deliverability dashboard is enabled, you gain access to reputation, deliverability, and other metrics for the domains that you use to send email using Amazon Pinpoint. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon Pinpoint. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon Pinpoint Pricing](http://aws.amazon.com/pinpoint/pricing/). /// - /// - Parameter GetDeliverabilityDashboardOptionsInput : Retrieve information about the status of the Deliverability dashboard for your Amazon Pinpoint account. When the Deliverability dashboard is enabled, you gain access to reputation, deliverability, and other metrics for the domains that you use to send email using Amazon Pinpoint. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon Pinpoint. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon Pinpoint Pricing](http://aws.amazon.com/pinpoint/pricing/). + /// - Parameter input: Retrieve information about the status of the Deliverability dashboard for your Amazon Pinpoint account. When the Deliverability dashboard is enabled, you gain access to reputation, deliverability, and other metrics for the domains that you use to send email using Amazon Pinpoint. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon Pinpoint. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon Pinpoint Pricing](http://aws.amazon.com/pinpoint/pricing/). (Type: `GetDeliverabilityDashboardOptionsInput`) /// - /// - Returns: `GetDeliverabilityDashboardOptionsOutput` : An object that shows the status of the Deliverability dashboard for your Amazon Pinpoint account. + /// - Returns: An object that shows the status of the Deliverability dashboard for your Amazon Pinpoint account. (Type: `GetDeliverabilityDashboardOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1447,7 +1431,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeliverabilityDashboardOptionsOutput.httpOutput(from:), GetDeliverabilityDashboardOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1479,9 +1462,9 @@ extension PinpointEmailClient { /// /// Retrieve the results of a predictive inbox placement test. /// - /// - Parameter GetDeliverabilityTestReportInput : A request to retrieve the results of a predictive inbox placement test. + /// - Parameter input: A request to retrieve the results of a predictive inbox placement test. (Type: `GetDeliverabilityTestReportInput`) /// - /// - Returns: `GetDeliverabilityTestReportOutput` : The results of the predictive inbox placement test. + /// - Returns: The results of the predictive inbox placement test. (Type: `GetDeliverabilityTestReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1514,7 +1497,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeliverabilityTestReportOutput.httpOutput(from:), GetDeliverabilityTestReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1546,9 +1528,9 @@ extension PinpointEmailClient { /// /// Retrieve all the deliverability data for a specific campaign. This data is available for a campaign only if the campaign sent email by using a domain that the Deliverability dashboard is enabled for (PutDeliverabilityDashboardOption operation). /// - /// - Parameter GetDomainDeliverabilityCampaignInput : Retrieve all the deliverability data for a specific campaign. This data is available for a campaign only if the campaign sent email by using a domain that the Deliverability dashboard is enabled for (PutDeliverabilityDashboardOption operation). + /// - Parameter input: Retrieve all the deliverability data for a specific campaign. This data is available for a campaign only if the campaign sent email by using a domain that the Deliverability dashboard is enabled for (PutDeliverabilityDashboardOption operation). (Type: `GetDomainDeliverabilityCampaignInput`) /// - /// - Returns: `GetDomainDeliverabilityCampaignOutput` : An object that contains all the deliverability data for a specific campaign. This data is available for a campaign only if the campaign sent email by using a domain that the Deliverability dashboard is enabled for (PutDeliverabilityDashboardOption operation). + /// - Returns: An object that contains all the deliverability data for a specific campaign. This data is available for a campaign only if the campaign sent email by using a domain that the Deliverability dashboard is enabled for (PutDeliverabilityDashboardOption operation). (Type: `GetDomainDeliverabilityCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1581,7 +1563,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainDeliverabilityCampaignOutput.httpOutput(from:), GetDomainDeliverabilityCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1613,9 +1594,9 @@ extension PinpointEmailClient { /// /// Retrieve inbox placement and engagement rates for the domains that you use to send email. /// - /// - Parameter GetDomainStatisticsReportInput : A request to obtain deliverability metrics for a domain. + /// - Parameter input: A request to obtain deliverability metrics for a domain. (Type: `GetDomainStatisticsReportInput`) /// - /// - Returns: `GetDomainStatisticsReportOutput` : An object that includes statistics that are related to the domain that you specified. + /// - Returns: An object that includes statistics that are related to the domain that you specified. (Type: `GetDomainStatisticsReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1649,7 +1630,6 @@ extension PinpointEmailClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDomainStatisticsReportInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainStatisticsReportOutput.httpOutput(from:), GetDomainStatisticsReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1681,9 +1661,9 @@ extension PinpointEmailClient { /// /// Provides information about a specific identity associated with your Amazon Pinpoint account, including the identity's verification status, its DKIM authentication status, and its custom Mail-From settings. /// - /// - Parameter GetEmailIdentityInput : A request to return details about an email identity. + /// - Parameter input: A request to return details about an email identity. (Type: `GetEmailIdentityInput`) /// - /// - Returns: `GetEmailIdentityOutput` : Details about an email identity. + /// - Returns: Details about an email identity. (Type: `GetEmailIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1716,7 +1696,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEmailIdentityOutput.httpOutput(from:), GetEmailIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1748,9 +1727,9 @@ extension PinpointEmailClient { /// /// List all of the configuration sets associated with your Amazon Pinpoint account in the current region. In Amazon Pinpoint, configuration sets are groups of rules that you can apply to the emails you send. You apply a configuration set to an email by including a reference to the configuration set in the headers of the email. When you apply a configuration set to an email, all of the rules in that configuration set are applied to the email. /// - /// - Parameter ListConfigurationSetsInput : A request to obtain a list of configuration sets for your Amazon Pinpoint account in the current AWS Region. + /// - Parameter input: A request to obtain a list of configuration sets for your Amazon Pinpoint account in the current AWS Region. (Type: `ListConfigurationSetsInput`) /// - /// - Returns: `ListConfigurationSetsOutput` : A list of configuration sets in your Amazon Pinpoint account in the current AWS Region. + /// - Returns: A list of configuration sets in your Amazon Pinpoint account in the current AWS Region. (Type: `ListConfigurationSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1783,7 +1762,6 @@ extension PinpointEmailClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfigurationSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationSetsOutput.httpOutput(from:), ListConfigurationSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1815,9 +1793,9 @@ extension PinpointEmailClient { /// /// List all of the dedicated IP pools that exist in your Amazon Pinpoint account in the current AWS Region. /// - /// - Parameter ListDedicatedIpPoolsInput : A request to obtain a list of dedicated IP pools. + /// - Parameter input: A request to obtain a list of dedicated IP pools. (Type: `ListDedicatedIpPoolsInput`) /// - /// - Returns: `ListDedicatedIpPoolsOutput` : A list of dedicated IP pools. + /// - Returns: A list of dedicated IP pools. (Type: `ListDedicatedIpPoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1850,7 +1828,6 @@ extension PinpointEmailClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDedicatedIpPoolsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDedicatedIpPoolsOutput.httpOutput(from:), ListDedicatedIpPoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1882,9 +1859,9 @@ extension PinpointEmailClient { /// /// Show a list of the predictive inbox placement tests that you've performed, regardless of their statuses. For predictive inbox placement tests that are complete, you can use the GetDeliverabilityTestReport operation to view the results. /// - /// - Parameter ListDeliverabilityTestReportsInput : A request to list all of the predictive inbox placement tests that you've performed. + /// - Parameter input: A request to list all of the predictive inbox placement tests that you've performed. (Type: `ListDeliverabilityTestReportsInput`) /// - /// - Returns: `ListDeliverabilityTestReportsOutput` : A list of the predictive inbox placement test reports that are available for your account, regardless of whether or not those tests are complete. + /// - Returns: A list of the predictive inbox placement test reports that are available for your account, regardless of whether or not those tests are complete. (Type: `ListDeliverabilityTestReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1918,7 +1895,6 @@ extension PinpointEmailClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeliverabilityTestReportsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeliverabilityTestReportsOutput.httpOutput(from:), ListDeliverabilityTestReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1950,9 +1926,9 @@ extension PinpointEmailClient { /// /// Retrieve deliverability data for all the campaigns that used a specific domain to send email during a specified time range. This data is available for a domain only if you enabled the Deliverability dashboard (PutDeliverabilityDashboardOption operation) for the domain. /// - /// - Parameter ListDomainDeliverabilityCampaignsInput : Retrieve deliverability data for all the campaigns that used a specific domain to send email during a specified time range. This data is available for a domain only if you enabled the Deliverability dashboard (PutDeliverabilityDashboardOption operation) for the domain. + /// - Parameter input: Retrieve deliverability data for all the campaigns that used a specific domain to send email during a specified time range. This data is available for a domain only if you enabled the Deliverability dashboard (PutDeliverabilityDashboardOption operation) for the domain. (Type: `ListDomainDeliverabilityCampaignsInput`) /// - /// - Returns: `ListDomainDeliverabilityCampaignsOutput` : An array of objects that provide deliverability data for all the campaigns that used a specific domain to send email during a specified time range. This data is available for a domain only if you enabled the Deliverability dashboard (PutDeliverabilityDashboardOption operation) for the domain. + /// - Returns: An array of objects that provide deliverability data for all the campaigns that used a specific domain to send email during a specified time range. This data is available for a domain only if you enabled the Deliverability dashboard (PutDeliverabilityDashboardOption operation) for the domain. (Type: `ListDomainDeliverabilityCampaignsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1986,7 +1962,6 @@ extension PinpointEmailClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainDeliverabilityCampaignsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainDeliverabilityCampaignsOutput.httpOutput(from:), ListDomainDeliverabilityCampaignsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2018,9 +1993,9 @@ extension PinpointEmailClient { /// /// Returns a list of all of the email identities that are associated with your Amazon Pinpoint account. An identity can be either an email address or a domain. This operation returns identities that are verified as well as those that aren't. /// - /// - Parameter ListEmailIdentitiesInput : A request to list all of the email identities associated with your Amazon Pinpoint account. This list includes identities that you've already verified, identities that are unverified, and identities that were verified in the past, but are no longer verified. + /// - Parameter input: A request to list all of the email identities associated with your Amazon Pinpoint account. This list includes identities that you've already verified, identities that are unverified, and identities that were verified in the past, but are no longer verified. (Type: `ListEmailIdentitiesInput`) /// - /// - Returns: `ListEmailIdentitiesOutput` : A list of all of the identities that you've attempted to verify for use with Amazon Pinpoint, regardless of whether or not those identities were successfully verified. + /// - Returns: A list of all of the identities that you've attempted to verify for use with Amazon Pinpoint, regardless of whether or not those identities were successfully verified. (Type: `ListEmailIdentitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2053,7 +2028,6 @@ extension PinpointEmailClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEmailIdentitiesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEmailIdentitiesOutput.httpOutput(from:), ListEmailIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2085,9 +2059,9 @@ extension PinpointEmailClient { /// /// Retrieve a list of the tags (keys and values) that are associated with a specified resource. A tag is a label that you optionally define and associate with a resource in Amazon Pinpoint. Each tag consists of a required tag key and an optional associated tag value. A tag key is a general label that acts as a category for more specific tag values. A tag value acts as a descriptor within a tag key. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2121,7 +2095,6 @@ extension PinpointEmailClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2153,9 +2126,9 @@ extension PinpointEmailClient { /// /// Enable or disable the automatic warm-up feature for dedicated IP addresses. /// - /// - Parameter PutAccountDedicatedIpWarmupAttributesInput : A request to enable or disable the automatic IP address warm-up feature. + /// - Parameter input: A request to enable or disable the automatic IP address warm-up feature. (Type: `PutAccountDedicatedIpWarmupAttributesInput`) /// - /// - Returns: `PutAccountDedicatedIpWarmupAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutAccountDedicatedIpWarmupAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2190,7 +2163,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountDedicatedIpWarmupAttributesOutput.httpOutput(from:), PutAccountDedicatedIpWarmupAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2222,9 +2194,9 @@ extension PinpointEmailClient { /// /// Enable or disable the ability of your account to send email. /// - /// - Parameter PutAccountSendingAttributesInput : A request to change the ability of your account to send email. + /// - Parameter input: A request to change the ability of your account to send email. (Type: `PutAccountSendingAttributesInput`) /// - /// - Returns: `PutAccountSendingAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutAccountSendingAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2259,7 +2231,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountSendingAttributesOutput.httpOutput(from:), PutAccountSendingAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2291,9 +2262,9 @@ extension PinpointEmailClient { /// /// Associate a configuration set with a dedicated IP pool. You can use dedicated IP pools to create groups of dedicated IP addresses for sending specific types of email. /// - /// - Parameter PutConfigurationSetDeliveryOptionsInput : A request to associate a configuration set with a dedicated IP pool. + /// - Parameter input: A request to associate a configuration set with a dedicated IP pool. (Type: `PutConfigurationSetDeliveryOptionsInput`) /// - /// - Returns: `PutConfigurationSetDeliveryOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetDeliveryOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2329,7 +2300,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetDeliveryOptionsOutput.httpOutput(from:), PutConfigurationSetDeliveryOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2361,9 +2331,9 @@ extension PinpointEmailClient { /// /// Enable or disable collection of reputation metrics for emails that you send using a particular configuration set in a specific AWS Region. /// - /// - Parameter PutConfigurationSetReputationOptionsInput : A request to enable or disable tracking of reputation metrics for a configuration set. + /// - Parameter input: A request to enable or disable tracking of reputation metrics for a configuration set. (Type: `PutConfigurationSetReputationOptionsInput`) /// - /// - Returns: `PutConfigurationSetReputationOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetReputationOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2399,7 +2369,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetReputationOptionsOutput.httpOutput(from:), PutConfigurationSetReputationOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2431,9 +2400,9 @@ extension PinpointEmailClient { /// /// Enable or disable email sending for messages that use a particular configuration set in a specific AWS Region. /// - /// - Parameter PutConfigurationSetSendingOptionsInput : A request to enable or disable the ability of Amazon Pinpoint to send emails that use a specific configuration set. + /// - Parameter input: A request to enable or disable the ability of Amazon Pinpoint to send emails that use a specific configuration set. (Type: `PutConfigurationSetSendingOptionsInput`) /// - /// - Returns: `PutConfigurationSetSendingOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetSendingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2469,7 +2438,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetSendingOptionsOutput.httpOutput(from:), PutConfigurationSetSendingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2501,9 +2469,9 @@ extension PinpointEmailClient { /// /// Specify a custom domain to use for open and click tracking elements in email that you send using Amazon Pinpoint. /// - /// - Parameter PutConfigurationSetTrackingOptionsInput : A request to add a custom domain for tracking open and click events to a configuration set. + /// - Parameter input: A request to add a custom domain for tracking open and click events to a configuration set. (Type: `PutConfigurationSetTrackingOptionsInput`) /// - /// - Returns: `PutConfigurationSetTrackingOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetTrackingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2539,7 +2507,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetTrackingOptionsOutput.httpOutput(from:), PutConfigurationSetTrackingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2571,9 +2538,9 @@ extension PinpointEmailClient { /// /// Move a dedicated IP address to an existing dedicated IP pool. The dedicated IP address that you specify must already exist, and must be associated with your Amazon Pinpoint account. The dedicated IP pool you specify must already exist. You can create a new pool by using the CreateDedicatedIpPool operation. /// - /// - Parameter PutDedicatedIpInPoolInput : A request to move a dedicated IP address to a dedicated IP pool. + /// - Parameter input: A request to move a dedicated IP address to a dedicated IP pool. (Type: `PutDedicatedIpInPoolInput`) /// - /// - Returns: `PutDedicatedIpInPoolOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutDedicatedIpInPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2609,7 +2576,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDedicatedIpInPoolOutput.httpOutput(from:), PutDedicatedIpInPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2641,9 +2607,9 @@ extension PinpointEmailClient { /// /// /// - /// - Parameter PutDedicatedIpWarmupAttributesInput : A request to change the warm-up attributes for a dedicated IP address. This operation is useful when you want to resume the warm-up process for an existing IP address. + /// - Parameter input: A request to change the warm-up attributes for a dedicated IP address. This operation is useful when you want to resume the warm-up process for an existing IP address. (Type: `PutDedicatedIpWarmupAttributesInput`) /// - /// - Returns: `PutDedicatedIpWarmupAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutDedicatedIpWarmupAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2679,7 +2645,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDedicatedIpWarmupAttributesOutput.httpOutput(from:), PutDedicatedIpWarmupAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2711,9 +2676,9 @@ extension PinpointEmailClient { /// /// Enable or disable the Deliverability dashboard for your Amazon Pinpoint account. When you enable the Deliverability dashboard, you gain access to reputation, deliverability, and other metrics for the domains that you use to send email using Amazon Pinpoint. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon Pinpoint. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon Pinpoint Pricing](http://aws.amazon.com/pinpoint/pricing/). /// - /// - Parameter PutDeliverabilityDashboardOptionInput : Enable or disable the Deliverability dashboard for your Amazon Pinpoint account. When you enable the Deliverability dashboard, you gain access to reputation, deliverability, and other metrics for the domains that you use to send email using Amazon Pinpoint. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon Pinpoint. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon Pinpoint Pricing](http://aws.amazon.com/pinpoint/pricing/). + /// - Parameter input: Enable or disable the Deliverability dashboard for your Amazon Pinpoint account. When you enable the Deliverability dashboard, you gain access to reputation, deliverability, and other metrics for the domains that you use to send email using Amazon Pinpoint. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon Pinpoint. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon Pinpoint Pricing](http://aws.amazon.com/pinpoint/pricing/). (Type: `PutDeliverabilityDashboardOptionInput`) /// - /// - Returns: `PutDeliverabilityDashboardOptionOutput` : A response that indicates whether the Deliverability dashboard is enabled for your Amazon Pinpoint account. + /// - Returns: A response that indicates whether the Deliverability dashboard is enabled for your Amazon Pinpoint account. (Type: `PutDeliverabilityDashboardOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2751,7 +2716,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDeliverabilityDashboardOptionOutput.httpOutput(from:), PutDeliverabilityDashboardOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2783,9 +2747,9 @@ extension PinpointEmailClient { /// /// Used to enable or disable DKIM authentication for an email identity. /// - /// - Parameter PutEmailIdentityDkimAttributesInput : A request to enable or disable DKIM signing of email that you send from an email identity. + /// - Parameter input: A request to enable or disable DKIM signing of email that you send from an email identity. (Type: `PutEmailIdentityDkimAttributesInput`) /// - /// - Returns: `PutEmailIdentityDkimAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutEmailIdentityDkimAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2821,7 +2785,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEmailIdentityDkimAttributesOutput.httpOutput(from:), PutEmailIdentityDkimAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2853,9 +2816,9 @@ extension PinpointEmailClient { /// /// Used to enable or disable feedback forwarding for an identity. This setting determines what happens when an identity is used to send an email that results in a bounce or complaint event. When you enable feedback forwarding, Amazon Pinpoint sends you email notifications when bounce or complaint events occur. Amazon Pinpoint sends this notification to the address that you specified in the Return-Path header of the original email. When you disable feedback forwarding, Amazon Pinpoint sends notifications through other mechanisms, such as by notifying an Amazon SNS topic. You're required to have a method of tracking bounces and complaints. If you haven't set up another mechanism for receiving bounce or complaint notifications, Amazon Pinpoint sends an email notification when these events occur (even if this setting is disabled). /// - /// - Parameter PutEmailIdentityFeedbackAttributesInput : A request to set the attributes that control how bounce and complaint events are processed. + /// - Parameter input: A request to set the attributes that control how bounce and complaint events are processed. (Type: `PutEmailIdentityFeedbackAttributesInput`) /// - /// - Returns: `PutEmailIdentityFeedbackAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutEmailIdentityFeedbackAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2891,7 +2854,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEmailIdentityFeedbackAttributesOutput.httpOutput(from:), PutEmailIdentityFeedbackAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2923,9 +2885,9 @@ extension PinpointEmailClient { /// /// Used to enable or disable the custom Mail-From domain configuration for an email identity. /// - /// - Parameter PutEmailIdentityMailFromAttributesInput : A request to configure the custom MAIL FROM domain for a verified identity. + /// - Parameter input: A request to configure the custom MAIL FROM domain for a verified identity. (Type: `PutEmailIdentityMailFromAttributesInput`) /// - /// - Returns: `PutEmailIdentityMailFromAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutEmailIdentityMailFromAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2961,7 +2923,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEmailIdentityMailFromAttributesOutput.httpOutput(from:), PutEmailIdentityMailFromAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2997,9 +2958,9 @@ extension PinpointEmailClient { /// /// * Raw – A raw, MIME-formatted email message. When you send this type of email, you have to specify all of the message headers, as well as the message body. You can use this message type to send messages that contain attachments. The message that you specify has to be a valid MIME message. /// - /// - Parameter SendEmailInput : A request to send an email message. + /// - Parameter input: A request to send an email message. (Type: `SendEmailInput`) /// - /// - Returns: `SendEmailOutput` : A unique message ID that you receive when Amazon Pinpoint accepts an email for sending. + /// - Returns: A unique message ID that you receive when Amazon Pinpoint accepts an email for sending. (Type: `SendEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3040,7 +3001,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendEmailOutput.httpOutput(from:), SendEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3072,9 +3032,9 @@ extension PinpointEmailClient { /// /// Add one or more tags (keys and values) to a specified resource. A tag is a label that you optionally define and associate with a resource in Amazon Pinpoint. Tags can help you categorize and manage resources in different ways, such as by purpose, owner, environment, or other criteria. A resource can have as many as 50 tags. Each tag consists of a required tag key and an associated tag value, both of which you define. A tag key is a general label that acts as a category for more specific tag values. A tag value acts as a descriptor within a tag key. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3111,7 +3071,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3143,9 +3102,9 @@ extension PinpointEmailClient { /// /// Remove one or more tags (keys and values) from a specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3180,7 +3139,6 @@ extension PinpointEmailClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3212,9 +3170,9 @@ extension PinpointEmailClient { /// /// Update the configuration of an event destination for a configuration set. In Amazon Pinpoint, events include message sends, deliveries, opens, clicks, bounces, and complaints. Event destinations are places that you can send information about these events to. For example, you can send event data to Amazon SNS to receive notifications when you receive bounces or complaints, or you can use Amazon Kinesis Data Firehose to stream data to Amazon S3 for long-term storage. /// - /// - Parameter UpdateConfigurationSetEventDestinationInput : A request to change the settings for an event destination for a configuration set. + /// - Parameter input: A request to change the settings for an event destination for a configuration set. (Type: `UpdateConfigurationSetEventDestinationInput`) /// - /// - Returns: `UpdateConfigurationSetEventDestinationOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `UpdateConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3250,7 +3208,6 @@ extension PinpointEmailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationSetEventDestinationOutput.httpOutput(from:), UpdateConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPinpointSMSVoice/Sources/AWSPinpointSMSVoice/PinpointSMSVoiceClient.swift b/Sources/Services/AWSPinpointSMSVoice/Sources/AWSPinpointSMSVoice/PinpointSMSVoiceClient.swift index f325f860f04..79d65824779 100644 --- a/Sources/Services/AWSPinpointSMSVoice/Sources/AWSPinpointSMSVoice/PinpointSMSVoiceClient.swift +++ b/Sources/Services/AWSPinpointSMSVoice/Sources/AWSPinpointSMSVoice/PinpointSMSVoiceClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PinpointSMSVoiceClient: ClientRuntime.Client { public static let clientName = "PinpointSMSVoiceClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PinpointSMSVoiceClient.PinpointSMSVoiceClientConfiguration let serviceName = "Pinpoint SMS Voice" @@ -373,9 +372,9 @@ extension PinpointSMSVoiceClient { /// /// Create a new configuration set. After you create the configuration set, you can add one or more event destinations to it. /// - /// - Parameter CreateConfigurationSetInput : A request to create a new configuration set. + /// - Parameter input: A request to create a new configuration set. (Type: `CreateConfigurationSetInput`) /// - /// - Returns: `CreateConfigurationSetOutput` : An empty object that indicates that the configuration set was successfully created. + /// - Returns: An empty object that indicates that the configuration set was successfully created. (Type: `CreateConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension PinpointSMSVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationSetOutput.httpOutput(from:), CreateConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension PinpointSMSVoiceClient { /// /// Create a new event destination in a configuration set. /// - /// - Parameter CreateConfigurationSetEventDestinationInput : Create a new event destination in a configuration set. + /// - Parameter input: Create a new event destination in a configuration set. (Type: `CreateConfigurationSetEventDestinationInput`) /// - /// - Returns: `CreateConfigurationSetEventDestinationOutput` : An empty object that indicates that the event destination was created successfully. + /// - Returns: An empty object that indicates that the event destination was created successfully. (Type: `CreateConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension PinpointSMSVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationSetEventDestinationOutput.httpOutput(from:), CreateConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension PinpointSMSVoiceClient { /// /// Deletes an existing configuration set. /// - /// - Parameter DeleteConfigurationSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfigurationSetInput`) /// - /// - Returns: `DeleteConfigurationSetOutput` : An empty object that indicates that the configuration set was deleted successfully. + /// - Returns: An empty object that indicates that the configuration set was deleted successfully. (Type: `DeleteConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension PinpointSMSVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationSetOutput.httpOutput(from:), DeleteConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension PinpointSMSVoiceClient { /// /// Deletes an event destination in a configuration set. /// - /// - Parameter DeleteConfigurationSetEventDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfigurationSetEventDestinationInput`) /// - /// - Returns: `DeleteConfigurationSetEventDestinationOutput` : An empty object that indicates that the event destination was deleted successfully. + /// - Returns: An empty object that indicates that the event destination was deleted successfully. (Type: `DeleteConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -622,7 +618,6 @@ extension PinpointSMSVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationSetEventDestinationOutput.httpOutput(from:), DeleteConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -654,9 +649,9 @@ extension PinpointSMSVoiceClient { /// /// Obtain information about an event destination, including the types of events it reports, the Amazon Resource Name (ARN) of the destination, and the name of the event destination. /// - /// - Parameter GetConfigurationSetEventDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigurationSetEventDestinationsInput`) /// - /// - Returns: `GetConfigurationSetEventDestinationsOutput` : An object that contains information about an event destination. + /// - Returns: An object that contains information about an event destination. (Type: `GetConfigurationSetEventDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -690,7 +685,6 @@ extension PinpointSMSVoiceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationSetEventDestinationsOutput.httpOutput(from:), GetConfigurationSetEventDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension PinpointSMSVoiceClient { /// /// List all of the configuration sets associated with your Amazon Pinpoint account in the current region. /// - /// - Parameter ListConfigurationSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationSetsInput`) /// - /// - Returns: `ListConfigurationSetsOutput` : An object that contains information about the configuration sets for your account in the current region. + /// - Returns: An object that contains information about the configuration sets for your account in the current region. (Type: `ListConfigurationSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -758,7 +752,6 @@ extension PinpointSMSVoiceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfigurationSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationSetsOutput.httpOutput(from:), ListConfigurationSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -790,9 +783,9 @@ extension PinpointSMSVoiceClient { /// /// Create a new voice message and send it to a recipient's phone number. /// - /// - Parameter SendVoiceMessageInput : SendVoiceMessageRequest + /// - Parameter input: SendVoiceMessageRequest (Type: `SendVoiceMessageInput`) /// - /// - Returns: `SendVoiceMessageOutput` : An object that that contains the Message ID of a Voice message that was sent successfully. + /// - Returns: An object that that contains the Message ID of a Voice message that was sent successfully. (Type: `SendVoiceMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -828,7 +821,6 @@ extension PinpointSMSVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendVoiceMessageOutput.httpOutput(from:), SendVoiceMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -860,9 +852,9 @@ extension PinpointSMSVoiceClient { /// /// Update an event destination in a configuration set. An event destination is a location that you publish information about your voice calls to. For example, you can log an event to an Amazon CloudWatch destination when a call fails. /// - /// - Parameter UpdateConfigurationSetEventDestinationInput : UpdateConfigurationSetEventDestinationRequest + /// - Parameter input: UpdateConfigurationSetEventDestinationRequest (Type: `UpdateConfigurationSetEventDestinationInput`) /// - /// - Returns: `UpdateConfigurationSetEventDestinationOutput` : An empty object that indicates that the event destination was updated successfully. + /// - Returns: An empty object that indicates that the event destination was updated successfully. (Type: `UpdateConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -899,7 +891,6 @@ extension PinpointSMSVoiceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationSetEventDestinationOutput.httpOutput(from:), UpdateConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPinpointSMSVoiceV2/Sources/AWSPinpointSMSVoiceV2/PinpointSMSVoiceV2Client.swift b/Sources/Services/AWSPinpointSMSVoiceV2/Sources/AWSPinpointSMSVoiceV2/PinpointSMSVoiceV2Client.swift index cfa9cb00359..38f506b694e 100644 --- a/Sources/Services/AWSPinpointSMSVoiceV2/Sources/AWSPinpointSMSVoiceV2/PinpointSMSVoiceV2Client.swift +++ b/Sources/Services/AWSPinpointSMSVoiceV2/Sources/AWSPinpointSMSVoiceV2/PinpointSMSVoiceV2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PinpointSMSVoiceV2Client: ClientRuntime.Client { public static let clientName = "PinpointSMSVoiceV2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PinpointSMSVoiceV2Client.PinpointSMSVoiceV2ClientConfiguration let serviceName = "Pinpoint SMS Voice V2" @@ -375,9 +374,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter AssociateOriginationIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateOriginationIdentityInput`) /// - /// - Returns: `AssociateOriginationIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateOriginationIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateOriginationIdentityOutput.httpOutput(from:), AssociateOriginationIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter AssociateProtectConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateProtectConfigurationInput`) /// - /// - Returns: `AssociateProtectConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateProtectConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateProtectConfigurationOutput.httpOutput(from:), AssociateProtectConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter CreateConfigurationSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfigurationSetInput`) /// - /// - Returns: `CreateConfigurationSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationSetOutput.httpOutput(from:), CreateConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -600,9 +596,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter CreateEventDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEventDestinationInput`) /// - /// - Returns: `CreateEventDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -641,7 +637,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventDestinationOutput.httpOutput(from:), CreateEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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 ](https://docs.aws.amazon.com/pinpoint/latest/userguide/channels-sms-manage.html#channels-sms-manage-optout) in the AWS End User Messaging SMS User Guide. /// - /// - Parameter CreateOptOutListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOptOutListInput`) /// - /// - Returns: `CreateOptOutListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOptOutListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -716,7 +711,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOptOutListOutput.httpOutput(from:), CreateOptOutListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -751,9 +745,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter CreatePoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePoolInput`) /// - /// - Returns: `CreatePoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -792,7 +786,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePoolOutput.httpOutput(from:), CreatePoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -827,9 +820,9 @@ extension PinpointSMSVoiceV2Client { /// /// Create a new protect configuration. By default all country rule sets for each capability are set to ALLOW. Update the country rule sets using UpdateProtectConfigurationCountryRuleSet. A protect configurations name is stored as a Tag with the key set to Name and value as the name of the protect configuration. /// - /// - Parameter CreateProtectConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProtectConfigurationInput`) /// - /// - Returns: `CreateProtectConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProtectConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -867,7 +860,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProtectConfigurationOutput.httpOutput(from:), CreateProtectConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -902,9 +894,9 @@ extension PinpointSMSVoiceV2Client { /// /// Creates a new registration based on the RegistrationType field. /// - /// - Parameter CreateRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegistrationInput`) /// - /// - Returns: `CreateRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -942,7 +934,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegistrationOutput.httpOutput(from:), CreateRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -977,9 +968,9 @@ extension PinpointSMSVoiceV2Client { /// /// Associate the registration with an origination identity such as a phone number or sender ID. /// - /// - Parameter CreateRegistrationAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegistrationAssociationInput`) /// - /// - Returns: `CreateRegistrationAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegistrationAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1017,7 +1008,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegistrationAssociationOutput.httpOutput(from:), CreateRegistrationAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1052,9 +1042,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter CreateRegistrationAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegistrationAttachmentInput`) /// - /// - Returns: `CreateRegistrationAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegistrationAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1092,7 +1082,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegistrationAttachmentOutput.httpOutput(from:), CreateRegistrationAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1127,9 +1116,9 @@ extension PinpointSMSVoiceV2Client { /// /// Create a new version of the registration and increase the VersionNumber. The previous version of the registration becomes read-only. /// - /// - Parameter CreateRegistrationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegistrationVersionInput`) /// - /// - Returns: `CreateRegistrationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegistrationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1167,7 +1156,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegistrationVersionOutput.httpOutput(from:), CreateRegistrationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1202,9 +1190,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter CreateVerifiedDestinationNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVerifiedDestinationNumberInput`) /// - /// - Returns: `CreateVerifiedDestinationNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVerifiedDestinationNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1242,7 +1230,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVerifiedDestinationNumberOutput.httpOutput(from:), CreateVerifiedDestinationNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1277,9 +1264,9 @@ extension PinpointSMSVoiceV2Client { /// /// Removes the current account default protect configuration. /// - /// - Parameter DeleteAccountDefaultProtectConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountDefaultProtectConfigurationInput`) /// - /// - Returns: `DeleteAccountDefaultProtectConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountDefaultProtectConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1315,7 +1302,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountDefaultProtectConfigurationOutput.httpOutput(from:), DeleteAccountDefaultProtectConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1350,9 +1336,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DeleteConfigurationSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfigurationSetInput`) /// - /// - Returns: `DeleteConfigurationSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1388,7 +1374,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationSetOutput.httpOutput(from:), DeleteConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1423,9 +1408,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DeleteDefaultMessageTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDefaultMessageTypeInput`) /// - /// - Returns: `DeleteDefaultMessageTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDefaultMessageTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1461,7 +1446,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDefaultMessageTypeOutput.httpOutput(from:), DeleteDefaultMessageTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1480,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DeleteDefaultSenderIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDefaultSenderIdInput`) /// - /// - Returns: `DeleteDefaultSenderIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDefaultSenderIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1534,7 +1518,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDefaultSenderIdOutput.httpOutput(from:), DeleteDefaultSenderIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1569,9 +1552,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DeleteEventDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEventDestinationInput`) /// - /// - Returns: `DeleteEventDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1607,7 +1590,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventDestinationOutput.httpOutput(from:), DeleteEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1642,9 +1624,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DeleteKeywordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKeywordInput`) /// - /// - Returns: `DeleteKeywordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKeywordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1681,7 +1663,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKeywordOutput.httpOutput(from:), DeleteKeywordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1716,9 +1697,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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](https://docs.aws.amazon.com/sms-voice/latest/userguide/quotas.html) in the Server Migration Service User Guide. /// - /// - Parameter DeleteMediaMessageSpendLimitOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMediaMessageSpendLimitOverrideInput`) /// - /// - Returns: `DeleteMediaMessageSpendLimitOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMediaMessageSpendLimitOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1753,7 +1734,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMediaMessageSpendLimitOverrideOutput.httpOutput(from:), DeleteMediaMessageSpendLimitOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1788,9 +1768,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DeleteOptOutListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOptOutListInput`) /// - /// - Returns: `DeleteOptOutListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOptOutListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1827,7 +1807,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOptOutListOutput.httpOutput(from:), DeleteOptOutListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1862,9 +1841,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DeleteOptedOutNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOptedOutNumberInput`) /// - /// - Returns: `DeleteOptedOutNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOptedOutNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1901,7 +1880,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOptedOutNumberOutput.httpOutput(from:), DeleteOptedOutNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1936,9 +1914,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DeletePoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePoolInput`) /// - /// - Returns: `DeletePoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1975,7 +1953,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePoolOutput.httpOutput(from:), DeletePoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2010,9 +1987,9 @@ extension PinpointSMSVoiceV2Client { /// /// Permanently delete the protect configuration. The protect configuration must have deletion protection disabled and must not be associated as the account default protect configuration or associated with a configuration set. /// - /// - Parameter DeleteProtectConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProtectConfigurationInput`) /// - /// - Returns: `DeleteProtectConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProtectConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2049,7 +2026,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProtectConfigurationOutput.httpOutput(from:), DeleteProtectConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2084,9 +2060,9 @@ extension PinpointSMSVoiceV2Client { /// /// Permanently delete the protect configuration rule set number override. /// - /// - Parameter DeleteProtectConfigurationRuleSetNumberOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProtectConfigurationRuleSetNumberOverrideInput`) /// - /// - Returns: `DeleteProtectConfigurationRuleSetNumberOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProtectConfigurationRuleSetNumberOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2122,7 +2098,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProtectConfigurationRuleSetNumberOverrideOutput.httpOutput(from:), DeleteProtectConfigurationRuleSetNumberOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2157,9 +2132,9 @@ extension PinpointSMSVoiceV2Client { /// /// Permanently delete an existing registration from your account. /// - /// - Parameter DeleteRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegistrationInput`) /// - /// - Returns: `DeleteRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2196,7 +2171,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegistrationOutput.httpOutput(from:), DeleteRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2231,9 +2205,9 @@ extension PinpointSMSVoiceV2Client { /// /// Permanently delete the specified registration attachment. /// - /// - Parameter DeleteRegistrationAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegistrationAttachmentInput`) /// - /// - Returns: `DeleteRegistrationAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegistrationAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2270,7 +2244,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegistrationAttachmentOutput.httpOutput(from:), DeleteRegistrationAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2305,9 +2278,9 @@ extension PinpointSMSVoiceV2Client { /// /// Delete the value in a registration form field. /// - /// - Parameter DeleteRegistrationFieldValueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegistrationFieldValueInput`) /// - /// - Returns: `DeleteRegistrationFieldValueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegistrationFieldValueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2344,7 +2317,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegistrationFieldValueOutput.httpOutput(from:), DeleteRegistrationFieldValueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2379,9 +2351,9 @@ extension PinpointSMSVoiceV2Client { /// /// Deletes the resource-based policy document attached to the AWS End User Messaging SMS and Voice resource. A shared resource can be a Pool, Opt-out list, Sender Id, or Phone number. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2417,7 +2389,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2452,9 +2423,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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 ](https://docs.aws.amazon.com/sms-voice/latest/userguide/quotas.html) in the AWS End User Messaging SMS User Guide. /// - /// - Parameter DeleteTextMessageSpendLimitOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTextMessageSpendLimitOverrideInput`) /// - /// - Returns: `DeleteTextMessageSpendLimitOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTextMessageSpendLimitOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2489,7 +2460,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTextMessageSpendLimitOverrideOutput.httpOutput(from:), DeleteTextMessageSpendLimitOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2524,9 +2494,9 @@ extension PinpointSMSVoiceV2Client { /// /// Delete a verified destination phone number. /// - /// - Parameter DeleteVerifiedDestinationNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVerifiedDestinationNumberInput`) /// - /// - Returns: `DeleteVerifiedDestinationNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVerifiedDestinationNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2563,7 +2533,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVerifiedDestinationNumberOutput.httpOutput(from:), DeleteVerifiedDestinationNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2598,9 +2567,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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 ](https://docs.aws.amazon.com/sms-voice/latest/userguide/quotas.html) in the AWS End User Messaging SMS User Guide. /// - /// - Parameter DeleteVoiceMessageSpendLimitOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVoiceMessageSpendLimitOverrideInput`) /// - /// - Returns: `DeleteVoiceMessageSpendLimitOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVoiceMessageSpendLimitOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2635,7 +2604,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVoiceMessageSpendLimitOverrideOutput.httpOutput(from:), DeleteVoiceMessageSpendLimitOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2670,9 +2638,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DescribeAccountAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountAttributesInput`) /// - /// - Returns: `DescribeAccountAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2707,7 +2675,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountAttributesOutput.httpOutput(from:), DescribeAccountAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2742,9 +2709,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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 ](https://docs.aws.amazon.com/sms-voice/latest/userguide/quotas.html) in the AWS End User Messaging SMS User Guide. /// - /// - Parameter DescribeAccountLimitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountLimitsInput`) /// - /// - Returns: `DescribeAccountLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2779,7 +2746,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountLimitsOutput.httpOutput(from:), DescribeAccountLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2814,9 +2780,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DescribeConfigurationSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConfigurationSetsInput`) /// - /// - Returns: `DescribeConfigurationSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConfigurationSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2852,7 +2818,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationSetsOutput.httpOutput(from:), DescribeConfigurationSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2887,9 +2852,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DescribeKeywordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeKeywordsInput`) /// - /// - Returns: `DescribeKeywordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeKeywordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2925,7 +2890,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeKeywordsOutput.httpOutput(from:), DescribeKeywordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2960,9 +2924,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DescribeOptOutListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOptOutListsInput`) /// - /// - Returns: `DescribeOptOutListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOptOutListsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2998,7 +2962,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOptOutListsOutput.httpOutput(from:), DescribeOptOutListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3033,9 +2996,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DescribeOptedOutNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOptedOutNumbersInput`) /// - /// - Returns: `DescribeOptedOutNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOptedOutNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3071,7 +3034,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOptedOutNumbersOutput.httpOutput(from:), DescribeOptedOutNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3106,9 +3068,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DescribePhoneNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePhoneNumbersInput`) /// - /// - Returns: `DescribePhoneNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePhoneNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3144,7 +3106,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePhoneNumbersOutput.httpOutput(from:), DescribePhoneNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3179,9 +3140,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DescribePoolsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePoolsInput`) /// - /// - Returns: `DescribePoolsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3217,7 +3178,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePoolsOutput.httpOutput(from:), DescribePoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3252,9 +3212,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieves the protect configurations that match any of filters. If a filter isn’t provided then all protect configurations are returned. /// - /// - Parameter DescribeProtectConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProtectConfigurationsInput`) /// - /// - Returns: `DescribeProtectConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProtectConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3290,7 +3250,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProtectConfigurationsOutput.httpOutput(from:), DescribeProtectConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3325,9 +3284,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieves the specified registration attachments or all registration attachments associated with your Amazon Web Services account. /// - /// - Parameter DescribeRegistrationAttachmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegistrationAttachmentsInput`) /// - /// - Returns: `DescribeRegistrationAttachmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegistrationAttachmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3363,7 +3322,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegistrationAttachmentsOutput.httpOutput(from:), DescribeRegistrationAttachmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3398,9 +3356,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieves the specified registration type field definitions. You can use DescribeRegistrationFieldDefinitions to view the requirements for creating, filling out, and submitting each registration type. /// - /// - Parameter DescribeRegistrationFieldDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegistrationFieldDefinitionsInput`) /// - /// - Returns: `DescribeRegistrationFieldDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegistrationFieldDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3435,7 +3393,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegistrationFieldDefinitionsOutput.httpOutput(from:), DescribeRegistrationFieldDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3470,9 +3427,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieves the specified registration field values. /// - /// - Parameter DescribeRegistrationFieldValuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegistrationFieldValuesInput`) /// - /// - Returns: `DescribeRegistrationFieldValuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegistrationFieldValuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3508,7 +3465,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegistrationFieldValuesOutput.httpOutput(from:), DescribeRegistrationFieldValuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3543,9 +3499,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieves the specified registration section definitions. You can use DescribeRegistrationSectionDefinitions to view the requirements for creating, filling out, and submitting each registration type. /// - /// - Parameter DescribeRegistrationSectionDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegistrationSectionDefinitionsInput`) /// - /// - Returns: `DescribeRegistrationSectionDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegistrationSectionDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3580,7 +3536,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegistrationSectionDefinitionsOutput.httpOutput(from:), DescribeRegistrationSectionDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3615,9 +3570,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieves the specified registration type definitions. You can use DescribeRegistrationTypeDefinitions to view the requirements for creating, filling out, and submitting each registration type. /// - /// - Parameter DescribeRegistrationTypeDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegistrationTypeDefinitionsInput`) /// - /// - Returns: `DescribeRegistrationTypeDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegistrationTypeDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3652,7 +3607,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegistrationTypeDefinitionsOutput.httpOutput(from:), DescribeRegistrationTypeDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3687,9 +3641,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieves the specified registration version. /// - /// - Parameter DescribeRegistrationVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegistrationVersionsInput`) /// - /// - Returns: `DescribeRegistrationVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegistrationVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3725,7 +3679,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegistrationVersionsOutput.httpOutput(from:), DescribeRegistrationVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3760,9 +3713,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieves the specified registrations. /// - /// - Parameter DescribeRegistrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegistrationsInput`) /// - /// - Returns: `DescribeRegistrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegistrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3798,7 +3751,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegistrationsOutput.httpOutput(from:), DescribeRegistrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3833,9 +3785,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter DescribeSenderIdsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSenderIdsInput`) /// - /// - Returns: `DescribeSenderIdsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSenderIdsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3871,7 +3823,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSenderIdsOutput.httpOutput(from:), DescribeSenderIdsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3906,9 +3857,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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 ](https://docs.aws.amazon.com/sms-voice/latest/userguide/awssupport-spend-threshold.html) in the AWS End User Messaging SMS User Guide. /// - /// - Parameter DescribeSpendLimitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSpendLimitsInput`) /// - /// - Returns: `DescribeSpendLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSpendLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3943,7 +3894,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSpendLimitsOutput.httpOutput(from:), DescribeSpendLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3978,9 +3928,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieves the specified verified destination numbers. /// - /// - Parameter DescribeVerifiedDestinationNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVerifiedDestinationNumbersInput`) /// - /// - Returns: `DescribeVerifiedDestinationNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVerifiedDestinationNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4016,7 +3966,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVerifiedDestinationNumbersOutput.httpOutput(from:), DescribeVerifiedDestinationNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4051,9 +4000,9 @@ extension PinpointSMSVoiceV2Client { /// /// Removes the specified origination identity from an existing pool. If the origination identity isn't associated with the specified pool, an error is returned. /// - /// - Parameter DisassociateOriginationIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateOriginationIdentityInput`) /// - /// - Returns: `DisassociateOriginationIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateOriginationIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4091,7 +4040,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateOriginationIdentityOutput.httpOutput(from:), DisassociateOriginationIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4126,9 +4074,9 @@ extension PinpointSMSVoiceV2Client { /// /// Disassociate a protect configuration from a configuration set. /// - /// - Parameter DisassociateProtectConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateProtectConfigurationInput`) /// - /// - Returns: `DisassociateProtectConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateProtectConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4165,7 +4113,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateProtectConfigurationOutput.httpOutput(from:), DisassociateProtectConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4200,9 +4147,9 @@ extension PinpointSMSVoiceV2Client { /// /// Discard the current version of the registration. /// - /// - Parameter DiscardRegistrationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DiscardRegistrationVersionInput`) /// - /// - Returns: `DiscardRegistrationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DiscardRegistrationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4239,7 +4186,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DiscardRegistrationVersionOutput.httpOutput(from:), DiscardRegistrationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4274,9 +4220,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieve the CountryRuleSet for the specified NumberCapability from a protect configuration. /// - /// - Parameter GetProtectConfigurationCountryRuleSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProtectConfigurationCountryRuleSetInput`) /// - /// - Returns: `GetProtectConfigurationCountryRuleSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProtectConfigurationCountryRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4312,7 +4258,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProtectConfigurationCountryRuleSetOutput.httpOutput(from:), GetProtectConfigurationCountryRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4347,9 +4292,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieves the JSON text of the resource-based policy document attached to the AWS End User Messaging SMS and Voice resource. A shared resource can be a Pool, Opt-out list, Sender Id, or Phone number. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4385,7 +4330,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4420,9 +4364,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter ListPoolOriginationIdentitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPoolOriginationIdentitiesInput`) /// - /// - Returns: `ListPoolOriginationIdentitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPoolOriginationIdentitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4458,7 +4402,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPoolOriginationIdentitiesOutput.httpOutput(from:), ListPoolOriginationIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4493,9 +4436,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieve all of the protect configuration rule set number overrides that match the filters. /// - /// - Parameter ListProtectConfigurationRuleSetNumberOverridesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProtectConfigurationRuleSetNumberOverridesInput`) /// - /// - Returns: `ListProtectConfigurationRuleSetNumberOverridesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProtectConfigurationRuleSetNumberOverridesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4531,7 +4474,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProtectConfigurationRuleSetNumberOverridesOutput.httpOutput(from:), ListProtectConfigurationRuleSetNumberOverridesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4566,9 +4508,9 @@ extension PinpointSMSVoiceV2Client { /// /// Retrieve all of the origination identities that are associated with a registration. /// - /// - Parameter ListRegistrationAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegistrationAssociationsInput`) /// - /// - Returns: `ListRegistrationAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegistrationAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4604,7 +4546,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegistrationAssociationsOutput.httpOutput(from:), ListRegistrationAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4639,9 +4580,9 @@ extension PinpointSMSVoiceV2Client { /// /// List all tags associated with a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4677,7 +4618,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4712,9 +4652,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter PutKeywordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutKeywordInput`) /// - /// - Returns: `PutKeywordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutKeywordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4752,7 +4692,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutKeywordOutput.httpOutput(from:), PutKeywordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4787,9 +4726,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter PutMessageFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMessageFeedbackInput`) /// - /// - Returns: `PutMessageFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMessageFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4825,7 +4764,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMessageFeedbackOutput.httpOutput(from:), PutMessageFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4860,9 +4798,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter PutOptedOutNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutOptedOutNumberInput`) /// - /// - Returns: `PutOptedOutNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutOptedOutNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4898,7 +4836,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutOptedOutNumberOutput.httpOutput(from:), PutOptedOutNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4933,9 +4870,9 @@ extension PinpointSMSVoiceV2Client { /// /// Create or update a phone number rule override and associate it with a protect configuration. /// - /// - Parameter PutProtectConfigurationRuleSetNumberOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutProtectConfigurationRuleSetNumberOverrideInput`) /// - /// - Returns: `PutProtectConfigurationRuleSetNumberOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutProtectConfigurationRuleSetNumberOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4973,7 +4910,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutProtectConfigurationRuleSetNumberOverrideOutput.httpOutput(from:), PutProtectConfigurationRuleSetNumberOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5008,9 +4944,9 @@ extension PinpointSMSVoiceV2Client { /// /// Creates or updates a field value for a registration. /// - /// - Parameter PutRegistrationFieldValueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRegistrationFieldValueInput`) /// - /// - Returns: `PutRegistrationFieldValueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRegistrationFieldValueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5047,7 +4983,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRegistrationFieldValueOutput.httpOutput(from:), PutRegistrationFieldValueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5082,9 +5017,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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](https://docs.aws.amazon.com/sms-voice/latest/userguide/shared-resources.html) in the AWS End User Messaging SMS User Guide. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5120,7 +5055,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5155,9 +5089,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter ReleasePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReleasePhoneNumberInput`) /// - /// - Returns: `ReleasePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReleasePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5194,7 +5128,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReleasePhoneNumberOutput.httpOutput(from:), ReleasePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5229,9 +5162,9 @@ extension PinpointSMSVoiceV2Client { /// /// Releases an existing sender ID in your account. /// - /// - Parameter ReleaseSenderIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReleaseSenderIdInput`) /// - /// - Returns: `ReleaseSenderIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReleaseSenderIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5268,7 +5201,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReleaseSenderIdOutput.httpOutput(from:), ReleaseSenderIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5303,9 +5235,9 @@ extension PinpointSMSVoiceV2Client { /// /// Request an origination phone number for use in your account. For more information on phone number request see [Request a phone number](https://docs.aws.amazon.com/sms-voice/latest/userguide/phone-numbers-request.html) in the AWS End User Messaging SMS User Guide. /// - /// - Parameter RequestPhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RequestPhoneNumberInput`) /// - /// - Returns: `RequestPhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RequestPhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5344,7 +5276,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RequestPhoneNumberOutput.httpOutput(from:), RequestPhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5379,9 +5310,9 @@ extension PinpointSMSVoiceV2Client { /// /// Request a new sender ID that doesn't require registration. /// - /// - Parameter RequestSenderIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RequestSenderIdInput`) /// - /// - Returns: `RequestSenderIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RequestSenderIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5419,7 +5350,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RequestSenderIdOutput.httpOutput(from:), RequestSenderIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5454,9 +5384,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter SendDestinationNumberVerificationCodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendDestinationNumberVerificationCodeInput`) /// - /// - Returns: `SendDestinationNumberVerificationCodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendDestinationNumberVerificationCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5494,7 +5424,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendDestinationNumberVerificationCodeOutput.httpOutput(from:), SendDestinationNumberVerificationCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5529,9 +5458,9 @@ extension PinpointSMSVoiceV2Client { /// /// Creates a new multimedia message (MMS) and sends it to a recipient's phone number. /// - /// - Parameter SendMediaMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendMediaMessageInput`) /// - /// - Returns: `SendMediaMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendMediaMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5569,7 +5498,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendMediaMessageOutput.httpOutput(from:), SendMediaMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5604,9 +5532,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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](https://docs.aws.amazon.com/sms-voice/latest/userguide/sms-limitations-mps.html) in the AWS End User Messaging SMS User Guide. /// - /// - Parameter SendTextMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendTextMessageInput`) /// - /// - Returns: `SendTextMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendTextMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5644,7 +5572,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendTextMessageOutput.httpOutput(from:), SendTextMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5679,9 +5606,9 @@ extension PinpointSMSVoiceV2Client { /// /// Allows you to send a request that sends a voice message. This operation uses [Amazon Polly](http://aws.amazon.com/polly/) to convert a text script into a voice message. /// - /// - Parameter SendVoiceMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendVoiceMessageInput`) /// - /// - Returns: `SendVoiceMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendVoiceMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5719,7 +5646,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendVoiceMessageOutput.httpOutput(from:), SendVoiceMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5754,9 +5680,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter SetAccountDefaultProtectConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetAccountDefaultProtectConfigurationInput`) /// - /// - Returns: `SetAccountDefaultProtectConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetAccountDefaultProtectConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5792,7 +5718,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetAccountDefaultProtectConfigurationOutput.httpOutput(from:), SetAccountDefaultProtectConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5827,9 +5752,9 @@ extension PinpointSMSVoiceV2Client { /// /// Sets a configuration set's default for message feedback. /// - /// - Parameter SetDefaultMessageFeedbackEnabledInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetDefaultMessageFeedbackEnabledInput`) /// - /// - Returns: `SetDefaultMessageFeedbackEnabledOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetDefaultMessageFeedbackEnabledOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5865,7 +5790,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetDefaultMessageFeedbackEnabledOutput.httpOutput(from:), SetDefaultMessageFeedbackEnabledOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5900,9 +5824,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter SetDefaultMessageTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetDefaultMessageTypeInput`) /// - /// - Returns: `SetDefaultMessageTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetDefaultMessageTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5938,7 +5862,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetDefaultMessageTypeOutput.httpOutput(from:), SetDefaultMessageTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5973,9 +5896,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter SetDefaultSenderIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetDefaultSenderIdInput`) /// - /// - Returns: `SetDefaultSenderIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetDefaultSenderIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6011,7 +5934,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetDefaultSenderIdOutput.httpOutput(from:), SetDefaultSenderIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6046,9 +5968,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter SetMediaMessageSpendLimitOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetMediaMessageSpendLimitOverrideInput`) /// - /// - Returns: `SetMediaMessageSpendLimitOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetMediaMessageSpendLimitOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6083,7 +6005,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetMediaMessageSpendLimitOverrideOutput.httpOutput(from:), SetMediaMessageSpendLimitOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6118,9 +6039,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter SetTextMessageSpendLimitOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetTextMessageSpendLimitOverrideInput`) /// - /// - Returns: `SetTextMessageSpendLimitOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetTextMessageSpendLimitOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6155,7 +6076,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetTextMessageSpendLimitOverrideOutput.httpOutput(from:), SetTextMessageSpendLimitOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6190,9 +6110,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter SetVoiceMessageSpendLimitOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetVoiceMessageSpendLimitOverrideInput`) /// - /// - Returns: `SetVoiceMessageSpendLimitOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetVoiceMessageSpendLimitOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6227,7 +6147,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetVoiceMessageSpendLimitOverrideOutput.httpOutput(from:), SetVoiceMessageSpendLimitOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6262,9 +6181,9 @@ extension PinpointSMSVoiceV2Client { /// /// Submit the specified registration for review and approval. /// - /// - Parameter SubmitRegistrationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubmitRegistrationVersionInput`) /// - /// - Returns: `SubmitRegistrationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubmitRegistrationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6301,7 +6220,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitRegistrationVersionOutput.httpOutput(from:), SubmitRegistrationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6336,9 +6254,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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 ](https://docs.aws.amazon.com/sms-voice/latest/userguide/phone-numbers-tags.html) in the AWS End User Messaging SMS User Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6375,7 +6293,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6410,9 +6327,9 @@ extension PinpointSMSVoiceV2Client { /// /// Removes the association of the specified tags from a resource. For more information on tags see [Tags ](https://docs.aws.amazon.com/sms-voice/latest/userguide/phone-numbers-tags.html) in the AWS End User Messaging SMS User Guide. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6448,7 +6365,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6483,9 +6399,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter UpdateEventDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEventDestinationInput`) /// - /// - Returns: `UpdateEventDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6522,7 +6438,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEventDestinationOutput.httpOutput(from:), UpdateEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6557,9 +6472,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter UpdatePhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePhoneNumberInput`) /// - /// - Returns: `UpdatePhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6596,7 +6511,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePhoneNumberOutput.httpOutput(from:), UpdatePhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6631,9 +6545,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter UpdatePoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePoolInput`) /// - /// - Returns: `UpdatePoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6670,7 +6584,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePoolOutput.httpOutput(from:), UpdatePoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6705,9 +6618,9 @@ extension PinpointSMSVoiceV2Client { /// /// Update the setting for an existing protect configuration. /// - /// - Parameter UpdateProtectConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProtectConfigurationInput`) /// - /// - Returns: `UpdateProtectConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProtectConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6743,7 +6656,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProtectConfigurationOutput.httpOutput(from:), UpdateProtectConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6778,9 +6690,9 @@ extension PinpointSMSVoiceV2Client { /// /// 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. /// - /// - Parameter UpdateProtectConfigurationCountryRuleSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProtectConfigurationCountryRuleSetInput`) /// - /// - Returns: `UpdateProtectConfigurationCountryRuleSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProtectConfigurationCountryRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6816,7 +6728,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProtectConfigurationCountryRuleSetOutput.httpOutput(from:), UpdateProtectConfigurationCountryRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6851,9 +6762,9 @@ extension PinpointSMSVoiceV2Client { /// /// Updates the configuration of an existing sender ID. /// - /// - Parameter UpdateSenderIdInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSenderIdInput`) /// - /// - Returns: `UpdateSenderIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSenderIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6889,7 +6800,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSenderIdOutput.httpOutput(from:), UpdateSenderIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6924,9 +6834,9 @@ extension PinpointSMSVoiceV2Client { /// /// Use the verification code that was received by the verified destination phone number to opt-in the verified destination phone number to receive more messages. /// - /// - Parameter VerifyDestinationNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifyDestinationNumberInput`) /// - /// - Returns: `VerifyDestinationNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyDestinationNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6963,7 +6873,6 @@ extension PinpointSMSVoiceV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyDestinationNumberOutput.httpOutput(from:), VerifyDestinationNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPipes/Sources/AWSPipes/PipesClient.swift b/Sources/Services/AWSPipes/Sources/AWSPipes/PipesClient.swift index 17d6b704d20..787782489b0 100644 --- a/Sources/Services/AWSPipes/Sources/AWSPipes/PipesClient.swift +++ b/Sources/Services/AWSPipes/Sources/AWSPipes/PipesClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PipesClient: ClientRuntime.Client { public static let clientName = "PipesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PipesClient.PipesClientConfiguration let serviceName = "Pipes" @@ -374,9 +373,9 @@ extension PipesClient { /// /// Create a pipe. Amazon EventBridge Pipes connect event sources to targets and reduces the need for specialized knowledge and integration code. /// - /// - Parameter CreatePipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePipeInput`) /// - /// - Returns: `CreatePipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension PipesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePipeOutput.httpOutput(from:), CreatePipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension PipesClient { /// /// Delete an existing pipe. For more information about pipes, see [Amazon EventBridge Pipes](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-pipes.html) in the Amazon EventBridge User Guide. /// - /// - Parameter DeletePipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePipeInput`) /// - /// - Returns: `DeletePipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension PipesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePipeOutput.httpOutput(from:), DeletePipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension PipesClient { /// /// Get the information about an existing pipe. For more information about pipes, see [Amazon EventBridge Pipes](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-pipes.html) in the Amazon EventBridge User Guide. /// - /// - Parameter DescribePipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePipeInput`) /// - /// - Returns: `DescribePipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -552,7 +549,6 @@ extension PipesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePipeOutput.httpOutput(from:), DescribePipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -584,9 +580,9 @@ extension PipesClient { /// /// Get the pipes associated with this account. For more information about pipes, see [Amazon EventBridge Pipes](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-pipes.html) in the Amazon EventBridge User Guide. /// - /// - Parameter ListPipesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipesInput`) /// - /// - Returns: `ListPipesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -620,7 +616,6 @@ extension PipesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPipesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipesOutput.httpOutput(from:), ListPipesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -652,9 +647,9 @@ extension PipesClient { /// /// Displays the tags associated with a pipe. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -687,7 +682,6 @@ extension PipesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -719,9 +713,9 @@ extension PipesClient { /// /// Start an existing pipe. /// - /// - Parameter StartPipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPipeInput`) /// - /// - Returns: `StartPipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -756,7 +750,6 @@ extension PipesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPipeOutput.httpOutput(from:), StartPipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -788,9 +781,9 @@ extension PipesClient { /// /// Stop an existing pipe. /// - /// - Parameter StopPipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopPipeInput`) /// - /// - Returns: `StopPipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopPipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -825,7 +818,6 @@ extension PipesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopPipeOutput.httpOutput(from:), StopPipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -857,9 +849,9 @@ extension PipesClient { /// /// Assigns one or more tags (key-value pairs) to the specified pipe. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with a pipe that already has tags. If you specify a new tag key, this tag is appended to the list of tags associated with the pipe. If you specify a tag key that is already associated with the pipe, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a pipe. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -895,7 +887,6 @@ extension PipesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -927,9 +918,9 @@ extension PipesClient { /// /// Removes one or more tags from the specified pipes. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -963,7 +954,6 @@ extension PipesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -995,9 +985,9 @@ extension PipesClient { /// /// Update an existing pipe. When you call UpdatePipe, EventBridge only the updates fields you have specified in the request; the rest remain unchanged. The exception to this is if you modify any Amazon Web Services-service specific fields in the SourceParameters, EnrichmentParameters, or TargetParameters objects. For example, DynamoDBStreamParameters or EventBridgeEventBusParameters. EventBridge updates the fields in these objects atomically as one and overrides existing values. This is by design, and means that if you don't specify an optional field in one of these Parameters objects, EventBridge sets that field to its system-default value during the update. For more information about pipes, see [ Amazon EventBridge Pipes](https://docs.aws.amazon.com/eventbridge/latest/userguide/eb-pipes.html) in the Amazon EventBridge User Guide. /// - /// - Parameter UpdatePipeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePipeInput`) /// - /// - Returns: `UpdatePipeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePipeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1035,7 +1025,6 @@ extension PipesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePipeOutput.httpOutput(from:), UpdatePipeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPolly/Sources/AWSPolly/Models.swift b/Sources/Services/AWSPolly/Sources/AWSPolly/Models.swift index 61c77f0456d..3d9843fd64f 100644 --- a/Sources/Services/AWSPolly/Sources/AWSPolly/Models.swift +++ b/Sources/Services/AWSPolly/Sources/AWSPolly/Models.swift @@ -20,7 +20,6 @@ import class SmithyHTTPAPI.HTTPRequestBuilder import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Reader @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum ClientRuntime.ErrorFault import enum ClientRuntime.OrchestratorMetricsAttributesKeys @@ -2562,7 +2561,6 @@ extension SynthesizeSpeechInput { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SynthesizeSpeechOutput.httpOutput(from:), SynthesizeSpeechOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2678,7 +2676,6 @@ extension SynthesizeSpeechInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SynthesizeSpeechOutput.httpOutput(from:), SynthesizeSpeechOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPolly/Sources/AWSPolly/PollyClient.swift b/Sources/Services/AWSPolly/Sources/AWSPolly/PollyClient.swift index 6404ddee39b..28f6c97f6b2 100644 --- a/Sources/Services/AWSPolly/Sources/AWSPolly/PollyClient.swift +++ b/Sources/Services/AWSPolly/Sources/AWSPolly/PollyClient.swift @@ -26,7 +26,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -73,7 +72,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PollyClient: ClientRuntime.Client { public static let clientName = "PollyClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PollyClient.PollyClientConfiguration let serviceName = "Polly" @@ -379,9 +378,9 @@ extension PollyClient { /// /// Deletes the specified pronunciation lexicon stored in an Amazon Web Services Region. A lexicon which has been deleted is not available for speech synthesis, nor is it possible to retrieve it using either the GetLexicon or ListLexicon APIs. For more information, see [Managing Lexicons](https://docs.aws.amazon.com/polly/latest/dg/managing-lexicons.html). /// - /// - Parameter DeleteLexiconInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLexiconInput`) /// - /// - Returns: `DeleteLexiconOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLexiconOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension PollyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLexiconOutput.httpOutput(from:), DeleteLexiconOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension PollyClient { /// /// Returns the list of voices that are available for use when requesting speech synthesis. Each voice speaks a specified language, is either male or female, and is identified by an ID, which is the ASCII version of the voice name. When synthesizing speech ( SynthesizeSpeech ), you provide the voice ID for the voice you want from the list of voices returned by DescribeVoices. For example, you want your news reader application to read news in a specific language, but giving a user the option to choose the voice. Using the DescribeVoices operation you can provide the user with a list of available voices to select from. You can optionally specify a language code to filter the available voices. For example, if you specify en-US, the operation returns a list of all available US English voices. This operation requires permissions to perform the polly:DescribeVoices action. /// - /// - Parameter DescribeVoicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVoicesInput`) /// - /// - Returns: `DescribeVoicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVoicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension PollyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeVoicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVoicesOutput.httpOutput(from:), DescribeVoicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension PollyClient { /// /// Returns the content of the specified pronunciation lexicon stored in an Amazon Web Services Region. For more information, see [Managing Lexicons](https://docs.aws.amazon.com/polly/latest/dg/managing-lexicons.html). /// - /// - Parameter GetLexiconInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLexiconInput`) /// - /// - Returns: `GetLexiconOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLexiconOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -546,7 +543,6 @@ extension PollyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLexiconOutput.httpOutput(from:), GetLexiconOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -578,9 +574,9 @@ extension PollyClient { /// /// Retrieves a specific SpeechSynthesisTask object based on its TaskID. This object contains information about the given speech synthesis task, including the status of the task, and a link to the S3 bucket containing the output of the task. /// - /// - Parameter GetSpeechSynthesisTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSpeechSynthesisTaskInput`) /// - /// - Returns: `GetSpeechSynthesisTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSpeechSynthesisTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -613,7 +609,6 @@ extension PollyClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSpeechSynthesisTaskOutput.httpOutput(from:), GetSpeechSynthesisTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -645,9 +640,9 @@ extension PollyClient { /// /// Returns a list of pronunciation lexicons stored in an Amazon Web Services Region. For more information, see [Managing Lexicons](https://docs.aws.amazon.com/polly/latest/dg/managing-lexicons.html). /// - /// - Parameter ListLexiconsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLexiconsInput`) /// - /// - Returns: `ListLexiconsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLexiconsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -680,7 +675,6 @@ extension PollyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLexiconsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLexiconsOutput.httpOutput(from:), ListLexiconsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -712,9 +706,9 @@ extension PollyClient { /// /// Returns a list of SpeechSynthesisTask objects ordered by their creation date. This operation can filter the tasks by their status, for example, allowing users to list only tasks that are completed. /// - /// - Parameter ListSpeechSynthesisTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSpeechSynthesisTasksInput`) /// - /// - Returns: `ListSpeechSynthesisTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSpeechSynthesisTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -747,7 +741,6 @@ extension PollyClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSpeechSynthesisTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSpeechSynthesisTasksOutput.httpOutput(from:), ListSpeechSynthesisTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -779,9 +772,9 @@ extension PollyClient { /// /// Stores a pronunciation lexicon in an Amazon Web Services Region. If a lexicon with the same name already exists in the region, it is overwritten by the new lexicon. Lexicon operations have eventual consistency, therefore, it might take some time before the lexicon is available to the SynthesizeSpeech operation. For more information, see [Managing Lexicons](https://docs.aws.amazon.com/polly/latest/dg/managing-lexicons.html). /// - /// - Parameter PutLexiconInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLexiconInput`) /// - /// - Returns: `PutLexiconOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLexiconOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -821,7 +814,6 @@ extension PollyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLexiconOutput.httpOutput(from:), PutLexiconOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -853,9 +845,9 @@ extension PollyClient { /// /// Allows the creation of an asynchronous synthesis task, by starting a new SpeechSynthesisTask. This operation requires all the standard information needed for speech synthesis, plus the name of an Amazon S3 bucket for the service to store the output of the synthesis task and two optional parameters (OutputS3KeyPrefix and SnsTopicArn). Once the synthesis task is created, this operation will return a SpeechSynthesisTask object, which will include an identifier of this task as well as the current status. The SpeechSynthesisTask object is available for 72 hours after starting the asynchronous synthesis task. /// - /// - Parameter StartSpeechSynthesisTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSpeechSynthesisTaskInput`) /// - /// - Returns: `StartSpeechSynthesisTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSpeechSynthesisTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -900,7 +892,6 @@ extension PollyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSpeechSynthesisTaskOutput.httpOutput(from:), StartSpeechSynthesisTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +923,9 @@ extension PollyClient { /// /// Synthesizes UTF-8 input, plain text or SSML, to a stream of bytes. SSML input must be valid, well-formed SSML. Some alphabets might not be available with all the voices (for example, Cyrillic might not be read at all by English voices) unless phoneme mapping is used. For more information, see [How it Works](https://docs.aws.amazon.com/polly/latest/dg/how-text-to-speech-works.html). /// - /// - Parameter SynthesizeSpeechInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SynthesizeSpeechInput`) /// - /// - Returns: `SynthesizeSpeechOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SynthesizeSpeechOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +967,6 @@ extension PollyClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SynthesizeSpeechOutput.httpOutput(from:), SynthesizeSpeechOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSPricing/Sources/AWSPricing/PricingClient.swift b/Sources/Services/AWSPricing/Sources/AWSPricing/PricingClient.swift index a5a3c61a095..4b453f8c602 100644 --- a/Sources/Services/AWSPricing/Sources/AWSPricing/PricingClient.swift +++ b/Sources/Services/AWSPricing/Sources/AWSPricing/PricingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class PricingClient: ClientRuntime.Client { public static let clientName = "PricingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: PricingClient.PricingClientConfiguration let serviceName = "Pricing" @@ -374,9 +373,9 @@ extension PricingClient { /// /// Returns the metadata for one service or a list of the metadata for all services. Use this without a service code to get the service codes for all services. Use it with a service code, such as AmazonEC2, to get information specific to that service, such as the attribute names available for that service. For example, some of the attribute names available for EC2 are volumeType, maxIopsVolume, operation, locationType, and instanceCapacity10xlarge. /// - /// - Parameter DescribeServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServicesInput`) /// - /// - Returns: `DescribeServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension PricingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServicesOutput.httpOutput(from:), DescribeServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension PricingClient { /// /// Returns a list of attribute values. Attributes are similar to the details in a Price List API offer file. For a list of available attributes, see [Offer File Definitions](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/reading-an-offer.html#pps-defs) in the [Billing and Cost Management User Guide](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/billing-what-is.html). /// - /// - Parameter GetAttributeValuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAttributeValuesInput`) /// - /// - Returns: `GetAttributeValuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAttributeValuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension PricingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAttributeValuesOutput.httpOutput(from:), GetAttributeValuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension PricingClient { /// /// This feature is in preview release and is subject to change. Your use of Amazon Web Services Price List API is subject to the Beta Service Participation terms of the [Amazon Web Services Service Terms](https://aws.amazon.com/service-terms/) (Section 1.10). This returns the URL that you can retrieve your Price List file from. This URL is based on the PriceListArn and FileFormat that you retrieve from the [ListPriceLists](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_pricing_ListPriceLists.html) response. /// - /// - Parameter GetPriceListFileUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPriceListFileUrlInput`) /// - /// - Returns: `GetPriceListFileUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPriceListFileUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension PricingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPriceListFileUrlOutput.httpOutput(from:), GetPriceListFileUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension PricingClient { /// /// Returns a list of all products that match the filter criteria. /// - /// - Parameter GetProductsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProductsInput`) /// - /// - Returns: `GetProductsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProductsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension PricingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProductsOutput.httpOutput(from:), GetProductsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension PricingClient { /// /// This feature is in preview release and is subject to change. Your use of Amazon Web Services Price List API is subject to the Beta Service Participation terms of the [Amazon Web Services Service Terms](https://aws.amazon.com/service-terms/) (Section 1.10). This returns a list of Price List references that the requester if authorized to view, given a ServiceCode, CurrencyCode, and an EffectiveDate. Use without a RegionCode filter to list Price List references from all available Amazon Web Services Regions. Use with a RegionCode filter to get the Price List reference that's specific to a specific Amazon Web Services Region. You can use the PriceListArn from the response to get your preferred Price List files through the [GetPriceListFileUrl](https://docs.aws.amazon.com/aws-cost-management/latest/APIReference/API_pricing_GetPriceListFileUrl.html) API. /// - /// - Parameter ListPriceListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPriceListsInput`) /// - /// - Returns: `ListPriceListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPriceListsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension PricingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPriceListsOutput.httpOutput(from:), ListPriceListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSProton/Sources/AWSProton/ProtonClient.swift b/Sources/Services/AWSProton/Sources/AWSProton/ProtonClient.swift index 4567364f2df..8a9489add45 100644 --- a/Sources/Services/AWSProton/Sources/AWSProton/ProtonClient.swift +++ b/Sources/Services/AWSProton/Sources/AWSProton/ProtonClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ProtonClient: ClientRuntime.Client { public static let clientName = "ProtonClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ProtonClient.ProtonClientConfiguration let serviceName = "Proton" @@ -374,9 +373,9 @@ extension ProtonClient { /// /// In a management account, an environment account connection request is accepted. When the environment account connection request is accepted, Proton can use the associated IAM role to provision environment infrastructure resources in the associated environment account. For more information, see [Environment account connections](https://docs.aws.amazon.com/proton/latest/userguide/ag-env-account-connections.html) in the Proton User guide. /// - /// - Parameter AcceptEnvironmentAccountConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptEnvironmentAccountConnectionInput`) /// - /// - Returns: `AcceptEnvironmentAccountConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptEnvironmentAccountConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptEnvironmentAccountConnectionOutput.httpOutput(from:), AcceptEnvironmentAccountConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension ProtonClient { /// /// Attempts to cancel a component deployment (for a component that is in the IN_PROGRESS deployment status). For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter CancelComponentDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelComponentDeploymentInput`) /// - /// - Returns: `CancelComponentDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelComponentDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelComponentDeploymentOutput.httpOutput(from:), CancelComponentDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -528,9 +525,9 @@ extension ProtonClient { /// /// * If the current [UpdateEnvironment] action succeeds before the cancellation attempt starts, the resulting deployment state is SUCCEEDED and the cancellation attempt has no effect. /// - /// - Parameter CancelEnvironmentDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelEnvironmentDeploymentInput`) /// - /// - Returns: `CancelEnvironmentDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelEnvironmentDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelEnvironmentDeploymentOutput.httpOutput(from:), CancelEnvironmentDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -608,9 +604,9 @@ extension ProtonClient { /// /// * If the current [UpdateServiceInstance] action succeeds before the cancellation attempt starts, the resulting deployment state is SUCCEEDED and the cancellation attempt has no effect. /// - /// - Parameter CancelServiceInstanceDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelServiceInstanceDeploymentInput`) /// - /// - Returns: `CancelServiceInstanceDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelServiceInstanceDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -647,7 +643,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelServiceInstanceDeploymentOutput.httpOutput(from:), CancelServiceInstanceDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -688,9 +683,9 @@ extension ProtonClient { /// /// * If the current [UpdateServicePipeline] action succeeds before the cancellation attempt starts, the resulting deployment state is SUCCEEDED and the cancellation attempt has no effect. /// - /// - Parameter CancelServicePipelineDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelServicePipelineDeploymentInput`) /// - /// - Returns: `CancelServicePipelineDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelServicePipelineDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -727,7 +722,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelServicePipelineDeploymentOutput.httpOutput(from:), CancelServicePipelineDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -762,9 +756,9 @@ extension ProtonClient { /// /// Create an Proton component. A component is an infrastructure extension for a service instance. For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter CreateComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateComponentInput`) /// - /// - Returns: `CreateComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -803,7 +797,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComponentOutput.httpOutput(from:), CreateComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -845,9 +838,9 @@ extension ProtonClient { /// /// For more information, see [Environments](https://docs.aws.amazon.com/proton/latest/userguide/ag-environments.html) and [Provisioning methods](https://docs.aws.amazon.com/proton/latest/userguide/ag-works-prov-methods.html) in the Proton User Guide. /// - /// - Parameter CreateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentInput`) /// - /// - Returns: `CreateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -885,7 +878,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentOutput.httpOutput(from:), CreateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -920,9 +912,9 @@ extension ProtonClient { /// /// Create an environment account connection in an environment account so that environment infrastructure resources can be provisioned in the environment account from a management account. An environment account connection is a secure bi-directional connection between a management account and an environment account that maintains authorization and permissions. For more information, see [Environment account connections](https://docs.aws.amazon.com/proton/latest/userguide/ag-env-account-connections.html) in the Proton User guide. /// - /// - Parameter CreateEnvironmentAccountConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentAccountConnectionInput`) /// - /// - Returns: `CreateEnvironmentAccountConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentAccountConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -960,7 +952,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentAccountConnectionOutput.httpOutput(from:), CreateEnvironmentAccountConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -999,9 +990,9 @@ extension ProtonClient { /// /// * Register and publish a customer managed environment template that connects Proton to your existing provisioned infrastructure that you manage. Proton doesn't manage your existing provisioned infrastructure. To create an environment template for customer provisioned and managed infrastructure, include the provisioning parameter and set the value to CUSTOMER_MANAGED. For more information, see [Register and publish an environment template](https://docs.aws.amazon.com/proton/latest/userguide/template-create.html) in the Proton User Guide. /// - /// - Parameter CreateEnvironmentTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentTemplateInput`) /// - /// - Returns: `CreateEnvironmentTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1038,7 +1029,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentTemplateOutput.httpOutput(from:), CreateEnvironmentTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1073,9 +1063,9 @@ extension ProtonClient { /// /// Create a new major or minor version of an environment template. A major version of an environment template is a version that isn't backwards compatible. A minor version of an environment template is a version that's backwards compatible within its major version. /// - /// - Parameter CreateEnvironmentTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentTemplateVersionInput`) /// - /// - Returns: `CreateEnvironmentTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1114,7 +1104,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentTemplateVersionOutput.httpOutput(from:), CreateEnvironmentTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1149,9 +1138,9 @@ extension ProtonClient { /// /// Create and register a link to a repository. Proton uses the link to repeatedly access the repository, to either push to it (self-managed provisioning) or pull from it (template sync). You can share a linked repository across multiple resources (like environments using self-managed provisioning, or synced templates). When you create a repository link, Proton creates a [service-linked role](https://docs.aws.amazon.com/proton/latest/userguide/using-service-linked-roles.html) for you. For more information, see [Self-managed provisioning](https://docs.aws.amazon.com/proton/latest/userguide/ag-works-prov-methods.html#ag-works-prov-methods-self), [Template bundles](https://docs.aws.amazon.com/proton/latest/userguide/ag-template-authoring.html#ag-template-bundles), and [Template sync configurations](https://docs.aws.amazon.com/proton/latest/userguide/ag-template-sync-configs.html) in the Proton User Guide. /// - /// - Parameter CreateRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRepositoryInput`) /// - /// - Returns: `CreateRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1188,7 +1177,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRepositoryOutput.httpOutput(from:), CreateRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1223,9 +1211,9 @@ extension ProtonClient { /// /// Create an Proton service. An Proton service is an instantiation of a service template and often includes several service instances and pipeline. For more information, see [Services](https://docs.aws.amazon.com/proton/latest/userguide/ag-services.html) in the Proton User Guide. /// - /// - Parameter CreateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceInput`) /// - /// - Returns: `CreateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1263,7 +1251,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceOutput.httpOutput(from:), CreateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1298,9 +1285,9 @@ extension ProtonClient { /// /// Create a service instance. /// - /// - Parameter CreateServiceInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceInstanceInput`) /// - /// - Returns: `CreateServiceInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1338,7 +1325,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceInstanceOutput.httpOutput(from:), CreateServiceInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1373,9 +1359,9 @@ extension ProtonClient { /// /// Create the Proton Ops configuration file. /// - /// - Parameter CreateServiceSyncConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceSyncConfigInput`) /// - /// - Returns: `CreateServiceSyncConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceSyncConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1412,7 +1398,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceSyncConfigOutput.httpOutput(from:), CreateServiceSyncConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1447,9 +1432,9 @@ extension ProtonClient { /// /// Create a service template. The administrator creates a service template to define standardized infrastructure and an optional CI/CD service pipeline. Developers, in turn, select the service template from Proton. If the selected service template includes a service pipeline definition, they provide a link to their source code repository. Proton then deploys and manages the infrastructure defined by the selected service template. For more information, see [Proton templates](https://docs.aws.amazon.com/proton/latest/userguide/ag-templates.html) in the Proton User Guide. /// - /// - Parameter CreateServiceTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceTemplateInput`) /// - /// - Returns: `CreateServiceTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1486,7 +1471,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceTemplateOutput.httpOutput(from:), CreateServiceTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1521,9 +1505,9 @@ extension ProtonClient { /// /// Create a new major or minor version of a service template. A major version of a service template is a version that isn't backward compatible. A minor version of a service template is a version that's backward compatible within its major version. /// - /// - Parameter CreateServiceTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceTemplateVersionInput`) /// - /// - Returns: `CreateServiceTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1562,7 +1546,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceTemplateVersionOutput.httpOutput(from:), CreateServiceTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1597,9 +1580,9 @@ extension ProtonClient { /// /// Set up a template to create new template versions automatically by tracking a linked repository. A linked repository is a repository that has been registered with Proton. For more information, see [CreateRepository]. When a commit is pushed to your linked repository, Proton checks for changes to your repository template bundles. If it detects a template bundle change, a new major or minor version of its template is created, if the version doesn’t already exist. For more information, see [Template sync configurations](https://docs.aws.amazon.com/proton/latest/userguide/ag-template-sync-configs.html) in the Proton User Guide. /// - /// - Parameter CreateTemplateSyncConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTemplateSyncConfigInput`) /// - /// - Returns: `CreateTemplateSyncConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTemplateSyncConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1636,7 +1619,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTemplateSyncConfigOutput.httpOutput(from:), CreateTemplateSyncConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1671,9 +1653,9 @@ extension ProtonClient { /// /// Delete an Proton component resource. For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter DeleteComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteComponentInput`) /// - /// - Returns: `DeleteComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1710,7 +1692,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteComponentOutput.httpOutput(from:), DeleteComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1745,9 +1726,9 @@ extension ProtonClient { /// /// Delete the deployment. /// - /// - Parameter DeleteDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeploymentInput`) /// - /// - Returns: `DeleteDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1783,7 +1764,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeploymentOutput.httpOutput(from:), DeleteDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1818,9 +1798,9 @@ extension ProtonClient { /// /// Delete an environment. /// - /// - Parameter DeleteEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentInput`) /// - /// - Returns: `DeleteEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1857,7 +1837,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentOutput.httpOutput(from:), DeleteEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1892,9 +1871,9 @@ extension ProtonClient { /// /// In an environment account, delete an environment account connection. After you delete an environment account connection that’s in use by an Proton environment, Proton can’t manage the environment infrastructure resources until a new environment account connection is accepted for the environment account and associated environment. You're responsible for cleaning up provisioned resources that remain without an environment connection. For more information, see [Environment account connections](https://docs.aws.amazon.com/proton/latest/userguide/ag-env-account-connections.html) in the Proton User guide. /// - /// - Parameter DeleteEnvironmentAccountConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentAccountConnectionInput`) /// - /// - Returns: `DeleteEnvironmentAccountConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentAccountConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1931,7 +1910,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentAccountConnectionOutput.httpOutput(from:), DeleteEnvironmentAccountConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1966,9 +1944,9 @@ extension ProtonClient { /// /// If no other major or minor versions of an environment template exist, delete the environment template. /// - /// - Parameter DeleteEnvironmentTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentTemplateInput`) /// - /// - Returns: `DeleteEnvironmentTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2005,7 +1983,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentTemplateOutput.httpOutput(from:), DeleteEnvironmentTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2040,9 +2017,9 @@ extension ProtonClient { /// /// If no other minor versions of an environment template exist, delete a major version of the environment template if it's not the Recommended version. Delete the Recommended version of the environment template if no other major versions or minor versions of the environment template exist. A major version of an environment template is a version that's not backward compatible. Delete a minor version of an environment template if it isn't the Recommended version. Delete a Recommended minor version of the environment template if no other minor versions of the environment template exist. A minor version of an environment template is a version that's backward compatible. /// - /// - Parameter DeleteEnvironmentTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentTemplateVersionInput`) /// - /// - Returns: `DeleteEnvironmentTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2079,7 +2056,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentTemplateVersionOutput.httpOutput(from:), DeleteEnvironmentTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2114,9 +2090,9 @@ extension ProtonClient { /// /// De-register and unlink your repository. /// - /// - Parameter DeleteRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRepositoryInput`) /// - /// - Returns: `DeleteRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2153,7 +2129,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRepositoryOutput.httpOutput(from:), DeleteRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2188,9 +2163,9 @@ extension ProtonClient { /// /// Delete a service, with its instances and pipeline. You can't delete a service if it has any service instances that have components attached to them. For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter DeleteServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceInput`) /// - /// - Returns: `DeleteServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2227,7 +2202,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceOutput.httpOutput(from:), DeleteServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2262,9 +2236,9 @@ extension ProtonClient { /// /// Delete the Proton Ops file. /// - /// - Parameter DeleteServiceSyncConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceSyncConfigInput`) /// - /// - Returns: `DeleteServiceSyncConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceSyncConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2301,7 +2275,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceSyncConfigOutput.httpOutput(from:), DeleteServiceSyncConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2336,9 +2309,9 @@ extension ProtonClient { /// /// If no other major or minor versions of the service template exist, delete the service template. /// - /// - Parameter DeleteServiceTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceTemplateInput`) /// - /// - Returns: `DeleteServiceTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2375,7 +2348,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceTemplateOutput.httpOutput(from:), DeleteServiceTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2410,9 +2382,9 @@ extension ProtonClient { /// /// If no other minor versions of a service template exist, delete a major version of the service template if it's not the Recommended version. Delete the Recommended version of the service template if no other major versions or minor versions of the service template exist. A major version of a service template is a version that isn't backwards compatible. Delete a minor version of a service template if it's not the Recommended version. Delete a Recommended minor version of the service template if no other minor versions of the service template exist. A minor version of a service template is a version that's backwards compatible. /// - /// - Parameter DeleteServiceTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceTemplateVersionInput`) /// - /// - Returns: `DeleteServiceTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2449,7 +2421,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceTemplateVersionOutput.httpOutput(from:), DeleteServiceTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2484,9 +2455,9 @@ extension ProtonClient { /// /// Delete a template sync configuration. /// - /// - Parameter DeleteTemplateSyncConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTemplateSyncConfigInput`) /// - /// - Returns: `DeleteTemplateSyncConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTemplateSyncConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2523,7 +2494,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTemplateSyncConfigOutput.httpOutput(from:), DeleteTemplateSyncConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2558,9 +2528,9 @@ extension ProtonClient { /// /// Get detail data for Proton account-wide settings. /// - /// - Parameter GetAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountSettingsInput`) /// - /// - Returns: `GetAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2596,7 +2566,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSettingsOutput.httpOutput(from:), GetAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2631,9 +2600,9 @@ extension ProtonClient { /// /// Get detailed data for a component. For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter GetComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComponentInput`) /// - /// - Returns: `GetComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2669,7 +2638,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComponentOutput.httpOutput(from:), GetComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2704,9 +2672,9 @@ extension ProtonClient { /// /// Get detailed data for a deployment. /// - /// - Parameter GetDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentInput`) /// - /// - Returns: `GetDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2742,7 +2710,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentOutput.httpOutput(from:), GetDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2777,9 +2744,9 @@ extension ProtonClient { /// /// Get detailed data for an environment. /// - /// - Parameter GetEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentInput`) /// - /// - Returns: `GetEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2815,7 +2782,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentOutput.httpOutput(from:), GetEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2850,9 +2816,9 @@ extension ProtonClient { /// /// In an environment account, get the detailed data for an environment account connection. For more information, see [Environment account connections](https://docs.aws.amazon.com/proton/latest/userguide/ag-env-account-connections.html) in the Proton User guide. /// - /// - Parameter GetEnvironmentAccountConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentAccountConnectionInput`) /// - /// - Returns: `GetEnvironmentAccountConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentAccountConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2888,7 +2854,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentAccountConnectionOutput.httpOutput(from:), GetEnvironmentAccountConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2923,9 +2888,9 @@ extension ProtonClient { /// /// Get detailed data for an environment template. /// - /// - Parameter GetEnvironmentTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentTemplateInput`) /// - /// - Returns: `GetEnvironmentTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2961,7 +2926,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentTemplateOutput.httpOutput(from:), GetEnvironmentTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2996,9 +2960,9 @@ extension ProtonClient { /// /// Get detailed data for a major or minor version of an environment template. /// - /// - Parameter GetEnvironmentTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentTemplateVersionInput`) /// - /// - Returns: `GetEnvironmentTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3034,7 +2998,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentTemplateVersionOutput.httpOutput(from:), GetEnvironmentTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3069,9 +3032,9 @@ extension ProtonClient { /// /// Get detail data for a linked repository. /// - /// - Parameter GetRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositoryInput`) /// - /// - Returns: `GetRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3107,7 +3070,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositoryOutput.httpOutput(from:), GetRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3142,9 +3104,9 @@ extension ProtonClient { /// /// Get the sync status of a repository used for Proton template sync. For more information about template sync, see . A repository sync status isn't tied to the Proton Repository resource (or any other Proton resource). Therefore, tags on an Proton Repository resource have no effect on this action. Specifically, you can't use these tags to control access to this action using Attribute-based access control (ABAC). For more information about ABAC, see [ABAC](https://docs.aws.amazon.com/proton/latest/userguide/security_iam_service-with-iam.html#security_iam_service-with-iam-tags) in the Proton User Guide. /// - /// - Parameter GetRepositorySyncStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRepositorySyncStatusInput`) /// - /// - Returns: `GetRepositorySyncStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRepositorySyncStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3180,7 +3142,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRepositorySyncStatusOutput.httpOutput(from:), GetRepositorySyncStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3215,9 +3176,9 @@ extension ProtonClient { /// /// Get counts of Proton resources. For infrastructure-provisioning resources (environments, services, service instances, pipelines), the action returns staleness counts. A resource is stale when it's behind the recommended version of the Proton template that it uses and it needs an update to become current. The action returns staleness counts (counts of resources that are up-to-date, behind a template major version, or behind a template minor version), the total number of resources, and the number of resources that are in a failed state, grouped by resource type. Components, environments, and service templates return less information - see the components, environments, and serviceTemplates field descriptions. For context, the action also returns the total number of each type of Proton template in the Amazon Web Services account. For more information, see [Proton dashboard](https://docs.aws.amazon.com/proton/latest/userguide/monitoring-dashboard.html) in the Proton User Guide. /// - /// - Parameter GetResourcesSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcesSummaryInput`) /// - /// - Returns: `GetResourcesSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcesSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3252,7 +3213,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcesSummaryOutput.httpOutput(from:), GetResourcesSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3287,9 +3247,9 @@ extension ProtonClient { /// /// Get detailed data for a service. /// - /// - Parameter GetServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceInput`) /// - /// - Returns: `GetServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3325,7 +3285,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceOutput.httpOutput(from:), GetServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3360,9 +3319,9 @@ extension ProtonClient { /// /// Get detailed data for a service instance. A service instance is an instantiation of service template and it runs in a specific environment. /// - /// - Parameter GetServiceInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceInstanceInput`) /// - /// - Returns: `GetServiceInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3398,7 +3357,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceInstanceOutput.httpOutput(from:), GetServiceInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3433,9 +3391,9 @@ extension ProtonClient { /// /// Get the status of the synced service instance. /// - /// - Parameter GetServiceInstanceSyncStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceInstanceSyncStatusInput`) /// - /// - Returns: `GetServiceInstanceSyncStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceInstanceSyncStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3471,7 +3429,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceInstanceSyncStatusOutput.httpOutput(from:), GetServiceInstanceSyncStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3506,9 +3463,9 @@ extension ProtonClient { /// /// Get detailed data for the service sync blocker summary. /// - /// - Parameter GetServiceSyncBlockerSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceSyncBlockerSummaryInput`) /// - /// - Returns: `GetServiceSyncBlockerSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceSyncBlockerSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3544,7 +3501,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceSyncBlockerSummaryOutput.httpOutput(from:), GetServiceSyncBlockerSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3579,9 +3535,9 @@ extension ProtonClient { /// /// Get detailed information for the service sync configuration. /// - /// - Parameter GetServiceSyncConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceSyncConfigInput`) /// - /// - Returns: `GetServiceSyncConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceSyncConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3617,7 +3573,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceSyncConfigOutput.httpOutput(from:), GetServiceSyncConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3652,9 +3607,9 @@ extension ProtonClient { /// /// Get detailed data for a service template. /// - /// - Parameter GetServiceTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceTemplateInput`) /// - /// - Returns: `GetServiceTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3690,7 +3645,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceTemplateOutput.httpOutput(from:), GetServiceTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3725,9 +3679,9 @@ extension ProtonClient { /// /// Get detailed data for a major or minor version of a service template. /// - /// - Parameter GetServiceTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceTemplateVersionInput`) /// - /// - Returns: `GetServiceTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3763,7 +3717,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceTemplateVersionOutput.httpOutput(from:), GetServiceTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3798,9 +3751,9 @@ extension ProtonClient { /// /// Get detail data for a template sync configuration. /// - /// - Parameter GetTemplateSyncConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemplateSyncConfigInput`) /// - /// - Returns: `GetTemplateSyncConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemplateSyncConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3836,7 +3789,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateSyncConfigOutput.httpOutput(from:), GetTemplateSyncConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3871,9 +3823,9 @@ extension ProtonClient { /// /// Get the status of a template sync. /// - /// - Parameter GetTemplateSyncStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemplateSyncStatusInput`) /// - /// - Returns: `GetTemplateSyncStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemplateSyncStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3909,7 +3861,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateSyncStatusOutput.httpOutput(from:), GetTemplateSyncStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3944,9 +3895,9 @@ extension ProtonClient { /// /// Get a list of component Infrastructure as Code (IaC) outputs. For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter ListComponentOutputsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentOutputsInput`) /// - /// - Returns: `ListComponentOutputsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentOutputsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3982,7 +3933,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentOutputsOutput.httpOutput(from:), ListComponentOutputsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4017,9 +3967,9 @@ extension ProtonClient { /// /// List provisioned resources for a component with details. For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter ListComponentProvisionedResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentProvisionedResourcesInput`) /// - /// - Returns: `ListComponentProvisionedResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentProvisionedResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4055,7 +4005,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentProvisionedResourcesOutput.httpOutput(from:), ListComponentProvisionedResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4090,9 +4039,9 @@ extension ProtonClient { /// /// List components with summary data. You can filter the result list by environment, service, or a single service instance. For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter ListComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentsInput`) /// - /// - Returns: `ListComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4127,7 +4076,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentsOutput.httpOutput(from:), ListComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4162,9 +4110,9 @@ extension ProtonClient { /// /// List deployments. You can filter the result list by environment, service, or a single service instance. /// - /// - Parameter ListDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeploymentsInput`) /// - /// - Returns: `ListDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4200,7 +4148,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentsOutput.httpOutput(from:), ListDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4235,9 +4182,9 @@ extension ProtonClient { /// /// View a list of environment account connections. For more information, see [Environment account connections](https://docs.aws.amazon.com/proton/latest/userguide/ag-env-account-connections.html) in the Proton User guide. /// - /// - Parameter ListEnvironmentAccountConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentAccountConnectionsInput`) /// - /// - Returns: `ListEnvironmentAccountConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentAccountConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4272,7 +4219,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentAccountConnectionsOutput.httpOutput(from:), ListEnvironmentAccountConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4307,9 +4253,9 @@ extension ProtonClient { /// /// List the infrastructure as code outputs for your environment. /// - /// - Parameter ListEnvironmentOutputsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentOutputsInput`) /// - /// - Returns: `ListEnvironmentOutputsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentOutputsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4345,7 +4291,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentOutputsOutput.httpOutput(from:), ListEnvironmentOutputsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4380,9 +4325,9 @@ extension ProtonClient { /// /// List the provisioned resources for your environment. /// - /// - Parameter ListEnvironmentProvisionedResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentProvisionedResourcesInput`) /// - /// - Returns: `ListEnvironmentProvisionedResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentProvisionedResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4418,7 +4363,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentProvisionedResourcesOutput.httpOutput(from:), ListEnvironmentProvisionedResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4453,9 +4397,9 @@ extension ProtonClient { /// /// List major or minor versions of an environment template with detail data. /// - /// - Parameter ListEnvironmentTemplateVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentTemplateVersionsInput`) /// - /// - Returns: `ListEnvironmentTemplateVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentTemplateVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4491,7 +4435,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentTemplateVersionsOutput.httpOutput(from:), ListEnvironmentTemplateVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4526,9 +4469,9 @@ extension ProtonClient { /// /// List environment templates. /// - /// - Parameter ListEnvironmentTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentTemplatesInput`) /// - /// - Returns: `ListEnvironmentTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4563,7 +4506,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentTemplatesOutput.httpOutput(from:), ListEnvironmentTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4598,9 +4540,9 @@ extension ProtonClient { /// /// List environments with detail data summaries. /// - /// - Parameter ListEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentsInput`) /// - /// - Returns: `ListEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4636,7 +4578,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentsOutput.httpOutput(from:), ListEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4671,9 +4612,9 @@ extension ProtonClient { /// /// List linked repositories with detail data. /// - /// - Parameter ListRepositoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRepositoriesInput`) /// - /// - Returns: `ListRepositoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRepositoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4709,7 +4650,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositoriesOutput.httpOutput(from:), ListRepositoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4744,9 +4684,9 @@ extension ProtonClient { /// /// List repository sync definitions with detail data. /// - /// - Parameter ListRepositorySyncDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRepositorySyncDefinitionsInput`) /// - /// - Returns: `ListRepositorySyncDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRepositorySyncDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4781,7 +4721,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRepositorySyncDefinitionsOutput.httpOutput(from:), ListRepositorySyncDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4816,9 +4755,9 @@ extension ProtonClient { /// /// Get a list service of instance Infrastructure as Code (IaC) outputs. /// - /// - Parameter ListServiceInstanceOutputsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceInstanceOutputsInput`) /// - /// - Returns: `ListServiceInstanceOutputsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceInstanceOutputsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4854,7 +4793,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceInstanceOutputsOutput.httpOutput(from:), ListServiceInstanceOutputsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4889,9 +4827,9 @@ extension ProtonClient { /// /// List provisioned resources for a service instance with details. /// - /// - Parameter ListServiceInstanceProvisionedResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceInstanceProvisionedResourcesInput`) /// - /// - Returns: `ListServiceInstanceProvisionedResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceInstanceProvisionedResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4927,7 +4865,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceInstanceProvisionedResourcesOutput.httpOutput(from:), ListServiceInstanceProvisionedResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4962,9 +4899,9 @@ extension ProtonClient { /// /// List service instances with summary data. This action lists service instances of all services in the Amazon Web Services account. /// - /// - Parameter ListServiceInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceInstancesInput`) /// - /// - Returns: `ListServiceInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5000,7 +4937,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceInstancesOutput.httpOutput(from:), ListServiceInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5035,9 +4971,9 @@ extension ProtonClient { /// /// Get a list of service pipeline Infrastructure as Code (IaC) outputs. /// - /// - Parameter ListServicePipelineOutputsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicePipelineOutputsInput`) /// - /// - Returns: `ListServicePipelineOutputsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicePipelineOutputsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5073,7 +5009,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicePipelineOutputsOutput.httpOutput(from:), ListServicePipelineOutputsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5108,9 +5043,9 @@ extension ProtonClient { /// /// List provisioned resources for a service and pipeline with details. /// - /// - Parameter ListServicePipelineProvisionedResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicePipelineProvisionedResourcesInput`) /// - /// - Returns: `ListServicePipelineProvisionedResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicePipelineProvisionedResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5146,7 +5081,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicePipelineProvisionedResourcesOutput.httpOutput(from:), ListServicePipelineProvisionedResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5181,9 +5115,9 @@ extension ProtonClient { /// /// List major or minor versions of a service template with detail data. /// - /// - Parameter ListServiceTemplateVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceTemplateVersionsInput`) /// - /// - Returns: `ListServiceTemplateVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceTemplateVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5219,7 +5153,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceTemplateVersionsOutput.httpOutput(from:), ListServiceTemplateVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5254,9 +5187,9 @@ extension ProtonClient { /// /// List service templates with detail data. /// - /// - Parameter ListServiceTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceTemplatesInput`) /// - /// - Returns: `ListServiceTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5291,7 +5224,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceTemplatesOutput.httpOutput(from:), ListServiceTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5326,9 +5258,9 @@ extension ProtonClient { /// /// List services with summaries of detail data. /// - /// - Parameter ListServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicesInput`) /// - /// - Returns: `ListServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5363,7 +5295,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicesOutput.httpOutput(from:), ListServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5398,9 +5329,9 @@ extension ProtonClient { /// /// List tags for a resource. For more information, see [Proton resources and tagging](https://docs.aws.amazon.com/proton/latest/userguide/resources.html) in the Proton User Guide. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5436,7 +5367,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5471,9 +5401,9 @@ extension ProtonClient { /// /// Notify Proton of status changes to a provisioned resource when you use self-managed provisioning. For more information, see [Self-managed provisioning](https://docs.aws.amazon.com/proton/latest/userguide/ag-works-prov-methods.html#ag-works-prov-methods-self) in the Proton User Guide. /// - /// - Parameter NotifyResourceDeploymentStatusChangeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `NotifyResourceDeploymentStatusChangeInput`) /// - /// - Returns: `NotifyResourceDeploymentStatusChangeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `NotifyResourceDeploymentStatusChangeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5511,7 +5441,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NotifyResourceDeploymentStatusChangeOutput.httpOutput(from:), NotifyResourceDeploymentStatusChangeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5546,9 +5475,9 @@ extension ProtonClient { /// /// In a management account, reject an environment account connection from another environment account. After you reject an environment account connection request, you can't accept or use the rejected environment account connection. You can’t reject an environment account connection that's connected to an environment. For more information, see [Environment account connections](https://docs.aws.amazon.com/proton/latest/userguide/ag-env-account-connections.html) in the Proton User guide. /// - /// - Parameter RejectEnvironmentAccountConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectEnvironmentAccountConnectionInput`) /// - /// - Returns: `RejectEnvironmentAccountConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectEnvironmentAccountConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5585,7 +5514,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectEnvironmentAccountConnectionOutput.httpOutput(from:), RejectEnvironmentAccountConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5620,9 +5548,9 @@ extension ProtonClient { /// /// Tag a resource. A tag is a key-value pair of metadata that you associate with an Proton resource. For more information, see [Proton resources and tagging](https://docs.aws.amazon.com/proton/latest/userguide/resources.html) in the Proton User Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5659,7 +5587,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5694,9 +5621,9 @@ extension ProtonClient { /// /// Remove a customer tag from a resource. A tag is a key-value pair of metadata associated with an Proton resource. For more information, see [Proton resources and tagging](https://docs.aws.amazon.com/proton/latest/userguide/resources.html) in the Proton User Guide. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5733,7 +5660,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5768,9 +5694,9 @@ extension ProtonClient { /// /// Update Proton settings that are used for multiple services in the Amazon Web Services account. /// - /// - Parameter UpdateAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountSettingsInput`) /// - /// - Returns: `UpdateAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5806,7 +5732,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountSettingsOutput.httpOutput(from:), UpdateAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5841,9 +5766,9 @@ extension ProtonClient { /// /// Update a component. There are a few modes for updating a component. The deploymentType field defines the mode. You can't update a component while its deployment status, or the deployment status of a service instance attached to it, is IN_PROGRESS. For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter UpdateComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateComponentInput`) /// - /// - Returns: `UpdateComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5882,7 +5807,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateComponentOutput.httpOutput(from:), UpdateComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5917,9 +5841,9 @@ extension ProtonClient { /// /// Update an environment. If the environment is associated with an environment account connection, don't update or include the protonServiceRoleArn and provisioningRepository parameter to update or connect to an environment account connection. You can only update to a new environment account connection if that connection was created in the same environment account that the current environment account connection was created in. The account connection must also be associated with the current environment. If the environment isn't associated with an environment account connection, don't update or include the environmentAccountConnectionId parameter. You can't update or connect the environment to an environment account connection if it isn't already associated with an environment connection. You can update either the environmentAccountConnectionId or protonServiceRoleArn parameter and value. You can’t update both. If the environment was configured for Amazon Web Services-managed provisioning, omit the provisioningRepository parameter. If the environment was configured for self-managed provisioning, specify the provisioningRepository parameter and omit the protonServiceRoleArn and environmentAccountConnectionId parameters. For more information, see [Environments](https://docs.aws.amazon.com/proton/latest/userguide/ag-environments.html) and [Provisioning methods](https://docs.aws.amazon.com/proton/latest/userguide/ag-works-prov-methods.html) in the Proton User Guide. There are four modes for updating an environment. The deploymentType field defines the mode. NONE In this mode, a deployment doesn't occur. Only the requested metadata parameters are updated. CURRENT_VERSION In this mode, the environment is deployed and updated with the new spec that you provide. Only requested parameters are updated. Don’t include minor or major version parameters when you use this deployment-type. MINOR_VERSION In this mode, the environment is deployed and updated with the published, recommended (latest) minor version of the current major version in use, by default. You can also specify a different minor version of the current major version in use. MAJOR_VERSION In this mode, the environment is deployed and updated with the published, recommended (latest) major and minor version of the current template, by default. You can also specify a different major version that's higher than the major version in use and a minor version. /// - /// - Parameter UpdateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentInput`) /// - /// - Returns: `UpdateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5956,7 +5880,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentOutput.httpOutput(from:), UpdateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5991,9 +5914,9 @@ extension ProtonClient { /// /// In an environment account, update an environment account connection to use a new IAM role. For more information, see [Environment account connections](https://docs.aws.amazon.com/proton/latest/userguide/ag-env-account-connections.html) in the Proton User guide. /// - /// - Parameter UpdateEnvironmentAccountConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentAccountConnectionInput`) /// - /// - Returns: `UpdateEnvironmentAccountConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentAccountConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6030,7 +5953,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentAccountConnectionOutput.httpOutput(from:), UpdateEnvironmentAccountConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6065,9 +5987,9 @@ extension ProtonClient { /// /// Update an environment template. /// - /// - Parameter UpdateEnvironmentTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentTemplateInput`) /// - /// - Returns: `UpdateEnvironmentTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6104,7 +6026,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentTemplateOutput.httpOutput(from:), UpdateEnvironmentTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6139,9 +6060,9 @@ extension ProtonClient { /// /// Update a major or minor version of an environment template. /// - /// - Parameter UpdateEnvironmentTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentTemplateVersionInput`) /// - /// - Returns: `UpdateEnvironmentTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6178,7 +6099,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentTemplateVersionOutput.httpOutput(from:), UpdateEnvironmentTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6213,9 +6133,9 @@ extension ProtonClient { /// /// Edit a service description or use a spec to add and delete service instances. Existing service instances and the service pipeline can't be edited using this API. They can only be deleted. Use the description parameter to modify the description. Edit the spec parameter to add or delete instances. You can't delete a service instance (remove it from the spec) if it has an attached component. For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter UpdateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceInput`) /// - /// - Returns: `UpdateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6253,7 +6173,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceOutput.httpOutput(from:), UpdateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6288,9 +6207,9 @@ extension ProtonClient { /// /// Update a service instance. There are a few modes for updating a service instance. The deploymentType field defines the mode. You can't update a service instance while its deployment status, or the deployment status of a component attached to it, is IN_PROGRESS. For more information about components, see [Proton components](https://docs.aws.amazon.com/proton/latest/userguide/ag-components.html) in the Proton User Guide. /// - /// - Parameter UpdateServiceInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceInstanceInput`) /// - /// - Returns: `UpdateServiceInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6328,7 +6247,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceInstanceOutput.httpOutput(from:), UpdateServiceInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6363,9 +6281,9 @@ extension ProtonClient { /// /// Update the service pipeline. There are four modes for updating a service pipeline. The deploymentType field defines the mode. NONE In this mode, a deployment doesn't occur. Only the requested metadata parameters are updated. CURRENT_VERSION In this mode, the service pipeline is deployed and updated with the new spec that you provide. Only requested parameters are updated. Don’t include major or minor version parameters when you use this deployment-type. MINOR_VERSION In this mode, the service pipeline is deployed and updated with the published, recommended (latest) minor version of the current major version in use, by default. You can specify a different minor version of the current major version in use. MAJOR_VERSION In this mode, the service pipeline is deployed and updated with the published, recommended (latest) major and minor version of the current template by default. You can specify a different major version that's higher than the major version in use and a minor version. /// - /// - Parameter UpdateServicePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServicePipelineInput`) /// - /// - Returns: `UpdateServicePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServicePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6402,7 +6320,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServicePipelineOutput.httpOutput(from:), UpdateServicePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6437,9 +6354,9 @@ extension ProtonClient { /// /// Update the service sync blocker by resolving it. /// - /// - Parameter UpdateServiceSyncBlockerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceSyncBlockerInput`) /// - /// - Returns: `UpdateServiceSyncBlockerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceSyncBlockerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6476,7 +6393,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceSyncBlockerOutput.httpOutput(from:), UpdateServiceSyncBlockerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6511,9 +6427,9 @@ extension ProtonClient { /// /// Update the Proton Ops config file. /// - /// - Parameter UpdateServiceSyncConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceSyncConfigInput`) /// - /// - Returns: `UpdateServiceSyncConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceSyncConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6550,7 +6466,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceSyncConfigOutput.httpOutput(from:), UpdateServiceSyncConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6585,9 +6500,9 @@ extension ProtonClient { /// /// Update a service template. /// - /// - Parameter UpdateServiceTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceTemplateInput`) /// - /// - Returns: `UpdateServiceTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6624,7 +6539,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceTemplateOutput.httpOutput(from:), UpdateServiceTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6659,9 +6573,9 @@ extension ProtonClient { /// /// Update a major or minor version of a service template. /// - /// - Parameter UpdateServiceTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceTemplateVersionInput`) /// - /// - Returns: `UpdateServiceTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6698,7 +6612,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceTemplateVersionOutput.httpOutput(from:), UpdateServiceTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6733,9 +6646,9 @@ extension ProtonClient { /// /// Update template sync configuration parameters, except for the templateName and templateType. Repository details (branch, name, and provider) should be of a linked repository. A linked repository is a repository that has been registered with Proton. For more information, see [CreateRepository]. /// - /// - Parameter UpdateTemplateSyncConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTemplateSyncConfigInput`) /// - /// - Returns: `UpdateTemplateSyncConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTemplateSyncConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6772,7 +6685,6 @@ extension ProtonClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTemplateSyncConfigOutput.httpOutput(from:), UpdateTemplateSyncConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSQApps/Sources/AWSQApps/QAppsClient.swift b/Sources/Services/AWSQApps/Sources/AWSQApps/QAppsClient.swift index a7e32dc3d0a..ab5db9be782 100644 --- a/Sources/Services/AWSQApps/Sources/AWSQApps/QAppsClient.swift +++ b/Sources/Services/AWSQApps/Sources/AWSQApps/QAppsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class QAppsClient: ClientRuntime.Client { public static let clientName = "QAppsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: QAppsClient.QAppsClientConfiguration let serviceName = "QApps" @@ -375,9 +374,9 @@ extension QAppsClient { /// /// Associates a rating or review for a library item with the user submitting the request. This increments the rating count for the specified library item. /// - /// - Parameter AssociateLibraryItemReviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateLibraryItemReviewInput`) /// - /// - Returns: `AssociateLibraryItemReviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateLibraryItemReviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateLibraryItemReviewOutput.httpOutput(from:), AssociateLibraryItemReviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension QAppsClient { /// /// This operation creates a link between the user's identity calling the operation and a specific Q App. This is useful to mark the Q App as a favorite for the user if the user doesn't own the Amazon Q App so they can still run it and see it in their inventory of Q Apps. /// - /// - Parameter AssociateQAppWithUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateQAppWithUserInput`) /// - /// - Returns: `AssociateQAppWithUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateQAppWithUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -494,7 +492,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateQAppWithUserOutput.httpOutput(from:), AssociateQAppWithUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension QAppsClient { /// /// Creates Categories for the Amazon Q Business application environment instance. Web experience users use Categories to tag and filter library items. For more information, see [Custom labels for Amazon Q Apps](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/qapps-custom-labels.html). /// - /// - Parameter BatchCreateCategoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateCategoryInput`) /// - /// - Returns: `BatchCreateCategoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateCategoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -569,7 +566,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateCategoryOutput.httpOutput(from:), BatchCreateCategoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension QAppsClient { /// /// Deletes Categories for the Amazon Q Business application environment instance. Web experience users use Categories to tag and filter library items. For more information, see [Custom labels for Amazon Q Apps](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/qapps-custom-labels.html). /// - /// - Parameter BatchDeleteCategoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteCategoryInput`) /// - /// - Returns: `BatchDeleteCategoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteCategoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -644,7 +640,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteCategoryOutput.httpOutput(from:), BatchDeleteCategoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension QAppsClient { /// /// Updates Categories for the Amazon Q Business application environment instance. Web experience users use Categories to tag and filter library items. For more information, see [Custom labels for Amazon Q Apps](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/qapps-custom-labels.html). /// - /// - Parameter BatchUpdateCategoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateCategoryInput`) /// - /// - Returns: `BatchUpdateCategoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateCategoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateCategoryOutput.httpOutput(from:), BatchUpdateCategoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -751,9 +745,9 @@ extension QAppsClient { /// /// Creates a new library item for an Amazon Q App, allowing it to be discovered and used by other allowed users. /// - /// - Parameter CreateLibraryItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLibraryItemInput`) /// - /// - Returns: `CreateLibraryItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLibraryItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -794,7 +788,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLibraryItemOutput.httpOutput(from:), CreateLibraryItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -826,9 +819,9 @@ extension QAppsClient { /// /// Creates a presigned URL for an S3 POST operation to upload a file. You can use this URL to set a default file for a FileUploadCard in a Q App definition or to provide a file for a single Q App run. The scope parameter determines how the file will be used, either at the app definition level or the app session level. The IAM permissions are derived from the qapps:ImportDocument action. For more information on the IAM policy for Amazon Q Apps, see [IAM permissions for using Amazon Q Apps](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/deploy-q-apps-iam-permissions.html). /// - /// - Parameter CreatePresignedUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePresignedUrlInput`) /// - /// - Returns: `CreatePresignedUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePresignedUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -867,7 +860,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePresignedUrlOutput.httpOutput(from:), CreatePresignedUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -899,9 +891,9 @@ extension QAppsClient { /// /// Creates a new Amazon Q App based on the provided definition. The Q App definition specifies the cards and flow of the Q App. This operation also calculates the dependencies between the cards by inspecting the references in the prompts. /// - /// - Parameter CreateQAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQAppInput`) /// - /// - Returns: `CreateQAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -943,7 +935,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQAppOutput.httpOutput(from:), CreateQAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -975,9 +966,9 @@ extension QAppsClient { /// /// Deletes a library item for an Amazon Q App, removing it from the library so it can no longer be discovered or used by other users. /// - /// - Parameter DeleteLibraryItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLibraryItemInput`) /// - /// - Returns: `DeleteLibraryItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLibraryItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1018,7 +1009,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLibraryItemOutput.httpOutput(from:), DeleteLibraryItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1050,9 +1040,9 @@ extension QAppsClient { /// /// Deletes an Amazon Q App owned by the user. If the Q App was previously published to the library, it is also removed from the library. /// - /// - Parameter DeleteQAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQAppInput`) /// - /// - Returns: `DeleteQAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1092,7 +1082,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQAppOutput.httpOutput(from:), DeleteQAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1124,9 +1113,9 @@ extension QAppsClient { /// /// Describes read permissions for a Amazon Q App in Amazon Q Business application environment instance. /// - /// - Parameter DescribeQAppPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQAppPermissionsInput`) /// - /// - Returns: `DescribeQAppPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQAppPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1164,7 +1153,6 @@ extension QAppsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeQAppPermissionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQAppPermissionsOutput.httpOutput(from:), DescribeQAppPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1196,9 +1184,9 @@ extension QAppsClient { /// /// Removes a rating or review previously submitted by the user for a library item. /// - /// - Parameter DisassociateLibraryItemReviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateLibraryItemReviewInput`) /// - /// - Returns: `DisassociateLibraryItemReviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateLibraryItemReviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1240,7 +1228,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateLibraryItemReviewOutput.httpOutput(from:), DisassociateLibraryItemReviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1272,9 +1259,9 @@ extension QAppsClient { /// /// Disassociates a Q App from a user removing the user's access to run the Q App. /// - /// - Parameter DisassociateQAppFromUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateQAppFromUserInput`) /// - /// - Returns: `DisassociateQAppFromUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateQAppFromUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1314,7 +1301,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateQAppFromUserOutput.httpOutput(from:), DisassociateQAppFromUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1346,9 +1332,9 @@ extension QAppsClient { /// /// Exports the collected data of a Q App data collection session. /// - /// - Parameter ExportQAppSessionDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportQAppSessionDataInput`) /// - /// - Returns: `ExportQAppSessionDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportQAppSessionDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1390,7 +1376,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportQAppSessionDataOutput.httpOutput(from:), ExportQAppSessionDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1422,9 +1407,9 @@ extension QAppsClient { /// /// Retrieves details about a library item for an Amazon Q App, including its metadata, categories, ratings, and usage statistics. /// - /// - Parameter GetLibraryItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLibraryItemInput`) /// - /// - Returns: `GetLibraryItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLibraryItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1462,7 +1447,6 @@ extension QAppsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLibraryItemInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLibraryItemOutput.httpOutput(from:), GetLibraryItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1494,9 +1478,9 @@ extension QAppsClient { /// /// Retrieves the full details of an Q App, including its definition specifying the cards and flow. /// - /// - Parameter GetQAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQAppInput`) /// - /// - Returns: `GetQAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1534,7 +1518,6 @@ extension QAppsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetQAppInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQAppOutput.httpOutput(from:), GetQAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1566,9 +1549,9 @@ extension QAppsClient { /// /// Retrieves the current state and results for an active session of an Amazon Q App. /// - /// - Parameter GetQAppSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQAppSessionInput`) /// - /// - Returns: `GetQAppSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQAppSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1607,7 +1590,6 @@ extension QAppsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetQAppSessionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQAppSessionOutput.httpOutput(from:), GetQAppSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1639,9 +1621,9 @@ extension QAppsClient { /// /// Retrieves the current configuration of a Q App session. /// - /// - Parameter GetQAppSessionMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQAppSessionMetadataInput`) /// - /// - Returns: `GetQAppSessionMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQAppSessionMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1680,7 +1662,6 @@ extension QAppsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetQAppSessionMetadataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQAppSessionMetadataOutput.httpOutput(from:), GetQAppSessionMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1712,9 +1693,9 @@ extension QAppsClient { /// /// Uploads a file that can then be used either as a default in a FileUploadCard from Q App definition or as a file that is used inside a single Q App run. The purpose of the document is determined by a scope parameter that indicates whether it is at the app definition level or at the app session level. /// - /// - Parameter ImportDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportDocumentInput`) /// - /// - Returns: `ImportDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1756,7 +1737,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportDocumentOutput.httpOutput(from:), ImportDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1788,9 +1768,9 @@ extension QAppsClient { /// /// Lists the categories of a Amazon Q Business application environment instance. For more information, see [Custom labels for Amazon Q Apps](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/qapps-custom-labels.html). /// - /// - Parameter ListCategoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCategoriesInput`) /// - /// - Returns: `ListCategoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCategoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1827,7 +1807,6 @@ extension QAppsClient { builder.serialize(ClientRuntime.HeaderMiddleware(ListCategoriesInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCategoriesOutput.httpOutput(from:), ListCategoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1859,9 +1838,9 @@ extension QAppsClient { /// /// Lists the library items for Amazon Q Apps that are published and available for users in your Amazon Web Services account. /// - /// - Parameter ListLibraryItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLibraryItemsInput`) /// - /// - Returns: `ListLibraryItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLibraryItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1899,7 +1878,6 @@ extension QAppsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLibraryItemsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLibraryItemsOutput.httpOutput(from:), ListLibraryItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1931,9 +1909,9 @@ extension QAppsClient { /// /// Lists the collected data of a Q App data collection session. /// - /// - Parameter ListQAppSessionDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQAppSessionDataInput`) /// - /// - Returns: `ListQAppSessionDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQAppSessionDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1972,7 +1950,6 @@ extension QAppsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQAppSessionDataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQAppSessionDataOutput.httpOutput(from:), ListQAppSessionDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2004,9 +1981,9 @@ extension QAppsClient { /// /// Lists the Amazon Q Apps owned by or associated with the user either because they created it or because they used it from the library in the past. The user identity is extracted from the credentials used to invoke this operation.. /// - /// - Parameter ListQAppsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQAppsInput`) /// - /// - Returns: `ListQAppsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQAppsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2043,7 +2020,6 @@ extension QAppsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQAppsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQAppsOutput.httpOutput(from:), ListQAppsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2075,9 +2051,9 @@ extension QAppsClient { /// /// Lists the tags associated with an Amazon Q Apps resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2112,7 +2088,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2144,9 +2119,9 @@ extension QAppsClient { /// /// Generates an Amazon Q App definition based on either a conversation or a problem statement provided as input.The resulting app definition can be used to call CreateQApp. This API doesn't create Amazon Q Apps directly. /// - /// - Parameter PredictQAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PredictQAppInput`) /// - /// - Returns: `PredictQAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PredictQAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2185,7 +2160,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PredictQAppOutput.httpOutput(from:), PredictQAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2217,9 +2191,9 @@ extension QAppsClient { /// /// Starts a new session for an Amazon Q App, allowing inputs to be provided and the app to be run. Each Q App session will be condensed into a single conversation in the web experience. /// - /// - Parameter StartQAppSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartQAppSessionInput`) /// - /// - Returns: `StartQAppSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartQAppSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2260,7 +2234,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartQAppSessionOutput.httpOutput(from:), StartQAppSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2292,9 +2265,9 @@ extension QAppsClient { /// /// Stops an active session for an Amazon Q App.This deletes all data related to the session and makes it invalid for future uses. The results of the session will be persisted as part of the conversation. /// - /// - Parameter StopQAppSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopQAppSessionInput`) /// - /// - Returns: `StopQAppSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopQAppSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2335,7 +2308,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopQAppSessionOutput.httpOutput(from:), StopQAppSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2367,9 +2339,9 @@ extension QAppsClient { /// /// Associates tags with an Amazon Q Apps resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2408,7 +2380,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2440,9 +2411,9 @@ extension QAppsClient { /// /// Disassociates tags from an Amazon Q Apps resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2478,7 +2449,6 @@ extension QAppsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2510,9 +2480,9 @@ extension QAppsClient { /// /// Updates the library item for an Amazon Q App. /// - /// - Parameter UpdateLibraryItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLibraryItemInput`) /// - /// - Returns: `UpdateLibraryItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLibraryItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2553,7 +2523,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLibraryItemOutput.httpOutput(from:), UpdateLibraryItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2585,9 +2554,9 @@ extension QAppsClient { /// /// Updates the verification status of a library item for an Amazon Q App. /// - /// - Parameter UpdateLibraryItemMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLibraryItemMetadataInput`) /// - /// - Returns: `UpdateLibraryItemMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLibraryItemMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2628,7 +2597,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLibraryItemMetadataOutput.httpOutput(from:), UpdateLibraryItemMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2660,9 +2628,9 @@ extension QAppsClient { /// /// Updates an existing Amazon Q App, allowing modifications to its title, description, and definition. /// - /// - Parameter UpdateQAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQAppInput`) /// - /// - Returns: `UpdateQAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2703,7 +2671,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQAppOutput.httpOutput(from:), UpdateQAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2735,9 +2702,9 @@ extension QAppsClient { /// /// Updates read permissions for a Amazon Q App in Amazon Q Business application environment instance. /// - /// - Parameter UpdateQAppPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQAppPermissionsInput`) /// - /// - Returns: `UpdateQAppPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQAppPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2777,7 +2744,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQAppPermissionsOutput.httpOutput(from:), UpdateQAppPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2809,9 +2775,9 @@ extension QAppsClient { /// /// Updates the session for a given Q App sessionId. This is only valid when at least one card of the session is in the WAITING state. Data for each WAITING card can be provided as input. If inputs are not provided, the call will be accepted but session will not move forward. Inputs for cards that are not in the WAITING status will be ignored. /// - /// - Parameter UpdateQAppSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQAppSessionInput`) /// - /// - Returns: `UpdateQAppSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQAppSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2852,7 +2818,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQAppSessionOutput.httpOutput(from:), UpdateQAppSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2884,9 +2849,9 @@ extension QAppsClient { /// /// Updates the configuration metadata of a session for a given Q App sessionId. /// - /// - Parameter UpdateQAppSessionMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQAppSessionMetadataInput`) /// - /// - Returns: `UpdateQAppSessionMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQAppSessionMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2927,7 +2892,6 @@ extension QAppsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQAppSessionMetadataOutput.httpOutput(from:), UpdateQAppSessionMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSQBusiness/Sources/AWSQBusiness/QBusinessClient.swift b/Sources/Services/AWSQBusiness/Sources/AWSQBusiness/QBusinessClient.swift index dc8d2200177..74ba8fac2e0 100644 --- a/Sources/Services/AWSQBusiness/Sources/AWSQBusiness/QBusinessClient.swift +++ b/Sources/Services/AWSQBusiness/Sources/AWSQBusiness/QBusinessClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -72,7 +71,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class QBusinessClient: ClientRuntime.Client { public static let clientName = "QBusinessClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: QBusinessClient.QBusinessClientConfiguration let serviceName = "QBusiness" @@ -378,9 +377,9 @@ extension QBusinessClient { /// /// Adds or updates a permission policy for a Amazon Q Business application, allowing cross-account access for an ISV. This operation creates a new policy statement for the specified Amazon Q Business application. The policy statement defines the IAM actions that the ISV is allowed to perform on the Amazon Q Business application's resources. /// - /// - Parameter AssociatePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociatePermissionInput`) /// - /// - Returns: `AssociatePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociatePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -420,7 +419,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePermissionOutput.httpOutput(from:), AssociatePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension QBusinessClient { /// /// Asynchronously deletes one or more documents added using the BatchPutDocument API from an Amazon Q Business index. You can see the progress of the deletion, and any error messages related to the process, by using CloudWatch. /// - /// - Parameter BatchDeleteDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteDocumentInput`) /// - /// - Returns: `BatchDeleteDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteDocumentOutput.httpOutput(from:), BatchDeleteDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -534,9 +531,9 @@ extension QBusinessClient { /// /// You can see the progress of the deletion, and any error messages related to the process, by using CloudWatch. /// - /// - Parameter BatchPutDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutDocumentInput`) /// - /// - Returns: `BatchPutDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -576,7 +573,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutDocumentOutput.httpOutput(from:), BatchPutDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -608,9 +604,9 @@ extension QBusinessClient { /// /// Unsubscribes a user or a group from their pricing tier in an Amazon Q Business application. An unsubscribed user or group loses all Amazon Q Business feature access at the start of next month. /// - /// - Parameter CancelSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelSubscriptionInput`) /// - /// - Returns: `CancelSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -645,7 +641,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSubscriptionOutput.httpOutput(from:), CancelSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -677,9 +672,9 @@ extension QBusinessClient { /// /// Starts or continues a streaming Amazon Q Business conversation. /// - /// - Parameter ChatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ChatInput`) /// - /// - Returns: `ChatOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ChatOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -723,7 +718,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChatOutput.httpOutput(from:), ChatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -755,9 +749,9 @@ extension QBusinessClient { /// /// Starts or continues a non-streaming Amazon Q Business conversation. /// - /// - Parameter ChatSyncInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ChatSyncInput`) /// - /// - Returns: `ChatSyncOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ChatSyncOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -800,7 +794,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChatSyncOutput.httpOutput(from:), ChatSyncOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -832,9 +825,9 @@ extension QBusinessClient { /// /// Verifies if a user has access permissions for a specified document and returns the actual ACL attached to the document. Resolves user access on the document via user aliases and groups when verifying user access. /// - /// - Parameter CheckDocumentAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CheckDocumentAccessInput`) /// - /// - Returns: `CheckDocumentAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CheckDocumentAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -870,7 +863,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(CheckDocumentAccessInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckDocumentAccessOutput.httpOutput(from:), CheckDocumentAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -902,9 +894,9 @@ extension QBusinessClient { /// /// 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. /// - /// - Parameter CreateAnonymousWebExperienceUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAnonymousWebExperienceUrlInput`) /// - /// - Returns: `CreateAnonymousWebExperienceUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAnonymousWebExperienceUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -943,7 +935,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAnonymousWebExperienceUrlOutput.httpOutput(from:), CreateAnonymousWebExperienceUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -975,9 +966,9 @@ extension QBusinessClient { /// /// Creates an Amazon Q Business application. There are new tiers for Amazon Q Business. Not all features in Amazon Q Business Pro are also available in Amazon Q Business Lite. For information on what's included in Amazon Q Business Lite and what's included in Amazon Q Business Pro, see [Amazon Q Business tiers](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/tiers.html#user-sub-tiers). You must use the Amazon Q Business console to assign subscription tiers to users. An Amazon Q Apps service linked role will be created if it's absent in the Amazon Web Services account when QAppsConfiguration is enabled in the request. For more information, see [ Using service-linked roles for Q Apps](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/using-service-linked-roles-qapps.html). When you create an application, Amazon Q Business may securely transmit data for processing from your selected Amazon Web Services region, but within your geography. For more information, see [Cross region inference in Amazon Q Business](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/cross-region-inference.html). /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1018,7 +1009,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1050,9 +1040,9 @@ extension QBusinessClient { /// /// Creates a new chat response configuration for an Amazon Q Business application. This operation establishes a set of parameters that define how the system generates and formats responses to user queries in chat interactions. /// - /// - Parameter CreateChatResponseConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChatResponseConfigurationInput`) /// - /// - Returns: `CreateChatResponseConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChatResponseConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1093,7 +1083,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChatResponseConfigurationOutput.httpOutput(from:), CreateChatResponseConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1125,9 +1114,9 @@ extension QBusinessClient { /// /// Creates a new data accessor for an ISV to access data from a Amazon Q Business application. The data accessor is an entity that represents the ISV's access to the Amazon Q Business application's data. It includes the IAM role ARN for the ISV, a friendly name, and a set of action configurations that define the specific actions the ISV is allowed to perform and any associated data filters. When the data accessor is created, an IAM Identity Center application is also created to manage the ISV's identity and authentication for accessing the Amazon Q Business application. /// - /// - Parameter CreateDataAccessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataAccessorInput`) /// - /// - Returns: `CreateDataAccessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataAccessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1168,7 +1157,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataAccessorOutput.httpOutput(from:), CreateDataAccessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1200,9 +1188,9 @@ extension QBusinessClient { /// /// Creates a data source connector for an Amazon Q Business application. CreateDataSource is a synchronous operation. The operation returns 200 if the data source was successfully created. Otherwise, an exception is raised. /// - /// - Parameter CreateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSourceInput`) /// - /// - Returns: `CreateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1243,7 +1231,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSourceOutput.httpOutput(from:), CreateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1275,9 +1262,9 @@ extension QBusinessClient { /// /// Creates an Amazon Q Business index. To determine if index creation has completed, check the Status field returned from a call to DescribeIndex. The Status field is set to ACTIVE when the index is ready to use. Once the index is active, you can index your documents using the [BatchPutDocument](https://docs.aws.amazon.com/amazonq/latest/api-reference/API_BatchPutDocument.html) API or the [CreateDataSource](https://docs.aws.amazon.com/amazonq/latest/api-reference/API_CreateDataSource.html) API. /// - /// - Parameter CreateIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIndexInput`) /// - /// - Returns: `CreateIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1318,7 +1305,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIndexOutput.httpOutput(from:), CreateIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1350,9 +1336,9 @@ extension QBusinessClient { /// /// Creates an Amazon Q Business plugin. /// - /// - Parameter CreatePluginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePluginInput`) /// - /// - Returns: `CreatePluginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePluginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1393,7 +1379,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePluginOutput.httpOutput(from:), CreatePluginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1425,9 +1410,9 @@ extension QBusinessClient { /// /// Adds a retriever to your Amazon Q Business application. /// - /// - Parameter CreateRetrieverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRetrieverInput`) /// - /// - Returns: `CreateRetrieverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRetrieverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1468,7 +1453,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRetrieverOutput.httpOutput(from:), CreateRetrieverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1500,9 +1484,9 @@ extension QBusinessClient { /// /// Subscribes an IAM Identity Center user or a group to a pricing tier for an Amazon Q Business application. Amazon Q Business offers two subscription tiers: Q_LITE and Q_BUSINESS. Subscription tier determines feature access for the user. For more information on subscriptions and pricing tiers, see [Amazon Q Business pricing](https://aws.amazon.com/q/business/pricing/). For an example IAM role policy for assigning subscriptions, see [Set up required permissions](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/setting-up.html#permissions) in the Amazon Q Business User Guide. /// - /// - Parameter CreateSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubscriptionInput`) /// - /// - Returns: `CreateSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1542,7 +1526,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubscriptionOutput.httpOutput(from:), CreateSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1574,9 +1557,9 @@ extension QBusinessClient { /// /// Creates a universally unique identifier (UUID) mapped to a list of local user ids within an application. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1617,7 +1600,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1649,9 +1631,9 @@ extension QBusinessClient { /// /// Creates an Amazon Q Business web experience. /// - /// - Parameter CreateWebExperienceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWebExperienceInput`) /// - /// - Returns: `CreateWebExperienceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWebExperienceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1692,7 +1674,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWebExperienceOutput.httpOutput(from:), CreateWebExperienceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1724,9 +1705,9 @@ extension QBusinessClient { /// /// Deletes an Amazon Q Business application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1762,7 +1743,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1794,9 +1774,9 @@ extension QBusinessClient { /// /// Deletes an attachment associated with a specific Amazon Q Business conversation. /// - /// - Parameter DeleteAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAttachmentInput`) /// - /// - Returns: `DeleteAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1833,7 +1813,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAttachmentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAttachmentOutput.httpOutput(from:), DeleteAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1865,9 +1844,9 @@ extension QBusinessClient { /// /// Deletes chat controls configured for an existing Amazon Q Business application. /// - /// - Parameter DeleteChatControlsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChatControlsConfigurationInput`) /// - /// - Returns: `DeleteChatControlsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChatControlsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1902,7 +1881,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChatControlsConfigurationOutput.httpOutput(from:), DeleteChatControlsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1934,9 +1912,9 @@ extension QBusinessClient { /// /// Deletes a specified chat response configuration from an Amazon Q Business application. /// - /// - Parameter DeleteChatResponseConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteChatResponseConfigurationInput`) /// - /// - Returns: `DeleteChatResponseConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteChatResponseConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1972,7 +1950,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChatResponseConfigurationOutput.httpOutput(from:), DeleteChatResponseConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2004,9 +1981,9 @@ extension QBusinessClient { /// /// Deletes an Amazon Q Business web experience conversation. /// - /// - Parameter DeleteConversationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConversationInput`) /// - /// - Returns: `DeleteConversationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConversationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2044,7 +2021,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteConversationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConversationOutput.httpOutput(from:), DeleteConversationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2076,9 +2052,9 @@ extension QBusinessClient { /// /// Deletes a specified data accessor. This operation permanently removes the data accessor and its associated IAM Identity Center application. Any access granted to the ISV through this data accessor will be revoked. /// - /// - Parameter DeleteDataAccessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataAccessorInput`) /// - /// - Returns: `DeleteDataAccessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataAccessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2114,7 +2090,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataAccessorOutput.httpOutput(from:), DeleteDataAccessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2146,9 +2121,9 @@ extension QBusinessClient { /// /// Deletes an Amazon Q Business data source connector. While the data source is being deleted, the Status field returned by a call to the DescribeDataSource API is set to DELETING. /// - /// - Parameter DeleteDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataSourceInput`) /// - /// - Returns: `DeleteDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2184,7 +2159,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSourceOutput.httpOutput(from:), DeleteDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2216,9 +2190,9 @@ extension QBusinessClient { /// /// Deletes a group so that all users and sub groups that belong to the group can no longer access documents only available to that group. For example, after deleting the group "Summer Interns", all interns who belonged to that group no longer see intern-only documents in their chat results. If you want to delete, update, or replace users or sub groups of a group, you need to use the PutGroup operation. For example, if a user in the group "Engineering" leaves the engineering team and another user takes their place, you provide an updated list of users or sub groups that belong to the "Engineering" group when calling PutGroup. /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2255,7 +2229,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2287,9 +2260,9 @@ extension QBusinessClient { /// /// Deletes an Amazon Q Business index. /// - /// - Parameter DeleteIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIndexInput`) /// - /// - Returns: `DeleteIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2325,7 +2298,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIndexOutput.httpOutput(from:), DeleteIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2357,9 +2329,9 @@ extension QBusinessClient { /// /// Deletes an Amazon Q Business plugin. /// - /// - Parameter DeletePluginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePluginInput`) /// - /// - Returns: `DeletePluginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePluginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2395,7 +2367,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePluginOutput.httpOutput(from:), DeletePluginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2427,9 +2398,9 @@ extension QBusinessClient { /// /// Deletes the retriever used by an Amazon Q Business application. /// - /// - Parameter DeleteRetrieverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRetrieverInput`) /// - /// - Returns: `DeleteRetrieverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRetrieverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2465,7 +2436,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRetrieverOutput.httpOutput(from:), DeleteRetrieverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2497,9 +2467,9 @@ extension QBusinessClient { /// /// Deletes a user by email id. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2535,7 +2505,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2567,9 +2536,9 @@ extension QBusinessClient { /// /// Deletes an Amazon Q Business web experience. /// - /// - Parameter DeleteWebExperienceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWebExperienceInput`) /// - /// - Returns: `DeleteWebExperienceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWebExperienceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2605,7 +2574,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWebExperienceOutput.httpOutput(from:), DeleteWebExperienceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2637,9 +2605,9 @@ extension QBusinessClient { /// /// Removes a permission policy from a Amazon Q Business application, revoking the cross-account access that was previously granted to an ISV. This operation deletes the specified policy statement from the application's permission policy. /// - /// - Parameter DisassociatePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociatePermissionInput`) /// - /// - Returns: `DisassociatePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociatePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2675,7 +2643,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociatePermissionOutput.httpOutput(from:), DisassociatePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2707,9 +2674,9 @@ extension QBusinessClient { /// /// Gets information about an existing Amazon Q Business application. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2744,7 +2711,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2776,9 +2742,9 @@ extension QBusinessClient { /// /// Gets information about chat controls configured for an existing Amazon Q Business application. /// - /// - Parameter GetChatControlsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChatControlsConfigurationInput`) /// - /// - Returns: `GetChatControlsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChatControlsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2814,7 +2780,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetChatControlsConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChatControlsConfigurationOutput.httpOutput(from:), GetChatControlsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2846,9 +2811,9 @@ extension QBusinessClient { /// /// Retrieves detailed information about a specific chat response configuration from an Amazon Q Business application. This operation returns the complete configuration settings and metadata. /// - /// - Parameter GetChatResponseConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChatResponseConfigurationInput`) /// - /// - Returns: `GetChatResponseConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChatResponseConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2883,7 +2848,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChatResponseConfigurationOutput.httpOutput(from:), GetChatResponseConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2915,9 +2879,9 @@ extension QBusinessClient { /// /// Retrieves information about a specified data accessor. This operation returns details about the data accessor, including its display name, unique identifier, Amazon Resource Name (ARN), the associated Amazon Q Business application and IAM Identity Center application, the IAM role for the ISV, the action configurations, and the timestamps for when the data accessor was created and last updated. /// - /// - Parameter GetDataAccessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataAccessorInput`) /// - /// - Returns: `GetDataAccessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataAccessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2952,7 +2916,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataAccessorOutput.httpOutput(from:), GetDataAccessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2984,9 +2947,9 @@ extension QBusinessClient { /// /// Gets information about an existing Amazon Q Business data source connector. /// - /// - Parameter GetDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataSourceInput`) /// - /// - Returns: `GetDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3021,7 +2984,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataSourceOutput.httpOutput(from:), GetDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3053,9 +3015,9 @@ extension QBusinessClient { /// /// Retrieves the content of a document that was ingested into Amazon Q Business. This API validates user authorization against document ACLs before returning a pre-signed URL for secure document access. You can download or view source documents referenced in chat responses through the URL. /// - /// - Parameter GetDocumentContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDocumentContentInput`) /// - /// - Returns: `GetDocumentContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDocumentContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3091,7 +3053,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDocumentContentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentContentOutput.httpOutput(from:), GetDocumentContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3123,9 +3084,9 @@ extension QBusinessClient { /// /// Describes a group by group name. /// - /// - Parameter GetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupInput`) /// - /// - Returns: `GetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3162,7 +3123,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupOutput.httpOutput(from:), GetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3194,9 +3154,9 @@ extension QBusinessClient { /// /// Gets information about an existing Amazon Q Business index. /// - /// - Parameter GetIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIndexInput`) /// - /// - Returns: `GetIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3231,7 +3191,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIndexOutput.httpOutput(from:), GetIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3263,9 +3222,9 @@ extension QBusinessClient { /// /// Returns the image bytes corresponding to a media object. If you have implemented your own application with the Chat and ChatSync APIs, and have enabled content extraction from visual data in Amazon Q Business, you use the GetMedia API operation to download the images so you can show them in your UI with responses. For more information, see [Extracting semantic meaning from images and visuals](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/extracting-meaning-from-images.html). /// - /// - Parameter GetMediaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMediaInput`) /// - /// - Returns: `GetMediaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMediaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3302,7 +3261,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMediaOutput.httpOutput(from:), GetMediaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3334,9 +3292,9 @@ extension QBusinessClient { /// /// Gets information about an existing Amazon Q Business plugin. /// - /// - Parameter GetPluginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPluginInput`) /// - /// - Returns: `GetPluginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPluginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3371,7 +3329,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPluginOutput.httpOutput(from:), GetPluginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3403,9 +3360,9 @@ extension QBusinessClient { /// /// Retrieves the current permission policy for a Amazon Q Business application. The policy is returned as a JSON-formatted string and defines the IAM actions that are allowed or denied for the application's resources. /// - /// - Parameter GetPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyInput`) /// - /// - Returns: `GetPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3440,7 +3397,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyOutput.httpOutput(from:), GetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3472,9 +3428,9 @@ extension QBusinessClient { /// /// Gets information about an existing retriever used by an Amazon Q Business application. /// - /// - Parameter GetRetrieverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRetrieverInput`) /// - /// - Returns: `GetRetrieverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRetrieverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3509,7 +3465,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRetrieverOutput.httpOutput(from:), GetRetrieverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3541,9 +3496,9 @@ extension QBusinessClient { /// /// Describes the universally unique identifier (UUID) associated with a local user in a data source. /// - /// - Parameter GetUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserInput`) /// - /// - Returns: `GetUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3579,7 +3534,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserOutput.httpOutput(from:), GetUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3611,9 +3565,9 @@ extension QBusinessClient { /// /// Gets information about an existing Amazon Q Business web experience. /// - /// - Parameter GetWebExperienceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWebExperienceInput`) /// - /// - Returns: `GetWebExperienceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWebExperienceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3648,7 +3602,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWebExperienceOutput.httpOutput(from:), GetWebExperienceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3680,9 +3633,9 @@ extension QBusinessClient { /// /// Lists Amazon Q Business applications. Amazon Q Business applications may securely transmit data for processing across Amazon Web Services Regions within your geography. For more information, see [Cross region inference in Amazon Q Business](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/cross-region-inference.html). /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3717,7 +3670,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3749,9 +3701,9 @@ extension QBusinessClient { /// /// Gets a list of attachments associated with an Amazon Q Business web experience or a list of attachements associated with a specific Amazon Q Business conversation. /// - /// - Parameter ListAttachmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttachmentsInput`) /// - /// - Returns: `ListAttachmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAttachmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3788,7 +3740,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAttachmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttachmentsOutput.httpOutput(from:), ListAttachmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3820,9 +3771,9 @@ extension QBusinessClient { /// /// Retrieves a list of all chat response configurations available in a specified Amazon Q Business application. This operation returns summary information about each configuration to help administrators manage and select appropriate response settings. /// - /// - Parameter ListChatResponseConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChatResponseConfigurationsInput`) /// - /// - Returns: `ListChatResponseConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChatResponseConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3858,7 +3809,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChatResponseConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChatResponseConfigurationsOutput.httpOutput(from:), ListChatResponseConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3890,9 +3840,9 @@ extension QBusinessClient { /// /// Lists one or more Amazon Q Business conversations. /// - /// - Parameter ListConversationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConversationsInput`) /// - /// - Returns: `ListConversationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConversationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3929,7 +3879,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConversationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConversationsOutput.httpOutput(from:), ListConversationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3961,9 +3910,9 @@ extension QBusinessClient { /// /// Lists the data accessors for a Amazon Q Business application. This operation returns a paginated list of data accessor summaries, including the friendly name, unique identifier, ARN, associated IAM role, and creation/update timestamps for each data accessor. /// - /// - Parameter ListDataAccessorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataAccessorsInput`) /// - /// - Returns: `ListDataAccessorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataAccessorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3999,7 +3948,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataAccessorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataAccessorsOutput.httpOutput(from:), ListDataAccessorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4031,9 +3979,9 @@ extension QBusinessClient { /// /// Get information about an Amazon Q Business data source connector synchronization. /// - /// - Parameter ListDataSourceSyncJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSourceSyncJobsInput`) /// - /// - Returns: `ListDataSourceSyncJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSourceSyncJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4070,7 +4018,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSourceSyncJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourceSyncJobsOutput.httpOutput(from:), ListDataSourceSyncJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4102,9 +4049,9 @@ extension QBusinessClient { /// /// Lists the Amazon Q Business data source connectors that you have created. /// - /// - Parameter ListDataSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSourcesInput`) /// - /// - Returns: `ListDataSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4140,7 +4087,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourcesOutput.httpOutput(from:), ListDataSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4172,9 +4118,9 @@ extension QBusinessClient { /// /// A list of documents attached to an index. /// - /// - Parameter ListDocumentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDocumentsInput`) /// - /// - Returns: `ListDocumentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDocumentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4210,7 +4156,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDocumentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDocumentsOutput.httpOutput(from:), ListDocumentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4242,9 +4187,9 @@ extension QBusinessClient { /// /// Provides a list of groups that are mapped to users. /// - /// - Parameter ListGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsInput`) /// - /// - Returns: `ListGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4281,7 +4226,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOutput.httpOutput(from:), ListGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4313,9 +4257,9 @@ extension QBusinessClient { /// /// Lists the Amazon Q Business indices you have created. /// - /// - Parameter ListIndicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIndicesInput`) /// - /// - Returns: `ListIndicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIndicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4351,7 +4295,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIndicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIndicesOutput.httpOutput(from:), ListIndicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4383,9 +4326,9 @@ extension QBusinessClient { /// /// Gets a list of messages associated with an Amazon Q Business web experience. /// - /// - Parameter ListMessagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMessagesInput`) /// - /// - Returns: `ListMessagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMessagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4422,7 +4365,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMessagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMessagesOutput.httpOutput(from:), ListMessagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4454,9 +4396,9 @@ extension QBusinessClient { /// /// Lists configured Amazon Q Business actions for a specific plugin in an Amazon Q Business application. /// - /// - Parameter ListPluginActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPluginActionsInput`) /// - /// - Returns: `ListPluginActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPluginActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4492,7 +4434,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPluginActionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPluginActionsOutput.httpOutput(from:), ListPluginActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4524,9 +4465,9 @@ extension QBusinessClient { /// /// Lists configured Amazon Q Business actions for any plugin type—both built-in and custom. /// - /// - Parameter ListPluginTypeActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPluginTypeActionsInput`) /// - /// - Returns: `ListPluginTypeActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPluginTypeActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4561,7 +4502,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPluginTypeActionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPluginTypeActionsOutput.httpOutput(from:), ListPluginTypeActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4593,9 +4533,9 @@ extension QBusinessClient { /// /// Lists metadata for all Amazon Q Business plugin types. /// - /// - Parameter ListPluginTypeMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPluginTypeMetadataInput`) /// - /// - Returns: `ListPluginTypeMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPluginTypeMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4630,7 +4570,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPluginTypeMetadataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPluginTypeMetadataOutput.httpOutput(from:), ListPluginTypeMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4662,9 +4601,9 @@ extension QBusinessClient { /// /// Lists configured Amazon Q Business plugins. /// - /// - Parameter ListPluginsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPluginsInput`) /// - /// - Returns: `ListPluginsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPluginsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4700,7 +4639,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPluginsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPluginsOutput.httpOutput(from:), ListPluginsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4732,9 +4670,9 @@ extension QBusinessClient { /// /// Lists the retriever used by an Amazon Q Business application. /// - /// - Parameter ListRetrieversInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRetrieversInput`) /// - /// - Returns: `ListRetrieversOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRetrieversOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4770,7 +4708,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRetrieversInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRetrieversOutput.httpOutput(from:), ListRetrieversOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4802,9 +4739,9 @@ extension QBusinessClient { /// /// Lists all subscriptions created in an Amazon Q Business application. /// - /// - Parameter ListSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscriptionsInput`) /// - /// - Returns: `ListSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4841,7 +4778,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubscriptionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscriptionsOutput.httpOutput(from:), ListSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4873,9 +4809,9 @@ extension QBusinessClient { /// /// Gets a list of tags associated with a specified resource. Amazon Q Business applications and data sources can have tags associated with them. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4910,7 +4846,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4942,9 +4877,9 @@ extension QBusinessClient { /// /// Lists one or more Amazon Q Business Web Experiences. /// - /// - Parameter ListWebExperiencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWebExperiencesInput`) /// - /// - Returns: `ListWebExperiencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWebExperiencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4980,7 +4915,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWebExperiencesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWebExperiencesOutput.httpOutput(from:), ListWebExperiencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5012,9 +4946,9 @@ extension QBusinessClient { /// /// Enables your end user to provide feedback on their Amazon Q Business generated chat responses. /// - /// - Parameter PutFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFeedbackInput`) /// - /// - Returns: `PutFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5053,7 +4987,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFeedbackOutput.httpOutput(from:), PutFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5085,9 +5018,9 @@ extension QBusinessClient { /// /// Create, or updates, a mapping of users—who have access to a document—to groups. You can also map sub groups to groups. For example, the group "Company Intellectual Property Teams" includes sub groups "Research" and "Engineering". These sub groups include their own list of users or people who work in these teams. Only users who work in research and engineering, and therefore belong in the intellectual property group, can see top-secret company documents in their Amazon Q Business chat results. There are two options for creating groups, either passing group members inline or using an S3 file via the S3PathForGroupMembers field. For inline groups, there is a limit of 1000 members per group and for provided S3 files there is a limit of 100 thousand members. When creating a group using an S3 file, you provide both an S3 file and a RoleArn for Amazon Q Buisness to access the file. /// - /// - Parameter PutGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutGroupInput`) /// - /// - Returns: `PutGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5127,7 +5060,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutGroupOutput.httpOutput(from:), PutGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5159,9 +5091,9 @@ extension QBusinessClient { /// /// Searches for relevant content in a Amazon Q Business application based on a query. This operation takes a search query text, the Amazon Q Business application identifier, and optional filters (such as content source and maximum results) as input. It returns a list of relevant content items, where each item includes the content text, the unique document identifier, the document title, the document URI, any relevant document attributes, and score attributes indicating the confidence level of the relevance. /// - /// - Parameter SearchRelevantContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchRelevantContentInput`) /// - /// - Returns: `SearchRelevantContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchRelevantContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5200,7 +5132,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchRelevantContentOutput.httpOutput(from:), SearchRelevantContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5232,9 +5163,9 @@ extension QBusinessClient { /// /// Starts a data source connector synchronization job. If a synchronization job is already in progress, Amazon Q Business returns a ConflictException. /// - /// - Parameter StartDataSourceSyncJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDataSourceSyncJobInput`) /// - /// - Returns: `StartDataSourceSyncJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDataSourceSyncJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5271,7 +5202,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDataSourceSyncJobOutput.httpOutput(from:), StartDataSourceSyncJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5303,9 +5233,9 @@ extension QBusinessClient { /// /// Stops an Amazon Q Business data source connector synchronization job already in progress. /// - /// - Parameter StopDataSourceSyncJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDataSourceSyncJobInput`) /// - /// - Returns: `StopDataSourceSyncJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDataSourceSyncJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5341,7 +5271,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDataSourceSyncJobOutput.httpOutput(from:), StopDataSourceSyncJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5373,9 +5302,9 @@ extension QBusinessClient { /// /// Adds the specified tag to the specified Amazon Q Business application or data source resource. If the tag already exists, the existing value is replaced with the new value. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5414,7 +5343,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5446,9 +5374,9 @@ extension QBusinessClient { /// /// Removes a tag from an Amazon Q Business application or a data source. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5484,7 +5412,6 @@ extension QBusinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5516,9 +5443,9 @@ extension QBusinessClient { /// /// Updates an existing Amazon Q Business application. Amazon Q Business applications may securely transmit data for processing across Amazon Web Services Regions within your geography. For more information, see [Cross region inference in Amazon Q Business](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/cross-region-inference.html). An Amazon Q Apps service-linked role will be created if it's absent in the Amazon Web Services account when QAppsConfiguration is enabled in the request. For more information, see [Using service-linked roles for Q Apps](https://docs.aws.amazon.com/amazonq/latest/qbusiness-ug/using-service-linked-roles-qapps.html). /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5557,7 +5484,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5589,9 +5515,9 @@ extension QBusinessClient { /// /// Updates a set of chat controls configured for an existing Amazon Q Business application. /// - /// - Parameter UpdateChatControlsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChatControlsConfigurationInput`) /// - /// - Returns: `UpdateChatControlsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChatControlsConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5632,7 +5558,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChatControlsConfigurationOutput.httpOutput(from:), UpdateChatControlsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5664,9 +5589,9 @@ extension QBusinessClient { /// /// Updates an existing chat response configuration in an Amazon Q Business application. This operation allows administrators to modify configuration settings, display name, and response parameters to refine how the system generates responses. /// - /// - Parameter UpdateChatResponseConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChatResponseConfigurationInput`) /// - /// - Returns: `UpdateChatResponseConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChatResponseConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5706,7 +5631,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChatResponseConfigurationOutput.httpOutput(from:), UpdateChatResponseConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5738,9 +5662,9 @@ extension QBusinessClient { /// /// Updates an existing data accessor. This operation allows modifying the action configurations (the allowed actions and associated filters) and the display name of the data accessor. It does not allow changing the IAM role associated with the data accessor or other core properties of the data accessor. /// - /// - Parameter UpdateDataAccessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataAccessorInput`) /// - /// - Returns: `UpdateDataAccessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataAccessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5779,7 +5703,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataAccessorOutput.httpOutput(from:), UpdateDataAccessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5811,9 +5734,9 @@ extension QBusinessClient { /// /// Updates an existing Amazon Q Business data source connector. /// - /// - Parameter UpdateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSourceInput`) /// - /// - Returns: `UpdateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5852,7 +5775,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSourceOutput.httpOutput(from:), UpdateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5884,9 +5806,9 @@ extension QBusinessClient { /// /// Updates an Amazon Q Business index. /// - /// - Parameter UpdateIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIndexInput`) /// - /// - Returns: `UpdateIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5926,7 +5848,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIndexOutput.httpOutput(from:), UpdateIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5958,9 +5879,9 @@ extension QBusinessClient { /// /// Updates an Amazon Q Business plugin. /// - /// - Parameter UpdatePluginInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePluginInput`) /// - /// - Returns: `UpdatePluginOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePluginOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6000,7 +5921,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePluginOutput.httpOutput(from:), UpdatePluginOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6032,9 +5952,9 @@ extension QBusinessClient { /// /// Updates the retriever used for your Amazon Q Business application. /// - /// - Parameter UpdateRetrieverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRetrieverInput`) /// - /// - Returns: `UpdateRetrieverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRetrieverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6074,7 +5994,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRetrieverOutput.httpOutput(from:), UpdateRetrieverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6106,9 +6025,9 @@ extension QBusinessClient { /// /// Updates the pricing tier for an Amazon Q Business subscription. Upgrades are instant. Downgrades apply at the start of the next month. Subscription tier determines feature access for the user. For more information on subscriptions and pricing tiers, see [Amazon Q Business pricing](https://aws.amazon.com/q/business/pricing/). /// - /// - Parameter UpdateSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubscriptionInput`) /// - /// - Returns: `UpdateSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6147,7 +6066,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubscriptionOutput.httpOutput(from:), UpdateSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6179,9 +6097,9 @@ extension QBusinessClient { /// /// Updates a information associated with a user id. /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6221,7 +6139,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6253,9 +6170,9 @@ extension QBusinessClient { /// /// Updates an Amazon Q Business web experience. /// - /// - Parameter UpdateWebExperienceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWebExperienceInput`) /// - /// - Returns: `UpdateWebExperienceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWebExperienceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6294,7 +6211,6 @@ extension QBusinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWebExperienceOutput.httpOutput(from:), UpdateWebExperienceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSQConnect/Sources/AWSQConnect/Models.swift b/Sources/Services/AWSQConnect/Sources/AWSQConnect/Models.swift index bb69d9716ed..d14a272fca3 100644 --- a/Sources/Services/AWSQConnect/Sources/AWSQConnect/Models.swift +++ b/Sources/Services/AWSQConnect/Sources/AWSQConnect/Models.swift @@ -454,6 +454,79 @@ extension QConnectClientTypes { } } +extension QConnectClientTypes { + + /// Configuration settings for the EMAIL_GENERATIVE_ANSWER AI agent including prompts, locale, and knowledge base associations. + public struct EmailGenerativeAnswerAIAgentConfiguration: Swift.Sendable { + /// Configuration settings for knowledge base associations used by the email generative answer agent. + public var associationConfigurations: [QConnectClientTypes.AssociationConfiguration]? + /// The ID of the System AI prompt used for generating comprehensive knowledge-based answers from email queries. + public var emailGenerativeAnswerAIPromptId: Swift.String? + /// The ID of the System AI prompt used for reformulating email queries to optimize knowledge base search results. + public var emailQueryReformulationAIPromptId: Swift.String? + /// The locale setting for language-specific email processing and response generation (for example, en_US, es_ES). + public var locale: Swift.String? + + public init( + associationConfigurations: [QConnectClientTypes.AssociationConfiguration]? = nil, + emailGenerativeAnswerAIPromptId: Swift.String? = nil, + emailQueryReformulationAIPromptId: Swift.String? = nil, + locale: Swift.String? = nil + ) { + self.associationConfigurations = associationConfigurations + self.emailGenerativeAnswerAIPromptId = emailGenerativeAnswerAIPromptId + self.emailQueryReformulationAIPromptId = emailQueryReformulationAIPromptId + self.locale = locale + } + } +} + +extension QConnectClientTypes { + + /// Configuration settings for the EMAIL_OVERVIEW AI agent including prompt ID and locale settings. + public struct EmailOverviewAIAgentConfiguration: Swift.Sendable { + /// The ID of the System AI prompt used for generating structured email conversation summaries. + public var emailOverviewAIPromptId: Swift.String? + /// The locale setting for language-specific email overview processing (for example, en_US, es_ES). + public var locale: Swift.String? + + public init( + emailOverviewAIPromptId: Swift.String? = nil, + locale: Swift.String? = nil + ) { + self.emailOverviewAIPromptId = emailOverviewAIPromptId + self.locale = locale + } + } +} + +extension QConnectClientTypes { + + /// Configuration settings for the EMAIL_RESPONSE AI agent including prompts, locale, and knowledge base associations. + public struct EmailResponseAIAgentConfiguration: Swift.Sendable { + /// Configuration settings for knowledge base associations used by the email response agent. + public var associationConfigurations: [QConnectClientTypes.AssociationConfiguration]? + /// The ID of the System AI prompt used for reformulating email queries to optimize knowledge base search for response generation. + public var emailQueryReformulationAIPromptId: Swift.String? + /// The ID of the System AI prompt used for generating professional email responses based on knowledge base content. + public var emailResponseAIPromptId: Swift.String? + /// The locale setting for language-specific email response generation (for example, en_US, es_ES). + public var locale: Swift.String? + + public init( + associationConfigurations: [QConnectClientTypes.AssociationConfiguration]? = nil, + emailQueryReformulationAIPromptId: Swift.String? = nil, + emailResponseAIPromptId: Swift.String? = nil, + locale: Swift.String? = nil + ) { + self.associationConfigurations = associationConfigurations + self.emailQueryReformulationAIPromptId = emailQueryReformulationAIPromptId + self.emailResponseAIPromptId = emailResponseAIPromptId + self.locale = locale + } + } +} + extension QConnectClientTypes { /// The configuration for the MANUAL_SEARCH AI Agent type. @@ -518,6 +591,12 @@ extension QConnectClientTypes { case answerrecommendationaiagentconfiguration(QConnectClientTypes.AnswerRecommendationAIAgentConfiguration) /// The configuration for AI Agents of type SELF_SERVICE. case selfserviceaiagentconfiguration(QConnectClientTypes.SelfServiceAIAgentConfiguration) + /// Configuration for the EMAIL_RESPONSE AI agent that generates professional email responses using knowledge base content. + case emailresponseaiagentconfiguration(QConnectClientTypes.EmailResponseAIAgentConfiguration) + /// Configuration for the EMAIL_OVERVIEW AI agent that generates structured overview of email conversations. + case emailoverviewaiagentconfiguration(QConnectClientTypes.EmailOverviewAIAgentConfiguration) + /// Configuration for the EMAIL_GENERATIVE_ANSWER AI agent that provides comprehensive knowledge-based answers for customer queries. + case emailgenerativeansweraiagentconfiguration(QConnectClientTypes.EmailGenerativeAnswerAIAgentConfiguration) case sdkUnknown(Swift.String) } } @@ -526,6 +605,9 @@ extension QConnectClientTypes { public enum AIAgentType: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { case answerRecommendation + case emailGenerativeAnswer + case emailOverview + case emailResponse case manualSearch case selfService case sdkUnknown(Swift.String) @@ -533,6 +615,9 @@ extension QConnectClientTypes { public static var allCases: [AIAgentType] { return [ .answerRecommendation, + .emailGenerativeAnswer, + .emailOverview, + .emailResponse, .manualSearch, .selfService ] @@ -546,6 +631,9 @@ extension QConnectClientTypes { public var rawValue: Swift.String { switch self { case .answerRecommendation: return "ANSWER_RECOMMENDATION" + case .emailGenerativeAnswer: return "EMAIL_GENERATIVE_ANSWER" + case .emailOverview: return "EMAIL_OVERVIEW" + case .emailResponse: return "EMAIL_RESPONSE" case .manualSearch: return "MANUAL_SEARCH" case .selfService: return "SELF_SERVICE" case let .sdkUnknown(s): return s @@ -2455,6 +2543,10 @@ extension QConnectClientTypes { public enum AIPromptType: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { case answerGeneration + case emailGenerativeAnswer + case emailOverview + case emailQueryReformulation + case emailResponse case intentLabelingGeneration case queryReformulation case selfServiceAnswerGeneration @@ -2464,6 +2556,10 @@ extension QConnectClientTypes { public static var allCases: [AIPromptType] { return [ .answerGeneration, + .emailGenerativeAnswer, + .emailOverview, + .emailQueryReformulation, + .emailResponse, .intentLabelingGeneration, .queryReformulation, .selfServiceAnswerGeneration, @@ -2479,6 +2575,10 @@ extension QConnectClientTypes { public var rawValue: Swift.String { switch self { case .answerGeneration: return "ANSWER_GENERATION" + case .emailGenerativeAnswer: return "EMAIL_GENERATIVE_ANSWER" + case .emailOverview: return "EMAIL_OVERVIEW" + case .emailQueryReformulation: return "EMAIL_QUERY_REFORMULATION" + case .emailResponse: return "EMAIL_RESPONSE" case .intentLabelingGeneration: return "INTENT_LABELING_GENERATION" case .queryReformulation: return "QUERY_REFORMULATION" case .selfServiceAnswerGeneration: return "SELF_SERVICE_ANSWER_GENERATION" @@ -2500,7 +2600,7 @@ public struct CreateAIPromptInput: Swift.Sendable { public var clientToken: Swift.String? /// The description of the AI Prompt. public var description: Swift.String? - /// The identifier of the model used for this AI Prompt. + /// The identifier of the model used for this AI Prompt. For information about which models are supported in each Amazon Web Services Region, see [Supported models for system/custom prompts](https://docs.aws.amazon.com/connect/latest/adminguide/create-ai-prompts.html#cli-create-aiprompt). /// This member is required. public var modelId: Swift.String? /// The name of the AI Prompt. @@ -2996,7 +3096,7 @@ public struct UpdateAIPromptInput: Swift.Sendable { public var clientToken: Swift.String? /// The description of the Amazon Q in Connect AI Prompt. public var description: Swift.String? - /// The identifier of the model used for this AI Prompt. For more information on supported models, see [Supported models for system and custom prompts](https://docs.aws.amazon.com/connect/latest/adminguide/create-ai-prompts.html#cli-create-aiprompt). + /// The identifier of the model used for this AI Prompt. For information about which models are supported in each Amazon Web Services Region, see [Supported models for system/custom prompts](https://docs.aws.amazon.com/connect/latest/adminguide/create-ai-prompts.html#cli-create-aiprompt). public var modelId: Swift.String? /// The configuration of the prompt template for this AI Prompt. public var templateConfiguration: QConnectClientTypes.AIPromptTemplateConfiguration? @@ -3818,6 +3918,54 @@ extension QConnectClientTypes { } } +extension QConnectClientTypes { + + /// Details of streaming chunk data for email overview including completion text and pagination tokens. + public struct EmailOverviewChunkDataDetails: Swift.Sendable { + /// The partial or complete overview text content in structured HTML format with customer issues, resolutions, and next steps. + public var completion: Swift.String? + /// Token for retrieving the next chunk of streaming overview data, if available. + public var nextChunkToken: Swift.String? + + public init( + completion: Swift.String? = nil, + nextChunkToken: Swift.String? = nil + ) { + self.completion = completion + self.nextChunkToken = nextChunkToken + } + } +} + +extension QConnectClientTypes.EmailOverviewChunkDataDetails: Swift.CustomDebugStringConvertible { + public var debugDescription: Swift.String { + "EmailOverviewChunkDataDetails(nextChunkToken: \(Swift.String(describing: nextChunkToken)), completion: \"CONTENT_REDACTED\")"} +} + +extension QConnectClientTypes { + + /// Details of streaming chunk data for email responses including completion text and pagination tokens. + public struct EmailResponseChunkDataDetails: Swift.Sendable { + /// The partial or complete professional email response text with appropriate greetings and closings. + public var completion: Swift.String? + /// Token for retrieving the next chunk of streaming response data, if available. + public var nextChunkToken: Swift.String? + + public init( + completion: Swift.String? = nil, + nextChunkToken: Swift.String? = nil + ) { + self.completion = completion + self.nextChunkToken = nextChunkToken + } + } +} + +extension QConnectClientTypes.EmailResponseChunkDataDetails: Swift.CustomDebugStringConvertible { + public var debugDescription: Swift.String { + "EmailResponseChunkDataDetails(nextChunkToken: \(Swift.String(describing: nextChunkToken)), completion: \"CONTENT_REDACTED\")"} +} + extension QConnectClientTypes { /// Details about the detected intent. @@ -4049,6 +4197,9 @@ extension QConnectClientTypes { case blockedGenerativeAnswerChunk case blockedIntentAnswerChunk case detectedIntent + case emailGenerativeAnswerChunk + case emailOverviewChunk + case emailResponseChunk case generativeAnswer case generativeAnswerChunk case generativeResponse @@ -4061,6 +4212,9 @@ extension QConnectClientTypes { .blockedGenerativeAnswerChunk, .blockedIntentAnswerChunk, .detectedIntent, + .emailGenerativeAnswerChunk, + .emailOverviewChunk, + .emailResponseChunk, .generativeAnswer, .generativeAnswerChunk, .generativeResponse, @@ -4079,6 +4233,9 @@ extension QConnectClientTypes { case .blockedGenerativeAnswerChunk: return "BLOCKED_GENERATIVE_ANSWER_CHUNK" case .blockedIntentAnswerChunk: return "BLOCKED_INTENT_ANSWER_CHUNK" case .detectedIntent: return "DETECTED_INTENT" + case .emailGenerativeAnswerChunk: return "EMAIL_GENERATIVE_ANSWER_CHUNK" + case .emailOverviewChunk: return "EMAIL_OVERVIEW_CHUNK" + case .emailResponseChunk: return "EMAIL_RESPONSE_CHUNK" case .generativeAnswer: return "GENERATIVE_ANSWER" case .generativeAnswerChunk: return "GENERATIVE_ANSWER_CHUNK" case .generativeResponse: return "GENERATIVE_RESPONSE" @@ -4721,6 +4878,9 @@ extension QConnectClientTypes { public enum QueryResultType: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { case blockedGenerativeAnswerChunk case blockedIntentAnswerChunk + case emailGenerativeAnswerChunk + case emailOverviewChunk + case emailResponseChunk case generativeAnswer case generativeAnswerChunk case intentAnswer @@ -4732,6 +4892,9 @@ extension QConnectClientTypes { return [ .blockedGenerativeAnswerChunk, .blockedIntentAnswerChunk, + .emailGenerativeAnswerChunk, + .emailOverviewChunk, + .emailResponseChunk, .generativeAnswer, .generativeAnswerChunk, .intentAnswer, @@ -4749,6 +4912,9 @@ extension QConnectClientTypes { switch self { case .blockedGenerativeAnswerChunk: return "BLOCKED_GENERATIVE_ANSWER_CHUNK" case .blockedIntentAnswerChunk: return "BLOCKED_INTENT_ANSWER_CHUNK" + case .emailGenerativeAnswerChunk: return "EMAIL_GENERATIVE_ANSWER_CHUNK" + case .emailOverviewChunk: return "EMAIL_OVERVIEW_CHUNK" + case .emailResponseChunk: return "EMAIL_RESPONSE_CHUNK" case .generativeAnswer: return "GENERATIVE_ANSWER" case .generativeAnswerChunk: return "GENERATIVE_ANSWER_CHUNK" case .intentAnswer: return "INTENT_ANSWER" @@ -4948,6 +5114,29 @@ public struct SearchSessionsOutput: Swift.Sendable { } } +/// An error occurred while calling a dependency. For example, calling connect:DecribeContact as part of CreateSession with a contactArn. +public struct DependencyFailedException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { + + public struct Properties: Swift.Sendable { + public internal(set) var message: Swift.String? = nil + } + + public internal(set) var properties = Properties() + public static var typeName: Swift.String { "DependencyFailedException" } + public static var fault: ClientRuntime.ErrorFault { .client } + public static var isRetryable: Swift.Bool { false } + public static var isThrottling: Swift.Bool { false } + public internal(set) var httpResponse = SmithyHTTPAPI.HTTPResponse() + public internal(set) var message: Swift.String? + public internal(set) var requestID: Swift.String? + + public init( + message: Swift.String? = nil + ) { + self.properties.message = message + } +} + public struct CreateSessionInput: Swift.Sendable { /// The configuration of the AI Agents (mapped by AI Agent Type to AI Agent version) that should be used by Amazon Q in Connect for this Session. public var aiAgentConfiguration: [Swift.String: QConnectClientTypes.AIAgentConfigurationData]? @@ -4956,6 +5145,8 @@ public struct CreateSessionInput: Swift.Sendable { public var assistantId: Swift.String? /// A unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If not provided, the Amazon Web Services SDK populates this field. For more information about idempotency, see [Making retries safe with idempotent APIs](http://aws.amazon.com/builders-library/making-retries-safe-with-idempotent-APIs/). public var clientToken: Swift.String? + /// The Amazon Resource Name (ARN) of the email contact in Amazon Connect. Used to retrieve email content and establish session context for AI-powered email assistance. + public var contactArn: Swift.String? /// The description. public var description: Swift.String? /// The name of the session. @@ -4970,6 +5161,7 @@ public struct CreateSessionInput: Swift.Sendable { aiAgentConfiguration: [Swift.String: QConnectClientTypes.AIAgentConfigurationData]? = nil, assistantId: Swift.String? = nil, clientToken: Swift.String? = nil, + contactArn: Swift.String? = nil, description: Swift.String? = nil, name: Swift.String? = nil, tagFilter: QConnectClientTypes.TagFilter? = nil, @@ -4978,6 +5170,7 @@ public struct CreateSessionInput: Swift.Sendable { self.aiAgentConfiguration = aiAgentConfiguration self.assistantId = assistantId self.clientToken = clientToken + self.contactArn = contactArn self.description = description self.name = name self.tagFilter = tagFilter @@ -10571,6 +10764,12 @@ extension QConnectClientTypes { case sourcecontentdata(QConnectClientTypes.SourceContentDataDetails) /// Details about the generative chunk data. case generativechunkdata(QConnectClientTypes.GenerativeChunkDataDetails) + /// Streaming chunk data for email response generation containing partial response content. + case emailresponsechunkdata(QConnectClientTypes.EmailResponseChunkDataDetails) + /// Streaming chunk data for email overview containing partial overview content. + case emailoverviewchunkdata(QConnectClientTypes.EmailOverviewChunkDataDetails) + /// Streaming chunk data for email generative answers containing partial knowledge-based response content. + case emailgenerativeanswerchunkdata(QConnectClientTypes.EmailGenerativeAnswerChunkDataDetails) case sdkUnknown(Swift.String) } } @@ -10596,6 +10795,34 @@ extension QConnectClientTypes { } } +extension QConnectClientTypes { + + /// Details of streaming chunk data for email generative answers including completion text and references. + public struct EmailGenerativeAnswerChunkDataDetails: Swift.Sendable { + /// The partial or complete text content of the generative answer response. + public var completion: Swift.String? + /// Token for retrieving the next chunk of streaming response data, if available. + public var nextChunkToken: Swift.String? + /// Source references and citations from knowledge base articles used to generate the answer. + public var references: [QConnectClientTypes.DataSummary]? + + public init( + completion: Swift.String? = nil, + nextChunkToken: Swift.String? = nil, + references: [QConnectClientTypes.DataSummary]? = nil + ) { + self.completion = completion + self.nextChunkToken = nextChunkToken + self.references = references + } + } +} + +extension QConnectClientTypes.EmailGenerativeAnswerChunkDataDetails: Swift.CustomDebugStringConvertible { + public var debugDescription: Swift.String { + "EmailGenerativeAnswerChunkDataDetails(nextChunkToken: \(Swift.String(describing: nextChunkToken)), references: \(Swift.String(describing: references)), completion: \"CONTENT_REDACTED\")"} +} + extension QConnectClientTypes { /// Details about the generative chunk data. @@ -12436,6 +12663,7 @@ extension CreateSessionInput { guard let value else { return } try writer["aiAgentConfiguration"].writeMap(value.aiAgentConfiguration, valueWritingClosure: QConnectClientTypes.AIAgentConfigurationData.write(value:to:), keyNodeInfo: "key", valueNodeInfo: "value", isFlattened: false) try writer["clientToken"].write(value.clientToken) + try writer["contactArn"].write(value.contactArn) try writer["description"].write(value.description) try writer["name"].write(value.name) try writer["tagFilter"].write(value.tagFilter, with: QConnectClientTypes.TagFilter.write(value:to:)) @@ -14060,6 +14288,7 @@ enum CreateSessionOutputError { switch baseError.code { case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) case "ConflictException": return try ConflictException.makeError(baseError: baseError) + case "DependencyFailedException": return try DependencyFailedException.makeError(baseError: baseError) case "ResourceNotFoundException": return try ResourceNotFoundException.makeError(baseError: baseError) case "UnauthorizedException": return try UnauthorizedException.makeError(baseError: baseError) case "ValidationException": return try ValidationException.makeError(baseError: baseError) @@ -15437,6 +15666,19 @@ extension UnauthorizedException { } } +extension DependencyFailedException { + + static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> DependencyFailedException { + let reader = baseError.errorBodyReader + var value = DependencyFailedException() + value.properties.message = try reader["message"].readIfPresent() + value.httpResponse = baseError.httpResponse + value.requestID = baseError.requestID + value.message = baseError.message + return value + } +} + extension RequestTimeoutException { static func makeError(baseError: AWSClientRuntime.RestJSONError) throws -> RequestTimeoutException { @@ -15506,6 +15748,12 @@ extension QConnectClientTypes.AIAgentConfiguration { switch value { case let .answerrecommendationaiagentconfiguration(answerrecommendationaiagentconfiguration): try writer["answerRecommendationAIAgentConfiguration"].write(answerrecommendationaiagentconfiguration, with: QConnectClientTypes.AnswerRecommendationAIAgentConfiguration.write(value:to:)) + case let .emailgenerativeansweraiagentconfiguration(emailgenerativeansweraiagentconfiguration): + try writer["emailGenerativeAnswerAIAgentConfiguration"].write(emailgenerativeansweraiagentconfiguration, with: QConnectClientTypes.EmailGenerativeAnswerAIAgentConfiguration.write(value:to:)) + case let .emailoverviewaiagentconfiguration(emailoverviewaiagentconfiguration): + try writer["emailOverviewAIAgentConfiguration"].write(emailoverviewaiagentconfiguration, with: QConnectClientTypes.EmailOverviewAIAgentConfiguration.write(value:to:)) + case let .emailresponseaiagentconfiguration(emailresponseaiagentconfiguration): + try writer["emailResponseAIAgentConfiguration"].write(emailresponseaiagentconfiguration, with: QConnectClientTypes.EmailResponseAIAgentConfiguration.write(value:to:)) case let .manualsearchaiagentconfiguration(manualsearchaiagentconfiguration): try writer["manualSearchAIAgentConfiguration"].write(manualsearchaiagentconfiguration, with: QConnectClientTypes.ManualSearchAIAgentConfiguration.write(value:to:)) case let .selfserviceaiagentconfiguration(selfserviceaiagentconfiguration): @@ -15525,28 +15773,34 @@ extension QConnectClientTypes.AIAgentConfiguration { return .answerrecommendationaiagentconfiguration(try reader["answerRecommendationAIAgentConfiguration"].read(with: QConnectClientTypes.AnswerRecommendationAIAgentConfiguration.read(from:))) case "selfServiceAIAgentConfiguration": return .selfserviceaiagentconfiguration(try reader["selfServiceAIAgentConfiguration"].read(with: QConnectClientTypes.SelfServiceAIAgentConfiguration.read(from:))) + case "emailResponseAIAgentConfiguration": + return .emailresponseaiagentconfiguration(try reader["emailResponseAIAgentConfiguration"].read(with: QConnectClientTypes.EmailResponseAIAgentConfiguration.read(from:))) + case "emailOverviewAIAgentConfiguration": + return .emailoverviewaiagentconfiguration(try reader["emailOverviewAIAgentConfiguration"].read(with: QConnectClientTypes.EmailOverviewAIAgentConfiguration.read(from:))) + case "emailGenerativeAnswerAIAgentConfiguration": + return .emailgenerativeansweraiagentconfiguration(try reader["emailGenerativeAnswerAIAgentConfiguration"].read(with: QConnectClientTypes.EmailGenerativeAnswerAIAgentConfiguration.read(from:))) default: return .sdkUnknown(name ?? "") } } } -extension QConnectClientTypes.SelfServiceAIAgentConfiguration { +extension QConnectClientTypes.EmailGenerativeAnswerAIAgentConfiguration { - static func write(value: QConnectClientTypes.SelfServiceAIAgentConfiguration?, to writer: SmithyJSON.Writer) throws { + static func write(value: QConnectClientTypes.EmailGenerativeAnswerAIAgentConfiguration?, to writer: SmithyJSON.Writer) throws { guard let value else { return } try writer["associationConfigurations"].writeList(value.associationConfigurations, memberWritingClosure: QConnectClientTypes.AssociationConfiguration.write(value:to:), memberNodeInfo: "member", isFlattened: false) - try writer["selfServiceAIGuardrailId"].write(value.selfServiceAIGuardrailId) - try writer["selfServiceAnswerGenerationAIPromptId"].write(value.selfServiceAnswerGenerationAIPromptId) - try writer["selfServicePreProcessingAIPromptId"].write(value.selfServicePreProcessingAIPromptId) + try writer["emailGenerativeAnswerAIPromptId"].write(value.emailGenerativeAnswerAIPromptId) + try writer["emailQueryReformulationAIPromptId"].write(value.emailQueryReformulationAIPromptId) + try writer["locale"].write(value.locale) } - static func read(from reader: SmithyJSON.Reader) throws -> QConnectClientTypes.SelfServiceAIAgentConfiguration { + static func read(from reader: SmithyJSON.Reader) throws -> QConnectClientTypes.EmailGenerativeAnswerAIAgentConfiguration { guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } - var value = QConnectClientTypes.SelfServiceAIAgentConfiguration() - value.selfServicePreProcessingAIPromptId = try reader["selfServicePreProcessingAIPromptId"].readIfPresent() - value.selfServiceAnswerGenerationAIPromptId = try reader["selfServiceAnswerGenerationAIPromptId"].readIfPresent() - value.selfServiceAIGuardrailId = try reader["selfServiceAIGuardrailId"].readIfPresent() + var value = QConnectClientTypes.EmailGenerativeAnswerAIAgentConfiguration() + value.emailGenerativeAnswerAIPromptId = try reader["emailGenerativeAnswerAIPromptId"].readIfPresent() + value.emailQueryReformulationAIPromptId = try reader["emailQueryReformulationAIPromptId"].readIfPresent() + value.locale = try reader["locale"].readIfPresent() value.associationConfigurations = try reader["associationConfigurations"].readListIfPresent(memberReadingClosure: QConnectClientTypes.AssociationConfiguration.read(from:), memberNodeInfo: "member", isFlattened: false) return value } @@ -15691,6 +15945,65 @@ extension QConnectClientTypes.TagCondition { } } +extension QConnectClientTypes.EmailOverviewAIAgentConfiguration { + + static func write(value: QConnectClientTypes.EmailOverviewAIAgentConfiguration?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["emailOverviewAIPromptId"].write(value.emailOverviewAIPromptId) + try writer["locale"].write(value.locale) + } + + static func read(from reader: SmithyJSON.Reader) throws -> QConnectClientTypes.EmailOverviewAIAgentConfiguration { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = QConnectClientTypes.EmailOverviewAIAgentConfiguration() + value.emailOverviewAIPromptId = try reader["emailOverviewAIPromptId"].readIfPresent() + value.locale = try reader["locale"].readIfPresent() + return value + } +} + +extension QConnectClientTypes.EmailResponseAIAgentConfiguration { + + static func write(value: QConnectClientTypes.EmailResponseAIAgentConfiguration?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["associationConfigurations"].writeList(value.associationConfigurations, memberWritingClosure: QConnectClientTypes.AssociationConfiguration.write(value:to:), memberNodeInfo: "member", isFlattened: false) + try writer["emailQueryReformulationAIPromptId"].write(value.emailQueryReformulationAIPromptId) + try writer["emailResponseAIPromptId"].write(value.emailResponseAIPromptId) + try writer["locale"].write(value.locale) + } + + static func read(from reader: SmithyJSON.Reader) throws -> QConnectClientTypes.EmailResponseAIAgentConfiguration { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = QConnectClientTypes.EmailResponseAIAgentConfiguration() + value.emailResponseAIPromptId = try reader["emailResponseAIPromptId"].readIfPresent() + value.emailQueryReformulationAIPromptId = try reader["emailQueryReformulationAIPromptId"].readIfPresent() + value.locale = try reader["locale"].readIfPresent() + value.associationConfigurations = try reader["associationConfigurations"].readListIfPresent(memberReadingClosure: QConnectClientTypes.AssociationConfiguration.read(from:), memberNodeInfo: "member", isFlattened: false) + return value + } +} + +extension QConnectClientTypes.SelfServiceAIAgentConfiguration { + + static func write(value: QConnectClientTypes.SelfServiceAIAgentConfiguration?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["associationConfigurations"].writeList(value.associationConfigurations, memberWritingClosure: QConnectClientTypes.AssociationConfiguration.write(value:to:), memberNodeInfo: "member", isFlattened: false) + try writer["selfServiceAIGuardrailId"].write(value.selfServiceAIGuardrailId) + try writer["selfServiceAnswerGenerationAIPromptId"].write(value.selfServiceAnswerGenerationAIPromptId) + try writer["selfServicePreProcessingAIPromptId"].write(value.selfServicePreProcessingAIPromptId) + } + + static func read(from reader: SmithyJSON.Reader) throws -> QConnectClientTypes.SelfServiceAIAgentConfiguration { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = QConnectClientTypes.SelfServiceAIAgentConfiguration() + value.selfServicePreProcessingAIPromptId = try reader["selfServicePreProcessingAIPromptId"].readIfPresent() + value.selfServiceAnswerGenerationAIPromptId = try reader["selfServiceAnswerGenerationAIPromptId"].readIfPresent() + value.selfServiceAIGuardrailId = try reader["selfServiceAIGuardrailId"].readIfPresent() + value.associationConfigurations = try reader["associationConfigurations"].readListIfPresent(memberReadingClosure: QConnectClientTypes.AssociationConfiguration.read(from:), memberNodeInfo: "member", isFlattened: false) + return value + } +} + extension QConnectClientTypes.AnswerRecommendationAIAgentConfiguration { static func write(value: QConnectClientTypes.AnswerRecommendationAIAgentConfiguration?, to writer: SmithyJSON.Writer) throws { @@ -17299,12 +17612,52 @@ extension QConnectClientTypes.DataDetails { return .sourcecontentdata(try reader["sourceContentData"].read(with: QConnectClientTypes.SourceContentDataDetails.read(from:))) case "generativeChunkData": return .generativechunkdata(try reader["generativeChunkData"].read(with: QConnectClientTypes.GenerativeChunkDataDetails.read(from:))) + case "emailResponseChunkData": + return .emailresponsechunkdata(try reader["emailResponseChunkData"].read(with: QConnectClientTypes.EmailResponseChunkDataDetails.read(from:))) + case "emailOverviewChunkData": + return .emailoverviewchunkdata(try reader["emailOverviewChunkData"].read(with: QConnectClientTypes.EmailOverviewChunkDataDetails.read(from:))) + case "emailGenerativeAnswerChunkData": + return .emailgenerativeanswerchunkdata(try reader["emailGenerativeAnswerChunkData"].read(with: QConnectClientTypes.EmailGenerativeAnswerChunkDataDetails.read(from:))) default: return .sdkUnknown(name ?? "") } } } +extension QConnectClientTypes.EmailGenerativeAnswerChunkDataDetails { + + static func read(from reader: SmithyJSON.Reader) throws -> QConnectClientTypes.EmailGenerativeAnswerChunkDataDetails { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = QConnectClientTypes.EmailGenerativeAnswerChunkDataDetails() + value.completion = try reader["completion"].readIfPresent() + value.references = try reader["references"].readListIfPresent(memberReadingClosure: QConnectClientTypes.DataSummary.read(from:), memberNodeInfo: "member", isFlattened: false) + value.nextChunkToken = try reader["nextChunkToken"].readIfPresent() + return value + } +} + +extension QConnectClientTypes.EmailOverviewChunkDataDetails { + + static func read(from reader: SmithyJSON.Reader) throws -> QConnectClientTypes.EmailOverviewChunkDataDetails { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = QConnectClientTypes.EmailOverviewChunkDataDetails() + value.completion = try reader["completion"].readIfPresent() + value.nextChunkToken = try reader["nextChunkToken"].readIfPresent() + return value + } +} + +extension QConnectClientTypes.EmailResponseChunkDataDetails { + + static func read(from reader: SmithyJSON.Reader) throws -> QConnectClientTypes.EmailResponseChunkDataDetails { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = QConnectClientTypes.EmailResponseChunkDataDetails() + value.completion = try reader["completion"].readIfPresent() + value.nextChunkToken = try reader["nextChunkToken"].readIfPresent() + return value + } +} + extension QConnectClientTypes.GenerativeChunkDataDetails { static func read(from reader: SmithyJSON.Reader) throws -> QConnectClientTypes.GenerativeChunkDataDetails { diff --git a/Sources/Services/AWSQConnect/Sources/AWSQConnect/QConnectClient.swift b/Sources/Services/AWSQConnect/Sources/AWSQConnect/QConnectClient.swift index 5375416bb4c..c638b8962c2 100644 --- a/Sources/Services/AWSQConnect/Sources/AWSQConnect/QConnectClient.swift +++ b/Sources/Services/AWSQConnect/Sources/AWSQConnect/QConnectClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class QConnectClient: ClientRuntime.Client { public static let clientName = "QConnectClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: QConnectClient.QConnectClientConfiguration let serviceName = "QConnect" @@ -375,9 +374,9 @@ extension QConnectClient { /// /// Activates a specific version of the Amazon Q in Connect message template. After the version is activated, the previous active version will be deactivated automatically. You can use the $ACTIVE_VERSION qualifier later to reference the version that is in active status. /// - /// - Parameter ActivateMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateMessageTemplateInput`) /// - /// - Returns: `ActivateMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateMessageTemplateOutput.httpOutput(from:), ActivateMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension QConnectClient { /// /// Creates an Amazon Q in Connect AI Agent. /// - /// - Parameter CreateAIAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAIAgentInput`) /// - /// - Returns: `CreateAIAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAIAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAIAgentOutput.httpOutput(from:), CreateAIAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension QConnectClient { /// /// Creates and Amazon Q in Connect AI Agent version. /// - /// - Parameter CreateAIAgentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAIAgentVersionInput`) /// - /// - Returns: `CreateAIAgentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAIAgentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAIAgentVersionOutput.httpOutput(from:), CreateAIAgentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension QConnectClient { /// /// Creates an Amazon Q in Connect AI Guardrail. /// - /// - Parameter CreateAIGuardrailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAIGuardrailInput`) /// - /// - Returns: `CreateAIGuardrailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAIGuardrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -640,7 +636,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAIGuardrailOutput.httpOutput(from:), CreateAIGuardrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension QConnectClient { /// /// Creates an Amazon Q in Connect AI Guardrail version. /// - /// - Parameter CreateAIGuardrailVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAIGuardrailVersionInput`) /// - /// - Returns: `CreateAIGuardrailVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAIGuardrailVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -715,7 +710,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAIGuardrailVersionOutput.httpOutput(from:), CreateAIGuardrailVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -745,11 +739,11 @@ extension QConnectClient { /// Performs the `CreateAIPrompt` operation on the `QConnect` service. /// - /// Creates an Amazon Q in Connect AI Prompt. For more information on supported models, see [Supported models for system and custom prompts](https://docs.aws.amazon.com/connect/latest/adminguide/create-ai-prompts.html#cli-create-aiprompt). + /// Creates an Amazon Q in Connect AI Prompt. /// - /// - Parameter CreateAIPromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAIPromptInput`) /// - /// - Returns: `CreateAIPromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAIPromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -790,7 +784,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAIPromptOutput.httpOutput(from:), CreateAIPromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -822,9 +815,9 @@ extension QConnectClient { /// /// Creates an Amazon Q in Connect AI Prompt version. /// - /// - Parameter CreateAIPromptVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAIPromptVersionInput`) /// - /// - Returns: `CreateAIPromptVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAIPromptVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -865,7 +858,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAIPromptVersionOutput.httpOutput(from:), CreateAIPromptVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -897,9 +889,9 @@ extension QConnectClient { /// /// Creates an Amazon Q in Connect assistant. /// - /// - Parameter CreateAssistantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssistantInput`) /// - /// - Returns: `CreateAssistantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssistantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -938,7 +930,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssistantOutput.httpOutput(from:), CreateAssistantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -970,9 +961,9 @@ extension QConnectClient { /// /// Creates an association between an Amazon Q in Connect assistant and another resource. Currently, the only supported association is with a knowledge base. An assistant can have only a single association. /// - /// - Parameter CreateAssistantAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssistantAssociationInput`) /// - /// - Returns: `CreateAssistantAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssistantAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1011,7 +1002,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssistantAssociationOutput.httpOutput(from:), CreateAssistantAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1043,9 +1033,9 @@ extension QConnectClient { /// /// Creates Amazon Q in Connect content. Before to calling this API, use [StartContentUpload](https://docs.aws.amazon.com/amazon-q-connect/latest/APIReference/API_StartContentUpload.html) to upload an asset. /// - /// - Parameter CreateContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContentInput`) /// - /// - Returns: `CreateContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1085,7 +1075,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContentOutput.httpOutput(from:), CreateContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1124,9 +1113,9 @@ extension QConnectClient { /// /// For more information, see [Integrate Amazon Q in Connect with step-by-step guides](https://docs.aws.amazon.com/connect/latest/adminguide/integrate-q-with-guides.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter CreateContentAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContentAssociationInput`) /// - /// - Returns: `CreateContentAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContentAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1167,7 +1156,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContentAssociationOutput.httpOutput(from:), CreateContentAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1207,9 +1195,9 @@ extension QConnectClient { /// /// * Call CreateKnowledgeBase. /// - /// - Parameter CreateKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKnowledgeBaseInput`) /// - /// - Returns: `CreateKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1248,7 +1236,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKnowledgeBaseOutput.httpOutput(from:), CreateKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1280,9 +1267,9 @@ extension QConnectClient { /// /// Creates an Amazon Q in Connect message template. The name of the message template has to be unique for each knowledge base. The channel subtype of the message template is immutable and cannot be modified after creation. After the message template is created, you can use the $LATEST qualifier to reference the created message template. /// - /// - Parameter CreateMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMessageTemplateInput`) /// - /// - Returns: `CreateMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1322,7 +1309,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMessageTemplateOutput.httpOutput(from:), CreateMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1354,9 +1340,9 @@ extension QConnectClient { /// /// Uploads an attachment file to the specified Amazon Q in Connect message template. The name of the message template attachment has to be unique for each message template referenced by the $LATEST qualifier. The body of the attachment file should be encoded using base64 encoding. After the file is uploaded, you can use the pre-signed Amazon S3 URL returned in response to download the uploaded file. /// - /// - Parameter CreateMessageTemplateAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMessageTemplateAttachmentInput`) /// - /// - Returns: `CreateMessageTemplateAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMessageTemplateAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1382,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMessageTemplateAttachmentOutput.httpOutput(from:), CreateMessageTemplateAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1428,9 +1413,9 @@ extension QConnectClient { /// /// Creates a new Amazon Q in Connect message template version from the current content and configuration of a message template. Versions are immutable and monotonically increasing. Once a version is created, you can reference a specific version of the message template by passing in : as the message template identifier. An error is displayed if the supplied messageTemplateContentSha256 is different from the messageTemplateContentSha256 of the message template with $LATEST qualifier. If multiple CreateMessageTemplateVersion requests are made while the message template remains the same, only the first invocation creates a new version and the succeeding requests will return the same response as the first invocation. /// - /// - Parameter CreateMessageTemplateVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMessageTemplateVersionInput`) /// - /// - Returns: `CreateMessageTemplateVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMessageTemplateVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1469,7 +1454,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMessageTemplateVersionOutput.httpOutput(from:), CreateMessageTemplateVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1501,9 +1485,9 @@ extension QConnectClient { /// /// Creates an Amazon Q in Connect quick response. /// - /// - Parameter CreateQuickResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQuickResponseInput`) /// - /// - Returns: `CreateQuickResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQuickResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1543,7 +1527,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQuickResponseOutput.httpOutput(from:), CreateQuickResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1575,15 +1558,16 @@ extension QConnectClient { /// /// Creates a session. A session is a contextual container used for generating recommendations. Amazon Connect creates a new Amazon Q in Connect session for each contact on which Amazon Q in Connect is enabled. /// - /// - Parameter CreateSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSessionInput`) /// - /// - Returns: `CreateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ /// - `AccessDeniedException` : You do not have sufficient access to perform this action. /// - `ConflictException` : The request could not be processed because of conflict in the current state of the resource. For example, if you're using a Create API (such as CreateAssistant) that accepts name, a conflicting resource (usually with the same name) is being created or mutated. + /// - `DependencyFailedException` : An error occurred while calling a dependency. For example, calling connect:DecribeContact as part of CreateSession with a contactArn. /// - `ResourceNotFoundException` : The specified resource does not exist. /// - `UnauthorizedException` : You do not have permission to perform this action. /// - `ValidationException` : The input fails to satisfy the constraints specified by a service. @@ -1616,7 +1600,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSessionOutput.httpOutput(from:), CreateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1648,9 +1631,9 @@ extension QConnectClient { /// /// Deactivates a specific version of the Amazon Q in Connect message template . After the version is deactivated, you can no longer use the $ACTIVE_VERSION qualifier to reference the version in active status. /// - /// - Parameter DeactivateMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateMessageTemplateInput`) /// - /// - Returns: `DeactivateMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1688,7 +1671,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateMessageTemplateOutput.httpOutput(from:), DeactivateMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1720,9 +1702,9 @@ extension QConnectClient { /// /// Deletes an Amazon Q in Connect AI Agent. /// - /// - Parameter DeleteAIAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAIAgentInput`) /// - /// - Returns: `DeleteAIAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAIAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1757,7 +1739,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAIAgentOutput.httpOutput(from:), DeleteAIAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1789,9 +1770,9 @@ extension QConnectClient { /// /// Deletes an Amazon Q in Connect AI Agent Version. /// - /// - Parameter DeleteAIAgentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAIAgentVersionInput`) /// - /// - Returns: `DeleteAIAgentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAIAgentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1827,7 +1808,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAIAgentVersionOutput.httpOutput(from:), DeleteAIAgentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1859,9 +1839,9 @@ extension QConnectClient { /// /// Deletes an Amazon Q in Connect AI Guardrail. /// - /// - Parameter DeleteAIGuardrailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAIGuardrailInput`) /// - /// - Returns: `DeleteAIGuardrailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAIGuardrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1897,7 +1877,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAIGuardrailOutput.httpOutput(from:), DeleteAIGuardrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1929,9 +1908,9 @@ extension QConnectClient { /// /// Delete and Amazon Q in Connect AI Guardrail version. /// - /// - Parameter DeleteAIGuardrailVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAIGuardrailVersionInput`) /// - /// - Returns: `DeleteAIGuardrailVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAIGuardrailVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1967,7 +1946,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAIGuardrailVersionOutput.httpOutput(from:), DeleteAIGuardrailVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1999,9 +1977,9 @@ extension QConnectClient { /// /// Deletes an Amazon Q in Connect AI Prompt. /// - /// - Parameter DeleteAIPromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAIPromptInput`) /// - /// - Returns: `DeleteAIPromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAIPromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2036,7 +2014,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAIPromptOutput.httpOutput(from:), DeleteAIPromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2068,9 +2045,9 @@ extension QConnectClient { /// /// Delete and Amazon Q in Connect AI Prompt version. /// - /// - Parameter DeleteAIPromptVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAIPromptVersionInput`) /// - /// - Returns: `DeleteAIPromptVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAIPromptVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2106,7 +2083,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAIPromptVersionOutput.httpOutput(from:), DeleteAIPromptVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2138,9 +2114,9 @@ extension QConnectClient { /// /// Deletes an assistant. /// - /// - Parameter DeleteAssistantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssistantInput`) /// - /// - Returns: `DeleteAssistantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssistantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2174,7 +2150,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssistantOutput.httpOutput(from:), DeleteAssistantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2206,9 +2181,9 @@ extension QConnectClient { /// /// Deletes an assistant association. /// - /// - Parameter DeleteAssistantAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssistantAssociationInput`) /// - /// - Returns: `DeleteAssistantAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssistantAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2242,7 +2217,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssistantAssociationOutput.httpOutput(from:), DeleteAssistantAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2274,9 +2248,9 @@ extension QConnectClient { /// /// Deletes the content. /// - /// - Parameter DeleteContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContentInput`) /// - /// - Returns: `DeleteContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2311,7 +2285,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContentOutput.httpOutput(from:), DeleteContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2343,9 +2316,9 @@ extension QConnectClient { /// /// Deletes the content association. For more information about content associations--what they are and when they are used--see [Integrate Amazon Q in Connect with step-by-step guides](https://docs.aws.amazon.com/connect/latest/adminguide/integrate-q-with-guides.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter DeleteContentAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContentAssociationInput`) /// - /// - Returns: `DeleteContentAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContentAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2379,7 +2352,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContentAssociationOutput.httpOutput(from:), DeleteContentAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2411,9 +2383,9 @@ extension QConnectClient { /// /// Deletes the quick response import job. /// - /// - Parameter DeleteImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImportJobInput`) /// - /// - Returns: `DeleteImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2448,7 +2420,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImportJobOutput.httpOutput(from:), DeleteImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2480,9 +2451,9 @@ extension QConnectClient { /// /// Deletes the knowledge base. When you use this API to delete an external knowledge base such as Salesforce or ServiceNow, you must also delete the [Amazon AppIntegrations](https://docs.aws.amazon.com/appintegrations/latest/APIReference/Welcome.html) DataIntegration. This is because you can't reuse the DataIntegration after it's been associated with an external knowledge base. However, you can delete and recreate it. See [DeleteDataIntegration](https://docs.aws.amazon.com/appintegrations/latest/APIReference/API_DeleteDataIntegration.html) and [CreateDataIntegration](https://docs.aws.amazon.com/appintegrations/latest/APIReference/API_CreateDataIntegration.html) in the Amazon AppIntegrations API Reference. /// - /// - Parameter DeleteKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKnowledgeBaseInput`) /// - /// - Returns: `DeleteKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2517,7 +2488,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKnowledgeBaseOutput.httpOutput(from:), DeleteKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2549,9 +2519,9 @@ extension QConnectClient { /// /// Deletes an Amazon Q in Connect message template entirely or a specific version of the message template if version is supplied in the request. You can provide the message template identifier as : to delete a specific version of the message template. If it is not supplied, the message template and all available versions will be deleted. /// - /// - Parameter DeleteMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMessageTemplateInput`) /// - /// - Returns: `DeleteMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2586,7 +2556,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMessageTemplateOutput.httpOutput(from:), DeleteMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2618,9 +2587,9 @@ extension QConnectClient { /// /// Deletes the attachment file from the Amazon Q in Connect message template that is referenced by $LATEST qualifier. Attachments on available message template versions will remain unchanged. /// - /// - Parameter DeleteMessageTemplateAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMessageTemplateAttachmentInput`) /// - /// - Returns: `DeleteMessageTemplateAttachmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMessageTemplateAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2655,7 +2624,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMessageTemplateAttachmentOutput.httpOutput(from:), DeleteMessageTemplateAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2687,9 +2655,9 @@ extension QConnectClient { /// /// Deletes a quick response. /// - /// - Parameter DeleteQuickResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQuickResponseInput`) /// - /// - Returns: `DeleteQuickResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQuickResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2723,7 +2691,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQuickResponseOutput.httpOutput(from:), DeleteQuickResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2755,9 +2722,9 @@ extension QConnectClient { /// /// Gets an Amazon Q in Connect AI Agent. /// - /// - Parameter GetAIAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAIAgentInput`) /// - /// - Returns: `GetAIAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAIAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2792,7 +2759,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAIAgentOutput.httpOutput(from:), GetAIAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2824,9 +2790,9 @@ extension QConnectClient { /// /// Gets the Amazon Q in Connect AI Guardrail. /// - /// - Parameter GetAIGuardrailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAIGuardrailInput`) /// - /// - Returns: `GetAIGuardrailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAIGuardrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2861,7 +2827,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAIGuardrailOutput.httpOutput(from:), GetAIGuardrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2893,9 +2858,9 @@ extension QConnectClient { /// /// Gets and Amazon Q in Connect AI Prompt. /// - /// - Parameter GetAIPromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAIPromptInput`) /// - /// - Returns: `GetAIPromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAIPromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2930,7 +2895,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAIPromptOutput.httpOutput(from:), GetAIPromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2962,9 +2926,9 @@ extension QConnectClient { /// /// Retrieves information about an assistant. /// - /// - Parameter GetAssistantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssistantInput`) /// - /// - Returns: `GetAssistantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssistantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2998,7 +2962,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssistantOutput.httpOutput(from:), GetAssistantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3030,9 +2993,9 @@ extension QConnectClient { /// /// Retrieves information about an assistant association. /// - /// - Parameter GetAssistantAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssistantAssociationInput`) /// - /// - Returns: `GetAssistantAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssistantAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3066,7 +3029,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssistantAssociationOutput.httpOutput(from:), GetAssistantAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3098,9 +3060,9 @@ extension QConnectClient { /// /// Retrieves content, including a pre-signed URL to download the content. /// - /// - Parameter GetContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContentInput`) /// - /// - Returns: `GetContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3134,7 +3096,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContentOutput.httpOutput(from:), GetContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3166,9 +3127,9 @@ extension QConnectClient { /// /// Returns the content association. For more information about content associations--what they are and when they are used--see [Integrate Amazon Q in Connect with step-by-step guides](https://docs.aws.amazon.com/connect/latest/adminguide/integrate-q-with-guides.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter GetContentAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContentAssociationInput`) /// - /// - Returns: `GetContentAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContentAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3202,7 +3163,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContentAssociationOutput.httpOutput(from:), GetContentAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3234,9 +3194,9 @@ extension QConnectClient { /// /// Retrieves summary information about the content. /// - /// - Parameter GetContentSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContentSummaryInput`) /// - /// - Returns: `GetContentSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContentSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3270,7 +3230,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContentSummaryOutput.httpOutput(from:), GetContentSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3302,9 +3261,9 @@ extension QConnectClient { /// /// Retrieves the started import job. /// - /// - Parameter GetImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImportJobInput`) /// - /// - Returns: `GetImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3337,7 +3296,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImportJobOutput.httpOutput(from:), GetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3369,9 +3327,9 @@ extension QConnectClient { /// /// Retrieves information about the knowledge base. /// - /// - Parameter GetKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKnowledgeBaseInput`) /// - /// - Returns: `GetKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3405,7 +3363,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKnowledgeBaseOutput.httpOutput(from:), GetKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3437,9 +3394,9 @@ extension QConnectClient { /// /// Retrieves the Amazon Q in Connect message template. The message template identifier can contain an optional qualifier, for example, :, which is either an actual version number or an Amazon Q Connect managed qualifier $ACTIVE_VERSION | $LATEST. If it is not supplied, then $LATEST is assumed implicitly. /// - /// - Parameter GetMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMessageTemplateInput`) /// - /// - Returns: `GetMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3474,7 +3431,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMessageTemplateOutput.httpOutput(from:), GetMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3506,9 +3462,9 @@ extension QConnectClient { /// /// Retrieves next message on an Amazon Q in Connect session. /// - /// - Parameter GetNextMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNextMessageInput`) /// - /// - Returns: `GetNextMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNextMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3542,7 +3498,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetNextMessageInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNextMessageOutput.httpOutput(from:), GetNextMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3574,9 +3529,9 @@ extension QConnectClient { /// /// Retrieves the quick response. /// - /// - Parameter GetQuickResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQuickResponseInput`) /// - /// - Returns: `GetQuickResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQuickResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3610,7 +3565,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQuickResponseOutput.httpOutput(from:), GetQuickResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3643,9 +3597,9 @@ extension QConnectClient { /// This API will be discontinued starting June 1, 2024. To receive generative responses after March 1, 2024, you will need to create a new Assistant in the Amazon Connect console and integrate the Amazon Q in Connect JavaScript library (amazon-q-connectjs) into your applications. Retrieves recommendations for the specified session. To avoid retrieving the same recommendations in subsequent calls, use [NotifyRecommendationsReceived](https://docs.aws.amazon.com/amazon-q-connect/latest/APIReference/API_NotifyRecommendationsReceived.html). This API supports long-polling behavior with the waitTimeSeconds parameter. Short poll is the default behavior and only returns recommendations already available. To perform a manual query against an assistant, use [QueryAssistant](https://docs.aws.amazon.com/amazon-q-connect/latest/APIReference/API_QueryAssistant.html). @available(*, deprecated, message: "GetRecommendations API will be discontinued starting June 1, 2024. To receive generative responses after March 1, 2024 you will need to create a new Assistant in the Connect console and integrate the Amazon Q in Connect JavaScript library (amazon-q-connectjs) into your applications.") /// - /// - Parameter GetRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecommendationsInput`) /// - /// - Returns: `GetRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3679,7 +3633,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRecommendationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommendationsOutput.httpOutput(from:), GetRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3711,9 +3664,9 @@ extension QConnectClient { /// /// Retrieves information for a specified session. /// - /// - Parameter GetSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionInput`) /// - /// - Returns: `GetSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3747,7 +3700,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionOutput.httpOutput(from:), GetSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3779,9 +3731,9 @@ extension QConnectClient { /// /// List AI Agent versions. /// - /// - Parameter ListAIAgentVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAIAgentVersionsInput`) /// - /// - Returns: `ListAIAgentVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAIAgentVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3817,7 +3769,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAIAgentVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAIAgentVersionsOutput.httpOutput(from:), ListAIAgentVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3849,9 +3800,9 @@ extension QConnectClient { /// /// Lists AI Agents. /// - /// - Parameter ListAIAgentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAIAgentsInput`) /// - /// - Returns: `ListAIAgentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAIAgentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3887,7 +3838,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAIAgentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAIAgentsOutput.httpOutput(from:), ListAIAgentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3919,9 +3869,9 @@ extension QConnectClient { /// /// Lists AI Guardrail versions. /// - /// - Parameter ListAIGuardrailVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAIGuardrailVersionsInput`) /// - /// - Returns: `ListAIGuardrailVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAIGuardrailVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3957,7 +3907,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAIGuardrailVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAIGuardrailVersionsOutput.httpOutput(from:), ListAIGuardrailVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3989,9 +3938,9 @@ extension QConnectClient { /// /// Lists the AI Guardrails available on the Amazon Q in Connect assistant. /// - /// - Parameter ListAIGuardrailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAIGuardrailsInput`) /// - /// - Returns: `ListAIGuardrailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAIGuardrailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4027,7 +3976,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAIGuardrailsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAIGuardrailsOutput.httpOutput(from:), ListAIGuardrailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4059,9 +4007,9 @@ extension QConnectClient { /// /// Lists AI Prompt versions. /// - /// - Parameter ListAIPromptVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAIPromptVersionsInput`) /// - /// - Returns: `ListAIPromptVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAIPromptVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4097,7 +4045,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAIPromptVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAIPromptVersionsOutput.httpOutput(from:), ListAIPromptVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4129,9 +4076,9 @@ extension QConnectClient { /// /// Lists the AI Prompts available on the Amazon Q in Connect assistant. /// - /// - Parameter ListAIPromptsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAIPromptsInput`) /// - /// - Returns: `ListAIPromptsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAIPromptsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4167,7 +4114,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAIPromptsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAIPromptsOutput.httpOutput(from:), ListAIPromptsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4199,9 +4145,9 @@ extension QConnectClient { /// /// Lists information about assistant associations. /// - /// - Parameter ListAssistantAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssistantAssociationsInput`) /// - /// - Returns: `ListAssistantAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssistantAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4235,7 +4181,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssistantAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssistantAssociationsOutput.httpOutput(from:), ListAssistantAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4267,9 +4212,9 @@ extension QConnectClient { /// /// Lists information about assistants. /// - /// - Parameter ListAssistantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssistantsInput`) /// - /// - Returns: `ListAssistantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssistantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4303,7 +4248,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssistantsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssistantsOutput.httpOutput(from:), ListAssistantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4335,9 +4279,9 @@ extension QConnectClient { /// /// Lists the content associations. For more information about content associations--what they are and when they are used--see [Integrate Amazon Q in Connect with step-by-step guides](https://docs.aws.amazon.com/connect/latest/adminguide/integrate-q-with-guides.html) in the Amazon Connect Administrator Guide. /// - /// - Parameter ListContentAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContentAssociationsInput`) /// - /// - Returns: `ListContentAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContentAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4372,7 +4316,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListContentAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContentAssociationsOutput.httpOutput(from:), ListContentAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4404,9 +4347,9 @@ extension QConnectClient { /// /// Lists the content. /// - /// - Parameter ListContentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContentsInput`) /// - /// - Returns: `ListContentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4440,7 +4383,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListContentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContentsOutput.httpOutput(from:), ListContentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4472,9 +4414,9 @@ extension QConnectClient { /// /// Lists information about import jobs. /// - /// - Parameter ListImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImportJobsInput`) /// - /// - Returns: `ListImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4507,7 +4449,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListImportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportJobsOutput.httpOutput(from:), ListImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4539,9 +4480,9 @@ extension QConnectClient { /// /// Lists the knowledge bases. /// - /// - Parameter ListKnowledgeBasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKnowledgeBasesInput`) /// - /// - Returns: `ListKnowledgeBasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKnowledgeBasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4574,7 +4515,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKnowledgeBasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKnowledgeBasesOutput.httpOutput(from:), ListKnowledgeBasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4606,9 +4546,9 @@ extension QConnectClient { /// /// Lists all the available versions for the specified Amazon Q in Connect message template. /// - /// - Parameter ListMessageTemplateVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMessageTemplateVersionsInput`) /// - /// - Returns: `ListMessageTemplateVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMessageTemplateVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4643,7 +4583,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMessageTemplateVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMessageTemplateVersionsOutput.httpOutput(from:), ListMessageTemplateVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4675,9 +4614,9 @@ extension QConnectClient { /// /// Lists all the available Amazon Q in Connect message templates for the specified knowledge base. /// - /// - Parameter ListMessageTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMessageTemplatesInput`) /// - /// - Returns: `ListMessageTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMessageTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4712,7 +4651,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMessageTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMessageTemplatesOutput.httpOutput(from:), ListMessageTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4744,9 +4682,9 @@ extension QConnectClient { /// /// Lists messages on an Amazon Q in Connect session. /// - /// - Parameter ListMessagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMessagesInput`) /// - /// - Returns: `ListMessagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMessagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4780,7 +4718,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMessagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMessagesOutput.httpOutput(from:), ListMessagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4812,9 +4749,9 @@ extension QConnectClient { /// /// Lists information about quick response. /// - /// - Parameter ListQuickResponsesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQuickResponsesInput`) /// - /// - Returns: `ListQuickResponsesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQuickResponsesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4848,7 +4785,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQuickResponsesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQuickResponsesOutput.httpOutput(from:), ListQuickResponsesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4880,9 +4816,9 @@ extension QConnectClient { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4913,7 +4849,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4945,9 +4880,9 @@ extension QConnectClient { /// /// Removes the specified recommendations from the specified assistant's queue of newly available recommendations. You can use this API in conjunction with [GetRecommendations](https://docs.aws.amazon.com/amazon-q-connect/latest/APIReference/API_GetRecommendations.html) and a waitTimeSeconds input for long-polling behavior and avoiding duplicate recommendations. /// - /// - Parameter NotifyRecommendationsReceivedInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `NotifyRecommendationsReceivedInput`) /// - /// - Returns: `NotifyRecommendationsReceivedOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `NotifyRecommendationsReceivedOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4983,7 +4918,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NotifyRecommendationsReceivedOutput.httpOutput(from:), NotifyRecommendationsReceivedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5015,9 +4949,9 @@ extension QConnectClient { /// /// Provides feedback against the specified assistant for the specified target. This API only supports generative targets. /// - /// - Parameter PutFeedbackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFeedbackInput`) /// - /// - Returns: `PutFeedbackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFeedbackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5053,7 +4987,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFeedbackOutput.httpOutput(from:), PutFeedbackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5086,9 +5019,9 @@ extension QConnectClient { /// This API will be discontinued starting June 1, 2024. To receive generative responses after March 1, 2024, you will need to create a new Assistant in the Amazon Connect console and integrate the Amazon Q in Connect JavaScript library (amazon-q-connectjs) into your applications. Performs a manual search against the specified assistant. To retrieve recommendations for an assistant, use [GetRecommendations](https://docs.aws.amazon.com/amazon-q-connect/latest/APIReference/API_GetRecommendations.html). @available(*, deprecated, message: "QueryAssistant API will be discontinued starting June 1, 2024. To receive generative responses after March 1, 2024 you will need to create a new Assistant in the Connect console and integrate the Amazon Q in Connect JavaScript library (amazon-q-connectjs) into your applications.") /// - /// - Parameter QueryAssistantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `QueryAssistantInput`) /// - /// - Returns: `QueryAssistantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `QueryAssistantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5125,7 +5058,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QueryAssistantOutput.httpOutput(from:), QueryAssistantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5157,9 +5089,9 @@ extension QConnectClient { /// /// Removes the AI Agent that is set for use by default on an Amazon Q in Connect Assistant. /// - /// - Parameter RemoveAssistantAIAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveAssistantAIAgentInput`) /// - /// - Returns: `RemoveAssistantAIAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveAssistantAIAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5194,7 +5126,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RemoveAssistantAIAgentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveAssistantAIAgentOutput.httpOutput(from:), RemoveAssistantAIAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5226,9 +5157,9 @@ extension QConnectClient { /// /// Removes a URI template from a knowledge base. /// - /// - Parameter RemoveKnowledgeBaseTemplateUriInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveKnowledgeBaseTemplateUriInput`) /// - /// - Returns: `RemoveKnowledgeBaseTemplateUriOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveKnowledgeBaseTemplateUriOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5261,7 +5192,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveKnowledgeBaseTemplateUriOutput.httpOutput(from:), RemoveKnowledgeBaseTemplateUriOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5293,9 +5223,9 @@ extension QConnectClient { /// /// Renders the Amazon Q in Connect message template based on the attribute values provided and generates the message content. For any variable present in the message template, if the attribute value is neither provided in the attribute request parameter nor the default attribute of the message template, the rendered message content will keep the variable placeholder as it is and return the attribute keys that are missing. /// - /// - Parameter RenderMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RenderMessageTemplateInput`) /// - /// - Returns: `RenderMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RenderMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5332,7 +5262,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RenderMessageTemplateOutput.httpOutput(from:), RenderMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5364,9 +5293,9 @@ extension QConnectClient { /// /// Searches for content in a specified knowledge base. Can be used to get a specific content resource by its name. /// - /// - Parameter SearchContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchContentInput`) /// - /// - Returns: `SearchContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5404,7 +5333,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchContentOutput.httpOutput(from:), SearchContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5436,9 +5364,9 @@ extension QConnectClient { /// /// Searches for Amazon Q in Connect message templates in the specified knowledge base. /// - /// - Parameter SearchMessageTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchMessageTemplatesInput`) /// - /// - Returns: `SearchMessageTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchMessageTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5477,7 +5405,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchMessageTemplatesOutput.httpOutput(from:), SearchMessageTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5509,9 +5436,9 @@ extension QConnectClient { /// /// Searches existing Amazon Q in Connect quick responses in an Amazon Q in Connect knowledge base. /// - /// - Parameter SearchQuickResponsesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchQuickResponsesInput`) /// - /// - Returns: `SearchQuickResponsesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchQuickResponsesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5550,7 +5477,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchQuickResponsesOutput.httpOutput(from:), SearchQuickResponsesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5582,9 +5508,9 @@ extension QConnectClient { /// /// Searches for sessions. /// - /// - Parameter SearchSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchSessionsInput`) /// - /// - Returns: `SearchSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5622,7 +5548,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchSessionsOutput.httpOutput(from:), SearchSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5654,9 +5579,9 @@ extension QConnectClient { /// /// Submits a message to the Amazon Q in Connect session. /// - /// - Parameter SendMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendMessageInput`) /// - /// - Returns: `SendMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5696,7 +5621,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendMessageOutput.httpOutput(from:), SendMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5728,9 +5652,9 @@ extension QConnectClient { /// /// Get a URL to upload content to a knowledge base. To upload content, first make a PUT request to the returned URL with your file, making sure to include the required headers. Then use [CreateContent](https://docs.aws.amazon.com/amazon-q-connect/latest/APIReference/API_CreateContent.html) to finalize the content creation process or [UpdateContent](https://docs.aws.amazon.com/amazon-q-connect/latest/APIReference/API_UpdateContent.html) to modify an existing resource. You can only upload content to a knowledge base of type CUSTOM. /// - /// - Parameter StartContentUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartContentUploadInput`) /// - /// - Returns: `StartContentUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartContentUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5767,7 +5691,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartContentUploadOutput.httpOutput(from:), StartContentUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5801,9 +5724,9 @@ extension QConnectClient { /// /// * For importing Amazon Q in Connect quick responses, you need to upload a csv file including the quick responses. For information about how to format the csv file for importing quick responses, see [Import quick responses](https://docs.aws.amazon.com/console/connect/quick-responses/add-data). /// - /// - Parameter StartImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImportJobInput`) /// - /// - Returns: `StartImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5843,7 +5766,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImportJobOutput.httpOutput(from:), StartImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5875,9 +5797,9 @@ extension QConnectClient { /// /// Adds the specified tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5912,7 +5834,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5944,9 +5865,9 @@ extension QConnectClient { /// /// Removes the specified tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5978,7 +5899,6 @@ extension QConnectClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6010,9 +5930,9 @@ extension QConnectClient { /// /// Updates an AI Agent. /// - /// - Parameter UpdateAIAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAIAgentInput`) /// - /// - Returns: `UpdateAIAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAIAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6052,7 +5972,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAIAgentOutput.httpOutput(from:), UpdateAIAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6084,9 +6003,9 @@ extension QConnectClient { /// /// Updates an AI Guardrail. /// - /// - Parameter UpdateAIGuardrailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAIGuardrailInput`) /// - /// - Returns: `UpdateAIGuardrailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAIGuardrailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6126,7 +6045,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAIGuardrailOutput.httpOutput(from:), UpdateAIGuardrailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6158,9 +6076,9 @@ extension QConnectClient { /// /// Updates an AI Prompt. /// - /// - Parameter UpdateAIPromptInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAIPromptInput`) /// - /// - Returns: `UpdateAIPromptOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAIPromptOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6200,7 +6118,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAIPromptOutput.httpOutput(from:), UpdateAIPromptOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6232,9 +6149,9 @@ extension QConnectClient { /// /// Updates the AI Agent that is set for use by default on an Amazon Q in Connect Assistant. /// - /// - Parameter UpdateAssistantAIAgentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssistantAIAgentInput`) /// - /// - Returns: `UpdateAssistantAIAgentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssistantAIAgentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6271,7 +6188,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssistantAIAgentOutput.httpOutput(from:), UpdateAssistantAIAgentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6303,9 +6219,9 @@ extension QConnectClient { /// /// Updates information about the content. /// - /// - Parameter UpdateContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContentInput`) /// - /// - Returns: `UpdateContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6343,7 +6259,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContentOutput.httpOutput(from:), UpdateContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6375,9 +6290,9 @@ extension QConnectClient { /// /// Updates the template URI of a knowledge base. This is only supported for knowledge bases of type EXTERNAL. Include a single variable in ${variable} format; this interpolated by Amazon Q in Connect using ingested content. For example, if you ingest a Salesforce article, it has an Id value, and you can set the template URI to https://myInstanceName.lightning.force.com/lightning/r/Knowledge__kav/*${Id}*/view. /// - /// - Parameter UpdateKnowledgeBaseTemplateUriInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKnowledgeBaseTemplateUriInput`) /// - /// - Returns: `UpdateKnowledgeBaseTemplateUriOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKnowledgeBaseTemplateUriOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6413,7 +6328,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKnowledgeBaseTemplateUriOutput.httpOutput(from:), UpdateKnowledgeBaseTemplateUriOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6445,9 +6359,9 @@ extension QConnectClient { /// /// Updates the Amazon Q in Connect message template. Partial update is supported. If any field is not supplied, it will remain unchanged for the message template that is referenced by the $LATEST qualifier. Any modification will only apply to the message template that is referenced by the $LATEST qualifier. The fields for all available versions will remain unchanged. /// - /// - Parameter UpdateMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMessageTemplateInput`) /// - /// - Returns: `UpdateMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6485,7 +6399,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMessageTemplateOutput.httpOutput(from:), UpdateMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6517,9 +6430,9 @@ extension QConnectClient { /// /// Updates the Amazon Q in Connect message template metadata. Note that any modification to the message template’s name, description and grouping configuration will applied to the message template pointed by the $LATEST qualifier and all available versions. Partial update is supported. If any field is not supplied, it will remain unchanged for the message template. /// - /// - Parameter UpdateMessageTemplateMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMessageTemplateMetadataInput`) /// - /// - Returns: `UpdateMessageTemplateMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMessageTemplateMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6557,7 +6470,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMessageTemplateMetadataOutput.httpOutput(from:), UpdateMessageTemplateMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6589,9 +6501,9 @@ extension QConnectClient { /// /// Updates an existing Amazon Q in Connect quick response. /// - /// - Parameter UpdateQuickResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQuickResponseInput`) /// - /// - Returns: `UpdateQuickResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQuickResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6630,7 +6542,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQuickResponseOutput.httpOutput(from:), UpdateQuickResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6662,9 +6573,9 @@ extension QConnectClient { /// /// Updates a session. A session is a contextual container used for generating recommendations. Amazon Connect updates the existing Amazon Q in Connect session for each contact on which Amazon Q in Connect is enabled. /// - /// - Parameter UpdateSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSessionInput`) /// - /// - Returns: `UpdateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6701,7 +6612,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSessionOutput.httpOutput(from:), UpdateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6733,9 +6643,9 @@ extension QConnectClient { /// /// Updates the data stored on an Amazon Q in Connect Session. /// - /// - Parameter UpdateSessionDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSessionDataInput`) /// - /// - Returns: `UpdateSessionDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSessionDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6772,7 +6682,6 @@ extension QConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSessionDataOutput.httpOutput(from:), UpdateSessionDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSQLDB/Sources/AWSQLDB/QLDBClient.swift b/Sources/Services/AWSQLDB/Sources/AWSQLDB/QLDBClient.swift index 1b8ef273542..b2a220784cc 100644 --- a/Sources/Services/AWSQLDB/Sources/AWSQLDB/QLDBClient.swift +++ b/Sources/Services/AWSQLDB/Sources/AWSQLDB/QLDBClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class QLDBClient: ClientRuntime.Client { public static let clientName = "QLDBClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: QLDBClient.QLDBClientConfiguration let serviceName = "QLDB" @@ -374,9 +373,9 @@ extension QLDBClient { /// /// Ends a given Amazon QLDB journal stream. Before a stream can be canceled, its current status must be ACTIVE. You can't restart a stream after you cancel it. Canceled QLDB stream resources are subject to a 7-day retention period, so they are automatically deleted after this limit expires. /// - /// - Parameter CancelJournalKinesisStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelJournalKinesisStreamInput`) /// - /// - Returns: `CancelJournalKinesisStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelJournalKinesisStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJournalKinesisStreamOutput.httpOutput(from:), CancelJournalKinesisStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -441,9 +439,9 @@ extension QLDBClient { /// /// Creates a new ledger in your Amazon Web Services account in the current Region. /// - /// - Parameter CreateLedgerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLedgerInput`) /// - /// - Returns: `CreateLedgerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLedgerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLedgerOutput.httpOutput(from:), CreateLedgerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension QLDBClient { /// /// Deletes a ledger and all of its contents. This action is irreversible. If deletion protection is enabled, you must first disable it before you can delete the ledger. You can disable it by calling the UpdateLedger operation to set this parameter to false. /// - /// - Parameter DeleteLedgerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLedgerInput`) /// - /// - Returns: `DeleteLedgerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLedgerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -548,7 +545,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLedgerOutput.httpOutput(from:), DeleteLedgerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -580,9 +576,9 @@ extension QLDBClient { /// /// Returns detailed information about a given Amazon QLDB journal stream. The output includes the Amazon Resource Name (ARN), stream name, current status, creation time, and the parameters of the original stream creation request. This action does not return any expired journal streams. For more information, see [Expiration for terminal streams](https://docs.aws.amazon.com/qldb/latest/developerguide/streams.create.html#streams.create.states.expiration) in the Amazon QLDB Developer Guide. /// - /// - Parameter DescribeJournalKinesisStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJournalKinesisStreamInput`) /// - /// - Returns: `DescribeJournalKinesisStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJournalKinesisStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -615,7 +611,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJournalKinesisStreamOutput.httpOutput(from:), DescribeJournalKinesisStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -647,9 +642,9 @@ extension QLDBClient { /// /// Returns information about a journal export job, including the ledger name, export ID, creation time, current status, and the parameters of the original export creation request. This action does not return any expired export jobs. For more information, see [Export job expiration](https://docs.aws.amazon.com/qldb/latest/developerguide/export-journal.request.html#export-journal.request.expiration) in the Amazon QLDB Developer Guide. If the export job with the given ExportId doesn't exist, then throws ResourceNotFoundException. If the ledger with the given Name doesn't exist, then throws ResourceNotFoundException. /// - /// - Parameter DescribeJournalS3ExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJournalS3ExportInput`) /// - /// - Returns: `DescribeJournalS3ExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJournalS3ExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -680,7 +675,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJournalS3ExportOutput.httpOutput(from:), DescribeJournalS3ExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -712,9 +706,9 @@ extension QLDBClient { /// /// Returns information about a ledger, including its state, permissions mode, encryption at rest settings, and when it was created. /// - /// - Parameter DescribeLedgerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLedgerInput`) /// - /// - Returns: `DescribeLedgerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLedgerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -746,7 +740,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLedgerOutput.httpOutput(from:), DescribeLedgerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -778,9 +771,9 @@ extension QLDBClient { /// /// Exports journal contents within a date and time range from a ledger into a specified Amazon Simple Storage Service (Amazon S3) bucket. A journal export job can write the data objects in either the text or binary representation of Amazon Ion format, or in JSON Lines text format. If the ledger with the given Name doesn't exist, then throws ResourceNotFoundException. If the ledger with the given Name is in CREATING status, then throws ResourcePreconditionNotMetException. You can initiate up to two concurrent journal export requests for each ledger. Beyond this limit, journal export requests throw LimitExceededException. /// - /// - Parameter ExportJournalToS3Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportJournalToS3Input`) /// - /// - Returns: `ExportJournalToS3Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportJournalToS3Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -815,7 +808,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportJournalToS3Output.httpOutput(from:), ExportJournalToS3OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -847,9 +839,9 @@ extension QLDBClient { /// /// Returns a block object at a specified address in a journal. Also returns a proof of the specified block for verification if DigestTipAddress is provided. For information about the data contents in a block, see [Journal contents](https://docs.aws.amazon.com/qldb/latest/developerguide/journal-contents.html) in the Amazon QLDB Developer Guide. If the specified ledger doesn't exist or is in DELETING status, then throws ResourceNotFoundException. If the specified ledger is in CREATING status, then throws ResourcePreconditionNotMetException. If no block exists with the specified address, then throws InvalidParameterException. /// - /// - Parameter GetBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBlockInput`) /// - /// - Returns: `GetBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBlockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -885,7 +877,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBlockOutput.httpOutput(from:), GetBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -917,9 +908,9 @@ extension QLDBClient { /// /// Returns the digest of a ledger at the latest committed block in the journal. The response includes a 256-bit hash value and a block address. /// - /// - Parameter GetDigestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDigestInput`) /// - /// - Returns: `GetDigestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDigestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -952,7 +943,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDigestOutput.httpOutput(from:), GetDigestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -984,9 +974,9 @@ extension QLDBClient { /// /// Returns a revision data object for a specified document ID and block address. Also returns a proof of the specified revision for verification if DigestTipAddress is provided. /// - /// - Parameter GetRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRevisionInput`) /// - /// - Returns: `GetRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1022,7 +1012,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRevisionOutput.httpOutput(from:), GetRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1043,9 @@ extension QLDBClient { /// /// Returns all Amazon QLDB journal streams for a given ledger. This action does not return any expired journal streams. For more information, see [Expiration for terminal streams](https://docs.aws.amazon.com/qldb/latest/developerguide/streams.create.html#streams.create.states.expiration) in the Amazon QLDB Developer Guide. This action returns a maximum of MaxResults items. It is paginated so that you can retrieve all the items by calling ListJournalKinesisStreamsForLedger multiple times. /// - /// - Parameter ListJournalKinesisStreamsForLedgerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJournalKinesisStreamsForLedgerInput`) /// - /// - Returns: `ListJournalKinesisStreamsForLedgerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJournalKinesisStreamsForLedgerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1090,7 +1079,6 @@ extension QLDBClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJournalKinesisStreamsForLedgerInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJournalKinesisStreamsForLedgerOutput.httpOutput(from:), ListJournalKinesisStreamsForLedgerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1122,9 +1110,9 @@ extension QLDBClient { /// /// Returns all journal export jobs for all ledgers that are associated with the current Amazon Web Services account and Region. This action returns a maximum of MaxResults items, and is paginated so that you can retrieve all the items by calling ListJournalS3Exports multiple times. This action does not return any expired export jobs. For more information, see [Export job expiration](https://docs.aws.amazon.com/qldb/latest/developerguide/export-journal.request.html#export-journal.request.expiration) in the Amazon QLDB Developer Guide. /// - /// - Parameter ListJournalS3ExportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJournalS3ExportsInput`) /// - /// - Returns: `ListJournalS3ExportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJournalS3ExportsOutput`) public func listJournalS3Exports(input: ListJournalS3ExportsInput) async throws -> ListJournalS3ExportsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1151,7 +1139,6 @@ extension QLDBClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJournalS3ExportsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJournalS3ExportsOutput.httpOutput(from:), ListJournalS3ExportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1183,9 +1170,9 @@ extension QLDBClient { /// /// Returns all journal export jobs for a specified ledger. This action returns a maximum of MaxResults items, and is paginated so that you can retrieve all the items by calling ListJournalS3ExportsForLedger multiple times. This action does not return any expired export jobs. For more information, see [Export job expiration](https://docs.aws.amazon.com/qldb/latest/developerguide/export-journal.request.html#export-journal.request.expiration) in the Amazon QLDB Developer Guide. /// - /// - Parameter ListJournalS3ExportsForLedgerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJournalS3ExportsForLedgerInput`) /// - /// - Returns: `ListJournalS3ExportsForLedgerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJournalS3ExportsForLedgerOutput`) public func listJournalS3ExportsForLedger(input: ListJournalS3ExportsForLedgerInput) async throws -> ListJournalS3ExportsForLedgerOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1212,7 +1199,6 @@ extension QLDBClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJournalS3ExportsForLedgerInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJournalS3ExportsForLedgerOutput.httpOutput(from:), ListJournalS3ExportsForLedgerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1244,9 +1230,9 @@ extension QLDBClient { /// /// Returns all ledgers that are associated with the current Amazon Web Services account and Region. This action returns a maximum of MaxResults items and is paginated so that you can retrieve all the items by calling ListLedgers multiple times. /// - /// - Parameter ListLedgersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLedgersInput`) /// - /// - Returns: `ListLedgersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLedgersOutput`) public func listLedgers(input: ListLedgersInput) async throws -> ListLedgersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -1273,7 +1259,6 @@ extension QLDBClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLedgersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLedgersOutput.httpOutput(from:), ListLedgersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1305,9 +1290,9 @@ extension QLDBClient { /// /// Returns all tags for a specified Amazon QLDB resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1339,7 +1324,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1371,9 +1355,9 @@ extension QLDBClient { /// /// Creates a journal stream for a given Amazon QLDB ledger. The stream captures every document revision that is committed to the ledger's journal and delivers the data to a specified Amazon Kinesis Data Streams resource. /// - /// - Parameter StreamJournalToKinesisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StreamJournalToKinesisInput`) /// - /// - Returns: `StreamJournalToKinesisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StreamJournalToKinesisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1409,7 +1393,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StreamJournalToKinesisOutput.httpOutput(from:), StreamJournalToKinesisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1441,9 +1424,9 @@ extension QLDBClient { /// /// Adds one or more tags to a specified Amazon QLDB resource. A resource can have up to 50 tags. If you try to create more than 50 tags for a resource, your request fails and returns an error. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1478,7 +1461,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1510,9 +1492,9 @@ extension QLDBClient { /// /// Removes one or more tags from a specified Amazon QLDB resource. You can specify up to 50 tag keys to remove. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1545,7 +1527,6 @@ extension QLDBClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1577,9 +1558,9 @@ extension QLDBClient { /// /// Updates properties on a ledger. /// - /// - Parameter UpdateLedgerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLedgerInput`) /// - /// - Returns: `UpdateLedgerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLedgerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1614,7 +1595,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLedgerOutput.httpOutput(from:), UpdateLedgerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1646,9 +1626,9 @@ extension QLDBClient { /// /// Updates the permissions mode of a ledger. Before you switch to the STANDARD permissions mode, you must first create all required IAM policies and table tags to avoid disruption to your users. To learn more, see [Migrating to the standard permissions mode](https://docs.aws.amazon.com/qldb/latest/developerguide/ledger-management.basics.html#ledger-mgmt.basics.update-permissions.migrating) in the Amazon QLDB Developer Guide. /// - /// - Parameter UpdateLedgerPermissionsModeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLedgerPermissionsModeInput`) /// - /// - Returns: `UpdateLedgerPermissionsModeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLedgerPermissionsModeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1683,7 +1663,6 @@ extension QLDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLedgerPermissionsModeOutput.httpOutput(from:), UpdateLedgerPermissionsModeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSQLDBSession/Sources/AWSQLDBSession/QLDBSessionClient.swift b/Sources/Services/AWSQLDBSession/Sources/AWSQLDBSession/QLDBSessionClient.swift index eaa6274c112..1d478138199 100644 --- a/Sources/Services/AWSQLDBSession/Sources/AWSQLDBSession/QLDBSessionClient.swift +++ b/Sources/Services/AWSQLDBSession/Sources/AWSQLDBSession/QLDBSessionClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class QLDBSessionClient: ClientRuntime.Client { public static let clientName = "QLDBSessionClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: QLDBSessionClient.QLDBSessionClientConfiguration let serviceName = "QLDB Session" @@ -377,9 +376,9 @@ extension QLDBSessionClient { /// /// * If you are working with the AWS Command Line Interface (AWS CLI), use the QLDB shell. The shell is a command line interface that uses the QLDB driver to interact with a ledger. For information, see [Accessing Amazon QLDB using the QLDB shell](https://docs.aws.amazon.com/qldb/latest/developerguide/data-shell.html). /// - /// - Parameter SendCommandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendCommandInput`) /// - /// - Returns: `SendCommandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendCommandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension QLDBSessionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendCommandOutput.httpOutput(from:), SendCommandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSQuickSight/Sources/AWSQuickSight/Models.swift b/Sources/Services/AWSQuickSight/Sources/AWSQuickSight/Models.swift index 40d3a76f397..331ae5a3e77 100644 --- a/Sources/Services/AWSQuickSight/Sources/AWSQuickSight/Models.swift +++ b/Sources/Services/AWSQuickSight/Sources/AWSQuickSight/Models.swift @@ -25288,7 +25288,7 @@ public struct ResourceUnavailableException: ClientRuntime.ModeledError, AWSClien } public struct CreateAccountCustomizationInput: Swift.Sendable { - /// The QuickSight customizations you're adding in the current Amazon Web Services Region. You can add these to an Amazon Web Services account and a QuickSight namespace. For example, you can add a default theme by setting AccountCustomization to the midnight theme: "AccountCustomization": { "DefaultTheme": "arn:aws:quicksight::aws:theme/MIDNIGHT" }. Or, you can add a custom theme by specifying "AccountCustomization": { "DefaultTheme": "arn:aws:quicksight:us-west-2:111122223333:theme/bdb844d0-0fe9-4d9d-b520-0fe602d93639" }. + /// The QuickSight customizations you're adding. You can add these to an Amazon Web Services account and a QuickSight namespace. For example, you can add a default theme by setting AccountCustomization to the midnight theme: "AccountCustomization": { "DefaultTheme": "arn:aws:quicksight::aws:theme/MIDNIGHT" }. Or, you can add a custom theme by specifying "AccountCustomization": { "DefaultTheme": "arn:aws:quicksight:us-west-2:111122223333:theme/bdb844d0-0fe9-4d9d-b520-0fe602d93639" }. /// This member is required. public var accountCustomization: QuickSightClientTypes.AccountCustomization? /// The ID for the Amazon Web Services account that you want to customize QuickSight for. @@ -25313,7 +25313,7 @@ public struct CreateAccountCustomizationInput: Swift.Sendable { } public struct CreateAccountCustomizationOutput: Swift.Sendable { - /// The QuickSight customizations you're adding in the current Amazon Web Services Region. + /// The QuickSight customizations you're adding. public var accountCustomization: QuickSightClientTypes.AccountCustomization? /// The Amazon Resource Name (ARN) for the customization that you created for this Amazon Web Services account. public var arn: Swift.String? @@ -32131,7 +32131,7 @@ extension QuickSightClientTypes { } public struct DeleteAccountCustomizationInput: Swift.Sendable { - /// The ID for the Amazon Web Services account that you want to delete QuickSight customizations from in this Amazon Web Services Region. + /// The ID for the Amazon Web Services account that you want to delete QuickSight customizations from. /// This member is required. public var awsAccountId: Swift.String? /// The QuickSight namespace that you're deleting the customizations from. @@ -33387,7 +33387,7 @@ public struct DescribeAccountCustomizationInput: Swift.Sendable { } public struct DescribeAccountCustomizationOutput: Swift.Sendable { - /// The QuickSight customizations that exist in the current Amazon Web Services Region. + /// The QuickSight customizations that exist. public var accountCustomization: QuickSightClientTypes.AccountCustomization? /// The Amazon Resource Name (ARN) of the customization that's associated with this Amazon Web Services account. public var arn: Swift.String? @@ -41419,7 +41419,7 @@ public struct UntagResourceOutput: Swift.Sendable { } public struct UpdateAccountCustomizationInput: Swift.Sendable { - /// The QuickSight customizations you're updating in the current Amazon Web Services Region. + /// The QuickSight customizations you're updating. /// This member is required. public var accountCustomization: QuickSightClientTypes.AccountCustomization? /// The ID for the Amazon Web Services account that you want to update QuickSight customizations for. @@ -41440,7 +41440,7 @@ public struct UpdateAccountCustomizationInput: Swift.Sendable { } public struct UpdateAccountCustomizationOutput: Swift.Sendable { - /// The QuickSight customizations you're updating in the current Amazon Web Services Region. + /// The QuickSight customizations you're updating. public var accountCustomization: QuickSightClientTypes.AccountCustomization? /// The Amazon Resource Name (ARN) for the updated customization for this Amazon Web Services account. public var arn: Swift.String? diff --git a/Sources/Services/AWSQuickSight/Sources/AWSQuickSight/QuickSightClient.swift b/Sources/Services/AWSQuickSight/Sources/AWSQuickSight/QuickSightClient.swift index 68cda11673a..d625033dbc3 100644 --- a/Sources/Services/AWSQuickSight/Sources/AWSQuickSight/QuickSightClient.swift +++ b/Sources/Services/AWSQuickSight/Sources/AWSQuickSight/QuickSightClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class QuickSightClient: ClientRuntime.Client { public static let clientName = "QuickSightClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: QuickSightClient.QuickSightClientConfiguration let serviceName = "QuickSight" @@ -374,9 +373,9 @@ extension QuickSightClient { /// /// Creates new reviewed answers for a Q Topic. /// - /// - Parameter BatchCreateTopicReviewedAnswerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateTopicReviewedAnswerInput`) /// - /// - Returns: `BatchCreateTopicReviewedAnswerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateTopicReviewedAnswerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateTopicReviewedAnswerOutput.httpOutput(from:), BatchCreateTopicReviewedAnswerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension QuickSightClient { /// /// Deletes reviewed answers for Q Topic. /// - /// - Parameter BatchDeleteTopicReviewedAnswerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteTopicReviewedAnswerInput`) /// - /// - Returns: `BatchDeleteTopicReviewedAnswerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteTopicReviewedAnswerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteTopicReviewedAnswerOutput.httpOutput(from:), BatchDeleteTopicReviewedAnswerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension QuickSightClient { /// /// Cancels an ongoing ingestion of data into SPICE. /// - /// - Parameter CancelIngestionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelIngestionInput`) /// - /// - Returns: `CancelIngestionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelIngestionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelIngestionOutput.httpOutput(from:), CancelIngestionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,11 +583,11 @@ extension QuickSightClient { /// Performs the `CreateAccountCustomization` operation on the `QuickSight` service. /// - /// Creates Amazon QuickSight customizations for the current Amazon Web Services Region. Currently, you can add a custom default theme by using the CreateAccountCustomization or UpdateAccountCustomization API operation. To further customize QuickSight by removing QuickSight sample assets and videos for all new users, see [Customizing QuickSight](https://docs.aws.amazon.com/quicksight/latest/user/customizing-quicksight.html) in the Amazon QuickSight User Guide. You can create customizations for your Amazon Web Services account or, if you specify a namespace, for a QuickSight namespace instead. Customizations that apply to a namespace always override customizations that apply to an Amazon Web Services account. To find out which customizations apply, use the DescribeAccountCustomization API operation. Before you use the CreateAccountCustomization API operation to add a theme as the namespace default, make sure that you first share the theme with the namespace. If you don't share it with the namespace, the theme isn't visible to your users even if you make it the default theme. To check if the theme is shared, view the current permissions by using the [DescribeThemePermissions](https://docs.aws.amazon.com/quicksight/latest/APIReference/API_DescribeThemePermissions.html) API operation. To share the theme, grant permissions by using the [UpdateThemePermissions](https://docs.aws.amazon.com/quicksight/latest/APIReference/API_UpdateThemePermissions.html) API operation. + /// Creates Amazon QuickSight customizations. Currently, you can add a custom default theme by using the CreateAccountCustomization or UpdateAccountCustomization API operation. To further customize QuickSight by removing QuickSight sample assets and videos for all new users, see [Customizing QuickSight](https://docs.aws.amazon.com/quicksight/latest/user/customizing-quicksight.html) in the Amazon QuickSight User Guide. You can create customizations for your Amazon Web Services account or, if you specify a namespace, for a QuickSight namespace instead. Customizations that apply to a namespace always override customizations that apply to an Amazon Web Services account. To find out which customizations apply, use the DescribeAccountCustomization API operation. Before you use the CreateAccountCustomization API operation to add a theme as the namespace default, make sure that you first share the theme with the namespace. If you don't share it with the namespace, the theme isn't visible to your users even if you make it the default theme. To check if the theme is shared, view the current permissions by using the [DescribeThemePermissions](https://docs.aws.amazon.com/quicksight/latest/APIReference/API_DescribeThemePermissions.html) API operation. To share the theme, grant permissions by using the [UpdateThemePermissions](https://docs.aws.amazon.com/quicksight/latest/APIReference/API_UpdateThemePermissions.html) API operation. /// - /// - Parameter CreateAccountCustomizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccountCustomizationInput`) /// - /// - Returns: `CreateAccountCustomizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccountCustomizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccountCustomizationOutput.httpOutput(from:), CreateAccountCustomizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension QuickSightClient { /// /// Creates an QuickSight account, or subscribes to QuickSight Q. The Amazon Web Services Region for the account is derived from what is configured in the CLI or SDK. Before you use this operation, make sure that you can connect to an existing Amazon Web Services account. If you don't have an Amazon Web Services account, see [Sign up for Amazon Web Services](https://docs.aws.amazon.com/quicksight/latest/user/setting-up-aws-sign-up.html) in the Amazon QuickSight User Guide. The person who signs up for QuickSight needs to have the correct Identity and Access Management (IAM) permissions. For more information, see [IAM Policy Examples for QuickSight](https://docs.aws.amazon.com/quicksight/latest/user/iam-policy-examples.html) in the QuickSight User Guide. If your IAM policy includes both the Subscribe and CreateAccountSubscription actions, make sure that both actions are set to Allow. If either action is set to Deny, the Deny action prevails and your API call fails. You can't pass an existing IAM role to access other Amazon Web Services services using this API operation. To pass your existing IAM role to QuickSight, see [Passing IAM roles to QuickSight](https://docs.aws.amazon.com/quicksight/latest/user/security_iam_service-with-iam.html#security-create-iam-role) in the QuickSight User Guide. You can't set default resource access on the new account from the QuickSight API. Instead, add default resource access from the QuickSight console. For more information about setting default resource access to Amazon Web Services services, see [Setting default resource access to Amazon Web Services services](https://docs.aws.amazon.com/quicksight/latest/user/scoping-policies-defaults.html) in the QuickSight User Guide. /// - /// - Parameter CreateAccountSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccountSubscriptionInput`) /// - /// - Returns: `CreateAccountSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccountSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -709,7 +704,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccountSubscriptionOutput.httpOutput(from:), CreateAccountSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -741,9 +735,9 @@ extension QuickSightClient { /// /// Creates an analysis in Amazon QuickSight. Analyses can be created either from a template or from an AnalysisDefinition. /// - /// - Parameter CreateAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAnalysisInput`) /// - /// - Returns: `CreateAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -784,7 +778,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAnalysisOutput.httpOutput(from:), CreateAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -816,9 +809,9 @@ extension QuickSightClient { /// /// Creates an QuickSight brand. /// - /// - Parameter CreateBrandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBrandInput`) /// - /// - Returns: `CreateBrandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBrandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -857,7 +850,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBrandOutput.httpOutput(from:), CreateBrandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -889,9 +881,9 @@ extension QuickSightClient { /// /// Creates a custom permissions profile. /// - /// - Parameter CreateCustomPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomPermissionsInput`) /// - /// - Returns: `CreateCustomPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -934,7 +926,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomPermissionsOutput.httpOutput(from:), CreateCustomPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -966,9 +957,9 @@ extension QuickSightClient { /// /// Creates a dashboard from either a template or directly with a DashboardDefinition. To first create a template, see the [CreateTemplate](https://docs.aws.amazon.com/quicksight/latest/APIReference/API_CreateTemplate.html) API operation. A dashboard is an entity in QuickSight that identifies QuickSight reports, created from analyses. You can share QuickSight dashboards. With the right permissions, you can create scheduled email reports from them. If you have the correct permissions, you can create a dashboard from a template that exists in a different Amazon Web Services account. /// - /// - Parameter CreateDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDashboardInput`) /// - /// - Returns: `CreateDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1009,7 +1000,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDashboardOutput.httpOutput(from:), CreateDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1041,9 +1031,9 @@ extension QuickSightClient { /// /// Creates a dataset. This operation doesn't support datasets that include uploaded files as a source. /// - /// - Parameter CreateDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSetInput`) /// - /// - Returns: `CreateDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1085,7 +1075,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSetOutput.httpOutput(from:), CreateDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1117,9 +1106,9 @@ extension QuickSightClient { /// /// Creates a data source. /// - /// - Parameter CreateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataSourceInput`) /// - /// - Returns: `CreateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1161,7 +1150,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataSourceOutput.httpOutput(from:), CreateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1193,9 +1181,9 @@ extension QuickSightClient { /// /// Creates an empty shared folder. /// - /// - Parameter CreateFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFolderInput`) /// - /// - Returns: `CreateFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1237,7 +1225,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFolderOutput.httpOutput(from:), CreateFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1269,9 +1256,9 @@ extension QuickSightClient { /// /// Adds an asset, such as a dashboard, analysis, or dataset into a folder. /// - /// - Parameter CreateFolderMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFolderMembershipInput`) /// - /// - Returns: `CreateFolderMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFolderMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1309,7 +1296,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFolderMembershipOutput.httpOutput(from:), CreateFolderMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1341,9 +1327,9 @@ extension QuickSightClient { /// /// Use the CreateGroup operation to create a group in QuickSight. You can create up to 10,000 groups in a namespace. If you want to create more than 10,000 groups in a namespace, contact Amazon Web Services Support. The permissions resource is arn:aws:quicksight:::group/default/ . The response is a group object. /// - /// - Parameter CreateGroupInput : The request object for this operation. + /// - Parameter input: The request object for this operation. (Type: `CreateGroupInput`) /// - /// - Returns: `CreateGroupOutput` : The response object for this operation. + /// - Returns: The response object for this operation. (Type: `CreateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1385,7 +1371,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupOutput.httpOutput(from:), CreateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1417,9 +1402,9 @@ extension QuickSightClient { /// /// Adds an Amazon QuickSight user to an Amazon QuickSight group. /// - /// - Parameter CreateGroupMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupMembershipInput`) /// - /// - Returns: `CreateGroupMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1456,7 +1441,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupMembershipOutput.httpOutput(from:), CreateGroupMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1488,9 +1472,9 @@ extension QuickSightClient { /// /// Creates an assignment with one specified IAM policy, identified by its Amazon Resource Name (ARN). This policy assignment is attached to the specified groups or users of Amazon QuickSight. Assignment names are unique per Amazon Web Services account. To avoid overwriting rules in other namespaces, use assignment names that are unique. /// - /// - Parameter CreateIAMPolicyAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIAMPolicyAssignmentInput`) /// - /// - Returns: `CreateIAMPolicyAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIAMPolicyAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1530,7 +1514,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIAMPolicyAssignmentOutput.httpOutput(from:), CreateIAMPolicyAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1562,9 +1545,9 @@ extension QuickSightClient { /// /// Creates and starts a new SPICE ingestion for a dataset. You can manually refresh datasets in an Enterprise edition account 32 times in a 24-hour period. You can manually refresh datasets in a Standard edition account 8 times in a 24-hour period. Each 24-hour period is measured starting 24 hours before the current date and time. Any ingestions operating on tagged datasets inherit the same tags automatically for use in access control. For an example, see [How do I create an IAM policy to control access to Amazon EC2 resources using tags?](http://aws.amazon.com/premiumsupport/knowledge-center/iam-ec2-resource-tags/) in the Amazon Web Services Knowledge Center. Tags are visible on the tagged dataset, but not on the ingestion resource. /// - /// - Parameter CreateIngestionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIngestionInput`) /// - /// - Returns: `CreateIngestionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIngestionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1604,7 +1587,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIngestionOutput.httpOutput(from:), CreateIngestionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1636,9 +1618,9 @@ extension QuickSightClient { /// /// (Enterprise edition only) Creates a new namespace for you to use with Amazon QuickSight. A namespace allows you to isolate the QuickSight users and groups that are registered for that namespace. Users that access the namespace can share assets only with other users or groups in the same namespace. They can't see users and groups in other namespaces. You can create a namespace after your Amazon Web Services account is subscribed to QuickSight. The namespace must be unique within the Amazon Web Services account. By default, there is a limit of 100 namespaces per Amazon Web Services account. To increase your limit, create a ticket with Amazon Web Services Support. /// - /// - Parameter CreateNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNamespaceInput`) /// - /// - Returns: `CreateNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1681,7 +1663,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNamespaceOutput.httpOutput(from:), CreateNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1713,9 +1694,9 @@ extension QuickSightClient { /// /// Creates a refresh schedule for a dataset. You can create up to 5 different schedules for a single dataset. /// - /// - Parameter CreateRefreshScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRefreshScheduleInput`) /// - /// - Returns: `CreateRefreshScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRefreshScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1756,7 +1737,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRefreshScheduleOutput.httpOutput(from:), CreateRefreshScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1788,9 +1768,9 @@ extension QuickSightClient { /// /// Use CreateRoleMembership to add an existing QuickSight group to an existing role. /// - /// - Parameter CreateRoleMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRoleMembershipInput`) /// - /// - Returns: `CreateRoleMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRoleMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1827,7 +1807,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRoleMembershipOutput.httpOutput(from:), CreateRoleMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1859,9 +1838,9 @@ extension QuickSightClient { /// /// Creates a template either from a TemplateDefinition or from an existing QuickSight analysis or template. You can use the resulting template to create additional dashboards, templates, or analyses. A template is an entity in QuickSight that encapsulates the metadata required to create an analysis and that you can use to create s dashboard. A template adds a layer of abstraction by using placeholders to replace the dataset associated with the analysis. You can use templates to create dashboards by replacing dataset placeholders with datasets that follow the same schema that was used to create the source analysis and template. /// - /// - Parameter CreateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTemplateInput`) /// - /// - Returns: `CreateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1903,7 +1882,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTemplateOutput.httpOutput(from:), CreateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1935,9 +1913,9 @@ extension QuickSightClient { /// /// Creates a template alias for a template. /// - /// - Parameter CreateTemplateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTemplateAliasInput`) /// - /// - Returns: `CreateTemplateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTemplateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1977,7 +1955,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTemplateAliasOutput.httpOutput(from:), CreateTemplateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2009,9 +1986,9 @@ extension QuickSightClient { /// /// Creates a theme. A theme is set of configuration options for color and layout. Themes apply to analyses and dashboards. For more information, see [Using Themes in Amazon QuickSight](https://docs.aws.amazon.com/quicksight/latest/user/themes-in-quicksight.html) in the Amazon QuickSight User Guide. /// - /// - Parameter CreateThemeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateThemeInput`) /// - /// - Returns: `CreateThemeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateThemeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2052,7 +2029,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateThemeOutput.httpOutput(from:), CreateThemeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2084,9 +2060,9 @@ extension QuickSightClient { /// /// Creates a theme alias for a theme. /// - /// - Parameter CreateThemeAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateThemeAliasInput`) /// - /// - Returns: `CreateThemeAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateThemeAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2127,7 +2103,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateThemeAliasOutput.httpOutput(from:), CreateThemeAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2159,9 +2134,9 @@ extension QuickSightClient { /// /// Creates a new Q topic. /// - /// - Parameter CreateTopicInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTopicInput`) /// - /// - Returns: `CreateTopicOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTopicOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2202,7 +2177,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTopicOutput.httpOutput(from:), CreateTopicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2234,9 +2208,9 @@ extension QuickSightClient { /// /// Creates a topic refresh schedule. /// - /// - Parameter CreateTopicRefreshScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTopicRefreshScheduleInput`) /// - /// - Returns: `CreateTopicRefreshScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTopicRefreshScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2277,7 +2251,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTopicRefreshScheduleOutput.httpOutput(from:), CreateTopicRefreshScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2309,9 +2282,9 @@ extension QuickSightClient { /// /// Creates a new VPC connection. /// - /// - Parameter CreateVPCConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVPCConnectionInput`) /// - /// - Returns: `CreateVPCConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVPCConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2352,7 +2325,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVPCConnectionOutput.httpOutput(from:), CreateVPCConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2384,9 +2356,9 @@ extension QuickSightClient { /// /// Unapplies a custom permissions profile from an account. /// - /// - Parameter DeleteAccountCustomPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountCustomPermissionInput`) /// - /// - Returns: `DeleteAccountCustomPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountCustomPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2421,7 +2393,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountCustomPermissionOutput.httpOutput(from:), DeleteAccountCustomPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2451,22 +2422,20 @@ extension QuickSightClient { /// Performs the `DeleteAccountCustomization` operation on the `QuickSight` service. /// - /// This API permanently deletes all QuickSight customizations for the specified Amazon Web Services account and namespace in this Amazon Web Services Region. When you delete account customizations: + /// This API permanently deletes all QuickSight customizations for the specified Amazon Web Services account and namespace. When you delete account customizations: /// /// * All customizations are removed including themes, branding, and visual settings /// - /// * The deletion affects only the specified Amazon Web Services Region - customizations in other regions remain unchanged - /// /// * This action cannot be undone through the API /// /// * Users will see default QuickSight styling after customizations are deleted /// /// - /// Before proceeding: Ensure you have backups of any custom themes or branding elements you may want to recreate. Deletes all Amazon QuickSight customizations in this Amazon Web Services Region for the specified Amazon Web Services account and QuickSight namespace. + /// Before proceeding: Ensure you have backups of any custom themes or branding elements you may want to recreate. Deletes all Amazon QuickSight customizations for the specified Amazon Web Services account and QuickSight namespace. /// - /// - Parameter DeleteAccountCustomizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountCustomizationInput`) /// - /// - Returns: `DeleteAccountCustomizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountCustomizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2506,7 +2475,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAccountCustomizationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountCustomizationOutput.httpOutput(from:), DeleteAccountCustomizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2553,9 +2521,9 @@ extension QuickSightClient { /// /// Consider exporting critical dashboards and data before proceeding with account deletion. Use the DeleteAccountSubscription operation to delete an QuickSight account. This operation will result in an error message if you have configured your account termination protection settings to True. To change this setting and delete your account, call the UpdateAccountSettings API and set the value of the TerminationProtectionEnabled parameter to False, then make another call to the DeleteAccountSubscription API. /// - /// - Parameter DeleteAccountSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountSubscriptionInput`) /// - /// - Returns: `DeleteAccountSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2592,7 +2560,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountSubscriptionOutput.httpOutput(from:), DeleteAccountSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2624,9 +2591,9 @@ extension QuickSightClient { /// /// Deletes an analysis from Amazon QuickSight. You can optionally include a recovery window during which you can restore the analysis. If you don't specify a recovery window value, the operation defaults to 30 days. QuickSight attaches a DeletionTime stamp to the response that specifies the end of the recovery window. At the end of the recovery window, QuickSight deletes the analysis permanently. At any time before recovery window ends, you can use the RestoreAnalysis API operation to remove the DeletionTime stamp and cancel the deletion of the analysis. The analysis remains visible in the API until it's deleted, so you can describe it but you can't make a template from it. An analysis that's scheduled for deletion isn't accessible in the QuickSight console. To access it in the console, restore it. Deleting an analysis doesn't delete the dashboards that you publish from it. /// - /// - Parameter DeleteAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAnalysisInput`) /// - /// - Returns: `DeleteAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2663,7 +2630,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAnalysisInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAnalysisOutput.httpOutput(from:), DeleteAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2704,9 +2670,9 @@ extension QuickSightClient { /// /// Before proceeding: Verify that the brand is no longer needed and consider the impact on any applications currently using this brand. Deletes an QuickSight brand. /// - /// - Parameter DeleteBrandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBrandInput`) /// - /// - Returns: `DeleteBrandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBrandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2742,7 +2708,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBrandOutput.httpOutput(from:), DeleteBrandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2774,9 +2739,9 @@ extension QuickSightClient { /// /// Deletes a brand assignment. /// - /// - Parameter DeleteBrandAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBrandAssignmentInput`) /// - /// - Returns: `DeleteBrandAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBrandAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2812,7 +2777,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBrandAssignmentOutput.httpOutput(from:), DeleteBrandAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2844,9 +2808,9 @@ extension QuickSightClient { /// /// Deletes a custom permissions profile. /// - /// - Parameter DeleteCustomPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomPermissionsInput`) /// - /// - Returns: `DeleteCustomPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2885,7 +2849,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomPermissionsOutput.httpOutput(from:), DeleteCustomPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2917,9 +2880,9 @@ extension QuickSightClient { /// /// Deletes a dashboard. /// - /// - Parameter DeleteDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDashboardInput`) /// - /// - Returns: `DeleteDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2956,7 +2919,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDashboardInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDashboardOutput.httpOutput(from:), DeleteDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2988,9 +2950,9 @@ extension QuickSightClient { /// /// Deletes a dataset. /// - /// - Parameter DeleteDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataSetInput`) /// - /// - Returns: `DeleteDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3025,7 +2987,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSetOutput.httpOutput(from:), DeleteDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3057,9 +3018,9 @@ extension QuickSightClient { /// /// Deletes the dataset refresh properties of the dataset. /// - /// - Parameter DeleteDataSetRefreshPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataSetRefreshPropertiesInput`) /// - /// - Returns: `DeleteDataSetRefreshPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataSetRefreshPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3096,7 +3057,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSetRefreshPropertiesOutput.httpOutput(from:), DeleteDataSetRefreshPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3128,9 +3088,9 @@ extension QuickSightClient { /// /// Deletes the data source permanently. This operation breaks all the datasets that reference the deleted data source. /// - /// - Parameter DeleteDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataSourceInput`) /// - /// - Returns: `DeleteDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3165,7 +3125,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataSourceOutput.httpOutput(from:), DeleteDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3197,9 +3156,9 @@ extension QuickSightClient { /// /// Deletes a linked Amazon Q Business application from an QuickSight account /// - /// - Parameter DeleteDefaultQBusinessApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDefaultQBusinessApplicationInput`) /// - /// - Returns: `DeleteDefaultQBusinessApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDefaultQBusinessApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3235,7 +3194,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDefaultQBusinessApplicationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDefaultQBusinessApplicationOutput.httpOutput(from:), DeleteDefaultQBusinessApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3267,9 +3225,9 @@ extension QuickSightClient { /// /// Deletes an empty folder. /// - /// - Parameter DeleteFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFolderInput`) /// - /// - Returns: `DeleteFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3307,7 +3265,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFolderOutput.httpOutput(from:), DeleteFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3339,9 +3296,9 @@ extension QuickSightClient { /// /// Removes an asset, such as a dashboard, analysis, or dataset, from a folder. /// - /// - Parameter DeleteFolderMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFolderMembershipInput`) /// - /// - Returns: `DeleteFolderMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFolderMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3377,7 +3334,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFolderMembershipOutput.httpOutput(from:), DeleteFolderMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3409,9 +3365,9 @@ extension QuickSightClient { /// /// Removes a user group from Amazon QuickSight. /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3448,7 +3404,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3480,9 +3435,9 @@ extension QuickSightClient { /// /// Removes a user from a group so that the user is no longer a member of the group. /// - /// - Parameter DeleteGroupMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupMembershipInput`) /// - /// - Returns: `DeleteGroupMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3519,7 +3474,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupMembershipOutput.httpOutput(from:), DeleteGroupMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3551,9 +3505,9 @@ extension QuickSightClient { /// /// Deletes an existing IAM policy assignment. /// - /// - Parameter DeleteIAMPolicyAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIAMPolicyAssignmentInput`) /// - /// - Returns: `DeleteIAMPolicyAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIAMPolicyAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3590,7 +3544,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIAMPolicyAssignmentOutput.httpOutput(from:), DeleteIAMPolicyAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3622,9 +3575,9 @@ extension QuickSightClient { /// /// Deletes all access scopes and authorized targets that are associated with a service from the QuickSight IAM Identity Center application. This operation is only supported for QuickSight accounts that use IAM Identity Center. /// - /// - Parameter DeleteIdentityPropagationConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdentityPropagationConfigInput`) /// - /// - Returns: `DeleteIdentityPropagationConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdentityPropagationConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3659,7 +3612,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentityPropagationConfigOutput.httpOutput(from:), DeleteIdentityPropagationConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3691,9 +3643,9 @@ extension QuickSightClient { /// /// Deletes a namespace and the users and groups that are associated with the namespace. This is an asynchronous process. Assets including dashboards, analyses, datasets and data sources are not deleted. To delete these assets, you use the API operations for the relevant asset. /// - /// - Parameter DeleteNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNamespaceInput`) /// - /// - Returns: `DeleteNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3730,7 +3682,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNamespaceOutput.httpOutput(from:), DeleteNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3762,9 +3713,9 @@ extension QuickSightClient { /// /// Deletes a refresh schedule from a dataset. /// - /// - Parameter DeleteRefreshScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRefreshScheduleInput`) /// - /// - Returns: `DeleteRefreshScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRefreshScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3800,7 +3751,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRefreshScheduleOutput.httpOutput(from:), DeleteRefreshScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3832,9 +3782,9 @@ extension QuickSightClient { /// /// Removes custom permissions from the role. /// - /// - Parameter DeleteRoleCustomPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRoleCustomPermissionInput`) /// - /// - Returns: `DeleteRoleCustomPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRoleCustomPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3871,7 +3821,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRoleCustomPermissionOutput.httpOutput(from:), DeleteRoleCustomPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3903,9 +3852,9 @@ extension QuickSightClient { /// /// Removes a group from a role. /// - /// - Parameter DeleteRoleMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRoleMembershipInput`) /// - /// - Returns: `DeleteRoleMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRoleMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3942,7 +3891,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRoleMembershipOutput.httpOutput(from:), DeleteRoleMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3974,9 +3922,9 @@ extension QuickSightClient { /// /// Deletes a template. /// - /// - Parameter DeleteTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTemplateInput`) /// - /// - Returns: `DeleteTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4014,7 +3962,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTemplateOutput.httpOutput(from:), DeleteTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4046,9 +3993,9 @@ extension QuickSightClient { /// /// Deletes the item that the specified template alias points to. If you provide a specific alias, you delete the version of the template that the alias points to. /// - /// - Parameter DeleteTemplateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTemplateAliasInput`) /// - /// - Returns: `DeleteTemplateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTemplateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4083,7 +4030,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTemplateAliasOutput.httpOutput(from:), DeleteTemplateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4115,9 +4061,9 @@ extension QuickSightClient { /// /// Deletes a theme. /// - /// - Parameter DeleteThemeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteThemeInput`) /// - /// - Returns: `DeleteThemeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteThemeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4155,7 +4101,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteThemeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThemeOutput.httpOutput(from:), DeleteThemeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4187,9 +4132,9 @@ extension QuickSightClient { /// /// Deletes the version of the theme that the specified theme alias points to. If you provide a specific alias, you delete the version of the theme that the alias points to. /// - /// - Parameter DeleteThemeAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteThemeAliasInput`) /// - /// - Returns: `DeleteThemeAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteThemeAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4225,7 +4170,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteThemeAliasOutput.httpOutput(from:), DeleteThemeAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4257,9 +4201,9 @@ extension QuickSightClient { /// /// Deletes a topic. /// - /// - Parameter DeleteTopicInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTopicInput`) /// - /// - Returns: `DeleteTopicOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTopicOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4295,7 +4239,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTopicOutput.httpOutput(from:), DeleteTopicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4327,9 +4270,9 @@ extension QuickSightClient { /// /// Deletes a topic refresh schedule. /// - /// - Parameter DeleteTopicRefreshScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTopicRefreshScheduleInput`) /// - /// - Returns: `DeleteTopicRefreshScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTopicRefreshScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4367,7 +4310,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTopicRefreshScheduleOutput.httpOutput(from:), DeleteTopicRefreshScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4399,9 +4341,9 @@ extension QuickSightClient { /// /// Deletes the Amazon QuickSight user that is associated with the identity of the IAM user or role that's making the call. The IAM user isn't deleted as a result of this call. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4438,7 +4380,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4470,9 +4411,9 @@ extension QuickSightClient { /// /// Deletes a user identified by its principal ID. /// - /// - Parameter DeleteUserByPrincipalIdInput : + /// - Parameter input: (Type: `DeleteUserByPrincipalIdInput`) /// - /// - Returns: `DeleteUserByPrincipalIdOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserByPrincipalIdOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4509,7 +4450,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserByPrincipalIdOutput.httpOutput(from:), DeleteUserByPrincipalIdOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4541,9 +4481,9 @@ extension QuickSightClient { /// /// Deletes a custom permissions profile from a user. /// - /// - Parameter DeleteUserCustomPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserCustomPermissionInput`) /// - /// - Returns: `DeleteUserCustomPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserCustomPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4581,7 +4521,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserCustomPermissionOutput.httpOutput(from:), DeleteUserCustomPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4613,9 +4552,9 @@ extension QuickSightClient { /// /// Deletes a VPC connection. /// - /// - Parameter DeleteVPCConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVPCConnectionInput`) /// - /// - Returns: `DeleteVPCConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVPCConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4652,7 +4591,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVPCConnectionOutput.httpOutput(from:), DeleteVPCConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4684,9 +4622,9 @@ extension QuickSightClient { /// /// Describes the custom permissions profile that is applied to an account. /// - /// - Parameter DescribeAccountCustomPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountCustomPermissionInput`) /// - /// - Returns: `DescribeAccountCustomPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountCustomPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4721,7 +4659,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountCustomPermissionOutput.httpOutput(from:), DescribeAccountCustomPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4751,11 +4688,11 @@ extension QuickSightClient { /// Performs the `DescribeAccountCustomization` operation on the `QuickSight` service. /// - /// Describes the customizations associated with the provided Amazon Web Services account and Amazon QuickSight namespace in an Amazon Web Services Region. The QuickSight console evaluates which customizations to apply by running this API operation with the Resolved flag included. To determine what customizations display when you run this command, it can help to visualize the relationship of the entities involved. + /// Describes the customizations associated with the provided Amazon Web Services account and Amazon QuickSight namespace. The QuickSight console evaluates which customizations to apply by running this API operation with the Resolved flag included. To determine what customizations display when you run this command, it can help to visualize the relationship of the entities involved. /// /// * Amazon Web Services account - The Amazon Web Services account exists at the top of the hierarchy. It has the potential to use all of the Amazon Web Services Regions and Amazon Web Services Services. When you subscribe to QuickSight, you choose one Amazon Web Services Region to use as your home Region. That's where your free SPICE capacity is located. You can use QuickSight in any supported Amazon Web Services Region. /// - /// * Amazon Web Services Region - In each Amazon Web Services Region where you sign in to QuickSight at least once, QuickSight acts as a separate instance of the same service. If you have a user directory, it resides in us-east-1, which is the US East (N. Virginia). Generally speaking, these users have access to QuickSight in any Amazon Web Services Region, unless they are constrained to a namespace. To run the command in a different Amazon Web Services Region, you change your Region settings. If you're using the CLI, you can use one of the following options: + /// * Amazon Web Services Region - You can sign in to QuickSight in any Amazon Web Services Region. If you have a user directory, it resides in us-east-1, which is US East (N. Virginia). Generally speaking, these users have access to QuickSight in any Amazon Web Services Region, unless they are constrained to a namespace. To run the command in a different Amazon Web Services Region, you change your Region settings. If you're using the CLI, you can use one of the following options: /// /// * Use [command line options](https://docs.aws.amazon.com/cli/latest/userguide/cli-configure-options.html). /// @@ -4768,11 +4705,11 @@ extension QuickSightClient { /// /// * Namespace - A QuickSight namespace is a partition that contains users and assets (data sources, datasets, dashboards, and so on). To access assets that are in a specific namespace, users and groups must also be part of the same namespace. People who share a namespace are completely isolated from users and assets in other namespaces, even if they are in the same Amazon Web Services account and Amazon Web Services Region. /// - /// * Applied customizations - Within an Amazon Web Services Region, a set of QuickSight customizations can apply to an Amazon Web Services account or to a namespace. Settings that you apply to a namespace override settings that you apply to an Amazon Web Services account. All settings are isolated to a single Amazon Web Services Region. To apply them in other Amazon Web Services Regions, run the CreateAccountCustomization command in each Amazon Web Services Region where you want to apply the same customizations. + /// * Applied customizations - QuickSight customizations can apply to an Amazon Web Services account or to a namespace. Settings that you apply to a namespace override settings that you apply to an Amazon Web Services account. /// - /// - Parameter DescribeAccountCustomizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountCustomizationInput`) /// - /// - Returns: `DescribeAccountCustomizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountCustomizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4809,7 +4746,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAccountCustomizationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountCustomizationOutput.httpOutput(from:), DescribeAccountCustomizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4841,9 +4777,9 @@ extension QuickSightClient { /// /// Describes the settings that were used when your QuickSight subscription was first created in this Amazon Web Services account. /// - /// - Parameter DescribeAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountSettingsInput`) /// - /// - Returns: `DescribeAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4879,7 +4815,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountSettingsOutput.httpOutput(from:), DescribeAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4911,9 +4846,9 @@ extension QuickSightClient { /// /// Use the DescribeAccountSubscription operation to receive a description of an QuickSight account's subscription. A successful API call returns an AccountInfo object that includes an account's name, subscription status, authentication type, edition, and notification email address. /// - /// - Parameter DescribeAccountSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountSubscriptionInput`) /// - /// - Returns: `DescribeAccountSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4949,7 +4884,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountSubscriptionOutput.httpOutput(from:), DescribeAccountSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4981,9 +4915,9 @@ extension QuickSightClient { /// /// Provides a summary of the metadata for an analysis. /// - /// - Parameter DescribeAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAnalysisInput`) /// - /// - Returns: `DescribeAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5019,7 +4953,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAnalysisOutput.httpOutput(from:), DescribeAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5051,9 +4984,9 @@ extension QuickSightClient { /// /// Provides a detailed description of the definition of an analysis. If you do not need to know details about the content of an Analysis, for instance if you are trying to check the status of a recently created or updated Analysis, use the [DescribeAnalysis](https://docs.aws.amazon.com/quicksight/latest/APIReference/API_DescribeAnalysis.html) instead. /// - /// - Parameter DescribeAnalysisDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAnalysisDefinitionInput`) /// - /// - Returns: `DescribeAnalysisDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAnalysisDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5091,7 +5024,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAnalysisDefinitionOutput.httpOutput(from:), DescribeAnalysisDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5123,9 +5055,9 @@ extension QuickSightClient { /// /// Provides the read and write permissions for an analysis. /// - /// - Parameter DescribeAnalysisPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAnalysisPermissionsInput`) /// - /// - Returns: `DescribeAnalysisPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAnalysisPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5160,7 +5092,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAnalysisPermissionsOutput.httpOutput(from:), DescribeAnalysisPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5192,9 +5123,9 @@ extension QuickSightClient { /// /// Describes an existing export job. Poll job descriptions after a job starts to know the status of the job. When a job succeeds, a URL is provided to download the exported assets' data from. Download URLs are valid for five minutes after they are generated. You can call the DescribeAssetBundleExportJob API for a new download URL as needed. Job descriptions are available for 14 days after the job starts. /// - /// - Parameter DescribeAssetBundleExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssetBundleExportJobInput`) /// - /// - Returns: `DescribeAssetBundleExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssetBundleExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5227,7 +5158,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssetBundleExportJobOutput.httpOutput(from:), DescribeAssetBundleExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5259,9 +5189,9 @@ extension QuickSightClient { /// /// Describes an existing import job. Poll job descriptions after starting a job to know when it has succeeded or failed. Job descriptions are available for 14 days after job starts. /// - /// - Parameter DescribeAssetBundleImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssetBundleImportJobInput`) /// - /// - Returns: `DescribeAssetBundleImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssetBundleImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5294,7 +5224,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssetBundleImportJobOutput.httpOutput(from:), DescribeAssetBundleImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5326,9 +5255,9 @@ extension QuickSightClient { /// /// Describes a brand. /// - /// - Parameter DescribeBrandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBrandInput`) /// - /// - Returns: `DescribeBrandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBrandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5365,7 +5294,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeBrandInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBrandOutput.httpOutput(from:), DescribeBrandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5397,9 +5325,9 @@ extension QuickSightClient { /// /// Describes a brand assignment. /// - /// - Parameter DescribeBrandAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBrandAssignmentInput`) /// - /// - Returns: `DescribeBrandAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBrandAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5435,7 +5363,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBrandAssignmentOutput.httpOutput(from:), DescribeBrandAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5467,9 +5394,9 @@ extension QuickSightClient { /// /// Describes the published version of the brand. /// - /// - Parameter DescribeBrandPublishedVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBrandPublishedVersionInput`) /// - /// - Returns: `DescribeBrandPublishedVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBrandPublishedVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5505,7 +5432,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBrandPublishedVersionOutput.httpOutput(from:), DescribeBrandPublishedVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5537,9 +5463,9 @@ extension QuickSightClient { /// /// Describes a custom permissions profile. /// - /// - Parameter DescribeCustomPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomPermissionsInput`) /// - /// - Returns: `DescribeCustomPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5576,7 +5502,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomPermissionsOutput.httpOutput(from:), DescribeCustomPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5608,9 +5533,9 @@ extension QuickSightClient { /// /// Provides a summary for a dashboard. /// - /// - Parameter DescribeDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDashboardInput`) /// - /// - Returns: `DescribeDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5647,7 +5572,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDashboardInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDashboardOutput.httpOutput(from:), DescribeDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5679,9 +5603,9 @@ extension QuickSightClient { /// /// Provides a detailed description of the definition of a dashboard. If you do not need to know details about the content of a dashboard, for instance if you are trying to check the status of a recently created or updated dashboard, use the [DescribeDashboard](https://docs.aws.amazon.com/quicksight/latest/APIReference/API_DescribeDashboard.html) instead. /// - /// - Parameter DescribeDashboardDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDashboardDefinitionInput`) /// - /// - Returns: `DescribeDashboardDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDashboardDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5720,7 +5644,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDashboardDefinitionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDashboardDefinitionOutput.httpOutput(from:), DescribeDashboardDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5752,9 +5675,9 @@ extension QuickSightClient { /// /// Describes read and write permissions for a dashboard. /// - /// - Parameter DescribeDashboardPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDashboardPermissionsInput`) /// - /// - Returns: `DescribeDashboardPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDashboardPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5789,7 +5712,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDashboardPermissionsOutput.httpOutput(from:), DescribeDashboardPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5821,9 +5743,9 @@ extension QuickSightClient { /// /// Describes an existing snapshot job. Poll job descriptions after a job starts to know the status of the job. For information on available status codes, see JobStatus. /// - /// - Parameter DescribeDashboardSnapshotJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDashboardSnapshotJobInput`) /// - /// - Returns: `DescribeDashboardSnapshotJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDashboardSnapshotJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5858,7 +5780,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDashboardSnapshotJobOutput.httpOutput(from:), DescribeDashboardSnapshotJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5890,9 +5811,9 @@ extension QuickSightClient { /// /// Describes the result of an existing snapshot job that has finished running. A finished snapshot job will return a COMPLETED or FAILED status when you poll the job with a DescribeDashboardSnapshotJob API call. If the job has not finished running, this operation returns a message that says Dashboard Snapshot Job with id has not reached a terminal state.. /// - /// - Parameter DescribeDashboardSnapshotJobResultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDashboardSnapshotJobResultInput`) /// - /// - Returns: `DescribeDashboardSnapshotJobResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDashboardSnapshotJobResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5929,7 +5850,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDashboardSnapshotJobResultOutput.httpOutput(from:), DescribeDashboardSnapshotJobResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5961,9 +5881,9 @@ extension QuickSightClient { /// /// Describes an existing dashboard QA configuration. /// - /// - Parameter DescribeDashboardsQAConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDashboardsQAConfigurationInput`) /// - /// - Returns: `DescribeDashboardsQAConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDashboardsQAConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5999,7 +5919,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDashboardsQAConfigurationOutput.httpOutput(from:), DescribeDashboardsQAConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6031,9 +5950,9 @@ extension QuickSightClient { /// /// Describes a dataset. This operation doesn't support datasets that include uploaded files as a source. /// - /// - Parameter DescribeDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataSetInput`) /// - /// - Returns: `DescribeDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6068,7 +5987,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataSetOutput.httpOutput(from:), DescribeDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6100,9 +6018,9 @@ extension QuickSightClient { /// /// Describes the permissions on a dataset. The permissions resource is arn:aws:quicksight:region:aws-account-id:dataset/data-set-id. /// - /// - Parameter DescribeDataSetPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataSetPermissionsInput`) /// - /// - Returns: `DescribeDataSetPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataSetPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6137,7 +6055,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataSetPermissionsOutput.httpOutput(from:), DescribeDataSetPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6169,9 +6086,9 @@ extension QuickSightClient { /// /// Describes the refresh properties of a dataset. /// - /// - Parameter DescribeDataSetRefreshPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataSetRefreshPropertiesInput`) /// - /// - Returns: `DescribeDataSetRefreshPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataSetRefreshPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6208,7 +6125,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataSetRefreshPropertiesOutput.httpOutput(from:), DescribeDataSetRefreshPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6240,9 +6156,9 @@ extension QuickSightClient { /// /// Describes a data source. /// - /// - Parameter DescribeDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataSourceInput`) /// - /// - Returns: `DescribeDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6277,7 +6193,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataSourceOutput.httpOutput(from:), DescribeDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6309,9 +6224,9 @@ extension QuickSightClient { /// /// Describes the resource permissions for a data source. /// - /// - Parameter DescribeDataSourcePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataSourcePermissionsInput`) /// - /// - Returns: `DescribeDataSourcePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataSourcePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6346,7 +6261,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataSourcePermissionsOutput.httpOutput(from:), DescribeDataSourcePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6378,9 +6292,9 @@ extension QuickSightClient { /// /// Describes a Amazon Q Business application that is linked to an QuickSight account. /// - /// - Parameter DescribeDefaultQBusinessApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDefaultQBusinessApplicationInput`) /// - /// - Returns: `DescribeDefaultQBusinessApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDefaultQBusinessApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6416,7 +6330,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDefaultQBusinessApplicationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDefaultQBusinessApplicationOutput.httpOutput(from:), DescribeDefaultQBusinessApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6448,9 +6361,9 @@ extension QuickSightClient { /// /// Describes a folder. /// - /// - Parameter DescribeFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFolderInput`) /// - /// - Returns: `DescribeFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6486,7 +6399,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFolderOutput.httpOutput(from:), DescribeFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6518,9 +6430,9 @@ extension QuickSightClient { /// /// Describes permissions for a folder. /// - /// - Parameter DescribeFolderPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFolderPermissionsInput`) /// - /// - Returns: `DescribeFolderPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFolderPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6558,7 +6470,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeFolderPermissionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFolderPermissionsOutput.httpOutput(from:), DescribeFolderPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6590,9 +6501,9 @@ extension QuickSightClient { /// /// Describes the folder resolved permissions. Permissions consists of both folder direct permissions and the inherited permissions from the ancestor folders. /// - /// - Parameter DescribeFolderResolvedPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFolderResolvedPermissionsInput`) /// - /// - Returns: `DescribeFolderResolvedPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFolderResolvedPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6630,7 +6541,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeFolderResolvedPermissionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFolderResolvedPermissionsOutput.httpOutput(from:), DescribeFolderResolvedPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6662,9 +6572,9 @@ extension QuickSightClient { /// /// Returns an Amazon QuickSight group's description and Amazon Resource Name (ARN). /// - /// - Parameter DescribeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGroupInput`) /// - /// - Returns: `DescribeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6701,7 +6611,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGroupOutput.httpOutput(from:), DescribeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6733,9 +6642,9 @@ extension QuickSightClient { /// /// Use the DescribeGroupMembership operation to determine if a user is a member of the specified group. If the user exists and is a member of the specified group, an associated GroupMember object is returned. /// - /// - Parameter DescribeGroupMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGroupMembershipInput`) /// - /// - Returns: `DescribeGroupMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGroupMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6772,7 +6681,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGroupMembershipOutput.httpOutput(from:), DescribeGroupMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6804,9 +6712,9 @@ extension QuickSightClient { /// /// Describes an existing IAM policy assignment, as specified by the assignment name. /// - /// - Parameter DescribeIAMPolicyAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIAMPolicyAssignmentInput`) /// - /// - Returns: `DescribeIAMPolicyAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIAMPolicyAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6842,7 +6750,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIAMPolicyAssignmentOutput.httpOutput(from:), DescribeIAMPolicyAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6874,9 +6781,9 @@ extension QuickSightClient { /// /// Describes a SPICE ingestion. /// - /// - Parameter DescribeIngestionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIngestionInput`) /// - /// - Returns: `DescribeIngestionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIngestionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6912,7 +6819,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIngestionOutput.httpOutput(from:), DescribeIngestionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6944,9 +6850,9 @@ extension QuickSightClient { /// /// Provides a summary and status of IP rules. /// - /// - Parameter DescribeIpRestrictionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIpRestrictionInput`) /// - /// - Returns: `DescribeIpRestrictionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIpRestrictionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6981,7 +6887,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIpRestrictionOutput.httpOutput(from:), DescribeIpRestrictionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7013,9 +6918,9 @@ extension QuickSightClient { /// /// Describes all customer managed key registrations in a QuickSight account. /// - /// - Parameter DescribeKeyRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeKeyRegistrationInput`) /// - /// - Returns: `DescribeKeyRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeKeyRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7050,7 +6955,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeKeyRegistrationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeKeyRegistrationOutput.httpOutput(from:), DescribeKeyRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7082,9 +6986,9 @@ extension QuickSightClient { /// /// Describes the current namespace. /// - /// - Parameter DescribeNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNamespaceInput`) /// - /// - Returns: `DescribeNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7120,7 +7024,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNamespaceOutput.httpOutput(from:), DescribeNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7152,9 +7055,9 @@ extension QuickSightClient { /// /// Describes a personalization configuration. /// - /// - Parameter DescribeQPersonalizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQPersonalizationConfigurationInput`) /// - /// - Returns: `DescribeQPersonalizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQPersonalizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7190,7 +7093,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQPersonalizationConfigurationOutput.httpOutput(from:), DescribeQPersonalizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7222,9 +7124,9 @@ extension QuickSightClient { /// /// Describes the state of a QuickSight Q Search configuration. /// - /// - Parameter DescribeQuickSightQSearchConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeQuickSightQSearchConfigurationInput`) /// - /// - Returns: `DescribeQuickSightQSearchConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeQuickSightQSearchConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7260,7 +7162,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeQuickSightQSearchConfigurationOutput.httpOutput(from:), DescribeQuickSightQSearchConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7292,9 +7193,9 @@ extension QuickSightClient { /// /// Provides a summary of a refresh schedule. /// - /// - Parameter DescribeRefreshScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRefreshScheduleInput`) /// - /// - Returns: `DescribeRefreshScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRefreshScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7330,7 +7231,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRefreshScheduleOutput.httpOutput(from:), DescribeRefreshScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7362,9 +7262,9 @@ extension QuickSightClient { /// /// Describes all custom permissions that are mapped to a role. /// - /// - Parameter DescribeRoleCustomPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRoleCustomPermissionInput`) /// - /// - Returns: `DescribeRoleCustomPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRoleCustomPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7401,7 +7301,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRoleCustomPermissionOutput.httpOutput(from:), DescribeRoleCustomPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7433,9 +7332,9 @@ extension QuickSightClient { /// /// Describes a template's metadata. /// - /// - Parameter DescribeTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTemplateInput`) /// - /// - Returns: `DescribeTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7474,7 +7373,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTemplateOutput.httpOutput(from:), DescribeTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7506,9 +7404,9 @@ extension QuickSightClient { /// /// Describes the template alias for a template. /// - /// - Parameter DescribeTemplateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTemplateAliasInput`) /// - /// - Returns: `DescribeTemplateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTemplateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7542,7 +7440,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTemplateAliasOutput.httpOutput(from:), DescribeTemplateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7574,9 +7471,9 @@ extension QuickSightClient { /// /// Provides a detailed description of the definition of a template. If you do not need to know details about the content of a template, for instance if you are trying to check the status of a recently created or updated template, use the [DescribeTemplate](https://docs.aws.amazon.com/quicksight/latest/APIReference/API_DescribeTemplate.html) instead. /// - /// - Parameter DescribeTemplateDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTemplateDefinitionInput`) /// - /// - Returns: `DescribeTemplateDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTemplateDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7615,7 +7512,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeTemplateDefinitionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTemplateDefinitionOutput.httpOutput(from:), DescribeTemplateDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7647,9 +7543,9 @@ extension QuickSightClient { /// /// Describes read and write permissions on a template. /// - /// - Parameter DescribeTemplatePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTemplatePermissionsInput`) /// - /// - Returns: `DescribeTemplatePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTemplatePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7685,7 +7581,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTemplatePermissionsOutput.httpOutput(from:), DescribeTemplatePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7717,9 +7612,9 @@ extension QuickSightClient { /// /// Describes a theme. /// - /// - Parameter DescribeThemeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeThemeInput`) /// - /// - Returns: `DescribeThemeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeThemeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7757,7 +7652,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeThemeInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeThemeOutput.httpOutput(from:), DescribeThemeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7789,9 +7683,9 @@ extension QuickSightClient { /// /// Describes the alias for a theme. /// - /// - Parameter DescribeThemeAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeThemeAliasInput`) /// - /// - Returns: `DescribeThemeAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeThemeAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7827,7 +7721,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeThemeAliasOutput.httpOutput(from:), DescribeThemeAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7859,9 +7752,9 @@ extension QuickSightClient { /// /// Describes the read and write permissions for a theme. /// - /// - Parameter DescribeThemePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeThemePermissionsInput`) /// - /// - Returns: `DescribeThemePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeThemePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7897,7 +7790,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeThemePermissionsOutput.httpOutput(from:), DescribeThemePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7929,9 +7821,9 @@ extension QuickSightClient { /// /// Describes a topic. /// - /// - Parameter DescribeTopicInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTopicInput`) /// - /// - Returns: `DescribeTopicOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTopicOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7966,7 +7858,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTopicOutput.httpOutput(from:), DescribeTopicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7998,9 +7889,9 @@ extension QuickSightClient { /// /// Describes the permissions of a topic. /// - /// - Parameter DescribeTopicPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTopicPermissionsInput`) /// - /// - Returns: `DescribeTopicPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTopicPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8035,7 +7926,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTopicPermissionsOutput.httpOutput(from:), DescribeTopicPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8067,9 +7957,9 @@ extension QuickSightClient { /// /// Describes the status of a topic refresh. /// - /// - Parameter DescribeTopicRefreshInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTopicRefreshInput`) /// - /// - Returns: `DescribeTopicRefreshOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTopicRefreshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8104,7 +7994,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTopicRefreshOutput.httpOutput(from:), DescribeTopicRefreshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8136,9 +8025,9 @@ extension QuickSightClient { /// /// Deletes a topic refresh schedule. /// - /// - Parameter DescribeTopicRefreshScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTopicRefreshScheduleInput`) /// - /// - Returns: `DescribeTopicRefreshScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTopicRefreshScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8176,7 +8065,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTopicRefreshScheduleOutput.httpOutput(from:), DescribeTopicRefreshScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8208,9 +8096,9 @@ extension QuickSightClient { /// /// Returns information about a user, given the user name. /// - /// - Parameter DescribeUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserInput`) /// - /// - Returns: `DescribeUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8247,7 +8135,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserOutput.httpOutput(from:), DescribeUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8279,9 +8166,9 @@ extension QuickSightClient { /// /// Describes a VPC connection. /// - /// - Parameter DescribeVPCConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeVPCConnectionInput`) /// - /// - Returns: `DescribeVPCConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeVPCConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8317,7 +8204,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVPCConnectionOutput.httpOutput(from:), DescribeVPCConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8358,9 +8244,9 @@ extension QuickSightClient { /// /// For more information, see [Embedded Analytics](https://docs.aws.amazon.com/quicksight/latest/user/embedded-analytics.html) in the Amazon QuickSight User Guide. For more information about the high-level steps for embedding and for an interactive demo of the ways you can customize embedding, visit the [Amazon QuickSight Developer Portal](https://docs.aws.amazon.com/quicksight/latest/user/quicksight-dev-portal.html). /// - /// - Parameter GenerateEmbedUrlForAnonymousUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateEmbedUrlForAnonymousUserInput`) /// - /// - Returns: `GenerateEmbedUrlForAnonymousUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateEmbedUrlForAnonymousUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8401,7 +8287,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateEmbedUrlForAnonymousUserOutput.httpOutput(from:), GenerateEmbedUrlForAnonymousUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8442,9 +8327,9 @@ extension QuickSightClient { /// /// For more information, see [Embedded Analytics](https://docs.aws.amazon.com/quicksight/latest/user/embedded-analytics.html) in the Amazon QuickSight User Guide. For more information about the high-level steps for embedding and for an interactive demo of the ways you can customize embedding, visit the [Amazon QuickSight Developer Portal](https://docs.aws.amazon.com/quicksight/latest/user/quicksight-dev-portal.html). /// - /// - Parameter GenerateEmbedUrlForRegisteredUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateEmbedUrlForRegisteredUserInput`) /// - /// - Returns: `GenerateEmbedUrlForRegisteredUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateEmbedUrlForRegisteredUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8486,7 +8371,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateEmbedUrlForRegisteredUserOutput.httpOutput(from:), GenerateEmbedUrlForRegisteredUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8518,9 +8402,9 @@ extension QuickSightClient { /// /// Generates an embed URL that you can use to embed an QuickSight experience in your website. This action can be used for any type of user that is registered in an QuickSight account that uses IAM Identity Center for authentication. This API requires [identity-enhanced IAM Role sessions](https://docs.aws.amazon.com/singlesignon/latest/userguide/trustedidentitypropagation-overview.html#types-identity-enhanced-iam-role-sessions) for the authenticated user that the API call is being made for. This API uses [trusted identity propagation](https://docs.aws.amazon.com/singlesignon/latest/userguide/trustedidentitypropagation.html) to ensure that an end user is authenticated and receives the embed URL that is specific to that user. The IAM Identity Center application that the user has logged into needs to have [trusted Identity Propagation enabled for QuickSight](https://docs.aws.amazon.com/singlesignon/latest/userguide/trustedidentitypropagation-using-customermanagedapps-specify-trusted-apps.html) with the scope value set to quicksight:read. Before you use this action, make sure that you have configured the relevant QuickSight resource and permissions. /// - /// - Parameter GenerateEmbedUrlForRegisteredUserWithIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateEmbedUrlForRegisteredUserWithIdentityInput`) /// - /// - Returns: `GenerateEmbedUrlForRegisteredUserWithIdentityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateEmbedUrlForRegisteredUserWithIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8562,7 +8446,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateEmbedUrlForRegisteredUserWithIdentityOutput.httpOutput(from:), GenerateEmbedUrlForRegisteredUserWithIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8607,9 +8490,9 @@ extension QuickSightClient { /// /// For more information, see [Embedding Analytics Using GetDashboardEmbedUrl](https://docs.aws.amazon.com/quicksight/latest/user/embedded-analytics-deprecated.html) in the Amazon QuickSight User Guide. For more information about the high-level steps for embedding and for an interactive demo of the ways you can customize embedding, visit the [Amazon QuickSight Developer Portal](https://docs.aws.amazon.com/quicksight/latest/user/quicksight-dev-portal.html). /// - /// - Parameter GetDashboardEmbedUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDashboardEmbedUrlInput`) /// - /// - Returns: `GetDashboardEmbedUrlOutput` : Output returned from the GetDashboardEmbedUrl operation. + /// - Returns: Output returned from the GetDashboardEmbedUrl operation. (Type: `GetDashboardEmbedUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8652,7 +8535,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDashboardEmbedUrlInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDashboardEmbedUrlOutput.httpOutput(from:), GetDashboardEmbedUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8688,9 +8570,9 @@ extension QuickSightClient { /// /// * [Customizing Access to the Amazon QuickSight Console](https://docs.aws.amazon.com/quicksight/latest/user/customizing-permissions-to-the-quicksight-console.html) /// - /// - Parameter GetSessionEmbedUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionEmbedUrlInput`) /// - /// - Returns: `GetSessionEmbedUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionEmbedUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8730,7 +8612,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSessionEmbedUrlInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionEmbedUrlOutput.httpOutput(from:), GetSessionEmbedUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8762,9 +8643,9 @@ extension QuickSightClient { /// /// Lists Amazon QuickSight analyses that exist in the specified Amazon Web Services account. /// - /// - Parameter ListAnalysesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAnalysesInput`) /// - /// - Returns: `ListAnalysesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAnalysesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8799,7 +8680,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAnalysesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnalysesOutput.httpOutput(from:), ListAnalysesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8831,9 +8711,9 @@ extension QuickSightClient { /// /// Lists all asset bundle export jobs that have been taken place in the last 14 days. Jobs created more than 14 days ago are deleted forever and are not returned. If you are using the same job ID for multiple jobs, ListAssetBundleExportJobs only returns the most recent job that uses the repeated job ID. /// - /// - Parameter ListAssetBundleExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetBundleExportJobsInput`) /// - /// - Returns: `ListAssetBundleExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetBundleExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8869,7 +8749,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetBundleExportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetBundleExportJobsOutput.httpOutput(from:), ListAssetBundleExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8901,9 +8780,9 @@ extension QuickSightClient { /// /// Lists all asset bundle import jobs that have taken place in the last 14 days. Jobs created more than 14 days ago are deleted forever and are not returned. If you are using the same job ID for multiple jobs, ListAssetBundleImportJobs only returns the most recent job that uses the repeated job ID. /// - /// - Parameter ListAssetBundleImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssetBundleImportJobsInput`) /// - /// - Returns: `ListAssetBundleImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssetBundleImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8939,7 +8818,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssetBundleImportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssetBundleImportJobsOutput.httpOutput(from:), ListAssetBundleImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8971,9 +8849,9 @@ extension QuickSightClient { /// /// Lists all brands in an QuickSight account. /// - /// - Parameter ListBrandsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBrandsInput`) /// - /// - Returns: `ListBrandsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBrandsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9008,7 +8886,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBrandsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBrandsOutput.httpOutput(from:), ListBrandsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9040,9 +8917,9 @@ extension QuickSightClient { /// /// Returns a list of all the custom permissions profiles. /// - /// - Parameter ListCustomPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomPermissionsInput`) /// - /// - Returns: `ListCustomPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9080,7 +8957,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCustomPermissionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomPermissionsOutput.httpOutput(from:), ListCustomPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9112,9 +8988,9 @@ extension QuickSightClient { /// /// Lists all the versions of the dashboards in the QuickSight subscription. /// - /// - Parameter ListDashboardVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDashboardVersionsInput`) /// - /// - Returns: `ListDashboardVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDashboardVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9151,7 +9027,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDashboardVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDashboardVersionsOutput.httpOutput(from:), ListDashboardVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9183,9 +9058,9 @@ extension QuickSightClient { /// /// Lists dashboards in an Amazon Web Services account. /// - /// - Parameter ListDashboardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDashboardsInput`) /// - /// - Returns: `ListDashboardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDashboardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9220,7 +9095,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDashboardsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDashboardsOutput.httpOutput(from:), ListDashboardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9252,9 +9126,9 @@ extension QuickSightClient { /// /// Lists all of the datasets belonging to the current Amazon Web Services account in an Amazon Web Services Region. The permissions resource is arn:aws:quicksight:region:aws-account-id:dataset/*. /// - /// - Parameter ListDataSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSetsInput`) /// - /// - Returns: `ListDataSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9290,7 +9164,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSetsOutput.httpOutput(from:), ListDataSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9322,9 +9195,9 @@ extension QuickSightClient { /// /// Lists data sources in current Amazon Web Services Region that belong to this Amazon Web Services account. /// - /// - Parameter ListDataSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataSourcesInput`) /// - /// - Returns: `ListDataSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9360,7 +9233,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataSourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataSourcesOutput.httpOutput(from:), ListDataSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9392,9 +9264,9 @@ extension QuickSightClient { /// /// List all assets (DASHBOARD, ANALYSIS, and DATASET) in a folder. /// - /// - Parameter ListFolderMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFolderMembersInput`) /// - /// - Returns: `ListFolderMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFolderMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9432,7 +9304,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFolderMembersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFolderMembersOutput.httpOutput(from:), ListFolderMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9464,9 +9335,9 @@ extension QuickSightClient { /// /// Lists all folders in an account. /// - /// - Parameter ListFoldersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFoldersInput`) /// - /// - Returns: `ListFoldersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFoldersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9504,7 +9375,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFoldersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFoldersOutput.httpOutput(from:), ListFoldersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9536,9 +9406,9 @@ extension QuickSightClient { /// /// List all folders that a resource is a member of. /// - /// - Parameter ListFoldersForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFoldersForResourceInput`) /// - /// - Returns: `ListFoldersForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFoldersForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9576,7 +9446,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFoldersForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFoldersForResourceOutput.httpOutput(from:), ListFoldersForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9608,9 +9477,9 @@ extension QuickSightClient { /// /// Lists member users in a group. /// - /// - Parameter ListGroupMembershipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupMembershipsInput`) /// - /// - Returns: `ListGroupMembershipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupMembershipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9649,7 +9518,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGroupMembershipsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupMembershipsOutput.httpOutput(from:), ListGroupMembershipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9681,9 +9549,9 @@ extension QuickSightClient { /// /// Lists all user groups in Amazon QuickSight. /// - /// - Parameter ListGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsInput`) /// - /// - Returns: `ListGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9722,7 +9590,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOutput.httpOutput(from:), ListGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9754,9 +9621,9 @@ extension QuickSightClient { /// /// Lists the IAM policy assignments in the current Amazon QuickSight account. /// - /// - Parameter ListIAMPolicyAssignmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIAMPolicyAssignmentsInput`) /// - /// - Returns: `ListIAMPolicyAssignmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIAMPolicyAssignmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9793,7 +9660,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIAMPolicyAssignmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIAMPolicyAssignmentsOutput.httpOutput(from:), ListIAMPolicyAssignmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9825,9 +9691,9 @@ extension QuickSightClient { /// /// Lists all of the IAM policy assignments, including the Amazon Resource Names (ARNs), for the IAM policies assigned to the specified user and group, or groups that the user belongs to. /// - /// - Parameter ListIAMPolicyAssignmentsForUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIAMPolicyAssignmentsForUserInput`) /// - /// - Returns: `ListIAMPolicyAssignmentsForUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIAMPolicyAssignmentsForUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9865,7 +9731,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIAMPolicyAssignmentsForUserInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIAMPolicyAssignmentsForUserOutput.httpOutput(from:), ListIAMPolicyAssignmentsForUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9897,9 +9762,9 @@ extension QuickSightClient { /// /// Lists all services and authorized targets that the QuickSight IAM Identity Center application can access. This operation is only supported for QuickSight accounts that use IAM Identity Center. /// - /// - Parameter ListIdentityPropagationConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdentityPropagationConfigsInput`) /// - /// - Returns: `ListIdentityPropagationConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdentityPropagationConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9935,7 +9800,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdentityPropagationConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentityPropagationConfigsOutput.httpOutput(from:), ListIdentityPropagationConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9967,9 +9831,9 @@ extension QuickSightClient { /// /// Lists the history of SPICE ingestions for a dataset. Limited to 5 TPS per user and 25 TPS per account. /// - /// - Parameter ListIngestionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIngestionsInput`) /// - /// - Returns: `ListIngestionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIngestionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10007,7 +9871,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIngestionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIngestionsOutput.httpOutput(from:), ListIngestionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10039,9 +9902,9 @@ extension QuickSightClient { /// /// Lists the namespaces for the specified Amazon Web Services account. This operation doesn't list deleted namespaces. /// - /// - Parameter ListNamespacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNamespacesInput`) /// - /// - Returns: `ListNamespacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNamespacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10080,7 +9943,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNamespacesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNamespacesOutput.httpOutput(from:), ListNamespacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10112,9 +9974,9 @@ extension QuickSightClient { /// /// Lists the refresh schedules of a dataset. Each dataset can have up to 5 schedules. /// - /// - Parameter ListRefreshSchedulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRefreshSchedulesInput`) /// - /// - Returns: `ListRefreshSchedulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRefreshSchedulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10150,7 +10012,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRefreshSchedulesOutput.httpOutput(from:), ListRefreshSchedulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10182,9 +10043,9 @@ extension QuickSightClient { /// /// Lists all groups that are associated with a role. /// - /// - Parameter ListRoleMembershipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoleMembershipsInput`) /// - /// - Returns: `ListRoleMembershipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoleMembershipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10224,7 +10085,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoleMembershipsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoleMembershipsOutput.httpOutput(from:), ListRoleMembershipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10256,9 +10116,9 @@ extension QuickSightClient { /// /// Lists the tags assigned to a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10293,7 +10153,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10325,9 +10184,9 @@ extension QuickSightClient { /// /// Lists all the aliases of a template. /// - /// - Parameter ListTemplateAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplateAliasesInput`) /// - /// - Returns: `ListTemplateAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplateAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10363,7 +10222,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplateAliasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplateAliasesOutput.httpOutput(from:), ListTemplateAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10395,9 +10253,9 @@ extension QuickSightClient { /// /// Lists all the versions of the templates in the current Amazon QuickSight account. /// - /// - Parameter ListTemplateVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplateVersionsInput`) /// - /// - Returns: `ListTemplateVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplateVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10434,7 +10292,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplateVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplateVersionsOutput.httpOutput(from:), ListTemplateVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10466,9 +10323,9 @@ extension QuickSightClient { /// /// Lists all the templates in the current Amazon QuickSight account. /// - /// - Parameter ListTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplatesInput`) /// - /// - Returns: `ListTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10505,7 +10362,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplatesOutput.httpOutput(from:), ListTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10537,9 +10393,9 @@ extension QuickSightClient { /// /// Lists all the aliases of a theme. /// - /// - Parameter ListThemeAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThemeAliasesInput`) /// - /// - Returns: `ListThemeAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThemeAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10577,7 +10433,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThemeAliasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThemeAliasesOutput.httpOutput(from:), ListThemeAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10609,9 +10464,9 @@ extension QuickSightClient { /// /// Lists all the versions of the themes in the current Amazon Web Services account. /// - /// - Parameter ListThemeVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThemeVersionsInput`) /// - /// - Returns: `ListThemeVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThemeVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10649,7 +10504,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThemeVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThemeVersionsOutput.httpOutput(from:), ListThemeVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10681,9 +10535,9 @@ extension QuickSightClient { /// /// Lists all the themes in the current Amazon Web Services account. /// - /// - Parameter ListThemesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListThemesInput`) /// - /// - Returns: `ListThemesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListThemesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10721,7 +10575,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListThemesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListThemesOutput.httpOutput(from:), ListThemesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10753,9 +10606,9 @@ extension QuickSightClient { /// /// Lists all of the refresh schedules for a topic. /// - /// - Parameter ListTopicRefreshSchedulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTopicRefreshSchedulesInput`) /// - /// - Returns: `ListTopicRefreshSchedulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTopicRefreshSchedulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10793,7 +10646,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTopicRefreshSchedulesOutput.httpOutput(from:), ListTopicRefreshSchedulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10825,9 +10677,9 @@ extension QuickSightClient { /// /// Lists all reviewed answers for a Q Topic. /// - /// - Parameter ListTopicReviewedAnswersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTopicReviewedAnswersInput`) /// - /// - Returns: `ListTopicReviewedAnswersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTopicReviewedAnswersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10862,7 +10714,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTopicReviewedAnswersOutput.httpOutput(from:), ListTopicReviewedAnswersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10894,9 +10745,9 @@ extension QuickSightClient { /// /// Lists all of the topics within an account. /// - /// - Parameter ListTopicsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTopicsInput`) /// - /// - Returns: `ListTopicsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTopicsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10932,7 +10783,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTopicsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTopicsOutput.httpOutput(from:), ListTopicsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10964,9 +10814,9 @@ extension QuickSightClient { /// /// Lists the Amazon QuickSight groups that an Amazon QuickSight user is a member of. /// - /// - Parameter ListUserGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUserGroupsInput`) /// - /// - Returns: `ListUserGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUserGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11004,7 +10854,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUserGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserGroupsOutput.httpOutput(from:), ListUserGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11036,9 +10885,9 @@ extension QuickSightClient { /// /// Returns a list of all of the Amazon QuickSight users belonging to this account. /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11077,7 +10926,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUsersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11109,9 +10957,9 @@ extension QuickSightClient { /// /// Lists all of the VPC connections in the current set Amazon Web Services Region of an Amazon Web Services account. /// - /// - Parameter ListVPCConnectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVPCConnectionsInput`) /// - /// - Returns: `ListVPCConnectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVPCConnectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11148,7 +10996,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVPCConnectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVPCConnectionsOutput.httpOutput(from:), ListVPCConnectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11180,9 +11027,9 @@ extension QuickSightClient { /// /// Predicts existing visuals or generates new visuals to answer a given query. This API uses [trusted identity propagation](https://docs.aws.amazon.com/singlesignon/latest/userguide/trustedidentitypropagation.html) to ensure that an end user is authenticated and receives the embed URL that is specific to that user. The IAM Identity Center application that the user has logged into needs to have [trusted Identity Propagation enabled for QuickSight](https://docs.aws.amazon.com/singlesignon/latest/userguide/trustedidentitypropagation-using-customermanagedapps-specify-trusted-apps.html) with the scope value set to quicksight:read. Before you use this action, make sure that you have configured the relevant QuickSight resource and permissions. We recommend enabling the QSearchStatus API to unlock the full potential of PredictQnA. When QSearchStatus is enabled, it first checks the specified dashboard for any existing visuals that match the question. If no matching visuals are found, PredictQnA uses generative Q&A to provide an answer. To update the QSearchStatus, see [UpdateQuickSightQSearchConfiguration](https://docs.aws.amazon.com/quicksight/latest/APIReference/API_UpdateQuickSightQSearchConfiguration.html). /// - /// - Parameter PredictQAResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PredictQAResultsInput`) /// - /// - Returns: `PredictQAResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PredictQAResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11219,7 +11066,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PredictQAResultsOutput.httpOutput(from:), PredictQAResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11251,9 +11097,9 @@ extension QuickSightClient { /// /// Creates or updates the dataset refresh properties for the dataset. /// - /// - Parameter PutDataSetRefreshPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDataSetRefreshPropertiesInput`) /// - /// - Returns: `PutDataSetRefreshPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDataSetRefreshPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11294,7 +11140,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDataSetRefreshPropertiesOutput.httpOutput(from:), PutDataSetRefreshPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11326,9 +11171,9 @@ extension QuickSightClient { /// /// Creates an Amazon QuickSight user whose identity is associated with the Identity and Access Management (IAM) identity or role specified in the request. When you register a new user from the QuickSight API, QuickSight generates a registration URL. The user accesses this registration URL to create their account. QuickSight doesn't send a registration email to users who are registered from the QuickSight API. If you want new users to receive a registration email, then add those users in the QuickSight console. For more information on registering a new user in the QuickSight console, see [ Inviting users to access QuickSight](https://docs.aws.amazon.com/quicksight/latest/user/managing-users.html#inviting-users). /// - /// - Parameter RegisterUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterUserInput`) /// - /// - Returns: `RegisterUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11370,7 +11215,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterUserOutput.httpOutput(from:), RegisterUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11402,9 +11246,9 @@ extension QuickSightClient { /// /// Restores an analysis. /// - /// - Parameter RestoreAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreAnalysisInput`) /// - /// - Returns: `RestoreAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11443,7 +11287,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RestoreAnalysisInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreAnalysisOutput.httpOutput(from:), RestoreAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11475,9 +11318,9 @@ extension QuickSightClient { /// /// Searches for analyses that belong to the user specified in the filter. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. /// - /// - Parameter SearchAnalysesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchAnalysesInput`) /// - /// - Returns: `SearchAnalysesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchAnalysesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11516,7 +11359,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchAnalysesOutput.httpOutput(from:), SearchAnalysesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11548,9 +11390,9 @@ extension QuickSightClient { /// /// Searches for dashboards that belong to a user. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. /// - /// - Parameter SearchDashboardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchDashboardsInput`) /// - /// - Returns: `SearchDashboardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchDashboardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11589,7 +11431,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchDashboardsOutput.httpOutput(from:), SearchDashboardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11621,9 +11462,9 @@ extension QuickSightClient { /// /// Use the SearchDataSets operation to search for datasets that belong to an account. /// - /// - Parameter SearchDataSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchDataSetsInput`) /// - /// - Returns: `SearchDataSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchDataSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11662,7 +11503,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchDataSetsOutput.httpOutput(from:), SearchDataSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11694,9 +11534,9 @@ extension QuickSightClient { /// /// Use the SearchDataSources operation to search for data sources that belong to an account. /// - /// - Parameter SearchDataSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchDataSourcesInput`) /// - /// - Returns: `SearchDataSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchDataSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11735,7 +11575,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchDataSourcesOutput.httpOutput(from:), SearchDataSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11767,9 +11606,9 @@ extension QuickSightClient { /// /// Searches the subfolders in a folder. /// - /// - Parameter SearchFoldersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchFoldersInput`) /// - /// - Returns: `SearchFoldersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchFoldersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11810,7 +11649,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchFoldersOutput.httpOutput(from:), SearchFoldersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11842,9 +11680,9 @@ extension QuickSightClient { /// /// Use the SearchGroups operation to search groups in a specified QuickSight namespace using the supplied filters. /// - /// - Parameter SearchGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchGroupsInput`) /// - /// - Returns: `SearchGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11886,7 +11724,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchGroupsOutput.httpOutput(from:), SearchGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11918,9 +11755,9 @@ extension QuickSightClient { /// /// Searches for any Q topic that exists in an QuickSight account. /// - /// - Parameter SearchTopicsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchTopicsInput`) /// - /// - Returns: `SearchTopicsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchTopicsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11959,7 +11796,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchTopicsOutput.httpOutput(from:), SearchTopicsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11991,9 +11827,9 @@ extension QuickSightClient { /// /// Starts an Asset Bundle export job. An Asset Bundle export job exports specified QuickSight assets. You can also choose to export any asset dependencies in the same job. Export jobs run asynchronously and can be polled with a DescribeAssetBundleExportJob API call. When a job is successfully completed, a download URL that contains the exported assets is returned. The URL is valid for 5 minutes and can be refreshed with a DescribeAssetBundleExportJob API call. Each QuickSight account can run up to 5 export jobs concurrently. The API caller must have the necessary permissions in their IAM role to access each resource before the resources can be exported. /// - /// - Parameter StartAssetBundleExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAssetBundleExportJobInput`) /// - /// - Returns: `StartAssetBundleExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAssetBundleExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12033,7 +11869,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAssetBundleExportJobOutput.httpOutput(from:), StartAssetBundleExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12065,9 +11900,9 @@ extension QuickSightClient { /// /// Starts an Asset Bundle import job. An Asset Bundle import job imports specified QuickSight assets into an QuickSight account. You can also choose to import a naming prefix and specified configuration overrides. The assets that are contained in the bundle file that you provide are used to create or update a new or existing asset in your QuickSight account. Each QuickSight account can run up to 5 import jobs concurrently. The API caller must have the necessary "create", "describe", and "update" permissions in their IAM role to access each resource type that is contained in the bundle file before the resources can be imported. /// - /// - Parameter StartAssetBundleImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAssetBundleImportJobInput`) /// - /// - Returns: `StartAssetBundleImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAssetBundleImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12107,7 +11942,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAssetBundleImportJobOutput.httpOutput(from:), StartAssetBundleImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12169,9 +12003,9 @@ extension QuickSightClient { /// /// * The size of the generated snapshots. /// - /// - Parameter StartDashboardSnapshotJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDashboardSnapshotJobInput`) /// - /// - Returns: `StartDashboardSnapshotJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDashboardSnapshotJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12213,7 +12047,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDashboardSnapshotJobOutput.httpOutput(from:), StartDashboardSnapshotJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12245,9 +12078,9 @@ extension QuickSightClient { /// /// Starts an asynchronous job that runs an existing dashboard schedule and sends the dashboard snapshot through email. Only one job can run simultaneously in a given schedule. Repeated requests are skipped with a 202 HTTP status code. For more information, see [Scheduling and sending QuickSight reports by email](https://docs.aws.amazon.com/quicksight/latest/user/sending-reports.html) and [Configuring email report settings for a QuickSight dashboard](https://docs.aws.amazon.com/quicksight/latest/user/email-reports-from-dashboard.html) in the Amazon QuickSight User Guide. /// - /// - Parameter StartDashboardSnapshotJobScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDashboardSnapshotJobScheduleInput`) /// - /// - Returns: `StartDashboardSnapshotJobScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDashboardSnapshotJobScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12284,7 +12117,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDashboardSnapshotJobScheduleOutput.httpOutput(from:), StartDashboardSnapshotJobScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12320,9 +12152,9 @@ extension QuickSightClient { /// /// * QuickSight doesn't currently support the tag editor for Resource Groups. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12361,7 +12193,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12393,9 +12224,9 @@ extension QuickSightClient { /// /// Removes a tag or tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12431,7 +12262,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12463,9 +12293,9 @@ extension QuickSightClient { /// /// Applies a custom permissions profile to an account. /// - /// - Parameter UpdateAccountCustomPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountCustomPermissionInput`) /// - /// - Returns: `UpdateAccountCustomPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountCustomPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12503,7 +12333,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountCustomPermissionOutput.httpOutput(from:), UpdateAccountCustomPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12533,11 +12362,11 @@ extension QuickSightClient { /// Performs the `UpdateAccountCustomization` operation on the `QuickSight` service. /// - /// Updates Amazon QuickSight customizations for the current Amazon Web Services Region. Currently, the only customization that you can use is a theme. You can use customizations for your Amazon Web Services account or, if you specify a namespace, for a QuickSight namespace instead. Customizations that apply to a namespace override customizations that apply to an Amazon Web Services account. To find out which customizations apply, use the DescribeAccountCustomization API operation. + /// Updates Amazon QuickSight customizations. Currently, the only customization that you can use is a theme. You can use customizations for your Amazon Web Services account or, if you specify a namespace, for a QuickSight namespace instead. Customizations that apply to a namespace override customizations that apply to an Amazon Web Services account. To find out which customizations apply, use the DescribeAccountCustomization API operation. /// - /// - Parameter UpdateAccountCustomizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountCustomizationInput`) /// - /// - Returns: `UpdateAccountCustomizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountCustomizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12578,7 +12407,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountCustomizationOutput.httpOutput(from:), UpdateAccountCustomizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12610,9 +12438,9 @@ extension QuickSightClient { /// /// Updates the Amazon QuickSight settings in your Amazon Web Services account. /// - /// - Parameter UpdateAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountSettingsInput`) /// - /// - Returns: `UpdateAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12651,7 +12479,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountSettingsOutput.httpOutput(from:), UpdateAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12683,9 +12510,9 @@ extension QuickSightClient { /// /// Updates an analysis in Amazon QuickSight /// - /// - Parameter UpdateAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAnalysisInput`) /// - /// - Returns: `UpdateAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12725,7 +12552,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnalysisOutput.httpOutput(from:), UpdateAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12757,9 +12583,9 @@ extension QuickSightClient { /// /// Updates the read and write permissions for an analysis. /// - /// - Parameter UpdateAnalysisPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAnalysisPermissionsInput`) /// - /// - Returns: `UpdateAnalysisPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAnalysisPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12799,7 +12625,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnalysisPermissionsOutput.httpOutput(from:), UpdateAnalysisPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12831,9 +12656,9 @@ extension QuickSightClient { /// /// Updates an QuickSight application with a token exchange grant. This operation only supports QuickSight applications that are registered with IAM Identity Center. /// - /// - Parameter UpdateApplicationWithTokenExchangeGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationWithTokenExchangeGrantInput`) /// - /// - Returns: `UpdateApplicationWithTokenExchangeGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationWithTokenExchangeGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12871,7 +12696,6 @@ extension QuickSightClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UpdateApplicationWithTokenExchangeGrantInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationWithTokenExchangeGrantOutput.httpOutput(from:), UpdateApplicationWithTokenExchangeGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12903,9 +12727,9 @@ extension QuickSightClient { /// /// Updates a brand. /// - /// - Parameter UpdateBrandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBrandInput`) /// - /// - Returns: `UpdateBrandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBrandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12944,7 +12768,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBrandOutput.httpOutput(from:), UpdateBrandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12976,9 +12799,9 @@ extension QuickSightClient { /// /// Updates a brand assignment. /// - /// - Parameter UpdateBrandAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBrandAssignmentInput`) /// - /// - Returns: `UpdateBrandAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBrandAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13017,7 +12840,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBrandAssignmentOutput.httpOutput(from:), UpdateBrandAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13049,9 +12871,9 @@ extension QuickSightClient { /// /// Updates the published version of a brand. /// - /// - Parameter UpdateBrandPublishedVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBrandPublishedVersionInput`) /// - /// - Returns: `UpdateBrandPublishedVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBrandPublishedVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13090,7 +12912,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBrandPublishedVersionOutput.httpOutput(from:), UpdateBrandPublishedVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13122,9 +12943,9 @@ extension QuickSightClient { /// /// Updates a custom permissions profile. /// - /// - Parameter UpdateCustomPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCustomPermissionsInput`) /// - /// - Returns: `UpdateCustomPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCustomPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13165,7 +12986,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomPermissionsOutput.httpOutput(from:), UpdateCustomPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13197,9 +13017,9 @@ extension QuickSightClient { /// /// Updates a dashboard in an Amazon Web Services account. Updating a Dashboard creates a new dashboard version but does not immediately publish the new version. You can update the published version of a dashboard by using the [UpdateDashboardPublishedVersion](https://docs.aws.amazon.com/quicksight/latest/APIReference/API_UpdateDashboardPublishedVersion.html) API operation. /// - /// - Parameter UpdateDashboardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDashboardInput`) /// - /// - Returns: `UpdateDashboardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDashboardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13239,7 +13059,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDashboardOutput.httpOutput(from:), UpdateDashboardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13271,9 +13090,9 @@ extension QuickSightClient { /// /// Updates the linked analyses on a dashboard. /// - /// - Parameter UpdateDashboardLinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDashboardLinksInput`) /// - /// - Returns: `UpdateDashboardLinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDashboardLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13313,7 +13132,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDashboardLinksOutput.httpOutput(from:), UpdateDashboardLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13345,9 +13163,9 @@ extension QuickSightClient { /// /// Updates read and write permissions on a dashboard. /// - /// - Parameter UpdateDashboardPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDashboardPermissionsInput`) /// - /// - Returns: `UpdateDashboardPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDashboardPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13387,7 +13205,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDashboardPermissionsOutput.httpOutput(from:), UpdateDashboardPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13419,9 +13236,9 @@ extension QuickSightClient { /// /// Updates the published version of a dashboard. /// - /// - Parameter UpdateDashboardPublishedVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDashboardPublishedVersionInput`) /// - /// - Returns: `UpdateDashboardPublishedVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDashboardPublishedVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13457,7 +13274,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDashboardPublishedVersionOutput.httpOutput(from:), UpdateDashboardPublishedVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13489,9 +13305,9 @@ extension QuickSightClient { /// /// Updates a Dashboard QA configuration. /// - /// - Parameter UpdateDashboardsQAConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDashboardsQAConfigurationInput`) /// - /// - Returns: `UpdateDashboardsQAConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDashboardsQAConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13530,7 +13346,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDashboardsQAConfigurationOutput.httpOutput(from:), UpdateDashboardsQAConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13562,9 +13377,9 @@ extension QuickSightClient { /// /// Updates a dataset. This operation doesn't support datasets that include uploaded files as a source. Partial updates are not supported by this operation. /// - /// - Parameter UpdateDataSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSetInput`) /// - /// - Returns: `UpdateDataSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13605,7 +13420,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSetOutput.httpOutput(from:), UpdateDataSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13637,9 +13451,9 @@ extension QuickSightClient { /// /// Updates the permissions on a dataset. The permissions resource is arn:aws:quicksight:region:aws-account-id:dataset/data-set-id. /// - /// - Parameter UpdateDataSetPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSetPermissionsInput`) /// - /// - Returns: `UpdateDataSetPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataSetPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13678,7 +13492,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSetPermissionsOutput.httpOutput(from:), UpdateDataSetPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13710,9 +13523,9 @@ extension QuickSightClient { /// /// Updates a data source. /// - /// - Parameter UpdateDataSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSourceInput`) /// - /// - Returns: `UpdateDataSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13752,7 +13565,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSourceOutput.httpOutput(from:), UpdateDataSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13784,9 +13596,9 @@ extension QuickSightClient { /// /// Updates the permissions to a data source. /// - /// - Parameter UpdateDataSourcePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataSourcePermissionsInput`) /// - /// - Returns: `UpdateDataSourcePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataSourcePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13825,7 +13637,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataSourcePermissionsOutput.httpOutput(from:), UpdateDataSourcePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13857,9 +13668,9 @@ extension QuickSightClient { /// /// Updates a Amazon Q Business application that is linked to a QuickSight account. /// - /// - Parameter UpdateDefaultQBusinessApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDefaultQBusinessApplicationInput`) /// - /// - Returns: `UpdateDefaultQBusinessApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDefaultQBusinessApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13899,7 +13710,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDefaultQBusinessApplicationOutput.httpOutput(from:), UpdateDefaultQBusinessApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13931,9 +13741,9 @@ extension QuickSightClient { /// /// Updates the name of a folder. /// - /// - Parameter UpdateFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFolderInput`) /// - /// - Returns: `UpdateFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13974,7 +13784,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFolderOutput.httpOutput(from:), UpdateFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14006,9 +13815,9 @@ extension QuickSightClient { /// /// Updates permissions of a folder. /// - /// - Parameter UpdateFolderPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFolderPermissionsInput`) /// - /// - Returns: `UpdateFolderPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFolderPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14048,7 +13857,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFolderPermissionsOutput.httpOutput(from:), UpdateFolderPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14080,9 +13888,9 @@ extension QuickSightClient { /// /// Changes a group description. /// - /// - Parameter UpdateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupInput`) /// - /// - Returns: `UpdateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14122,7 +13930,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupOutput.httpOutput(from:), UpdateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14154,9 +13961,9 @@ extension QuickSightClient { /// /// Updates an existing IAM policy assignment. This operation updates only the optional parameter or parameters that are specified in the request. This overwrites all of the users included in Identities. /// - /// - Parameter UpdateIAMPolicyAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIAMPolicyAssignmentInput`) /// - /// - Returns: `UpdateIAMPolicyAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIAMPolicyAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14196,7 +14003,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIAMPolicyAssignmentOutput.httpOutput(from:), UpdateIAMPolicyAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14228,9 +14034,9 @@ extension QuickSightClient { /// /// Adds or updates services and authorized targets to configure what the QuickSight IAM Identity Center application can access. This operation is only supported for QuickSight accounts using IAM Identity Center /// - /// - Parameter UpdateIdentityPropagationConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIdentityPropagationConfigInput`) /// - /// - Returns: `UpdateIdentityPropagationConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIdentityPropagationConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14268,7 +14074,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIdentityPropagationConfigOutput.httpOutput(from:), UpdateIdentityPropagationConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14300,9 +14105,9 @@ extension QuickSightClient { /// /// Updates the content and status of IP rules. Traffic from a source is allowed when the source satisfies either the IpRestrictionRule, VpcIdRestrictionRule, or VpcEndpointIdRestrictionRule. To use this operation, you must provide the entire map of rules. You can use the DescribeIpRestriction operation to get the current rule map. /// - /// - Parameter UpdateIpRestrictionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIpRestrictionInput`) /// - /// - Returns: `UpdateIpRestrictionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIpRestrictionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14341,7 +14146,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIpRestrictionOutput.httpOutput(from:), UpdateIpRestrictionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14373,9 +14177,9 @@ extension QuickSightClient { /// /// Updates a customer managed key in a QuickSight account. /// - /// - Parameter UpdateKeyRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKeyRegistrationInput`) /// - /// - Returns: `UpdateKeyRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKeyRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14412,7 +14216,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKeyRegistrationOutput.httpOutput(from:), UpdateKeyRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14451,9 +14254,9 @@ extension QuickSightClient { /// /// Before proceeding: Ensure you understand the security implications and have proper IAM permissions configured. Use the UpdatePublicSharingSettings operation to turn on or turn off the public sharing settings of an QuickSight dashboard. To use this operation, turn on session capacity pricing for your QuickSight account. Before you can turn on public sharing on your account, make sure to give public sharing permissions to an administrative user in the Identity and Access Management (IAM) console. For more information on using IAM with QuickSight, see [Using QuickSight with IAM](https://docs.aws.amazon.com/quicksight/latest/user/security_iam_service-with-iam.html) in the QuickSight User Guide. /// - /// - Parameter UpdatePublicSharingSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePublicSharingSettingsInput`) /// - /// - Returns: `UpdatePublicSharingSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePublicSharingSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14492,7 +14295,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePublicSharingSettingsOutput.httpOutput(from:), UpdatePublicSharingSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14524,9 +14326,9 @@ extension QuickSightClient { /// /// Updates a personalization configuration. /// - /// - Parameter UpdateQPersonalizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQPersonalizationConfigurationInput`) /// - /// - Returns: `UpdateQPersonalizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQPersonalizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14566,7 +14368,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQPersonalizationConfigurationOutput.httpOutput(from:), UpdateQPersonalizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14598,9 +14399,9 @@ extension QuickSightClient { /// /// Updates the state of a QuickSight Q Search configuration. /// - /// - Parameter UpdateQuickSightQSearchConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQuickSightQSearchConfigurationInput`) /// - /// - Returns: `UpdateQuickSightQSearchConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQuickSightQSearchConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14639,7 +14440,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQuickSightQSearchConfigurationOutput.httpOutput(from:), UpdateQuickSightQSearchConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14671,9 +14471,9 @@ extension QuickSightClient { /// /// Updates a refresh schedule for a dataset. /// - /// - Parameter UpdateRefreshScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRefreshScheduleInput`) /// - /// - Returns: `UpdateRefreshScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRefreshScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14713,7 +14513,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRefreshScheduleOutput.httpOutput(from:), UpdateRefreshScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14745,9 +14544,9 @@ extension QuickSightClient { /// /// Updates the custom permissions that are associated with a role. /// - /// - Parameter UpdateRoleCustomPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoleCustomPermissionInput`) /// - /// - Returns: `UpdateRoleCustomPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoleCustomPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14787,7 +14586,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoleCustomPermissionOutput.httpOutput(from:), UpdateRoleCustomPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14819,9 +14617,9 @@ extension QuickSightClient { /// /// Updates the SPICE capacity configuration for a QuickSight account. /// - /// - Parameter UpdateSPICECapacityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSPICECapacityConfigurationInput`) /// - /// - Returns: `UpdateSPICECapacityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSPICECapacityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14859,7 +14657,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSPICECapacityConfigurationOutput.httpOutput(from:), UpdateSPICECapacityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14891,9 +14688,9 @@ extension QuickSightClient { /// /// Updates a template from an existing Amazon QuickSight analysis or another template. /// - /// - Parameter UpdateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTemplateInput`) /// - /// - Returns: `UpdateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14934,7 +14731,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTemplateOutput.httpOutput(from:), UpdateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14966,9 +14762,9 @@ extension QuickSightClient { /// /// Updates the template alias of a template. /// - /// - Parameter UpdateTemplateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTemplateAliasInput`) /// - /// - Returns: `UpdateTemplateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTemplateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15006,7 +14802,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTemplateAliasOutput.httpOutput(from:), UpdateTemplateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15038,9 +14833,9 @@ extension QuickSightClient { /// /// Updates the resource permissions for a template. /// - /// - Parameter UpdateTemplatePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTemplatePermissionsInput`) /// - /// - Returns: `UpdateTemplatePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTemplatePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15080,7 +14875,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTemplatePermissionsOutput.httpOutput(from:), UpdateTemplatePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15112,9 +14906,9 @@ extension QuickSightClient { /// /// Updates a theme. /// - /// - Parameter UpdateThemeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThemeInput`) /// - /// - Returns: `UpdateThemeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThemeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15155,7 +14949,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThemeOutput.httpOutput(from:), UpdateThemeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15187,9 +14980,9 @@ extension QuickSightClient { /// /// Updates an alias of a theme. /// - /// - Parameter UpdateThemeAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThemeAliasInput`) /// - /// - Returns: `UpdateThemeAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThemeAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15229,7 +15022,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThemeAliasOutput.httpOutput(from:), UpdateThemeAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15303,9 +15095,9 @@ extension QuickSightClient { /// /// * To specify no permissions, omit the permissions list. /// - /// - Parameter UpdateThemePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateThemePermissionsInput`) /// - /// - Returns: `UpdateThemePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateThemePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15345,7 +15137,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateThemePermissionsOutput.httpOutput(from:), UpdateThemePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15377,9 +15168,9 @@ extension QuickSightClient { /// /// Updates a topic. /// - /// - Parameter UpdateTopicInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTopicInput`) /// - /// - Returns: `UpdateTopicOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTopicOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15420,7 +15211,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTopicOutput.httpOutput(from:), UpdateTopicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15452,9 +15242,9 @@ extension QuickSightClient { /// /// Updates the permissions of a topic. /// - /// - Parameter UpdateTopicPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTopicPermissionsInput`) /// - /// - Returns: `UpdateTopicPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTopicPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15495,7 +15285,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTopicPermissionsOutput.httpOutput(from:), UpdateTopicPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15527,9 +15316,9 @@ extension QuickSightClient { /// /// Updates a topic refresh schedule. /// - /// - Parameter UpdateTopicRefreshScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTopicRefreshScheduleInput`) /// - /// - Returns: `UpdateTopicRefreshScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTopicRefreshScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15570,7 +15359,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTopicRefreshScheduleOutput.httpOutput(from:), UpdateTopicRefreshScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15602,9 +15390,9 @@ extension QuickSightClient { /// /// Updates an Amazon QuickSight user. /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15644,7 +15432,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15676,9 +15463,9 @@ extension QuickSightClient { /// /// Updates a custom permissions profile for a user. /// - /// - Parameter UpdateUserCustomPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserCustomPermissionInput`) /// - /// - Returns: `UpdateUserCustomPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserCustomPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15719,7 +15506,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserCustomPermissionOutput.httpOutput(from:), UpdateUserCustomPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15751,9 +15537,9 @@ extension QuickSightClient { /// /// Updates a VPC connection. /// - /// - Parameter UpdateVPCConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVPCConnectionInput`) /// - /// - Returns: `UpdateVPCConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVPCConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15794,7 +15580,6 @@ extension QuickSightClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVPCConnectionOutput.httpOutput(from:), UpdateVPCConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRAM/Sources/AWSRAM/RAMClient.swift b/Sources/Services/AWSRAM/Sources/AWSRAM/RAMClient.swift index b3c8f18c7f5..0880a2a25f4 100644 --- a/Sources/Services/AWSRAM/Sources/AWSRAM/RAMClient.swift +++ b/Sources/Services/AWSRAM/Sources/AWSRAM/RAMClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RAMClient: ClientRuntime.Client { public static let clientName = "RAMClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RAMClient.RAMClientConfiguration let serviceName = "RAM" @@ -373,9 +372,9 @@ extension RAMClient { /// /// Accepts an invitation to a resource share from another Amazon Web Services account. After you accept the invitation, the resources included in the resource share are available to interact with in the relevant Amazon Web Services Management Consoles and tools. /// - /// - Parameter AcceptResourceShareInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptResourceShareInvitationInput`) /// - /// - Returns: `AcceptResourceShareInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptResourceShareInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptResourceShareInvitationOutput.httpOutput(from:), AcceptResourceShareInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension RAMClient { /// /// Adds the specified list of principals and list of resources to a resource share. Principals that already have access to this resource share immediately receive access to the added resources. Newly added principals immediately receive access to the resources shared in this resource share. /// - /// - Parameter AssociateResourceShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateResourceShareInput`) /// - /// - Returns: `AssociateResourceShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateResourceShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -496,7 +494,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateResourceShareOutput.httpOutput(from:), AssociateResourceShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -528,9 +525,9 @@ extension RAMClient { /// /// Adds or replaces the RAM permission for a resource type included in a resource share. You can have exactly one permission associated with each resource type in the resource share. You can add a new RAM permission only if there are currently no resources of that resource type currently in the resource share. /// - /// - Parameter AssociateResourceSharePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateResourceSharePermissionInput`) /// - /// - Returns: `AssociateResourceSharePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateResourceSharePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -570,7 +567,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateResourceSharePermissionOutput.httpOutput(from:), AssociateResourceSharePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -602,9 +598,9 @@ extension RAMClient { /// /// Creates a customer managed permission for a specified resource type that you can attach to resource shares. It is created in the Amazon Web Services Region in which you call the operation. /// - /// - Parameter CreatePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePermissionInput`) /// - /// - Returns: `CreatePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -647,7 +643,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePermissionOutput.httpOutput(from:), CreatePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -679,9 +674,9 @@ extension RAMClient { /// /// Creates a new version of the specified customer managed permission. The new version is automatically set as the default version of the customer managed permission. New resource shares automatically use the default permission. Existing resource shares continue to use their original permission versions, but you can use [ReplacePermissionAssociations] to update them. If the specified customer managed permission already has the maximum of 5 versions, then you must delete one of the existing versions before you can create a new one. /// - /// - Parameter CreatePermissionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePermissionVersionInput`) /// - /// - Returns: `CreatePermissionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePermissionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -724,7 +719,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePermissionVersionOutput.httpOutput(from:), CreatePermissionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -756,9 +750,9 @@ extension RAMClient { /// /// Creates a resource share. You can provide a list of the [Amazon Resource Names (ARNs)](https://docs.aws.amazon.com/general/latest/gr/aws-arns-and-namespaces.html) for the resources that you want to share, a list of principals you want to share the resources with, and the permissions to grant those principals. Sharing a resource makes it available for use by principals outside of the Amazon Web Services account that created the resource. Sharing doesn't change any permissions or quotas that apply to the resource in the account that created it. /// - /// - Parameter CreateResourceShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceShareInput`) /// - /// - Returns: `CreateResourceShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -803,7 +797,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceShareOutput.httpOutput(from:), CreateResourceShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -835,9 +828,9 @@ extension RAMClient { /// /// Deletes the specified customer managed permission in the Amazon Web Services Region in which you call this operation. You can delete a customer managed permission only if it isn't attached to any resource share. The operation deletes all versions associated with the customer managed permission. /// - /// - Parameter DeletePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePermissionInput`) /// - /// - Returns: `DeletePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -875,7 +868,6 @@ extension RAMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePermissionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePermissionOutput.httpOutput(from:), DeletePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -907,9 +899,9 @@ extension RAMClient { /// /// Deletes one version of a customer managed permission. The version you specify must not be attached to any resource share and must not be the default version for the permission. If a customer managed permission has the maximum of 5 versions, then you must delete at least one version before you can create another. /// - /// - Parameter DeletePermissionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePermissionVersionInput`) /// - /// - Returns: `DeletePermissionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePermissionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -948,7 +940,6 @@ extension RAMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePermissionVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePermissionVersionOutput.httpOutput(from:), DeletePermissionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -980,9 +971,9 @@ extension RAMClient { /// /// Deletes the specified resource share. This doesn't delete any of the resources that were associated with the resource share; it only stops the sharing of those resources through this resource share. /// - /// - Parameter DeleteResourceShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceShareInput`) /// - /// - Returns: `DeleteResourceShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1022,7 +1013,6 @@ extension RAMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteResourceShareInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceShareOutput.httpOutput(from:), DeleteResourceShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1044,9 @@ extension RAMClient { /// /// Removes the specified principals or resources from participating in the specified resource share. /// - /// - Parameter DisassociateResourceShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateResourceShareInput`) /// - /// - Returns: `DisassociateResourceShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateResourceShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1099,7 +1089,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateResourceShareOutput.httpOutput(from:), DisassociateResourceShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1131,9 +1120,9 @@ extension RAMClient { /// /// Removes a managed permission from a resource share. Permission changes take effect immediately. You can remove a managed permission from a resource share only if there are currently no resources of the relevant resource type currently attached to the resource share. /// - /// - Parameter DisassociateResourceSharePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateResourceSharePermissionInput`) /// - /// - Returns: `DisassociateResourceSharePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateResourceSharePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1174,7 +1163,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateResourceSharePermissionOutput.httpOutput(from:), DisassociateResourceSharePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1206,9 +1194,9 @@ extension RAMClient { /// /// Enables resource sharing within your organization in Organizations. This operation creates a service-linked role called AWSServiceRoleForResourceAccessManager that has the IAM managed policy named AWSResourceAccessManagerServiceRolePolicy attached. This role permits RAM to retrieve information about the organization and its structure. This lets you share resources with all of the accounts in the calling account's organization by specifying the organization ID, or all of the accounts in an organizational unit (OU) by specifying the OU ID. Until you enable sharing within the organization, you can specify only individual Amazon Web Services accounts, or for supported resource types, IAM roles and users. You must call this operation from an IAM role or user in the organization's management account. /// - /// - Parameter EnableSharingWithAwsOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableSharingWithAwsOrganizationInput`) /// - /// - Returns: `EnableSharingWithAwsOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableSharingWithAwsOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1241,7 +1229,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableSharingWithAwsOrganizationOutput.httpOutput(from:), EnableSharingWithAwsOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1273,9 +1260,9 @@ extension RAMClient { /// /// Retrieves the contents of a managed permission in JSON format. /// - /// - Parameter GetPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPermissionInput`) /// - /// - Returns: `GetPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1314,7 +1301,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPermissionOutput.httpOutput(from:), GetPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1346,9 +1332,9 @@ extension RAMClient { /// /// Retrieves the resource policies for the specified resources that you own and have shared. /// - /// - Parameter GetResourcePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePoliciesInput`) /// - /// - Returns: `GetResourcePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1387,7 +1373,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePoliciesOutput.httpOutput(from:), GetResourcePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1419,9 +1404,9 @@ extension RAMClient { /// /// Retrieves the lists of resources and principals that associated for resource shares that you own. /// - /// - Parameter GetResourceShareAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceShareAssociationsInput`) /// - /// - Returns: `GetResourceShareAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceShareAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1461,7 +1446,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceShareAssociationsOutput.httpOutput(from:), GetResourceShareAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1493,9 +1477,9 @@ extension RAMClient { /// /// Retrieves details about invitations that you have received for resource shares. /// - /// - Parameter GetResourceShareInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceShareInvitationsInput`) /// - /// - Returns: `GetResourceShareInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceShareInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1536,7 +1520,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceShareInvitationsOutput.httpOutput(from:), GetResourceShareInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1568,9 +1551,9 @@ extension RAMClient { /// /// Retrieves details about the resource shares that you own or that are shared with you. /// - /// - Parameter GetResourceSharesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceSharesInput`) /// - /// - Returns: `GetResourceSharesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1609,7 +1592,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceSharesOutput.httpOutput(from:), GetResourceSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1641,9 +1623,9 @@ extension RAMClient { /// /// Lists the resources in a resource share that is shared with you but for which the invitation is still PENDING. That means that you haven't accepted or rejected the invitation and the invitation hasn't expired. /// - /// - Parameter ListPendingInvitationResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPendingInvitationResourcesInput`) /// - /// - Returns: `ListPendingInvitationResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPendingInvitationResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1685,7 +1667,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPendingInvitationResourcesOutput.httpOutput(from:), ListPendingInvitationResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1717,9 +1698,9 @@ extension RAMClient { /// /// Lists information about the managed permission and its associations to any resource shares that use this managed permission. This lets you see which resource shares use which versions of the specified managed permission. /// - /// - Parameter ListPermissionAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionAssociationsInput`) /// - /// - Returns: `ListPermissionAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1757,7 +1738,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionAssociationsOutput.httpOutput(from:), ListPermissionAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1789,9 +1769,9 @@ extension RAMClient { /// /// Lists the available versions of the specified RAM permission. /// - /// - Parameter ListPermissionVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionVersionsInput`) /// - /// - Returns: `ListPermissionVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1831,7 +1811,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionVersionsOutput.httpOutput(from:), ListPermissionVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1863,9 +1842,9 @@ extension RAMClient { /// /// Retrieves a list of available RAM permissions that you can use for the supported resource types. /// - /// - Parameter ListPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionsInput`) /// - /// - Returns: `ListPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1903,7 +1882,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionsOutput.httpOutput(from:), ListPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1935,9 +1913,9 @@ extension RAMClient { /// /// Lists the principals that you are sharing resources with or that are sharing resources with you. /// - /// - Parameter ListPrincipalsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPrincipalsInput`) /// - /// - Returns: `ListPrincipalsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPrincipalsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1976,7 +1954,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPrincipalsOutput.httpOutput(from:), ListPrincipalsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2008,9 +1985,9 @@ extension RAMClient { /// /// Retrieves the current status of the asynchronous tasks performed by RAM when you perform the [ReplacePermissionAssociationsWork] operation. /// - /// - Parameter ListReplacePermissionAssociationsWorkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReplacePermissionAssociationsWorkInput`) /// - /// - Returns: `ListReplacePermissionAssociationsWorkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReplacePermissionAssociationsWorkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2047,7 +2024,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReplacePermissionAssociationsWorkOutput.httpOutput(from:), ListReplacePermissionAssociationsWorkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2079,9 +2055,9 @@ extension RAMClient { /// /// Lists the RAM permissions that are associated with a resource share. /// - /// - Parameter ListResourceSharePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceSharePermissionsInput`) /// - /// - Returns: `ListResourceSharePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceSharePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2121,7 +2097,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceSharePermissionsOutput.httpOutput(from:), ListResourceSharePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2153,9 +2128,9 @@ extension RAMClient { /// /// Lists the resource types that can be shared by RAM. /// - /// - Parameter ListResourceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceTypesInput`) /// - /// - Returns: `ListResourceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2192,7 +2167,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceTypesOutput.httpOutput(from:), ListResourceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2224,9 +2198,9 @@ extension RAMClient { /// /// Lists the resources that you added to a resource share or the resources that are shared with you. /// - /// - Parameter ListResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcesInput`) /// - /// - Returns: `ListResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2266,7 +2240,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcesOutput.httpOutput(from:), ListResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2304,9 +2277,9 @@ extension RAMClient { /// /// * After you promote a resource share, if the original CREATED_FROM_POLICY managed permission has no other associations to A resource share, then RAM automatically deletes it. /// - /// - Parameter PromotePermissionCreatedFromPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PromotePermissionCreatedFromPolicyInput`) /// - /// - Returns: `PromotePermissionCreatedFromPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PromotePermissionCreatedFromPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2346,7 +2319,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PromotePermissionCreatedFromPolicyOutput.httpOutput(from:), PromotePermissionCreatedFromPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2378,9 +2350,9 @@ extension RAMClient { /// /// When you attach a resource-based policy to a resource, RAM automatically creates a resource share of featureSet=CREATED_FROM_POLICY with a managed permission that has the same IAM permissions as the original resource-based policy. However, this type of managed permission is visible to only the resource share owner, and the associated resource share can't be modified by using RAM. This operation promotes the resource share to a STANDARD resource share that is fully manageable in RAM. When you promote a resource share, you can then manage the resource share in RAM and it becomes visible to all of the principals you shared it with. Before you perform this operation, you should first run [PromotePermissionCreatedFromPolicy]to ensure that you have an appropriate customer managed permission that can be associated with this resource share after its is promoted. If this operation can't find a managed permission that exactly matches the existing CREATED_FROM_POLICY permission, then this operation fails. /// - /// - Parameter PromoteResourceShareCreatedFromPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PromoteResourceShareCreatedFromPolicyInput`) /// - /// - Returns: `PromoteResourceShareCreatedFromPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PromoteResourceShareCreatedFromPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2421,7 +2393,6 @@ extension RAMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(PromoteResourceShareCreatedFromPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(PromoteResourceShareCreatedFromPolicyOutput.httpOutput(from:), PromoteResourceShareCreatedFromPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2453,9 +2424,9 @@ extension RAMClient { /// /// Rejects an invitation to a resource share from another Amazon Web Services account. /// - /// - Parameter RejectResourceShareInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectResourceShareInvitationInput`) /// - /// - Returns: `RejectResourceShareInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectResourceShareInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2498,7 +2469,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectResourceShareInvitationOutput.httpOutput(from:), RejectResourceShareInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2530,9 +2500,9 @@ extension RAMClient { /// /// Updates all resource shares that use a managed permission to a different managed permission. This operation always applies the default version of the target managed permission. You can optionally specify that the update applies to only resource shares that currently use a specified version. This enables you to update to the latest version, without changing the which managed permission is used. You can use this operation to update all of your resource shares to use the current default version of the permission by specifying the same value for the fromPermissionArn and toPermissionArn parameters. You can use the optional fromPermissionVersion parameter to update only those resources that use a specified version of the managed permission to the new managed permission. To successfully perform this operation, you must have permission to update the resource-based policy on all affected resource types. /// - /// - Parameter ReplacePermissionAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplacePermissionAssociationsInput`) /// - /// - Returns: `ReplacePermissionAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplacePermissionAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2573,7 +2543,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplacePermissionAssociationsOutput.httpOutput(from:), ReplacePermissionAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2605,9 +2574,9 @@ extension RAMClient { /// /// Designates the specified version number as the default version for the specified customer managed permission. New resource shares automatically use this new default permission. Existing resource shares continue to use their original permission version, but you can use [ReplacePermissionAssociations] to update them. /// - /// - Parameter SetDefaultPermissionVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SetDefaultPermissionVersionInput`) /// - /// - Returns: `SetDefaultPermissionVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetDefaultPermissionVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2647,7 +2616,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetDefaultPermissionVersionOutput.httpOutput(from:), SetDefaultPermissionVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2679,9 +2647,9 @@ extension RAMClient { /// /// Adds the specified tag keys and values to a resource share or managed permission. If you choose a resource share, the tags are attached to only the resource share, not to the resources that are in the resource share. The tags on a managed permission are the same for all versions of the managed permission. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2722,7 +2690,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2754,9 +2721,9 @@ extension RAMClient { /// /// Removes the specified tag key and value pairs from the specified resource share or managed permission. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2794,7 +2761,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2826,9 +2792,9 @@ extension RAMClient { /// /// Modifies some of the properties of the specified resource share. /// - /// - Parameter UpdateResourceShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceShareInput`) /// - /// - Returns: `UpdateResourceShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2870,7 +2836,6 @@ extension RAMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceShareOutput.httpOutput(from:), UpdateResourceShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRDS/Sources/AWSRDS/Models.swift b/Sources/Services/AWSRDS/Sources/AWSRDS/Models.swift index e554dbb4b4d..0928795e3e4 100644 --- a/Sources/Services/AWSRDS/Sources/AWSRDS/Models.swift +++ b/Sources/Services/AWSRDS/Sources/AWSRDS/Models.swift @@ -4340,18 +4340,7 @@ public struct CreateDBClusterInput: Swift.Sendable { /// /// * Must be at least 30 minutes. public var preferredMaintenanceWindow: Swift.String? - /// Specifies whether the DB cluster is publicly accessible. When the DB cluster is publicly accessible and you connect from outside of the DB cluster's virtual private cloud (VPC), its Domain Name System (DNS) endpoint resolves to the public IP address. When you connect from within the same VPC as the DB cluster, the endpoint resolves to the private IP address. Access to the DB cluster is ultimately controlled by the security group it uses. That public access isn't permitted if the security group assigned to the DB cluster doesn't permit it. When the DB cluster isn't publicly accessible, it is an internal DB cluster with a DNS name that resolves to a private IP address. Valid for Cluster Type: Multi-AZ DB clusters only Default: The default behavior varies depending on whether DBSubnetGroupName is specified. If DBSubnetGroupName isn't specified, and PubliclyAccessible isn't specified, the following applies: - /// - /// * If the default VPC in the target Region doesn’t have an internet gateway attached to it, the DB cluster is private. - /// - /// * If the default VPC in the target Region has an internet gateway attached to it, the DB cluster is public. - /// - /// - /// If DBSubnetGroupName is specified, and PubliclyAccessible isn't specified, the following applies: - /// - /// * If the subnets are part of a VPC that doesn’t have an internet gateway attached to it, the DB cluster is private. - /// - /// * If the subnets are part of a VPC that has an internet gateway attached to it, the DB cluster is public. + /// Specifies whether the DB cluster is publicly accessible. Valid for Cluster Type: Multi-AZ DB clusters only When the DB cluster is publicly accessible and you connect from outside of the DB cluster's virtual private cloud (VPC), its domain name system (DNS) endpoint resolves to the public IP address. When you connect from within the same VPC as the DB cluster, the endpoint resolves to the private IP address. Access to the DB cluster is controlled by its security group settings. When the DB cluster isn't publicly accessible, it is an internal DB cluster with a DNS name that resolves to a private IP address. The default behavior when PubliclyAccessible is not specified depends on whether a DBSubnetGroup is specified. If DBSubnetGroup isn't specified, PubliclyAccessible defaults to true. If DBSubnetGroup is specified, PubliclyAccessible defaults to false unless the value of DBSubnetGroup is default, in which case PubliclyAccessible defaults to true. If PubliclyAccessible is true and the VPC that the DBSubnetGroup is in doesn't have an internet gateway attached to it, Amazon RDS returns an error. public var publiclyAccessible: Swift.Bool? /// Reserved for future use. public var rdsCustomClusterConfiguration: RDSClientTypes.RdsCustomClusterConfiguration? @@ -6230,18 +6219,7 @@ public struct CreateDBInstanceInput: Swift.Sendable { public var processorFeatures: [RDSClientTypes.ProcessorFeature]? /// The order of priority in which an Aurora Replica is promoted to the primary instance after a failure of the existing primary instance. For more information, see [ Fault Tolerance for an Aurora DB Cluster](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/Concepts.AuroraHighAvailability.html#Aurora.Managing.FaultTolerance) in the Amazon Aurora User Guide. This setting doesn't apply to RDS Custom DB instances. Default: 1 Valid Values: 0 - 15 public var promotionTier: Swift.Int? - /// Specifies whether the DB instance is publicly accessible. When the DB instance is publicly accessible and you connect from outside of the DB instance's virtual private cloud (VPC), its Domain Name System (DNS) endpoint resolves to the public IP address. When you connect from within the same VPC as the DB instance, the endpoint resolves to the private IP address. Access to the DB instance is ultimately controlled by the security group it uses. That public access is not permitted if the security group assigned to the DB instance doesn't permit it. When the DB instance isn't publicly accessible, it is an internal DB instance with a DNS name that resolves to a private IP address. Default: The default behavior varies depending on whether DBSubnetGroupName is specified. If DBSubnetGroupName isn't specified, and PubliclyAccessible isn't specified, the following applies: - /// - /// * If the default VPC in the target Region doesn’t have an internet gateway attached to it, the DB instance is private. - /// - /// * If the default VPC in the target Region has an internet gateway attached to it, the DB instance is public. - /// - /// - /// If DBSubnetGroupName is specified, and PubliclyAccessible isn't specified, the following applies: - /// - /// * If the subnets are part of a VPC that doesn’t have an internet gateway attached to it, the DB instance is private. - /// - /// * If the subnets are part of a VPC that has an internet gateway attached to it, the DB instance is public. + /// Specifies whether the DB instance is publicly accessible. When the DB instance is publicly accessible and you connect from outside of the DB instance's virtual private cloud (VPC), its domain name system (DNS) endpoint resolves to the public IP address. When you connect from within the same VPC as the DB instance, the endpoint resolves to the private IP address. Access to the DB instance is controlled by its security group settings. When the DB instance isn't publicly accessible, it is an internal DB instance with a DNS name that resolves to a private IP address. The default behavior when PubliclyAccessible is not specified depends on whether a DBSubnetGroup is specified. If DBSubnetGroup isn't specified, PubliclyAccessible defaults to false for Aurora instances and true for non-Aurora instances. If DBSubnetGroup is specified, PubliclyAccessible defaults to false unless the value of DBSubnetGroup is default, in which case PubliclyAccessible defaults to true. If PubliclyAccessible is true and the VPC that the DBSubnetGroup is in doesn't have an internet gateway attached to it, Amazon RDS returns an error. public var publiclyAccessible: Swift.Bool? /// Specifes whether the DB instance is encrypted. By default, it isn't encrypted. For RDS Custom DB instances, either enable this setting or leave it unset. Otherwise, Amazon RDS reports an error. This setting doesn't apply to Amazon Aurora DB instances. The encryption for DB instances is managed by the DB cluster. public var storageEncrypted: Swift.Bool? @@ -17794,8 +17772,6 @@ public struct ModifyDBInstanceInput: Swift.Sendable { /// /// * Must be in the distinguished name format. /// - /// * Can't be longer than 64 characters. - /// /// /// Example: OU=mymanagedADtestOU,DC=mymanagedADtest,DC=mymanagedAD,DC=mydomain public var domainOu: Swift.String? diff --git a/Sources/Services/AWSRDS/Sources/AWSRDS/RDSClient.swift b/Sources/Services/AWSRDS/Sources/AWSRDS/RDSClient.swift index 1fd519b383b..566b7833577 100644 --- a/Sources/Services/AWSRDS/Sources/AWSRDS/RDSClient.swift +++ b/Sources/Services/AWSRDS/Sources/AWSRDS/RDSClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RDSClient: ClientRuntime.Client { public static let clientName = "RDSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RDSClient.RDSClientConfiguration let serviceName = "RDS" @@ -373,9 +372,9 @@ extension RDSClient { /// /// Associates an Identity and Access Management (IAM) role with a DB cluster. /// - /// - Parameter AddRoleToDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddRoleToDBClusterInput`) /// - /// - Returns: `AddRoleToDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddRoleToDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddRoleToDBClusterOutput.httpOutput(from:), AddRoleToDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension RDSClient { /// /// Associates an Amazon Web Services Identity and Access Management (IAM) role with a DB instance. To add a role to a DB instance, the status of the DB instance must be available. This command doesn't apply to RDS Custom. /// - /// - Parameter AddRoleToDBInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddRoleToDBInstanceInput`) /// - /// - Returns: `AddRoleToDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddRoleToDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddRoleToDBInstanceOutput.httpOutput(from:), AddRoleToDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension RDSClient { /// /// Adds a source identifier to an existing RDS event notification subscription. /// - /// - Parameter AddSourceIdentifierToSubscriptionInput : + /// - Parameter input: (Type: `AddSourceIdentifierToSubscriptionInput`) /// - /// - Returns: `AddSourceIdentifierToSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddSourceIdentifierToSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -550,7 +547,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddSourceIdentifierToSubscriptionOutput.httpOutput(from:), AddSourceIdentifierToSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -584,9 +580,9 @@ extension RDSClient { /// /// Adds metadata tags to an Amazon RDS resource. These tags can also be used with cost allocation reporting to track cost associated with Amazon RDS resources, or used in a Condition statement in an IAM policy for Amazon RDS. For an overview on tagging your relational database resources, see [Tagging Amazon RDS Resources](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_Tagging.html) or [Tagging Amazon Aurora and Amazon RDS Resources](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/USER_Tagging.html). /// - /// - Parameter AddTagsToResourceInput : + /// - Parameter input: (Type: `AddTagsToResourceInput`) /// - /// - Returns: `AddTagsToResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -631,7 +627,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToResourceOutput.httpOutput(from:), AddTagsToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension RDSClient { /// /// Applies a pending maintenance action to a resource (for example, to a DB instance). /// - /// - Parameter ApplyPendingMaintenanceActionInput : + /// - Parameter input: (Type: `ApplyPendingMaintenanceActionInput`) /// - /// - Returns: `ApplyPendingMaintenanceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ApplyPendingMaintenanceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ApplyPendingMaintenanceActionOutput.httpOutput(from:), ApplyPendingMaintenanceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension RDSClient { /// /// Enables ingress to a DBSecurityGroup using one of two forms of authorization. First, EC2 or VPC security groups can be added to the DBSecurityGroup if the application using the database is running on EC2 or VPC instances. Second, IP ranges are available if the application accessing your database is running on the internet. Required parameters for this API are one of CIDR range, EC2SecurityGroupId for VPC, or (EC2SecurityGroupOwnerId and either EC2SecurityGroupName or EC2SecurityGroupId for non-VPC). You can't authorize ingress from an EC2 security group in one Amazon Web Services Region to an Amazon RDS DB instance in another. You can't authorize ingress from a VPC security group in one VPC to an Amazon RDS DB instance in another. For an overview of CIDR ranges, go to the [Wikipedia Tutorial](http://en.wikipedia.org/wiki/Classless_Inter-Domain_Routing). EC2-Classic was retired on August 15, 2022. If you haven't migrated from EC2-Classic to a VPC, we recommend that you migrate as soon as possible. For more information, see [Migrate from EC2-Classic to a VPC](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/vpc-migrate.html) in the Amazon EC2 User Guide, the blog [EC2-Classic Networking is Retiring – Here’s How to Prepare](http://aws.amazon.com/blogs/aws/ec2-classic-is-retiring-heres-how-to-prepare/), and [Moving a DB instance not in a VPC into a VPC](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_VPC.Non-VPC2VPC.html) in the Amazon RDS User Guide. /// - /// - Parameter AuthorizeDBSecurityGroupIngressInput : + /// - Parameter input: (Type: `AuthorizeDBSecurityGroupIngressInput`) /// - /// - Returns: `AuthorizeDBSecurityGroupIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AuthorizeDBSecurityGroupIngressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -772,7 +766,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeDBSecurityGroupIngressOutput.httpOutput(from:), AuthorizeDBSecurityGroupIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension RDSClient { /// /// Backtracks a DB cluster to a specific time, without creating a new DB cluster. For more information on backtracking, see [ Backtracking an Aurora DB Cluster](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/AuroraMySQL.Managing.Backtrack.html) in the Amazon Aurora User Guide. This action applies only to Aurora MySQL DB clusters. /// - /// - Parameter BacktrackDBClusterInput : + /// - Parameter input: (Type: `BacktrackDBClusterInput`) /// - /// - Returns: `BacktrackDBClusterOutput` : This data type is used as a response element in the DescribeDBClusterBacktracks action. + /// - Returns: This data type is used as a response element in the DescribeDBClusterBacktracks action. (Type: `BacktrackDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -841,7 +834,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BacktrackDBClusterOutput.httpOutput(from:), BacktrackDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -875,9 +867,9 @@ extension RDSClient { /// /// Cancels an export task in progress that is exporting a snapshot or cluster to Amazon S3. Any data that has already been written to the S3 bucket isn't removed. /// - /// - Parameter CancelExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelExportTaskInput`) /// - /// - Returns: `CancelExportTaskOutput` : Contains the details of a snapshot or cluster export to Amazon S3. This data type is used as a response element in the DescribeExportTasks operation. + /// - Returns: Contains the details of a snapshot or cluster export to Amazon S3. This data type is used as a response element in the DescribeExportTasks operation. (Type: `CancelExportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -910,7 +902,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelExportTaskOutput.httpOutput(from:), CancelExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -944,9 +935,9 @@ extension RDSClient { /// /// Copies the specified DB cluster parameter group. You can't copy a default DB cluster parameter group. Instead, create a new custom DB cluster parameter group, which copies the default parameters and values for the specified DB cluster parameter group family. /// - /// - Parameter CopyDBClusterParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyDBClusterParameterGroupInput`) /// - /// - Returns: `CopyDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -980,7 +971,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyDBClusterParameterGroupOutput.httpOutput(from:), CopyDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1023,9 +1013,9 @@ extension RDSClient { /// /// To cancel the copy operation once it is in progress, delete the target DB cluster snapshot identified by TargetDBClusterSnapshotIdentifier while that DB cluster snapshot is in "copying" status. For more information on copying encrypted Amazon Aurora DB cluster snapshots from one Amazon Web Services Region to another, see [ Copying a Snapshot](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/USER_CopySnapshot.html) in the Amazon Aurora User Guide. For more information on Amazon Aurora DB clusters, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter CopyDBClusterSnapshotInput : + /// - Parameter input: (Type: `CopyDBClusterSnapshotInput`) /// - /// - Returns: `CopyDBClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyDBClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1062,7 +1052,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyDBClusterSnapshotOutput.httpOutput(from:), CopyDBClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1096,9 +1085,9 @@ extension RDSClient { /// /// Copies the specified DB parameter group. You can't copy a default DB parameter group. Instead, create a new custom DB parameter group, which copies the default parameters and values for the specified DB parameter group family. /// - /// - Parameter CopyDBParameterGroupInput : + /// - Parameter input: (Type: `CopyDBParameterGroupInput`) /// - /// - Returns: `CopyDBParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyDBParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1132,7 +1121,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyDBParameterGroupOutput.httpOutput(from:), CopyDBParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1166,9 +1154,9 @@ extension RDSClient { /// /// Copies the specified DB snapshot. The source DB snapshot must be in the available state. You can copy a snapshot from one Amazon Web Services Region to another. In that case, the Amazon Web Services Region where you call the CopyDBSnapshot operation is the destination Amazon Web Services Region for the DB snapshot copy. This command doesn't apply to RDS Custom. For more information about copying snapshots, see [Copying a DB Snapshot](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_CopySnapshot.html#USER_CopyDBSnapshot) in the Amazon RDS User Guide. /// - /// - Parameter CopyDBSnapshotInput : + /// - Parameter input: (Type: `CopyDBSnapshotInput`) /// - /// - Returns: `CopyDBSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyDBSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1205,7 +1193,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyDBSnapshotOutput.httpOutput(from:), CopyDBSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1239,9 +1226,9 @@ extension RDSClient { /// /// Copies the specified option group. /// - /// - Parameter CopyOptionGroupInput : + /// - Parameter input: (Type: `CopyOptionGroupInput`) /// - /// - Returns: `CopyOptionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyOptionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1275,7 +1262,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyOptionGroupOutput.httpOutput(from:), CopyOptionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1309,9 +1295,9 @@ extension RDSClient { /// /// Creates a blue/green deployment. A blue/green deployment creates a staging environment that copies the production environment. In a blue/green deployment, the blue environment is the current production environment. The green environment is the staging environment, and it stays in sync with the current production environment. You can make changes to the databases in the green environment without affecting production workloads. For example, you can upgrade the major or minor DB engine version, change database parameters, or make schema changes in the staging environment. You can thoroughly test changes in the green environment. When ready, you can switch over the environments to promote the green environment to be the new production environment. The switchover typically takes under a minute. For more information, see [Using Amazon RDS Blue/Green Deployments for database updates](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/blue-green-deployments.html) in the Amazon RDS User Guide and [ Using Amazon RDS Blue/Green Deployments for database updates](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/blue-green-deployments.html) in the Amazon Aurora User Guide. /// - /// - Parameter CreateBlueGreenDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBlueGreenDeploymentInput`) /// - /// - Returns: `CreateBlueGreenDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBlueGreenDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1354,7 +1340,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBlueGreenDeploymentOutput.httpOutput(from:), CreateBlueGreenDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1388,9 +1373,9 @@ extension RDSClient { /// /// Creates a custom DB engine version (CEV). /// - /// - Parameter CreateCustomDBEngineVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomDBEngineVersionInput`) /// - /// - Returns: `CreateCustomDBEngineVersionOutput` : This data type is used as a response element in the action DescribeDBEngineVersions. + /// - Returns: This data type is used as a response element in the action DescribeDBEngineVersions. (Type: `CreateCustomDBEngineVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1428,7 +1413,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomDBEngineVersionOutput.httpOutput(from:), CreateCustomDBEngineVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1462,9 +1446,9 @@ extension RDSClient { /// /// Creates a new Amazon Aurora DB cluster or Multi-AZ DB cluster. If you create an Aurora DB cluster, the request creates an empty cluster. You must explicitly create the writer instance for your DB cluster using the [CreateDBInstance](https://docs.aws.amazon.com/AmazonRDS/latest/APIReference/API_CreateDBInstance.html) operation. If you create a Multi-AZ DB cluster, the request creates a writer and two reader DB instances for you, each in a different Availability Zone. You can use the ReplicationSourceIdentifier parameter to create an Amazon Aurora DB cluster as a read replica of another DB cluster or Amazon RDS for MySQL or PostgreSQL DB instance. For more information about Amazon Aurora, see [What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. You can also use the ReplicationSourceIdentifier parameter to create a Multi-AZ DB cluster read replica with an RDS for MySQL or PostgreSQL DB instance as the source. For more information about Multi-AZ DB clusters, see [Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter CreateDBClusterInput : + /// - Parameter input: (Type: `CreateDBClusterInput`) /// - /// - Returns: `CreateDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1518,7 +1502,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterOutput.httpOutput(from:), CreateDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1552,9 +1535,9 @@ extension RDSClient { /// /// Creates a new custom endpoint and associates it with an Amazon Aurora DB cluster. This action applies only to Aurora DB clusters. /// - /// - Parameter CreateDBClusterEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBClusterEndpointInput`) /// - /// - Returns: `CreateDBClusterEndpointOutput` : This data type represents the information you need to connect to an Amazon Aurora DB cluster. This data type is used as a response element in the following actions: + /// - Returns: This data type represents the information you need to connect to an Amazon Aurora DB cluster. This data type is used as a response element in the following actions: /// /// * CreateDBClusterEndpoint /// @@ -1565,7 +1548,7 @@ extension RDSClient { /// * DeleteDBClusterEndpoint /// /// - /// For the data structure that represents Amazon RDS DB instance endpoints, see Endpoint. + /// For the data structure that represents Amazon RDS DB instance endpoints, see Endpoint. (Type: `CreateDBClusterEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1602,7 +1585,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterEndpointOutput.httpOutput(from:), CreateDBClusterEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1636,9 +1618,9 @@ extension RDSClient { /// /// Creates a new DB cluster parameter group. Parameters in a DB cluster parameter group apply to all of the instances in a DB cluster. A DB cluster parameter group is initially created with the default parameters for the database engine used by instances in the DB cluster. To provide custom values for any of the parameters, you must modify the group after creating it using ModifyDBClusterParameterGroup. Once you've created a DB cluster parameter group, you need to associate it with your DB cluster using ModifyDBCluster. When you associate a new DB cluster parameter group with a running Aurora DB cluster, reboot the DB instances in the DB cluster without failover for the new DB cluster parameter group and associated settings to take effect. When you associate a new DB cluster parameter group with a running Multi-AZ DB cluster, reboot the DB cluster without failover for the new DB cluster parameter group and associated settings to take effect. After you create a DB cluster parameter group, you should wait at least 5 minutes before creating your first DB cluster that uses that DB cluster parameter group as the default parameter group. This allows Amazon RDS to fully complete the create action before the DB cluster parameter group is used as the default for a new DB cluster. This is especially important for parameters that are critical when creating the default database for a DB cluster, such as the character set for the default database defined by the character_set_database parameter. You can use the Parameter Groups option of the [Amazon RDS console](https://console.aws.amazon.com/rds/) or the DescribeDBClusterParameters operation to verify that your DB cluster parameter group has been created or modified. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter CreateDBClusterParameterGroupInput : + /// - Parameter input: (Type: `CreateDBClusterParameterGroupInput`) /// - /// - Returns: `CreateDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1671,7 +1653,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterParameterGroupOutput.httpOutput(from:), CreateDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1705,9 +1686,9 @@ extension RDSClient { /// /// Creates a snapshot of a DB cluster. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter CreateDBClusterSnapshotInput : + /// - Parameter input: (Type: `CreateDBClusterSnapshotInput`) /// - /// - Returns: `CreateDBClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1743,7 +1724,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBClusterSnapshotOutput.httpOutput(from:), CreateDBClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1777,9 +1757,9 @@ extension RDSClient { /// /// Creates a new DB instance. The new DB instance can be an RDS DB instance, or it can be a DB instance in an Aurora DB cluster. For an Aurora DB cluster, you can call this operation multiple times to add more than one DB instance to the cluster. For more information about creating an RDS DB instance, see [ Creating an Amazon RDS DB instance](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_CreateDBInstance.html) in the Amazon RDS User Guide. For more information about creating a DB instance in an Aurora DB cluster, see [ Creating an Amazon Aurora DB cluster](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/Aurora.CreateInstance.html) in the Amazon Aurora User Guide. /// - /// - Parameter CreateDBInstanceInput : + /// - Parameter input: (Type: `CreateDBInstanceInput`) /// - /// - Returns: `CreateDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1832,7 +1812,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBInstanceOutput.httpOutput(from:), CreateDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1866,9 +1845,9 @@ extension RDSClient { /// /// Creates a new DB instance that acts as a read replica for an existing source DB instance or Multi-AZ DB cluster. You can create a read replica for a DB instance running Db2, MariaDB, MySQL, Oracle, PostgreSQL, or SQL Server. You can create a read replica for a Multi-AZ DB cluster running MySQL or PostgreSQL. For more information, see [Working with read replicas](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_ReadRepl.html) and [Migrating from a Multi-AZ DB cluster to a DB instance using a read replica](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html#multi-az-db-clusters-migrating-to-instance-with-read-replica) in the Amazon RDS User Guide. Amazon Aurora doesn't support this operation. To create a DB instance for an Aurora DB cluster, use the CreateDBInstance operation. RDS creates read replicas with backups disabled. All other attributes (including DB security groups and DB parameter groups) are inherited from the source DB instance or cluster, except as specified. Your source DB instance or cluster must have backup retention enabled. /// - /// - Parameter CreateDBInstanceReadReplicaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBInstanceReadReplicaInput`) /// - /// - Returns: `CreateDBInstanceReadReplicaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBInstanceReadReplicaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1923,7 +1902,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBInstanceReadReplicaOutput.httpOutput(from:), CreateDBInstanceReadReplicaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1957,9 +1935,9 @@ extension RDSClient { /// /// Creates a new DB parameter group. A DB parameter group is initially created with the default parameters for the database engine used by the DB instance. To provide custom values for any of the parameters, you must modify the group after creating it using ModifyDBParameterGroup. Once you've created a DB parameter group, you need to associate it with your DB instance using ModifyDBInstance. When you associate a new DB parameter group with a running DB instance, you need to reboot the DB instance without failover for the new DB parameter group and associated settings to take effect. This command doesn't apply to RDS Custom. /// - /// - Parameter CreateDBParameterGroupInput : + /// - Parameter input: (Type: `CreateDBParameterGroupInput`) /// - /// - Returns: `CreateDBParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1992,7 +1970,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBParameterGroupOutput.httpOutput(from:), CreateDBParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2026,9 +2003,9 @@ extension RDSClient { /// /// Creates a new DB proxy. /// - /// - Parameter CreateDBProxyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBProxyInput`) /// - /// - Returns: `CreateDBProxyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBProxyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2062,7 +2039,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBProxyOutput.httpOutput(from:), CreateDBProxyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2096,9 +2072,9 @@ extension RDSClient { /// /// Creates a DBProxyEndpoint. Only applies to proxies that are associated with Aurora DB clusters. You can use DB proxy endpoints to specify read/write or read-only access to the DB cluster. You can also use DB proxy endpoints to access a DB proxy through a different VPC than the proxy's default VPC. /// - /// - Parameter CreateDBProxyEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBProxyEndpointInput`) /// - /// - Returns: `CreateDBProxyEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBProxyEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2134,7 +2110,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBProxyEndpointOutput.httpOutput(from:), CreateDBProxyEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2168,9 +2143,9 @@ extension RDSClient { /// /// Creates a new DB security group. DB security groups control access to a DB instance. A DB security group controls access to EC2-Classic DB instances that are not in a VPC. EC2-Classic was retired on August 15, 2022. If you haven't migrated from EC2-Classic to a VPC, we recommend that you migrate as soon as possible. For more information, see [Migrate from EC2-Classic to a VPC](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/vpc-migrate.html) in the Amazon EC2 User Guide, the blog [EC2-Classic Networking is Retiring – Here’s How to Prepare](http://aws.amazon.com/blogs/aws/ec2-classic-is-retiring-heres-how-to-prepare/), and [Moving a DB instance not in a VPC into a VPC](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_VPC.Non-VPC2VPC.html) in the Amazon RDS User Guide. /// - /// - Parameter CreateDBSecurityGroupInput : + /// - Parameter input: (Type: `CreateDBSecurityGroupInput`) /// - /// - Returns: `CreateDBSecurityGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBSecurityGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2204,7 +2179,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBSecurityGroupOutput.httpOutput(from:), CreateDBSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2238,9 +2212,9 @@ extension RDSClient { /// /// Creates a new DB shard group for Aurora Limitless Database. You must enable Aurora Limitless Database to create a DB shard group. Valid for: Aurora DB clusters only /// - /// - Parameter CreateDBShardGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDBShardGroupInput`) /// - /// - Returns: `CreateDBShardGroupOutput` : Contains the details for an Amazon RDS DB shard group. + /// - Returns: Contains the details for an Amazon RDS DB shard group. (Type: `CreateDBShardGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2278,7 +2252,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBShardGroupOutput.httpOutput(from:), CreateDBShardGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2312,9 +2285,9 @@ extension RDSClient { /// /// Creates a snapshot of a DB instance. The source DB instance must be in the available or storage-optimization state. /// - /// - Parameter CreateDBSnapshotInput : + /// - Parameter input: (Type: `CreateDBSnapshotInput`) /// - /// - Returns: `CreateDBSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2349,7 +2322,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBSnapshotOutput.httpOutput(from:), CreateDBSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2383,9 +2355,9 @@ extension RDSClient { /// /// Creates a new DB subnet group. DB subnet groups must contain at least one subnet in at least two AZs in the Amazon Web Services Region. /// - /// - Parameter CreateDBSubnetGroupInput : + /// - Parameter input: (Type: `CreateDBSubnetGroupInput`) /// - /// - Returns: `CreateDBSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDBSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2421,7 +2393,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDBSubnetGroupOutput.httpOutput(from:), CreateDBSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2455,9 +2426,9 @@ extension RDSClient { /// /// Creates an RDS event notification subscription. This operation requires a topic Amazon Resource Name (ARN) created by either the RDS console, the SNS console, or the SNS API. To obtain an ARN with SNS, you must create a topic in Amazon SNS and subscribe to the topic. The ARN is displayed in the SNS console. You can specify the type of source (SourceType) that you want to be notified of and provide a list of RDS sources (SourceIds) that triggers the events. You can also provide a list of event categories (EventCategories) for events that you want to be notified of. For example, you can specify SourceType = db-instance, SourceIds = mydbinstance1, mydbinstance2 and EventCategories = Availability, Backup. If you specify both the SourceType and SourceIds, such as SourceType = db-instance and SourceIds = myDBInstance1, you are notified of all the db-instance events for the specified source. If you specify a SourceType but do not specify SourceIds, you receive notice of the events for that source type for all your RDS sources. If you don't specify either the SourceType or the SourceIds, you are notified of events generated from all RDS sources belonging to your customer account. For more information about subscribing to an event for RDS DB engines, see [ Subscribing to Amazon RDS event notification](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_Events.Subscribing.html) in the Amazon RDS User Guide. For more information about subscribing to an event for Aurora DB engines, see [ Subscribing to Amazon RDS event notification](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/USER_Events.Subscribing.html) in the Amazon Aurora User Guide. /// - /// - Parameter CreateEventSubscriptionInput : + /// - Parameter input: (Type: `CreateEventSubscriptionInput`) /// - /// - Returns: `CreateEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2495,7 +2466,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventSubscriptionOutput.httpOutput(from:), CreateEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2529,9 +2499,9 @@ extension RDSClient { /// /// Creates an Aurora global database spread across multiple Amazon Web Services Regions. The global database contains a single primary cluster with read-write capability, and a read-only secondary cluster that receives data from the primary cluster through high-speed replication performed by the Aurora storage subsystem. You can create a global database that is initially empty, and then create the primary and secondary DB clusters in the global database. Or you can specify an existing Aurora cluster during the create operation, and this cluster becomes the primary cluster of the global database. This operation applies only to Aurora DB clusters. /// - /// - Parameter CreateGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGlobalClusterInput`) /// - /// - Returns: `CreateGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2568,7 +2538,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGlobalClusterOutput.httpOutput(from:), CreateGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2602,9 +2571,9 @@ extension RDSClient { /// /// Creates a zero-ETL integration with Amazon Redshift. /// - /// - Parameter CreateIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIntegrationInput`) /// - /// - Returns: `CreateIntegrationOutput` : A zero-ETL integration with Amazon Redshift. + /// - Returns: A zero-ETL integration with Amazon Redshift. (Type: `CreateIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2641,7 +2610,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntegrationOutput.httpOutput(from:), CreateIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2675,9 +2643,9 @@ extension RDSClient { /// /// Creates a new option group. You can create up to 20 option groups. This command doesn't apply to RDS Custom. /// - /// - Parameter CreateOptionGroupInput : + /// - Parameter input: (Type: `CreateOptionGroupInput`) /// - /// - Returns: `CreateOptionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOptionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2710,7 +2678,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOptionGroupOutput.httpOutput(from:), CreateOptionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2744,9 +2711,9 @@ extension RDSClient { /// /// Creates a tenant database in a DB instance that uses the multi-tenant configuration. Only RDS for Oracle container database (CDB) instances are supported. /// - /// - Parameter CreateTenantDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTenantDatabaseInput`) /// - /// - Returns: `CreateTenantDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTenantDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2785,7 +2752,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTenantDatabaseOutput.httpOutput(from:), CreateTenantDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2819,9 +2785,9 @@ extension RDSClient { /// /// Deletes a blue/green deployment. For more information, see [Using Amazon RDS Blue/Green Deployments for database updates](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/blue-green-deployments.html) in the Amazon RDS User Guide and [Using Amazon RDS Blue/Green Deployments for database updates](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/blue-green-deployments.html) in the Amazon Aurora User Guide. /// - /// - Parameter DeleteBlueGreenDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBlueGreenDeploymentInput`) /// - /// - Returns: `DeleteBlueGreenDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBlueGreenDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2854,7 +2820,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBlueGreenDeploymentOutput.httpOutput(from:), DeleteBlueGreenDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2895,9 +2860,9 @@ extension RDSClient { /// /// Typically, deletion takes a few minutes. The MediaImport service that imports files from Amazon S3 to create CEVs isn't integrated with Amazon Web Services CloudTrail. If you turn on data logging for Amazon RDS in CloudTrail, calls to the DeleteCustomDbEngineVersion event aren't logged. However, you might see calls from the API gateway that accesses your Amazon S3 bucket. These calls originate from the MediaImport service for the DeleteCustomDbEngineVersion event. For more information, see [Deleting a CEV](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/custom-cev.html#custom-cev.delete) in the Amazon RDS User Guide. /// - /// - Parameter DeleteCustomDBEngineVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomDBEngineVersionInput`) /// - /// - Returns: `DeleteCustomDBEngineVersionOutput` : This data type is used as a response element in the action DescribeDBEngineVersions. + /// - Returns: This data type is used as a response element in the action DescribeDBEngineVersions. (Type: `DeleteCustomDBEngineVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2930,7 +2895,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomDBEngineVersionOutput.httpOutput(from:), DeleteCustomDBEngineVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2964,9 +2928,9 @@ extension RDSClient { /// /// The DeleteDBCluster action deletes a previously provisioned DB cluster. When you delete a DB cluster, all automated backups for that DB cluster are deleted and can't be recovered. Manual DB cluster snapshots of the specified DB cluster are not deleted. If you're deleting a Multi-AZ DB cluster with read replicas, all cluster members are terminated and read replicas are promoted to standalone instances. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter DeleteDBClusterInput : + /// - Parameter input: (Type: `DeleteDBClusterInput`) /// - /// - Returns: `DeleteDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3005,7 +2969,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterOutput.httpOutput(from:), DeleteDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3039,9 +3002,9 @@ extension RDSClient { /// /// Deletes automated backups using the DbClusterResourceId value of the source DB cluster or the Amazon Resource Name (ARN) of the automated backups. /// - /// - Parameter DeleteDBClusterAutomatedBackupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBClusterAutomatedBackupInput`) /// - /// - Returns: `DeleteDBClusterAutomatedBackupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBClusterAutomatedBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3074,7 +3037,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterAutomatedBackupOutput.httpOutput(from:), DeleteDBClusterAutomatedBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3108,9 +3070,9 @@ extension RDSClient { /// /// Deletes a custom endpoint and removes it from an Amazon Aurora DB cluster. This action only applies to Aurora DB clusters. /// - /// - Parameter DeleteDBClusterEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBClusterEndpointInput`) /// - /// - Returns: `DeleteDBClusterEndpointOutput` : This data type represents the information you need to connect to an Amazon Aurora DB cluster. This data type is used as a response element in the following actions: + /// - Returns: This data type represents the information you need to connect to an Amazon Aurora DB cluster. This data type is used as a response element in the following actions: /// /// * CreateDBClusterEndpoint /// @@ -3121,7 +3083,7 @@ extension RDSClient { /// * DeleteDBClusterEndpoint /// /// - /// For the data structure that represents Amazon RDS DB instance endpoints, see Endpoint. + /// For the data structure that represents Amazon RDS DB instance endpoints, see Endpoint. (Type: `DeleteDBClusterEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3155,7 +3117,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterEndpointOutput.httpOutput(from:), DeleteDBClusterEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3189,9 +3150,9 @@ extension RDSClient { /// /// Deletes a specified DB cluster parameter group. The DB cluster parameter group to be deleted can't be associated with any DB clusters. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter DeleteDBClusterParameterGroupInput : + /// - Parameter input: (Type: `DeleteDBClusterParameterGroupInput`) /// - /// - Returns: `DeleteDBClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3224,7 +3185,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterParameterGroupOutput.httpOutput(from:), DeleteDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3258,9 +3218,9 @@ extension RDSClient { /// /// Deletes a DB cluster snapshot. If the snapshot is being copied, the copy operation is terminated. The DB cluster snapshot must be in the available state to be deleted. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter DeleteDBClusterSnapshotInput : + /// - Parameter input: (Type: `DeleteDBClusterSnapshotInput`) /// - /// - Returns: `DeleteDBClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3293,7 +3253,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBClusterSnapshotOutput.httpOutput(from:), DeleteDBClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3334,9 +3293,9 @@ extension RDSClient { /// /// To delete a DB instance in this case, first use the PromoteReadReplicaDBCluster operation to promote the DB cluster so that it's no longer a read replica. After the promotion completes, use the DeleteDBInstance operation to delete the final instance in the DB cluster. For RDS Custom DB instances, deleting the DB instance permanently deletes the EC2 instance and the associated EBS volumes. Make sure that you don't terminate or delete these resources before you delete the DB instance. Otherwise, deleting the DB instance and creation of the final snapshot might fail. /// - /// - Parameter DeleteDBInstanceInput : + /// - Parameter input: (Type: `DeleteDBInstanceInput`) /// - /// - Returns: `DeleteDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3374,7 +3333,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBInstanceOutput.httpOutput(from:), DeleteDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3408,9 +3366,9 @@ extension RDSClient { /// /// Deletes automated backups using the DbiResourceId value of the source DB instance or the Amazon Resource Name (ARN) of the automated backups. /// - /// - Parameter DeleteDBInstanceAutomatedBackupInput : Parameter input for the DeleteDBInstanceAutomatedBackup operation. + /// - Parameter input: Parameter input for the DeleteDBInstanceAutomatedBackup operation. (Type: `DeleteDBInstanceAutomatedBackupInput`) /// - /// - Returns: `DeleteDBInstanceAutomatedBackupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBInstanceAutomatedBackupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3443,7 +3401,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBInstanceAutomatedBackupOutput.httpOutput(from:), DeleteDBInstanceAutomatedBackupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3477,9 +3434,9 @@ extension RDSClient { /// /// Deletes a specified DB parameter group. The DB parameter group to be deleted can't be associated with any DB instances. /// - /// - Parameter DeleteDBParameterGroupInput : + /// - Parameter input: (Type: `DeleteDBParameterGroupInput`) /// - /// - Returns: `DeleteDBParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3512,7 +3469,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBParameterGroupOutput.httpOutput(from:), DeleteDBParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3546,9 +3502,9 @@ extension RDSClient { /// /// Deletes an existing DB proxy. /// - /// - Parameter DeleteDBProxyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBProxyInput`) /// - /// - Returns: `DeleteDBProxyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBProxyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3581,7 +3537,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBProxyOutput.httpOutput(from:), DeleteDBProxyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3615,9 +3570,9 @@ extension RDSClient { /// /// Deletes a DBProxyEndpoint. Doing so removes the ability to access the DB proxy using the endpoint that you defined. The endpoint that you delete might have provided capabilities such as read/write or read-only operations, or using a different VPC than the DB proxy's default VPC. /// - /// - Parameter DeleteDBProxyEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBProxyEndpointInput`) /// - /// - Returns: `DeleteDBProxyEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBProxyEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3650,7 +3605,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBProxyEndpointOutput.httpOutput(from:), DeleteDBProxyEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3684,9 +3638,9 @@ extension RDSClient { /// /// Deletes a DB security group. The specified DB security group must not be associated with any DB instances. EC2-Classic was retired on August 15, 2022. If you haven't migrated from EC2-Classic to a VPC, we recommend that you migrate as soon as possible. For more information, see [Migrate from EC2-Classic to a VPC](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/vpc-migrate.html) in the Amazon EC2 User Guide, the blog [EC2-Classic Networking is Retiring – Here’s How to Prepare](http://aws.amazon.com/blogs/aws/ec2-classic-is-retiring-heres-how-to-prepare/), and [Moving a DB instance not in a VPC into a VPC](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_VPC.Non-VPC2VPC.html) in the Amazon RDS User Guide. /// - /// - Parameter DeleteDBSecurityGroupInput : + /// - Parameter input: (Type: `DeleteDBSecurityGroupInput`) /// - /// - Returns: `DeleteDBSecurityGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBSecurityGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3719,7 +3673,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBSecurityGroupOutput.httpOutput(from:), DeleteDBSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3753,9 +3706,9 @@ extension RDSClient { /// /// Deletes an Aurora Limitless Database DB shard group. /// - /// - Parameter DeleteDBShardGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDBShardGroupInput`) /// - /// - Returns: `DeleteDBShardGroupOutput` : Contains the details for an Amazon RDS DB shard group. + /// - Returns: Contains the details for an Amazon RDS DB shard group. (Type: `DeleteDBShardGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3789,7 +3742,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBShardGroupOutput.httpOutput(from:), DeleteDBShardGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3823,9 +3775,9 @@ extension RDSClient { /// /// Deletes a DB snapshot. If the snapshot is being copied, the copy operation is terminated. The DB snapshot must be in the available state to be deleted. /// - /// - Parameter DeleteDBSnapshotInput : + /// - Parameter input: (Type: `DeleteDBSnapshotInput`) /// - /// - Returns: `DeleteDBSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3858,7 +3810,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBSnapshotOutput.httpOutput(from:), DeleteDBSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3892,9 +3843,9 @@ extension RDSClient { /// /// Deletes a DB subnet group. The specified database subnet group must not be associated with any DB instances. /// - /// - Parameter DeleteDBSubnetGroupInput : + /// - Parameter input: (Type: `DeleteDBSubnetGroupInput`) /// - /// - Returns: `DeleteDBSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDBSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3928,7 +3879,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDBSubnetGroupOutput.httpOutput(from:), DeleteDBSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3962,9 +3912,9 @@ extension RDSClient { /// /// Deletes an RDS event notification subscription. /// - /// - Parameter DeleteEventSubscriptionInput : + /// - Parameter input: (Type: `DeleteEventSubscriptionInput`) /// - /// - Returns: `DeleteEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3997,7 +3947,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventSubscriptionOutput.httpOutput(from:), DeleteEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4031,9 +3980,9 @@ extension RDSClient { /// /// Deletes a global database cluster. The primary and secondary clusters must already be detached or destroyed first. This action only applies to Aurora DB clusters. /// - /// - Parameter DeleteGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGlobalClusterInput`) /// - /// - Returns: `DeleteGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4066,7 +4015,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGlobalClusterOutput.httpOutput(from:), DeleteGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4100,9 +4048,9 @@ extension RDSClient { /// /// Deletes a zero-ETL integration with Amazon Redshift. /// - /// - Parameter DeleteIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntegrationInput`) /// - /// - Returns: `DeleteIntegrationOutput` : A zero-ETL integration with Amazon Redshift. + /// - Returns: A zero-ETL integration with Amazon Redshift. (Type: `DeleteIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4136,7 +4084,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationOutput.httpOutput(from:), DeleteIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4170,9 +4117,9 @@ extension RDSClient { /// /// Deletes an existing option group. /// - /// - Parameter DeleteOptionGroupInput : + /// - Parameter input: (Type: `DeleteOptionGroupInput`) /// - /// - Returns: `DeleteOptionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOptionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4205,7 +4152,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOptionGroupOutput.httpOutput(from:), DeleteOptionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4239,9 +4185,9 @@ extension RDSClient { /// /// Deletes a tenant database from your DB instance. This command only applies to RDS for Oracle container database (CDB) instances. You can't delete a tenant database when it is the only tenant in the DB instance. /// - /// - Parameter DeleteTenantDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTenantDatabaseInput`) /// - /// - Returns: `DeleteTenantDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTenantDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4276,7 +4222,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTenantDatabaseOutput.httpOutput(from:), DeleteTenantDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4310,9 +4255,9 @@ extension RDSClient { /// /// Remove the association between one or more DBProxyTarget data structures and a DBProxyTargetGroup. /// - /// - Parameter DeregisterDBProxyTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterDBProxyTargetsInput`) /// - /// - Returns: `DeregisterDBProxyTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterDBProxyTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4347,7 +4292,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterDBProxyTargetsOutput.httpOutput(from:), DeregisterDBProxyTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4381,9 +4325,9 @@ extension RDSClient { /// /// Lists all of the attributes for a customer account. The attributes include Amazon RDS quotas for the account, such as the number of DB instances allowed. The description for a quota includes the quota name, current usage toward that quota, and the quota's maximum value. This command doesn't take any parameters. /// - /// - Parameter DescribeAccountAttributesInput : + /// - Parameter input: (Type: `DescribeAccountAttributesInput`) /// - /// - Returns: `DescribeAccountAttributesOutput` : Data returned by the DescribeAccountAttributes action. + /// - Returns: Data returned by the DescribeAccountAttributes action. (Type: `DescribeAccountAttributesOutput`) public func describeAccountAttributes(input: DescribeAccountAttributesInput) async throws -> DescribeAccountAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4410,7 +4354,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountAttributesOutput.httpOutput(from:), DescribeAccountAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4444,9 +4387,9 @@ extension RDSClient { /// /// Describes one or more blue/green deployments. For more information, see [Using Amazon RDS Blue/Green Deployments for database updates](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/blue-green-deployments.html) in the Amazon RDS User Guide and [ Using Amazon RDS Blue/Green Deployments for database updates](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/blue-green-deployments.html) in the Amazon Aurora User Guide. /// - /// - Parameter DescribeBlueGreenDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBlueGreenDeploymentsInput`) /// - /// - Returns: `DescribeBlueGreenDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBlueGreenDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4478,7 +4421,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBlueGreenDeploymentsOutput.httpOutput(from:), DescribeBlueGreenDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4512,9 +4454,9 @@ extension RDSClient { /// /// Lists the set of certificate authority (CA) certificates provided by Amazon RDS for this Amazon Web Services account. For more information, see [Using SSL/TLS to encrypt a connection to a DB instance](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/UsingWithRDS.SSL.html) in the Amazon RDS User Guide and [ Using SSL/TLS to encrypt a connection to a DB cluster](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/UsingWithRDS.SSL.html) in the Amazon Aurora User Guide. /// - /// - Parameter DescribeCertificatesInput : + /// - Parameter input: (Type: `DescribeCertificatesInput`) /// - /// - Returns: `DescribeCertificatesOutput` : Data returned by the DescribeCertificates action. + /// - Returns: Data returned by the DescribeCertificates action. (Type: `DescribeCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4546,7 +4488,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCertificatesOutput.httpOutput(from:), DescribeCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4580,9 +4521,9 @@ extension RDSClient { /// /// Displays backups for both current and deleted DB clusters. For example, use this operation to find details about automated backups for previously deleted clusters. Current clusters are returned for both the DescribeDBClusterAutomatedBackups and DescribeDBClusters operations. All parameters are optional. /// - /// - Parameter DescribeDBClusterAutomatedBackupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBClusterAutomatedBackupsInput`) /// - /// - Returns: `DescribeDBClusterAutomatedBackupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBClusterAutomatedBackupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4614,7 +4555,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterAutomatedBackupsOutput.httpOutput(from:), DescribeDBClusterAutomatedBackupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4648,9 +4588,9 @@ extension RDSClient { /// /// Returns information about backtracks for a DB cluster. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. This action only applies to Aurora MySQL DB clusters. /// - /// - Parameter DescribeDBClusterBacktracksInput : + /// - Parameter input: (Type: `DescribeDBClusterBacktracksInput`) /// - /// - Returns: `DescribeDBClusterBacktracksOutput` : Contains the result of a successful invocation of the DescribeDBClusterBacktracks action. + /// - Returns: Contains the result of a successful invocation of the DescribeDBClusterBacktracks action. (Type: `DescribeDBClusterBacktracksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4683,7 +4623,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterBacktracksOutput.httpOutput(from:), DescribeDBClusterBacktracksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4717,9 +4656,9 @@ extension RDSClient { /// /// Returns information about endpoints for an Amazon Aurora DB cluster. This action only applies to Aurora DB clusters. /// - /// - Parameter DescribeDBClusterEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBClusterEndpointsInput`) /// - /// - Returns: `DescribeDBClusterEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBClusterEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4751,7 +4690,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterEndpointsOutput.httpOutput(from:), DescribeDBClusterEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4785,9 +4723,9 @@ extension RDSClient { /// /// Returns a list of DBClusterParameterGroup descriptions. If a DBClusterParameterGroupName parameter is specified, the list will contain only the description of the specified DB cluster parameter group. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter DescribeDBClusterParameterGroupsInput : + /// - Parameter input: (Type: `DescribeDBClusterParameterGroupsInput`) /// - /// - Returns: `DescribeDBClusterParameterGroupsOutput` : + /// - Returns: (Type: `DescribeDBClusterParameterGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4819,7 +4757,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterParameterGroupsOutput.httpOutput(from:), DescribeDBClusterParameterGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4853,9 +4790,9 @@ extension RDSClient { /// /// Returns the detailed parameter list for a particular DB cluster parameter group. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter DescribeDBClusterParametersInput : + /// - Parameter input: (Type: `DescribeDBClusterParametersInput`) /// - /// - Returns: `DescribeDBClusterParametersOutput` : Provides details about a DB cluster parameter group including the parameters in the DB cluster parameter group. + /// - Returns: Provides details about a DB cluster parameter group including the parameters in the DB cluster parameter group. (Type: `DescribeDBClusterParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4887,7 +4824,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterParametersOutput.httpOutput(from:), DescribeDBClusterParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4921,9 +4857,9 @@ extension RDSClient { /// /// Returns a list of DB cluster snapshot attribute names and values for a manual DB cluster snapshot. When sharing snapshots with other Amazon Web Services accounts, DescribeDBClusterSnapshotAttributes returns the restore attribute and a list of IDs for the Amazon Web Services accounts that are authorized to copy or restore the manual DB cluster snapshot. If all is included in the list of values for the restore attribute, then the manual DB cluster snapshot is public and can be copied or restored by all Amazon Web Services accounts. To add or remove access for an Amazon Web Services account to copy or restore a manual DB cluster snapshot, or to make the manual DB cluster snapshot public or private, use the ModifyDBClusterSnapshotAttribute API action. /// - /// - Parameter DescribeDBClusterSnapshotAttributesInput : + /// - Parameter input: (Type: `DescribeDBClusterSnapshotAttributesInput`) /// - /// - Returns: `DescribeDBClusterSnapshotAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBClusterSnapshotAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4955,7 +4891,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterSnapshotAttributesOutput.httpOutput(from:), DescribeDBClusterSnapshotAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4989,9 +4924,9 @@ extension RDSClient { /// /// Returns information about DB cluster snapshots. This API action supports pagination. For more information on Amazon Aurora DB clusters, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter DescribeDBClusterSnapshotsInput : + /// - Parameter input: (Type: `DescribeDBClusterSnapshotsInput`) /// - /// - Returns: `DescribeDBClusterSnapshotsOutput` : Provides a list of DB cluster snapshots for the user as the result of a call to the DescribeDBClusterSnapshots action. + /// - Returns: Provides a list of DB cluster snapshots for the user as the result of a call to the DescribeDBClusterSnapshots action. (Type: `DescribeDBClusterSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5023,7 +4958,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClusterSnapshotsOutput.httpOutput(from:), DescribeDBClusterSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5057,9 +4991,9 @@ extension RDSClient { /// /// Describes existing Amazon Aurora DB clusters and Multi-AZ DB clusters. This API supports pagination. For more information on Amazon Aurora DB clusters, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. This operation can also return information for Amazon Neptune DB instances and Amazon DocumentDB instances. /// - /// - Parameter DescribeDBClustersInput : + /// - Parameter input: (Type: `DescribeDBClustersInput`) /// - /// - Returns: `DescribeDBClustersOutput` : Contains the result of a successful invocation of the DescribeDBClusters action. + /// - Returns: Contains the result of a successful invocation of the DescribeDBClusters action. (Type: `DescribeDBClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5091,7 +5025,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBClustersOutput.httpOutput(from:), DescribeDBClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5125,9 +5058,9 @@ extension RDSClient { /// /// Describes the properties of specific versions of DB engines. /// - /// - Parameter DescribeDBEngineVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBEngineVersionsInput`) /// - /// - Returns: `DescribeDBEngineVersionsOutput` : Contains the result of a successful invocation of the DescribeDBEngineVersions action. + /// - Returns: Contains the result of a successful invocation of the DescribeDBEngineVersions action. (Type: `DescribeDBEngineVersionsOutput`) public func describeDBEngineVersions(input: DescribeDBEngineVersionsInput) async throws -> DescribeDBEngineVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5154,7 +5087,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBEngineVersionsOutput.httpOutput(from:), DescribeDBEngineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5188,9 +5120,9 @@ extension RDSClient { /// /// Displays backups for both current and deleted instances. For example, use this operation to find details about automated backups for previously deleted instances. Current instances with retention periods greater than zero (0) are returned for both the DescribeDBInstanceAutomatedBackups and DescribeDBInstances operations. All parameters are optional. /// - /// - Parameter DescribeDBInstanceAutomatedBackupsInput : Parameter input for DescribeDBInstanceAutomatedBackups. + /// - Parameter input: Parameter input for DescribeDBInstanceAutomatedBackups. (Type: `DescribeDBInstanceAutomatedBackupsInput`) /// - /// - Returns: `DescribeDBInstanceAutomatedBackupsOutput` : Contains the result of a successful invocation of the DescribeDBInstanceAutomatedBackups action. + /// - Returns: Contains the result of a successful invocation of the DescribeDBInstanceAutomatedBackups action. (Type: `DescribeDBInstanceAutomatedBackupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5222,7 +5154,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBInstanceAutomatedBackupsOutput.httpOutput(from:), DescribeDBInstanceAutomatedBackupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5256,9 +5187,9 @@ extension RDSClient { /// /// Describes provisioned RDS instances. This API supports pagination. This operation can also return information for Amazon Neptune DB instances and Amazon DocumentDB instances. /// - /// - Parameter DescribeDBInstancesInput : + /// - Parameter input: (Type: `DescribeDBInstancesInput`) /// - /// - Returns: `DescribeDBInstancesOutput` : Contains the result of a successful invocation of the DescribeDBInstances action. + /// - Returns: Contains the result of a successful invocation of the DescribeDBInstances action. (Type: `DescribeDBInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5290,7 +5221,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBInstancesOutput.httpOutput(from:), DescribeDBInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5324,9 +5254,9 @@ extension RDSClient { /// /// Returns a list of DB log files for the DB instance. This command doesn't apply to RDS Custom. /// - /// - Parameter DescribeDBLogFilesInput : + /// - Parameter input: (Type: `DescribeDBLogFilesInput`) /// - /// - Returns: `DescribeDBLogFilesOutput` : The response from a call to DescribeDBLogFiles. + /// - Returns: The response from a call to DescribeDBLogFiles. (Type: `DescribeDBLogFilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5359,7 +5289,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBLogFilesOutput.httpOutput(from:), DescribeDBLogFilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5393,9 +5322,9 @@ extension RDSClient { /// /// Describes the properties of specific major versions of DB engines. /// - /// - Parameter DescribeDBMajorEngineVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBMajorEngineVersionsInput`) /// - /// - Returns: `DescribeDBMajorEngineVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBMajorEngineVersionsOutput`) public func describeDBMajorEngineVersions(input: DescribeDBMajorEngineVersionsInput) async throws -> DescribeDBMajorEngineVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5422,7 +5351,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBMajorEngineVersionsOutput.httpOutput(from:), DescribeDBMajorEngineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5456,9 +5384,9 @@ extension RDSClient { /// /// Returns a list of DBParameterGroup descriptions. If a DBParameterGroupName is specified, the list will contain only the description of the specified DB parameter group. /// - /// - Parameter DescribeDBParameterGroupsInput : + /// - Parameter input: (Type: `DescribeDBParameterGroupsInput`) /// - /// - Returns: `DescribeDBParameterGroupsOutput` : Contains the result of a successful invocation of the DescribeDBParameterGroups action. + /// - Returns: Contains the result of a successful invocation of the DescribeDBParameterGroups action. (Type: `DescribeDBParameterGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5490,7 +5418,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBParameterGroupsOutput.httpOutput(from:), DescribeDBParameterGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5524,9 +5451,9 @@ extension RDSClient { /// /// Returns the detailed parameter list for a particular DB parameter group. /// - /// - Parameter DescribeDBParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBParametersInput`) /// - /// - Returns: `DescribeDBParametersOutput` : Contains the result of a successful invocation of the DescribeDBParameters action. + /// - Returns: Contains the result of a successful invocation of the DescribeDBParameters action. (Type: `DescribeDBParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5558,7 +5485,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBParametersOutput.httpOutput(from:), DescribeDBParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5592,9 +5518,9 @@ extension RDSClient { /// /// Returns information about DB proxies. /// - /// - Parameter DescribeDBProxiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBProxiesInput`) /// - /// - Returns: `DescribeDBProxiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBProxiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5626,7 +5552,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBProxiesOutput.httpOutput(from:), DescribeDBProxiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5660,9 +5585,9 @@ extension RDSClient { /// /// Returns information about DB proxy endpoints. /// - /// - Parameter DescribeDBProxyEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBProxyEndpointsInput`) /// - /// - Returns: `DescribeDBProxyEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBProxyEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5695,7 +5620,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBProxyEndpointsOutput.httpOutput(from:), DescribeDBProxyEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5729,9 +5653,9 @@ extension RDSClient { /// /// Returns information about DB proxy target groups, represented by DBProxyTargetGroup data structures. /// - /// - Parameter DescribeDBProxyTargetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBProxyTargetGroupsInput`) /// - /// - Returns: `DescribeDBProxyTargetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBProxyTargetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5765,7 +5689,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBProxyTargetGroupsOutput.httpOutput(from:), DescribeDBProxyTargetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5799,9 +5722,9 @@ extension RDSClient { /// /// Returns information about DBProxyTarget objects. This API supports pagination. /// - /// - Parameter DescribeDBProxyTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBProxyTargetsInput`) /// - /// - Returns: `DescribeDBProxyTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBProxyTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5836,7 +5759,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBProxyTargetsOutput.httpOutput(from:), DescribeDBProxyTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5870,9 +5792,9 @@ extension RDSClient { /// /// Describes the recommendations to resolve the issues for your DB instances, DB clusters, and DB parameter groups. /// - /// - Parameter DescribeDBRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBRecommendationsInput`) /// - /// - Returns: `DescribeDBRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBRecommendationsOutput`) public func describeDBRecommendations(input: DescribeDBRecommendationsInput) async throws -> DescribeDBRecommendationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5899,7 +5821,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBRecommendationsOutput.httpOutput(from:), DescribeDBRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5933,9 +5854,9 @@ extension RDSClient { /// /// Returns a list of DBSecurityGroup descriptions. If a DBSecurityGroupName is specified, the list will contain only the descriptions of the specified DB security group. EC2-Classic was retired on August 15, 2022. If you haven't migrated from EC2-Classic to a VPC, we recommend that you migrate as soon as possible. For more information, see [Migrate from EC2-Classic to a VPC](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/vpc-migrate.html) in the Amazon EC2 User Guide, the blog [EC2-Classic Networking is Retiring – Here’s How to Prepare](http://aws.amazon.com/blogs/aws/ec2-classic-is-retiring-heres-how-to-prepare/), and [Moving a DB instance not in a VPC into a VPC](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_VPC.Non-VPC2VPC.html) in the Amazon RDS User Guide. /// - /// - Parameter DescribeDBSecurityGroupsInput : + /// - Parameter input: (Type: `DescribeDBSecurityGroupsInput`) /// - /// - Returns: `DescribeDBSecurityGroupsOutput` : Contains the result of a successful invocation of the DescribeDBSecurityGroups action. + /// - Returns: Contains the result of a successful invocation of the DescribeDBSecurityGroups action. (Type: `DescribeDBSecurityGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5967,7 +5888,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBSecurityGroupsOutput.httpOutput(from:), DescribeDBSecurityGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6001,9 +5921,9 @@ extension RDSClient { /// /// Describes existing Aurora Limitless Database DB shard groups. /// - /// - Parameter DescribeDBShardGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBShardGroupsInput`) /// - /// - Returns: `DescribeDBShardGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBShardGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6036,7 +5956,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBShardGroupsOutput.httpOutput(from:), DescribeDBShardGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6070,9 +5989,9 @@ extension RDSClient { /// /// Returns a list of DB snapshot attribute names and values for a manual DB snapshot. When sharing snapshots with other Amazon Web Services accounts, DescribeDBSnapshotAttributes returns the restore attribute and a list of IDs for the Amazon Web Services accounts that are authorized to copy or restore the manual DB snapshot. If all is included in the list of values for the restore attribute, then the manual DB snapshot is public and can be copied or restored by all Amazon Web Services accounts. To add or remove access for an Amazon Web Services account to copy or restore a manual DB snapshot, or to make the manual DB snapshot public or private, use the ModifyDBSnapshotAttribute API action. /// - /// - Parameter DescribeDBSnapshotAttributesInput : + /// - Parameter input: (Type: `DescribeDBSnapshotAttributesInput`) /// - /// - Returns: `DescribeDBSnapshotAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBSnapshotAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6104,7 +6023,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBSnapshotAttributesOutput.httpOutput(from:), DescribeDBSnapshotAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6138,9 +6056,9 @@ extension RDSClient { /// /// Describes the tenant databases that exist in a DB snapshot. This command only applies to RDS for Oracle DB instances in the multi-tenant configuration. You can use this command to inspect the tenant databases within a snapshot before restoring it. You can't directly interact with the tenant databases in a DB snapshot. If you restore a snapshot that was taken from DB instance using the multi-tenant configuration, you restore all its tenant databases. /// - /// - Parameter DescribeDBSnapshotTenantDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDBSnapshotTenantDatabasesInput`) /// - /// - Returns: `DescribeDBSnapshotTenantDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDBSnapshotTenantDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6172,7 +6090,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBSnapshotTenantDatabasesOutput.httpOutput(from:), DescribeDBSnapshotTenantDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6206,9 +6123,9 @@ extension RDSClient { /// /// Returns information about DB snapshots. This API action supports pagination. /// - /// - Parameter DescribeDBSnapshotsInput : + /// - Parameter input: (Type: `DescribeDBSnapshotsInput`) /// - /// - Returns: `DescribeDBSnapshotsOutput` : Contains the result of a successful invocation of the DescribeDBSnapshots action. + /// - Returns: Contains the result of a successful invocation of the DescribeDBSnapshots action. (Type: `DescribeDBSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6240,7 +6157,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBSnapshotsOutput.httpOutput(from:), DescribeDBSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6274,9 +6190,9 @@ extension RDSClient { /// /// Returns a list of DBSubnetGroup descriptions. If a DBSubnetGroupName is specified, the list will contain only the descriptions of the specified DBSubnetGroup. For an overview of CIDR ranges, go to the [Wikipedia Tutorial](http://en.wikipedia.org/wiki/Classless_Inter-Domain_Routing). /// - /// - Parameter DescribeDBSubnetGroupsInput : + /// - Parameter input: (Type: `DescribeDBSubnetGroupsInput`) /// - /// - Returns: `DescribeDBSubnetGroupsOutput` : Contains the result of a successful invocation of the DescribeDBSubnetGroups action. + /// - Returns: Contains the result of a successful invocation of the DescribeDBSubnetGroups action. (Type: `DescribeDBSubnetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6308,7 +6224,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDBSubnetGroupsOutput.httpOutput(from:), DescribeDBSubnetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6342,9 +6257,9 @@ extension RDSClient { /// /// Returns the default engine and system parameter information for the cluster database engine. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. /// - /// - Parameter DescribeEngineDefaultClusterParametersInput : + /// - Parameter input: (Type: `DescribeEngineDefaultClusterParametersInput`) /// - /// - Returns: `DescribeEngineDefaultClusterParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEngineDefaultClusterParametersOutput`) public func describeEngineDefaultClusterParameters(input: DescribeEngineDefaultClusterParametersInput) async throws -> DescribeEngineDefaultClusterParametersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6371,7 +6286,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEngineDefaultClusterParametersOutput.httpOutput(from:), DescribeEngineDefaultClusterParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6405,9 +6319,9 @@ extension RDSClient { /// /// Returns the default engine and system parameter information for the specified database engine. /// - /// - Parameter DescribeEngineDefaultParametersInput : + /// - Parameter input: (Type: `DescribeEngineDefaultParametersInput`) /// - /// - Returns: `DescribeEngineDefaultParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEngineDefaultParametersOutput`) public func describeEngineDefaultParameters(input: DescribeEngineDefaultParametersInput) async throws -> DescribeEngineDefaultParametersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6434,7 +6348,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEngineDefaultParametersOutput.httpOutput(from:), DescribeEngineDefaultParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6468,9 +6381,9 @@ extension RDSClient { /// /// Displays a list of categories for all event source types, or, if specified, for a specified source type. You can also see this list in the "Amazon RDS event categories and event messages" section of the [ Amazon RDS User Guide ](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_Events.Messages.html) or the [ Amazon Aurora User Guide ](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/USER_Events.Messages.html). /// - /// - Parameter DescribeEventCategoriesInput : + /// - Parameter input: (Type: `DescribeEventCategoriesInput`) /// - /// - Returns: `DescribeEventCategoriesOutput` : Data returned from the DescribeEventCategories operation. + /// - Returns: Data returned from the DescribeEventCategories operation. (Type: `DescribeEventCategoriesOutput`) public func describeEventCategories(input: DescribeEventCategoriesInput) async throws -> DescribeEventCategoriesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6497,7 +6410,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventCategoriesOutput.httpOutput(from:), DescribeEventCategoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6531,9 +6443,9 @@ extension RDSClient { /// /// Lists all the subscription descriptions for a customer account. The description for a subscription includes SubscriptionName, SNSTopicARN, CustomerID, SourceType, SourceID, CreationTime, and Status. If you specify a SubscriptionName, lists the description for that subscription. /// - /// - Parameter DescribeEventSubscriptionsInput : + /// - Parameter input: (Type: `DescribeEventSubscriptionsInput`) /// - /// - Returns: `DescribeEventSubscriptionsOutput` : Data returned by the DescribeEventSubscriptions action. + /// - Returns: Data returned by the DescribeEventSubscriptions action. (Type: `DescribeEventSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6565,7 +6477,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventSubscriptionsOutput.httpOutput(from:), DescribeEventSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6599,9 +6510,9 @@ extension RDSClient { /// /// Returns events related to DB instances, DB clusters, DB parameter groups, DB security groups, DB snapshots, DB cluster snapshots, and RDS Proxies for the past 14 days. Events specific to a particular DB instance, DB cluster, DB parameter group, DB security group, DB snapshot, DB cluster snapshot group, or RDS Proxy can be obtained by providing the name as a parameter. For more information on working with events, see [Monitoring Amazon RDS events](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/working-with-events.html) in the Amazon RDS User Guide and [Monitoring Amazon Aurora events](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/working-with-events.html) in the Amazon Aurora User Guide. By default, RDS returns events that were generated in the past hour. /// - /// - Parameter DescribeEventsInput : + /// - Parameter input: (Type: `DescribeEventsInput`) /// - /// - Returns: `DescribeEventsOutput` : Contains the result of a successful invocation of the DescribeEvents action. + /// - Returns: Contains the result of a successful invocation of the DescribeEvents action. (Type: `DescribeEventsOutput`) public func describeEvents(input: DescribeEventsInput) async throws -> DescribeEventsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6628,7 +6539,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsOutput.httpOutput(from:), DescribeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6662,9 +6572,9 @@ extension RDSClient { /// /// Returns information about a snapshot or cluster export to Amazon S3. This API operation supports pagination. /// - /// - Parameter DescribeExportTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExportTasksInput`) /// - /// - Returns: `DescribeExportTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExportTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6696,7 +6606,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExportTasksOutput.httpOutput(from:), DescribeExportTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6730,9 +6639,9 @@ extension RDSClient { /// /// Returns information about Aurora global database clusters. This API supports pagination. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. This action only applies to Aurora DB clusters. /// - /// - Parameter DescribeGlobalClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGlobalClustersInput`) /// - /// - Returns: `DescribeGlobalClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGlobalClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6764,7 +6673,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGlobalClustersOutput.httpOutput(from:), DescribeGlobalClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6798,9 +6706,9 @@ extension RDSClient { /// /// Describe one or more zero-ETL integrations with Amazon Redshift. /// - /// - Parameter DescribeIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIntegrationsInput`) /// - /// - Returns: `DescribeIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6832,7 +6740,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIntegrationsOutput.httpOutput(from:), DescribeIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6866,9 +6773,9 @@ extension RDSClient { /// /// Describes all available options for the specified engine. /// - /// - Parameter DescribeOptionGroupOptionsInput : + /// - Parameter input: (Type: `DescribeOptionGroupOptionsInput`) /// - /// - Returns: `DescribeOptionGroupOptionsOutput` : + /// - Returns: (Type: `DescribeOptionGroupOptionsOutput`) public func describeOptionGroupOptions(input: DescribeOptionGroupOptionsInput) async throws -> DescribeOptionGroupOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6895,7 +6802,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOptionGroupOptionsOutput.httpOutput(from:), DescribeOptionGroupOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6929,9 +6835,9 @@ extension RDSClient { /// /// Describes the available option groups. /// - /// - Parameter DescribeOptionGroupsInput : + /// - Parameter input: (Type: `DescribeOptionGroupsInput`) /// - /// - Returns: `DescribeOptionGroupsOutput` : List of option groups. + /// - Returns: List of option groups. (Type: `DescribeOptionGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6963,7 +6869,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOptionGroupsOutput.httpOutput(from:), DescribeOptionGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6997,9 +6902,9 @@ extension RDSClient { /// /// Describes the orderable DB instance options for a specified DB engine. /// - /// - Parameter DescribeOrderableDBInstanceOptionsInput : + /// - Parameter input: (Type: `DescribeOrderableDBInstanceOptionsInput`) /// - /// - Returns: `DescribeOrderableDBInstanceOptionsOutput` : Contains the result of a successful invocation of the DescribeOrderableDBInstanceOptions action. + /// - Returns: Contains the result of a successful invocation of the DescribeOrderableDBInstanceOptions action. (Type: `DescribeOrderableDBInstanceOptionsOutput`) public func describeOrderableDBInstanceOptions(input: DescribeOrderableDBInstanceOptionsInput) async throws -> DescribeOrderableDBInstanceOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7026,7 +6931,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrderableDBInstanceOptionsOutput.httpOutput(from:), DescribeOrderableDBInstanceOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7060,9 +6964,9 @@ extension RDSClient { /// /// Returns a list of resources (for example, DB instances) that have at least one pending maintenance action. This API follows an eventual consistency model. This means that the result of the DescribePendingMaintenanceActions command might not be immediately visible to all subsequent RDS commands. Keep this in mind when you use DescribePendingMaintenanceActions immediately after using a previous API command such as ApplyPendingMaintenanceActions. /// - /// - Parameter DescribePendingMaintenanceActionsInput : + /// - Parameter input: (Type: `DescribePendingMaintenanceActionsInput`) /// - /// - Returns: `DescribePendingMaintenanceActionsOutput` : Data returned from the DescribePendingMaintenanceActions action. + /// - Returns: Data returned from the DescribePendingMaintenanceActions action. (Type: `DescribePendingMaintenanceActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7094,7 +6998,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePendingMaintenanceActionsOutput.httpOutput(from:), DescribePendingMaintenanceActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7128,9 +7031,9 @@ extension RDSClient { /// /// Returns information about reserved DB instances for this account, or about a specified reserved DB instance. /// - /// - Parameter DescribeReservedDBInstancesInput : + /// - Parameter input: (Type: `DescribeReservedDBInstancesInput`) /// - /// - Returns: `DescribeReservedDBInstancesOutput` : Contains the result of a successful invocation of the DescribeReservedDBInstances action. + /// - Returns: Contains the result of a successful invocation of the DescribeReservedDBInstances action. (Type: `DescribeReservedDBInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7162,7 +7065,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedDBInstancesOutput.httpOutput(from:), DescribeReservedDBInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7196,9 +7098,9 @@ extension RDSClient { /// /// Lists available reserved DB instance offerings. /// - /// - Parameter DescribeReservedDBInstancesOfferingsInput : + /// - Parameter input: (Type: `DescribeReservedDBInstancesOfferingsInput`) /// - /// - Returns: `DescribeReservedDBInstancesOfferingsOutput` : Contains the result of a successful invocation of the DescribeReservedDBInstancesOfferings action. + /// - Returns: Contains the result of a successful invocation of the DescribeReservedDBInstancesOfferings action. (Type: `DescribeReservedDBInstancesOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7230,7 +7132,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedDBInstancesOfferingsOutput.httpOutput(from:), DescribeReservedDBInstancesOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7264,9 +7165,9 @@ extension RDSClient { /// /// Returns a list of the source Amazon Web Services Regions where the current Amazon Web Services Region can create a read replica, copy a DB snapshot from, or replicate automated backups from. Use this operation to determine whether cross-Region features are supported between other Regions and your current Region. This operation supports pagination. To return information about the Regions that are enabled for your account, or all Regions, use the EC2 operation DescribeRegions. For more information, see [ DescribeRegions](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeRegions.html) in the Amazon EC2 API Reference. /// - /// - Parameter DescribeSourceRegionsInput : + /// - Parameter input: (Type: `DescribeSourceRegionsInput`) /// - /// - Returns: `DescribeSourceRegionsOutput` : Contains the result of a successful invocation of the DescribeSourceRegions action. + /// - Returns: Contains the result of a successful invocation of the DescribeSourceRegions action. (Type: `DescribeSourceRegionsOutput`) public func describeSourceRegions(input: DescribeSourceRegionsInput) async throws -> DescribeSourceRegionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7293,7 +7194,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSourceRegionsOutput.httpOutput(from:), DescribeSourceRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7327,9 +7227,9 @@ extension RDSClient { /// /// Describes the tenant databases in a DB instance that uses the multi-tenant configuration. Only RDS for Oracle CDB instances are supported. /// - /// - Parameter DescribeTenantDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTenantDatabasesInput`) /// - /// - Returns: `DescribeTenantDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTenantDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7361,7 +7261,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTenantDatabasesOutput.httpOutput(from:), DescribeTenantDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7395,9 +7294,9 @@ extension RDSClient { /// /// You can call DescribeValidDBInstanceModifications to learn what modifications you can make to your DB instance. You can use this information when you call ModifyDBInstance. This command doesn't apply to RDS Custom. /// - /// - Parameter DescribeValidDBInstanceModificationsInput : + /// - Parameter input: (Type: `DescribeValidDBInstanceModificationsInput`) /// - /// - Returns: `DescribeValidDBInstanceModificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeValidDBInstanceModificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7430,7 +7329,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeValidDBInstanceModificationsOutput.httpOutput(from:), DescribeValidDBInstanceModificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7464,9 +7362,9 @@ extension RDSClient { /// /// Disables the HTTP endpoint for the specified DB cluster. Disabling this endpoint disables RDS Data API. For more information, see [Using RDS Data API](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/data-api.html) in the Amazon Aurora User Guide. This operation applies only to Aurora Serverless v2 and provisioned DB clusters. To disable the HTTP endpoint for Aurora Serverless v1 DB clusters, use the EnableHttpEndpoint parameter of the ModifyDBCluster operation. /// - /// - Parameter DisableHttpEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableHttpEndpointInput`) /// - /// - Returns: `DisableHttpEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableHttpEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7499,7 +7397,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableHttpEndpointOutput.httpOutput(from:), DisableHttpEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7533,9 +7430,9 @@ extension RDSClient { /// /// Downloads all or a portion of the specified log file, up to 1 MB in size. This command doesn't apply to RDS Custom. This operation uses resources on database instances. Because of this, we recommend publishing database logs to CloudWatch and then using the GetLogEvents operation. For more information, see [GetLogEvents](https://docs.aws.amazon.com/AmazonCloudWatchLogs/latest/APIReference/API_GetLogEvents.html) in the Amazon CloudWatch Logs API Reference. /// - /// - Parameter DownloadDBLogFilePortionInput : + /// - Parameter input: (Type: `DownloadDBLogFilePortionInput`) /// - /// - Returns: `DownloadDBLogFilePortionOutput` : This data type is used as a response element to DownloadDBLogFilePortion. + /// - Returns: This data type is used as a response element to DownloadDBLogFilePortion. (Type: `DownloadDBLogFilePortionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7569,7 +7466,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DownloadDBLogFilePortionOutput.httpOutput(from:), DownloadDBLogFilePortionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7603,9 +7499,9 @@ extension RDSClient { /// /// Enables the HTTP endpoint for the DB cluster. By default, the HTTP endpoint isn't enabled. When enabled, this endpoint provides a connectionless web service API (RDS Data API) for running SQL queries on the Aurora DB cluster. You can also query your database from inside the RDS console with the RDS query editor. For more information, see [Using RDS Data API](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/data-api.html) in the Amazon Aurora User Guide. This operation applies only to Aurora Serverless v2 and provisioned DB clusters. To enable the HTTP endpoint for Aurora Serverless v1 DB clusters, use the EnableHttpEndpoint parameter of the ModifyDBCluster operation. /// - /// - Parameter EnableHttpEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableHttpEndpointInput`) /// - /// - Returns: `EnableHttpEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableHttpEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7638,7 +7534,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableHttpEndpointOutput.httpOutput(from:), EnableHttpEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7672,9 +7567,9 @@ extension RDSClient { /// /// Forces a failover for a DB cluster. For an Aurora DB cluster, failover for a DB cluster promotes one of the Aurora Replicas (read-only instances) in the DB cluster to be the primary DB instance (the cluster writer). For a Multi-AZ DB cluster, after RDS terminates the primary DB instance, the internal monitoring system detects that the primary DB instance is unhealthy and promotes a readable standby (read-only instances) in the DB cluster to be the primary DB instance (the cluster writer). Failover times are typically less than 35 seconds. An Amazon Aurora DB cluster automatically fails over to an Aurora Replica, if one exists, when the primary DB instance fails. A Multi-AZ DB cluster automatically fails over to a readable standby DB instance when the primary DB instance fails. To simulate a failure of a primary instance for testing, you can force a failover. Because each instance in a DB cluster has its own endpoint address, make sure to clean up and re-establish any existing connections that use those endpoint addresses when the failover is complete. For more information on Amazon Aurora DB clusters, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter FailoverDBClusterInput : + /// - Parameter input: (Type: `FailoverDBClusterInput`) /// - /// - Returns: `FailoverDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FailoverDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7708,7 +7603,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FailoverDBClusterOutput.httpOutput(from:), FailoverDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7753,9 +7647,9 @@ extension RDSClient { /// /// * Switching over - Use this operation on a healthy global database cluster for planned events, such as Regional rotation or to fail back to the original primary DB cluster after a failover operation. With this operation, there is no data loss. For more information about switching over an Amazon Aurora global database, see [Performing switchovers for Aurora global databases](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/aurora-global-database-disaster-recovery.html#aurora-global-database-disaster-recovery.managed-failover) in the Amazon Aurora User Guide. /// - /// - Parameter FailoverGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `FailoverGlobalClusterInput`) /// - /// - Returns: `FailoverGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FailoverGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7790,7 +7684,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FailoverGlobalClusterOutput.httpOutput(from:), FailoverGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7824,9 +7717,9 @@ extension RDSClient { /// /// Lists all tags on an Amazon RDS resource. For an overview on tagging an Amazon RDS resource, see [Tagging Amazon RDS Resources](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_Tagging.html) in the Amazon RDS User Guide or [Tagging Amazon Aurora and Amazon RDS Resources](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/USER_Tagging.html) in the Amazon Aurora User Guide. /// - /// - Parameter ListTagsForResourceInput : + /// - Parameter input: (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : + /// - Returns: (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7868,7 +7761,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7902,9 +7794,9 @@ extension RDSClient { /// /// Changes the audit policy state of a database activity stream to either locked (default) or unlocked. A locked policy is read-only, whereas an unlocked policy is read/write. If your activity stream is started and locked, you can unlock it, customize your audit policy, and then lock your activity stream. Restarting the activity stream isn't required. For more information, see [ Modifying a database activity stream](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/DBActivityStreams.Modifying.html) in the Amazon RDS User Guide. This operation is supported for RDS for Oracle and Microsoft SQL Server. /// - /// - Parameter ModifyActivityStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyActivityStreamInput`) /// - /// - Returns: `ModifyActivityStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyActivityStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7938,7 +7830,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyActivityStreamOutput.httpOutput(from:), ModifyActivityStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7979,9 +7870,9 @@ extension RDSClient { /// /// For more information about rotating your SSL/TLS certificate for RDS DB engines, see [ Rotating Your SSL/TLS Certificate](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/UsingWithRDS.SSL-certificate-rotation.html) in the Amazon RDS User Guide. For more information about rotating your SSL/TLS certificate for Aurora DB engines, see [ Rotating Your SSL/TLS Certificate](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/UsingWithRDS.SSL-certificate-rotation.html) in the Amazon Aurora User Guide. /// - /// - Parameter ModifyCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyCertificatesInput`) /// - /// - Returns: `ModifyCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8013,7 +7904,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCertificatesOutput.httpOutput(from:), ModifyCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8047,9 +7937,9 @@ extension RDSClient { /// /// Set the capacity of an Aurora Serverless v1 DB cluster to a specific value. Aurora Serverless v1 scales seamlessly based on the workload on the DB cluster. In some cases, the capacity might not scale fast enough to meet a sudden change in workload, such as a large number of new transactions. Call ModifyCurrentDBClusterCapacity to set the capacity explicitly. After this call sets the DB cluster capacity, Aurora Serverless v1 can automatically scale the DB cluster based on the cooldown period for scaling up and the cooldown period for scaling down. For more information about Aurora Serverless v1, see [Using Amazon Aurora Serverless v1](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/aurora-serverless.html) in the Amazon Aurora User Guide. If you call ModifyCurrentDBClusterCapacity with the default TimeoutAction, connections that prevent Aurora Serverless v1 from finding a scaling point might be dropped. For more information about scaling points, see [ Autoscaling for Aurora Serverless v1](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/aurora-serverless.how-it-works.html#aurora-serverless.how-it-works.auto-scaling) in the Amazon Aurora User Guide. This operation only applies to Aurora Serverless v1 DB clusters. /// - /// - Parameter ModifyCurrentDBClusterCapacityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyCurrentDBClusterCapacityInput`) /// - /// - Returns: `ModifyCurrentDBClusterCapacityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyCurrentDBClusterCapacityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8083,7 +7973,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCurrentDBClusterCapacityOutput.httpOutput(from:), ModifyCurrentDBClusterCapacityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8117,9 +8006,9 @@ extension RDSClient { /// /// Modifies the status of a custom engine version (CEV). You can find CEVs to modify by calling DescribeDBEngineVersions. The MediaImport service that imports files from Amazon S3 to create CEVs isn't integrated with Amazon Web Services CloudTrail. If you turn on data logging for Amazon RDS in CloudTrail, calls to the ModifyCustomDbEngineVersion event aren't logged. However, you might see calls from the API gateway that accesses your Amazon S3 bucket. These calls originate from the MediaImport service for the ModifyCustomDbEngineVersion event. For more information, see [Modifying CEV status](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/custom-cev.html#custom-cev.modify) in the Amazon RDS User Guide. /// - /// - Parameter ModifyCustomDBEngineVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyCustomDBEngineVersionInput`) /// - /// - Returns: `ModifyCustomDBEngineVersionOutput` : This data type is used as a response element in the action DescribeDBEngineVersions. + /// - Returns: This data type is used as a response element in the action DescribeDBEngineVersions. (Type: `ModifyCustomDBEngineVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8152,7 +8041,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCustomDBEngineVersionOutput.httpOutput(from:), ModifyCustomDBEngineVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8186,9 +8074,9 @@ extension RDSClient { /// /// Modifies the settings of an Amazon Aurora DB cluster or a Multi-AZ DB cluster. You can change one or more settings by specifying these parameters and the new values in the request. For more information on Amazon Aurora DB clusters, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter ModifyDBClusterInput : + /// - Parameter input: (Type: `ModifyDBClusterInput`) /// - /// - Returns: `ModifyDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8239,7 +8127,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterOutput.httpOutput(from:), ModifyDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8273,9 +8160,9 @@ extension RDSClient { /// /// Modifies the properties of an endpoint in an Amazon Aurora DB cluster. This operation only applies to Aurora DB clusters. /// - /// - Parameter ModifyDBClusterEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBClusterEndpointInput`) /// - /// - Returns: `ModifyDBClusterEndpointOutput` : This data type represents the information you need to connect to an Amazon Aurora DB cluster. This data type is used as a response element in the following actions: + /// - Returns: This data type represents the information you need to connect to an Amazon Aurora DB cluster. This data type is used as a response element in the following actions: /// /// * CreateDBClusterEndpoint /// @@ -8286,7 +8173,7 @@ extension RDSClient { /// * DeleteDBClusterEndpoint /// /// - /// For the data structure that represents Amazon RDS DB instance endpoints, see Endpoint. + /// For the data structure that represents Amazon RDS DB instance endpoints, see Endpoint. (Type: `ModifyDBClusterEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8322,7 +8209,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterEndpointOutput.httpOutput(from:), ModifyDBClusterEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8356,9 +8242,9 @@ extension RDSClient { /// /// Modifies the parameters of a DB cluster parameter group. To modify more than one parameter, submit a list of the following: ParameterName, ParameterValue, and ApplyMethod. A maximum of 20 parameters can be modified in a single request. After you create a DB cluster parameter group, you should wait at least 5 minutes before creating your first DB cluster that uses that DB cluster parameter group as the default parameter group. This allows Amazon RDS to fully complete the create operation before the parameter group is used as the default for a new DB cluster. This is especially important for parameters that are critical when creating the default database for a DB cluster, such as the character set for the default database defined by the character_set_database parameter. You can use the Parameter Groups option of the [Amazon RDS console](https://console.aws.amazon.com/rds/) or the DescribeDBClusterParameters operation to verify that your DB cluster parameter group has been created or modified. If the modified DB cluster parameter group is used by an Aurora Serverless v1 cluster, Aurora applies the update immediately. The cluster restart might interrupt your workload. In that case, your application must reopen any connections and retry any transactions that were active when the parameter changes took effect. For more information on Amazon Aurora DB clusters, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter ModifyDBClusterParameterGroupInput : + /// - Parameter input: (Type: `ModifyDBClusterParameterGroupInput`) /// - /// - Returns: `ModifyDBClusterParameterGroupOutput` : + /// - Returns: (Type: `ModifyDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8391,7 +8277,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterParameterGroupOutput.httpOutput(from:), ModifyDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8425,9 +8310,9 @@ extension RDSClient { /// /// Adds an attribute and values to, or removes an attribute and values from, a manual DB cluster snapshot. To share a manual DB cluster snapshot with other Amazon Web Services accounts, specify restore as the AttributeName and use the ValuesToAdd parameter to add a list of IDs of the Amazon Web Services accounts that are authorized to restore the manual DB cluster snapshot. Use the value all to make the manual DB cluster snapshot public, which means that it can be copied or restored by all Amazon Web Services accounts. Don't add the all value for any manual DB cluster snapshots that contain private information that you don't want available to all Amazon Web Services accounts. If a manual DB cluster snapshot is encrypted, it can be shared, but only by specifying a list of authorized Amazon Web Services account IDs for the ValuesToAdd parameter. You can't use all as a value for that parameter in this case. To view which Amazon Web Services accounts have access to copy or restore a manual DB cluster snapshot, or whether a manual DB cluster snapshot is public or private, use the [DescribeDBClusterSnapshotAttributes] API operation. The accounts are returned as values for the restore attribute. /// - /// - Parameter ModifyDBClusterSnapshotAttributeInput : + /// - Parameter input: (Type: `ModifyDBClusterSnapshotAttributeInput`) /// - /// - Returns: `ModifyDBClusterSnapshotAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBClusterSnapshotAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8461,7 +8346,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBClusterSnapshotAttributeOutput.httpOutput(from:), ModifyDBClusterSnapshotAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8495,9 +8379,9 @@ extension RDSClient { /// /// Modifies settings for a DB instance. You can change one or more database configuration parameters by specifying these parameters and the new values in the request. To learn what modifications you can make to your DB instance, call DescribeValidDBInstanceModifications before you call ModifyDBInstance. /// - /// - Parameter ModifyDBInstanceInput : + /// - Parameter input: (Type: `ModifyDBInstanceInput`) /// - /// - Returns: `ModifyDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8549,7 +8433,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBInstanceOutput.httpOutput(from:), ModifyDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8583,9 +8466,9 @@ extension RDSClient { /// /// Modifies the parameters of a DB parameter group. To modify more than one parameter, submit a list of the following: ParameterName, ParameterValue, and ApplyMethod. A maximum of 20 parameters can be modified in a single request. After you modify a DB parameter group, you should wait at least 5 minutes before creating your first DB instance that uses that DB parameter group as the default parameter group. This allows Amazon RDS to fully complete the modify operation before the parameter group is used as the default for a new DB instance. This is especially important for parameters that are critical when creating the default database for a DB instance, such as the character set for the default database defined by the character_set_database parameter. You can use the Parameter Groups option of the [Amazon RDS console](https://console.aws.amazon.com/rds/) or the DescribeDBParameters command to verify that your DB parameter group has been created or modified. /// - /// - Parameter ModifyDBParameterGroupInput : + /// - Parameter input: (Type: `ModifyDBParameterGroupInput`) /// - /// - Returns: `ModifyDBParameterGroupOutput` : Contains the result of a successful invocation of the ModifyDBParameterGroup or ResetDBParameterGroup operation. + /// - Returns: Contains the result of a successful invocation of the ModifyDBParameterGroup or ResetDBParameterGroup operation. (Type: `ModifyDBParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8618,7 +8501,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBParameterGroupOutput.httpOutput(from:), ModifyDBParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8652,9 +8534,9 @@ extension RDSClient { /// /// Changes the settings for an existing DB proxy. /// - /// - Parameter ModifyDBProxyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBProxyInput`) /// - /// - Returns: `ModifyDBProxyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBProxyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8688,7 +8570,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBProxyOutput.httpOutput(from:), ModifyDBProxyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8722,9 +8603,9 @@ extension RDSClient { /// /// Changes the settings for an existing DB proxy endpoint. /// - /// - Parameter ModifyDBProxyEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBProxyEndpointInput`) /// - /// - Returns: `ModifyDBProxyEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBProxyEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8759,7 +8640,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBProxyEndpointOutput.httpOutput(from:), ModifyDBProxyEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8793,9 +8673,9 @@ extension RDSClient { /// /// Modifies the properties of a DBProxyTargetGroup. /// - /// - Parameter ModifyDBProxyTargetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBProxyTargetGroupInput`) /// - /// - Returns: `ModifyDBProxyTargetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBProxyTargetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8829,7 +8709,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBProxyTargetGroupOutput.httpOutput(from:), ModifyDBProxyTargetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8863,9 +8742,9 @@ extension RDSClient { /// /// Updates the recommendation status and recommended action status for the specified recommendation. /// - /// - Parameter ModifyDBRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBRecommendationInput`) /// - /// - Returns: `ModifyDBRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBRecommendationOutput`) public func modifyDBRecommendation(input: ModifyDBRecommendationInput) async throws -> ModifyDBRecommendationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8892,7 +8771,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBRecommendationOutput.httpOutput(from:), ModifyDBRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8926,9 +8804,9 @@ extension RDSClient { /// /// Modifies the settings of an Aurora Limitless Database DB shard group. You can change one or more settings by specifying these parameters and the new values in the request. /// - /// - Parameter ModifyDBShardGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBShardGroupInput`) /// - /// - Returns: `ModifyDBShardGroupOutput` : Contains the details for an Amazon RDS DB shard group. + /// - Returns: Contains the details for an Amazon RDS DB shard group. (Type: `ModifyDBShardGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8962,7 +8840,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBShardGroupOutput.httpOutput(from:), ModifyDBShardGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8996,9 +8873,9 @@ extension RDSClient { /// /// Updates a manual DB snapshot with a new engine version. The snapshot can be encrypted or unencrypted, but not shared or public. Amazon RDS supports upgrading DB snapshots for MariaDB, MySQL, PostgreSQL, and Oracle. This operation doesn't apply to RDS Custom or RDS for Db2. /// - /// - Parameter ModifyDBSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDBSnapshotInput`) /// - /// - Returns: `ModifyDBSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9032,7 +8909,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBSnapshotOutput.httpOutput(from:), ModifyDBSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9066,9 +8942,9 @@ extension RDSClient { /// /// Adds an attribute and values to, or removes an attribute and values from, a manual DB snapshot. To share a manual DB snapshot with other Amazon Web Services accounts, specify restore as the AttributeName and use the ValuesToAdd parameter to add a list of IDs of the Amazon Web Services accounts that are authorized to restore the manual DB snapshot. Uses the value all to make the manual DB snapshot public, which means it can be copied or restored by all Amazon Web Services accounts. Don't add the all value for any manual DB snapshots that contain private information that you don't want available to all Amazon Web Services accounts. If the manual DB snapshot is encrypted, it can be shared, but only by specifying a list of authorized Amazon Web Services account IDs for the ValuesToAdd parameter. You can't use all as a value for that parameter in this case. To view which Amazon Web Services accounts have access to copy or restore a manual DB snapshot, or whether a manual DB snapshot public or private, use the [DescribeDBSnapshotAttributes] API operation. The accounts are returned as values for the restore attribute. /// - /// - Parameter ModifyDBSnapshotAttributeInput : + /// - Parameter input: (Type: `ModifyDBSnapshotAttributeInput`) /// - /// - Returns: `ModifyDBSnapshotAttributeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBSnapshotAttributeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9102,7 +8978,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBSnapshotAttributeOutput.httpOutput(from:), ModifyDBSnapshotAttributeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9136,9 +9011,9 @@ extension RDSClient { /// /// Modifies an existing DB subnet group. DB subnet groups must contain at least one subnet in at least two AZs in the Amazon Web Services Region. /// - /// - Parameter ModifyDBSubnetGroupInput : + /// - Parameter input: (Type: `ModifyDBSubnetGroupInput`) /// - /// - Returns: `ModifyDBSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDBSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9175,7 +9050,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDBSubnetGroupOutput.httpOutput(from:), ModifyDBSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9209,9 +9083,9 @@ extension RDSClient { /// /// Modifies an existing RDS event notification subscription. You can't modify the source identifiers using this call. To change source identifiers for a subscription, use the AddSourceIdentifierToSubscription and RemoveSourceIdentifierFromSubscription calls. You can see a list of the event categories for a given source type (SourceType) in [Events](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_Events.html) in the Amazon RDS User Guide or by using the DescribeEventCategories operation. /// - /// - Parameter ModifyEventSubscriptionInput : + /// - Parameter input: (Type: `ModifyEventSubscriptionInput`) /// - /// - Returns: `ModifyEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9248,7 +9122,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyEventSubscriptionOutput.httpOutput(from:), ModifyEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9282,9 +9155,9 @@ extension RDSClient { /// /// Modifies a setting for an Amazon Aurora global database cluster. You can change one or more database configuration parameters by specifying these parameters and the new values in the request. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. This operation only applies to Aurora global database clusters. /// - /// - Parameter ModifyGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyGlobalClusterInput`) /// - /// - Returns: `ModifyGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9320,7 +9193,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyGlobalClusterOutput.httpOutput(from:), ModifyGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9354,9 +9226,9 @@ extension RDSClient { /// /// Modifies a zero-ETL integration with Amazon Redshift. /// - /// - Parameter ModifyIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIntegrationInput`) /// - /// - Returns: `ModifyIntegrationOutput` : A zero-ETL integration with Amazon Redshift. + /// - Returns: A zero-ETL integration with Amazon Redshift. (Type: `ModifyIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9390,7 +9262,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIntegrationOutput.httpOutput(from:), ModifyIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9424,9 +9295,9 @@ extension RDSClient { /// /// Modifies an existing option group. /// - /// - Parameter ModifyOptionGroupInput : + /// - Parameter input: (Type: `ModifyOptionGroupInput`) /// - /// - Returns: `ModifyOptionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyOptionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9459,7 +9330,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyOptionGroupOutput.httpOutput(from:), ModifyOptionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9493,9 +9363,9 @@ extension RDSClient { /// /// Modifies an existing tenant database in a DB instance. You can change the tenant database name or the master user password. This operation is supported only for RDS for Oracle CDB instances using the multi-tenant configuration. /// - /// - Parameter ModifyTenantDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyTenantDatabaseInput`) /// - /// - Returns: `ModifyTenantDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyTenantDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9534,7 +9404,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyTenantDatabaseOutput.httpOutput(from:), ModifyTenantDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9572,9 +9441,9 @@ extension RDSClient { /// /// * This command doesn't apply to Aurora MySQL, Aurora PostgreSQL, or RDS Custom. /// - /// - Parameter PromoteReadReplicaInput : + /// - Parameter input: (Type: `PromoteReadReplicaInput`) /// - /// - Returns: `PromoteReadReplicaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PromoteReadReplicaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9607,7 +9476,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PromoteReadReplicaOutput.httpOutput(from:), PromoteReadReplicaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9641,9 +9509,9 @@ extension RDSClient { /// /// Promotes a read replica DB cluster to a standalone DB cluster. /// - /// - Parameter PromoteReadReplicaDBClusterInput : + /// - Parameter input: (Type: `PromoteReadReplicaDBClusterInput`) /// - /// - Returns: `PromoteReadReplicaDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PromoteReadReplicaDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9676,7 +9544,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PromoteReadReplicaDBClusterOutput.httpOutput(from:), PromoteReadReplicaDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9710,9 +9577,9 @@ extension RDSClient { /// /// Purchases a reserved DB instance offering. /// - /// - Parameter PurchaseReservedDBInstancesOfferingInput : + /// - Parameter input: (Type: `PurchaseReservedDBInstancesOfferingInput`) /// - /// - Returns: `PurchaseReservedDBInstancesOfferingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PurchaseReservedDBInstancesOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9746,7 +9613,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseReservedDBInstancesOfferingOutput.httpOutput(from:), PurchaseReservedDBInstancesOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9780,9 +9646,9 @@ extension RDSClient { /// /// You might need to reboot your DB cluster, usually for maintenance reasons. For example, if you make certain modifications, or if you change the DB cluster parameter group associated with the DB cluster, reboot the DB cluster for the changes to take effect. Rebooting a DB cluster restarts the database engine service. Rebooting a DB cluster results in a momentary outage, during which the DB cluster status is set to rebooting. Use this operation only for a non-Aurora Multi-AZ DB cluster. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter RebootDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootDBClusterInput`) /// - /// - Returns: `RebootDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9816,7 +9682,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootDBClusterOutput.httpOutput(from:), RebootDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9850,9 +9715,9 @@ extension RDSClient { /// /// You might need to reboot your DB instance, usually for maintenance reasons. For example, if you make certain modifications, or if you change the DB parameter group associated with the DB instance, you must reboot the instance for the changes to take effect. Rebooting a DB instance restarts the database engine service. Rebooting a DB instance results in a momentary outage, during which the DB instance status is set to rebooting. For more information about rebooting, see [Rebooting a DB Instance](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_RebootInstance.html) in the Amazon RDS User Guide. This command doesn't apply to RDS Custom. If your DB instance is part of a Multi-AZ DB cluster, you can reboot the DB cluster with the RebootDBCluster operation. /// - /// - Parameter RebootDBInstanceInput : + /// - Parameter input: (Type: `RebootDBInstanceInput`) /// - /// - Returns: `RebootDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9886,7 +9751,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootDBInstanceOutput.httpOutput(from:), RebootDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9920,9 +9784,9 @@ extension RDSClient { /// /// You might need to reboot your DB shard group, usually for maintenance reasons. For example, if you make certain modifications, reboot the DB shard group for the changes to take effect. This operation applies only to Aurora Limitless Database DBb shard groups. /// - /// - Parameter RebootDBShardGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootDBShardGroupInput`) /// - /// - Returns: `RebootDBShardGroupOutput` : Contains the details for an Amazon RDS DB shard group. + /// - Returns: Contains the details for an Amazon RDS DB shard group. (Type: `RebootDBShardGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9955,7 +9819,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootDBShardGroupOutput.httpOutput(from:), RebootDBShardGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9989,9 +9852,9 @@ extension RDSClient { /// /// Associate one or more DBProxyTarget data structures with a DBProxyTargetGroup. /// - /// - Parameter RegisterDBProxyTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterDBProxyTargetsInput`) /// - /// - Returns: `RegisterDBProxyTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterDBProxyTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10031,7 +9894,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterDBProxyTargetsOutput.httpOutput(from:), RegisterDBProxyTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10065,9 +9927,9 @@ extension RDSClient { /// /// Detaches an Aurora secondary cluster from an Aurora global database cluster. The cluster becomes a standalone cluster with read-write capability instead of being read-only and receiving data from a primary cluster in a different Region. This operation only applies to Aurora DB clusters. /// - /// - Parameter RemoveFromGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveFromGlobalClusterInput`) /// - /// - Returns: `RemoveFromGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveFromGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10102,7 +9964,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveFromGlobalClusterOutput.httpOutput(from:), RemoveFromGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10136,9 +9997,9 @@ extension RDSClient { /// /// Removes the asssociation of an Amazon Web Services Identity and Access Management (IAM) role from a DB cluster. For more information on Amazon Aurora DB clusters, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter RemoveRoleFromDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveRoleFromDBClusterInput`) /// - /// - Returns: `RemoveRoleFromDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveRoleFromDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10172,7 +10033,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveRoleFromDBClusterOutput.httpOutput(from:), RemoveRoleFromDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10206,9 +10066,9 @@ extension RDSClient { /// /// Disassociates an Amazon Web Services Identity and Access Management (IAM) role from a DB instance. /// - /// - Parameter RemoveRoleFromDBInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveRoleFromDBInstanceInput`) /// - /// - Returns: `RemoveRoleFromDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveRoleFromDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10242,7 +10102,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveRoleFromDBInstanceOutput.httpOutput(from:), RemoveRoleFromDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10276,9 +10135,9 @@ extension RDSClient { /// /// Removes a source identifier from an existing RDS event notification subscription. /// - /// - Parameter RemoveSourceIdentifierFromSubscriptionInput : + /// - Parameter input: (Type: `RemoveSourceIdentifierFromSubscriptionInput`) /// - /// - Returns: `RemoveSourceIdentifierFromSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveSourceIdentifierFromSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10311,7 +10170,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveSourceIdentifierFromSubscriptionOutput.httpOutput(from:), RemoveSourceIdentifierFromSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10345,9 +10203,9 @@ extension RDSClient { /// /// Removes metadata tags from an Amazon RDS resource. For an overview on tagging an Amazon RDS resource, see [Tagging Amazon RDS Resources](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_Tagging.html) in the Amazon RDS User Guide or [Tagging Amazon Aurora and Amazon RDS Resources](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/USER_Tagging.html) in the Amazon Aurora User Guide. /// - /// - Parameter RemoveTagsFromResourceInput : + /// - Parameter input: (Type: `RemoveTagsFromResourceInput`) /// - /// - Returns: `RemoveTagsFromResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10392,7 +10250,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromResourceOutput.httpOutput(from:), RemoveTagsFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10426,9 +10283,9 @@ extension RDSClient { /// /// Modifies the parameters of a DB cluster parameter group to the default value. To reset specific parameters submit a list of the following: ParameterName and ApplyMethod. To reset the entire DB cluster parameter group, specify the DBClusterParameterGroupName and ResetAllParameters parameters. When resetting the entire group, dynamic parameters are updated immediately and static parameters are set to pending-reboot to take effect on the next DB instance restart or RebootDBInstance request. You must call RebootDBInstance for every DB instance in your DB cluster that you want the updated static parameter to apply to. For more information on Amazon Aurora DB clusters, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter ResetDBClusterParameterGroupInput : + /// - Parameter input: (Type: `ResetDBClusterParameterGroupInput`) /// - /// - Returns: `ResetDBClusterParameterGroupOutput` : + /// - Returns: (Type: `ResetDBClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10461,7 +10318,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetDBClusterParameterGroupOutput.httpOutput(from:), ResetDBClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10495,9 +10351,9 @@ extension RDSClient { /// /// Modifies the parameters of a DB parameter group to the engine/system default value. To reset specific parameters, provide a list of the following: ParameterName and ApplyMethod. To reset the entire DB parameter group, specify the DBParameterGroup name and ResetAllParameters parameters. When resetting the entire group, dynamic parameters are updated immediately and static parameters are set to pending-reboot to take effect on the next DB instance restart or RebootDBInstance request. /// - /// - Parameter ResetDBParameterGroupInput : + /// - Parameter input: (Type: `ResetDBParameterGroupInput`) /// - /// - Returns: `ResetDBParameterGroupOutput` : Contains the result of a successful invocation of the ModifyDBParameterGroup or ResetDBParameterGroup operation. + /// - Returns: Contains the result of a successful invocation of the ModifyDBParameterGroup or ResetDBParameterGroup operation. (Type: `ResetDBParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10530,7 +10386,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetDBParameterGroupOutput.httpOutput(from:), ResetDBParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10564,9 +10419,9 @@ extension RDSClient { /// /// Creates an Amazon Aurora DB cluster from MySQL data stored in an Amazon S3 bucket. Amazon RDS must be authorized to access the Amazon S3 bucket and the data must be created using the Percona XtraBackup utility as described in [ Migrating Data from MySQL by Using an Amazon S3 Bucket](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/AuroraMySQL.Migrating.ExtMySQL.html#AuroraMySQL.Migrating.ExtMySQL.S3) in the Amazon Aurora User Guide. This operation only restores the DB cluster, not the DB instances for that DB cluster. You must invoke the CreateDBInstance operation to create DB instances for the restored DB cluster, specifying the identifier of the restored DB cluster in DBClusterIdentifier. You can create DB instances only after the RestoreDBClusterFromS3 operation has completed and the DB cluster is available. For more information on Amazon Aurora, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. This operation only applies to Aurora DB clusters. The source DB engine must be MySQL. /// - /// - Parameter RestoreDBClusterFromS3Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreDBClusterFromS3Input`) /// - /// - Returns: `RestoreDBClusterFromS3Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDBClusterFromS3Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10613,7 +10468,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDBClusterFromS3Output.httpOutput(from:), RestoreDBClusterFromS3OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10647,9 +10501,9 @@ extension RDSClient { /// /// Creates a new DB cluster from a DB snapshot or DB cluster snapshot. The target DB cluster is created from the source snapshot with a default configuration. If you don't specify a security group, the new DB cluster is associated with the default security group. This operation only restores the DB cluster, not the DB instances for that DB cluster. You must invoke the CreateDBInstance operation to create DB instances for the restored DB cluster, specifying the identifier of the restored DB cluster in DBClusterIdentifier. You can create DB instances only after the RestoreDBClusterFromSnapshot operation has completed and the DB cluster is available. For more information on Amazon Aurora DB clusters, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter RestoreDBClusterFromSnapshotInput : + /// - Parameter input: (Type: `RestoreDBClusterFromSnapshotInput`) /// - /// - Returns: `RestoreDBClusterFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDBClusterFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10702,7 +10556,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDBClusterFromSnapshotOutput.httpOutput(from:), RestoreDBClusterFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10736,9 +10589,9 @@ extension RDSClient { /// /// Restores a DB cluster to an arbitrary point in time. Users can restore to any point in time before LatestRestorableTime for up to BackupRetentionPeriod days. The target DB cluster is created from the source DB cluster with the same configuration as the original DB cluster, except that the new DB cluster is created with the default DB security group. Unless the RestoreType is set to copy-on-write, the restore may occur in a different Availability Zone (AZ) from the original DB cluster. The AZ where RDS restores the DB cluster depends on the AZs in the specified subnet group. For Aurora, this operation only restores the DB cluster, not the DB instances for that DB cluster. You must invoke the CreateDBInstance operation to create DB instances for the restored DB cluster, specifying the identifier of the restored DB cluster in DBClusterIdentifier. You can create DB instances only after the RestoreDBClusterToPointInTime operation has completed and the DB cluster is available. For more information on Amazon Aurora DB clusters, see [ What is Amazon Aurora?](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/CHAP_AuroraOverview.html) in the Amazon Aurora User Guide. For more information on Multi-AZ DB clusters, see [ Multi-AZ DB cluster deployments](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/multi-az-db-clusters-concepts.html) in the Amazon RDS User Guide. /// - /// - Parameter RestoreDBClusterToPointInTimeInput : + /// - Parameter input: (Type: `RestoreDBClusterToPointInTimeInput`) /// - /// - Returns: `RestoreDBClusterToPointInTimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDBClusterToPointInTimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10791,7 +10644,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDBClusterToPointInTimeOutput.httpOutput(from:), RestoreDBClusterToPointInTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10825,9 +10677,9 @@ extension RDSClient { /// /// Creates a new DB instance from a DB snapshot. The target database is created from the source database restore point with most of the source's original configuration, including the default security group and DB parameter group. By default, the new DB instance is created as a Single-AZ deployment, except when the instance is a SQL Server instance that has an option group associated with mirroring. In this case, the instance becomes a Multi-AZ deployment, not a Single-AZ deployment. If you want to replace your original DB instance with the new, restored DB instance, then rename your original DB instance before you call the RestoreDBInstanceFromDBSnapshot operation. RDS doesn't allow two DB instances with the same name. After you have renamed your original DB instance with a different identifier, then you can pass the original name of the DB instance as the DBInstanceIdentifier in the call to the RestoreDBInstanceFromDBSnapshot operation. The result is that you replace the original DB instance with the DB instance created from the snapshot. If you are restoring from a shared manual DB snapshot, the DBSnapshotIdentifier must be the ARN of the shared DB snapshot. To restore from a DB snapshot with an unsupported engine version, you must first upgrade the engine version of the snapshot. For more information about upgrading a RDS for MySQL DB snapshot engine version, see [Upgrading a MySQL DB snapshot engine version](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/mysql-upgrade-snapshot.html). For more information about upgrading a RDS for PostgreSQL DB snapshot engine version, [Upgrading a PostgreSQL DB snapshot engine version](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_UpgradeDBSnapshot.PostgreSQL.html). This command doesn't apply to Aurora MySQL and Aurora PostgreSQL. For Aurora, use RestoreDBClusterFromSnapshot. /// - /// - Parameter RestoreDBInstanceFromDBSnapshotInput : + /// - Parameter input: (Type: `RestoreDBInstanceFromDBSnapshotInput`) /// - /// - Returns: `RestoreDBInstanceFromDBSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDBInstanceFromDBSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10882,7 +10734,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDBInstanceFromDBSnapshotOutput.httpOutput(from:), RestoreDBInstanceFromDBSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10916,9 +10767,9 @@ extension RDSClient { /// /// Amazon Relational Database Service (Amazon RDS) supports importing MySQL databases by using backup files. You can create a backup of your on-premises database, store it on Amazon Simple Storage Service (Amazon S3), and then restore the backup file onto a new Amazon RDS DB instance running MySQL. For more information, see [Restoring a backup into an Amazon RDS for MySQL DB instance](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/MySQL.Procedural.Importing.html) in the Amazon RDS User Guide. This operation doesn't apply to RDS Custom. /// - /// - Parameter RestoreDBInstanceFromS3Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreDBInstanceFromS3Input`) /// - /// - Returns: `RestoreDBInstanceFromS3Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDBInstanceFromS3Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10968,7 +10819,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDBInstanceFromS3Output.httpOutput(from:), RestoreDBInstanceFromS3OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11002,9 +10852,9 @@ extension RDSClient { /// /// Restores a DB instance to an arbitrary point in time. You can restore to any point in time before the time identified by the LatestRestorableTime property. You can restore to a point up to the number of days specified by the BackupRetentionPeriod property. The target database is created with most of the original configuration, but in a system-selected Availability Zone, with the default security group, the default subnet group, and the default DB parameter group. By default, the new DB instance is created as a single-AZ deployment except when the instance is a SQL Server instance that has an option group that is associated with mirroring; in this case, the instance becomes a mirrored deployment and not a single-AZ deployment. This operation doesn't apply to Aurora MySQL and Aurora PostgreSQL. For Aurora, use RestoreDBClusterToPointInTime. /// - /// - Parameter RestoreDBInstanceToPointInTimeInput : + /// - Parameter input: (Type: `RestoreDBInstanceToPointInTimeInput`) /// - /// - Returns: `RestoreDBInstanceToPointInTimeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDBInstanceToPointInTimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11060,7 +10910,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDBInstanceToPointInTimeOutput.httpOutput(from:), RestoreDBInstanceToPointInTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11094,9 +10943,9 @@ extension RDSClient { /// /// Revokes ingress from a DBSecurityGroup for previously authorized IP ranges or EC2 or VPC security groups. Required parameters for this API are one of CIDRIP, EC2SecurityGroupId for VPC, or (EC2SecurityGroupOwnerId and either EC2SecurityGroupName or EC2SecurityGroupId). EC2-Classic was retired on August 15, 2022. If you haven't migrated from EC2-Classic to a VPC, we recommend that you migrate as soon as possible. For more information, see [Migrate from EC2-Classic to a VPC](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/vpc-migrate.html) in the Amazon EC2 User Guide, the blog [EC2-Classic Networking is Retiring – Here’s How to Prepare](http://aws.amazon.com/blogs/aws/ec2-classic-is-retiring-heres-how-to-prepare/), and [Moving a DB instance not in a VPC into a VPC](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_VPC.Non-VPC2VPC.html) in the Amazon RDS User Guide. /// - /// - Parameter RevokeDBSecurityGroupIngressInput : + /// - Parameter input: (Type: `RevokeDBSecurityGroupIngressInput`) /// - /// - Returns: `RevokeDBSecurityGroupIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeDBSecurityGroupIngressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11130,7 +10979,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeDBSecurityGroupIngressOutput.httpOutput(from:), RevokeDBSecurityGroupIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11164,9 +11012,9 @@ extension RDSClient { /// /// Starts a database activity stream to monitor activity on the database. For more information, see [ Monitoring Amazon Aurora with Database Activity Streams](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/DBActivityStreams.html) in the Amazon Aurora User Guide or [ Monitoring Amazon RDS with Database Activity Streams](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/DBActivityStreams.html) in the Amazon RDS User Guide. /// - /// - Parameter StartActivityStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartActivityStreamInput`) /// - /// - Returns: `StartActivityStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartActivityStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11203,7 +11051,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartActivityStreamOutput.httpOutput(from:), StartActivityStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11237,9 +11084,9 @@ extension RDSClient { /// /// Starts an Amazon Aurora DB cluster that was stopped using the Amazon Web Services console, the stop-db-cluster CLI command, or the StopDBCluster operation. For more information, see [ Stopping and Starting an Aurora Cluster](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/aurora-cluster-stop-start.html) in the Amazon Aurora User Guide. This operation only applies to Aurora DB clusters. /// - /// - Parameter StartDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDBClusterInput`) /// - /// - Returns: `StartDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11275,7 +11122,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDBClusterOutput.httpOutput(from:), StartDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11309,9 +11155,9 @@ extension RDSClient { /// /// Starts an Amazon RDS DB instance that was stopped using the Amazon Web Services console, the stop-db-instance CLI command, or the StopDBInstance operation. For more information, see [ Starting an Amazon RDS DB instance That Was Previously Stopped](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_StartInstance.html) in the Amazon RDS User Guide. This command doesn't apply to RDS Custom, Aurora MySQL, and Aurora PostgreSQL. For Aurora DB clusters, use StartDBCluster instead. /// - /// - Parameter StartDBInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDBInstanceInput`) /// - /// - Returns: `StartDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11353,7 +11199,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDBInstanceOutput.httpOutput(from:), StartDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11387,9 +11232,9 @@ extension RDSClient { /// /// Enables replication of automated backups to a different Amazon Web Services Region. This command doesn't apply to RDS Custom. For more information, see [ Replicating Automated Backups to Another Amazon Web Services Region](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_ReplicateBackups.html) in the Amazon RDS User Guide. /// - /// - Parameter StartDBInstanceAutomatedBackupsReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDBInstanceAutomatedBackupsReplicationInput`) /// - /// - Returns: `StartDBInstanceAutomatedBackupsReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDBInstanceAutomatedBackupsReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11426,7 +11271,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDBInstanceAutomatedBackupsReplicationOutput.httpOutput(from:), StartDBInstanceAutomatedBackupsReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11460,9 +11304,9 @@ extension RDSClient { /// /// Starts an export of DB snapshot or DB cluster data to Amazon S3. The provided IAM role must have access to the S3 bucket. You can't export snapshot data from RDS Custom DB instances. For more information, see [ Supported Regions and DB engines for exporting snapshots to S3 in Amazon RDS](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/Concepts.RDS_Fea_Regions_DB-eng.Feature.ExportSnapshotToS3.html). For more information on exporting DB snapshot data, see [Exporting DB snapshot data to Amazon S3](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_ExportSnapshot.html) in the Amazon RDS User Guide or [Exporting DB cluster snapshot data to Amazon S3](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/aurora-export-snapshot.html) in the Amazon Aurora User Guide. For more information on exporting DB cluster data, see [Exporting DB cluster data to Amazon S3](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/export-cluster-data.html) in the Amazon Aurora User Guide. /// - /// - Parameter StartExportTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartExportTaskInput`) /// - /// - Returns: `StartExportTaskOutput` : Contains the details of a snapshot or cluster export to Amazon S3. This data type is used as a response element in the DescribeExportTasks operation. + /// - Returns: Contains the details of a snapshot or cluster export to Amazon S3. This data type is used as a response element in the DescribeExportTasks operation. (Type: `StartExportTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11503,7 +11347,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExportTaskOutput.httpOutput(from:), StartExportTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11537,9 +11380,9 @@ extension RDSClient { /// /// Stops a database activity stream that was started using the Amazon Web Services console, the start-activity-stream CLI command, or the StartActivityStream operation. For more information, see [ Monitoring Amazon Aurora with Database Activity Streams](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/DBActivityStreams.html) in the Amazon Aurora User Guide or [ Monitoring Amazon RDS with Database Activity Streams](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/DBActivityStreams.html) in the Amazon RDS User Guide. /// - /// - Parameter StopActivityStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopActivityStreamInput`) /// - /// - Returns: `StopActivityStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopActivityStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11575,7 +11418,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopActivityStreamOutput.httpOutput(from:), StopActivityStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11609,9 +11451,9 @@ extension RDSClient { /// /// Stops an Amazon Aurora DB cluster. When you stop a DB cluster, Aurora retains the DB cluster's metadata, including its endpoints and DB parameter groups. Aurora also retains the transaction logs so you can do a point-in-time restore if necessary. For more information, see [ Stopping and Starting an Aurora Cluster](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/aurora-cluster-stop-start.html) in the Amazon Aurora User Guide. This operation only applies to Aurora DB clusters. /// - /// - Parameter StopDBClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDBClusterInput`) /// - /// - Returns: `StopDBClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDBClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11646,7 +11488,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDBClusterOutput.httpOutput(from:), StopDBClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11680,9 +11521,9 @@ extension RDSClient { /// /// Stops an Amazon RDS DB instance temporarily. When you stop a DB instance, Amazon RDS retains the DB instance's metadata, including its endpoint, DB parameter group, and option group membership. Amazon RDS also retains the transaction logs so you can do a point-in-time restore if necessary. The instance restarts automatically after 7 days. For more information, see [ Stopping an Amazon RDS DB Instance Temporarily](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_StopInstance.html) in the Amazon RDS User Guide. This command doesn't apply to RDS Custom, Aurora MySQL, and Aurora PostgreSQL. For Aurora clusters, use StopDBCluster instead. /// - /// - Parameter StopDBInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDBInstanceInput`) /// - /// - Returns: `StopDBInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDBInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11718,7 +11559,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDBInstanceOutput.httpOutput(from:), StopDBInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11752,9 +11592,9 @@ extension RDSClient { /// /// Stops automated backup replication for a DB instance. This command doesn't apply to RDS Custom, Aurora MySQL, and Aurora PostgreSQL. For more information, see [ Replicating Automated Backups to Another Amazon Web Services Region](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_ReplicateBackups.html) in the Amazon RDS User Guide. /// - /// - Parameter StopDBInstanceAutomatedBackupsReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDBInstanceAutomatedBackupsReplicationInput`) /// - /// - Returns: `StopDBInstanceAutomatedBackupsReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDBInstanceAutomatedBackupsReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11787,7 +11627,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDBInstanceAutomatedBackupsReplicationOutput.httpOutput(from:), StopDBInstanceAutomatedBackupsReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11821,9 +11660,9 @@ extension RDSClient { /// /// Switches over a blue/green deployment. Before you switch over, production traffic is routed to the databases in the blue environment. After you switch over, production traffic is routed to the databases in the green environment. For more information, see [Using Amazon RDS Blue/Green Deployments for database updates](https://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/blue-green-deployments.html) in the Amazon RDS User Guide and [Using Amazon RDS Blue/Green Deployments for database updates](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/blue-green-deployments.html) in the Amazon Aurora User Guide. /// - /// - Parameter SwitchoverBlueGreenDeploymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SwitchoverBlueGreenDeploymentInput`) /// - /// - Returns: `SwitchoverBlueGreenDeploymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SwitchoverBlueGreenDeploymentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11856,7 +11695,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SwitchoverBlueGreenDeploymentOutput.httpOutput(from:), SwitchoverBlueGreenDeploymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11890,9 +11728,9 @@ extension RDSClient { /// /// Switches over the specified secondary DB cluster to be the new primary DB cluster in the global database cluster. Switchover operations were previously called "managed planned failovers." Aurora promotes the specified secondary cluster to assume full read/write capabilities and demotes the current primary cluster to a secondary (read-only) cluster, maintaining the orginal replication topology. All secondary clusters are synchronized with the primary at the beginning of the process so the new primary continues operations for the Aurora global database without losing any data. Your database is unavailable for a short time while the primary and selected secondary clusters are assuming their new roles. For more information about switching over an Aurora global database, see [Performing switchovers for Amazon Aurora global databases](https://docs.aws.amazon.com/AmazonRDS/latest/AuroraUserGuide/aurora-global-database-disaster-recovery.html#aurora-global-database-disaster-recovery.managed-failover) in the Amazon Aurora User Guide. This operation is intended for controlled environments, for operations such as "regional rotation" or to fall back to the original primary after a global database failover. /// - /// - Parameter SwitchoverGlobalClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SwitchoverGlobalClusterInput`) /// - /// - Returns: `SwitchoverGlobalClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SwitchoverGlobalClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11927,7 +11765,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SwitchoverGlobalClusterOutput.httpOutput(from:), SwitchoverGlobalClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11961,9 +11798,9 @@ extension RDSClient { /// /// Switches over an Oracle standby database in an Oracle Data Guard environment, making it the new primary database. Issue this command in the Region that hosts the current standby database. /// - /// - Parameter SwitchoverReadReplicaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SwitchoverReadReplicaInput`) /// - /// - Returns: `SwitchoverReadReplicaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SwitchoverReadReplicaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11996,7 +11833,6 @@ extension RDSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SwitchoverReadReplicaOutput.httpOutput(from:), SwitchoverReadReplicaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRDSData/Sources/AWSRDSData/RDSDataClient.swift b/Sources/Services/AWSRDSData/Sources/AWSRDSData/RDSDataClient.swift index 4d5c92660c2..438f4de3c94 100644 --- a/Sources/Services/AWSRDSData/Sources/AWSRDSData/RDSDataClient.swift +++ b/Sources/Services/AWSRDSData/Sources/AWSRDSData/RDSDataClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RDSDataClient: ClientRuntime.Client { public static let clientName = "RDSDataClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RDSDataClient.RDSDataClientConfiguration let serviceName = "RDS Data" @@ -372,9 +371,9 @@ extension RDSDataClient { /// /// Runs a batch SQL statement over an array of data. You can run bulk update and insert operations for multiple records using a DML statement with different parameter sets. Bulk operations can provide a significant performance improvement over individual insert and update operations. If a call isn't part of a transaction because it doesn't include the transactionID parameter, changes that result from the call are committed automatically. There isn't a fixed upper limit on the number of parameter sets. However, the maximum size of the HTTP request submitted through the Data API is 4 MiB. If the request exceeds this limit, the Data API returns an error and doesn't process the request. This 4-MiB limit includes the size of the HTTP headers and the JSON notation in the request. Thus, the number of parameter sets that you can include depends on a combination of factors, such as the size of the SQL statement and the size of each parameter set. The response size limit is 1 MiB. If the call returns more than 1 MiB of response data, the call is terminated. /// - /// - Parameter BatchExecuteStatementInput : The request parameters represent the input of a SQL statement over an array of data. + /// - Parameter input: The request parameters represent the input of a SQL statement over an array of data. (Type: `BatchExecuteStatementInput`) /// - /// - Returns: `BatchExecuteStatementOutput` : The response elements represent the output of a SQL statement over an array of data. + /// - Returns: The response elements represent the output of a SQL statement over an array of data. (Type: `BatchExecuteStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -428,7 +427,6 @@ extension RDSDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchExecuteStatementOutput.httpOutput(from:), BatchExecuteStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -460,9 +458,9 @@ extension RDSDataClient { /// /// Starts a SQL transaction. A transaction can run for a maximum of 24 hours. A transaction is terminated and rolled back automatically after 24 hours. A transaction times out if no calls use its transaction ID in three minutes. If a transaction times out before it's committed, it's rolled back automatically. For Aurora MySQL, DDL statements inside a transaction cause an implicit commit. We recommend that you run each MySQL DDL statement in a separate ExecuteStatement call with continueAfterTimeout enabled. /// - /// - Parameter BeginTransactionInput : The request parameters represent the input of a request to start a SQL transaction. + /// - Parameter input: The request parameters represent the input of a request to start a SQL transaction. (Type: `BeginTransactionInput`) /// - /// - Returns: `BeginTransactionOutput` : The response elements represent the output of a request to start a SQL transaction. + /// - Returns: The response elements represent the output of a request to start a SQL transaction. (Type: `BeginTransactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -516,7 +514,6 @@ extension RDSDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BeginTransactionOutput.httpOutput(from:), BeginTransactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -548,9 +545,9 @@ extension RDSDataClient { /// /// Ends a SQL transaction started with the BeginTransaction operation and commits the changes. /// - /// - Parameter CommitTransactionInput : The request parameters represent the input of a commit transaction request. + /// - Parameter input: The request parameters represent the input of a commit transaction request. (Type: `CommitTransactionInput`) /// - /// - Returns: `CommitTransactionOutput` : The response elements represent the output of a commit transaction request. + /// - Returns: The response elements represent the output of a commit transaction request. (Type: `CommitTransactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -604,7 +601,6 @@ extension RDSDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CommitTransactionOutput.httpOutput(from:), CommitTransactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -636,9 +632,9 @@ extension RDSDataClient { /// /// Runs a SQL statement against a database. If a call isn't part of a transaction because it doesn't include the transactionID parameter, changes that result from the call are committed automatically. If the binary response data from the database is more than 1 MB, the call is terminated. /// - /// - Parameter ExecuteStatementInput : The request parameters represent the input of a request to run a SQL statement against a database. + /// - Parameter input: The request parameters represent the input of a request to run a SQL statement against a database. (Type: `ExecuteStatementInput`) /// - /// - Returns: `ExecuteStatementOutput` : The response elements represent the output of a request to run a SQL statement against a database. + /// - Returns: The response elements represent the output of a request to run a SQL statement against a database. (Type: `ExecuteStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -699,7 +695,6 @@ extension RDSDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteStatementOutput.httpOutput(from:), ExecuteStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +726,9 @@ extension RDSDataClient { /// /// Performs a rollback of a transaction. Rolling back a transaction cancels its changes. /// - /// - Parameter RollbackTransactionInput : The request parameters represent the input of a request to perform a rollback of a transaction. + /// - Parameter input: The request parameters represent the input of a request to perform a rollback of a transaction. (Type: `RollbackTransactionInput`) /// - /// - Returns: `RollbackTransactionOutput` : The response elements represent the output of a request to perform a rollback of a transaction. + /// - Returns: The response elements represent the output of a request to perform a rollback of a transaction. (Type: `RollbackTransactionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -787,7 +782,6 @@ extension RDSDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RollbackTransactionOutput.httpOutput(from:), RollbackTransactionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRUM/Sources/AWSRUM/RUMClient.swift b/Sources/Services/AWSRUM/Sources/AWSRUM/RUMClient.swift index 1737a497ceb..f9dbfcb1433 100644 --- a/Sources/Services/AWSRUM/Sources/AWSRUM/RUMClient.swift +++ b/Sources/Services/AWSRUM/Sources/AWSRUM/RUMClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RUMClient: ClientRuntime.Client { public static let clientName = "RUMClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RUMClient.RUMClientConfiguration let serviceName = "RUM" @@ -380,9 +379,9 @@ extension RUMClient { /// /// The maximum number of metric definitions that you can specify in one BatchCreateRumMetricDefinitions operation is 200. The maximum number of metric definitions that one destination can contain is 2000. Extended metrics sent to CloudWatch and RUM custom metrics are charged as CloudWatch custom metrics. Each combination of additional dimension name and dimension value counts as a custom metric. For more information, see [Amazon CloudWatch Pricing](https://aws.amazon.com/cloudwatch/pricing/). You must have already created a destination for the metrics before you send them. For more information, see [PutRumMetricsDestination](https://docs.aws.amazon.com/cloudwatchrum/latest/APIReference/API_PutRumMetricsDestination.html). If some metric definitions specified in a BatchCreateRumMetricDefinitions operations are not valid, those metric definitions fail and return errors, but all valid metric definitions in the same operation still succeed. /// - /// - Parameter BatchCreateRumMetricDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchCreateRumMetricDefinitionsInput`) /// - /// - Returns: `BatchCreateRumMetricDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchCreateRumMetricDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -422,7 +421,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchCreateRumMetricDefinitionsOutput.httpOutput(from:), BatchCreateRumMetricDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -454,9 +452,9 @@ extension RUMClient { /// /// Removes the specified metrics from being sent to an extended metrics destination. If some metric definition IDs specified in a BatchDeleteRumMetricDefinitions operations are not valid, those metric definitions fail and return errors, but all valid metric definition IDs in the same operation are still deleted. The maximum number of metric definitions that you can specify in one BatchDeleteRumMetricDefinitions operation is 200. /// - /// - Parameter BatchDeleteRumMetricDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteRumMetricDefinitionsInput`) /// - /// - Returns: `BatchDeleteRumMetricDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteRumMetricDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension RUMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(BatchDeleteRumMetricDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteRumMetricDefinitionsOutput.httpOutput(from:), BatchDeleteRumMetricDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension RUMClient { /// /// Retrieves the list of metrics and dimensions that a RUM app monitor is sending to a single destination. /// - /// - Parameter BatchGetRumMetricDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetRumMetricDefinitionsInput`) /// - /// - Returns: `BatchGetRumMetricDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetRumMetricDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension RUMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(BatchGetRumMetricDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetRumMetricDefinitionsOutput.httpOutput(from:), BatchGetRumMetricDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -594,9 +590,9 @@ extension RUMClient { /// /// Creates a Amazon CloudWatch RUM app monitor, which collects telemetry data from your application and sends that data to RUM. The data includes performance and reliability information such as page load time, client-side errors, and user behavior. You use this operation only to create a new app monitor. To update an existing app monitor, use [UpdateAppMonitor](https://docs.aws.amazon.com/cloudwatchrum/latest/APIReference/API_UpdateAppMonitor.html) instead. After you create an app monitor, sign in to the CloudWatch RUM console to get the JavaScript code snippet to add to your web application. For more information, see [How do I find a code snippet that I've already generated?](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-RUM-find-code-snippet.html) /// - /// - Parameter CreateAppMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppMonitorInput`) /// - /// - Returns: `CreateAppMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -636,7 +632,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppMonitorOutput.httpOutput(from:), CreateAppMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -668,9 +663,9 @@ extension RUMClient { /// /// Deletes an existing app monitor. This immediately stops the collection of data. /// - /// - Parameter DeleteAppMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppMonitorInput`) /// - /// - Returns: `DeleteAppMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppMonitorOutput.httpOutput(from:), DeleteAppMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -738,9 +732,9 @@ extension RUMClient { /// /// Removes the association of a resource-based policy from an app monitor. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -779,7 +773,6 @@ extension RUMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteResourcePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -811,9 +804,9 @@ extension RUMClient { /// /// Deletes a destination for CloudWatch RUM extended metrics, so that the specified app monitor stops sending extended metrics to that destination. /// - /// - Parameter DeleteRumMetricsDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRumMetricsDestinationInput`) /// - /// - Returns: `DeleteRumMetricsDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRumMetricsDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -850,7 +843,6 @@ extension RUMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteRumMetricsDestinationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRumMetricsDestinationOutput.httpOutput(from:), DeleteRumMetricsDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -882,9 +874,9 @@ extension RUMClient { /// /// Retrieves the complete configuration information for one app monitor. /// - /// - Parameter GetAppMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAppMonitorInput`) /// - /// - Returns: `GetAppMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAppMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +911,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAppMonitorOutput.httpOutput(from:), GetAppMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -951,9 +942,9 @@ extension RUMClient { /// /// Retrieves the raw performance events that RUM has collected from your web application, so that you can do your own processing or analysis of this data. /// - /// - Parameter GetAppMonitorDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAppMonitorDataInput`) /// - /// - Returns: `GetAppMonitorDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAppMonitorDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -991,7 +982,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAppMonitorDataOutput.httpOutput(from:), GetAppMonitorDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1023,9 +1013,9 @@ extension RUMClient { /// /// Use this operation to retrieve information about a resource-based policy that is attached to an app monitor. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1062,7 +1052,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1094,9 +1083,9 @@ extension RUMClient { /// /// Returns a list of the Amazon CloudWatch RUM app monitors in the account. /// - /// - Parameter ListAppMonitorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppMonitorsInput`) /// - /// - Returns: `ListAppMonitorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppMonitorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1131,7 +1120,6 @@ extension RUMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppMonitorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppMonitorsOutput.httpOutput(from:), ListAppMonitorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1163,9 +1151,9 @@ extension RUMClient { /// /// Returns a list of destinations that you have created to receive RUM extended metrics, for the specified app monitor. For more information about extended metrics, see [AddRumMetrics](https://docs.aws.amazon.com/cloudwatchrum/latest/APIReference/API_AddRumMetrcs.html). /// - /// - Parameter ListRumMetricsDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRumMetricsDestinationsInput`) /// - /// - Returns: `ListRumMetricsDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRumMetricsDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1200,7 +1188,6 @@ extension RUMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRumMetricsDestinationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRumMetricsDestinationsOutput.httpOutput(from:), ListRumMetricsDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1232,9 +1219,9 @@ extension RUMClient { /// /// Displays the tags associated with a CloudWatch RUM resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1267,7 +1254,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1299,9 +1285,9 @@ extension RUMClient { /// /// Use this operation to assign a resource-based policy to a CloudWatch RUM app monitor to control access to it. Each app monitor can have one resource-based policy. The maximum size of the policy is 4 KB. To learn more about using resource policies with RUM, see [Using resource-based policies with CloudWatch RUM](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-RUM-resource-policies.html). /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1343,7 +1329,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1375,9 +1360,9 @@ extension RUMClient { /// /// Sends telemetry events about your application performance and user behavior to CloudWatch RUM. The code snippet that RUM generates for you to add to your application includes PutRumEvents operations to send this data to RUM. Each PutRumEvents operation can send a batch of events from one user session. /// - /// - Parameter PutRumEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRumEventsInput`) /// - /// - Returns: `PutRumEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRumEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1415,7 +1400,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRumEventsOutput.httpOutput(from:), PutRumEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1447,9 +1431,9 @@ extension RUMClient { /// /// Creates or updates a destination to receive extended metrics from CloudWatch RUM. You can send extended metrics to CloudWatch or to a CloudWatch Evidently experiment. For more information about extended metrics, see [BatchCreateRumMetricDefinitions](https://docs.aws.amazon.com/cloudwatchrum/latest/APIReference/API_BatchCreateRumMetricDefinitions.html). /// - /// - Parameter PutRumMetricsDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRumMetricsDestinationInput`) /// - /// - Returns: `PutRumMetricsDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRumMetricsDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1488,7 +1472,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRumMetricsDestinationOutput.httpOutput(from:), PutRumMetricsDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1520,9 +1503,9 @@ extension RUMClient { /// /// Assigns one or more tags (key-value pairs) to the specified CloudWatch RUM resource. Currently, the only resources that can be tagged app monitors. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with a resource that already has tags. If you specify a new tag key for the resource, this tag is appended to the list of tags associated with the alarm. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a resource. For more information, see [Tagging Amazon Web Services resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1558,7 +1541,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1590,9 +1572,9 @@ extension RUMClient { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1626,7 +1608,6 @@ extension RUMClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1658,9 +1639,9 @@ extension RUMClient { /// /// Updates the configuration of an existing app monitor. When you use this operation, only the parts of the app monitor configuration that you specify in this operation are changed. For any parameters that you omit, the existing values are kept. You can't use this operation to change the tags of an existing app monitor. To change the tags of an existing app monitor, use [TagResource](https://docs.aws.amazon.com/cloudwatchrum/latest/APIReference/API_TagResource.html). To create a new app monitor, use [CreateAppMonitor](https://docs.aws.amazon.com/cloudwatchrum/latest/APIReference/API_CreateAppMonitor.html). After you update an app monitor, sign in to the CloudWatch RUM console to get the updated JavaScript code snippet to add to your web application. For more information, see [How do I find a code snippet that I've already generated?](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-RUM-find-code-snippet.html) /// - /// - Parameter UpdateAppMonitorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppMonitorInput`) /// - /// - Returns: `UpdateAppMonitorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppMonitorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1699,7 +1680,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppMonitorOutput.httpOutput(from:), UpdateAppMonitorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1731,9 +1711,9 @@ extension RUMClient { /// /// Modifies one existing metric definition for CloudWatch RUM extended metrics. For more information about extended metrics, see [BatchCreateRumMetricsDefinitions](https://docs.aws.amazon.com/cloudwatchrum/latest/APIReference/API_BatchCreateRumMetricsDefinitions.html). /// - /// - Parameter UpdateRumMetricDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRumMetricDefinitionInput`) /// - /// - Returns: `UpdateRumMetricDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRumMetricDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1773,7 +1753,6 @@ extension RUMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRumMetricDefinitionOutput.httpOutput(from:), UpdateRumMetricDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRbin/Sources/AWSRbin/RbinClient.swift b/Sources/Services/AWSRbin/Sources/AWSRbin/RbinClient.swift index 6eceabae076..3a878d28665 100644 --- a/Sources/Services/AWSRbin/Sources/AWSRbin/RbinClient.swift +++ b/Sources/Services/AWSRbin/Sources/AWSRbin/RbinClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RbinClient: ClientRuntime.Client { public static let clientName = "RbinClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RbinClient.RbinClientConfiguration let serviceName = "rbin" @@ -381,9 +380,9 @@ extension RbinClient { /// /// For more information, see [ Create Recycle Bin retention rules](https://docs.aws.amazon.com/ebs/latest/userguide/recycle-bin.html) in the Amazon EBS User Guide. /// - /// - Parameter CreateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleInput`) /// - /// - Returns: `CreateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension RbinClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleOutput.httpOutput(from:), CreateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension RbinClient { /// /// Deletes a Recycle Bin retention rule. For more information, see [ Delete Recycle Bin retention rules](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/recycle-bin-working-with-rules.html#recycle-bin-delete-rule) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter DeleteRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleInput`) /// - /// - Returns: `DeleteRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension RbinClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleOutput.httpOutput(from:), DeleteRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension RbinClient { /// /// Gets information about a Recycle Bin retention rule. /// - /// - Parameter GetRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuleInput`) /// - /// - Returns: `GetRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension RbinClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuleOutput.httpOutput(from:), GetRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension RbinClient { /// /// Lists the Recycle Bin retention rules in the Region. /// - /// - Parameter ListRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesInput`) /// - /// - Returns: `ListRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -623,7 +619,6 @@ extension RbinClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesOutput.httpOutput(from:), ListRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -655,9 +650,9 @@ extension RbinClient { /// /// Lists the tags assigned to a retention rule. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -690,7 +685,6 @@ extension RbinClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension RbinClient { /// /// Locks a Region-level retention rule. A locked retention rule can't be modified or deleted. You can't lock tag-level retention rules, or Region-level retention rules that have exclusion tags. /// - /// - Parameter LockRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `LockRuleInput`) /// - /// - Returns: `LockRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `LockRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -761,7 +755,6 @@ extension RbinClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(LockRuleOutput.httpOutput(from:), LockRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -793,9 +786,9 @@ extension RbinClient { /// /// Assigns tags to the specified retention rule. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -832,7 +825,6 @@ extension RbinClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -864,9 +856,9 @@ extension RbinClient { /// /// Unlocks a retention rule. After a retention rule is unlocked, it can be modified or deleted only after the unlock delay period expires. /// - /// - Parameter UnlockRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnlockRuleInput`) /// - /// - Returns: `UnlockRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnlockRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -900,7 +892,6 @@ extension RbinClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnlockRuleOutput.httpOutput(from:), UnlockRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +923,9 @@ extension RbinClient { /// /// Unassigns a tag from a retention rule. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -968,7 +959,6 @@ extension RbinClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1000,9 +990,9 @@ extension RbinClient { /// /// Updates an existing Recycle Bin retention rule. You can update a retention rule's description, resource tags, and retention period at any time after creation. You can't update a retention rule's resource type after creation. For more information, see [ Update Recycle Bin retention rules](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/recycle-bin-working-with-rules.html#recycle-bin-update-rule) in the Amazon Elastic Compute Cloud User Guide. /// - /// - Parameter UpdateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleInput`) /// - /// - Returns: `UpdateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1040,7 +1030,6 @@ extension RbinClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleOutput.httpOutput(from:), UpdateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRedshift/Sources/AWSRedshift/RedshiftClient.swift b/Sources/Services/AWSRedshift/Sources/AWSRedshift/RedshiftClient.swift index 48b0e965c3f..8c625c06cb6 100644 --- a/Sources/Services/AWSRedshift/Sources/AWSRedshift/RedshiftClient.swift +++ b/Sources/Services/AWSRedshift/Sources/AWSRedshift/RedshiftClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RedshiftClient: ClientRuntime.Client { public static let clientName = "RedshiftClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RedshiftClient.RedshiftClientConfiguration let serviceName = "Redshift" @@ -373,9 +372,9 @@ extension RedshiftClient { /// /// Exchanges a DC1 Reserved Node for a DC2 Reserved Node with no changes to the configuration (term, payment type, or number of nodes) and no additional costs. /// - /// - Parameter AcceptReservedNodeExchangeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptReservedNodeExchangeInput`) /// - /// - Returns: `AcceptReservedNodeExchangeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptReservedNodeExchangeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptReservedNodeExchangeOutput.httpOutput(from:), AcceptReservedNodeExchangeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension RedshiftClient { /// /// Adds a partner integration to a cluster. This operation authorizes a partner to push status updates for the specified database. To complete the integration, you also set up the integration on the partner website. /// - /// - Parameter AddPartnerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddPartnerInput`) /// - /// - Returns: `AddPartnerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddPartnerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddPartnerOutput.httpOutput(from:), AddPartnerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension RedshiftClient { /// /// From a datashare consumer account, associates a datashare with the account (AssociateEntireAccount) or the specified namespace (ConsumerArn). If you make this association, the consumer can consume the datashare. /// - /// - Parameter AssociateDataShareConsumerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDataShareConsumerInput`) /// - /// - Returns: `AssociateDataShareConsumerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDataShareConsumerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDataShareConsumerOutput.httpOutput(from:), AssociateDataShareConsumerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension RedshiftClient { /// /// Adds an inbound (ingress) rule to an Amazon Redshift security group. Depending on whether the application accessing your cluster is running on the Internet or an Amazon EC2 instance, you can authorize inbound access to either a Classless Interdomain Routing (CIDR)/Internet Protocol (IP) range or to an Amazon EC2 security group. You can add as many as 20 ingress rules to an Amazon Redshift security group. If you authorize access to an Amazon EC2 security group, specify EC2SecurityGroupName and EC2SecurityGroupOwnerId. The Amazon EC2 security group and Amazon Redshift cluster must be in the same Amazon Web Services Region. If you authorize access to a CIDR/IP address range, specify CIDRIP. For an overview of CIDR blocks, see the Wikipedia article on [Classless Inter-Domain Routing](http://en.wikipedia.org/wiki/Classless_Inter-Domain_Routing). You must also associate the security group with a cluster so that clients running on these IP addresses or the EC2 instance are authorized to connect to the cluster. For information about managing security groups, go to [Working with Security Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-security-groups.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter AuthorizeClusterSecurityGroupIngressInput : + /// - Parameter input: (Type: `AuthorizeClusterSecurityGroupIngressInput`) /// - /// - Returns: `AuthorizeClusterSecurityGroupIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AuthorizeClusterSecurityGroupIngressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -624,7 +620,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeClusterSecurityGroupIngressOutput.httpOutput(from:), AuthorizeClusterSecurityGroupIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -658,9 +653,9 @@ extension RedshiftClient { /// /// From a data producer account, authorizes the sharing of a datashare with one or more consumer accounts or managing entities. To authorize a datashare for a data consumer, the producer account must have the correct access permissions. /// - /// - Parameter AuthorizeDataShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AuthorizeDataShareInput`) /// - /// - Returns: `AuthorizeDataShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AuthorizeDataShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -692,7 +687,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeDataShareOutput.httpOutput(from:), AuthorizeDataShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -726,9 +720,9 @@ extension RedshiftClient { /// /// Grants access to a cluster. /// - /// - Parameter AuthorizeEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AuthorizeEndpointAccessInput`) /// - /// - Returns: `AuthorizeEndpointAccessOutput` : Describes an endpoint authorization for authorizing Redshift-managed VPC endpoint access to a cluster across Amazon Web Services accounts. + /// - Returns: Describes an endpoint authorization for authorizing Redshift-managed VPC endpoint access to a cluster across Amazon Web Services accounts. (Type: `AuthorizeEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -765,7 +759,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeEndpointAccessOutput.httpOutput(from:), AuthorizeEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension RedshiftClient { /// /// Authorizes the specified Amazon Web Services account to restore the specified snapshot. For more information about working with snapshots, go to [Amazon Redshift Snapshots](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-snapshots.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter AuthorizeSnapshotAccessInput : + /// - Parameter input: (Type: `AuthorizeSnapshotAccessInput`) /// - /// - Returns: `AuthorizeSnapshotAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AuthorizeSnapshotAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -839,7 +832,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeSnapshotAccessOutput.httpOutput(from:), AuthorizeSnapshotAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension RedshiftClient { /// /// Deletes a set of cluster snapshots. /// - /// - Parameter BatchDeleteClusterSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteClusterSnapshotsInput`) /// - /// - Returns: `BatchDeleteClusterSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteClusterSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -907,7 +899,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteClusterSnapshotsOutput.httpOutput(from:), BatchDeleteClusterSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -941,9 +932,9 @@ extension RedshiftClient { /// /// Modifies the settings for a set of cluster snapshots. /// - /// - Parameter BatchModifyClusterSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchModifyClusterSnapshotsInput`) /// - /// - Returns: `BatchModifyClusterSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchModifyClusterSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +967,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchModifyClusterSnapshotsOutput.httpOutput(from:), BatchModifyClusterSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1010,9 +1000,9 @@ extension RedshiftClient { /// /// Cancels a resize operation for a cluster. /// - /// - Parameter CancelResizeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelResizeInput`) /// - /// - Returns: `CancelResizeOutput` : Describes the result of a cluster resize operation. + /// - Returns: Describes the result of a cluster resize operation. (Type: `CancelResizeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1047,7 +1037,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelResizeOutput.httpOutput(from:), CancelResizeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1081,9 +1070,9 @@ extension RedshiftClient { /// /// Copies the specified automated cluster snapshot to a new manual cluster snapshot. The source must be an automated snapshot and it must be in the available state. When you delete a cluster, Amazon Redshift deletes any automated snapshots of the cluster. Also, when the retention period of the snapshot expires, Amazon Redshift automatically deletes it. If you want to keep an automated snapshot for a longer period, you can make a manual copy of the snapshot. Manual snapshots are retained until you delete them. For more information about working with snapshots, go to [Amazon Redshift Snapshots](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-snapshots.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter CopyClusterSnapshotInput : + /// - Parameter input: (Type: `CopyClusterSnapshotInput`) /// - /// - Returns: `CopyClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1120,7 +1109,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyClusterSnapshotOutput.httpOutput(from:), CopyClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1154,9 +1142,9 @@ extension RedshiftClient { /// /// Creates an authentication profile with the specified parameters. /// - /// - Parameter CreateAuthenticationProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAuthenticationProfileInput`) /// - /// - Returns: `CreateAuthenticationProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAuthenticationProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1190,7 +1178,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAuthenticationProfileOutput.httpOutput(from:), CreateAuthenticationProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1235,9 +1222,9 @@ extension RedshiftClient { /// /// For more information about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateClusterInput : + /// - Parameter input: (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1293,7 +1280,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1327,9 +1313,9 @@ extension RedshiftClient { /// /// Creates an Amazon Redshift parameter group. Creating parameter groups is independent of creating clusters. You can associate a cluster with a parameter group when you create the cluster. You can also associate an existing cluster with a parameter group after the cluster is created by using [ModifyCluster]. Parameters in the parameter group define specific behavior that applies to the databases you create on the cluster. For more information about parameters and parameter groups, go to [Amazon Redshift Parameter Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-parameter-groups.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter CreateClusterParameterGroupInput : + /// - Parameter input: (Type: `CreateClusterParameterGroupInput`) /// - /// - Returns: `CreateClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1364,7 +1350,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterParameterGroupOutput.httpOutput(from:), CreateClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1398,9 +1383,9 @@ extension RedshiftClient { /// /// Creates a new Amazon Redshift security group. You use security groups to control access to non-VPC clusters. For information about managing security groups, go to [Amazon Redshift Cluster Security Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-security-groups.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter CreateClusterSecurityGroupInput : + /// - Parameter input: (Type: `CreateClusterSecurityGroupInput`) /// - /// - Returns: `CreateClusterSecurityGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterSecurityGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1435,7 +1420,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterSecurityGroupOutput.httpOutput(from:), CreateClusterSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1469,9 +1453,9 @@ extension RedshiftClient { /// /// Creates a manual snapshot of the specified cluster. The cluster must be in the available state. For more information about working with snapshots, go to [Amazon Redshift Snapshots](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-snapshots.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter CreateClusterSnapshotInput : + /// - Parameter input: (Type: `CreateClusterSnapshotInput`) /// - /// - Returns: `CreateClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1509,7 +1493,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterSnapshotOutput.httpOutput(from:), CreateClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1543,9 +1526,9 @@ extension RedshiftClient { /// /// Creates a new Amazon Redshift subnet group. You must provide a list of one or more subnets in your existing Amazon Virtual Private Cloud (Amazon VPC) when creating Amazon Redshift subnet group. For information about subnet groups, go to [Amazon Redshift Cluster Subnet Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-cluster-subnet-groups.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter CreateClusterSubnetGroupInput : + /// - Parameter input: (Type: `CreateClusterSubnetGroupInput`) /// - /// - Returns: `CreateClusterSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1584,7 +1567,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterSubnetGroupOutput.httpOutput(from:), CreateClusterSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1618,9 +1600,9 @@ extension RedshiftClient { /// /// Used to create a custom domain name for a cluster. Properties include the custom domain name, the cluster the custom domain is associated with, and the certificate Amazon Resource Name (ARN). /// - /// - Parameter CreateCustomDomainAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomDomainAssociationInput`) /// - /// - Returns: `CreateCustomDomainAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1654,7 +1636,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomDomainAssociationOutput.httpOutput(from:), CreateCustomDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1688,9 +1669,9 @@ extension RedshiftClient { /// /// Creates a Redshift-managed VPC endpoint. /// - /// - Parameter CreateEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEndpointAccessInput`) /// - /// - Returns: `CreateEndpointAccessOutput` : Describes a Redshift-managed VPC endpoint. + /// - Returns: Describes a Redshift-managed VPC endpoint. (Type: `CreateEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1731,7 +1712,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEndpointAccessOutput.httpOutput(from:), CreateEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1765,9 +1745,9 @@ extension RedshiftClient { /// /// Creates an Amazon Redshift event notification subscription. This action requires an ARN (Amazon Resource Name) of an Amazon SNS topic created by either the Amazon Redshift console, the Amazon SNS console, or the Amazon SNS API. To obtain an ARN with Amazon SNS, you must create a topic in Amazon SNS and subscribe to the topic. The ARN is displayed in the SNS console. You can specify the source type, and lists of Amazon Redshift source IDs, event categories, and event severities. Notifications will be sent for all events you want that match those criteria. For example, you can specify source type = cluster, source ID = my-cluster-1 and mycluster2, event categories = Availability, Backup, and severity = ERROR. The subscription will only send notifications for those ERROR events in the Availability and Backup categories for the specified clusters. If you specify both the source type and source IDs, such as source type = cluster and source identifier = my-cluster-1, notifications will be sent for all the cluster events for my-cluster-1. If you specify a source type but do not specify a source identifier, you will receive notice of the events for the objects of that type in your Amazon Web Services account. If you do not specify either the SourceType nor the SourceIdentifier, you will be notified of events generated from all Amazon Redshift sources belonging to your Amazon Web Services account. You must specify a source type if you specify a source ID. /// - /// - Parameter CreateEventSubscriptionInput : + /// - Parameter input: (Type: `CreateEventSubscriptionInput`) /// - /// - Returns: `CreateEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1809,7 +1789,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEventSubscriptionOutput.httpOutput(from:), CreateEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1843,9 +1822,9 @@ extension RedshiftClient { /// /// Creates an HSM client certificate that an Amazon Redshift cluster will use to connect to the client's HSM in order to store and retrieve the keys used to encrypt the cluster databases. The command returns a public key, which you must store in the HSM. In addition to creating the HSM certificate, you must create an Amazon Redshift HSM configuration that provides a cluster the information needed to store and use encryption keys in the HSM. For more information, go to [Hardware Security Modules](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-db-encryption.html#working-with-HSM) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter CreateHsmClientCertificateInput : + /// - Parameter input: (Type: `CreateHsmClientCertificateInput`) /// - /// - Returns: `CreateHsmClientCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHsmClientCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1880,7 +1859,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHsmClientCertificateOutput.httpOutput(from:), CreateHsmClientCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1914,9 +1892,9 @@ extension RedshiftClient { /// /// Creates an HSM configuration that contains the information required by an Amazon Redshift cluster to store and use database encryption keys in a Hardware Security Module (HSM). After creating the HSM configuration, you can specify it as a parameter when creating a cluster. The cluster will then store its encryption keys in the HSM. In addition to creating an HSM configuration, you must also create an HSM client certificate. For more information, go to [Hardware Security Modules](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-HSM.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter CreateHsmConfigurationInput : + /// - Parameter input: (Type: `CreateHsmConfigurationInput`) /// - /// - Returns: `CreateHsmConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHsmConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1951,7 +1929,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHsmConfigurationOutput.httpOutput(from:), CreateHsmConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1985,9 +1962,9 @@ extension RedshiftClient { /// /// Creates a zero-ETL integration or S3 event integration with Amazon Redshift. /// - /// - Parameter CreateIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIntegrationInput`) /// - /// - Returns: `CreateIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2027,7 +2004,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIntegrationOutput.httpOutput(from:), CreateIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2061,9 +2037,9 @@ extension RedshiftClient { /// /// Creates an Amazon Redshift application for use with IAM Identity Center. /// - /// - Parameter CreateRedshiftIdcApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRedshiftIdcApplicationInput`) /// - /// - Returns: `CreateRedshiftIdcApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRedshiftIdcApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2101,7 +2077,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRedshiftIdcApplicationOutput.httpOutput(from:), CreateRedshiftIdcApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2135,9 +2110,9 @@ extension RedshiftClient { /// /// Creates a scheduled action. A scheduled action contains a schedule and an Amazon Redshift API action. For example, you can create a schedule of when to run the ResizeCluster API operation. /// - /// - Parameter CreateScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScheduledActionInput`) /// - /// - Returns: `CreateScheduledActionOutput` : Describes a scheduled action. You can use a scheduled action to trigger some Amazon Redshift API operations on a schedule. For information about which API operations can be scheduled, see [ScheduledActionType]. + /// - Returns: Describes a scheduled action. You can use a scheduled action to trigger some Amazon Redshift API operations on a schedule. For information about which API operations can be scheduled, see [ScheduledActionType]. (Type: `CreateScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2176,7 +2151,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScheduledActionOutput.httpOutput(from:), CreateScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2210,9 +2184,9 @@ extension RedshiftClient { /// /// Creates a snapshot copy grant that permits Amazon Redshift to use an encrypted symmetric key from Key Management Service (KMS) to encrypt copied snapshots in a destination region. For more information about managing snapshot copy grants, go to [Amazon Redshift Database Encryption](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-db-encryption.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter CreateSnapshotCopyGrantInput : The result of the CreateSnapshotCopyGrant action. + /// - Parameter input: The result of the CreateSnapshotCopyGrant action. (Type: `CreateSnapshotCopyGrantInput`) /// - /// - Returns: `CreateSnapshotCopyGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSnapshotCopyGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2249,7 +2223,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotCopyGrantOutput.httpOutput(from:), CreateSnapshotCopyGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2283,9 +2256,9 @@ extension RedshiftClient { /// /// Create a snapshot schedule that can be associated to a cluster and which overrides the default system backup schedule. /// - /// - Parameter CreateSnapshotScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSnapshotScheduleInput`) /// - /// - Returns: `CreateSnapshotScheduleOutput` : Describes a snapshot schedule. You can set a regular interval for creating snapshots of a cluster. You can also schedule snapshots for specific dates. + /// - Returns: Describes a snapshot schedule. You can set a regular interval for creating snapshots of a cluster. You can also schedule snapshots for specific dates. (Type: `CreateSnapshotScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2322,7 +2295,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotScheduleOutput.httpOutput(from:), CreateSnapshotScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2356,9 +2328,9 @@ extension RedshiftClient { /// /// Adds tags to a cluster. A resource can have up to 50 tags. If you try to create more than 50 tags for a resource, you will receive an error and the attempt will fail. If you specify a key that already exists for the resource, the value for that key will be updated with the new value. /// - /// - Parameter CreateTagsInput : Contains the output from the CreateTags action. + /// - Parameter input: Contains the output from the CreateTags action. (Type: `CreateTagsInput`) /// - /// - Returns: `CreateTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2393,7 +2365,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTagsOutput.httpOutput(from:), CreateTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2427,9 +2398,9 @@ extension RedshiftClient { /// /// Creates a usage limit for a specified Amazon Redshift feature on a cluster. The usage limit is identified by the returned usage limit identifier. /// - /// - Parameter CreateUsageLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUsageLimitInput`) /// - /// - Returns: `CreateUsageLimitOutput` : Describes a usage limit object for a cluster. + /// - Returns: Describes a usage limit object for a cluster. (Type: `CreateUsageLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2467,7 +2438,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUsageLimitOutput.httpOutput(from:), CreateUsageLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2501,9 +2471,9 @@ extension RedshiftClient { /// /// From a datashare producer account, removes authorization from the specified datashare. /// - /// - Parameter DeauthorizeDataShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeauthorizeDataShareInput`) /// - /// - Returns: `DeauthorizeDataShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeauthorizeDataShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2535,7 +2505,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeauthorizeDataShareOutput.httpOutput(from:), DeauthorizeDataShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2569,9 +2538,9 @@ extension RedshiftClient { /// /// Deletes an authentication profile. /// - /// - Parameter DeleteAuthenticationProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAuthenticationProfileInput`) /// - /// - Returns: `DeleteAuthenticationProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAuthenticationProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2604,7 +2573,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAuthenticationProfileOutput.httpOutput(from:), DeleteAuthenticationProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2638,9 +2606,9 @@ extension RedshiftClient { /// /// Deletes a previously provisioned cluster without its final snapshot being created. A successful response from the web service indicates that the request was received correctly. Use [DescribeClusters] to monitor the status of the deletion. The delete operation cannot be canceled or reverted once submitted. For more information about managing clusters, go to [Amazon Redshift Clusters](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-clusters.html) in the Amazon Redshift Cluster Management Guide. If you want to shut down the cluster and retain it for future use, set SkipFinalClusterSnapshot to false and specify a name for FinalClusterSnapshotIdentifier. You can later restore this snapshot to resume using the cluster. If a final cluster snapshot is requested, the status of the cluster will be "final-snapshot" while the snapshot is being taken, then it's "deleting" once Amazon Redshift begins deleting the cluster. For more information about managing clusters, go to [Amazon Redshift Clusters](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-clusters.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter DeleteClusterInput : + /// - Parameter input: (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2676,7 +2644,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2710,9 +2677,9 @@ extension RedshiftClient { /// /// Deletes a specified Amazon Redshift parameter group. You cannot delete a parameter group if it is associated with a cluster. /// - /// - Parameter DeleteClusterParameterGroupInput : + /// - Parameter input: (Type: `DeleteClusterParameterGroupInput`) /// - /// - Returns: `DeleteClusterParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2745,7 +2712,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterParameterGroupOutput.httpOutput(from:), DeleteClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2779,9 +2745,9 @@ extension RedshiftClient { /// /// Deletes an Amazon Redshift security group. You cannot delete a security group that is associated with any clusters. You cannot delete the default security group. For information about managing security groups, go to [Amazon Redshift Cluster Security Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-security-groups.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter DeleteClusterSecurityGroupInput : + /// - Parameter input: (Type: `DeleteClusterSecurityGroupInput`) /// - /// - Returns: `DeleteClusterSecurityGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterSecurityGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2814,7 +2780,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterSecurityGroupOutput.httpOutput(from:), DeleteClusterSecurityGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2848,9 +2813,9 @@ extension RedshiftClient { /// /// Deletes the specified manual snapshot. The snapshot must be in the available state, with no other users authorized to access the snapshot. Unlike automated snapshots, manual snapshots are retained even after you delete your cluster. Amazon Redshift does not delete your manual snapshots. You must delete manual snapshot explicitly to avoid getting charged. If other accounts are authorized to access the snapshot, you must revoke all of the authorizations before you can delete the snapshot. /// - /// - Parameter DeleteClusterSnapshotInput : + /// - Parameter input: (Type: `DeleteClusterSnapshotInput`) /// - /// - Returns: `DeleteClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2883,7 +2848,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterSnapshotOutput.httpOutput(from:), DeleteClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2917,9 +2881,9 @@ extension RedshiftClient { /// /// Deletes the specified cluster subnet group. /// - /// - Parameter DeleteClusterSubnetGroupInput : + /// - Parameter input: (Type: `DeleteClusterSubnetGroupInput`) /// - /// - Returns: `DeleteClusterSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2953,7 +2917,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterSubnetGroupOutput.httpOutput(from:), DeleteClusterSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2987,9 +2950,9 @@ extension RedshiftClient { /// /// Contains information about deleting a custom domain association for a cluster. /// - /// - Parameter DeleteCustomDomainAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomDomainAssociationInput`) /// - /// - Returns: `DeleteCustomDomainAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3024,7 +2987,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomDomainAssociationOutput.httpOutput(from:), DeleteCustomDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3058,9 +3020,9 @@ extension RedshiftClient { /// /// Deletes a Redshift-managed VPC endpoint. /// - /// - Parameter DeleteEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEndpointAccessInput`) /// - /// - Returns: `DeleteEndpointAccessOutput` : Describes a Redshift-managed VPC endpoint. + /// - Returns: Describes a Redshift-managed VPC endpoint. (Type: `DeleteEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3096,7 +3058,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointAccessOutput.httpOutput(from:), DeleteEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3130,9 +3091,9 @@ extension RedshiftClient { /// /// Deletes an Amazon Redshift event notification subscription. /// - /// - Parameter DeleteEventSubscriptionInput : + /// - Parameter input: (Type: `DeleteEventSubscriptionInput`) /// - /// - Returns: `DeleteEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3165,7 +3126,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEventSubscriptionOutput.httpOutput(from:), DeleteEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3199,9 +3159,9 @@ extension RedshiftClient { /// /// Deletes the specified HSM client certificate. /// - /// - Parameter DeleteHsmClientCertificateInput : + /// - Parameter input: (Type: `DeleteHsmClientCertificateInput`) /// - /// - Returns: `DeleteHsmClientCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHsmClientCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3234,7 +3194,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHsmClientCertificateOutput.httpOutput(from:), DeleteHsmClientCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3268,9 +3227,9 @@ extension RedshiftClient { /// /// Deletes the specified Amazon Redshift HSM configuration. /// - /// - Parameter DeleteHsmConfigurationInput : + /// - Parameter input: (Type: `DeleteHsmConfigurationInput`) /// - /// - Returns: `DeleteHsmConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHsmConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3303,7 +3262,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHsmConfigurationOutput.httpOutput(from:), DeleteHsmConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3337,9 +3295,9 @@ extension RedshiftClient { /// /// Deletes a zero-ETL integration or S3 event integration with Amazon Redshift. /// - /// - Parameter DeleteIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIntegrationInput`) /// - /// - Returns: `DeleteIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3374,7 +3332,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIntegrationOutput.httpOutput(from:), DeleteIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3408,9 +3365,9 @@ extension RedshiftClient { /// /// Deletes a partner integration from a cluster. Data can still flow to the cluster until the integration is deleted at the partner's website. /// - /// - Parameter DeletePartnerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePartnerInput`) /// - /// - Returns: `DeletePartnerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePartnerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3445,7 +3402,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePartnerOutput.httpOutput(from:), DeletePartnerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3479,9 +3435,9 @@ extension RedshiftClient { /// /// Deletes an Amazon Redshift IAM Identity Center application. /// - /// - Parameter DeleteRedshiftIdcApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRedshiftIdcApplicationInput`) /// - /// - Returns: `DeleteRedshiftIdcApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRedshiftIdcApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3516,7 +3472,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRedshiftIdcApplicationOutput.httpOutput(from:), DeleteRedshiftIdcApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3550,9 +3505,9 @@ extension RedshiftClient { /// /// Deletes the resource policy for a specified resource. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3585,7 +3540,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3619,9 +3573,9 @@ extension RedshiftClient { /// /// Deletes a scheduled action. /// - /// - Parameter DeleteScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScheduledActionInput`) /// - /// - Returns: `DeleteScheduledActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3654,7 +3608,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScheduledActionOutput.httpOutput(from:), DeleteScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3688,9 +3641,9 @@ extension RedshiftClient { /// /// Deletes the specified snapshot copy grant. /// - /// - Parameter DeleteSnapshotCopyGrantInput : The result of the DeleteSnapshotCopyGrant action. + /// - Parameter input: The result of the DeleteSnapshotCopyGrant action. (Type: `DeleteSnapshotCopyGrantInput`) /// - /// - Returns: `DeleteSnapshotCopyGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSnapshotCopyGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3723,7 +3676,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSnapshotCopyGrantOutput.httpOutput(from:), DeleteSnapshotCopyGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3757,9 +3709,9 @@ extension RedshiftClient { /// /// Deletes a snapshot schedule. /// - /// - Parameter DeleteSnapshotScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSnapshotScheduleInput`) /// - /// - Returns: `DeleteSnapshotScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSnapshotScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3792,7 +3744,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSnapshotScheduleOutput.httpOutput(from:), DeleteSnapshotScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3826,9 +3777,9 @@ extension RedshiftClient { /// /// Deletes tags from a resource. You must provide the ARN of the resource from which you want to delete the tag or tags. /// - /// - Parameter DeleteTagsInput : Contains the output from the DeleteTags action. + /// - Parameter input: Contains the output from the DeleteTags action. (Type: `DeleteTagsInput`) /// - /// - Returns: `DeleteTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3861,7 +3812,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsOutput.httpOutput(from:), DeleteTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3895,9 +3845,9 @@ extension RedshiftClient { /// /// Deletes a usage limit from a cluster. /// - /// - Parameter DeleteUsageLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUsageLimitInput`) /// - /// - Returns: `DeleteUsageLimitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUsageLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3930,7 +3880,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUsageLimitOutput.httpOutput(from:), DeleteUsageLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3964,9 +3913,9 @@ extension RedshiftClient { /// /// Deregisters a cluster or serverless namespace from the Amazon Web Services Glue Data Catalog. /// - /// - Parameter DeregisterNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterNamespaceInput`) /// - /// - Returns: `DeregisterNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4000,7 +3949,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterNamespaceOutput.httpOutput(from:), DeregisterNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4034,9 +3982,9 @@ extension RedshiftClient { /// /// Returns a list of attributes attached to an account /// - /// - Parameter DescribeAccountAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountAttributesInput`) /// - /// - Returns: `DescribeAccountAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountAttributesOutput`) public func describeAccountAttributes(input: DescribeAccountAttributesInput) async throws -> DescribeAccountAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4063,7 +4011,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountAttributesOutput.httpOutput(from:), DescribeAccountAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4097,9 +4044,9 @@ extension RedshiftClient { /// /// Describes an authentication profile. /// - /// - Parameter DescribeAuthenticationProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAuthenticationProfilesInput`) /// - /// - Returns: `DescribeAuthenticationProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAuthenticationProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4132,7 +4079,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAuthenticationProfilesOutput.httpOutput(from:), DescribeAuthenticationProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4166,9 +4112,9 @@ extension RedshiftClient { /// /// Returns an array of ClusterDbRevision objects. /// - /// - Parameter DescribeClusterDbRevisionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterDbRevisionsInput`) /// - /// - Returns: `DescribeClusterDbRevisionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterDbRevisionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4201,7 +4147,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterDbRevisionsOutput.httpOutput(from:), DescribeClusterDbRevisionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4235,9 +4180,9 @@ extension RedshiftClient { /// /// Returns a list of Amazon Redshift parameter groups, including parameter groups you created and the default parameter group. For each parameter group, the response includes the parameter group name, description, and parameter group family name. You can optionally specify a name to retrieve the description of a specific parameter group. For more information about parameters and parameter groups, go to [Amazon Redshift Parameter Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-parameter-groups.html) in the Amazon Redshift Cluster Management Guide. If you specify both tag keys and tag values in the same request, Amazon Redshift returns all parameter groups that match any combination of the specified keys and values. For example, if you have owner and environment for tag keys, and admin and test for tag values, all parameter groups that have any combination of those values are returned. If both tag keys and values are omitted from the request, parameter groups are returned regardless of whether they have tag keys or values associated with them. /// - /// - Parameter DescribeClusterParameterGroupsInput : + /// - Parameter input: (Type: `DescribeClusterParameterGroupsInput`) /// - /// - Returns: `DescribeClusterParameterGroupsOutput` : Contains the output from the [DescribeClusterParameterGroups] action. + /// - Returns: Contains the output from the [DescribeClusterParameterGroups] action. (Type: `DescribeClusterParameterGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4270,7 +4215,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterParameterGroupsOutput.httpOutput(from:), DescribeClusterParameterGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4304,9 +4248,9 @@ extension RedshiftClient { /// /// Returns a detailed list of parameters contained within the specified Amazon Redshift parameter group. For each parameter the response includes information such as parameter name, description, data type, value, whether the parameter value is modifiable, and so on. You can specify source filter to retrieve parameters of only specific type. For example, to retrieve parameters that were modified by a user action such as from [ModifyClusterParameterGroup], you can specify source equal to user. For more information about parameters and parameter groups, go to [Amazon Redshift Parameter Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-parameter-groups.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter DescribeClusterParametersInput : + /// - Parameter input: (Type: `DescribeClusterParametersInput`) /// - /// - Returns: `DescribeClusterParametersOutput` : Contains the output from the [DescribeClusterParameters] action. + /// - Returns: Contains the output from the [DescribeClusterParameters] action. (Type: `DescribeClusterParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4338,7 +4282,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterParametersOutput.httpOutput(from:), DescribeClusterParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4372,9 +4315,9 @@ extension RedshiftClient { /// /// Returns information about Amazon Redshift security groups. If the name of a security group is specified, the response will contain only information about only that security group. For information about managing security groups, go to [Amazon Redshift Cluster Security Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-security-groups.html) in the Amazon Redshift Cluster Management Guide. If you specify both tag keys and tag values in the same request, Amazon Redshift returns all security groups that match any combination of the specified keys and values. For example, if you have owner and environment for tag keys, and admin and test for tag values, all security groups that have any combination of those values are returned. If both tag keys and values are omitted from the request, security groups are returned regardless of whether they have tag keys or values associated with them. /// - /// - Parameter DescribeClusterSecurityGroupsInput : + /// - Parameter input: (Type: `DescribeClusterSecurityGroupsInput`) /// - /// - Returns: `DescribeClusterSecurityGroupsOutput` : + /// - Returns: (Type: `DescribeClusterSecurityGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4407,7 +4350,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterSecurityGroupsOutput.httpOutput(from:), DescribeClusterSecurityGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4441,9 +4383,9 @@ extension RedshiftClient { /// /// Returns one or more snapshot objects, which contain metadata about your cluster snapshots. By default, this operation returns information about all snapshots of all clusters that are owned by your Amazon Web Services account. No information is returned for snapshots owned by inactive Amazon Web Services accounts. If you specify both tag keys and tag values in the same request, Amazon Redshift returns all snapshots that match any combination of the specified keys and values. For example, if you have owner and environment for tag keys, and admin and test for tag values, all snapshots that have any combination of those values are returned. Only snapshots that you own are returned in the response; shared snapshots are not returned with the tag key and tag value request parameters. If both tag keys and values are omitted from the request, snapshots are returned regardless of whether they have tag keys or values associated with them. /// - /// - Parameter DescribeClusterSnapshotsInput : + /// - Parameter input: (Type: `DescribeClusterSnapshotsInput`) /// - /// - Returns: `DescribeClusterSnapshotsOutput` : Contains the output from the [DescribeClusterSnapshots] action. + /// - Returns: Contains the output from the [DescribeClusterSnapshots] action. (Type: `DescribeClusterSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4478,7 +4420,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterSnapshotsOutput.httpOutput(from:), DescribeClusterSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4512,9 +4453,9 @@ extension RedshiftClient { /// /// Returns one or more cluster subnet group objects, which contain metadata about your cluster subnet groups. By default, this operation returns information about all cluster subnet groups that are defined in your Amazon Web Services account. If you specify both tag keys and tag values in the same request, Amazon Redshift returns all subnet groups that match any combination of the specified keys and values. For example, if you have owner and environment for tag keys, and admin and test for tag values, all subnet groups that have any combination of those values are returned. If both tag keys and values are omitted from the request, subnet groups are returned regardless of whether they have tag keys or values associated with them. /// - /// - Parameter DescribeClusterSubnetGroupsInput : + /// - Parameter input: (Type: `DescribeClusterSubnetGroupsInput`) /// - /// - Returns: `DescribeClusterSubnetGroupsOutput` : Contains the output from the [DescribeClusterSubnetGroups] action. + /// - Returns: Contains the output from the [DescribeClusterSubnetGroups] action. (Type: `DescribeClusterSubnetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4547,7 +4488,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterSubnetGroupsOutput.httpOutput(from:), DescribeClusterSubnetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4581,9 +4521,9 @@ extension RedshiftClient { /// /// Returns a list of all the available maintenance tracks. /// - /// - Parameter DescribeClusterTracksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterTracksInput`) /// - /// - Returns: `DescribeClusterTracksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterTracksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4616,7 +4556,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterTracksOutput.httpOutput(from:), DescribeClusterTracksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4650,9 +4589,9 @@ extension RedshiftClient { /// /// Returns descriptions of the available Amazon Redshift cluster versions. You can call this operation even before creating any clusters to learn more about the Amazon Redshift versions. For more information about managing clusters, go to [Amazon Redshift Clusters](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-clusters.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter DescribeClusterVersionsInput : + /// - Parameter input: (Type: `DescribeClusterVersionsInput`) /// - /// - Returns: `DescribeClusterVersionsOutput` : Contains the output from the [DescribeClusterVersions] action. + /// - Returns: Contains the output from the [DescribeClusterVersions] action. (Type: `DescribeClusterVersionsOutput`) public func describeClusterVersions(input: DescribeClusterVersionsInput) async throws -> DescribeClusterVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4679,7 +4618,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterVersionsOutput.httpOutput(from:), DescribeClusterVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4713,9 +4651,9 @@ extension RedshiftClient { /// /// Returns properties of provisioned clusters including general cluster properties, cluster database properties, maintenance and backup properties, and security and access properties. This operation supports pagination. For more information about managing clusters, go to [Amazon Redshift Clusters](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-clusters.html) in the Amazon Redshift Cluster Management Guide. If you specify both tag keys and tag values in the same request, Amazon Redshift returns all clusters that match any combination of the specified keys and values. For example, if you have owner and environment for tag keys, and admin and test for tag values, all clusters that have any combination of those values are returned. If both tag keys and values are omitted from the request, clusters are returned regardless of whether they have tag keys or values associated with them. /// - /// - Parameter DescribeClustersInput : + /// - Parameter input: (Type: `DescribeClustersInput`) /// - /// - Returns: `DescribeClustersOutput` : Contains the output from the [DescribeClusters] action. + /// - Returns: Contains the output from the [DescribeClusters] action. (Type: `DescribeClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4748,7 +4686,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClustersOutput.httpOutput(from:), DescribeClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4782,9 +4719,9 @@ extension RedshiftClient { /// /// Contains information about custom domain associations for a cluster. /// - /// - Parameter DescribeCustomDomainAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomDomainAssociationsInput`) /// - /// - Returns: `DescribeCustomDomainAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomDomainAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4817,7 +4754,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomDomainAssociationsOutput.httpOutput(from:), DescribeCustomDomainAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4851,9 +4787,9 @@ extension RedshiftClient { /// /// Shows the status of any inbound or outbound datashares available in the specified account. /// - /// - Parameter DescribeDataSharesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataSharesInput`) /// - /// - Returns: `DescribeDataSharesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4885,7 +4821,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataSharesOutput.httpOutput(from:), DescribeDataSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4919,9 +4854,9 @@ extension RedshiftClient { /// /// Returns a list of datashares where the account identifier being called is a consumer account identifier. /// - /// - Parameter DescribeDataSharesForConsumerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataSharesForConsumerInput`) /// - /// - Returns: `DescribeDataSharesForConsumerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataSharesForConsumerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4953,7 +4888,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataSharesForConsumerOutput.httpOutput(from:), DescribeDataSharesForConsumerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4987,9 +4921,9 @@ extension RedshiftClient { /// /// Returns a list of datashares when the account identifier being called is a producer account identifier. /// - /// - Parameter DescribeDataSharesForProducerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataSharesForProducerInput`) /// - /// - Returns: `DescribeDataSharesForProducerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataSharesForProducerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5021,7 +4955,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataSharesForProducerOutput.httpOutput(from:), DescribeDataSharesForProducerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5055,9 +4988,9 @@ extension RedshiftClient { /// /// Returns a list of parameter settings for the specified parameter group family. For more information about parameters and parameter groups, go to [Amazon Redshift Parameter Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-parameter-groups.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter DescribeDefaultClusterParametersInput : + /// - Parameter input: (Type: `DescribeDefaultClusterParametersInput`) /// - /// - Returns: `DescribeDefaultClusterParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDefaultClusterParametersOutput`) public func describeDefaultClusterParameters(input: DescribeDefaultClusterParametersInput) async throws -> DescribeDefaultClusterParametersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5084,7 +5017,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDefaultClusterParametersOutput.httpOutput(from:), DescribeDefaultClusterParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5118,9 +5050,9 @@ extension RedshiftClient { /// /// Describes a Redshift-managed VPC endpoint. /// - /// - Parameter DescribeEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointAccessInput`) /// - /// - Returns: `DescribeEndpointAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5154,7 +5086,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointAccessOutput.httpOutput(from:), DescribeEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5188,9 +5119,9 @@ extension RedshiftClient { /// /// Describes an endpoint authorization. /// - /// - Parameter DescribeEndpointAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointAuthorizationInput`) /// - /// - Returns: `DescribeEndpointAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5223,7 +5154,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointAuthorizationOutput.httpOutput(from:), DescribeEndpointAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5257,9 +5187,9 @@ extension RedshiftClient { /// /// Displays a list of event categories for all event source types, or for a specified source type. For a list of the event categories and source types, go to [Amazon Redshift Event Notifications](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-event-notifications.html). /// - /// - Parameter DescribeEventCategoriesInput : + /// - Parameter input: (Type: `DescribeEventCategoriesInput`) /// - /// - Returns: `DescribeEventCategoriesOutput` : + /// - Returns: (Type: `DescribeEventCategoriesOutput`) public func describeEventCategories(input: DescribeEventCategoriesInput) async throws -> DescribeEventCategoriesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5286,7 +5216,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventCategoriesOutput.httpOutput(from:), DescribeEventCategoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5320,9 +5249,9 @@ extension RedshiftClient { /// /// Lists descriptions of all the Amazon Redshift event notification subscriptions for a customer account. If you specify a subscription name, lists the description for that subscription. If you specify both tag keys and tag values in the same request, Amazon Redshift returns all event notification subscriptions that match any combination of the specified keys and values. For example, if you have owner and environment for tag keys, and admin and test for tag values, all subscriptions that have any combination of those values are returned. If both tag keys and values are omitted from the request, subscriptions are returned regardless of whether they have tag keys or values associated with them. /// - /// - Parameter DescribeEventSubscriptionsInput : + /// - Parameter input: (Type: `DescribeEventSubscriptionsInput`) /// - /// - Returns: `DescribeEventSubscriptionsOutput` : + /// - Returns: (Type: `DescribeEventSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5355,7 +5284,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventSubscriptionsOutput.httpOutput(from:), DescribeEventSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5389,9 +5317,9 @@ extension RedshiftClient { /// /// Returns events related to clusters, security groups, snapshots, and parameter groups for the past 14 days. Events specific to a particular cluster, security group, snapshot or parameter group can be obtained by providing the name as a parameter. By default, the past hour of events are returned. /// - /// - Parameter DescribeEventsInput : + /// - Parameter input: (Type: `DescribeEventsInput`) /// - /// - Returns: `DescribeEventsOutput` : + /// - Returns: (Type: `DescribeEventsOutput`) public func describeEvents(input: DescribeEventsInput) async throws -> DescribeEventsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5418,7 +5346,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEventsOutput.httpOutput(from:), DescribeEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5452,9 +5379,9 @@ extension RedshiftClient { /// /// Returns information about the specified HSM client certificate. If no certificate ID is specified, returns information about all the HSM certificates owned by your Amazon Web Services account. If you specify both tag keys and tag values in the same request, Amazon Redshift returns all HSM client certificates that match any combination of the specified keys and values. For example, if you have owner and environment for tag keys, and admin and test for tag values, all HSM client certificates that have any combination of those values are returned. If both tag keys and values are omitted from the request, HSM client certificates are returned regardless of whether they have tag keys or values associated with them. /// - /// - Parameter DescribeHsmClientCertificatesInput : + /// - Parameter input: (Type: `DescribeHsmClientCertificatesInput`) /// - /// - Returns: `DescribeHsmClientCertificatesOutput` : + /// - Returns: (Type: `DescribeHsmClientCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5487,7 +5414,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHsmClientCertificatesOutput.httpOutput(from:), DescribeHsmClientCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5521,9 +5447,9 @@ extension RedshiftClient { /// /// Returns information about the specified Amazon Redshift HSM configuration. If no configuration ID is specified, returns information about all the HSM configurations owned by your Amazon Web Services account. If you specify both tag keys and tag values in the same request, Amazon Redshift returns all HSM connections that match any combination of the specified keys and values. For example, if you have owner and environment for tag keys, and admin and test for tag values, all HSM connections that have any combination of those values are returned. If both tag keys and values are omitted from the request, HSM connections are returned regardless of whether they have tag keys or values associated with them. /// - /// - Parameter DescribeHsmConfigurationsInput : + /// - Parameter input: (Type: `DescribeHsmConfigurationsInput`) /// - /// - Returns: `DescribeHsmConfigurationsOutput` : + /// - Returns: (Type: `DescribeHsmConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5556,7 +5482,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHsmConfigurationsOutput.httpOutput(from:), DescribeHsmConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5590,9 +5515,9 @@ extension RedshiftClient { /// /// Returns a list of inbound integrations. /// - /// - Parameter DescribeInboundIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInboundIntegrationsInput`) /// - /// - Returns: `DescribeInboundIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInboundIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5626,7 +5551,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInboundIntegrationsOutput.httpOutput(from:), DescribeInboundIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5660,9 +5584,9 @@ extension RedshiftClient { /// /// Describes one or more zero-ETL or S3 event integrations with Amazon Redshift. /// - /// - Parameter DescribeIntegrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIntegrationsInput`) /// - /// - Returns: `DescribeIntegrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIntegrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5695,7 +5619,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIntegrationsOutput.httpOutput(from:), DescribeIntegrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5729,9 +5652,9 @@ extension RedshiftClient { /// /// Describes whether information, such as queries and connection attempts, is being logged for the specified Amazon Redshift cluster. /// - /// - Parameter DescribeLoggingStatusInput : + /// - Parameter input: (Type: `DescribeLoggingStatusInput`) /// - /// - Returns: `DescribeLoggingStatusOutput` : Describes the status of logging for a cluster. + /// - Returns: Describes the status of logging for a cluster. (Type: `DescribeLoggingStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5764,7 +5687,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLoggingStatusOutput.httpOutput(from:), DescribeLoggingStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5798,9 +5720,9 @@ extension RedshiftClient { /// /// Returns properties of possible node configurations such as node type, number of nodes, and disk usage for the specified action type. /// - /// - Parameter DescribeNodeConfigurationOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNodeConfigurationOptionsInput`) /// - /// - Returns: `DescribeNodeConfigurationOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNodeConfigurationOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5836,7 +5758,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNodeConfigurationOptionsOutput.httpOutput(from:), DescribeNodeConfigurationOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5870,9 +5791,9 @@ extension RedshiftClient { /// /// Returns a list of orderable cluster options. Before you create a new cluster you can use this operation to find what options are available, such as the EC2 Availability Zones (AZ) in the specific Amazon Web Services Region that you can specify, and the node types you can request. The node types differ by available storage, memory, CPU and price. With the cost involved you might want to obtain a list of cluster options in the specific region and specify values when creating a cluster. For more information about managing clusters, go to [Amazon Redshift Clusters](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-clusters.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter DescribeOrderableClusterOptionsInput : + /// - Parameter input: (Type: `DescribeOrderableClusterOptionsInput`) /// - /// - Returns: `DescribeOrderableClusterOptionsOutput` : Contains the output from the [DescribeOrderableClusterOptions] action. + /// - Returns: Contains the output from the [DescribeOrderableClusterOptions] action. (Type: `DescribeOrderableClusterOptionsOutput`) public func describeOrderableClusterOptions(input: DescribeOrderableClusterOptionsInput) async throws -> DescribeOrderableClusterOptionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5899,7 +5820,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrderableClusterOptionsOutput.httpOutput(from:), DescribeOrderableClusterOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5933,9 +5853,9 @@ extension RedshiftClient { /// /// Returns information about the partner integrations defined for a cluster. /// - /// - Parameter DescribePartnersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePartnersInput`) /// - /// - Returns: `DescribePartnersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePartnersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5969,7 +5889,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePartnersOutput.httpOutput(from:), DescribePartnersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6003,9 +5922,9 @@ extension RedshiftClient { /// /// Lists the Amazon Redshift IAM Identity Center applications. /// - /// - Parameter DescribeRedshiftIdcApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRedshiftIdcApplicationsInput`) /// - /// - Returns: `DescribeRedshiftIdcApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRedshiftIdcApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6040,7 +5959,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRedshiftIdcApplicationsOutput.httpOutput(from:), DescribeRedshiftIdcApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6074,9 +5992,9 @@ extension RedshiftClient { /// /// Returns exchange status details and associated metadata for a reserved-node exchange. Statuses include such values as in progress and requested. /// - /// - Parameter DescribeReservedNodeExchangeStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReservedNodeExchangeStatusInput`) /// - /// - Returns: `DescribeReservedNodeExchangeStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReservedNodeExchangeStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6110,7 +6028,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedNodeExchangeStatusOutput.httpOutput(from:), DescribeReservedNodeExchangeStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6144,9 +6061,9 @@ extension RedshiftClient { /// /// Returns a list of the available reserved node offerings by Amazon Redshift with their descriptions including the node type, the fixed and recurring costs of reserving the node and duration the node will be reserved for you. These descriptions help you determine which reserve node offering you want to purchase. You then use the unique offering ID in you call to [PurchaseReservedNodeOffering] to reserve one or more nodes for your Amazon Redshift cluster. For more information about reserved node offerings, go to [Purchasing Reserved Nodes](https://docs.aws.amazon.com/redshift/latest/mgmt/purchase-reserved-node-instance.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter DescribeReservedNodeOfferingsInput : + /// - Parameter input: (Type: `DescribeReservedNodeOfferingsInput`) /// - /// - Returns: `DescribeReservedNodeOfferingsOutput` : + /// - Returns: (Type: `DescribeReservedNodeOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6180,7 +6097,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedNodeOfferingsOutput.httpOutput(from:), DescribeReservedNodeOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6214,9 +6130,9 @@ extension RedshiftClient { /// /// Returns the descriptions of the reserved nodes. /// - /// - Parameter DescribeReservedNodesInput : + /// - Parameter input: (Type: `DescribeReservedNodesInput`) /// - /// - Returns: `DescribeReservedNodesOutput` : + /// - Returns: (Type: `DescribeReservedNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6249,7 +6165,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedNodesOutput.httpOutput(from:), DescribeReservedNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6283,9 +6198,9 @@ extension RedshiftClient { /// /// Returns information about the last resize operation for the specified cluster. If no resize operation has ever been initiated for the specified cluster, a HTTP 404 error is returned. If a resize operation was initiated and completed, the status of the resize remains as SUCCEEDED until the next resize. A resize operation can be requested using [ModifyCluster] and specifying a different number or type of nodes for the cluster. /// - /// - Parameter DescribeResizeInput : + /// - Parameter input: (Type: `DescribeResizeInput`) /// - /// - Returns: `DescribeResizeOutput` : Describes the result of a cluster resize operation. + /// - Returns: Describes the result of a cluster resize operation. (Type: `DescribeResizeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6319,7 +6234,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResizeOutput.httpOutput(from:), DescribeResizeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6353,9 +6267,9 @@ extension RedshiftClient { /// /// Describes properties of scheduled actions. /// - /// - Parameter DescribeScheduledActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScheduledActionsInput`) /// - /// - Returns: `DescribeScheduledActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScheduledActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6388,7 +6302,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScheduledActionsOutput.httpOutput(from:), DescribeScheduledActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6422,9 +6335,9 @@ extension RedshiftClient { /// /// Returns a list of snapshot copy grants owned by the Amazon Web Services account in the destination region. For more information about managing snapshot copy grants, go to [Amazon Redshift Database Encryption](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-db-encryption.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter DescribeSnapshotCopyGrantsInput : The result of the DescribeSnapshotCopyGrants action. + /// - Parameter input: The result of the DescribeSnapshotCopyGrants action. (Type: `DescribeSnapshotCopyGrantsInput`) /// - /// - Returns: `DescribeSnapshotCopyGrantsOutput` : + /// - Returns: (Type: `DescribeSnapshotCopyGrantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6457,7 +6370,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSnapshotCopyGrantsOutput.httpOutput(from:), DescribeSnapshotCopyGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6491,9 +6403,9 @@ extension RedshiftClient { /// /// Returns a list of snapshot schedules. /// - /// - Parameter DescribeSnapshotSchedulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSnapshotSchedulesInput`) /// - /// - Returns: `DescribeSnapshotSchedulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSnapshotSchedulesOutput`) public func describeSnapshotSchedules(input: DescribeSnapshotSchedulesInput) async throws -> DescribeSnapshotSchedulesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6520,7 +6432,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSnapshotSchedulesOutput.httpOutput(from:), DescribeSnapshotSchedulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6554,9 +6465,9 @@ extension RedshiftClient { /// /// Returns account level backups storage size and provisional storage. /// - /// - Parameter DescribeStorageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStorageInput`) /// - /// - Returns: `DescribeStorageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStorageOutput`) public func describeStorage(input: DescribeStorageInput) async throws -> DescribeStorageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6583,7 +6494,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStorageOutput.httpOutput(from:), DescribeStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6617,9 +6527,9 @@ extension RedshiftClient { /// /// Lists the status of one or more table restore requests made using the [RestoreTableFromClusterSnapshot] API action. If you don't specify a value for the TableRestoreRequestId parameter, then DescribeTableRestoreStatus returns the status of all table restore requests ordered by the date and time of the request in ascending order. Otherwise DescribeTableRestoreStatus returns the status of the table specified by TableRestoreRequestId. /// - /// - Parameter DescribeTableRestoreStatusInput : + /// - Parameter input: (Type: `DescribeTableRestoreStatusInput`) /// - /// - Returns: `DescribeTableRestoreStatusOutput` : + /// - Returns: (Type: `DescribeTableRestoreStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6652,7 +6562,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTableRestoreStatusOutput.httpOutput(from:), DescribeTableRestoreStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6695,9 +6604,9 @@ extension RedshiftClient { /// /// If you specify both tag keys and tag values in the same request, Amazon Redshift returns all resources that match any combination of the specified keys and values. For example, if you have owner and environment for tag keys, and admin and test for tag values, all resources that have any combination of those values are returned. If both tag keys and values are omitted from the request, resources are returned regardless of whether they have tag keys or values associated with them. /// - /// - Parameter DescribeTagsInput : + /// - Parameter input: (Type: `DescribeTagsInput`) /// - /// - Returns: `DescribeTagsOutput` : + /// - Returns: (Type: `DescribeTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6730,7 +6639,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagsOutput.httpOutput(from:), DescribeTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6772,9 +6680,9 @@ extension RedshiftClient { /// /// * If cluster identifier and feature type are provided, then all usage limit objects for the combination of cluster and feature are returned. /// - /// - Parameter DescribeUsageLimitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUsageLimitsInput`) /// - /// - Returns: `DescribeUsageLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUsageLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6807,7 +6715,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUsageLimitsOutput.httpOutput(from:), DescribeUsageLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6841,9 +6748,9 @@ extension RedshiftClient { /// /// Stops logging information, such as queries and connection attempts, for the specified Amazon Redshift cluster. /// - /// - Parameter DisableLoggingInput : + /// - Parameter input: (Type: `DisableLoggingInput`) /// - /// - Returns: `DisableLoggingOutput` : Describes the status of logging for a cluster. + /// - Returns: Describes the status of logging for a cluster. (Type: `DisableLoggingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6877,7 +6784,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableLoggingOutput.httpOutput(from:), DisableLoggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6911,9 +6817,9 @@ extension RedshiftClient { /// /// Disables the automatic copying of snapshots from one region to another region for a specified cluster. If your cluster and its snapshots are encrypted using an encrypted symmetric key from Key Management Service, use [DeleteSnapshotCopyGrant] to delete the grant that grants Amazon Redshift permission to the key in the destination region. /// - /// - Parameter DisableSnapshotCopyInput : + /// - Parameter input: (Type: `DisableSnapshotCopyInput`) /// - /// - Returns: `DisableSnapshotCopyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableSnapshotCopyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6949,7 +6855,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableSnapshotCopyOutput.httpOutput(from:), DisableSnapshotCopyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6983,9 +6888,9 @@ extension RedshiftClient { /// /// From a datashare consumer account, remove association for the specified datashare. /// - /// - Parameter DisassociateDataShareConsumerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateDataShareConsumerInput`) /// - /// - Returns: `DisassociateDataShareConsumerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateDataShareConsumerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7018,7 +6923,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateDataShareConsumerOutput.httpOutput(from:), DisassociateDataShareConsumerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7052,9 +6956,9 @@ extension RedshiftClient { /// /// Starts logging information, such as queries and connection attempts, for the specified Amazon Redshift cluster. /// - /// - Parameter EnableLoggingInput : + /// - Parameter input: (Type: `EnableLoggingInput`) /// - /// - Returns: `EnableLoggingOutput` : Describes the status of logging for a cluster. + /// - Returns: Describes the status of logging for a cluster. (Type: `EnableLoggingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7092,7 +6996,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableLoggingOutput.httpOutput(from:), EnableLoggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7126,9 +7029,9 @@ extension RedshiftClient { /// /// Enables the automatic copy of snapshots from one region to another region for a specified cluster. /// - /// - Parameter EnableSnapshotCopyInput : + /// - Parameter input: (Type: `EnableSnapshotCopyInput`) /// - /// - Returns: `EnableSnapshotCopyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableSnapshotCopyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7170,7 +7073,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableSnapshotCopyOutput.httpOutput(from:), EnableSnapshotCopyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7204,9 +7106,9 @@ extension RedshiftClient { /// /// Fails over the primary compute unit of the specified Multi-AZ cluster to another Availability Zone. /// - /// - Parameter FailoverPrimaryComputeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `FailoverPrimaryComputeInput`) /// - /// - Returns: `FailoverPrimaryComputeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `FailoverPrimaryComputeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7241,7 +7143,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(FailoverPrimaryComputeOutput.httpOutput(from:), FailoverPrimaryComputeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7275,9 +7176,9 @@ extension RedshiftClient { /// /// Returns a database user name and temporary password with temporary authorization to log on to an Amazon Redshift database. The action returns the database user name prefixed with IAM: if AutoCreate is False or IAMA: if AutoCreate is True. You can optionally specify one or more database user groups that the user will join at log on. By default, the temporary credentials expire in 900 seconds. You can optionally specify a duration between 900 seconds (15 minutes) and 3600 seconds (60 minutes). For more information, see [Using IAM Authentication to Generate Database User Credentials](https://docs.aws.amazon.com/redshift/latest/mgmt/generating-user-credentials.html) in the Amazon Redshift Cluster Management Guide. The Identity and Access Management (IAM) user or role that runs GetClusterCredentials must have an IAM policy attached that allows access to all necessary actions and resources. For more information about permissions, see [Resource Policies for GetClusterCredentials](https://docs.aws.amazon.com/redshift/latest/mgmt/redshift-iam-access-control-identity-based.html#redshift-policy-resources.getclustercredentials-resources) in the Amazon Redshift Cluster Management Guide. If the DbGroups parameter is specified, the IAM policy must allow the redshift:JoinGroup action with access to the listed dbgroups. In addition, if the AutoCreate parameter is set to True, then the policy must include the redshift:CreateClusterUser permission. If the DbName parameter is specified, the IAM policy must allow access to the resource dbname for the specified database name. /// - /// - Parameter GetClusterCredentialsInput : The request parameters to get cluster credentials. + /// - Parameter input: The request parameters to get cluster credentials. (Type: `GetClusterCredentialsInput`) /// - /// - Returns: `GetClusterCredentialsOutput` : Temporary credentials with authorization to log on to an Amazon Redshift database. + /// - Returns: Temporary credentials with authorization to log on to an Amazon Redshift database. (Type: `GetClusterCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7310,7 +7211,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClusterCredentialsOutput.httpOutput(from:), GetClusterCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7344,9 +7244,9 @@ extension RedshiftClient { /// /// Returns a database user name and temporary password with temporary authorization to log in to an Amazon Redshift database. The database user is mapped 1:1 to the source Identity and Access Management (IAM) identity. For more information about IAM identities, see [IAM Identities (users, user groups, and roles)](https://docs.aws.amazon.com/IAM/latest/UserGuide/id.html) in the Amazon Web Services Identity and Access Management User Guide. The Identity and Access Management (IAM) identity that runs this operation must have an IAM policy attached that allows access to all necessary actions and resources. For more information about permissions, see [Using identity-based policies (IAM policies)](https://docs.aws.amazon.com/redshift/latest/mgmt/redshift-iam-access-control-identity-based.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter GetClusterCredentialsWithIAMInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetClusterCredentialsWithIAMInput`) /// - /// - Returns: `GetClusterCredentialsWithIAMOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetClusterCredentialsWithIAMOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7379,7 +7279,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetClusterCredentialsWithIAMOutput.httpOutput(from:), GetClusterCredentialsWithIAMOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7413,9 +7312,9 @@ extension RedshiftClient { /// /// Gets the configuration options for the reserved-node exchange. These options include information about the source reserved node and target reserved node offering. Details include the node type, the price, the node count, and the offering type. /// - /// - Parameter GetReservedNodeExchangeConfigurationOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReservedNodeExchangeConfigurationOptionsInput`) /// - /// - Returns: `GetReservedNodeExchangeConfigurationOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReservedNodeExchangeConfigurationOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7454,7 +7353,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReservedNodeExchangeConfigurationOptionsOutput.httpOutput(from:), GetReservedNodeExchangeConfigurationOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7488,9 +7386,9 @@ extension RedshiftClient { /// /// Returns an array of DC2 ReservedNodeOfferings that matches the payment type, term, and usage price of the given DC1 reserved node. /// - /// - Parameter GetReservedNodeExchangeOfferingsInput : + /// - Parameter input: (Type: `GetReservedNodeExchangeOfferingsInput`) /// - /// - Returns: `GetReservedNodeExchangeOfferingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReservedNodeExchangeOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7527,7 +7425,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReservedNodeExchangeOfferingsOutput.httpOutput(from:), GetReservedNodeExchangeOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7561,9 +7458,9 @@ extension RedshiftClient { /// /// Get the resource policy for a specified resource. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7597,7 +7494,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7631,9 +7527,9 @@ extension RedshiftClient { /// /// List the Amazon Redshift Advisor recommendations for one or multiple Amazon Redshift clusters in an Amazon Web Services account. /// - /// - Parameter ListRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendationsInput`) /// - /// - Returns: `ListRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7666,7 +7562,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendationsOutput.httpOutput(from:), ListRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7700,9 +7595,9 @@ extension RedshiftClient { /// /// This operation is retired. Calling this operation does not change AQUA configuration. Amazon Redshift automatically determines whether to use AQUA (Advanced Query Accelerator). /// - /// - Parameter ModifyAquaConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyAquaConfigurationInput`) /// - /// - Returns: `ModifyAquaConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyAquaConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7736,7 +7631,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyAquaConfigurationOutput.httpOutput(from:), ModifyAquaConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7770,9 +7664,9 @@ extension RedshiftClient { /// /// Modifies an authentication profile. /// - /// - Parameter ModifyAuthenticationProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyAuthenticationProfileInput`) /// - /// - Returns: `ModifyAuthenticationProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyAuthenticationProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7806,7 +7700,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyAuthenticationProfileOutput.httpOutput(from:), ModifyAuthenticationProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7851,9 +7744,9 @@ extension RedshiftClient { /// /// For more information about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. /// - /// - Parameter ModifyClusterInput : + /// - Parameter input: (Type: `ModifyClusterInput`) /// - /// - Returns: `ModifyClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7906,7 +7799,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClusterOutput.httpOutput(from:), ModifyClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7940,9 +7832,9 @@ extension RedshiftClient { /// /// Modifies the database revision of a cluster. The database revision is a unique revision of the database running in a cluster. /// - /// - Parameter ModifyClusterDbRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyClusterDbRevisionInput`) /// - /// - Returns: `ModifyClusterDbRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClusterDbRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7977,7 +7869,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClusterDbRevisionOutput.httpOutput(from:), ModifyClusterDbRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8011,9 +7902,9 @@ extension RedshiftClient { /// /// Modifies the list of Identity and Access Management (IAM) roles that can be used by the cluster to access other Amazon Web Services services. The maximum number of IAM roles that you can associate is subject to a quota. For more information, go to [Quotas and limits](https://docs.aws.amazon.com/redshift/latest/mgmt/amazon-redshift-limits.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter ModifyClusterIamRolesInput : + /// - Parameter input: (Type: `ModifyClusterIamRolesInput`) /// - /// - Returns: `ModifyClusterIamRolesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClusterIamRolesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8046,7 +7937,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClusterIamRolesOutput.httpOutput(from:), ModifyClusterIamRolesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8080,9 +7970,9 @@ extension RedshiftClient { /// /// Modifies the maintenance settings of a cluster. /// - /// - Parameter ModifyClusterMaintenanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyClusterMaintenanceInput`) /// - /// - Returns: `ModifyClusterMaintenanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClusterMaintenanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8115,7 +8005,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClusterMaintenanceOutput.httpOutput(from:), ModifyClusterMaintenanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8149,9 +8038,9 @@ extension RedshiftClient { /// /// Modifies the parameters of a parameter group. For the parameters parameter, it can't contain ASCII characters. For more information about parameters and parameter groups, go to [Amazon Redshift Parameter Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-parameter-groups.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter ModifyClusterParameterGroupInput : Describes a modify cluster parameter group operation. + /// - Parameter input: Describes a modify cluster parameter group operation. (Type: `ModifyClusterParameterGroupInput`) /// - /// - Returns: `ModifyClusterParameterGroupOutput` : + /// - Returns: (Type: `ModifyClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8184,7 +8073,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClusterParameterGroupOutput.httpOutput(from:), ModifyClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8218,9 +8106,9 @@ extension RedshiftClient { /// /// Modifies the settings for a snapshot. This exanmple modifies the manual retention period setting for a cluster snapshot. /// - /// - Parameter ModifyClusterSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyClusterSnapshotInput`) /// - /// - Returns: `ModifyClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8254,7 +8142,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClusterSnapshotOutput.httpOutput(from:), ModifyClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8288,9 +8175,9 @@ extension RedshiftClient { /// /// Modifies a snapshot schedule for a cluster. /// - /// - Parameter ModifyClusterSnapshotScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyClusterSnapshotScheduleInput`) /// - /// - Returns: `ModifyClusterSnapshotScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClusterSnapshotScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8324,7 +8211,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClusterSnapshotScheduleOutput.httpOutput(from:), ModifyClusterSnapshotScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8369,9 +8255,9 @@ extension RedshiftClient { /// /// For more information about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. /// - /// - Parameter ModifyClusterSubnetGroupInput : + /// - Parameter input: (Type: `ModifyClusterSubnetGroupInput`) /// - /// - Returns: `ModifyClusterSubnetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClusterSubnetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8408,7 +8294,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClusterSubnetGroupOutput.httpOutput(from:), ModifyClusterSubnetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8442,9 +8327,9 @@ extension RedshiftClient { /// /// Contains information for changing a custom domain association. /// - /// - Parameter ModifyCustomDomainAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyCustomDomainAssociationInput`) /// - /// - Returns: `ModifyCustomDomainAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyCustomDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8479,7 +8364,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCustomDomainAssociationOutput.httpOutput(from:), ModifyCustomDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8513,9 +8397,9 @@ extension RedshiftClient { /// /// Modifies a Redshift-managed VPC endpoint. /// - /// - Parameter ModifyEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyEndpointAccessInput`) /// - /// - Returns: `ModifyEndpointAccessOutput` : Describes a Redshift-managed VPC endpoint. + /// - Returns: Describes a Redshift-managed VPC endpoint. (Type: `ModifyEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8552,7 +8436,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyEndpointAccessOutput.httpOutput(from:), ModifyEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8586,9 +8469,9 @@ extension RedshiftClient { /// /// Modifies an existing Amazon Redshift event notification subscription. /// - /// - Parameter ModifyEventSubscriptionInput : + /// - Parameter input: (Type: `ModifyEventSubscriptionInput`) /// - /// - Returns: `ModifyEventSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyEventSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8628,7 +8511,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyEventSubscriptionOutput.httpOutput(from:), ModifyEventSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8662,9 +8544,9 @@ extension RedshiftClient { /// /// Modifies a zero-ETL integration or S3 event integration with Amazon Redshift. /// - /// - Parameter ModifyIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyIntegrationInput`) /// - /// - Returns: `ModifyIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8700,7 +8582,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyIntegrationOutput.httpOutput(from:), ModifyIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8734,9 +8615,9 @@ extension RedshiftClient { /// /// Changes an existing Amazon Redshift IAM Identity Center application. /// - /// - Parameter ModifyRedshiftIdcApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyRedshiftIdcApplicationInput`) /// - /// - Returns: `ModifyRedshiftIdcApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyRedshiftIdcApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8771,7 +8652,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyRedshiftIdcApplicationOutput.httpOutput(from:), ModifyRedshiftIdcApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8805,9 +8685,9 @@ extension RedshiftClient { /// /// Modifies a scheduled action. /// - /// - Parameter ModifyScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyScheduledActionInput`) /// - /// - Returns: `ModifyScheduledActionOutput` : Describes a scheduled action. You can use a scheduled action to trigger some Amazon Redshift API operations on a schedule. For information about which API operations can be scheduled, see [ScheduledActionType]. + /// - Returns: Describes a scheduled action. You can use a scheduled action to trigger some Amazon Redshift API operations on a schedule. For information about which API operations can be scheduled, see [ScheduledActionType]. (Type: `ModifyScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8845,7 +8725,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyScheduledActionOutput.httpOutput(from:), ModifyScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8879,9 +8758,9 @@ extension RedshiftClient { /// /// Modifies the number of days to retain snapshots in the destination Amazon Web Services Region after they are copied from the source Amazon Web Services Region. By default, this operation only changes the retention period of copied automated snapshots. The retention periods for both new and existing copied automated snapshots are updated with the new retention period. You can set the manual option to change only the retention periods of copied manual snapshots. If you set this option, only newly copied manual snapshots have the new retention period. /// - /// - Parameter ModifySnapshotCopyRetentionPeriodInput : + /// - Parameter input: (Type: `ModifySnapshotCopyRetentionPeriodInput`) /// - /// - Returns: `ModifySnapshotCopyRetentionPeriodOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifySnapshotCopyRetentionPeriodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8917,7 +8796,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifySnapshotCopyRetentionPeriodOutput.httpOutput(from:), ModifySnapshotCopyRetentionPeriodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8951,9 +8829,9 @@ extension RedshiftClient { /// /// Modifies a snapshot schedule. Any schedule associated with a cluster is modified asynchronously. /// - /// - Parameter ModifySnapshotScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifySnapshotScheduleInput`) /// - /// - Returns: `ModifySnapshotScheduleOutput` : Describes a snapshot schedule. You can set a regular interval for creating snapshots of a cluster. You can also schedule snapshots for specific dates. + /// - Returns: Describes a snapshot schedule. You can set a regular interval for creating snapshots of a cluster. You can also schedule snapshots for specific dates. (Type: `ModifySnapshotScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8987,7 +8865,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifySnapshotScheduleOutput.httpOutput(from:), ModifySnapshotScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9021,9 +8898,9 @@ extension RedshiftClient { /// /// Modifies a usage limit in a cluster. You can't modify the feature type or period of a usage limit. /// - /// - Parameter ModifyUsageLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyUsageLimitInput`) /// - /// - Returns: `ModifyUsageLimitOutput` : Describes a usage limit object for a cluster. + /// - Returns: Describes a usage limit object for a cluster. (Type: `ModifyUsageLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9057,7 +8934,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyUsageLimitOutput.httpOutput(from:), ModifyUsageLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9091,9 +8967,9 @@ extension RedshiftClient { /// /// Pauses a cluster. /// - /// - Parameter PauseClusterInput : Describes a pause cluster operation. For example, a scheduled action to run the PauseCluster API operation. + /// - Parameter input: Describes a pause cluster operation. For example, a scheduled action to run the PauseCluster API operation. (Type: `PauseClusterInput`) /// - /// - Returns: `PauseClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PauseClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9127,7 +9003,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PauseClusterOutput.httpOutput(from:), PauseClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9161,9 +9036,9 @@ extension RedshiftClient { /// /// Allows you to purchase reserved nodes. Amazon Redshift offers a predefined set of reserved node offerings. You can purchase one or more of the offerings. You can call the [DescribeReservedNodeOfferings] API to obtain the available reserved node offerings. You can call this API by providing a specific reserved node offering and the number of nodes you want to reserve. For more information about reserved node offerings, go to [Purchasing Reserved Nodes](https://docs.aws.amazon.com/redshift/latest/mgmt/purchase-reserved-node-instance.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter PurchaseReservedNodeOfferingInput : + /// - Parameter input: (Type: `PurchaseReservedNodeOfferingInput`) /// - /// - Returns: `PurchaseReservedNodeOfferingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PurchaseReservedNodeOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9198,7 +9073,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurchaseReservedNodeOfferingOutput.httpOutput(from:), PurchaseReservedNodeOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9232,9 +9106,9 @@ extension RedshiftClient { /// /// Updates the resource policy for a specified resource. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9269,7 +9143,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9303,9 +9176,9 @@ extension RedshiftClient { /// /// Reboots a cluster. This action is taken as soon as possible. It results in a momentary outage to the cluster, during which the cluster status is set to rebooting. A cluster event is created when the reboot is completed. Any pending cluster modifications (see [ModifyCluster]) are applied at this reboot. For more information about managing clusters, go to [Amazon Redshift Clusters](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-clusters.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter RebootClusterInput : + /// - Parameter input: (Type: `RebootClusterInput`) /// - /// - Returns: `RebootClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9338,7 +9211,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootClusterOutput.httpOutput(from:), RebootClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9372,9 +9244,9 @@ extension RedshiftClient { /// /// Registers a cluster or serverless namespace to the Amazon Web Services Glue Data Catalog. /// - /// - Parameter RegisterNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterNamespaceInput`) /// - /// - Returns: `RegisterNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9408,7 +9280,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterNamespaceOutput.httpOutput(from:), RegisterNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9442,9 +9313,9 @@ extension RedshiftClient { /// /// From a datashare consumer account, rejects the specified datashare. /// - /// - Parameter RejectDataShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectDataShareInput`) /// - /// - Returns: `RejectDataShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectDataShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9476,7 +9347,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectDataShareOutput.httpOutput(from:), RejectDataShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9510,9 +9380,9 @@ extension RedshiftClient { /// /// Sets one or more parameters of the specified parameter group to their default values and sets the source values of the parameters to "engine-default". To reset the entire parameter group specify the ResetAllParameters parameter. For parameter changes to take effect you must reboot any associated clusters. /// - /// - Parameter ResetClusterParameterGroupInput : + /// - Parameter input: (Type: `ResetClusterParameterGroupInput`) /// - /// - Returns: `ResetClusterParameterGroupOutput` : + /// - Returns: (Type: `ResetClusterParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9545,7 +9415,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetClusterParameterGroupOutput.httpOutput(from:), ResetClusterParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9598,9 +9467,9 @@ extension RedshiftClient { /// /// * The type of nodes that you add must match the node type for the cluster. /// - /// - Parameter ResizeClusterInput : Describes a resize cluster operation. For example, a scheduled action to run the ResizeCluster API operation. + /// - Parameter input: Describes a resize cluster operation. For example, a scheduled action to run the ResizeCluster API operation. (Type: `ResizeClusterInput`) /// - /// - Returns: `ResizeClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResizeClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9646,7 +9515,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResizeClusterOutput.httpOutput(from:), ResizeClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9691,9 +9559,9 @@ extension RedshiftClient { /// /// For more information about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. For more information about working with snapshots, go to [Amazon Redshift Snapshots](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-snapshots.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter RestoreFromClusterSnapshotInput : + /// - Parameter input: (Type: `RestoreFromClusterSnapshotInput`) /// - /// - Returns: `RestoreFromClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreFromClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9757,7 +9625,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreFromClusterSnapshotOutput.httpOutput(from:), RestoreFromClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9791,9 +9658,9 @@ extension RedshiftClient { /// /// Creates a new table from a table in an Amazon Redshift cluster snapshot. You must create the new table within the Amazon Redshift cluster that the snapshot was taken from. You cannot use RestoreTableFromClusterSnapshot to restore a table with the same name as an existing table in an Amazon Redshift cluster. That is, you cannot overwrite an existing table in a cluster with a restored table. If you want to replace your original table with a new, restored table, then rename or drop your original table before you call RestoreTableFromClusterSnapshot. When you have renamed your original table, then you can pass the original name of the table as the NewTableName parameter value in the call to RestoreTableFromClusterSnapshot. This way, you can replace the original table with the table created from the snapshot. You can't use this operation to restore tables with [interleaved sort keys](https://docs.aws.amazon.com/redshift/latest/dg/t_Sorting_data.html#t_Sorting_data-interleaved). /// - /// - Parameter RestoreTableFromClusterSnapshotInput : + /// - Parameter input: (Type: `RestoreTableFromClusterSnapshotInput`) /// - /// - Returns: `RestoreTableFromClusterSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreTableFromClusterSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9831,7 +9698,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreTableFromClusterSnapshotOutput.httpOutput(from:), RestoreTableFromClusterSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9865,9 +9731,9 @@ extension RedshiftClient { /// /// Resumes a paused cluster. /// - /// - Parameter ResumeClusterInput : Describes a resume cluster operation. For example, a scheduled action to run the ResumeCluster API operation. + /// - Parameter input: Describes a resume cluster operation. For example, a scheduled action to run the ResumeCluster API operation. (Type: `ResumeClusterInput`) /// - /// - Returns: `ResumeClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9902,7 +9768,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeClusterOutput.httpOutput(from:), ResumeClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9936,9 +9801,9 @@ extension RedshiftClient { /// /// Revokes an ingress rule in an Amazon Redshift security group for a previously authorized IP range or Amazon EC2 security group. To add an ingress rule, see [AuthorizeClusterSecurityGroupIngress]. For information about managing security groups, go to [Amazon Redshift Cluster Security Groups](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-security-groups.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter RevokeClusterSecurityGroupIngressInput : + /// - Parameter input: (Type: `RevokeClusterSecurityGroupIngressInput`) /// - /// - Returns: `RevokeClusterSecurityGroupIngressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeClusterSecurityGroupIngressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9972,7 +9837,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeClusterSecurityGroupIngressOutput.httpOutput(from:), RevokeClusterSecurityGroupIngressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10006,9 +9870,9 @@ extension RedshiftClient { /// /// Revokes access to a cluster. /// - /// - Parameter RevokeEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeEndpointAccessInput`) /// - /// - Returns: `RevokeEndpointAccessOutput` : Describes an endpoint authorization for authorizing Redshift-managed VPC endpoint access to a cluster across Amazon Web Services accounts. + /// - Returns: Describes an endpoint authorization for authorizing Redshift-managed VPC endpoint access to a cluster across Amazon Web Services accounts. (Type: `RevokeEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10046,7 +9910,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeEndpointAccessOutput.httpOutput(from:), RevokeEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10080,9 +9943,9 @@ extension RedshiftClient { /// /// Removes the ability of the specified Amazon Web Services account to restore the specified snapshot. If the account is currently restoring the snapshot, the restore will run to completion. For more information about working with snapshots, go to [Amazon Redshift Snapshots](https://docs.aws.amazon.com/redshift/latest/mgmt/working-with-snapshots.html) in the Amazon Redshift Cluster Management Guide. /// - /// - Parameter RevokeSnapshotAccessInput : + /// - Parameter input: (Type: `RevokeSnapshotAccessInput`) /// - /// - Returns: `RevokeSnapshotAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeSnapshotAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10117,7 +9980,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeSnapshotAccessOutput.httpOutput(from:), RevokeSnapshotAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10151,9 +10013,9 @@ extension RedshiftClient { /// /// Rotates the encryption keys for a cluster. /// - /// - Parameter RotateEncryptionKeyInput : + /// - Parameter input: (Type: `RotateEncryptionKeyInput`) /// - /// - Returns: `RotateEncryptionKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RotateEncryptionKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10188,7 +10050,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RotateEncryptionKeyOutput.httpOutput(from:), RotateEncryptionKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10222,9 +10083,9 @@ extension RedshiftClient { /// /// Updates the status of a partner integration. /// - /// - Parameter UpdatePartnerStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePartnerStatusInput`) /// - /// - Returns: `UpdatePartnerStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePartnerStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10259,7 +10120,6 @@ extension RedshiftClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePartnerStatusOutput.httpOutput(from:), UpdatePartnerStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRedshiftData/Sources/AWSRedshiftData/RedshiftDataClient.swift b/Sources/Services/AWSRedshiftData/Sources/AWSRedshiftData/RedshiftDataClient.swift index 1a911a271d5..04df1ae278a 100644 --- a/Sources/Services/AWSRedshiftData/Sources/AWSRedshiftData/RedshiftDataClient.swift +++ b/Sources/Services/AWSRedshiftData/Sources/AWSRedshiftData/RedshiftDataClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RedshiftDataClient: ClientRuntime.Client { public static let clientName = "RedshiftDataClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RedshiftDataClient.RedshiftDataClientConfiguration let serviceName = "Redshift Data" @@ -391,9 +390,9 @@ extension RedshiftDataClient { /// /// For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter BatchExecuteStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchExecuteStatementInput`) /// - /// - Returns: `BatchExecuteStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchExecuteStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -430,7 +429,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchExecuteStatementOutput.httpOutput(from:), BatchExecuteStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -465,9 +463,9 @@ extension RedshiftDataClient { /// /// Cancels a running query. To be canceled, a query must be running. For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter CancelStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelStatementInput`) /// - /// - Returns: `CancelStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -502,7 +500,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelStatementOutput.httpOutput(from:), CancelStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -537,9 +534,9 @@ extension RedshiftDataClient { /// /// Describes the details about a specific instance when a query was run by the Amazon Redshift Data API. The information includes when the query started, when it finished, the query status, the number of rows returned, and the SQL statement. For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter DescribeStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStatementInput`) /// - /// - Returns: `DescribeStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -573,7 +570,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStatementOutput.httpOutput(from:), DescribeStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -624,9 +620,9 @@ extension RedshiftDataClient { /// /// For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter DescribeTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTableInput`) /// - /// - Returns: `DescribeTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -661,7 +657,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTableOutput.httpOutput(from:), DescribeTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -712,9 +707,9 @@ extension RedshiftDataClient { /// /// For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter ExecuteStatementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteStatementInput`) /// - /// - Returns: `ExecuteStatementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteStatementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -751,7 +746,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteStatementOutput.httpOutput(from:), ExecuteStatementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -786,9 +780,9 @@ extension RedshiftDataClient { /// /// Fetches the temporarily cached result of an SQL statement in JSON format. The ExecuteStatement or BatchExecuteStatement operation that ran the SQL statement must have specified ResultFormat as JSON , or let the format default to JSON. A token is returned to page through the statement results. For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter GetStatementResultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStatementResultInput`) /// - /// - Returns: `GetStatementResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStatementResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -822,7 +816,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStatementResultOutput.httpOutput(from:), GetStatementResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -857,9 +850,9 @@ extension RedshiftDataClient { /// /// Fetches the temporarily cached result of an SQL statement in CSV format. The ExecuteStatement or BatchExecuteStatement operation that ran the SQL statement must have specified ResultFormat as CSV. A token is returned to page through the statement results. For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter GetStatementResultV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStatementResultV2Input`) /// - /// - Returns: `GetStatementResultV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStatementResultV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -893,7 +886,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStatementResultV2Output.httpOutput(from:), GetStatementResultV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -944,9 +936,9 @@ extension RedshiftDataClient { /// /// For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter ListDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatabasesInput`) /// - /// - Returns: `ListDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -981,7 +973,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatabasesOutput.httpOutput(from:), ListDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1032,9 +1023,9 @@ extension RedshiftDataClient { /// /// For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter ListSchemasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchemasInput`) /// - /// - Returns: `ListSchemasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchemasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1069,7 +1060,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchemasOutput.httpOutput(from:), ListSchemasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1104,9 +1094,9 @@ extension RedshiftDataClient { /// /// List of SQL statements. By default, only finished statements are shown. A token is returned to page through the statement list. When you use identity-enhanced role sessions to list statements, you must provide either the cluster-identifier or workgroup-name parameter. This ensures that the IdC user can only access the Amazon Redshift IdC applications they are assigned. For more information, see [ Trusted identity propagation overview](https://docs.aws.amazon.com/singlesignon/latest/userguide/trustedidentitypropagation-overview.html). For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter ListStatementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStatementsInput`) /// - /// - Returns: `ListStatementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStatementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1139,7 +1129,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStatementsOutput.httpOutput(from:), ListStatementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1190,9 +1179,9 @@ extension RedshiftDataClient { /// /// For more information about the Amazon Redshift Data API and CLI usage examples, see [Using the Amazon Redshift Data API](https://docs.aws.amazon.com/redshift/latest/mgmt/data-api.html) in the Amazon Redshift Management Guide. /// - /// - Parameter ListTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTablesInput`) /// - /// - Returns: `ListTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1227,7 +1216,6 @@ extension RedshiftDataClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTablesOutput.httpOutput(from:), ListTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRedshiftServerless/Sources/AWSRedshiftServerless/RedshiftServerlessClient.swift b/Sources/Services/AWSRedshiftServerless/Sources/AWSRedshiftServerless/RedshiftServerlessClient.swift index 9440468ae2b..dada37c90d3 100644 --- a/Sources/Services/AWSRedshiftServerless/Sources/AWSRedshiftServerless/RedshiftServerlessClient.swift +++ b/Sources/Services/AWSRedshiftServerless/Sources/AWSRedshiftServerless/RedshiftServerlessClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RedshiftServerlessClient: ClientRuntime.Client { public static let clientName = "RedshiftServerlessClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RedshiftServerlessClient.RedshiftServerlessClientConfiguration let serviceName = "Redshift Serverless" @@ -375,9 +374,9 @@ extension RedshiftServerlessClient { /// /// Converts a recovery point to a snapshot. For more information about recovery points and snapshots, see [Working with snapshots and recovery points](https://docs.aws.amazon.com/redshift/latest/mgmt/serverless-snapshots-recovery-points.html). /// - /// - Parameter ConvertRecoveryPointToSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConvertRecoveryPointToSnapshotInput`) /// - /// - Returns: `ConvertRecoveryPointToSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConvertRecoveryPointToSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConvertRecoveryPointToSnapshotOutput.httpOutput(from:), ConvertRecoveryPointToSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension RedshiftServerlessClient { /// /// Creates a custom domain association for Amazon Redshift Serverless. /// - /// - Parameter CreateCustomDomainAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomDomainAssociationInput`) /// - /// - Returns: `CreateCustomDomainAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomDomainAssociationOutput.httpOutput(from:), CreateCustomDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension RedshiftServerlessClient { /// /// Creates an Amazon Redshift Serverless managed VPC endpoint. /// - /// - Parameter CreateEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEndpointAccessInput`) /// - /// - Returns: `CreateEndpointAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEndpointAccessOutput.httpOutput(from:), CreateEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension RedshiftServerlessClient { /// /// Creates a namespace in Amazon Redshift Serverless. /// - /// - Parameter CreateNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNamespaceInput`) /// - /// - Returns: `CreateNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNamespaceOutput.httpOutput(from:), CreateNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension RedshiftServerlessClient { /// /// Creates an Amazon Redshift Serverless reservation, which gives you the option to commit to a specified number of Redshift Processing Units (RPUs) for a year at a discount from Serverless on-demand (OD) rates. /// - /// - Parameter CreateReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReservationInput`) /// - /// - Returns: `CreateReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -710,7 +705,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReservationOutput.httpOutput(from:), CreateReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -745,9 +739,9 @@ extension RedshiftServerlessClient { /// /// Creates a scheduled action. A scheduled action contains a schedule and an Amazon Redshift API action. For example, you can create a schedule of when to run the CreateSnapshot API operation. /// - /// - Parameter CreateScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScheduledActionInput`) /// - /// - Returns: `CreateScheduledActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -782,7 +776,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScheduledActionOutput.httpOutput(from:), CreateScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -817,9 +810,9 @@ extension RedshiftServerlessClient { /// /// Creates a snapshot of all databases in a namespace. For more information about snapshots, see [ Working with snapshots and recovery points](https://docs.aws.amazon.com/redshift/latest/mgmt/serverless-snapshots-recovery-points.html). /// - /// - Parameter CreateSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSnapshotInput`) /// - /// - Returns: `CreateSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -856,7 +849,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotOutput.httpOutput(from:), CreateSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -891,9 +883,9 @@ extension RedshiftServerlessClient { /// /// Creates a snapshot copy configuration that lets you copy snapshots to another Amazon Web Services Region. /// - /// - Parameter CreateSnapshotCopyConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSnapshotCopyConfigurationInput`) /// - /// - Returns: `CreateSnapshotCopyConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSnapshotCopyConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -930,7 +922,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotCopyConfigurationOutput.httpOutput(from:), CreateSnapshotCopyConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -965,9 +956,9 @@ extension RedshiftServerlessClient { /// /// Creates a usage limit for a specified Amazon Redshift Serverless usage type. The usage limit is identified by the returned usage limit identifier. /// - /// - Parameter CreateUsageLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUsageLimitInput`) /// - /// - Returns: `CreateUsageLimitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUsageLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1003,7 +994,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUsageLimitOutput.httpOutput(from:), CreateUsageLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1047,9 +1037,9 @@ extension RedshiftServerlessClient { /// /// For more information about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. /// - /// - Parameter CreateWorkgroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkgroupInput`) /// - /// - Returns: `CreateWorkgroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkgroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1087,7 +1077,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkgroupOutput.httpOutput(from:), CreateWorkgroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1122,9 +1111,9 @@ extension RedshiftServerlessClient { /// /// Deletes a custom domain association for Amazon Redshift Serverless. /// - /// - Parameter DeleteCustomDomainAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomDomainAssociationInput`) /// - /// - Returns: `DeleteCustomDomainAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1161,7 +1150,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomDomainAssociationOutput.httpOutput(from:), DeleteCustomDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1196,9 +1184,9 @@ extension RedshiftServerlessClient { /// /// Deletes an Amazon Redshift Serverless managed VPC endpoint. /// - /// - Parameter DeleteEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEndpointAccessInput`) /// - /// - Returns: `DeleteEndpointAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1233,7 +1221,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointAccessOutput.httpOutput(from:), DeleteEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1268,9 +1255,9 @@ extension RedshiftServerlessClient { /// /// Deletes a namespace from Amazon Redshift Serverless. Before you delete the namespace, you can create a final snapshot that has all of the data within the namespace. /// - /// - Parameter DeleteNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNamespaceInput`) /// - /// - Returns: `DeleteNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1305,7 +1292,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNamespaceOutput.httpOutput(from:), DeleteNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1340,9 +1326,9 @@ extension RedshiftServerlessClient { /// /// Deletes the specified resource policy. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1376,7 +1362,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1411,9 +1396,9 @@ extension RedshiftServerlessClient { /// /// Deletes a scheduled action. /// - /// - Parameter DeleteScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScheduledActionInput`) /// - /// - Returns: `DeleteScheduledActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1447,7 +1432,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScheduledActionOutput.httpOutput(from:), DeleteScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1482,9 +1466,9 @@ extension RedshiftServerlessClient { /// /// Deletes a snapshot from Amazon Redshift Serverless. /// - /// - Parameter DeleteSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSnapshotInput`) /// - /// - Returns: `DeleteSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1519,7 +1503,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSnapshotOutput.httpOutput(from:), DeleteSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1554,9 +1537,9 @@ extension RedshiftServerlessClient { /// /// Deletes a snapshot copy configuration /// - /// - Parameter DeleteSnapshotCopyConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSnapshotCopyConfigurationInput`) /// - /// - Returns: `DeleteSnapshotCopyConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSnapshotCopyConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1592,7 +1575,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSnapshotCopyConfigurationOutput.httpOutput(from:), DeleteSnapshotCopyConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1627,9 +1609,9 @@ extension RedshiftServerlessClient { /// /// Deletes a usage limit from Amazon Redshift Serverless. /// - /// - Parameter DeleteUsageLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUsageLimitInput`) /// - /// - Returns: `DeleteUsageLimitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUsageLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1664,7 +1646,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUsageLimitOutput.httpOutput(from:), DeleteUsageLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1699,9 +1680,9 @@ extension RedshiftServerlessClient { /// /// Deletes a workgroup. /// - /// - Parameter DeleteWorkgroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkgroupInput`) /// - /// - Returns: `DeleteWorkgroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkgroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1736,7 +1717,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkgroupOutput.httpOutput(from:), DeleteWorkgroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1771,9 +1751,9 @@ extension RedshiftServerlessClient { /// /// Returns a database user name and temporary password with temporary authorization to log in to Amazon Redshift Serverless. By default, the temporary credentials expire in 900 seconds. You can optionally specify a duration between 900 seconds (15 minutes) and 3600 seconds (60 minutes). The Identity and Access Management (IAM) user or role that runs GetCredentials must have an IAM policy attached that allows access to all necessary actions and resources. If the DbName parameter is specified, the IAM policy must allow access to the resource dbname for the specified database name. /// - /// - Parameter GetCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCredentialsInput`) /// - /// - Returns: `GetCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1807,7 +1787,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCredentialsOutput.httpOutput(from:), GetCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1842,9 +1821,9 @@ extension RedshiftServerlessClient { /// /// Gets information about a specific custom domain association. /// - /// - Parameter GetCustomDomainAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCustomDomainAssociationInput`) /// - /// - Returns: `GetCustomDomainAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCustomDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1881,7 +1860,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomDomainAssociationOutput.httpOutput(from:), GetCustomDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1916,9 +1894,9 @@ extension RedshiftServerlessClient { /// /// Returns information, such as the name, about a VPC endpoint. /// - /// - Parameter GetEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEndpointAccessInput`) /// - /// - Returns: `GetEndpointAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1953,7 +1931,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEndpointAccessOutput.httpOutput(from:), GetEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1988,9 +1965,9 @@ extension RedshiftServerlessClient { /// /// Returns information about a namespace in Amazon Redshift Serverless. /// - /// - Parameter GetNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNamespaceInput`) /// - /// - Returns: `GetNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2024,7 +2001,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNamespaceOutput.httpOutput(from:), GetNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2059,9 +2035,9 @@ extension RedshiftServerlessClient { /// /// Returns information about a recovery point. /// - /// - Parameter GetRecoveryPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecoveryPointInput`) /// - /// - Returns: `GetRecoveryPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecoveryPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2096,7 +2072,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecoveryPointOutput.httpOutput(from:), GetRecoveryPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2131,9 +2106,9 @@ extension RedshiftServerlessClient { /// /// Gets an Amazon Redshift Serverless reservation. A reservation gives you the option to commit to a specified number of Redshift Processing Units (RPUs) for a year at a discount from Serverless on-demand (OD) rates. /// - /// - Parameter GetReservationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReservationInput`) /// - /// - Returns: `GetReservationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReservationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2168,7 +2143,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReservationOutput.httpOutput(from:), GetReservationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2203,9 +2177,9 @@ extension RedshiftServerlessClient { /// /// Returns the reservation offering. The offering determines the payment schedule for the reservation. /// - /// - Parameter GetReservationOfferingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReservationOfferingInput`) /// - /// - Returns: `GetReservationOfferingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReservationOfferingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2240,7 +2214,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReservationOfferingOutput.httpOutput(from:), GetReservationOfferingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2275,9 +2248,9 @@ extension RedshiftServerlessClient { /// /// Returns a resource policy. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2311,7 +2284,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2346,9 +2318,9 @@ extension RedshiftServerlessClient { /// /// Returns information about a scheduled action. /// - /// - Parameter GetScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetScheduledActionInput`) /// - /// - Returns: `GetScheduledActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2382,7 +2354,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetScheduledActionOutput.httpOutput(from:), GetScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2417,9 +2388,9 @@ extension RedshiftServerlessClient { /// /// Returns information about a specific snapshot. /// - /// - Parameter GetSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSnapshotInput`) /// - /// - Returns: `GetSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2453,7 +2424,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSnapshotOutput.httpOutput(from:), GetSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2488,9 +2458,9 @@ extension RedshiftServerlessClient { /// /// Returns information about a TableRestoreStatus object. /// - /// - Parameter GetTableRestoreStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableRestoreStatusInput`) /// - /// - Returns: `GetTableRestoreStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableRestoreStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2523,7 +2493,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableRestoreStatusOutput.httpOutput(from:), GetTableRestoreStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2558,9 +2527,9 @@ extension RedshiftServerlessClient { /// /// Get the Redshift Serverless version for a specified track. /// - /// - Parameter GetTrackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrackInput`) /// - /// - Returns: `GetTrackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2597,7 +2566,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrackOutput.httpOutput(from:), GetTrackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2632,9 +2600,9 @@ extension RedshiftServerlessClient { /// /// Returns information about a usage limit. /// - /// - Parameter GetUsageLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUsageLimitInput`) /// - /// - Returns: `GetUsageLimitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUsageLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2669,7 +2637,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUsageLimitOutput.httpOutput(from:), GetUsageLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2704,9 +2671,9 @@ extension RedshiftServerlessClient { /// /// Returns information about a specific workgroup. /// - /// - Parameter GetWorkgroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkgroupInput`) /// - /// - Returns: `GetWorkgroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorkgroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2740,7 +2707,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkgroupOutput.httpOutput(from:), GetWorkgroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2775,9 +2741,9 @@ extension RedshiftServerlessClient { /// /// Lists custom domain associations for Amazon Redshift Serverless. /// - /// - Parameter ListCustomDomainAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomDomainAssociationsInput`) /// - /// - Returns: `ListCustomDomainAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomDomainAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2813,7 +2779,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomDomainAssociationsOutput.httpOutput(from:), ListCustomDomainAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2848,9 +2813,9 @@ extension RedshiftServerlessClient { /// /// Returns an array of EndpointAccess objects and relevant information. /// - /// - Parameter ListEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEndpointAccessInput`) /// - /// - Returns: `ListEndpointAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2885,7 +2850,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEndpointAccessOutput.httpOutput(from:), ListEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2920,9 +2884,9 @@ extension RedshiftServerlessClient { /// /// Returns information about a list of specified managed workgroups in your account. /// - /// - Parameter ListManagedWorkgroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedWorkgroupsInput`) /// - /// - Returns: `ListManagedWorkgroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedWorkgroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2955,7 +2919,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedWorkgroupsOutput.httpOutput(from:), ListManagedWorkgroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2990,9 +2953,9 @@ extension RedshiftServerlessClient { /// /// Returns information about a list of specified namespaces. /// - /// - Parameter ListNamespacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNamespacesInput`) /// - /// - Returns: `ListNamespacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNamespacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3025,7 +2988,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNamespacesOutput.httpOutput(from:), ListNamespacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3060,9 +3022,9 @@ extension RedshiftServerlessClient { /// /// Returns an array of recovery points. /// - /// - Parameter ListRecoveryPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecoveryPointsInput`) /// - /// - Returns: `ListRecoveryPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecoveryPointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3095,7 +3057,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecoveryPointsOutput.httpOutput(from:), ListRecoveryPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3130,9 +3091,9 @@ extension RedshiftServerlessClient { /// /// Returns the current reservation offerings in your account. /// - /// - Parameter ListReservationOfferingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReservationOfferingsInput`) /// - /// - Returns: `ListReservationOfferingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReservationOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3166,7 +3127,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReservationOfferingsOutput.httpOutput(from:), ListReservationOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3201,9 +3161,9 @@ extension RedshiftServerlessClient { /// /// Returns a list of Reservation objects. /// - /// - Parameter ListReservationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReservationsInput`) /// - /// - Returns: `ListReservationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReservationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3237,7 +3197,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReservationsOutput.httpOutput(from:), ListReservationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3272,9 +3231,9 @@ extension RedshiftServerlessClient { /// /// Returns a list of scheduled actions. You can use the flags to filter the list of returned scheduled actions. /// - /// - Parameter ListScheduledActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListScheduledActionsInput`) /// - /// - Returns: `ListScheduledActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListScheduledActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3309,7 +3268,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScheduledActionsOutput.httpOutput(from:), ListScheduledActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3344,9 +3302,9 @@ extension RedshiftServerlessClient { /// /// Returns a list of snapshot copy configurations. /// - /// - Parameter ListSnapshotCopyConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSnapshotCopyConfigurationsInput`) /// - /// - Returns: `ListSnapshotCopyConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSnapshotCopyConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3382,7 +3340,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSnapshotCopyConfigurationsOutput.httpOutput(from:), ListSnapshotCopyConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3417,9 +3374,9 @@ extension RedshiftServerlessClient { /// /// Returns a list of snapshots. /// - /// - Parameter ListSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSnapshotsInput`) /// - /// - Returns: `ListSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3453,7 +3410,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSnapshotsOutput.httpOutput(from:), ListSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3488,9 +3444,9 @@ extension RedshiftServerlessClient { /// /// Returns information about an array of TableRestoreStatus objects. /// - /// - Parameter ListTableRestoreStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTableRestoreStatusInput`) /// - /// - Returns: `ListTableRestoreStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTableRestoreStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3524,7 +3480,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTableRestoreStatusOutput.httpOutput(from:), ListTableRestoreStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3559,9 +3514,9 @@ extension RedshiftServerlessClient { /// /// Lists the tags assigned to a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3596,7 +3551,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3631,9 +3585,9 @@ extension RedshiftServerlessClient { /// /// List the Amazon Redshift Serverless versions. /// - /// - Parameter ListTracksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTracksInput`) /// - /// - Returns: `ListTracksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTracksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3669,7 +3623,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTracksOutput.httpOutput(from:), ListTracksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3704,9 +3657,9 @@ extension RedshiftServerlessClient { /// /// Lists all usage limits within Amazon Redshift Serverless. /// - /// - Parameter ListUsageLimitsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsageLimitsInput`) /// - /// - Returns: `ListUsageLimitsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsageLimitsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3742,7 +3695,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsageLimitsOutput.httpOutput(from:), ListUsageLimitsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3777,9 +3729,9 @@ extension RedshiftServerlessClient { /// /// Returns information about a list of specified workgroups. /// - /// - Parameter ListWorkgroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkgroupsInput`) /// - /// - Returns: `ListWorkgroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkgroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3812,7 +3764,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkgroupsOutput.httpOutput(from:), ListWorkgroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3847,9 +3798,9 @@ extension RedshiftServerlessClient { /// /// Creates or updates a resource policy. Currently, you can use policies to share snapshots across Amazon Web Services accounts. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3885,7 +3836,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3920,9 +3870,9 @@ extension RedshiftServerlessClient { /// /// Restore the data from a recovery point. /// - /// - Parameter RestoreFromRecoveryPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreFromRecoveryPointInput`) /// - /// - Returns: `RestoreFromRecoveryPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreFromRecoveryPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3957,7 +3907,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreFromRecoveryPointOutput.httpOutput(from:), RestoreFromRecoveryPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3992,9 +3941,9 @@ extension RedshiftServerlessClient { /// /// Restores a namespace from a snapshot. /// - /// - Parameter RestoreFromSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreFromSnapshotInput`) /// - /// - Returns: `RestoreFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4030,7 +3979,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreFromSnapshotOutput.httpOutput(from:), RestoreFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4065,9 +4013,9 @@ extension RedshiftServerlessClient { /// /// Restores a table from a recovery point to your Amazon Redshift Serverless instance. You can't use this operation to restore tables with interleaved sort keys. /// - /// - Parameter RestoreTableFromRecoveryPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreTableFromRecoveryPointInput`) /// - /// - Returns: `RestoreTableFromRecoveryPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreTableFromRecoveryPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4102,7 +4050,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreTableFromRecoveryPointOutput.httpOutput(from:), RestoreTableFromRecoveryPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4137,9 +4084,9 @@ extension RedshiftServerlessClient { /// /// Restores a table from a snapshot to your Amazon Redshift Serverless instance. You can't use this operation to restore tables with [interleaved sort keys](https://docs.aws.amazon.com/redshift/latest/dg/t_Sorting_data.html#t_Sorting_data-interleaved). /// - /// - Parameter RestoreTableFromSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreTableFromSnapshotInput`) /// - /// - Returns: `RestoreTableFromSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreTableFromSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4174,7 +4121,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreTableFromSnapshotOutput.httpOutput(from:), RestoreTableFromSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4209,9 +4155,9 @@ extension RedshiftServerlessClient { /// /// Assigns one or more tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4247,7 +4193,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4282,9 +4227,9 @@ extension RedshiftServerlessClient { /// /// Removes a tag or set of tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4319,7 +4264,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4354,9 +4298,9 @@ extension RedshiftServerlessClient { /// /// Updates an Amazon Redshift Serverless certificate associated with a custom domain. /// - /// - Parameter UpdateCustomDomainAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCustomDomainAssociationInput`) /// - /// - Returns: `UpdateCustomDomainAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCustomDomainAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4393,7 +4337,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomDomainAssociationOutput.httpOutput(from:), UpdateCustomDomainAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4428,9 +4371,9 @@ extension RedshiftServerlessClient { /// /// Updates an Amazon Redshift Serverless managed endpoint. /// - /// - Parameter UpdateEndpointAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEndpointAccessInput`) /// - /// - Returns: `UpdateEndpointAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEndpointAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4466,7 +4409,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEndpointAccessOutput.httpOutput(from:), UpdateEndpointAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4501,9 +4443,9 @@ extension RedshiftServerlessClient { /// /// Updates a namespace with the specified settings. Unless required, you can't update multiple parameters in one request. For example, you must specify both adminUsername and adminUserPassword to update either field, but you can't update both kmsKeyId and logExports in a single request. /// - /// - Parameter UpdateNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNamespaceInput`) /// - /// - Returns: `UpdateNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4538,7 +4480,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNamespaceOutput.httpOutput(from:), UpdateNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4573,9 +4514,9 @@ extension RedshiftServerlessClient { /// /// Updates a scheduled action. /// - /// - Parameter UpdateScheduledActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScheduledActionInput`) /// - /// - Returns: `UpdateScheduledActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScheduledActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4610,7 +4551,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScheduledActionOutput.httpOutput(from:), UpdateScheduledActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4645,9 +4585,9 @@ extension RedshiftServerlessClient { /// /// Updates a snapshot. /// - /// - Parameter UpdateSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSnapshotInput`) /// - /// - Returns: `UpdateSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4682,7 +4622,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSnapshotOutput.httpOutput(from:), UpdateSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4717,9 +4656,9 @@ extension RedshiftServerlessClient { /// /// Updates a snapshot copy configuration. /// - /// - Parameter UpdateSnapshotCopyConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSnapshotCopyConfigurationInput`) /// - /// - Returns: `UpdateSnapshotCopyConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSnapshotCopyConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4755,7 +4694,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSnapshotCopyConfigurationOutput.httpOutput(from:), UpdateSnapshotCopyConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4790,9 +4728,9 @@ extension RedshiftServerlessClient { /// /// Update a usage limit in Amazon Redshift Serverless. You can't update the usage type or period of a usage limit. /// - /// - Parameter UpdateUsageLimitInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUsageLimitInput`) /// - /// - Returns: `UpdateUsageLimitOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUsageLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4827,7 +4765,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUsageLimitOutput.httpOutput(from:), UpdateUsageLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4871,9 +4808,9 @@ extension RedshiftServerlessClient { /// /// For more information about VPC BPA, see [Block public access to VPCs and subnets](https://docs.aws.amazon.com/vpc/latest/userguide/security-vpc-bpa.html) in the Amazon VPC User Guide. /// - /// - Parameter UpdateWorkgroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkgroupInput`) /// - /// - Returns: `UpdateWorkgroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkgroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4910,7 +4847,6 @@ extension RedshiftServerlessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkgroupOutput.httpOutput(from:), UpdateWorkgroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRekognition/Sources/AWSRekognition/RekognitionClient.swift b/Sources/Services/AWSRekognition/Sources/AWSRekognition/RekognitionClient.swift index 3dbf6d118ce..0f1fcac395c 100644 --- a/Sources/Services/AWSRekognition/Sources/AWSRekognition/RekognitionClient.swift +++ b/Sources/Services/AWSRekognition/Sources/AWSRekognition/RekognitionClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RekognitionClient: ClientRuntime.Client { public static let clientName = "RekognitionClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RekognitionClient.RekognitionClientConfiguration let serviceName = "Rekognition" @@ -381,9 +380,9 @@ extension RekognitionClient { /// /// * UPDATING - A UserID is being updated and there are current associations or disassociations of FaceID(s) taking place. /// - /// - Parameter AssociateFacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateFacesInput`) /// - /// - Returns: `AssociateFacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateFacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -424,7 +423,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateFacesOutput.httpOutput(from:), AssociateFacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -459,9 +457,9 @@ extension RekognitionClient { /// /// Compares a face in the source input image with each of the 100 largest faces detected in the target input image. If the source image contains multiple faces, the service detects the largest face and compares it with each face detected in the target image. CompareFaces uses machine learning algorithms, which are probabilistic. A false negative is an incorrect prediction that a face in the target image has a low similarity confidence score when compared to the face in the source image. To reduce the probability of false negatives, we recommend that you compare the target image against multiple source images. If you plan to use CompareFaces to make a decision that impacts an individual's rights, privacy, or access to services, we recommend that you pass the result to a human for review and further validation before taking action. You pass the input and target images either as base64-encoded image bytes or as references to images in an Amazon S3 bucket. If you use the AWS CLI to call Amazon Rekognition operations, passing image bytes isn't supported. The image must be formatted as a PNG or JPEG file. In response, the operation returns an array of face matches ordered by similarity score in descending order. For each face match, the response provides a bounding box of the face, facial landmarks, pose details (pitch, roll, and yaw), quality (brightness and sharpness), and confidence value (indicating the level of confidence that the bounding box contains a face). The response also provides a similarity score, which indicates how closely the faces match. By default, only faces with a similarity score of greater than or equal to 80% are returned in the response. You can change this value by specifying the SimilarityThreshold parameter. CompareFaces also returns an array of faces that don't match the source image. For each face, it returns a bounding box, confidence value, landmarks, pose details, and quality. The response also returns information about the face in the source image, including the bounding box of the face and confidence value. The QualityFilter input parameter allows you to filter out detected faces that don’t meet a required quality bar. The quality bar is based on a variety of common use cases. Use QualityFilter to set the quality bar by specifying LOW, MEDIUM, or HIGH. If you do not want to filter detected faces, specify NONE. The default value is NONE. If the image doesn't contain Exif metadata, CompareFaces returns orientation information for the source and target images. Use these values to display the images with the correct image orientation. If no faces are detected in the source or target images, CompareFaces returns an InvalidParameterException error. This is a stateless API operation. That is, data returned by this operation doesn't persist. For an example, see Comparing Faces in Images in the Amazon Rekognition Developer Guide. This operation requires permissions to perform the rekognition:CompareFaces action. /// - /// - Parameter CompareFacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CompareFacesInput`) /// - /// - Returns: `CompareFacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompareFacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -500,7 +498,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompareFacesOutput.httpOutput(from:), CompareFacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -535,9 +532,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Copies a version of an Amazon Rekognition Custom Labels model from a source project to a destination project. The source and destination projects can be in different AWS accounts but must be in the same AWS Region. You can't copy a model to another AWS service. To copy a model version to a different AWS account, you need to create a resource-based policy known as a project policy. You attach the project policy to the source project by calling [PutProjectPolicy]. The project policy gives permission to copy the model version from a trusting AWS account to a trusted account. For more information creating and attaching a project policy, see Attaching a project policy (SDK) in the Amazon Rekognition Custom Labels Developer Guide. If you are copying a model version to a project in the same AWS account, you don't need to create a project policy. Copying project versions is supported only for Custom Labels models. To copy a model, the destination project, source project, and source model version must already exist. Copying a model version takes a while to complete. To get the current status, call [DescribeProjectVersions] and check the value of Status in the [ProjectVersionDescription] object. The copy operation has finished when the value of Status is COPYING_COMPLETED. This operation requires permissions to perform the rekognition:CopyProjectVersion action. /// - /// - Parameter CopyProjectVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyProjectVersionInput`) /// - /// - Returns: `CopyProjectVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyProjectVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -577,7 +574,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyProjectVersionOutput.httpOutput(from:), CopyProjectVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -612,9 +608,9 @@ extension RekognitionClient { /// /// Creates a collection in an AWS Region. You can add faces to the collection using the [IndexFaces] operation. For example, you might create collections, one for each of your application users. A user can then index faces using the IndexFaces operation and persist results in a specific collection. Then, a user can search the collection for faces in the user-specific container. When you create a collection, it is associated with the latest version of the face model version. Collection names are case-sensitive. This operation requires permissions to perform the rekognition:CreateCollection action. If you want to tag your collection, you also require permission to perform the rekognition:TagResource operation. /// - /// - Parameter CreateCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCollectionInput`) /// - /// - Returns: `CreateCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -652,7 +648,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCollectionOutput.httpOutput(from:), CreateCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -687,9 +682,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Creates a new Amazon Rekognition Custom Labels dataset. You can create a dataset by using an Amazon Sagemaker format manifest file or by copying an existing Amazon Rekognition Custom Labels dataset. To create a training dataset for a project, specify TRAIN for the value of DatasetType. To create the test dataset for a project, specify TEST for the value of DatasetType. The response from CreateDataset is the Amazon Resource Name (ARN) for the dataset. Creating a dataset takes a while to complete. Use [DescribeDataset] to check the current status. The dataset created successfully if the value of Status is CREATE_COMPLETE. To check if any non-terminal errors occurred, call [ListDatasetEntries] and check for the presence of errors lists in the JSON Lines. Dataset creation fails if a terminal error occurs (Status = CREATE_FAILED). Currently, you can't access the terminal error information. For more information, see Creating dataset in the Amazon Rekognition Custom Labels Developer Guide. This operation requires permissions to perform the rekognition:CreateDataset action. If you want to copy an existing dataset, you also require permission to perform the rekognition:ListDatasetEntries action. /// - /// - Parameter CreateDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatasetInput`) /// - /// - Returns: `CreateDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -729,7 +724,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatasetOutput.httpOutput(from:), CreateDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -764,9 +758,9 @@ extension RekognitionClient { /// /// This API operation initiates a Face Liveness session. It returns a SessionId, which you can use to start streaming Face Liveness video and get the results for a Face Liveness session. You can use the OutputConfig option in the Settings parameter to provide an Amazon S3 bucket location. The Amazon S3 bucket stores reference images and audit images. If no Amazon S3 bucket is defined, raw bytes are sent instead. You can use AuditImagesLimit to limit the number of audit images returned when GetFaceLivenessSessionResults is called. This number is between 0 and 4. By default, it is set to 0. The limit is best effort and based on the duration of the selfie-video. /// - /// - Parameter CreateFaceLivenessSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFaceLivenessSessionInput`) /// - /// - Returns: `CreateFaceLivenessSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFaceLivenessSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -802,7 +796,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFaceLivenessSessionOutput.httpOutput(from:), CreateFaceLivenessSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -837,9 +830,9 @@ extension RekognitionClient { /// /// Creates a new Amazon Rekognition project. A project is a group of resources (datasets, model versions) that you use to create and manage a Amazon Rekognition Custom Labels Model or custom adapter. You can specify a feature to create the project with, if no feature is specified then Custom Labels is used by default. For adapters, you can also choose whether or not to have the project auto update by using the AutoUpdate argument. This operation requires permissions to perform the rekognition:CreateProject action. /// - /// - Parameter CreateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectInput`) /// - /// - Returns: `CreateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -877,7 +870,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectOutput.httpOutput(from:), CreateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -912,9 +904,9 @@ extension RekognitionClient { /// /// Creates a new version of Amazon Rekognition project (like a Custom Labels model or a custom adapter) and begins training. Models and adapters are managed as part of a Rekognition project. The response from CreateProjectVersion is an Amazon Resource Name (ARN) for the project version. The FeatureConfig operation argument allows you to configure specific model or adapter settings. You can provide a description to the project version by using the VersionDescription argment. Training can take a while to complete. You can get the current status by calling [DescribeProjectVersions]. Training completed successfully if the value of the Status field is TRAINING_COMPLETED. Once training has successfully completed, call [DescribeProjectVersions] to get the training results and evaluate the model. This operation requires permissions to perform the rekognition:CreateProjectVersion action. The following applies only to projects with Amazon Rekognition Custom Labels as the chosen feature: You can train a model in a project that doesn't have associated datasets by specifying manifest files in the TrainingData and TestingData fields. If you open the console after training a model with manifest files, Amazon Rekognition Custom Labels creates the datasets for you using the most recent manifest files. You can no longer train a model version for the project by specifying manifest files. Instead of training with a project without associated datasets, we recommend that you use the manifest files to create training and test datasets for the project. /// - /// - Parameter CreateProjectVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectVersionInput`) /// - /// - Returns: `CreateProjectVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -954,7 +946,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectVersionOutput.httpOutput(from:), CreateProjectVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -996,9 +987,9 @@ extension RekognitionClient { /// /// Use Name to assign an identifier for the stream processor. You use Name to manage the stream processor. For example, you can start processing the source video by calling [StartStreamProcessor] with the Name field. This operation requires permissions to perform the rekognition:CreateStreamProcessor action. If you want to tag your stream processor, you also require permission to perform the rekognition:TagResource operation. /// - /// - Parameter CreateStreamProcessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStreamProcessorInput`) /// - /// - Returns: `CreateStreamProcessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStreamProcessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1037,7 +1028,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStreamProcessorOutput.httpOutput(from:), CreateStreamProcessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1072,9 +1062,9 @@ extension RekognitionClient { /// /// Creates a new User within a collection specified by CollectionId. Takes UserId as a parameter, which is a user provided ID which should be unique within the collection. The provided UserId will alias the system generated UUID to make the UserId more user friendly. Uses a ClientToken, an idempotency token that ensures a call to CreateUser completes only once. If the value is not supplied, the AWS SDK generates an idempotency token for the requests. This prevents retries after a network error results from making multiple CreateUser calls. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1115,7 +1105,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1150,9 +1139,9 @@ extension RekognitionClient { /// /// Deletes the specified collection. Note that this operation removes all faces in the collection. For an example, see [Deleting a collection](https://docs.aws.amazon.com/rekognition/latest/dg/delete-collection-procedure.html). This operation requires permissions to perform the rekognition:DeleteCollection action. /// - /// - Parameter DeleteCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCollectionInput`) /// - /// - Returns: `DeleteCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1189,7 +1178,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCollectionOutput.httpOutput(from:), DeleteCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1224,9 +1212,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Deletes an existing Amazon Rekognition Custom Labels dataset. Deleting a dataset might take while. Use [DescribeDataset] to check the current status. The dataset is still deleting if the value of Status is DELETE_IN_PROGRESS. If you try to access the dataset after it is deleted, you get a ResourceNotFoundException exception. You can't delete a dataset while it is creating (Status = CREATE_IN_PROGRESS) or if the dataset is updating (Status = UPDATE_IN_PROGRESS). This operation requires permissions to perform the rekognition:DeleteDataset action. /// - /// - Parameter DeleteDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatasetInput`) /// - /// - Returns: `DeleteDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1265,7 +1253,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatasetOutput.httpOutput(from:), DeleteDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1300,9 +1287,9 @@ extension RekognitionClient { /// /// Deletes faces from a collection. You specify a collection ID and an array of face IDs to remove from the collection. This operation requires permissions to perform the rekognition:DeleteFaces action. /// - /// - Parameter DeleteFacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFacesInput`) /// - /// - Returns: `DeleteFacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1339,7 +1326,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFacesOutput.httpOutput(from:), DeleteFacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1374,9 +1360,9 @@ extension RekognitionClient { /// /// Deletes a Amazon Rekognition project. To delete a project you must first delete all models or adapters associated with the project. To delete a model or adapter, see [DeleteProjectVersion]. DeleteProject is an asynchronous operation. To check if the project is deleted, call [DescribeProjects]. The project is deleted when the project no longer appears in the response. Be aware that deleting a given project will also delete any ProjectPolicies associated with that project. This operation requires permissions to perform the rekognition:DeleteProject action. /// - /// - Parameter DeleteProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectInput`) /// - /// - Returns: `DeleteProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1414,7 +1400,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectOutput.httpOutput(from:), DeleteProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1449,9 +1434,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Deletes an existing project policy. To get a list of project policies attached to a project, call [ListProjectPolicies]. To attach a project policy to a project, call [PutProjectPolicy]. This operation requires permissions to perform the rekognition:DeleteProjectPolicy action. /// - /// - Parameter DeleteProjectPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectPolicyInput`) /// - /// - Returns: `DeleteProjectPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1474,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectPolicyOutput.httpOutput(from:), DeleteProjectPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1524,9 +1508,9 @@ extension RekognitionClient { /// /// Deletes a Rekognition project model or project version, like a Amazon Rekognition Custom Labels model or a custom adapter. You can't delete a project version if it is running or if it is training. To check the status of a project version, use the Status field returned from [DescribeProjectVersions]. To stop a project version call [StopProjectVersion]. If the project version is training, wait until it finishes. This operation requires permissions to perform the rekognition:DeleteProjectVersion action. /// - /// - Parameter DeleteProjectVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectVersionInput`) /// - /// - Returns: `DeleteProjectVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1564,7 +1548,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectVersionOutput.httpOutput(from:), DeleteProjectVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1599,9 +1582,9 @@ extension RekognitionClient { /// /// Deletes the stream processor identified by Name. You assign the value for Name when you create the stream processor with [CreateStreamProcessor]. You might not be able to use the same name for a stream processor for a few seconds after calling DeleteStreamProcessor. /// - /// - Parameter DeleteStreamProcessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStreamProcessorInput`) /// - /// - Returns: `DeleteStreamProcessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStreamProcessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1639,7 +1622,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStreamProcessorOutput.httpOutput(from:), DeleteStreamProcessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1674,9 +1656,9 @@ extension RekognitionClient { /// /// Deletes the specified UserID within the collection. Faces that are associated with the UserID are disassociated from the UserID before deleting the specified UserID. If the specified Collection or UserID is already deleted or not found, a ResourceNotFoundException will be thrown. If the action is successful with a 200 response, an empty HTTP body is returned. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1716,7 +1698,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1751,9 +1732,9 @@ extension RekognitionClient { /// /// Describes the specified collection. You can use DescribeCollection to get information, such as the number of faces indexed into a collection and the version of the model used by the collection for face detection. For more information, see Describing a Collection in the Amazon Rekognition Developer Guide. /// - /// - Parameter DescribeCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCollectionInput`) /// - /// - Returns: `DescribeCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1790,7 +1771,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCollectionOutput.httpOutput(from:), DescribeCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1825,9 +1805,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Describes an Amazon Rekognition Custom Labels dataset. You can get information such as the current status of a dataset and statistics about the images and labels in a dataset. This operation requires permissions to perform the rekognition:DescribeDataset action. /// - /// - Parameter DescribeDatasetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatasetInput`) /// - /// - Returns: `DescribeDatasetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1864,7 +1844,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatasetOutput.httpOutput(from:), DescribeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1899,9 +1878,9 @@ extension RekognitionClient { /// /// Lists and describes the versions of an Amazon Rekognition project. You can specify up to 10 model or adapter versions in ProjectVersionArns. If you don't specify a value, descriptions for all model/adapter versions in the project are returned. This operation requires permissions to perform the rekognition:DescribeProjectVersions action. /// - /// - Parameter DescribeProjectVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProjectVersionsInput`) /// - /// - Returns: `DescribeProjectVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProjectVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1939,7 +1918,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProjectVersionsOutput.httpOutput(from:), DescribeProjectVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1974,9 +1952,9 @@ extension RekognitionClient { /// /// Gets information about your Rekognition projects. This operation requires permissions to perform the rekognition:DescribeProjects action. /// - /// - Parameter DescribeProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProjectsInput`) /// - /// - Returns: `DescribeProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2013,7 +1991,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProjectsOutput.httpOutput(from:), DescribeProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2048,9 +2025,9 @@ extension RekognitionClient { /// /// Provides information about a stream processor created by [CreateStreamProcessor]. You can get information about the input and output streams, the input parameters for the face recognition being performed, and the current status of the stream processor. /// - /// - Parameter DescribeStreamProcessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStreamProcessorInput`) /// - /// - Returns: `DescribeStreamProcessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStreamProcessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2087,7 +2064,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStreamProcessorOutput.httpOutput(from:), DescribeStreamProcessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2122,9 +2098,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Detects custom labels in a supplied image by using an Amazon Rekognition Custom Labels model. You specify which version of a model version to use by using the ProjectVersionArn input parameter. You pass the input image as base64-encoded image bytes or as a reference to an image in an Amazon S3 bucket. If you use the AWS CLI to call Amazon Rekognition operations, passing image bytes is not supported. The image must be either a PNG or JPEG formatted file. For each object that the model version detects on an image, the API returns a (CustomLabel) object in an array (CustomLabels). Each CustomLabel object provides the label name (Name), the level of confidence that the image contains the object (Confidence), and object location information, if it exists, for the label on the image (Geometry). To filter labels that are returned, specify a value for MinConfidence. DetectCustomLabelsLabels only returns labels with a confidence that's higher than the specified value. The value of MinConfidence maps to the assumed threshold values created during training. For more information, see Assumed threshold in the Amazon Rekognition Custom Labels Developer Guide. Amazon Rekognition Custom Labels metrics expresses an assumed threshold as a floating point value between 0-1. The range of MinConfidence normalizes the threshold value to a percentage value (0-100). Confidence responses from DetectCustomLabels are also returned as a percentage. You can use MinConfidence to change the precision and recall or your model. For more information, see Analyzing an image in the Amazon Rekognition Custom Labels Developer Guide. If you don't specify a value for MinConfidence, DetectCustomLabels returns labels based on the assumed threshold of each label. This is a stateless API operation. That is, the operation does not persist any data. This operation requires permissions to perform the rekognition:DetectCustomLabels action. For more information, see Analyzing an image in the Amazon Rekognition Custom Labels Developer Guide. /// - /// - Parameter DetectCustomLabelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectCustomLabelsInput`) /// - /// - Returns: `DetectCustomLabelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectCustomLabelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2169,7 +2145,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectCustomLabelsOutput.httpOutput(from:), DetectCustomLabelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2204,9 +2179,9 @@ extension RekognitionClient { /// /// Detects faces within an image that is provided as input. DetectFaces detects the 100 largest faces in the image. For each face detected, the operation returns face details. These details include a bounding box of the face, a confidence value (that the bounding box contains a face), and a fixed set of attributes such as facial landmarks (for example, coordinates of eye and mouth), pose, presence of facial occlusion, and so on. The face-detection algorithm is most effective on frontal faces. For non-frontal or obscured faces, the algorithm might not detect the faces or might detect faces with lower confidence. You pass the input image either as base64-encoded image bytes or as a reference to an image in an Amazon S3 bucket. If you use the AWS CLI to call Amazon Rekognition operations, passing image bytes is not supported. The image must be either a PNG or JPEG formatted file. This is a stateless API operation. That is, the operation does not persist any data. This operation requires permissions to perform the rekognition:DetectFaces action. /// - /// - Parameter DetectFacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectFacesInput`) /// - /// - Returns: `DetectFacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectFacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2245,7 +2220,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectFacesOutput.httpOutput(from:), DetectFacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2312,9 +2286,9 @@ extension RekognitionClient { /// /// {Name: tulip,Confidence: 99.0562} In this example, the detection algorithm more precisely identifies the flower as a tulip. If the object detected is a person, the operation doesn't provide the same facial details that the [DetectFaces] operation provides. This is a stateless API operation that doesn't return any data. This operation requires permissions to perform the rekognition:DetectLabels action. /// - /// - Parameter DetectLabelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectLabelsInput`) /// - /// - Returns: `DetectLabelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectLabelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2353,7 +2327,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectLabelsOutput.httpOutput(from:), DetectLabelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2388,9 +2361,9 @@ extension RekognitionClient { /// /// Detects unsafe content in a specified JPEG or PNG format image. Use DetectModerationLabels to moderate images depending on your requirements. For example, you might want to filter images that contain nudity, but not images containing suggestive content. To filter images, use the labels returned by DetectModerationLabels to determine which types of content are appropriate. For information about moderation labels, see Detecting Unsafe Content in the Amazon Rekognition Developer Guide. You pass the input image either as base64-encoded image bytes or as a reference to an image in an Amazon S3 bucket. If you use the AWS CLI to call Amazon Rekognition operations, passing image bytes is not supported. The image must be either a PNG or JPEG formatted file. You can specify an adapter to use when retrieving label predictions by providing a ProjectVersionArn to the ProjectVersion argument. /// - /// - Parameter DetectModerationLabelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectModerationLabelsInput`) /// - /// - Returns: `DetectModerationLabelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectModerationLabelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2435,7 +2408,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectModerationLabelsOutput.httpOutput(from:), DetectModerationLabelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2488,9 +2460,9 @@ extension RekognitionClient { /// /// This is a stateless API operation. That is, the operation does not persist any data. This operation requires permissions to perform the rekognition:DetectProtectiveEquipment action. /// - /// - Parameter DetectProtectiveEquipmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectProtectiveEquipmentInput`) /// - /// - Returns: `DetectProtectiveEquipmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectProtectiveEquipmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2529,7 +2501,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectProtectiveEquipmentOutput.httpOutput(from:), DetectProtectiveEquipmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2564,9 +2535,9 @@ extension RekognitionClient { /// /// Detects text in the input image and converts it into machine-readable text. Pass the input image as base64-encoded image bytes or as a reference to an image in an Amazon S3 bucket. If you use the AWS CLI to call Amazon Rekognition operations, you must pass it as a reference to an image in an Amazon S3 bucket. For the AWS CLI, passing image bytes is not supported. The image must be either a .png or .jpeg formatted file. The DetectText operation returns text in an array of [TextDetection] elements, TextDetections. Each TextDetection element provides information about a single word or line of text that was detected in the image. A word is one or more script characters that are not separated by spaces. DetectText can detect up to 100 words in an image. A line is a string of equally spaced words. A line isn't necessarily a complete sentence. For example, a driver's license number is detected as a line. A line ends when there is no aligned text after it. Also, a line ends when there is a large gap between words, relative to the length of the words. This means, depending on the gap between words, Amazon Rekognition may detect multiple lines in text aligned in the same direction. Periods don't represent the end of a line. If a sentence spans multiple lines, the DetectText operation returns multiple lines. To determine whether a TextDetection element is a line of text or a word, use the TextDetection object Type field. To be detected, text must be within +/- 90 degrees orientation of the horizontal axis. For more information, see Detecting text in the Amazon Rekognition Developer Guide. /// - /// - Parameter DetectTextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectTextInput`) /// - /// - Returns: `DetectTextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectTextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2605,7 +2576,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectTextOutput.httpOutput(from:), DetectTextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2640,9 +2610,9 @@ extension RekognitionClient { /// /// Removes the association between a Face supplied in an array of FaceIds and the User. If the User is not present already, then a ResourceNotFound exception is thrown. If successful, an array of faces that are disassociated from the User is returned. If a given face is already disassociated from the given UserID, it will be ignored and not be returned in the response. If a given face is already associated with a different User or not found in the collection it will be returned as part of UnsuccessfulDisassociations. You can remove 1 - 100 face IDs from a user at one time. /// - /// - Parameter DisassociateFacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFacesInput`) /// - /// - Returns: `DisassociateFacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2682,7 +2652,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFacesOutput.httpOutput(from:), DisassociateFacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2717,9 +2686,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Distributes the entries (images) in a training dataset across the training dataset and the test dataset for a project. DistributeDatasetEntries moves 20% of the training dataset images to the test dataset. An entry is a JSON Line that describes an image. You supply the Amazon Resource Names (ARN) of a project's training dataset and test dataset. The training dataset must contain the images that you want to split. The test dataset must be empty. The datasets must belong to the same project. To create training and test datasets for a project, call [CreateDataset]. Distributing a dataset takes a while to complete. To check the status call DescribeDataset. The operation is complete when the Status field for the training dataset and the test dataset is UPDATE_COMPLETE. If the dataset split fails, the value of Status is UPDATE_FAILED. This operation requires permissions to perform the rekognition:DistributeDatasetEntries action. /// - /// - Parameter DistributeDatasetEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DistributeDatasetEntriesInput`) /// - /// - Returns: `DistributeDatasetEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DistributeDatasetEntriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2760,7 +2729,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DistributeDatasetEntriesOutput.httpOutput(from:), DistributeDatasetEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2795,9 +2763,9 @@ extension RekognitionClient { /// /// Gets the name and additional information about a celebrity based on their Amazon Rekognition ID. The additional information is returned as an array of URLs. If there is no additional information about the celebrity, this list is empty. For more information, see Getting information about a celebrity in the Amazon Rekognition Developer Guide. This operation requires permissions to perform the rekognition:GetCelebrityInfo action. /// - /// - Parameter GetCelebrityInfoInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCelebrityInfoInput`) /// - /// - Returns: `GetCelebrityInfoOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCelebrityInfoOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2834,7 +2802,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCelebrityInfoOutput.httpOutput(from:), GetCelebrityInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2869,9 +2836,9 @@ extension RekognitionClient { /// /// Gets the celebrity recognition results for a Amazon Rekognition Video analysis started by [StartCelebrityRecognition]. Celebrity recognition in a video is an asynchronous operation. Analysis is started by a call to [StartCelebrityRecognition] which returns a job identifier (JobId). When the celebrity recognition operation finishes, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic registered in the initial call to StartCelebrityRecognition. To get the results of the celebrity recognition analysis, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call GetCelebrityDetection and pass the job identifier (JobId) from the initial call to StartCelebrityDetection. For more information, see Working With Stored Videos in the Amazon Rekognition Developer Guide. GetCelebrityRecognition returns detected celebrities and the time(s) they are detected in an array (Celebrities) of [CelebrityRecognition] objects. Each CelebrityRecognition contains information about the celebrity in a [CelebrityDetail] object and the time, Timestamp, the celebrity was detected. This [CelebrityDetail] object stores information about the detected celebrity's face attributes, a face bounding box, known gender, the celebrity's name, and a confidence estimate. GetCelebrityRecognition only returns the default facial attributes (BoundingBox, Confidence, Landmarks, Pose, and Quality). The BoundingBox field only applies to the detected face instance. The other facial attributes listed in the Face object of the following response syntax are not returned. For more information, see FaceDetail in the Amazon Rekognition Developer Guide. By default, the Celebrities array is sorted by time (milliseconds from the start of the video). You can also sort the array by celebrity by specifying the value ID in the SortBy input parameter. The CelebrityDetail object includes the celebrity identifer and additional information urls. If you don't store the additional information urls, you can get them later by calling [GetCelebrityInfo] with the celebrity identifer. No information is returned for faces not recognized as celebrities. Use MaxResults parameter to limit the number of labels returned. If there are more results than specified in MaxResults, the value of NextToken in the operation response contains a pagination token for getting the next set of results. To get the next page of results, call GetCelebrityDetection and populate the NextToken request parameter with the token value returned from the previous call to GetCelebrityRecognition. /// - /// - Parameter GetCelebrityRecognitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCelebrityRecognitionInput`) /// - /// - Returns: `GetCelebrityRecognitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCelebrityRecognitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2909,7 +2876,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCelebrityRecognitionOutput.httpOutput(from:), GetCelebrityRecognitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2944,9 +2910,9 @@ extension RekognitionClient { /// /// Gets the inappropriate, unwanted, or offensive content analysis results for a Amazon Rekognition Video analysis started by [StartContentModeration]. For a list of moderation labels in Amazon Rekognition, see [Using the image and video moderation APIs](https://docs.aws.amazon.com/rekognition/latest/dg/moderation.html#moderation-api). Amazon Rekognition Video inappropriate or offensive content detection in a stored video is an asynchronous operation. You start analysis by calling [StartContentModeration] which returns a job identifier (JobId). When analysis finishes, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic registered in the initial call to StartContentModeration. To get the results of the content analysis, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call GetContentModeration and pass the job identifier (JobId) from the initial call to StartContentModeration. For more information, see Working with Stored Videos in the Amazon Rekognition Devlopers Guide. GetContentModeration returns detected inappropriate, unwanted, or offensive content moderation labels, and the time they are detected, in an array, ModerationLabels, of [ContentModerationDetection] objects. By default, the moderated labels are returned sorted by time, in milliseconds from the start of the video. You can also sort them by moderated label by specifying NAME for the SortBy input parameter. Since video analysis can return a large number of results, use the MaxResults parameter to limit the number of labels returned in a single call to GetContentModeration. If there are more results than specified in MaxResults, the value of NextToken in the operation response contains a pagination token for getting the next set of results. To get the next page of results, call GetContentModeration and populate the NextToken request parameter with the value of NextToken returned from the previous call to GetContentModeration. For more information, see moderating content in the Amazon Rekognition Developer Guide. /// - /// - Parameter GetContentModerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContentModerationInput`) /// - /// - Returns: `GetContentModerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContentModerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2984,7 +2950,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContentModerationOutput.httpOutput(from:), GetContentModerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3019,9 +2984,9 @@ extension RekognitionClient { /// /// Gets face detection results for a Amazon Rekognition Video analysis started by [StartFaceDetection]. Face detection with Amazon Rekognition Video is an asynchronous operation. You start face detection by calling [StartFaceDetection] which returns a job identifier (JobId). When the face detection operation finishes, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic registered in the initial call to StartFaceDetection. To get the results of the face detection operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetFaceDetection] and pass the job identifier (JobId) from the initial call to StartFaceDetection. GetFaceDetection returns an array of detected faces (Faces) sorted by the time the faces were detected. Use MaxResults parameter to limit the number of labels returned. If there are more results than specified in MaxResults, the value of NextToken in the operation response contains a pagination token for getting the next set of results. To get the next page of results, call GetFaceDetection and populate the NextToken request parameter with the token value returned from the previous call to GetFaceDetection. Note that for the GetFaceDetection operation, the returned values for FaceOccluded and EyeDirection will always be "null". /// - /// - Parameter GetFaceDetectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFaceDetectionInput`) /// - /// - Returns: `GetFaceDetectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFaceDetectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3059,7 +3024,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFaceDetectionOutput.httpOutput(from:), GetFaceDetectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3094,9 +3058,9 @@ extension RekognitionClient { /// /// Retrieves the results of a specific Face Liveness session. It requires the sessionId as input, which was created using CreateFaceLivenessSession. Returns the corresponding Face Liveness confidence score, a reference image that includes a face bounding box, and audit images that also contain face bounding boxes. The Face Liveness confidence score ranges from 0 to 100. The number of audit images returned by GetFaceLivenessSessionResults is defined by the AuditImagesLimit paramater when calling CreateFaceLivenessSession. Reference images are always returned when possible. /// - /// - Parameter GetFaceLivenessSessionResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFaceLivenessSessionResultsInput`) /// - /// - Returns: `GetFaceLivenessSessionResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFaceLivenessSessionResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3133,7 +3097,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFaceLivenessSessionResultsOutput.httpOutput(from:), GetFaceLivenessSessionResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3168,9 +3131,9 @@ extension RekognitionClient { /// /// Gets the face search results for Amazon Rekognition Video face search started by [StartFaceSearch]. The search returns faces in a collection that match the faces of persons detected in a video. It also includes the time(s) that faces are matched in the video. Face search in a video is an asynchronous operation. You start face search by calling to [StartFaceSearch] which returns a job identifier (JobId). When the search operation finishes, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic registered in the initial call to StartFaceSearch. To get the search results, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call GetFaceSearch and pass the job identifier (JobId) from the initial call to StartFaceSearch. For more information, see Searching Faces in a Collection in the Amazon Rekognition Developer Guide. The search results are retured in an array, Persons, of [PersonMatch] objects. EachPersonMatch element contains details about the matching faces in the input collection, person information (facial attributes, bounding boxes, and person identifer) for the matched person, and the time the person was matched in the video. GetFaceSearch only returns the default facial attributes (BoundingBox, Confidence, Landmarks, Pose, and Quality). The other facial attributes listed in the Face object of the following response syntax are not returned. For more information, see FaceDetail in the Amazon Rekognition Developer Guide. By default, the Persons array is sorted by the time, in milliseconds from the start of the video, persons are matched. You can also sort by persons by specifying INDEX for the SORTBY input parameter. /// - /// - Parameter GetFaceSearchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFaceSearchInput`) /// - /// - Returns: `GetFaceSearchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFaceSearchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3208,7 +3171,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFaceSearchOutput.httpOutput(from:), GetFaceSearchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3260,9 +3222,9 @@ extension RekognitionClient { /// /// Timestamp and Bounding box information are returned for detected Instances, only if aggregation is done by TIMESTAMPS. If aggregating by SEGMENTS, information about detected instances isn’t returned. The version of the label model used for the detection is also returned. Note DominantColors isn't returned for Instances, although it is shown as part of the response in the sample seen below. Use MaxResults parameter to limit the number of labels returned. If there are more results than specified in MaxResults, the value of NextToken in the operation response contains a pagination token for getting the next set of results. To get the next page of results, call GetlabelDetection and populate the NextToken request parameter with the token value returned from the previous call to GetLabelDetection. If you are retrieving results while using the Amazon Simple Notification Service, note that you will receive an "ERROR" notification if the job encounters an issue. /// - /// - Parameter GetLabelDetectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLabelDetectionInput`) /// - /// - Returns: `GetLabelDetectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLabelDetectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3300,7 +3262,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLabelDetectionOutput.httpOutput(from:), GetLabelDetectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3335,9 +3296,9 @@ extension RekognitionClient { /// /// Retrieves the results for a given media analysis job. Takes a JobId returned by StartMediaAnalysisJob. /// - /// - Parameter GetMediaAnalysisJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMediaAnalysisJobInput`) /// - /// - Returns: `GetMediaAnalysisJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMediaAnalysisJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3374,7 +3335,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMediaAnalysisJobOutput.httpOutput(from:), GetMediaAnalysisJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3409,9 +3369,9 @@ extension RekognitionClient { /// /// End of support notice: On October 31, 2025, AWS will discontinue support for Amazon Rekognition People Pathing. After October 31, 2025, you will no longer be able to use the Rekognition People Pathing capability. For more information, visit this [blog post](https://aws.amazon.com/blogs/machine-learning/transitioning-from-amazon-rekognition-people-pathing-exploring-other-alternatives/). Gets the path tracking results of a Amazon Rekognition Video analysis started by [StartPersonTracking]. The person path tracking operation is started by a call to StartPersonTracking which returns a job identifier (JobId). When the operation finishes, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic registered in the initial call to StartPersonTracking. To get the results of the person path tracking operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetPersonTracking] and pass the job identifier (JobId) from the initial call to StartPersonTracking. GetPersonTracking returns an array, Persons, of tracked persons and the time(s) their paths were tracked in the video. GetPersonTracking only returns the default facial attributes (BoundingBox, Confidence, Landmarks, Pose, and Quality). The other facial attributes listed in the Face object of the following response syntax are not returned. For more information, see FaceDetail in the Amazon Rekognition Developer Guide. By default, the array is sorted by the time(s) a person's path is tracked in the video. You can sort by tracked persons by specifying INDEX for the SortBy input parameter. Use the MaxResults parameter to limit the number of items returned. If there are more results than specified in MaxResults, the value of NextToken in the operation response contains a pagination token for getting the next set of results. To get the next page of results, call GetPersonTracking and populate the NextToken request parameter with the token value returned from the previous call to GetPersonTracking. /// - /// - Parameter GetPersonTrackingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPersonTrackingInput`) /// - /// - Returns: `GetPersonTrackingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPersonTrackingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3449,7 +3409,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPersonTrackingOutput.httpOutput(from:), GetPersonTrackingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3484,9 +3443,9 @@ extension RekognitionClient { /// /// Gets the segment detection results of a Amazon Rekognition Video analysis started by [StartSegmentDetection]. Segment detection with Amazon Rekognition Video is an asynchronous operation. You start segment detection by calling [StartSegmentDetection] which returns a job identifier (JobId). When the segment detection operation finishes, Amazon Rekognition publishes a completion status to the Amazon Simple Notification Service topic registered in the initial call to StartSegmentDetection. To get the results of the segment detection operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. if so, call GetSegmentDetection and pass the job identifier (JobId) from the initial call of StartSegmentDetection. GetSegmentDetection returns detected segments in an array (Segments) of [SegmentDetection] objects. Segments is sorted by the segment types specified in the SegmentTypes input parameter of StartSegmentDetection. Each element of the array includes the detected segment, the precentage confidence in the acuracy of the detected segment, the type of the segment, and the frame in which the segment was detected. Use SelectedSegmentTypes to find out the type of segment detection requested in the call to StartSegmentDetection. Use the MaxResults parameter to limit the number of segment detections returned. If there are more results than specified in MaxResults, the value of NextToken in the operation response contains a pagination token for getting the next set of results. To get the next page of results, call GetSegmentDetection and populate the NextToken request parameter with the token value returned from the previous call to GetSegmentDetection. For more information, see Detecting video segments in stored video in the Amazon Rekognition Developer Guide. /// - /// - Parameter GetSegmentDetectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSegmentDetectionInput`) /// - /// - Returns: `GetSegmentDetectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSegmentDetectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3524,7 +3483,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSegmentDetectionOutput.httpOutput(from:), GetSegmentDetectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3559,9 +3517,9 @@ extension RekognitionClient { /// /// Gets the text detection results of a Amazon Rekognition Video analysis started by [StartTextDetection]. Text detection with Amazon Rekognition Video is an asynchronous operation. You start text detection by calling [StartTextDetection] which returns a job identifier (JobId) When the text detection operation finishes, Amazon Rekognition publishes a completion status to the Amazon Simple Notification Service topic registered in the initial call to StartTextDetection. To get the results of the text detection operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. if so, call GetTextDetection and pass the job identifier (JobId) from the initial call of StartLabelDetection. GetTextDetection returns an array of detected text (TextDetections) sorted by the time the text was detected, up to 100 words per frame of video. Each element of the array includes the detected text, the precentage confidence in the acuracy of the detected text, the time the text was detected, bounding box information for where the text was located, and unique identifiers for words and their lines. Use MaxResults parameter to limit the number of text detections returned. If there are more results than specified in MaxResults, the value of NextToken in the operation response contains a pagination token for getting the next set of results. To get the next page of results, call GetTextDetection and populate the NextToken request parameter with the token value returned from the previous call to GetTextDetection. /// - /// - Parameter GetTextDetectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTextDetectionInput`) /// - /// - Returns: `GetTextDetectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTextDetectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3599,7 +3557,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTextDetectionOutput.httpOutput(from:), GetTextDetectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3660,9 +3617,9 @@ extension RekognitionClient { /// /// If you request ALL or specific facial attributes (e.g., FACE_OCCLUDED) by using the detectionAttributes parameter, Amazon Rekognition returns detailed facial attributes, such as facial landmarks (for example, location of eye and mouth), facial occlusion, and other facial attributes. If you provide the same image, specify the same collection, and use the same external ID in the IndexFaces operation, Amazon Rekognition doesn't save duplicate face metadata. The input image is passed either as base64-encoded image bytes, or as a reference to an image in an Amazon S3 bucket. If you use the AWS CLI to call Amazon Rekognition operations, passing image bytes isn't supported. The image must be formatted as a PNG or JPEG file. This operation requires permissions to perform the rekognition:IndexFaces action. /// - /// - Parameter IndexFacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `IndexFacesInput`) /// - /// - Returns: `IndexFacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IndexFacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3703,7 +3660,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IndexFacesOutput.httpOutput(from:), IndexFacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3738,9 +3694,9 @@ extension RekognitionClient { /// /// Returns list of collection IDs in your account. If the result is truncated, the response also provides a NextToken that you can use in the subsequent request to fetch the next set of collection IDs. For an example, see Listing collections in the Amazon Rekognition Developer Guide. This operation requires permissions to perform the rekognition:ListCollections action. /// - /// - Parameter ListCollectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCollectionsInput`) /// - /// - Returns: `ListCollectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCollectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3778,7 +3734,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCollectionsOutput.httpOutput(from:), ListCollectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3813,9 +3768,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Lists the entries (images) within a dataset. An entry is a JSON Line that contains the information for a single image, including the image location, assigned labels, and object location bounding boxes. For more information, see [Creating a manifest file](https://docs.aws.amazon.com/rekognition/latest/customlabels-dg/md-manifest-files.html). JSON Lines in the response include information about non-terminal errors found in the dataset. Non terminal errors are reported in errors lists within each JSON Line. The same information is reported in the training and testing validation result manifests that Amazon Rekognition Custom Labels creates during model training. You can filter the response in variety of ways, such as choosing which labels to return and returning JSON Lines created after a specific date. This operation requires permissions to perform the rekognition:ListDatasetEntries action. /// - /// - Parameter ListDatasetEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetEntriesInput`) /// - /// - Returns: `ListDatasetEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetEntriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3858,7 +3813,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetEntriesOutput.httpOutput(from:), ListDatasetEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3893,9 +3847,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Lists the labels in a dataset. Amazon Rekognition Custom Labels uses labels to describe images. For more information, see [Labeling images](https://docs.aws.amazon.com/rekognition/latest/customlabels-dg/md-labeling-images.html). Lists the labels in a dataset. Amazon Rekognition Custom Labels uses labels to describe images. For more information, see Labeling images in the Amazon Rekognition Custom Labels Developer Guide. /// - /// - Parameter ListDatasetLabelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatasetLabelsInput`) /// - /// - Returns: `ListDatasetLabelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatasetLabelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3938,7 +3892,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatasetLabelsOutput.httpOutput(from:), ListDatasetLabelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3973,9 +3926,9 @@ extension RekognitionClient { /// /// Returns metadata for faces in the specified collection. This metadata includes information such as the bounding box coordinates, the confidence (that the bounding box contains a face), and face ID. For an example, see Listing Faces in a Collection in the Amazon Rekognition Developer Guide. This operation requires permissions to perform the rekognition:ListFaces action. /// - /// - Parameter ListFacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFacesInput`) /// - /// - Returns: `ListFacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4013,7 +3966,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFacesOutput.httpOutput(from:), ListFacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4048,9 +4000,9 @@ extension RekognitionClient { /// /// Returns a list of media analysis jobs. Results are sorted by CreationTimestamp in descending order. /// - /// - Parameter ListMediaAnalysisJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMediaAnalysisJobsInput`) /// - /// - Returns: `ListMediaAnalysisJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMediaAnalysisJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4087,7 +4039,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMediaAnalysisJobsOutput.httpOutput(from:), ListMediaAnalysisJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4122,9 +4073,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Gets a list of the project policies attached to a project. To attach a project policy to a project, call [PutProjectPolicy]. To remove a project policy from a project, call [DeleteProjectPolicy]. This operation requires permissions to perform the rekognition:ListProjectPolicies action. /// - /// - Parameter ListProjectPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectPoliciesInput`) /// - /// - Returns: `ListProjectPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4162,7 +4113,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectPoliciesOutput.httpOutput(from:), ListProjectPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4197,9 +4147,9 @@ extension RekognitionClient { /// /// Gets a list of stream processors that you have created with [CreateStreamProcessor]. /// - /// - Parameter ListStreamProcessorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStreamProcessorsInput`) /// - /// - Returns: `ListStreamProcessorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStreamProcessorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4236,7 +4186,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamProcessorsOutput.httpOutput(from:), ListStreamProcessorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4271,9 +4220,9 @@ extension RekognitionClient { /// /// Returns a list of tags in an Amazon Rekognition collection, stream processor, or Custom Labels model. This operation requires permissions to perform the rekognition:ListTagsForResource action. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4310,7 +4259,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4345,9 +4293,9 @@ extension RekognitionClient { /// /// Returns metadata of the User such as UserID in the specified collection. Anonymous User (to reserve faces without any identity) is not returned as part of this request. The results are sorted by system generated primary key ID. If the response is truncated, NextToken is returned in the response that can be used in the subsequent request to retrieve the next set of identities. /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4385,7 +4333,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4420,9 +4367,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Attaches a project policy to a Amazon Rekognition Custom Labels project in a trusting AWS account. A project policy specifies that a trusted AWS account can copy a model version from a trusting AWS account to a project in the trusted AWS account. To copy a model version you use the [CopyProjectVersion] operation. Only applies to Custom Labels projects. For more information about the format of a project policy document, see Attaching a project policy (SDK) in the Amazon Rekognition Custom Labels Developer Guide. The response from PutProjectPolicy is a revision ID for the project policy. You can attach multiple project policies to a project. You can also update an existing project policy by specifying the policy revision ID of the existing policy. To remove a project policy from a project, call [DeleteProjectPolicy]. To get a list of project policies attached to a project, call [ListProjectPolicies]. You copy a model version by calling [CopyProjectVersion]. This operation requires permissions to perform the rekognition:PutProjectPolicy action. /// - /// - Parameter PutProjectPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutProjectPolicyInput`) /// - /// - Returns: `PutProjectPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutProjectPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4464,7 +4411,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutProjectPolicyOutput.httpOutput(from:), PutProjectPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4499,9 +4445,9 @@ extension RekognitionClient { /// /// Returns an array of celebrities recognized in the input image. For more information, see Recognizing celebrities in the Amazon Rekognition Developer Guide. RecognizeCelebrities returns the 64 largest faces in the image. It lists the recognized celebrities in the CelebrityFaces array and any unrecognized faces in the UnrecognizedFaces array. RecognizeCelebrities doesn't return celebrities whose faces aren't among the largest 64 faces in the image. For each celebrity recognized, RecognizeCelebrities returns a Celebrity object. The Celebrity object contains the celebrity name, ID, URL links to additional information, match confidence, and a ComparedFace object that you can use to locate the celebrity's face on the image. Amazon Rekognition doesn't retain information about which images a celebrity has been recognized in. Your application must store this information and use the Celebrity ID property as a unique identifier for the celebrity. If you don't store the celebrity name or additional information URLs returned by RecognizeCelebrities, you will need the ID to identify the celebrity in a call to the [GetCelebrityInfo] operation. You pass the input image either as base64-encoded image bytes or as a reference to an image in an Amazon S3 bucket. If you use the AWS CLI to call Amazon Rekognition operations, passing image bytes is not supported. The image must be either a PNG or JPEG formatted file. For an example, see Recognizing celebrities in an image in the Amazon Rekognition Developer Guide. This operation requires permissions to perform the rekognition:RecognizeCelebrities operation. /// - /// - Parameter RecognizeCelebritiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RecognizeCelebritiesInput`) /// - /// - Returns: `RecognizeCelebritiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RecognizeCelebritiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4540,7 +4486,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RecognizeCelebritiesOutput.httpOutput(from:), RecognizeCelebritiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4575,9 +4520,9 @@ extension RekognitionClient { /// /// For a given input face ID, searches for matching faces in the collection the face belongs to. You get a face ID when you add a face to the collection using the [IndexFaces] operation. The operation compares the features of the input face with faces in the specified collection. You can also search faces without indexing faces by using the SearchFacesByImage operation. The operation response returns an array of faces that match, ordered by similarity score with the highest similarity first. More specifically, it is an array of metadata for each face match that is found. Along with the metadata, the response also includes a confidence value for each face match, indicating the confidence that the specific face matches the input face. For an example, see Searching for a face using its face ID in the Amazon Rekognition Developer Guide. This operation requires permissions to perform the rekognition:SearchFaces action. /// - /// - Parameter SearchFacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchFacesInput`) /// - /// - Returns: `SearchFacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchFacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4614,7 +4559,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchFacesOutput.httpOutput(from:), SearchFacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4649,9 +4593,9 @@ extension RekognitionClient { /// /// For a given input image, first detects the largest face in the image, and then searches the specified collection for matching faces. The operation compares the features of the input face with faces in the specified collection. To search for all faces in an input image, you might first call the [IndexFaces] operation, and then use the face IDs returned in subsequent calls to the [SearchFaces] operation. You can also call the DetectFaces operation and use the bounding boxes in the response to make face crops, which then you can pass in to the SearchFacesByImage operation. You pass the input image either as base64-encoded image bytes or as a reference to an image in an Amazon S3 bucket. If you use the AWS CLI to call Amazon Rekognition operations, passing image bytes is not supported. The image must be either a PNG or JPEG formatted file. The response returns an array of faces that match, ordered by similarity score with the highest similarity first. More specifically, it is an array of metadata for each face match found. Along with the metadata, the response also includes a similarity indicating how similar the face is to the input face. In the response, the operation also returns the bounding box (and a confidence level that the bounding box contains a face) of the face that Amazon Rekognition used for the input image. If no faces are detected in the input image, SearchFacesByImage returns an InvalidParameterException error. For an example, Searching for a Face Using an Image in the Amazon Rekognition Developer Guide. The QualityFilter input parameter allows you to filter out detected faces that don’t meet a required quality bar. The quality bar is based on a variety of common use cases. Use QualityFilter to set the quality bar for filtering by specifying LOW, MEDIUM, or HIGH. If you do not want to filter detected faces, specify NONE. The default value is NONE. To use quality filtering, you need a collection associated with version 3 of the face model or higher. To get the version of the face model associated with a collection, call [DescribeCollection]. This operation requires permissions to perform the rekognition:SearchFacesByImage action. /// - /// - Parameter SearchFacesByImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchFacesByImageInput`) /// - /// - Returns: `SearchFacesByImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchFacesByImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4691,7 +4635,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchFacesByImageOutput.httpOutput(from:), SearchFacesByImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4726,9 +4669,9 @@ extension RekognitionClient { /// /// Searches for UserIDs within a collection based on a FaceId or UserId. This API can be used to find the closest UserID (with a highest similarity) to associate a face. The request must be provided with either FaceId or UserId. The operation returns an array of UserID that match the FaceId or UserId, ordered by similarity score with the highest similarity first. /// - /// - Parameter SearchUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchUsersInput`) /// - /// - Returns: `SearchUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4765,7 +4708,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchUsersOutput.httpOutput(from:), SearchUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4800,9 +4742,9 @@ extension RekognitionClient { /// /// Searches for UserIDs using a supplied image. It first detects the largest face in the image, and then searches a specified collection for matching UserIDs. The operation returns an array of UserIDs that match the face in the supplied image, ordered by similarity score with the highest similarity first. It also returns a bounding box for the face found in the input image. Information about faces detected in the supplied image, but not used for the search, is returned in an array of UnsearchedFace objects. If no valid face is detected in the image, the response will contain an empty UserMatches list and no SearchedFace object. /// - /// - Parameter SearchUsersByImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchUsersByImageInput`) /// - /// - Returns: `SearchUsersByImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchUsersByImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4842,7 +4784,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchUsersByImageOutput.httpOutput(from:), SearchUsersByImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4877,9 +4818,9 @@ extension RekognitionClient { /// /// Starts asynchronous recognition of celebrities in a stored video. Amazon Rekognition Video can detect celebrities in a video must be stored in an Amazon S3 bucket. Use [Video] to specify the bucket name and the filename of the video. StartCelebrityRecognition returns a job identifier (JobId) which you use to get the results of the analysis. When celebrity recognition analysis is finished, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic that you specify in NotificationChannel. To get the results of the celebrity recognition analysis, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetCelebrityRecognition] and pass the job identifier (JobId) from the initial call to StartCelebrityRecognition. For more information, see Recognizing celebrities in the Amazon Rekognition Developer Guide. /// - /// - Parameter StartCelebrityRecognitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCelebrityRecognitionInput`) /// - /// - Returns: `StartCelebrityRecognitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCelebrityRecognitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4919,7 +4860,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCelebrityRecognitionOutput.httpOutput(from:), StartCelebrityRecognitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4954,9 +4894,9 @@ extension RekognitionClient { /// /// Starts asynchronous detection of inappropriate, unwanted, or offensive content in a stored video. For a list of moderation labels in Amazon Rekognition, see [Using the image and video moderation APIs](https://docs.aws.amazon.com/rekognition/latest/dg/moderation.html#moderation-api). Amazon Rekognition Video can moderate content in a video stored in an Amazon S3 bucket. Use [Video] to specify the bucket name and the filename of the video. StartContentModeration returns a job identifier (JobId) which you use to get the results of the analysis. When content analysis is finished, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic that you specify in NotificationChannel. To get the results of the content analysis, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetContentModeration] and pass the job identifier (JobId) from the initial call to StartContentModeration. For more information, see Moderating content in the Amazon Rekognition Developer Guide. /// - /// - Parameter StartContentModerationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartContentModerationInput`) /// - /// - Returns: `StartContentModerationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartContentModerationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4996,7 +4936,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartContentModerationOutput.httpOutput(from:), StartContentModerationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5031,9 +4970,9 @@ extension RekognitionClient { /// /// Starts asynchronous detection of faces in a stored video. Amazon Rekognition Video can detect faces in a video stored in an Amazon S3 bucket. Use [Video] to specify the bucket name and the filename of the video. StartFaceDetection returns a job identifier (JobId) that you use to get the results of the operation. When face detection is finished, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic that you specify in NotificationChannel. To get the results of the face detection operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetFaceDetection] and pass the job identifier (JobId) from the initial call to StartFaceDetection. For more information, see Detecting faces in a stored video in the Amazon Rekognition Developer Guide. /// - /// - Parameter StartFaceDetectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFaceDetectionInput`) /// - /// - Returns: `StartFaceDetectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFaceDetectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5073,7 +5012,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFaceDetectionOutput.httpOutput(from:), StartFaceDetectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5108,9 +5046,9 @@ extension RekognitionClient { /// /// Starts the asynchronous search for faces in a collection that match the faces of persons detected in a stored video. The video must be stored in an Amazon S3 bucket. Use [Video] to specify the bucket name and the filename of the video. StartFaceSearch returns a job identifier (JobId) which you use to get the search results once the search has completed. When searching is finished, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic that you specify in NotificationChannel. To get the search results, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetFaceSearch] and pass the job identifier (JobId) from the initial call to StartFaceSearch. For more information, see [Searching stored videos for faces](https://docs.aws.amazon.com/rekognition/latest/dg/procedure-person-search-videos.html). /// - /// - Parameter StartFaceSearchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFaceSearchInput`) /// - /// - Returns: `StartFaceSearchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFaceSearchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5151,7 +5089,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFaceSearchOutput.httpOutput(from:), StartFaceSearchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5186,9 +5123,9 @@ extension RekognitionClient { /// /// Starts asynchronous detection of labels in a stored video. Amazon Rekognition Video can detect labels in a video. Labels are instances of real-world entities. This includes objects like flower, tree, and table; events like wedding, graduation, and birthday party; concepts like landscape, evening, and nature; and activities like a person getting out of a car or a person skiing. The video must be stored in an Amazon S3 bucket. Use [Video] to specify the bucket name and the filename of the video. StartLabelDetection returns a job identifier (JobId) which you use to get the results of the operation. When label detection is finished, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic that you specify in NotificationChannel. To get the results of the label detection operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetLabelDetection] and pass the job identifier (JobId) from the initial call to StartLabelDetection. Optional Parameters StartLabelDetection has the GENERAL_LABELS Feature applied by default. This feature allows you to provide filtering criteria to the Settings parameter. You can filter with sets of individual labels or with label categories. You can specify inclusive filters, exclusive filters, or a combination of inclusive and exclusive filters. For more information on filtering, see [Detecting labels in a video](https://docs.aws.amazon.com/rekognition/latest/dg/labels-detecting-labels-video.html). You can specify MinConfidence to control the confidence threshold for the labels returned. The default is 50. /// - /// - Parameter StartLabelDetectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartLabelDetectionInput`) /// - /// - Returns: `StartLabelDetectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartLabelDetectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5228,7 +5165,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartLabelDetectionOutput.httpOutput(from:), StartLabelDetectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5263,9 +5199,9 @@ extension RekognitionClient { /// /// Initiates a new media analysis job. Accepts a manifest file in an Amazon S3 bucket. The output is a manifest file and a summary of the manifest stored in the Amazon S3 bucket. /// - /// - Parameter StartMediaAnalysisJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMediaAnalysisJobInput`) /// - /// - Returns: `StartMediaAnalysisJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMediaAnalysisJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5311,7 +5247,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMediaAnalysisJobOutput.httpOutput(from:), StartMediaAnalysisJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5346,9 +5281,9 @@ extension RekognitionClient { /// /// End of support notice: On October 31, 2025, AWS will discontinue support for Amazon Rekognition People Pathing. After October 31, 2025, you will no longer be able to use the Rekognition People Pathing capability. For more information, visit this [blog post](https://aws.amazon.com/blogs/machine-learning/transitioning-from-amazon-rekognition-people-pathing-exploring-other-alternatives/). Starts the asynchronous tracking of a person's path in a stored video. Amazon Rekognition Video can track the path of people in a video stored in an Amazon S3 bucket. Use [Video] to specify the bucket name and the filename of the video. StartPersonTracking returns a job identifier (JobId) which you use to get the results of the operation. When label detection is finished, Amazon Rekognition publishes a completion status to the Amazon Simple Notification Service topic that you specify in NotificationChannel. To get the results of the person detection operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetPersonTracking] and pass the job identifier (JobId) from the initial call to StartPersonTracking. /// - /// - Parameter StartPersonTrackingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPersonTrackingInput`) /// - /// - Returns: `StartPersonTrackingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPersonTrackingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5388,7 +5323,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPersonTrackingOutput.httpOutput(from:), StartPersonTrackingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5423,9 +5357,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Starts the running of the version of a model. Starting a model takes a while to complete. To check the current state of the model, use [DescribeProjectVersions]. Once the model is running, you can detect custom labels in new images by calling [DetectCustomLabels]. You are charged for the amount of time that the model is running. To stop a running model, call [StopProjectVersion]. This operation requires permissions to perform the rekognition:StartProjectVersion action. /// - /// - Parameter StartProjectVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartProjectVersionInput`) /// - /// - Returns: `StartProjectVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartProjectVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5464,7 +5398,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartProjectVersionOutput.httpOutput(from:), StartProjectVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5499,9 +5432,9 @@ extension RekognitionClient { /// /// Starts asynchronous detection of segment detection in a stored video. Amazon Rekognition Video can detect segments in a video stored in an Amazon S3 bucket. Use [Video] to specify the bucket name and the filename of the video. StartSegmentDetection returns a job identifier (JobId) which you use to get the results of the operation. When segment detection is finished, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic that you specify in NotificationChannel. You can use the Filters ([StartSegmentDetectionFilters]) input parameter to specify the minimum detection confidence returned in the response. Within Filters, use ShotFilter ([StartShotDetectionFilter]) to filter detected shots. Use TechnicalCueFilter ([StartTechnicalCueDetectionFilter]) to filter technical cues. To get the results of the segment detection operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. if so, call [GetSegmentDetection] and pass the job identifier (JobId) from the initial call to StartSegmentDetection. For more information, see Detecting video segments in stored video in the Amazon Rekognition Developer Guide. /// - /// - Parameter StartSegmentDetectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSegmentDetectionInput`) /// - /// - Returns: `StartSegmentDetectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSegmentDetectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5541,7 +5474,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSegmentDetectionOutput.httpOutput(from:), StartSegmentDetectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5576,9 +5508,9 @@ extension RekognitionClient { /// /// Starts processing a stream processor. You create a stream processor by calling [CreateStreamProcessor]. To tell StartStreamProcessor which stream processor to start, use the value of the Name field specified in the call to CreateStreamProcessor. If you are using a label detection stream processor to detect labels, you need to provide a Start selector and a Stop selector to determine the length of the stream processing time. /// - /// - Parameter StartStreamProcessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartStreamProcessorInput`) /// - /// - Returns: `StartStreamProcessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartStreamProcessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5616,7 +5548,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartStreamProcessorOutput.httpOutput(from:), StartStreamProcessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5651,9 +5582,9 @@ extension RekognitionClient { /// /// Starts asynchronous detection of text in a stored video. Amazon Rekognition Video can detect text in a video stored in an Amazon S3 bucket. Use [Video] to specify the bucket name and the filename of the video. StartTextDetection returns a job identifier (JobId) which you use to get the results of the operation. When text detection is finished, Amazon Rekognition Video publishes a completion status to the Amazon Simple Notification Service topic that you specify in NotificationChannel. To get the results of the text detection operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. if so, call [GetTextDetection] and pass the job identifier (JobId) from the initial call to StartTextDetection. /// - /// - Parameter StartTextDetectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTextDetectionInput`) /// - /// - Returns: `StartTextDetectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTextDetectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5693,7 +5624,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTextDetectionOutput.httpOutput(from:), StartTextDetectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5728,9 +5658,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Stops a running model. The operation might take a while to complete. To check the current status, call [DescribeProjectVersions]. Only applies to Custom Labels projects. This operation requires permissions to perform the rekognition:StopProjectVersion action. /// - /// - Parameter StopProjectVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopProjectVersionInput`) /// - /// - Returns: `StopProjectVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopProjectVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5768,7 +5698,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopProjectVersionOutput.httpOutput(from:), StopProjectVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5803,9 +5732,9 @@ extension RekognitionClient { /// /// Stops a running stream processor that was created by [CreateStreamProcessor]. /// - /// - Parameter StopStreamProcessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopStreamProcessorInput`) /// - /// - Returns: `StopStreamProcessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopStreamProcessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5843,7 +5772,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopStreamProcessorOutput.httpOutput(from:), StopStreamProcessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5878,9 +5806,9 @@ extension RekognitionClient { /// /// Adds one or more key-value tags to an Amazon Rekognition collection, stream processor, or Custom Labels model. For more information, see [Tagging AWS Resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html). This operation requires permissions to perform the rekognition:TagResource action. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5918,7 +5846,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5953,9 +5880,9 @@ extension RekognitionClient { /// /// Removes one or more tags from an Amazon Rekognition collection, stream processor, or Custom Labels model. This operation requires permissions to perform the rekognition:UntagResource action. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5992,7 +5919,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6027,9 +5953,9 @@ extension RekognitionClient { /// /// This operation applies only to Amazon Rekognition Custom Labels. Adds or updates one or more entries (images) in a dataset. An entry is a JSON Line which contains the information for a single image, including the image location, assigned labels, and object location bounding boxes. For more information, see Image-Level labels in manifest files and Object localization in manifest files in the Amazon Rekognition Custom Labels Developer Guide. If the source-ref field in the JSON line references an existing image, the existing image in the dataset is updated. If source-ref field doesn't reference an existing image, the image is added as a new image to the dataset. You specify the changes that you want to make in the Changes input parameter. There isn't a limit to the number JSON Lines that you can change, but the size of Changes must be less than 5MB. UpdateDatasetEntries returns immediatly, but the dataset update might take a while to complete. Use [DescribeDataset] to check the current status. The dataset updated successfully if the value of Status is UPDATE_COMPLETE. To check if any non-terminal errors occured, call [ListDatasetEntries] and check for the presence of errors lists in the JSON Lines. Dataset update fails if a terminal error occurs (Status = UPDATE_FAILED). Currently, you can't access the terminal error information from the Amazon Rekognition Custom Labels SDK. This operation requires permissions to perform the rekognition:UpdateDatasetEntries action. /// - /// - Parameter UpdateDatasetEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatasetEntriesInput`) /// - /// - Returns: `UpdateDatasetEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatasetEntriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6068,7 +5994,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatasetEntriesOutput.httpOutput(from:), UpdateDatasetEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6103,9 +6028,9 @@ extension RekognitionClient { /// /// Allows you to update a stream processor. You can change some settings and regions of interest and delete certain parameters. /// - /// - Parameter UpdateStreamProcessorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStreamProcessorInput`) /// - /// - Returns: `UpdateStreamProcessorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStreamProcessorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6143,7 +6068,6 @@ extension RekognitionClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStreamProcessorOutput.httpOutput(from:), UpdateStreamProcessorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRepostspace/Sources/AWSRepostspace/RepostspaceClient.swift b/Sources/Services/AWSRepostspace/Sources/AWSRepostspace/RepostspaceClient.swift index 27593be3164..65751d7396d 100644 --- a/Sources/Services/AWSRepostspace/Sources/AWSRepostspace/RepostspaceClient.swift +++ b/Sources/Services/AWSRepostspace/Sources/AWSRepostspace/RepostspaceClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RepostspaceClient: ClientRuntime.Client { public static let clientName = "RepostspaceClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RepostspaceClient.RepostspaceClientConfiguration let serviceName = "repostspace" @@ -374,9 +373,9 @@ extension RepostspaceClient { /// /// Add role to multiple users or groups in a private re:Post channel. /// - /// - Parameter BatchAddChannelRoleToAccessorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAddChannelRoleToAccessorsInput`) /// - /// - Returns: `BatchAddChannelRoleToAccessorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAddChannelRoleToAccessorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAddChannelRoleToAccessorsOutput.httpOutput(from:), BatchAddChannelRoleToAccessorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension RepostspaceClient { /// /// Add a role to multiple users or groups in a private re:Post. /// - /// - Parameter BatchAddRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAddRoleInput`) /// - /// - Returns: `BatchAddRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAddRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAddRoleOutput.httpOutput(from:), BatchAddRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension RepostspaceClient { /// /// Remove a role from multiple users or groups in a private re:Post channel. /// - /// - Parameter BatchRemoveChannelRoleFromAccessorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchRemoveChannelRoleFromAccessorsInput`) /// - /// - Returns: `BatchRemoveChannelRoleFromAccessorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchRemoveChannelRoleFromAccessorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchRemoveChannelRoleFromAccessorsOutput.httpOutput(from:), BatchRemoveChannelRoleFromAccessorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension RepostspaceClient { /// /// Remove a role from multiple users or groups in a private re:Post. /// - /// - Parameter BatchRemoveRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchRemoveRoleInput`) /// - /// - Returns: `BatchRemoveRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchRemoveRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchRemoveRoleOutput.httpOutput(from:), BatchRemoveRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension RepostspaceClient { /// /// Creates a channel in an AWS re:Post Private private re:Post. /// - /// - Parameter CreateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateChannelInput`) /// - /// - Returns: `CreateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateChannelOutput.httpOutput(from:), CreateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension RepostspaceClient { /// /// Creates an AWS re:Post Private private re:Post. /// - /// - Parameter CreateSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSpaceInput`) /// - /// - Returns: `CreateSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +772,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSpaceOutput.httpOutput(from:), CreateSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -810,9 +803,9 @@ extension RepostspaceClient { /// /// Deletes an AWS re:Post Private private re:Post. /// - /// - Parameter DeleteSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSpaceInput`) /// - /// - Returns: `DeleteSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSpaceOutput.httpOutput(from:), DeleteSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension RepostspaceClient { /// /// Removes the user or group from the list of administrators of the private re:Post. /// - /// - Parameter DeregisterAdminInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterAdminInput`) /// - /// - Returns: `DeregisterAdminOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterAdminOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -916,7 +908,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterAdminOutput.httpOutput(from:), DeregisterAdminOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -948,9 +939,9 @@ extension RepostspaceClient { /// /// Displays information about a channel in a private re:Post. /// - /// - Parameter GetChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChannelInput`) /// - /// - Returns: `GetChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -985,7 +976,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChannelOutput.httpOutput(from:), GetChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1017,9 +1007,9 @@ extension RepostspaceClient { /// /// Displays information about the AWS re:Post Private private re:Post. /// - /// - Parameter GetSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSpaceInput`) /// - /// - Returns: `GetSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSpaceOutput.httpOutput(from:), GetSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1075,9 @@ extension RepostspaceClient { /// /// Returns the list of channel within a private re:Post with some information about each channel. /// - /// - Parameter ListChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChannelsInput`) /// - /// - Returns: `ListChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1123,7 +1112,6 @@ extension RepostspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChannelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChannelsOutput.httpOutput(from:), ListChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1155,9 +1143,9 @@ extension RepostspaceClient { /// /// Returns a list of AWS re:Post Private private re:Posts in the account with some information about each private re:Post. /// - /// - Parameter ListSpacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSpacesInput`) /// - /// - Returns: `ListSpacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSpacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1192,7 +1180,6 @@ extension RepostspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSpacesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSpacesOutput.httpOutput(from:), ListSpacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1224,9 +1211,9 @@ extension RepostspaceClient { /// /// Returns the tags that are associated with the AWS re:Post Private resource specified by the resourceArn. The only resource that can be tagged is a private re:Post. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1261,7 +1248,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1293,9 +1279,9 @@ extension RepostspaceClient { /// /// Adds a user or group to the list of administrators of the private re:Post. /// - /// - Parameter RegisterAdminInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterAdminInput`) /// - /// - Returns: `RegisterAdminOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterAdminOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1330,7 +1316,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterAdminOutput.httpOutput(from:), RegisterAdminOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1362,9 +1347,9 @@ extension RepostspaceClient { /// /// Sends an invitation email to selected users and groups. /// - /// - Parameter SendInvitesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendInvitesInput`) /// - /// - Returns: `SendInvitesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendInvitesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1402,7 +1387,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendInvitesOutput.httpOutput(from:), SendInvitesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1434,9 +1418,9 @@ extension RepostspaceClient { /// /// Associates tags with an AWS re:Post Private resource. Currently, the only resource that can be tagged is the private re:Post. If you specify a new tag key for the resource, the tag is appended to the list of tags that are associated with the resource. If you specify a tag key that’s already associated with the resource, the new tag value that you specify replaces the previous value for that tag. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1474,7 +1458,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1506,9 +1489,9 @@ extension RepostspaceClient { /// /// Removes the association of the tag with the AWS re:Post Private resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1544,7 +1527,6 @@ extension RepostspaceClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1576,9 +1558,9 @@ extension RepostspaceClient { /// /// Modifies an existing channel. /// - /// - Parameter UpdateChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateChannelInput`) /// - /// - Returns: `UpdateChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1617,7 +1599,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChannelOutput.httpOutput(from:), UpdateChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1649,9 +1630,9 @@ extension RepostspaceClient { /// /// Modifies an existing AWS re:Post Private private re:Post. /// - /// - Parameter UpdateSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSpaceInput`) /// - /// - Returns: `UpdateSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1690,7 +1671,6 @@ extension RepostspaceClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSpaceOutput.httpOutput(from:), UpdateSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSResiliencehub/Sources/AWSResiliencehub/ResiliencehubClient.swift b/Sources/Services/AWSResiliencehub/Sources/AWSResiliencehub/ResiliencehubClient.swift index f8e757c38ef..d4bebbbdfcb 100644 --- a/Sources/Services/AWSResiliencehub/Sources/AWSResiliencehub/ResiliencehubClient.swift +++ b/Sources/Services/AWSResiliencehub/Sources/AWSResiliencehub/ResiliencehubClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ResiliencehubClient: ClientRuntime.Client { public static let clientName = "ResiliencehubClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ResiliencehubClient.ResiliencehubClientConfiguration let serviceName = "resiliencehub" @@ -375,9 +374,9 @@ extension ResiliencehubClient { /// /// Accepts the resource grouping recommendations suggested by Resilience Hub for your application. /// - /// - Parameter AcceptResourceGroupingRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptResourceGroupingRecommendationsInput`) /// - /// - Returns: `AcceptResourceGroupingRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptResourceGroupingRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptResourceGroupingRecommendationsOutput.httpOutput(from:), AcceptResourceGroupingRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension ResiliencehubClient { /// /// Adds the source of resource-maps to the draft version of an application. During assessment, Resilience Hub will use these resource-maps to resolve the latest physical ID for each resource in the application template. For more information about different types of resources supported by Resilience Hub and how to add them in your application, see [Step 2: How is your application managed?](https://docs.aws.amazon.com/resilience-hub/latest/userguide/how-app-manage.html) in the Resilience Hub User Guide. /// - /// - Parameter AddDraftAppVersionResourceMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddDraftAppVersionResourceMappingsInput`) /// - /// - Returns: `AddDraftAppVersionResourceMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddDraftAppVersionResourceMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddDraftAppVersionResourceMappingsOutput.httpOutput(from:), AddDraftAppVersionResourceMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension ResiliencehubClient { /// /// Enables you to include or exclude one or more operational recommendations. /// - /// - Parameter BatchUpdateRecommendationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateRecommendationStatusInput`) /// - /// - Returns: `BatchUpdateRecommendationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateRecommendationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateRecommendationStatusOutput.httpOutput(from:), BatchUpdateRecommendationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension ResiliencehubClient { /// /// Creates an Resilience Hub application. An Resilience Hub application is a collection of Amazon Web Services resources structured to prevent and recover Amazon Web Services application disruptions. To describe a Resilience Hub application, you provide an application name, resources from one or more CloudFormation stacks, Resource Groups, Terraform state files, AppRegistry applications, and an appropriate resiliency policy. In addition, you can also add resources that are located on Amazon Elastic Kubernetes Service (Amazon EKS) clusters as optional resources. For more information about the number of resources supported per application, see [Service quotas](https://docs.aws.amazon.com/general/latest/gr/resiliencehub.html#limits_resiliencehub). After you create an Resilience Hub application, you publish it so that you can run a resiliency assessment on it. You can then use recommendations from the assessment to improve resiliency by running another assessment, comparing results, and then iterating the process until you achieve your goals for recovery time objective (RTO) and recovery point objective (RPO). /// - /// - Parameter CreateAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppInput`) /// - /// - Returns: `CreateAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -636,7 +632,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppOutput.httpOutput(from:), CreateAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -668,9 +663,9 @@ extension ResiliencehubClient { /// /// Creates a new Application Component in the Resilience Hub application. This API updates the Resilience Hub application draft version. To use this Application Component for running assessments, you must publish the Resilience Hub application using the PublishAppVersion API. /// - /// - Parameter CreateAppVersionAppComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppVersionAppComponentInput`) /// - /// - Returns: `CreateAppVersionAppComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppVersionAppComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppVersionAppComponentOutput.httpOutput(from:), CreateAppVersionAppComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -749,9 +743,9 @@ extension ResiliencehubClient { /// /// * To update application version with new physicalResourceID, you must call ResolveAppVersionResources API. /// - /// - Parameter CreateAppVersionResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppVersionResourceInput`) /// - /// - Returns: `CreateAppVersionResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppVersionResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -792,7 +786,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppVersionResourceOutput.httpOutput(from:), CreateAppVersionResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -824,9 +817,9 @@ extension ResiliencehubClient { /// /// Creates a new recommendation template for the Resilience Hub application. /// - /// - Parameter CreateRecommendationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRecommendationTemplateInput`) /// - /// - Returns: `CreateRecommendationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRecommendationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -867,7 +860,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRecommendationTemplateOutput.httpOutput(from:), CreateRecommendationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -899,9 +891,9 @@ extension ResiliencehubClient { /// /// Creates a resiliency policy for an application. Resilience Hub allows you to provide a value of zero for rtoInSecs and rpoInSecs of your resiliency policy. But, while assessing your application, the lowest possible assessment result is near zero. Hence, if you provide value zero for rtoInSecs and rpoInSecs, the estimated workload RTO and estimated workload RPO result will be near zero and the Compliance status for your application will be set to Policy breached. /// - /// - Parameter CreateResiliencyPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResiliencyPolicyInput`) /// - /// - Returns: `CreateResiliencyPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResiliencyPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -941,7 +933,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResiliencyPolicyOutput.httpOutput(from:), CreateResiliencyPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -973,9 +964,9 @@ extension ResiliencehubClient { /// /// Deletes an Resilience Hub application. This is a destructive action that can't be undone. /// - /// - Parameter DeleteAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppInput`) /// - /// - Returns: `DeleteAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1014,7 +1005,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppOutput.httpOutput(from:), DeleteAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1046,9 +1036,9 @@ extension ResiliencehubClient { /// /// Deletes an Resilience Hub application assessment. This is a destructive action that can't be undone. /// - /// - Parameter DeleteAppAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppAssessmentInput`) /// - /// - Returns: `DeleteAppAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1088,7 +1078,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppAssessmentOutput.httpOutput(from:), DeleteAppAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1120,9 +1109,9 @@ extension ResiliencehubClient { /// /// Deletes the input source and all of its imported resources from the Resilience Hub application. /// - /// - Parameter DeleteAppInputSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppInputSourceInput`) /// - /// - Returns: `DeleteAppInputSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppInputSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1162,7 +1151,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppInputSourceOutput.httpOutput(from:), DeleteAppInputSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1198,9 +1186,9 @@ extension ResiliencehubClient { /// /// * You will not be able to delete an Application Component if it has resources associated with it. /// - /// - Parameter DeleteAppVersionAppComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppVersionAppComponentInput`) /// - /// - Returns: `DeleteAppVersionAppComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppVersionAppComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1240,7 +1228,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppVersionAppComponentOutput.httpOutput(from:), DeleteAppVersionAppComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1278,9 +1265,9 @@ extension ResiliencehubClient { /// /// * This API updates the Resilience Hub application draft version. To use this resource for running resiliency assessments, you must publish the Resilience Hub application using the PublishAppVersion API. /// - /// - Parameter DeleteAppVersionResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppVersionResourceInput`) /// - /// - Returns: `DeleteAppVersionResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppVersionResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1320,7 +1307,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppVersionResourceOutput.httpOutput(from:), DeleteAppVersionResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1352,9 +1338,9 @@ extension ResiliencehubClient { /// /// Deletes a recommendation template. This is a destructive action that can't be undone. /// - /// - Parameter DeleteRecommendationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRecommendationTemplateInput`) /// - /// - Returns: `DeleteRecommendationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRecommendationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1393,7 +1379,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRecommendationTemplateOutput.httpOutput(from:), DeleteRecommendationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1425,9 +1410,9 @@ extension ResiliencehubClient { /// /// Deletes a resiliency policy. This is a destructive action that can't be undone. /// - /// - Parameter DeleteResiliencyPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResiliencyPolicyInput`) /// - /// - Returns: `DeleteResiliencyPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResiliencyPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1467,7 +1452,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResiliencyPolicyOutput.httpOutput(from:), DeleteResiliencyPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1499,9 +1483,9 @@ extension ResiliencehubClient { /// /// Describes an Resilience Hub application. /// - /// - Parameter DescribeAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppInput`) /// - /// - Returns: `DescribeAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1539,7 +1523,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppOutput.httpOutput(from:), DescribeAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1571,9 +1554,9 @@ extension ResiliencehubClient { /// /// Describes an assessment for an Resilience Hub application. /// - /// - Parameter DescribeAppAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppAssessmentInput`) /// - /// - Returns: `DescribeAppAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1611,7 +1594,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppAssessmentOutput.httpOutput(from:), DescribeAppAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1643,9 +1625,9 @@ extension ResiliencehubClient { /// /// Describes the Resilience Hub application version. /// - /// - Parameter DescribeAppVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppVersionInput`) /// - /// - Returns: `DescribeAppVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1683,7 +1665,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppVersionOutput.httpOutput(from:), DescribeAppVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1715,9 +1696,9 @@ extension ResiliencehubClient { /// /// Describes an Application Component in the Resilience Hub application. /// - /// - Parameter DescribeAppVersionAppComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppVersionAppComponentInput`) /// - /// - Returns: `DescribeAppVersionAppComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppVersionAppComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1756,7 +1737,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppVersionAppComponentOutput.httpOutput(from:), DescribeAppVersionAppComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1794,9 +1774,9 @@ extension ResiliencehubClient { /// /// * physicalResourceId (Along with physicalResourceId, you can also provide awsAccountId, and awsRegion) /// - /// - Parameter DescribeAppVersionResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppVersionResourceInput`) /// - /// - Returns: `DescribeAppVersionResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppVersionResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1835,7 +1815,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppVersionResourceOutput.httpOutput(from:), DescribeAppVersionResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1867,9 +1846,9 @@ extension ResiliencehubClient { /// /// Returns the resolution status for the specified resolution identifier for an application version. If resolutionId is not specified, the current resolution status is returned. /// - /// - Parameter DescribeAppVersionResourcesResolutionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppVersionResourcesResolutionStatusInput`) /// - /// - Returns: `DescribeAppVersionResourcesResolutionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppVersionResourcesResolutionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1907,7 +1886,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppVersionResourcesResolutionStatusOutput.httpOutput(from:), DescribeAppVersionResourcesResolutionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1939,9 +1917,9 @@ extension ResiliencehubClient { /// /// Describes details about an Resilience Hub application. /// - /// - Parameter DescribeAppVersionTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppVersionTemplateInput`) /// - /// - Returns: `DescribeAppVersionTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppVersionTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1979,7 +1957,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppVersionTemplateOutput.httpOutput(from:), DescribeAppVersionTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2011,9 +1988,9 @@ extension ResiliencehubClient { /// /// Describes the status of importing resources to an application version. If you get a 404 error with ResourceImportStatusNotFoundAppMetadataException, you must call importResourcesToDraftAppVersion after creating the application and before calling describeDraftAppVersionResourcesImportStatus to obtain the status. /// - /// - Parameter DescribeDraftAppVersionResourcesImportStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDraftAppVersionResourcesImportStatusInput`) /// - /// - Returns: `DescribeDraftAppVersionResourcesImportStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDraftAppVersionResourcesImportStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2051,7 +2028,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDraftAppVersionResourcesImportStatusOutput.httpOutput(from:), DescribeDraftAppVersionResourcesImportStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2083,9 +2059,9 @@ extension ResiliencehubClient { /// /// Describes the metrics of the application configuration being exported. /// - /// - Parameter DescribeMetricsExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMetricsExportInput`) /// - /// - Returns: `DescribeMetricsExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMetricsExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2123,7 +2099,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMetricsExportOutput.httpOutput(from:), DescribeMetricsExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2155,9 +2130,9 @@ extension ResiliencehubClient { /// /// Describes a specified resiliency policy for an Resilience Hub application. The returned policy object includes creation time, data location constraints, the Amazon Resource Name (ARN) for the policy, tags, tier, and more. /// - /// - Parameter DescribeResiliencyPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResiliencyPolicyInput`) /// - /// - Returns: `DescribeResiliencyPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResiliencyPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2195,7 +2170,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResiliencyPolicyOutput.httpOutput(from:), DescribeResiliencyPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2227,9 +2201,9 @@ extension ResiliencehubClient { /// /// Describes the resource grouping recommendation tasks run by Resilience Hub for your application. /// - /// - Parameter DescribeResourceGroupingRecommendationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourceGroupingRecommendationTaskInput`) /// - /// - Returns: `DescribeResourceGroupingRecommendationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourceGroupingRecommendationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2267,7 +2241,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourceGroupingRecommendationTaskOutput.httpOutput(from:), DescribeResourceGroupingRecommendationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2299,9 +2272,9 @@ extension ResiliencehubClient { /// /// Imports resources to Resilience Hub application draft version from different input sources. For more information about the input sources supported by Resilience Hub, see [Discover the structure and describe your Resilience Hub application](https://docs.aws.amazon.com/resilience-hub/latest/userguide/discover-structure.html). /// - /// - Parameter ImportResourcesToDraftAppVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportResourcesToDraftAppVersionInput`) /// - /// - Returns: `ImportResourcesToDraftAppVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportResourcesToDraftAppVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2341,7 +2314,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportResourcesToDraftAppVersionOutput.httpOutput(from:), ImportResourcesToDraftAppVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2373,9 +2345,9 @@ extension ResiliencehubClient { /// /// Lists the alarm recommendations for an Resilience Hub application. /// - /// - Parameter ListAlarmRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAlarmRecommendationsInput`) /// - /// - Returns: `ListAlarmRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAlarmRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2413,7 +2385,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAlarmRecommendationsOutput.httpOutput(from:), ListAlarmRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2445,9 +2416,9 @@ extension ResiliencehubClient { /// /// List of compliance drifts that were detected while running an assessment. /// - /// - Parameter ListAppAssessmentComplianceDriftsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppAssessmentComplianceDriftsInput`) /// - /// - Returns: `ListAppAssessmentComplianceDriftsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppAssessmentComplianceDriftsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2484,7 +2455,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppAssessmentComplianceDriftsOutput.httpOutput(from:), ListAppAssessmentComplianceDriftsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2516,9 +2486,9 @@ extension ResiliencehubClient { /// /// List of resource drifts that were detected while running an assessment. /// - /// - Parameter ListAppAssessmentResourceDriftsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppAssessmentResourceDriftsInput`) /// - /// - Returns: `ListAppAssessmentResourceDriftsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppAssessmentResourceDriftsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2555,7 +2525,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppAssessmentResourceDriftsOutput.httpOutput(from:), ListAppAssessmentResourceDriftsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2587,9 +2556,9 @@ extension ResiliencehubClient { /// /// Lists the assessments for an Resilience Hub application. You can use request parameters to refine the results for the response object. /// - /// - Parameter ListAppAssessmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppAssessmentsInput`) /// - /// - Returns: `ListAppAssessmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppAssessmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2625,7 +2594,6 @@ extension ResiliencehubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppAssessmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppAssessmentsOutput.httpOutput(from:), ListAppAssessmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2657,9 +2625,9 @@ extension ResiliencehubClient { /// /// Lists the compliances for an Resilience Hub Application Component. /// - /// - Parameter ListAppComponentCompliancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppComponentCompliancesInput`) /// - /// - Returns: `ListAppComponentCompliancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppComponentCompliancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2697,7 +2665,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppComponentCompliancesOutput.httpOutput(from:), ListAppComponentCompliancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2729,9 +2696,9 @@ extension ResiliencehubClient { /// /// Lists the recommendations for an Resilience Hub Application Component. /// - /// - Parameter ListAppComponentRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppComponentRecommendationsInput`) /// - /// - Returns: `ListAppComponentRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppComponentRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2769,7 +2736,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppComponentRecommendationsOutput.httpOutput(from:), ListAppComponentRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2801,9 +2767,9 @@ extension ResiliencehubClient { /// /// Lists all the input sources of the Resilience Hub application. For more information about the input sources supported by Resilience Hub, see [Discover the structure and describe your Resilience Hub application](https://docs.aws.amazon.com/resilience-hub/latest/userguide/discover-structure.html). /// - /// - Parameter ListAppInputSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppInputSourcesInput`) /// - /// - Returns: `ListAppInputSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppInputSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2841,7 +2807,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppInputSourcesOutput.httpOutput(from:), ListAppInputSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2873,9 +2838,9 @@ extension ResiliencehubClient { /// /// Lists all the Application Components in the Resilience Hub application. /// - /// - Parameter ListAppVersionAppComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppVersionAppComponentsInput`) /// - /// - Returns: `ListAppVersionAppComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppVersionAppComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2914,7 +2879,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppVersionAppComponentsOutput.httpOutput(from:), ListAppVersionAppComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2946,9 +2910,9 @@ extension ResiliencehubClient { /// /// Lists how the resources in an application version are mapped/sourced from. Mappings can be physical resource identifiers, CloudFormation stacks, resource-groups, or an application registry app. /// - /// - Parameter ListAppVersionResourceMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppVersionResourceMappingsInput`) /// - /// - Returns: `ListAppVersionResourceMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppVersionResourceMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2986,7 +2950,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppVersionResourceMappingsOutput.httpOutput(from:), ListAppVersionResourceMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3018,9 +2981,9 @@ extension ResiliencehubClient { /// /// Lists all the resources in an Resilience Hub application. /// - /// - Parameter ListAppVersionResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppVersionResourcesInput`) /// - /// - Returns: `ListAppVersionResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppVersionResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3059,7 +3022,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppVersionResourcesOutput.httpOutput(from:), ListAppVersionResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3091,9 +3053,9 @@ extension ResiliencehubClient { /// /// Lists the different versions for the Resilience Hub applications. /// - /// - Parameter ListAppVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppVersionsInput`) /// - /// - Returns: `ListAppVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3130,7 +3092,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppVersionsOutput.httpOutput(from:), ListAppVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3162,9 +3123,9 @@ extension ResiliencehubClient { /// /// Lists your Resilience Hub applications. You can filter applications using only one filter at a time or without using any filter. If you try to filter applications using multiple filters, you will get the following error: An error occurred (ValidationException) when calling the ListApps operation: Only one filter is supported for this operation. /// - /// - Parameter ListAppsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppsInput`) /// - /// - Returns: `ListAppsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3199,7 +3160,6 @@ extension ResiliencehubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppsOutput.httpOutput(from:), ListAppsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3231,9 +3191,9 @@ extension ResiliencehubClient { /// /// Lists the metrics that can be exported. /// - /// - Parameter ListMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMetricsInput`) /// - /// - Returns: `ListMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMetricsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3270,7 +3230,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMetricsOutput.httpOutput(from:), ListMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3302,9 +3261,9 @@ extension ResiliencehubClient { /// /// Lists the recommendation templates for the Resilience Hub applications. /// - /// - Parameter ListRecommendationTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendationTemplatesInput`) /// - /// - Returns: `ListRecommendationTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendationTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3339,7 +3298,6 @@ extension ResiliencehubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecommendationTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendationTemplatesOutput.httpOutput(from:), ListRecommendationTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3371,9 +3329,9 @@ extension ResiliencehubClient { /// /// Lists the resiliency policies for the Resilience Hub applications. /// - /// - Parameter ListResiliencyPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResiliencyPoliciesInput`) /// - /// - Returns: `ListResiliencyPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResiliencyPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3409,7 +3367,6 @@ extension ResiliencehubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResiliencyPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResiliencyPoliciesOutput.httpOutput(from:), ListResiliencyPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3441,9 +3398,9 @@ extension ResiliencehubClient { /// /// Lists the resource grouping recommendations suggested by Resilience Hub for your application. /// - /// - Parameter ListResourceGroupingRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceGroupingRecommendationsInput`) /// - /// - Returns: `ListResourceGroupingRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceGroupingRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3479,7 +3436,6 @@ extension ResiliencehubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourceGroupingRecommendationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceGroupingRecommendationsOutput.httpOutput(from:), ListResourceGroupingRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3511,9 +3467,9 @@ extension ResiliencehubClient { /// /// Lists the standard operating procedure (SOP) recommendations for the Resilience Hub applications. /// - /// - Parameter ListSopRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSopRecommendationsInput`) /// - /// - Returns: `ListSopRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSopRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3552,7 +3508,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSopRecommendationsOutput.httpOutput(from:), ListSopRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3584,9 +3539,9 @@ extension ResiliencehubClient { /// /// Lists the suggested resiliency policies for the Resilience Hub applications. /// - /// - Parameter ListSuggestedResiliencyPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSuggestedResiliencyPoliciesInput`) /// - /// - Returns: `ListSuggestedResiliencyPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSuggestedResiliencyPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3622,7 +3577,6 @@ extension ResiliencehubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSuggestedResiliencyPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSuggestedResiliencyPoliciesOutput.httpOutput(from:), ListSuggestedResiliencyPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3654,9 +3608,9 @@ extension ResiliencehubClient { /// /// Lists the tags for your resources in your Resilience Hub applications. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3691,7 +3645,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3723,9 +3676,9 @@ extension ResiliencehubClient { /// /// Lists the test recommendations for the Resilience Hub application. /// - /// - Parameter ListTestRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTestRecommendationsInput`) /// - /// - Returns: `ListTestRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTestRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3764,7 +3717,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTestRecommendationsOutput.httpOutput(from:), ListTestRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3796,9 +3748,9 @@ extension ResiliencehubClient { /// /// Lists the resources that are not currently supported in Resilience Hub. An unsupported resource is a resource that exists in the object that was used to create an app, but is not supported by Resilience Hub. /// - /// - Parameter ListUnsupportedAppVersionResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUnsupportedAppVersionResourcesInput`) /// - /// - Returns: `ListUnsupportedAppVersionResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUnsupportedAppVersionResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3837,7 +3789,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUnsupportedAppVersionResourcesOutput.httpOutput(from:), ListUnsupportedAppVersionResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3869,9 +3820,9 @@ extension ResiliencehubClient { /// /// Publishes a new version of a specific Resilience Hub application. /// - /// - Parameter PublishAppVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishAppVersionInput`) /// - /// - Returns: `PublishAppVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishAppVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3910,7 +3861,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishAppVersionOutput.httpOutput(from:), PublishAppVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3942,9 +3892,9 @@ extension ResiliencehubClient { /// /// Adds or updates the app template for an Resilience Hub application draft version. /// - /// - Parameter PutDraftAppVersionTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDraftAppVersionTemplateInput`) /// - /// - Returns: `PutDraftAppVersionTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDraftAppVersionTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3983,7 +3933,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDraftAppVersionTemplateOutput.httpOutput(from:), PutDraftAppVersionTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4015,9 +3964,9 @@ extension ResiliencehubClient { /// /// Rejects resource grouping recommendations. /// - /// - Parameter RejectResourceGroupingRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectResourceGroupingRecommendationsInput`) /// - /// - Returns: `RejectResourceGroupingRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectResourceGroupingRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4055,7 +4004,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectResourceGroupingRecommendationsOutput.httpOutput(from:), RejectResourceGroupingRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4087,9 +4035,9 @@ extension ResiliencehubClient { /// /// Removes resource mappings from a draft application version. /// - /// - Parameter RemoveDraftAppVersionResourceMappingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveDraftAppVersionResourceMappingsInput`) /// - /// - Returns: `RemoveDraftAppVersionResourceMappingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveDraftAppVersionResourceMappingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4128,7 +4076,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveDraftAppVersionResourceMappingsOutput.httpOutput(from:), RemoveDraftAppVersionResourceMappingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4160,9 +4107,9 @@ extension ResiliencehubClient { /// /// Resolves the resources for an application version. /// - /// - Parameter ResolveAppVersionResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResolveAppVersionResourcesInput`) /// - /// - Returns: `ResolveAppVersionResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResolveAppVersionResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4201,7 +4148,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResolveAppVersionResourcesOutput.httpOutput(from:), ResolveAppVersionResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4233,9 +4179,9 @@ extension ResiliencehubClient { /// /// Creates a new application assessment for an application. /// - /// - Parameter StartAppAssessmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAppAssessmentInput`) /// - /// - Returns: `StartAppAssessmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAppAssessmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4276,7 +4222,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAppAssessmentOutput.httpOutput(from:), StartAppAssessmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4308,9 +4253,9 @@ extension ResiliencehubClient { /// /// Initiates the export task of metrics. /// - /// - Parameter StartMetricsExportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMetricsExportInput`) /// - /// - Returns: `StartMetricsExportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMetricsExportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4350,7 +4295,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMetricsExportOutput.httpOutput(from:), StartMetricsExportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4382,9 +4326,9 @@ extension ResiliencehubClient { /// /// Starts grouping recommendation task. /// - /// - Parameter StartResourceGroupingRecommendationTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartResourceGroupingRecommendationTaskInput`) /// - /// - Returns: `StartResourceGroupingRecommendationTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartResourceGroupingRecommendationTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4423,7 +4367,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartResourceGroupingRecommendationTaskOutput.httpOutput(from:), StartResourceGroupingRecommendationTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4455,9 +4398,9 @@ extension ResiliencehubClient { /// /// Applies one or more tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4495,7 +4438,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4527,9 +4469,9 @@ extension ResiliencehubClient { /// /// Removes one or more tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4565,7 +4507,6 @@ extension ResiliencehubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4597,9 +4538,9 @@ extension ResiliencehubClient { /// /// Updates an application. /// - /// - Parameter UpdateAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppInput`) /// - /// - Returns: `UpdateAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4638,7 +4579,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppOutput.httpOutput(from:), UpdateAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4670,9 +4610,9 @@ extension ResiliencehubClient { /// /// Updates the Resilience Hub application version. This API updates the Resilience Hub application draft version. To use this information for running resiliency assessments, you must publish the Resilience Hub application using the PublishAppVersion API. /// - /// - Parameter UpdateAppVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppVersionInput`) /// - /// - Returns: `UpdateAppVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4711,7 +4651,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppVersionOutput.httpOutput(from:), UpdateAppVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4743,9 +4682,9 @@ extension ResiliencehubClient { /// /// Updates an existing Application Component in the Resilience Hub application. This API updates the Resilience Hub application draft version. To use this Application Component for running assessments, you must publish the Resilience Hub application using the PublishAppVersion API. /// - /// - Parameter UpdateAppVersionAppComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppVersionAppComponentInput`) /// - /// - Returns: `UpdateAppVersionAppComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppVersionAppComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4784,7 +4723,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppVersionAppComponentOutput.httpOutput(from:), UpdateAppVersionAppComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4822,9 +4760,9 @@ extension ResiliencehubClient { /// /// * To update application version with new physicalResourceID, you must call ResolveAppVersionResources API. /// - /// - Parameter UpdateAppVersionResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppVersionResourceInput`) /// - /// - Returns: `UpdateAppVersionResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppVersionResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4864,7 +4802,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppVersionResourceOutput.httpOutput(from:), UpdateAppVersionResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4896,9 +4833,9 @@ extension ResiliencehubClient { /// /// Updates a resiliency policy. Resilience Hub allows you to provide a value of zero for rtoInSecs and rpoInSecs of your resiliency policy. But, while assessing your application, the lowest possible assessment result is near zero. Hence, if you provide value zero for rtoInSecs and rpoInSecs, the estimated workload RTO and estimated workload RPO result will be near zero and the Compliance status for your application will be set to Policy breached. /// - /// - Parameter UpdateResiliencyPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResiliencyPolicyInput`) /// - /// - Returns: `UpdateResiliencyPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResiliencyPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4937,7 +4874,6 @@ extension ResiliencehubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResiliencyPolicyOutput.httpOutput(from:), UpdateResiliencyPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/Models.swift b/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/Models.swift index 0e4a1658ffd..bf42464e740 100644 --- a/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/Models.swift +++ b/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/Models.swift @@ -27,6 +27,7 @@ import protocol ClientRuntime.ModeledError @_spi(UnknownAWSHTTPServiceError) import struct AWSClientRuntime.UnknownAWSHTTPServiceError import struct Smithy.Document import struct Smithy.URIQueryItem +@_spi(SmithyTimestamps) import struct SmithyTimestamps.TimestampFormatter public struct DisassociateDefaultViewInput: Swift.Sendable { @@ -54,6 +55,11 @@ public struct GetIndexInput: Swift.Sendable { public init() { } } +public struct GetServiceIndexInput: Swift.Sendable { + + public init() { } +} + /// The credentials that you used to call this operation don't have the minimum required permissions. public struct AccessDeniedException: ClientRuntime.ModeledError, AWSClientRuntime.AWSServiceError, ClientRuntime.HTTPError, Swift.Error, Swift.Sendable { @@ -873,6 +879,85 @@ public struct UpdateViewOutput: Swift.Sendable { } } +public struct CreateResourceExplorerSetupInput: Swift.Sendable { + /// A list of Amazon Web Services Regions that should be configured as aggregator Regions. Aggregator Regions receive replicated index information from all other Regions where there is a user-owned index. + public var aggregatorRegions: [Swift.String]? + /// A list of Amazon Web Services Regions where Resource Explorer should be configured. Each Region in the list will have a user-owned index created. + /// This member is required. + public var regionList: [Swift.String]? + /// The name for the view to be created as part of the Resource Explorer setup. The view name must be unique within the Amazon Web Services account and Region. + /// This member is required. + public var viewName: Swift.String? + + public init( + aggregatorRegions: [Swift.String]? = nil, + regionList: [Swift.String]? = nil, + viewName: Swift.String? = nil + ) { + self.aggregatorRegions = aggregatorRegions + self.regionList = regionList + self.viewName = viewName + } +} + +public struct CreateResourceExplorerSetupOutput: Swift.Sendable { + /// The unique identifier for the setup task. Use this ID with GetResourceExplorerSetup to monitor the progress of the configuration operation. + /// This member is required. + public var taskId: Swift.String? + + public init( + taskId: Swift.String? = nil + ) { + self.taskId = taskId + } +} + +public struct DeleteResourceExplorerSetupInput: Swift.Sendable { + /// Specifies whether to delete Resource Explorer configuration from all Regions where it is currently enabled. If this parameter is set to true, a value for RegionList must not be provided. Otherwise, the operation fails with a ValidationException error. + public var deleteInAllRegions: Swift.Bool? + /// A list of Amazon Web Services Regions from which to delete the Resource Explorer configuration. If not specified, the operation uses the DeleteInAllRegions parameter to determine scope. + public var regionList: [Swift.String]? + + public init( + deleteInAllRegions: Swift.Bool? = nil, + regionList: [Swift.String]? = nil + ) { + self.deleteInAllRegions = deleteInAllRegions + self.regionList = regionList + } +} + +public struct DeleteResourceExplorerSetupOutput: Swift.Sendable { + /// The unique identifier for the deletion task. Use this ID with GetResourceExplorerSetup to monitor the progress of the deletion operation. + /// This member is required. + public var taskId: Swift.String? + + public init( + taskId: Swift.String? = nil + ) { + self.taskId = taskId + } +} + +extension ResourceExplorer2ClientTypes { + + /// Contains information about an error that occurred during a Resource Explorer setup operation. + public struct ErrorDetails: Swift.Sendable { + /// The error code that identifies the type of error that occurred. + public var code: Swift.String? + /// A human-readable description of the error that occurred. + public var message: Swift.String? + + public init( + code: Swift.String? = nil, + message: Swift.String? = nil + ) { + self.code = code + self.message = message + } + } +} + extension ResourceExplorer2ClientTypes { /// This is a structure that contains the status of Amazon Web Services service access, and whether you have a valid service-linked role to enable multi-account search for your organization. @@ -1038,6 +1123,221 @@ public struct GetManagedViewOutput: Swift.Sendable { } } +public struct GetResourceExplorerSetupInput: Swift.Sendable { + /// The maximum number of Region status results to return in a single response. Valid values are between 1 and 100. + public var maxResults: Swift.Int? + /// The pagination token from a previous GetResourceExplorerSetup response. Use this token to retrieve the next set of results. + public var nextToken: Swift.String? + /// The unique identifier of the setup task to retrieve status information for. This ID is returned by CreateResourceExplorerSetup or DeleteResourceExplorerSetup operations. + /// This member is required. + public var taskId: Swift.String? + + public init( + maxResults: Swift.Int? = nil, + nextToken: Swift.String? = nil, + taskId: Swift.String? = nil + ) { + self.maxResults = maxResults + self.nextToken = nextToken + self.taskId = taskId + } +} + +extension ResourceExplorer2ClientTypes { + + public enum OperationStatus: Swift.Sendable, Swift.Equatable, Swift.RawRepresentable, Swift.CaseIterable, Swift.Hashable { + case failed + case inProgress + case skipped + case succeeded + case sdkUnknown(Swift.String) + + public static var allCases: [OperationStatus] { + return [ + .failed, + .inProgress, + .skipped, + .succeeded + ] + } + + public init?(rawValue: Swift.String) { + let value = Self.allCases.first(where: { $0.rawValue == rawValue }) + self = value ?? Self.sdkUnknown(rawValue) + } + + public var rawValue: Swift.String { + switch self { + case .failed: return "FAILED" + case .inProgress: return "IN_PROGRESS" + case .skipped: return "SKIPPED" + case .succeeded: return "SUCCEEDED" + case let .sdkUnknown(s): return s + } + } + } +} + +extension ResourceExplorer2ClientTypes { + + /// Contains information about the status of a Resource Explorer index operation in a specific Region. + public struct IndexStatus: Swift.Sendable { + /// Details about any error that occurred during the index operation. + public var errorDetails: ResourceExplorer2ClientTypes.ErrorDetails? + /// An index is the data store used by Amazon Web Services Resource Explorer to hold information about your Amazon Web Services resources that the service discovers. Creating an index in an Amazon Web Services Region turns on Resource Explorer and lets it discover your resources. By default, an index is local, meaning that it contains information about resources in only the same Region as the index. However, you can promote the index of one Region in the account by calling [UpdateIndexType] to convert it into an aggregator index. The aggregator index receives a replicated copy of the index information from all other Regions where Resource Explorer is turned on. This allows search operations in that Region to return results from all Regions in the account. + public var index: ResourceExplorer2ClientTypes.Index? + /// The current status of the index operation. Valid values are SUCCEEDED, FAILED, IN_PROGRESS, or SKIPPED. + public var status: ResourceExplorer2ClientTypes.OperationStatus? + + public init( + errorDetails: ResourceExplorer2ClientTypes.ErrorDetails? = nil, + index: ResourceExplorer2ClientTypes.Index? = nil, + status: ResourceExplorer2ClientTypes.OperationStatus? = nil + ) { + self.errorDetails = errorDetails + self.index = index + self.status = status + } + } +} + +extension ResourceExplorer2ClientTypes { + + /// Contains information about the status of a Resource Explorer view operation in a specific Region. + public struct ViewStatus: Swift.Sendable { + /// Details about any error that occurred during the view operation. + public var errorDetails: ResourceExplorer2ClientTypes.ErrorDetails? + /// The current status of the view operation. Valid values are SUCCEEDED, FAILED, IN_PROGRESS, or SKIPPED. + public var status: ResourceExplorer2ClientTypes.OperationStatus? + /// A view is a structure that defines a set of filters that provide a view into the information in the Amazon Web Services Resource Explorer index. The filters specify which information from the index is visible to the users of the view. For example, you can specify filters that include only resources that are tagged with the key "ENV" and the value "DEVELOPMENT" in the results returned by this view. You could also create a second view that includes only resources that are tagged with "ENV" and "PRODUCTION". + public var view: ResourceExplorer2ClientTypes.View? + + public init( + errorDetails: ResourceExplorer2ClientTypes.ErrorDetails? = nil, + status: ResourceExplorer2ClientTypes.OperationStatus? = nil, + view: ResourceExplorer2ClientTypes.View? = nil + ) { + self.errorDetails = errorDetails + self.status = status + self.view = view + } + } +} + +extension ResourceExplorer2ClientTypes { + + /// Contains information about the status of Resource Explorer configuration in a specific Amazon Web Services Region. + public struct RegionStatus: Swift.Sendable { + /// The status information for the Resource Explorer index in this Region. + public var index: ResourceExplorer2ClientTypes.IndexStatus? + /// The Amazon Web Services Region for which this status information applies. + public var region: Swift.String? + /// The status information for the Resource Explorer view in this Region. + public var view: ResourceExplorer2ClientTypes.ViewStatus? + + public init( + index: ResourceExplorer2ClientTypes.IndexStatus? = nil, + region: Swift.String? = nil, + view: ResourceExplorer2ClientTypes.ViewStatus? = nil + ) { + self.index = index + self.region = region + self.view = view + } + } +} + +public struct GetResourceExplorerSetupOutput: Swift.Sendable { + /// The pagination token to use in a subsequent GetResourceExplorerSetup request to retrieve the next set of results. + public var nextToken: Swift.String? + /// A list of Region status objects that describe the current state of Resource Explorer configuration in each Region. + public var regions: [ResourceExplorer2ClientTypes.RegionStatus]? + + public init( + nextToken: Swift.String? = nil, + regions: [ResourceExplorer2ClientTypes.RegionStatus]? = nil + ) { + self.nextToken = nextToken + self.regions = regions + } +} + +public struct GetServiceIndexOutput: Swift.Sendable { + /// The Amazon Resource Name (ARN) of the Resource Explorer index in the current Region. + public var arn: Swift.String? + /// The type of the index. Valid values are LOCAL (contains resources from the current Region only) or AGGREGATOR (contains replicated resource information from all Regions). + public var type: ResourceExplorer2ClientTypes.IndexType? + + public init( + arn: Swift.String? = nil, + type: ResourceExplorer2ClientTypes.IndexType? = nil + ) { + self.arn = arn + self.type = type + } +} + +public struct GetServiceViewInput: Swift.Sendable { + /// The Amazon Resource Name (ARN) of the service view to retrieve details for. + /// This member is required. + public var serviceViewArn: Swift.String? + + public init( + serviceViewArn: Swift.String? = nil + ) { + self.serviceViewArn = serviceViewArn + } +} + +extension ResourceExplorer2ClientTypes { + + /// Contains the configuration and properties of a Resource Explorer service view. + public struct ServiceView: Swift.Sendable { + /// A search filter defines which resources can be part of a search query result set. + public var filters: ResourceExplorer2ClientTypes.SearchFilter? + /// A list of additional resource properties that are included in this view for search and filtering purposes. + public var includedProperties: [ResourceExplorer2ClientTypes.IncludedProperty]? + /// The scope type of the service view, which determines what resources are included. + public var scopeType: Swift.String? + /// The Amazon Resource Name (ARN) of the service view. + /// This member is required. + public var serviceViewArn: Swift.String? + /// The Amazon Web Services service that has streaming access to this view's data. + public var streamingAccessForService: Swift.String? + + public init( + filters: ResourceExplorer2ClientTypes.SearchFilter? = nil, + includedProperties: [ResourceExplorer2ClientTypes.IncludedProperty]? = nil, + scopeType: Swift.String? = nil, + serviceViewArn: Swift.String? = nil, + streamingAccessForService: Swift.String? = nil + ) { + self.filters = filters + self.includedProperties = includedProperties + self.scopeType = scopeType + self.serviceViewArn = serviceViewArn + self.streamingAccessForService = streamingAccessForService + } + } +} + +extension ResourceExplorer2ClientTypes.ServiceView: Swift.CustomDebugStringConvertible { + public var debugDescription: Swift.String { + "ServiceView(includedProperties: \(Swift.String(describing: includedProperties)), scopeType: \(Swift.String(describing: scopeType)), serviceViewArn: \(Swift.String(describing: serviceViewArn)), streamingAccessForService: \(Swift.String(describing: streamingAccessForService)), filters: \"CONTENT_REDACTED\")"} +} + +public struct GetServiceViewOutput: Swift.Sendable { + /// A ServiceView object that contains the details and configuration of the requested service view. + /// This member is required. + public var view: ResourceExplorer2ClientTypes.ServiceView? + + public init( + view: ResourceExplorer2ClientTypes.ServiceView? = nil + ) { + self.view = view + } +} + public struct ListIndexesForMembersInput: Swift.Sendable { /// The account IDs will limit the output to only indexes from these accounts. /// This member is required. @@ -1247,6 +1547,122 @@ public struct ListResourcesOutput: Swift.Sendable { } } +public struct ListServiceIndexesInput: Swift.Sendable { + /// The maximum number of index results to return in a single response. Valid values are between 1 and 100. + public var maxResults: Swift.Int? + /// The pagination token from a previous ListServiceIndexes response. Use this token to retrieve the next set of results. + public var nextToken: Swift.String? + /// A list of Amazon Web Services Regions to include in the search for indexes. If not specified, indexes from all Regions are returned. + public var regions: [Swift.String]? + + public init( + maxResults: Swift.Int? = nil, + nextToken: Swift.String? = nil, + regions: [Swift.String]? = nil + ) { + self.maxResults = maxResults + self.nextToken = nextToken + self.regions = regions + } +} + +public struct ListServiceIndexesOutput: Swift.Sendable { + /// A list of Index objects that describe the Resource Explorer indexes found in the specified Regions. + public var indexes: [ResourceExplorer2ClientTypes.Index]? + /// The pagination token to use in a subsequent ListServiceIndexes request to retrieve the next set of results. + public var nextToken: Swift.String? + + public init( + indexes: [ResourceExplorer2ClientTypes.Index]? = nil, + nextToken: Swift.String? = nil + ) { + self.indexes = indexes + self.nextToken = nextToken + } +} + +public struct ListServiceViewsInput: Swift.Sendable { + /// The maximum number of service view results to return in a single response. Valid values are between 1 and 50. + public var maxResults: Swift.Int? + /// The pagination token from a previous ListServiceViews response. Use this token to retrieve the next set of results. + public var nextToken: Swift.String? + + public init( + maxResults: Swift.Int? = nil, + nextToken: Swift.String? = nil + ) { + self.maxResults = maxResults + self.nextToken = nextToken + } +} + +public struct ListServiceViewsOutput: Swift.Sendable { + /// The pagination token to use in a subsequent ListServiceViews request to retrieve the next set of results. + public var nextToken: Swift.String? + /// A list of Amazon Resource Names (ARNs) for the service views available in the current Amazon Web Services account. + public var serviceViews: [Swift.String]? + + public init( + nextToken: Swift.String? = nil, + serviceViews: [Swift.String]? = nil + ) { + self.nextToken = nextToken + self.serviceViews = serviceViews + } +} + +public struct ListStreamingAccessForServicesInput: Swift.Sendable { + /// The maximum number of streaming access entries to return in the response. If there are more results available, the response includes a NextToken value that you can use in a subsequent call to get the next set of results. The value must be between 1 and 50. If you don't specify a value, the default is 50. + public var maxResults: Swift.Int? + /// The parameter for receiving additional results if you receive a NextToken response in a previous request. A NextToken response indicates that more output is available. Set this parameter to the value of the previous call's NextToken response to indicate where the output should continue from. The pagination tokens expire after 24 hours. + public var nextToken: Swift.String? + + public init( + maxResults: Swift.Int? = nil, + nextToken: Swift.String? = nil + ) { + self.maxResults = maxResults + self.nextToken = nextToken + } +} + +extension ResourceExplorer2ClientTypes { + + /// Contains information about an Amazon Web Services service that has been granted streaming access to your Resource Explorer data. + public struct StreamingAccessDetails: Swift.Sendable { + /// The date and time when streaming access was granted to the Amazon Web Services service, in ISO 8601 format. + /// This member is required. + public var createdAt: Foundation.Date? + /// The service principal of the Amazon Web Services service that has streaming access to your Resource Explorer data. A service principal is a unique identifier for an Amazon Web Services service. + /// This member is required. + public var servicePrincipal: Swift.String? + + public init( + createdAt: Foundation.Date? = nil, + servicePrincipal: Swift.String? = nil + ) { + self.createdAt = createdAt + self.servicePrincipal = servicePrincipal + } + } +} + +public struct ListStreamingAccessForServicesOutput: Swift.Sendable { + /// If present, indicates that more output is available than is included in the current response. Use this value in the NextToken request parameter in a subsequent call to the operation to get the next part of the output. You should repeat this until the NextToken response element comes back as null. The pagination tokens expire after 24 hours. + public var nextToken: Swift.String? + /// A list of Amazon Web Services services that have streaming access to your Resource Explorer data, including details about when the access was granted. + /// This member is required. + public var streamingAccessForServices: [ResourceExplorer2ClientTypes.StreamingAccessDetails]? + + public init( + nextToken: Swift.String? = nil, + streamingAccessForServices: [ResourceExplorer2ClientTypes.StreamingAccessDetails]? = nil + ) { + self.nextToken = nextToken + self.streamingAccessForServices = streamingAccessForServices + } +} + public struct ListSupportedResourceTypesInput: Swift.Sendable { /// The maximum number of results that you want included on each page of the response. If you do not include this parameter, it defaults to a value appropriate to the operation. If additional items exist beyond those included in the current response, the NextToken response element is present and has a value (is not null). Include that value as the NextToken request parameter in the next call to the operation to get the next part of the results. An API operation can return fewer results than the maximum even when there are more results available. You should check NextToken after every operation to ensure that you receive all of the results. public var maxResults: Swift.Int? @@ -1473,6 +1889,13 @@ extension CreateIndexInput { } } +extension CreateResourceExplorerSetupInput { + + static func urlPathProvider(_ value: CreateResourceExplorerSetupInput) -> Swift.String? { + return "/CreateResourceExplorerSetup" + } +} + extension CreateViewInput { static func urlPathProvider(_ value: CreateViewInput) -> Swift.String? { @@ -1487,6 +1910,13 @@ extension DeleteIndexInput { } } +extension DeleteResourceExplorerSetupInput { + + static func urlPathProvider(_ value: DeleteResourceExplorerSetupInput) -> Swift.String? { + return "/DeleteResourceExplorerSetup" + } +} + extension DeleteViewInput { static func urlPathProvider(_ value: DeleteViewInput) -> Swift.String? { @@ -1529,7 +1959,28 @@ extension GetManagedViewInput { } } -extension GetViewInput { +extension GetResourceExplorerSetupInput { + + static func urlPathProvider(_ value: GetResourceExplorerSetupInput) -> Swift.String? { + return "/GetResourceExplorerSetup" + } +} + +extension GetServiceIndexInput { + + static func urlPathProvider(_ value: GetServiceIndexInput) -> Swift.String? { + return "/GetServiceIndex" + } +} + +extension GetServiceViewInput { + + static func urlPathProvider(_ value: GetServiceViewInput) -> Swift.String? { + return "/GetServiceView" + } +} + +extension GetViewInput { static func urlPathProvider(_ value: GetViewInput) -> Swift.String? { return "/GetView" @@ -1564,6 +2015,27 @@ extension ListResourcesInput { } } +extension ListServiceIndexesInput { + + static func urlPathProvider(_ value: ListServiceIndexesInput) -> Swift.String? { + return "/ListServiceIndexes" + } +} + +extension ListServiceViewsInput { + + static func urlPathProvider(_ value: ListServiceViewsInput) -> Swift.String? { + return "/ListServiceViews" + } +} + +extension ListStreamingAccessForServicesInput { + + static func urlPathProvider(_ value: ListStreamingAccessForServicesInput) -> Swift.String? { + return "/ListStreamingAccessForServices" + } +} + extension ListSupportedResourceTypesInput { static func urlPathProvider(_ value: ListSupportedResourceTypesInput) -> Swift.String? { @@ -1670,6 +2142,16 @@ extension CreateIndexInput { } } +extension CreateResourceExplorerSetupInput { + + static func write(value: CreateResourceExplorerSetupInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["AggregatorRegions"].writeList(value.aggregatorRegions, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) + try writer["RegionList"].writeList(value.regionList, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) + try writer["ViewName"].write(value.viewName) + } +} + extension CreateViewInput { static func write(value: CreateViewInput?, to writer: SmithyJSON.Writer) throws { @@ -1691,6 +2173,15 @@ extension DeleteIndexInput { } } +extension DeleteResourceExplorerSetupInput { + + static func write(value: DeleteResourceExplorerSetupInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["DeleteInAllRegions"].write(value.deleteInAllRegions) + try writer["RegionList"].writeList(value.regionList, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) + } +} + extension DeleteViewInput { static func write(value: DeleteViewInput?, to writer: SmithyJSON.Writer) throws { @@ -1707,6 +2198,24 @@ extension GetManagedViewInput { } } +extension GetResourceExplorerSetupInput { + + static func write(value: GetResourceExplorerSetupInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["MaxResults"].write(value.maxResults) + try writer["NextToken"].write(value.nextToken) + try writer["TaskId"].write(value.taskId) + } +} + +extension GetServiceViewInput { + + static func write(value: GetServiceViewInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["ServiceViewArn"].write(value.serviceViewArn) + } +} + extension GetViewInput { static func write(value: GetViewInput?, to writer: SmithyJSON.Writer) throws { @@ -1757,6 +2266,34 @@ extension ListResourcesInput { } } +extension ListServiceIndexesInput { + + static func write(value: ListServiceIndexesInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["MaxResults"].write(value.maxResults) + try writer["NextToken"].write(value.nextToken) + try writer["Regions"].writeList(value.regions, memberWritingClosure: SmithyReadWrite.WritingClosures.writeString(value:to:), memberNodeInfo: "member", isFlattened: false) + } +} + +extension ListServiceViewsInput { + + static func write(value: ListServiceViewsInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["MaxResults"].write(value.maxResults) + try writer["NextToken"].write(value.nextToken) + } +} + +extension ListStreamingAccessForServicesInput { + + static func write(value: ListStreamingAccessForServicesInput?, to writer: SmithyJSON.Writer) throws { + guard let value else { return } + try writer["MaxResults"].write(value.maxResults) + try writer["NextToken"].write(value.nextToken) + } +} + extension ListSupportedResourceTypesInput { static func write(value: ListSupportedResourceTypesInput?, to writer: SmithyJSON.Writer) throws { @@ -1852,6 +2389,18 @@ extension CreateIndexOutput { } } +extension CreateResourceExplorerSetupOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> CreateResourceExplorerSetupOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = CreateResourceExplorerSetupOutput() + value.taskId = try reader["TaskId"].readIfPresent() ?? "" + return value + } +} + extension CreateViewOutput { static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> CreateViewOutput { @@ -1878,6 +2427,18 @@ extension DeleteIndexOutput { } } +extension DeleteResourceExplorerSetupOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> DeleteResourceExplorerSetupOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = DeleteResourceExplorerSetupOutput() + value.taskId = try reader["TaskId"].readIfPresent() ?? "" + return value + } +} + extension DeleteViewOutput { static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> DeleteViewOutput { @@ -1952,6 +2513,44 @@ extension GetManagedViewOutput { } } +extension GetResourceExplorerSetupOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> GetResourceExplorerSetupOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = GetResourceExplorerSetupOutput() + value.nextToken = try reader["NextToken"].readIfPresent() + value.regions = try reader["Regions"].readListIfPresent(memberReadingClosure: ResourceExplorer2ClientTypes.RegionStatus.read(from:), memberNodeInfo: "member", isFlattened: false) + return value + } +} + +extension GetServiceIndexOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> GetServiceIndexOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = GetServiceIndexOutput() + value.arn = try reader["Arn"].readIfPresent() + value.type = try reader["Type"].readIfPresent() + return value + } +} + +extension GetServiceViewOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> GetServiceViewOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = GetServiceViewOutput() + value.view = try reader["View"].readIfPresent(with: ResourceExplorer2ClientTypes.ServiceView.read(from:)) + return value + } +} + extension GetViewOutput { static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> GetViewOutput { @@ -2018,6 +2617,45 @@ extension ListResourcesOutput { } } +extension ListServiceIndexesOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> ListServiceIndexesOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = ListServiceIndexesOutput() + value.indexes = try reader["Indexes"].readListIfPresent(memberReadingClosure: ResourceExplorer2ClientTypes.Index.read(from:), memberNodeInfo: "member", isFlattened: false) + value.nextToken = try reader["NextToken"].readIfPresent() + return value + } +} + +extension ListServiceViewsOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> ListServiceViewsOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = ListServiceViewsOutput() + value.nextToken = try reader["NextToken"].readIfPresent() + value.serviceViews = try reader["ServiceViews"].readListIfPresent(memberReadingClosure: SmithyReadWrite.ReadingClosures.readString(from:), memberNodeInfo: "member", isFlattened: false) + return value + } +} + +extension ListStreamingAccessForServicesOutput { + + static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> ListStreamingAccessForServicesOutput { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let reader = responseReader + var value = ListStreamingAccessForServicesOutput() + value.nextToken = try reader["NextToken"].readIfPresent() + value.streamingAccessForServices = try reader["StreamingAccessForServices"].readListIfPresent(memberReadingClosure: ResourceExplorer2ClientTypes.StreamingAccessDetails.read(from:), memberNodeInfo: "member", isFlattened: false) ?? [] + return value + } +} + extension ListSupportedResourceTypesOutput { static func httpOutput(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> ListSupportedResourceTypesOutput { @@ -2166,6 +2804,24 @@ enum CreateIndexOutputError { } } +enum CreateResourceExplorerSetupOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "ConflictException": return try ConflictException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ThrottlingException": return try ThrottlingException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + enum CreateViewOutputError { static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { @@ -2204,6 +2860,24 @@ enum DeleteIndexOutputError { } } +enum DeleteResourceExplorerSetupOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "ConflictException": return try ConflictException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ThrottlingException": return try ThrottlingException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + enum DeleteViewOutputError { static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { @@ -2313,6 +2987,60 @@ enum GetManagedViewOutputError { } } +enum GetResourceExplorerSetupOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ResourceNotFoundException": return try ResourceNotFoundException.makeError(baseError: baseError) + case "ThrottlingException": return try ThrottlingException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + +enum GetServiceIndexOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ResourceNotFoundException": return try ResourceNotFoundException.makeError(baseError: baseError) + case "ThrottlingException": return try ThrottlingException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + +enum GetServiceViewOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ResourceNotFoundException": return try ResourceNotFoundException.makeError(baseError: baseError) + case "ThrottlingException": return try ThrottlingException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + enum GetViewOutputError { static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { @@ -2403,6 +3131,56 @@ enum ListResourcesOutputError { } } +enum ListServiceIndexesOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ThrottlingException": return try ThrottlingException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + +enum ListServiceViewsOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ThrottlingException": return try ThrottlingException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + +enum ListStreamingAccessForServicesOutputError { + + static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { + let data = try await httpResponse.data() + let responseReader = try SmithyJSON.Reader.from(data: data) + let baseError = try AWSClientRuntime.RestJSONError(httpResponse: httpResponse, responseReader: responseReader, noErrorWrapping: false) + if let error = baseError.customError() { return error } + switch baseError.code { + case "AccessDeniedException": return try AccessDeniedException.makeError(baseError: baseError) + case "InternalServerException": return try InternalServerException.makeError(baseError: baseError) + case "ValidationException": return try ValidationException.makeError(baseError: baseError) + default: return try AWSClientRuntime.UnknownAWSHTTPServiceError.makeError(baseError: baseError) + } + } +} + enum ListSupportedResourceTypesOutputError { static func httpError(from httpResponse: SmithyHTTPAPI.HTTPResponse) async throws -> Swift.Error { @@ -2745,6 +3523,53 @@ extension ResourceExplorer2ClientTypes.ManagedView { } } +extension ResourceExplorer2ClientTypes.RegionStatus { + + static func read(from reader: SmithyJSON.Reader) throws -> ResourceExplorer2ClientTypes.RegionStatus { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = ResourceExplorer2ClientTypes.RegionStatus() + value.region = try reader["Region"].readIfPresent() + value.index = try reader["Index"].readIfPresent(with: ResourceExplorer2ClientTypes.IndexStatus.read(from:)) + value.view = try reader["View"].readIfPresent(with: ResourceExplorer2ClientTypes.ViewStatus.read(from:)) + return value + } +} + +extension ResourceExplorer2ClientTypes.ViewStatus { + + static func read(from reader: SmithyJSON.Reader) throws -> ResourceExplorer2ClientTypes.ViewStatus { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = ResourceExplorer2ClientTypes.ViewStatus() + value.status = try reader["Status"].readIfPresent() + value.view = try reader["View"].readIfPresent(with: ResourceExplorer2ClientTypes.View.read(from:)) + value.errorDetails = try reader["ErrorDetails"].readIfPresent(with: ResourceExplorer2ClientTypes.ErrorDetails.read(from:)) + return value + } +} + +extension ResourceExplorer2ClientTypes.ErrorDetails { + + static func read(from reader: SmithyJSON.Reader) throws -> ResourceExplorer2ClientTypes.ErrorDetails { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = ResourceExplorer2ClientTypes.ErrorDetails() + value.code = try reader["Code"].readIfPresent() + value.message = try reader["Message"].readIfPresent() + return value + } +} + +extension ResourceExplorer2ClientTypes.IndexStatus { + + static func read(from reader: SmithyJSON.Reader) throws -> ResourceExplorer2ClientTypes.IndexStatus { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = ResourceExplorer2ClientTypes.IndexStatus() + value.status = try reader["Status"].readIfPresent() + value.index = try reader["Index"].readIfPresent(with: ResourceExplorer2ClientTypes.Index.read(from:)) + value.errorDetails = try reader["ErrorDetails"].readIfPresent(with: ResourceExplorer2ClientTypes.ErrorDetails.read(from:)) + return value + } +} + extension ResourceExplorer2ClientTypes.Index { static func read(from reader: SmithyJSON.Reader) throws -> ResourceExplorer2ClientTypes.Index { @@ -2757,6 +3582,20 @@ extension ResourceExplorer2ClientTypes.Index { } } +extension ResourceExplorer2ClientTypes.ServiceView { + + static func read(from reader: SmithyJSON.Reader) throws -> ResourceExplorer2ClientTypes.ServiceView { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = ResourceExplorer2ClientTypes.ServiceView() + value.serviceViewArn = try reader["ServiceViewArn"].readIfPresent() ?? "" + value.filters = try reader["Filters"].readIfPresent(with: ResourceExplorer2ClientTypes.SearchFilter.read(from:)) + value.includedProperties = try reader["IncludedProperties"].readListIfPresent(memberReadingClosure: ResourceExplorer2ClientTypes.IncludedProperty.read(from:), memberNodeInfo: "member", isFlattened: false) + value.streamingAccessForService = try reader["StreamingAccessForService"].readIfPresent() + value.scopeType = try reader["ScopeType"].readIfPresent() + return value + } +} + extension ResourceExplorer2ClientTypes.MemberIndex { static func read(from reader: SmithyJSON.Reader) throws -> ResourceExplorer2ClientTypes.MemberIndex { @@ -2798,6 +3637,17 @@ extension ResourceExplorer2ClientTypes.ResourceProperty { } } +extension ResourceExplorer2ClientTypes.StreamingAccessDetails { + + static func read(from reader: SmithyJSON.Reader) throws -> ResourceExplorer2ClientTypes.StreamingAccessDetails { + guard reader.hasContent else { throw SmithyReadWrite.ReaderError.requiredValueNotPresent } + var value = ResourceExplorer2ClientTypes.StreamingAccessDetails() + value.servicePrincipal = try reader["ServicePrincipal"].readIfPresent() ?? "" + value.createdAt = try reader["CreatedAt"].readTimestampIfPresent(format: SmithyTimestamps.TimestampFormat.dateTime) ?? SmithyTimestamps.TimestampFormatter(format: .dateTime).date(from: "1970-01-01T00:00:00Z") + return value + } +} + extension ResourceExplorer2ClientTypes.SupportedResourceType { static func read(from reader: SmithyJSON.Reader) throws -> ResourceExplorer2ClientTypes.SupportedResourceType { diff --git a/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/Paginators.swift b/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/Paginators.swift index 72070657a4e..1026eeb07d4 100644 --- a/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/Paginators.swift +++ b/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/Paginators.swift @@ -10,6 +10,37 @@ import protocol ClientRuntime.PaginateToken import struct ClientRuntime.PaginatorSequence +extension ResourceExplorer2Client { + /// Paginate over `[GetResourceExplorerSetupOutput]` results. + /// + /// When this operation is called, an `AsyncSequence` is created. AsyncSequences are lazy so no service + /// calls are made until the sequence is iterated over. This also means there is no guarantee that the request is valid + /// until then. If there are errors in your request, you will see the failures only after you start iterating. + /// - Parameters: + /// - input: A `[GetResourceExplorerSetupInput]` to start pagination + /// - Returns: An `AsyncSequence` that can iterate over `GetResourceExplorerSetupOutput` + public func getResourceExplorerSetupPaginated(input: GetResourceExplorerSetupInput) -> ClientRuntime.PaginatorSequence { + return ClientRuntime.PaginatorSequence(input: input, inputKey: \.nextToken, outputKey: \.nextToken, paginationFunction: self.getResourceExplorerSetup(input:)) + } +} + +extension GetResourceExplorerSetupInput: ClientRuntime.PaginateToken { + public func usingPaginationToken(_ token: Swift.String) -> GetResourceExplorerSetupInput { + return GetResourceExplorerSetupInput( + maxResults: self.maxResults, + nextToken: token, + taskId: self.taskId + )} +} + +extension PaginatorSequence where OperationStackInput == GetResourceExplorerSetupInput, OperationStackOutput == GetResourceExplorerSetupOutput { + /// This paginator transforms the `AsyncSequence` returned by `getResourceExplorerSetupPaginated` + /// to access the nested member `[ResourceExplorer2ClientTypes.RegionStatus]` + /// - Returns: `[ResourceExplorer2ClientTypes.RegionStatus]` + public func regions() async throws -> [ResourceExplorer2ClientTypes.RegionStatus] { + return try await self.asyncCompactMap { item in item.regions } + } +} extension ResourceExplorer2Client { /// Paginate over `[ListIndexesForMembersOutput]` results. /// @@ -104,6 +135,97 @@ extension PaginatorSequence where OperationStackInput == ListResourcesInput, Ope return try await self.asyncCompactMap { item in item.resources } } } +extension ResourceExplorer2Client { + /// Paginate over `[ListServiceIndexesOutput]` results. + /// + /// When this operation is called, an `AsyncSequence` is created. AsyncSequences are lazy so no service + /// calls are made until the sequence is iterated over. This also means there is no guarantee that the request is valid + /// until then. If there are errors in your request, you will see the failures only after you start iterating. + /// - Parameters: + /// - input: A `[ListServiceIndexesInput]` to start pagination + /// - Returns: An `AsyncSequence` that can iterate over `ListServiceIndexesOutput` + public func listServiceIndexesPaginated(input: ListServiceIndexesInput) -> ClientRuntime.PaginatorSequence { + return ClientRuntime.PaginatorSequence(input: input, inputKey: \.nextToken, outputKey: \.nextToken, paginationFunction: self.listServiceIndexes(input:)) + } +} + +extension ListServiceIndexesInput: ClientRuntime.PaginateToken { + public func usingPaginationToken(_ token: Swift.String) -> ListServiceIndexesInput { + return ListServiceIndexesInput( + maxResults: self.maxResults, + nextToken: token, + regions: self.regions + )} +} + +extension PaginatorSequence where OperationStackInput == ListServiceIndexesInput, OperationStackOutput == ListServiceIndexesOutput { + /// This paginator transforms the `AsyncSequence` returned by `listServiceIndexesPaginated` + /// to access the nested member `[ResourceExplorer2ClientTypes.Index]` + /// - Returns: `[ResourceExplorer2ClientTypes.Index]` + public func indexes() async throws -> [ResourceExplorer2ClientTypes.Index] { + return try await self.asyncCompactMap { item in item.indexes } + } +} +extension ResourceExplorer2Client { + /// Paginate over `[ListServiceViewsOutput]` results. + /// + /// When this operation is called, an `AsyncSequence` is created. AsyncSequences are lazy so no service + /// calls are made until the sequence is iterated over. This also means there is no guarantee that the request is valid + /// until then. If there are errors in your request, you will see the failures only after you start iterating. + /// - Parameters: + /// - input: A `[ListServiceViewsInput]` to start pagination + /// - Returns: An `AsyncSequence` that can iterate over `ListServiceViewsOutput` + public func listServiceViewsPaginated(input: ListServiceViewsInput) -> ClientRuntime.PaginatorSequence { + return ClientRuntime.PaginatorSequence(input: input, inputKey: \.nextToken, outputKey: \.nextToken, paginationFunction: self.listServiceViews(input:)) + } +} + +extension ListServiceViewsInput: ClientRuntime.PaginateToken { + public func usingPaginationToken(_ token: Swift.String) -> ListServiceViewsInput { + return ListServiceViewsInput( + maxResults: self.maxResults, + nextToken: token + )} +} + +extension PaginatorSequence where OperationStackInput == ListServiceViewsInput, OperationStackOutput == ListServiceViewsOutput { + /// This paginator transforms the `AsyncSequence` returned by `listServiceViewsPaginated` + /// to access the nested member `[Swift.String]` + /// - Returns: `[Swift.String]` + public func serviceViews() async throws -> [Swift.String] { + return try await self.asyncCompactMap { item in item.serviceViews } + } +} +extension ResourceExplorer2Client { + /// Paginate over `[ListStreamingAccessForServicesOutput]` results. + /// + /// When this operation is called, an `AsyncSequence` is created. AsyncSequences are lazy so no service + /// calls are made until the sequence is iterated over. This also means there is no guarantee that the request is valid + /// until then. If there are errors in your request, you will see the failures only after you start iterating. + /// - Parameters: + /// - input: A `[ListStreamingAccessForServicesInput]` to start pagination + /// - Returns: An `AsyncSequence` that can iterate over `ListStreamingAccessForServicesOutput` + public func listStreamingAccessForServicesPaginated(input: ListStreamingAccessForServicesInput) -> ClientRuntime.PaginatorSequence { + return ClientRuntime.PaginatorSequence(input: input, inputKey: \.nextToken, outputKey: \.nextToken, paginationFunction: self.listStreamingAccessForServices(input:)) + } +} + +extension ListStreamingAccessForServicesInput: ClientRuntime.PaginateToken { + public func usingPaginationToken(_ token: Swift.String) -> ListStreamingAccessForServicesInput { + return ListStreamingAccessForServicesInput( + maxResults: self.maxResults, + nextToken: token + )} +} + +extension PaginatorSequence where OperationStackInput == ListStreamingAccessForServicesInput, OperationStackOutput == ListStreamingAccessForServicesOutput { + /// This paginator transforms the `AsyncSequence` returned by `listStreamingAccessForServicesPaginated` + /// to access the nested member `[ResourceExplorer2ClientTypes.StreamingAccessDetails]` + /// - Returns: `[ResourceExplorer2ClientTypes.StreamingAccessDetails]` + public func streamingAccessForServices() async throws -> [ResourceExplorer2ClientTypes.StreamingAccessDetails] { + return try await self.asyncCompactMap { item in item.streamingAccessForServices } + } +} extension ResourceExplorer2Client { /// Paginate over `[ListSupportedResourceTypesOutput]` results. /// diff --git a/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/ResourceExplorer2Client.swift b/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/ResourceExplorer2Client.swift index 72b1242ee38..abb81ce4b98 100644 --- a/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/ResourceExplorer2Client.swift +++ b/Sources/Services/AWSResourceExplorer2/Sources/AWSResourceExplorer2/ResourceExplorer2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ResourceExplorer2Client: ClientRuntime.Client { public static let clientName = "ResourceExplorer2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ResourceExplorer2Client.ResourceExplorer2ClientConfiguration let serviceName = "Resource Explorer 2" @@ -375,9 +374,9 @@ extension ResourceExplorer2Client { /// /// Sets the specified view as the default for the Amazon Web Services Region in which you call this operation. When a user performs a [Search] that doesn't explicitly specify which view to use, then Amazon Web Services Resource Explorer automatically chooses this default view for searches performed in this Amazon Web Services Region. If an Amazon Web Services Region doesn't have a default view configured, then users must explicitly specify a view with every Search operation performed in that Region. /// - /// - Parameter AssociateDefaultViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDefaultViewInput`) /// - /// - Returns: `AssociateDefaultViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDefaultViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDefaultViewOutput.httpOutput(from:), AssociateDefaultViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension ResourceExplorer2Client { /// /// Retrieves details about a list of views. /// - /// - Parameter BatchGetViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetViewInput`) /// - /// - Returns: `BatchGetViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetViewOutput.httpOutput(from:), BatchGetViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension ResourceExplorer2Client { /// /// * Action: iam:CreateServiceLinkedRole Resource: No specific resource (*). This permission is required only the first time you create an index to turn on Resource Explorer in the account. Resource Explorer uses this to create the [service-linked role needed to index the resources in your account](https://docs.aws.amazon.com/resource-explorer/latest/userguide/security_iam_service-linked-roles.html). Resource Explorer uses the same service-linked role for all additional indexes you create afterwards. /// - /// - Parameter CreateIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIndexInput`) /// - /// - Returns: `CreateIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +561,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIndexOutput.httpOutput(from:), CreateIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,13 +588,84 @@ extension ResourceExplorer2Client { return try await op.execute(input: input) } + /// Performs the `CreateResourceExplorerSetup` operation on the `ResourceExplorer2` service. + /// + /// Creates a Resource Explorer setup configuration across multiple Amazon Web Services Regions. This operation sets up indexes and views in the specified Regions. This operation can also be used to set an aggregator Region for cross-Region resource search. + /// + /// - Parameter input: [no documentation found] (Type: `CreateResourceExplorerSetupInput`) + /// + /// - Returns: [no documentation found] (Type: `CreateResourceExplorerSetupOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The credentials that you used to call this operation don't have the minimum required permissions. + /// - `ConflictException` : If you attempted to create a view, then the request failed because either you specified parameters that didn’t match the original request, or you attempted to create a view with a name that already exists in this Amazon Web Services Region. If you attempted to create an index, then the request failed because either you specified parameters that didn't match the original request, or an index already exists in the current Amazon Web Services Region. If you attempted to update an index type to AGGREGATOR, then the request failed because you already have an AGGREGATOR index in a different Amazon Web Services Region. + /// - `InternalServerException` : The request failed because of internal service error. Try your request again later. + /// - `ThrottlingException` : The request failed because you exceeded a rate limit for this operation. For more information, see [Quotas for Resource Explorer](https://docs.aws.amazon.com/resource-explorer/latest/userguide/quotas.html). + /// - `ValidationException` : You provided an invalid value for one of the operation's parameters. Check the syntax for the operation, and try again. + public func createResourceExplorerSetup(input: CreateResourceExplorerSetupInput) async throws -> CreateResourceExplorerSetupOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "createResourceExplorerSetup") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "resource-explorer-2") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(CreateResourceExplorerSetupInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: CreateResourceExplorerSetupInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceExplorerSetupOutput.httpOutput(from:), CreateResourceExplorerSetupOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Resource Explorer 2", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: ResourceExplorer2Client.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "ResourceExplorer2") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "CreateResourceExplorerSetup") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + /// Performs the `CreateView` operation on the `ResourceExplorer2` service. /// /// Creates a view that users can query by using the [Search] operation. Results from queries that you make using this view include only resources that match the view's Filters. For more information about Amazon Web Services Resource Explorer views, see [Managing views](https://docs.aws.amazon.com/resource-explorer/latest/userguide/manage-views.html) in the Amazon Web Services Resource Explorer User Guide. Only the principals with an IAM identity-based policy that grants Allow to the Search action on a Resource with the [Amazon resource name (ARN)](https://docs.aws.amazon.com/general/latest/gr/aws-arns-and-namespaces.html) of this view can [Search] using views you create with this operation. /// - /// - Parameter CreateViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateViewInput`) /// - /// - Returns: `CreateViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -639,7 +706,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateViewOutput.httpOutput(from:), CreateViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -671,9 +737,9 @@ extension ResourceExplorer2Client { /// /// Deletes the specified index and turns off Amazon Web Services Resource Explorer in the specified Amazon Web Services Region. When you delete an index, Resource Explorer stops discovering and indexing resources in that Region. Resource Explorer also deletes all views in that Region. These actions occur as asynchronous background tasks. You can check to see when the actions are complete by using the [GetIndex] operation and checking the Status response value. If the index you delete is the aggregator index for the Amazon Web Services account, you must wait 24 hours before you can promote another local index to be the aggregator index for the account. Users can't perform account-wide searches using Resource Explorer until another aggregator index is configured. /// - /// - Parameter DeleteIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIndexInput`) /// - /// - Returns: `DeleteIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +777,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIndexOutput.httpOutput(from:), DeleteIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,13 +804,84 @@ extension ResourceExplorer2Client { return try await op.execute(input: input) } + /// Performs the `DeleteResourceExplorerSetup` operation on the `ResourceExplorer2` service. + /// + /// Deletes a Resource Explorer setup configuration. This operation removes indexes and views from the specified Regions or all Regions where Resource Explorer is configured. + /// + /// - Parameter input: [no documentation found] (Type: `DeleteResourceExplorerSetupInput`) + /// + /// - Returns: [no documentation found] (Type: `DeleteResourceExplorerSetupOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The credentials that you used to call this operation don't have the minimum required permissions. + /// - `ConflictException` : If you attempted to create a view, then the request failed because either you specified parameters that didn’t match the original request, or you attempted to create a view with a name that already exists in this Amazon Web Services Region. If you attempted to create an index, then the request failed because either you specified parameters that didn't match the original request, or an index already exists in the current Amazon Web Services Region. If you attempted to update an index type to AGGREGATOR, then the request failed because you already have an AGGREGATOR index in a different Amazon Web Services Region. + /// - `InternalServerException` : The request failed because of internal service error. Try your request again later. + /// - `ThrottlingException` : The request failed because you exceeded a rate limit for this operation. For more information, see [Quotas for Resource Explorer](https://docs.aws.amazon.com/resource-explorer/latest/userguide/quotas.html). + /// - `ValidationException` : You provided an invalid value for one of the operation's parameters. Check the syntax for the operation, and try again. + public func deleteResourceExplorerSetup(input: DeleteResourceExplorerSetupInput) async throws -> DeleteResourceExplorerSetupOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "deleteResourceExplorerSetup") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "resource-explorer-2") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(DeleteResourceExplorerSetupInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: DeleteResourceExplorerSetupInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceExplorerSetupOutput.httpOutput(from:), DeleteResourceExplorerSetupOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Resource Explorer 2", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: ResourceExplorer2Client.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "ResourceExplorer2") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "DeleteResourceExplorerSetup") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + /// Performs the `DeleteView` operation on the `ResourceExplorer2` service. /// /// Deletes the specified view. If the specified view is the default view for its Amazon Web Services Region, then all [Search] operations in that Region must explicitly specify the view to use until you configure a new default by calling the [AssociateDefaultView] operation. /// - /// - Parameter DeleteViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteViewInput`) /// - /// - Returns: `DeleteViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -784,7 +920,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteViewOutput.httpOutput(from:), DeleteViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -816,9 +951,9 @@ extension ResourceExplorer2Client { /// /// After you call this operation, the affected Amazon Web Services Region no longer has a default view. All [Search] operations in that Region must explicitly specify a view or the operation fails. You can configure a new default by calling the [AssociateDefaultView] operation. If an Amazon Web Services Region doesn't have a default view configured, then users must explicitly specify a view with every Search operation performed in that Region. /// - /// - Parameter DisassociateDefaultViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateDefaultViewInput`) /// - /// - Returns: `DisassociateDefaultViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateDefaultViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -853,7 +988,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateDefaultViewOutput.httpOutput(from:), DisassociateDefaultViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -885,9 +1019,9 @@ extension ResourceExplorer2Client { /// /// Retrieves the status of your account's Amazon Web Services service access, and validates the service linked role required to access the multi-account search feature. Only the management account can invoke this API call. /// - /// - Parameter GetAccountLevelServiceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountLevelServiceConfigurationInput`) /// - /// - Returns: `GetAccountLevelServiceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountLevelServiceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -921,7 +1055,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountLevelServiceConfigurationOutput.httpOutput(from:), GetAccountLevelServiceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +1086,9 @@ extension ResourceExplorer2Client { /// /// Retrieves the Amazon Resource Name (ARN) of the view that is the default for the Amazon Web Services Region in which you call this operation. You can then call [GetView] to retrieve the details of that view. /// - /// - Parameter GetDefaultViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDefaultViewInput`) /// - /// - Returns: `GetDefaultViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDefaultViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -990,7 +1123,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDefaultViewOutput.httpOutput(from:), GetDefaultViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1022,9 +1154,9 @@ extension ResourceExplorer2Client { /// /// Retrieves details about the Amazon Web Services Resource Explorer index in the Amazon Web Services Region in which you invoked the operation. /// - /// - Parameter GetIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIndexInput`) /// - /// - Returns: `GetIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1059,7 +1191,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIndexOutput.httpOutput(from:), GetIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1091,9 +1222,9 @@ extension ResourceExplorer2Client { /// /// Retrieves details of the specified [Amazon Web Services-managed view](https://docs.aws.amazon.com/resource-explorer/latest/userguide/aws-managed-views.html). /// - /// - Parameter GetManagedViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedViewInput`) /// - /// - Returns: `GetManagedViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1132,7 +1263,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedViewOutput.httpOutput(from:), GetManagedViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1160,13 +1290,223 @@ extension ResourceExplorer2Client { return try await op.execute(input: input) } + /// Performs the `GetResourceExplorerSetup` operation on the `ResourceExplorer2` service. + /// + /// Retrieves the status and details of a Resource Explorer setup operation. This operation returns information about the progress of creating or deleting Resource Explorer configurations across Regions. + /// + /// - Parameter input: [no documentation found] (Type: `GetResourceExplorerSetupInput`) + /// + /// - Returns: [no documentation found] (Type: `GetResourceExplorerSetupOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The credentials that you used to call this operation don't have the minimum required permissions. + /// - `InternalServerException` : The request failed because of internal service error. Try your request again later. + /// - `ResourceNotFoundException` : You specified a resource that doesn't exist. Check the ID or ARN that you used to identity the resource, and try again. + /// - `ThrottlingException` : The request failed because you exceeded a rate limit for this operation. For more information, see [Quotas for Resource Explorer](https://docs.aws.amazon.com/resource-explorer/latest/userguide/quotas.html). + /// - `ValidationException` : You provided an invalid value for one of the operation's parameters. Check the syntax for the operation, and try again. + public func getResourceExplorerSetup(input: GetResourceExplorerSetupInput) async throws -> GetResourceExplorerSetupOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "getResourceExplorerSetup") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "resource-explorer-2") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(GetResourceExplorerSetupInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: GetResourceExplorerSetupInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceExplorerSetupOutput.httpOutput(from:), GetResourceExplorerSetupOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Resource Explorer 2", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: ResourceExplorer2Client.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "ResourceExplorer2") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "GetResourceExplorerSetup") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + + /// Performs the `GetServiceIndex` operation on the `ResourceExplorer2` service. + /// + /// Retrieves information about the Resource Explorer index in the current Amazon Web Services Region. This operation returns the ARN and type of the index if one exists. + /// + /// - Parameter input: [no documentation found] (Type: `GetServiceIndexInput`) + /// + /// - Returns: [no documentation found] (Type: `GetServiceIndexOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The credentials that you used to call this operation don't have the minimum required permissions. + /// - `InternalServerException` : The request failed because of internal service error. Try your request again later. + /// - `ResourceNotFoundException` : You specified a resource that doesn't exist. Check the ID or ARN that you used to identity the resource, and try again. + /// - `ThrottlingException` : The request failed because you exceeded a rate limit for this operation. For more information, see [Quotas for Resource Explorer](https://docs.aws.amazon.com/resource-explorer/latest/userguide/quotas.html). + /// - `ValidationException` : You provided an invalid value for one of the operation's parameters. Check the syntax for the operation, and try again. + public func getServiceIndex(input: GetServiceIndexInput) async throws -> GetServiceIndexOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "getServiceIndex") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "resource-explorer-2") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(GetServiceIndexInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceIndexOutput.httpOutput(from:), GetServiceIndexOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Resource Explorer 2", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: ResourceExplorer2Client.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "ResourceExplorer2") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "GetServiceIndex") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + + /// Performs the `GetServiceView` operation on the `ResourceExplorer2` service. + /// + /// Retrieves details about a specific Resource Explorer service view. This operation returns the configuration and properties of the specified view. + /// + /// - Parameter input: [no documentation found] (Type: `GetServiceViewInput`) + /// + /// - Returns: [no documentation found] (Type: `GetServiceViewOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The credentials that you used to call this operation don't have the minimum required permissions. + /// - `InternalServerException` : The request failed because of internal service error. Try your request again later. + /// - `ResourceNotFoundException` : You specified a resource that doesn't exist. Check the ID or ARN that you used to identity the resource, and try again. + /// - `ThrottlingException` : The request failed because you exceeded a rate limit for this operation. For more information, see [Quotas for Resource Explorer](https://docs.aws.amazon.com/resource-explorer/latest/userguide/quotas.html). + /// - `ValidationException` : You provided an invalid value for one of the operation's parameters. Check the syntax for the operation, and try again. + public func getServiceView(input: GetServiceViewInput) async throws -> GetServiceViewOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "getServiceView") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "resource-explorer-2") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(GetServiceViewInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: GetServiceViewInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceViewOutput.httpOutput(from:), GetServiceViewOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Resource Explorer 2", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: ResourceExplorer2Client.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "ResourceExplorer2") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "GetServiceView") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + /// Performs the `GetView` operation on the `ResourceExplorer2` service. /// /// Retrieves details of the specified view. /// - /// - Parameter GetViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetViewInput`) /// - /// - Returns: `GetViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1205,7 +1545,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetViewOutput.httpOutput(from:), GetViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1237,9 +1576,9 @@ extension ResourceExplorer2Client { /// /// Retrieves a list of all of the indexes in Amazon Web Services Regions that are currently collecting resource information for Amazon Web Services Resource Explorer. /// - /// - Parameter ListIndexesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIndexesInput`) /// - /// - Returns: `ListIndexesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIndexesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1276,7 +1615,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIndexesOutput.httpOutput(from:), ListIndexesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1308,9 +1646,9 @@ extension ResourceExplorer2Client { /// /// Retrieves a list of a member's indexes in all Amazon Web Services Regions that are currently collecting resource information for Amazon Web Services Resource Explorer. Only the management account or a delegated administrator with service access enabled can invoke this API call. /// - /// - Parameter ListIndexesForMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIndexesForMembersInput`) /// - /// - Returns: `ListIndexesForMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIndexesForMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1347,7 +1685,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIndexesForMembersOutput.httpOutput(from:), ListIndexesForMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1379,9 +1716,9 @@ extension ResourceExplorer2Client { /// /// Lists the Amazon resource names (ARNs) of the [Amazon Web Services-managed views](https://docs.aws.amazon.com/resource-explorer/latest/userguide/aws-managed-views.html) available in the Amazon Web Services Region in which you call this operation. /// - /// - Parameter ListManagedViewsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedViewsInput`) /// - /// - Returns: `ListManagedViewsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedViewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1419,7 +1756,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedViewsOutput.httpOutput(from:), ListManagedViewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1451,9 +1787,9 @@ extension ResourceExplorer2Client { /// /// Returns a list of resources and their details that match the specified criteria. This query must use a view. If you don’t explicitly specify a view, then Resource Explorer uses the default view for the Amazon Web Services Region in which you call this operation. /// - /// - Parameter ListResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcesInput`) /// - /// - Returns: `ListResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1492,7 +1828,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcesOutput.httpOutput(from:), ListResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1520,13 +1855,222 @@ extension ResourceExplorer2Client { return try await op.execute(input: input) } + /// Performs the `ListServiceIndexes` operation on the `ResourceExplorer2` service. + /// + /// Lists all Resource Explorer indexes across the specified Amazon Web Services Regions. This operation returns information about indexes including their ARNs, types, and Regions. + /// + /// - Parameter input: [no documentation found] (Type: `ListServiceIndexesInput`) + /// + /// - Returns: [no documentation found] (Type: `ListServiceIndexesOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The credentials that you used to call this operation don't have the minimum required permissions. + /// - `InternalServerException` : The request failed because of internal service error. Try your request again later. + /// - `ThrottlingException` : The request failed because you exceeded a rate limit for this operation. For more information, see [Quotas for Resource Explorer](https://docs.aws.amazon.com/resource-explorer/latest/userguide/quotas.html). + /// - `ValidationException` : You provided an invalid value for one of the operation's parameters. Check the syntax for the operation, and try again. + public func listServiceIndexes(input: ListServiceIndexesInput) async throws -> ListServiceIndexesOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "listServiceIndexes") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "resource-explorer-2") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(ListServiceIndexesInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: ListServiceIndexesInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceIndexesOutput.httpOutput(from:), ListServiceIndexesOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Resource Explorer 2", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: ResourceExplorer2Client.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "ResourceExplorer2") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "ListServiceIndexes") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + + /// Performs the `ListServiceViews` operation on the `ResourceExplorer2` service. + /// + /// Lists all Resource Explorer service views available in the current Amazon Web Services account. This operation returns the ARNs of available service views. + /// + /// - Parameter input: [no documentation found] (Type: `ListServiceViewsInput`) + /// + /// - Returns: [no documentation found] (Type: `ListServiceViewsOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The credentials that you used to call this operation don't have the minimum required permissions. + /// - `InternalServerException` : The request failed because of internal service error. Try your request again later. + /// - `ThrottlingException` : The request failed because you exceeded a rate limit for this operation. For more information, see [Quotas for Resource Explorer](https://docs.aws.amazon.com/resource-explorer/latest/userguide/quotas.html). + /// - `ValidationException` : You provided an invalid value for one of the operation's parameters. Check the syntax for the operation, and try again. + public func listServiceViews(input: ListServiceViewsInput) async throws -> ListServiceViewsOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "listServiceViews") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "resource-explorer-2") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(ListServiceViewsInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: ListServiceViewsInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceViewsOutput.httpOutput(from:), ListServiceViewsOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Resource Explorer 2", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: ResourceExplorer2Client.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "ResourceExplorer2") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "ListServiceViews") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + + /// Performs the `ListStreamingAccessForServices` operation on the `ResourceExplorer2` service. + /// + /// Returns a list of Amazon Web Services services that have been granted streaming access to your Resource Explorer data. Streaming access allows Amazon Web Services services to receive real-time updates about your resources as they are indexed by Resource Explorer. + /// + /// - Parameter input: [no documentation found] (Type: `ListStreamingAccessForServicesInput`) + /// + /// - Returns: [no documentation found] (Type: `ListStreamingAccessForServicesOutput`) + /// + /// - Throws: One of the exceptions listed below __Possible Exceptions__. + /// + /// __Possible Exceptions:__ + /// - `AccessDeniedException` : The credentials that you used to call this operation don't have the minimum required permissions. + /// - `InternalServerException` : The request failed because of internal service error. Try your request again later. + /// - `ValidationException` : You provided an invalid value for one of the operation's parameters. Check the syntax for the operation, and try again. + public func listStreamingAccessForServices(input: ListStreamingAccessForServicesInput) async throws -> ListStreamingAccessForServicesOutput { + let context = Smithy.ContextBuilder() + .withMethod(value: .post) + .withServiceName(value: serviceName) + .withOperation(value: "listStreamingAccessForServices") + .withUnsignedPayloadTrait(value: false) + .withSmithyDefaultConfig(config) + .withIdentityResolver(value: config.awsCredentialIdentityResolver, schemeID: "aws.auth#sigv4a") + .withRegion(value: config.region) + .withRequestChecksumCalculation(value: config.requestChecksumCalculation) + .withResponseChecksumValidation(value: config.responseChecksumValidation) + .withSigningName(value: "resource-explorer-2") + .withSigningRegion(value: config.signingRegion) + .build() + let builder = ClientRuntime.OrchestratorBuilder() + config.interceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + config.httpInterceptorProviders.forEach { provider in + builder.interceptors.add(provider.create()) + } + builder.interceptors.add(ClientRuntime.URLPathMiddleware(ListStreamingAccessForServicesInput.urlPathProvider(_:))) + builder.interceptors.add(ClientRuntime.URLHostMiddleware()) + builder.interceptors.add(ClientRuntime.ContentTypeMiddleware(contentType: "application/json")) + builder.serialize(ClientRuntime.BodyMiddleware(rootNodeInfo: "", inputWritingClosure: ListStreamingAccessForServicesInput.write(value:to:))) + builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) + builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStreamingAccessForServicesOutput.httpOutput(from:), ListStreamingAccessForServicesOutputError.httpError(from:))) + builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) + builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) + builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) + builder.applySigner(ClientRuntime.SignerMiddleware()) + let configuredEndpoint = try config.endpoint ?? AWSClientRuntime.AWSClientConfigDefaultsProvider.configuredEndpoint("Resource Explorer 2", config.ignoreConfiguredEndpointURLs) + let endpointParamsBlock = { [config] (context: Smithy.Context) in + EndpointParams(endpoint: configuredEndpoint, region: config.region, useDualStack: config.useDualStack ?? false, useFIPS: config.useFIPS ?? false) + } + builder.applyEndpoint(AWSClientRuntime.AWSEndpointResolverMiddleware(paramsBlock: endpointParamsBlock, resolverBlock: { [config] in try config.endpointResolver.resolve(params: $0) })) + builder.selectAuthScheme(ClientRuntime.AuthSchemeMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkInvocationIdMiddleware()) + builder.interceptors.add(AWSClientRuntime.AmzSdkRequestMiddleware(maxRetries: config.retryStrategyOptions.maxRetriesBase)) + builder.interceptors.add(AWSClientRuntime.UserAgentMiddleware(serviceID: serviceName, version: ResourceExplorer2Client.version, config: config)) + var metricsAttributes = Smithy.Attributes() + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.service, value: "ResourceExplorer2") + metricsAttributes.set(key: ClientRuntime.OrchestratorMetricsAttributesKeys.method, value: "ListStreamingAccessForServices") + let op = builder.attributes(context) + .telemetry(ClientRuntime.OrchestratorTelemetry( + telemetryProvider: config.telemetryProvider, + metricsAttributes: metricsAttributes, + meterScope: serviceName, + tracerScope: serviceName + )) + .executeRequest(client) + .build() + return try await op.execute(input: input) + } + /// Performs the `ListSupportedResourceTypes` operation on the `ResourceExplorer2` service. /// /// Retrieves a list of all resource types currently supported by Amazon Web Services Resource Explorer. /// - /// - Parameter ListSupportedResourceTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSupportedResourceTypesInput`) /// - /// - Returns: `ListSupportedResourceTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSupportedResourceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1563,7 +2107,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSupportedResourceTypesOutput.httpOutput(from:), ListSupportedResourceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1595,9 +2138,9 @@ extension ResourceExplorer2Client { /// /// Lists the tags that are attached to the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1633,7 +2176,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1665,9 +2207,9 @@ extension ResourceExplorer2Client { /// /// Lists the [Amazon resource names (ARNs)](https://docs.aws.amazon.com/general/latest/gr/aws-arns-and-namespaces.html) of the views available in the Amazon Web Services Region in which you call this operation. Always check the NextToken response parameter for a null value when calling a paginated operation. These operations can occasionally return an empty set of results even when there are more results available. The NextToken response parameter value is null only when there are no more results to display. /// - /// - Parameter ListViewsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListViewsInput`) /// - /// - Returns: `ListViewsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListViewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1704,7 +2246,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListViewsOutput.httpOutput(from:), ListViewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1736,9 +2277,9 @@ extension ResourceExplorer2Client { /// /// Searches for resources and displays details about all resources that match the specified criteria. You must specify a query string. All search queries must use a view. If you don't explicitly specify a view, then Amazon Web Services Resource Explorer uses the default view for the Amazon Web Services Region in which you call this operation. The results are the logical intersection of the results that match both the QueryString parameter supplied to this operation and the SearchFilter parameter attached to the view. For the complete syntax supported by the QueryString parameter, see [Search query syntax reference for Resource Explorer](https://docs.aws.amazon.com/resource-explorer/latest/APIReference/about-query-syntax.html). If your search results are empty, or are missing results that you think should be there, see [Troubleshooting Resource Explorer search](https://docs.aws.amazon.com/resource-explorer/latest/userguide/troubleshooting_search.html). /// - /// - Parameter SearchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchInput`) /// - /// - Returns: `SearchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1777,7 +2318,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchOutput.httpOutput(from:), SearchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1809,9 +2349,9 @@ extension ResourceExplorer2Client { /// /// Adds one or more tag key and value pairs to an Amazon Web Services Resource Explorer view or index. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1850,7 +2390,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1882,9 +2421,9 @@ extension ResourceExplorer2Client { /// /// Removes one or more tag key and value pairs from an Amazon Web Services Resource Explorer view or index. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1921,7 +2460,6 @@ extension ResourceExplorer2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1957,9 +2495,9 @@ extension ResourceExplorer2Client { /// /// * LOCAL index type The index contains information about resources in only the Amazon Web Services Region in which the index exists. If an aggregator index in another Region exists, then information in this local index is replicated to the aggregator index. When you change the index type to LOCAL, Resource Explorer turns off the replication of resource information from all other Amazon Web Services Regions in the Amazon Web Services account to this Region. The aggregator index remains in the UPDATING state until all replication with other Regions successfully stops. You can check the status of the asynchronous task by using the [GetIndex] operation. When Resource Explorer successfully stops all replication with other Regions, the Status response of that operation changes from UPDATING to ACTIVE. Separately, the resource information from other Regions that was previously stored in the index is deleted within 30 days by another background task. Until that asynchronous task completes, some results from other Regions can continue to appear in search results. After you demote an aggregator index to a local index, you must wait 24 hours before you can promote another index to be the new aggregator index for the account. /// - /// - Parameter UpdateIndexTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIndexTypeInput`) /// - /// - Returns: `UpdateIndexTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIndexTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1999,7 +2537,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIndexTypeOutput.httpOutput(from:), UpdateIndexTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2031,9 +2568,9 @@ extension ResourceExplorer2Client { /// /// Modifies some of the details of a view. You can change the filter string and the list of included properties. You can't change the name of the view. /// - /// - Parameter UpdateViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateViewInput`) /// - /// - Returns: `UpdateViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2072,7 +2609,6 @@ extension ResourceExplorer2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateViewOutput.httpOutput(from:), UpdateViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSResourceGroups/Sources/AWSResourceGroups/ResourceGroupsClient.swift b/Sources/Services/AWSResourceGroups/Sources/AWSResourceGroups/ResourceGroupsClient.swift index db7570b8ca4..b060a2ac42b 100644 --- a/Sources/Services/AWSResourceGroups/Sources/AWSResourceGroups/ResourceGroupsClient.swift +++ b/Sources/Services/AWSResourceGroups/Sources/AWSResourceGroups/ResourceGroupsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ResourceGroupsClient: ClientRuntime.Client { public static let clientName = "ResourceGroupsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ResourceGroupsClient.ResourceGroupsClientConfiguration let serviceName = "Resource Groups" @@ -378,9 +377,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:DeleteGroup /// - /// - Parameter CancelTagSyncTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelTagSyncTaskInput`) /// - /// - Returns: `CancelTagSyncTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelTagSyncTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelTagSyncTaskOutput.httpOutput(from:), CancelTagSyncTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -453,9 +451,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:CreateGroup /// - /// - Parameter CreateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupInput`) /// - /// - Returns: `CreateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +491,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupOutput.httpOutput(from:), CreateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -527,9 +524,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:DeleteGroup /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -568,7 +565,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -600,9 +596,9 @@ extension ResourceGroupsClient { /// /// Retrieves the current status of optional features in Resource Groups. /// - /// - Parameter GetAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountSettingsInput`) /// - /// - Returns: `GetAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSettingsOutput.httpOutput(from:), GetAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -671,9 +666,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:GetGroup /// - /// - Parameter GetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupInput`) /// - /// - Returns: `GetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -712,7 +707,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupOutput.httpOutput(from:), GetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -746,9 +740,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:GetGroupConfiguration /// - /// - Parameter GetGroupConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupConfigurationInput`) /// - /// - Returns: `GetGroupConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -787,7 +781,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupConfigurationOutput.httpOutput(from:), GetGroupConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -821,9 +814,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:GetGroupQuery /// - /// - Parameter GetGroupQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupQueryInput`) /// - /// - Returns: `GetGroupQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -862,7 +855,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupQueryOutput.httpOutput(from:), GetGroupQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -896,9 +888,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:GetTagSyncTask on the application group /// - /// - Parameter GetTagSyncTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTagSyncTaskInput`) /// - /// - Returns: `GetTagSyncTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTagSyncTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -938,7 +930,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTagSyncTaskOutput.httpOutput(from:), GetTagSyncTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -972,9 +963,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:GetTags /// - /// - Parameter GetTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTagsInput`) /// - /// - Returns: `GetTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1010,7 +1001,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTagsOutput.httpOutput(from:), GetTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1053,9 +1043,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:GroupResources /// - /// - Parameter GroupResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GroupResourcesInput`) /// - /// - Returns: `GroupResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GroupResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1094,7 +1084,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GroupResourcesOutput.httpOutput(from:), GroupResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1134,9 +1123,9 @@ extension ResourceGroupsClient { /// /// * tag:GetResources /// - /// - Parameter ListGroupResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupResourcesInput`) /// - /// - Returns: `ListGroupResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1176,7 +1165,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupResourcesOutput.httpOutput(from:), ListGroupResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1208,9 +1196,9 @@ extension ResourceGroupsClient { /// /// Returns the status of the last grouping or ungrouping action for each resource in the specified application group. /// - /// - Parameter ListGroupingStatusesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupingStatusesInput`) /// - /// - Returns: `ListGroupingStatusesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupingStatusesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1248,7 +1236,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupingStatusesOutput.httpOutput(from:), ListGroupingStatusesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1282,9 +1269,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:ListGroups /// - /// - Parameter ListGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsInput`) /// - /// - Returns: `ListGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1323,7 +1310,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOutput.httpOutput(from:), ListGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1357,9 +1343,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:ListTagSyncTasks with the group passed in the filters as the resource or * if using no filters /// - /// - Parameter ListTagSyncTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagSyncTasksInput`) /// - /// - Returns: `ListTagSyncTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagSyncTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1398,7 +1384,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagSyncTasksOutput.httpOutput(from:), ListTagSyncTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1432,9 +1417,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:PutGroupConfiguration /// - /// - Parameter PutGroupConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutGroupConfigurationInput`) /// - /// - Returns: `PutGroupConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutGroupConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1473,7 +1458,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutGroupConfigurationOutput.httpOutput(from:), PutGroupConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1513,9 +1497,9 @@ extension ResourceGroupsClient { /// /// * tag:GetResources /// - /// - Parameter SearchResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchResourcesInput`) /// - /// - Returns: `SearchResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1554,7 +1538,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchResourcesOutput.httpOutput(from:), SearchResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1592,9 +1575,9 @@ extension ResourceGroupsClient { /// /// * iam:PassRole on the role provided in the request /// - /// - Parameter StartTagSyncTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTagSyncTaskInput`) /// - /// - Returns: `StartTagSyncTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTagSyncTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1634,7 +1617,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTagSyncTaskOutput.httpOutput(from:), StartTagSyncTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1668,9 +1650,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:Tag /// - /// - Parameter TagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagInput`) /// - /// - Returns: `TagOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1709,7 +1691,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagOutput.httpOutput(from:), TagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1743,9 +1724,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:UngroupResources /// - /// - Parameter UngroupResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UngroupResourcesInput`) /// - /// - Returns: `UngroupResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UngroupResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1784,7 +1765,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UngroupResourcesOutput.httpOutput(from:), UngroupResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1818,9 +1798,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:Untag /// - /// - Parameter UntagInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagInput`) /// - /// - Returns: `UntagOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1859,7 +1839,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagOutput.httpOutput(from:), UntagOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1891,9 +1870,9 @@ extension ResourceGroupsClient { /// /// Turns on or turns off optional features in Resource Groups. The preceding example shows that the request to turn on group lifecycle events is IN_PROGRESS. You can call the [GetAccountSettings] operation to check for completion by looking for GroupLifecycleEventsStatus to change to ACTIVE. /// - /// - Parameter UpdateAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountSettingsInput`) /// - /// - Returns: `UpdateAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1931,7 +1910,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountSettingsOutput.httpOutput(from:), UpdateAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1965,9 +1943,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:UpdateGroup /// - /// - Parameter UpdateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupInput`) /// - /// - Returns: `UpdateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2006,7 +1984,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupOutput.httpOutput(from:), UpdateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2040,9 +2017,9 @@ extension ResourceGroupsClient { /// /// * resource-groups:UpdateGroupQuery /// - /// - Parameter UpdateGroupQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupQueryInput`) /// - /// - Returns: `UpdateGroupQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2081,7 +2058,6 @@ extension ResourceGroupsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupQueryOutput.httpOutput(from:), UpdateGroupQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSResourceGroupsTaggingAPI/Sources/AWSResourceGroupsTaggingAPI/ResourceGroupsTaggingAPIClient.swift b/Sources/Services/AWSResourceGroupsTaggingAPI/Sources/AWSResourceGroupsTaggingAPI/ResourceGroupsTaggingAPIClient.swift index aacfff69db3..16474e15d9e 100644 --- a/Sources/Services/AWSResourceGroupsTaggingAPI/Sources/AWSResourceGroupsTaggingAPI/ResourceGroupsTaggingAPIClient.swift +++ b/Sources/Services/AWSResourceGroupsTaggingAPI/Sources/AWSResourceGroupsTaggingAPI/ResourceGroupsTaggingAPIClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ResourceGroupsTaggingAPIClient: ClientRuntime.Client { public static let clientName = "ResourceGroupsTaggingAPIClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ResourceGroupsTaggingAPIClient.ResourceGroupsTaggingAPIClientConfiguration let serviceName = "Resource Groups Tagging API" @@ -373,9 +372,9 @@ extension ResourceGroupsTaggingAPIClient { /// /// Describes the status of the StartReportCreation operation. You can call this operation only from the organization's management account and from the us-east-1 Region. /// - /// - Parameter DescribeReportCreationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReportCreationInput`) /// - /// - Returns: `DescribeReportCreationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReportCreationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -426,7 +425,6 @@ extension ResourceGroupsTaggingAPIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReportCreationOutput.httpOutput(from:), DescribeReportCreationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -461,9 +459,9 @@ extension ResourceGroupsTaggingAPIClient { /// /// Returns a table that shows counts of resources that are noncompliant with their tag policies. For more information on tag policies, see [Tag Policies](https://docs.aws.amazon.com/organizations/latest/userguide/orgs_manage_policies_tag-policies.html) in the Organizations User Guide. You can call this operation only from the organization's management account and from the us-east-1 Region. This operation supports pagination, where the response can be sent in multiple pages. You should check the PaginationToken response parameter to determine if there are additional results available to return. Repeat the query, passing the PaginationToken response parameter value as an input to the next request until you recieve a null value. A null value for PaginationToken indicates that there are no more results waiting to be returned. /// - /// - Parameter GetComplianceSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComplianceSummaryInput`) /// - /// - Returns: `GetComplianceSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComplianceSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -514,7 +512,6 @@ extension ResourceGroupsTaggingAPIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComplianceSummaryOutput.httpOutput(from:), GetComplianceSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -556,9 +553,9 @@ extension ResourceGroupsTaggingAPIClient { /// /// This operation supports pagination, where the response can be sent in multiple pages. You should check the PaginationToken response parameter to determine if there are additional results available to return. Repeat the query, passing the PaginationToken response parameter value as an input to the next request until you recieve a null value. A null value for PaginationToken indicates that there are no more results waiting to be returned. /// - /// - Parameter GetResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcesInput`) /// - /// - Returns: `GetResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -603,7 +600,6 @@ extension ResourceGroupsTaggingAPIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcesOutput.httpOutput(from:), GetResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -638,9 +634,9 @@ extension ResourceGroupsTaggingAPIClient { /// /// Returns all tag keys currently in use in the specified Amazon Web Services Region for the calling account. This operation supports pagination, where the response can be sent in multiple pages. You should check the PaginationToken response parameter to determine if there are additional results available to return. Repeat the query, passing the PaginationToken response parameter value as an input to the next request until you recieve a null value. A null value for PaginationToken indicates that there are no more results waiting to be returned. /// - /// - Parameter GetTagKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTagKeysInput`) /// - /// - Returns: `GetTagKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTagKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -685,7 +681,6 @@ extension ResourceGroupsTaggingAPIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTagKeysOutput.httpOutput(from:), GetTagKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -720,9 +715,9 @@ extension ResourceGroupsTaggingAPIClient { /// /// Returns all tag values for the specified key that are used in the specified Amazon Web Services Region for the calling account. This operation supports pagination, where the response can be sent in multiple pages. You should check the PaginationToken response parameter to determine if there are additional results available to return. Repeat the query, passing the PaginationToken response parameter value as an input to the next request until you recieve a null value. A null value for PaginationToken indicates that there are no more results waiting to be returned. /// - /// - Parameter GetTagValuesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTagValuesInput`) /// - /// - Returns: `GetTagValuesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTagValuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -767,7 +762,6 @@ extension ResourceGroupsTaggingAPIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTagValuesOutput.httpOutput(from:), GetTagValuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -802,9 +796,9 @@ extension ResourceGroupsTaggingAPIClient { /// /// Generates a report that lists all tagged resources in the accounts across your organization and tells whether each resource is compliant with the effective tag policy. Compliance data is refreshed daily. The report is generated asynchronously. The generated report is saved to the following location: s3://example-bucket/AwsTagPolicies/o-exampleorgid/YYYY-MM-ddTHH:mm:ssZ/report.csv You can call this operation only from the organization's management account and from the us-east-1 Region. /// - /// - Parameter StartReportCreationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartReportCreationInput`) /// - /// - Returns: `StartReportCreationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartReportCreationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -856,7 +850,6 @@ extension ResourceGroupsTaggingAPIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartReportCreationOutput.httpOutput(from:), StartReportCreationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -906,9 +899,9 @@ extension ResourceGroupsTaggingAPIClient { /// /// * ec2:CreateTags /// - /// - Parameter TagResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourcesInput`) /// - /// - Returns: `TagResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -952,7 +945,6 @@ extension ResourceGroupsTaggingAPIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourcesOutput.httpOutput(from:), TagResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -998,9 +990,9 @@ extension ResourceGroupsTaggingAPIClient { /// /// * ec2:DeleteTags /// - /// - Parameter UntagResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourcesInput`) /// - /// - Returns: `UntagResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1044,7 +1036,6 @@ extension ResourceGroupsTaggingAPIClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourcesOutput.httpOutput(from:), UntagResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRoboMaker/Sources/AWSRoboMaker/RoboMakerClient.swift b/Sources/Services/AWSRoboMaker/Sources/AWSRoboMaker/RoboMakerClient.swift index feff94d80d8..6afc59b6cd1 100644 --- a/Sources/Services/AWSRoboMaker/Sources/AWSRoboMaker/RoboMakerClient.swift +++ b/Sources/Services/AWSRoboMaker/Sources/AWSRoboMaker/RoboMakerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RoboMakerClient: ClientRuntime.Client { public static let clientName = "RoboMakerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RoboMakerClient.RoboMakerClientConfiguration let serviceName = "RoboMaker" @@ -375,9 +374,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Deletes one or more worlds in a batch operation. /// - /// - Parameter BatchDeleteWorldsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteWorldsInput`) /// - /// - Returns: `BatchDeleteWorldsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteWorldsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteWorldsOutput.httpOutput(from:), BatchDeleteWorldsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Describes one or more simulation jobs. /// - /// - Parameter BatchDescribeSimulationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDescribeSimulationJobInput`) /// - /// - Returns: `BatchDescribeSimulationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDescribeSimulationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDescribeSimulationJobOutput.httpOutput(from:), BatchDescribeSimulationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension RoboMakerClient { /// This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Cancels the specified deployment job. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter CancelDeploymentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelDeploymentJobInput`) /// - /// - Returns: `CancelDeploymentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelDeploymentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelDeploymentJobOutput.httpOutput(from:), CancelDeploymentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Cancels the specified simulation job. /// - /// - Parameter CancelSimulationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelSimulationJobInput`) /// - /// - Returns: `CancelSimulationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelSimulationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSimulationJobOutput.httpOutput(from:), CancelSimulationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Cancels a simulation job batch. When you cancel a simulation job batch, you are also cancelling all of the active simulation jobs created as part of the batch. /// - /// - Parameter CancelSimulationJobBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelSimulationJobBatchInput`) /// - /// - Returns: `CancelSimulationJobBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelSimulationJobBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSimulationJobBatchOutput.httpOutput(from:), CancelSimulationJobBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Cancels the specified export job. /// - /// - Parameter CancelWorldExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelWorldExportJobInput`) /// - /// - Returns: `CancelWorldExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelWorldExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -769,7 +763,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelWorldExportJobOutput.httpOutput(from:), CancelWorldExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -801,9 +794,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Cancels the specified world generator job. /// - /// - Parameter CancelWorldGenerationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelWorldGenerationJobInput`) /// - /// - Returns: `CancelWorldGenerationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelWorldGenerationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelWorldGenerationJobOutput.httpOutput(from:), CancelWorldGenerationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported and will throw an error if used. For more information, see the January 31, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-january2022) page. Deploys a specific version of a robot application to robots in a fleet. The robot application must have a numbered applicationVersion for consistency reasons. To create a new version, use CreateRobotApplicationVersion or see [Creating a Robot Application Version](https://docs.aws.amazon.com/robomaker/latest/dg/create-robot-application-version.html). After 90 days, deployment jobs expire and will be deleted. They will no longer be accessible. @available(*, deprecated, message: "AWS RoboMaker is unable to process this request as the support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter CreateDeploymentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeploymentJobInput`) /// - /// - Returns: `CreateDeploymentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeploymentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -916,7 +908,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeploymentJobOutput.httpOutput(from:), CreateDeploymentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -949,9 +940,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported and will throw an error if used. For more information, see the January 31, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-january2022) page. Creates a fleet, a logical group of robots running the same robot application. @available(*, deprecated, message: "AWS RoboMaker is unable to process this request as the support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter CreateFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFleetInput`) /// - /// - Returns: `CreateFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -988,7 +979,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFleetOutput.httpOutput(from:), CreateFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1021,9 +1011,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported and will throw an error if used. For more information, see the January 31, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-january2022) page. Creates a robot. @available(*, deprecated, message: "AWS RoboMaker is unable to process this request as the support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter CreateRobotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRobotInput`) /// - /// - Returns: `CreateRobotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRobotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1061,7 +1051,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRobotOutput.httpOutput(from:), CreateRobotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1093,9 +1082,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Creates a robot application. /// - /// - Parameter CreateRobotApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRobotApplicationInput`) /// - /// - Returns: `CreateRobotApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRobotApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1134,7 +1123,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRobotApplicationOutput.httpOutput(from:), CreateRobotApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1166,9 +1154,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Creates a version of a robot application. /// - /// - Parameter CreateRobotApplicationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRobotApplicationVersionInput`) /// - /// - Returns: `CreateRobotApplicationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRobotApplicationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1206,7 +1194,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRobotApplicationVersionOutput.httpOutput(from:), CreateRobotApplicationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1238,9 +1225,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Creates a simulation application. /// - /// - Parameter CreateSimulationApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSimulationApplicationInput`) /// - /// - Returns: `CreateSimulationApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSimulationApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1279,7 +1266,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSimulationApplicationOutput.httpOutput(from:), CreateSimulationApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1311,9 +1297,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Creates a simulation application with a specific revision id. /// - /// - Parameter CreateSimulationApplicationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSimulationApplicationVersionInput`) /// - /// - Returns: `CreateSimulationApplicationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSimulationApplicationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1351,7 +1337,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSimulationApplicationVersionOutput.httpOutput(from:), CreateSimulationApplicationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1383,9 +1368,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Creates a simulation job. After 90 days, simulation jobs expire and will be deleted. They will no longer be accessible. /// - /// - Parameter CreateSimulationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSimulationJobInput`) /// - /// - Returns: `CreateSimulationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSimulationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1426,7 +1411,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSimulationJobOutput.httpOutput(from:), CreateSimulationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1458,9 +1442,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Creates a world export job. /// - /// - Parameter CreateWorldExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorldExportJobInput`) /// - /// - Returns: `CreateWorldExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorldExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1500,7 +1484,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorldExportJobOutput.httpOutput(from:), CreateWorldExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1532,9 +1515,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Creates worlds using the specified template. /// - /// - Parameter CreateWorldGenerationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorldGenerationJobInput`) /// - /// - Returns: `CreateWorldGenerationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorldGenerationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1575,7 +1558,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorldGenerationJobOutput.httpOutput(from:), CreateWorldGenerationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1607,9 +1589,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Creates a world template. /// - /// - Parameter CreateWorldTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorldTemplateInput`) /// - /// - Returns: `CreateWorldTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorldTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1648,7 +1630,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorldTemplateOutput.httpOutput(from:), CreateWorldTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1681,9 +1662,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Deletes a fleet. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter DeleteFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFleetInput`) /// - /// - Returns: `DeleteFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1719,7 +1700,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFleetOutput.httpOutput(from:), DeleteFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1752,9 +1732,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Deletes a robot. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter DeleteRobotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRobotInput`) /// - /// - Returns: `DeleteRobotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRobotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1790,7 +1770,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRobotOutput.httpOutput(from:), DeleteRobotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1822,9 +1801,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Deletes a robot application. /// - /// - Parameter DeleteRobotApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRobotApplicationInput`) /// - /// - Returns: `DeleteRobotApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRobotApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1860,7 +1839,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRobotApplicationOutput.httpOutput(from:), DeleteRobotApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1892,9 +1870,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Deletes a simulation application. /// - /// - Parameter DeleteSimulationApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSimulationApplicationInput`) /// - /// - Returns: `DeleteSimulationApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSimulationApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1930,7 +1908,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSimulationApplicationOutput.httpOutput(from:), DeleteSimulationApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1962,9 +1939,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Deletes a world template. /// - /// - Parameter DeleteWorldTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorldTemplateInput`) /// - /// - Returns: `DeleteWorldTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorldTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2001,7 +1978,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorldTemplateOutput.httpOutput(from:), DeleteWorldTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2034,9 +2010,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Deregisters a robot. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter DeregisterRobotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterRobotInput`) /// - /// - Returns: `DeregisterRobotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterRobotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2073,7 +2049,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterRobotOutput.httpOutput(from:), DeregisterRobotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2106,9 +2081,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Describes a deployment job. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter DescribeDeploymentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeploymentJobInput`) /// - /// - Returns: `DescribeDeploymentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeploymentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2145,7 +2120,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeploymentJobOutput.httpOutput(from:), DescribeDeploymentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2178,9 +2152,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Describes a fleet. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter DescribeFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFleetInput`) /// - /// - Returns: `DescribeFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2217,7 +2191,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFleetOutput.httpOutput(from:), DescribeFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2250,9 +2223,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Describes a robot. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter DescribeRobotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRobotInput`) /// - /// - Returns: `DescribeRobotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRobotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2289,7 +2262,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRobotOutput.httpOutput(from:), DescribeRobotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2321,9 +2293,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Describes a robot application. /// - /// - Parameter DescribeRobotApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRobotApplicationInput`) /// - /// - Returns: `DescribeRobotApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRobotApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2360,7 +2332,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRobotApplicationOutput.httpOutput(from:), DescribeRobotApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2392,9 +2363,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Describes a simulation application. /// - /// - Parameter DescribeSimulationApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSimulationApplicationInput`) /// - /// - Returns: `DescribeSimulationApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSimulationApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2431,7 +2402,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSimulationApplicationOutput.httpOutput(from:), DescribeSimulationApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2463,9 +2433,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Describes a simulation job. /// - /// - Parameter DescribeSimulationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSimulationJobInput`) /// - /// - Returns: `DescribeSimulationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSimulationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2502,7 +2472,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSimulationJobOutput.httpOutput(from:), DescribeSimulationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2534,9 +2503,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Describes a simulation job batch. /// - /// - Parameter DescribeSimulationJobBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSimulationJobBatchInput`) /// - /// - Returns: `DescribeSimulationJobBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSimulationJobBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2541,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSimulationJobBatchOutput.httpOutput(from:), DescribeSimulationJobBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2604,9 +2572,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Describes a world. /// - /// - Parameter DescribeWorldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorldInput`) /// - /// - Returns: `DescribeWorldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorldOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2643,7 +2611,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorldOutput.httpOutput(from:), DescribeWorldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2675,9 +2642,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Describes a world export job. /// - /// - Parameter DescribeWorldExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorldExportJobInput`) /// - /// - Returns: `DescribeWorldExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorldExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2714,7 +2681,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorldExportJobOutput.httpOutput(from:), DescribeWorldExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2746,9 +2712,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Describes a world generation job. /// - /// - Parameter DescribeWorldGenerationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorldGenerationJobInput`) /// - /// - Returns: `DescribeWorldGenerationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorldGenerationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2785,7 +2751,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorldGenerationJobOutput.httpOutput(from:), DescribeWorldGenerationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2817,9 +2782,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Describes a world template. /// - /// - Parameter DescribeWorldTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorldTemplateInput`) /// - /// - Returns: `DescribeWorldTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorldTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2856,7 +2821,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorldTemplateOutput.httpOutput(from:), DescribeWorldTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2888,9 +2852,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Gets the world template body. /// - /// - Parameter GetWorldTemplateBodyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorldTemplateBodyInput`) /// - /// - Returns: `GetWorldTemplateBodyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWorldTemplateBodyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2927,7 +2891,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorldTemplateBodyOutput.httpOutput(from:), GetWorldTemplateBodyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2960,9 +2923,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Returns a list of deployment jobs for a fleet. You can optionally provide filters to retrieve specific deployment jobs. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter ListDeploymentJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeploymentJobsInput`) /// - /// - Returns: `ListDeploymentJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeploymentJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2999,7 +2962,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeploymentJobsOutput.httpOutput(from:), ListDeploymentJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3032,9 +2994,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Returns a list of fleets. You can optionally provide filters to retrieve specific fleets. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter ListFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFleetsInput`) /// - /// - Returns: `ListFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFleetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3071,7 +3033,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFleetsOutput.httpOutput(from:), ListFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3103,9 +3064,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Returns a list of robot application. You can optionally provide filters to retrieve specific robot applications. /// - /// - Parameter ListRobotApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRobotApplicationsInput`) /// - /// - Returns: `ListRobotApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRobotApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3141,7 +3102,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRobotApplicationsOutput.httpOutput(from:), ListRobotApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3174,9 +3134,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Returns a list of robots. You can optionally provide filters to retrieve specific robots. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter ListRobotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRobotsInput`) /// - /// - Returns: `ListRobotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRobotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3213,7 +3173,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRobotsOutput.httpOutput(from:), ListRobotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3245,9 +3204,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Returns a list of simulation applications. You can optionally provide filters to retrieve specific simulation applications. /// - /// - Parameter ListSimulationApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSimulationApplicationsInput`) /// - /// - Returns: `ListSimulationApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSimulationApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3283,7 +3242,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSimulationApplicationsOutput.httpOutput(from:), ListSimulationApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3315,9 +3273,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Returns a list simulation job batches. You can optionally provide filters to retrieve specific simulation batch jobs. /// - /// - Parameter ListSimulationJobBatchesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSimulationJobBatchesInput`) /// - /// - Returns: `ListSimulationJobBatchesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSimulationJobBatchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3352,7 +3310,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSimulationJobBatchesOutput.httpOutput(from:), ListSimulationJobBatchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3384,9 +3341,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Returns a list of simulation jobs. You can optionally provide filters to retrieve specific simulation jobs. /// - /// - Parameter ListSimulationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSimulationJobsInput`) /// - /// - Returns: `ListSimulationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSimulationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3422,7 +3379,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSimulationJobsOutput.httpOutput(from:), ListSimulationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3454,9 +3410,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Lists all tags on a AWS RoboMaker resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3490,7 +3446,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3522,9 +3477,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Lists world export jobs. /// - /// - Parameter ListWorldExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorldExportJobsInput`) /// - /// - Returns: `ListWorldExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorldExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3560,7 +3515,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorldExportJobsOutput.httpOutput(from:), ListWorldExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3592,9 +3546,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Lists world generator jobs. /// - /// - Parameter ListWorldGenerationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorldGenerationJobsInput`) /// - /// - Returns: `ListWorldGenerationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorldGenerationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3630,7 +3584,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorldGenerationJobsOutput.httpOutput(from:), ListWorldGenerationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3662,9 +3615,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Lists world templates. /// - /// - Parameter ListWorldTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorldTemplatesInput`) /// - /// - Returns: `ListWorldTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorldTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3700,7 +3653,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorldTemplatesOutput.httpOutput(from:), ListWorldTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3732,9 +3684,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Lists worlds. /// - /// - Parameter ListWorldsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorldsInput`) /// - /// - Returns: `ListWorldsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorldsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3770,7 +3722,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorldsOutput.httpOutput(from:), ListWorldsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3803,9 +3754,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Registers a robot with a fleet. This API is no longer supported and will throw an error if used. For more information, see the January 31, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-january2022) page. @available(*, deprecated, message: "AWS RoboMaker is unable to process this request as the support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter RegisterRobotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterRobotInput`) /// - /// - Returns: `RegisterRobotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterRobotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3843,7 +3794,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterRobotOutput.httpOutput(from:), RegisterRobotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3875,9 +3825,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Restarts a running simulation job. /// - /// - Parameter RestartSimulationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestartSimulationJobInput`) /// - /// - Returns: `RestartSimulationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestartSimulationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3915,7 +3865,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestartSimulationJobOutput.httpOutput(from:), RestartSimulationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3947,9 +3896,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Starts a new simulation job batch. The batch is defined using one or more SimulationJobRequest objects. /// - /// - Parameter StartSimulationJobBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSimulationJobBatchInput`) /// - /// - Returns: `StartSimulationJobBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSimulationJobBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3988,7 +3937,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSimulationJobBatchOutput.httpOutput(from:), StartSimulationJobBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4021,9 +3969,9 @@ extension RoboMakerClient { /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). This API is no longer supported. For more information, see the May 2, 2022 update in the [Support policy](https://docs.aws.amazon.com/robomaker/latest/dg/chapter-support-policy.html#software-support-policy-may2022) page. Syncrhonizes robots in a fleet to the latest deployment. This is helpful if robots were added after a deployment. @available(*, deprecated, message: "Support for the AWS RoboMaker application deployment feature has ended. For additional information, see https://docs.aws.amazon.com/robomaker/latest/dg/fleets.html.") /// - /// - Parameter SyncDeploymentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SyncDeploymentJobInput`) /// - /// - Returns: `SyncDeploymentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SyncDeploymentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4064,7 +4012,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SyncDeploymentJobOutput.httpOutput(from:), SyncDeploymentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4096,9 +4043,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Adds or edits tags for a AWS RoboMaker resource. Each tag consists of a tag key and a tag value. Tag keys and tag values are both required, but tag values can be empty strings. For information about the rules that apply to tag keys and tag values, see [User-Defined Tag Restrictions](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/allocation-tag-restrictions.html) in the AWS Billing and Cost Management User Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4135,7 +4082,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4167,9 +4113,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Removes the specified tags from the specified AWS RoboMaker resource. To remove a tag, specify the tag key. To change the tag value of an existing tag key, use [TagResource](https://docs.aws.amazon.com/robomaker/latest/dg/API_TagResource.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4204,7 +4150,6 @@ extension RoboMakerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4236,9 +4181,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Updates a robot application. /// - /// - Parameter UpdateRobotApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRobotApplicationInput`) /// - /// - Returns: `UpdateRobotApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRobotApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4276,7 +4221,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRobotApplicationOutput.httpOutput(from:), UpdateRobotApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4308,9 +4252,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Updates a simulation application. /// - /// - Parameter UpdateSimulationApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSimulationApplicationInput`) /// - /// - Returns: `UpdateSimulationApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSimulationApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4348,7 +4292,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSimulationApplicationOutput.httpOutput(from:), UpdateSimulationApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4380,9 +4323,9 @@ extension RoboMakerClient { /// /// End of support notice: On September 10, 2025, Amazon Web Services will discontinue support for Amazon Web Services RoboMaker. After September 10, 2025, you will no longer be able to access the Amazon Web Services RoboMaker console or Amazon Web Services RoboMaker resources. For more information on transitioning to Batch to help run containerized simulations, visit [https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/](https://aws.amazon.com/blogs/hpc/run-simulations-using-multiple-containers-in-a-single-aws-batch-job/). Updates a world template. /// - /// - Parameter UpdateWorldTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorldTemplateInput`) /// - /// - Returns: `UpdateWorldTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorldTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4419,7 +4362,6 @@ extension RoboMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorldTemplateOutput.httpOutput(from:), UpdateWorldTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRolesAnywhere/Sources/AWSRolesAnywhere/RolesAnywhereClient.swift b/Sources/Services/AWSRolesAnywhere/Sources/AWSRolesAnywhere/RolesAnywhereClient.swift index deda5b4d3eb..a1443b03265 100644 --- a/Sources/Services/AWSRolesAnywhere/Sources/AWSRolesAnywhere/RolesAnywhereClient.swift +++ b/Sources/Services/AWSRolesAnywhere/Sources/AWSRolesAnywhere/RolesAnywhereClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class RolesAnywhereClient: ClientRuntime.Client { public static let clientName = "RolesAnywhereClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: RolesAnywhereClient.RolesAnywhereClientConfiguration let serviceName = "RolesAnywhere" @@ -374,9 +373,9 @@ extension RolesAnywhereClient { /// /// Creates a profile, a list of the roles that Roles Anywhere service is trusted to assume. You use profiles to intersect permissions with IAM managed policies. Required permissions: rolesanywhere:CreateProfile. /// - /// - Parameter CreateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProfileInput`) /// - /// - Returns: `CreateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProfileOutput.httpOutput(from:), CreateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension RolesAnywhereClient { /// /// Creates a trust anchor to establish trust between IAM Roles Anywhere and your certificate authority (CA). You can define a trust anchor as a reference to an Private Certificate Authority (Private CA) or by uploading a CA certificate. Your Amazon Web Services workloads can authenticate with the trust anchor using certificates issued by the CA in exchange for temporary Amazon Web Services credentials. Required permissions: rolesanywhere:CreateTrustAnchor. /// - /// - Parameter CreateTrustAnchorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrustAnchorInput`) /// - /// - Returns: `CreateTrustAnchorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrustAnchorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrustAnchorOutput.httpOutput(from:), CreateTrustAnchorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension RolesAnywhereClient { /// /// Delete an entry from the attribute mapping rules enforced by a given profile. /// - /// - Parameter DeleteAttributeMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAttributeMappingInput`) /// - /// - Returns: `DeleteAttributeMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAttributeMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -548,7 +545,6 @@ extension RolesAnywhereClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAttributeMappingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAttributeMappingOutput.httpOutput(from:), DeleteAttributeMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -580,9 +576,9 @@ extension RolesAnywhereClient { /// /// Deletes a certificate revocation list (CRL). Required permissions: rolesanywhere:DeleteCrl. /// - /// - Parameter DeleteCrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCrlInput`) /// - /// - Returns: `DeleteCrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -614,7 +610,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCrlOutput.httpOutput(from:), DeleteCrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -646,9 +641,9 @@ extension RolesAnywhereClient { /// /// Deletes a profile. Required permissions: rolesanywhere:DeleteProfile. /// - /// - Parameter DeleteProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProfileInput`) /// - /// - Returns: `DeleteProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -680,7 +675,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfileOutput.httpOutput(from:), DeleteProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -712,9 +706,9 @@ extension RolesAnywhereClient { /// /// Deletes a trust anchor. Required permissions: rolesanywhere:DeleteTrustAnchor. /// - /// - Parameter DeleteTrustAnchorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrustAnchorInput`) /// - /// - Returns: `DeleteTrustAnchorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrustAnchorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -746,7 +740,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrustAnchorOutput.httpOutput(from:), DeleteTrustAnchorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -778,9 +771,9 @@ extension RolesAnywhereClient { /// /// Disables a certificate revocation list (CRL). Required permissions: rolesanywhere:DisableCrl. /// - /// - Parameter DisableCrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableCrlInput`) /// - /// - Returns: `DisableCrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableCrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -812,7 +805,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableCrlOutput.httpOutput(from:), DisableCrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -844,9 +836,9 @@ extension RolesAnywhereClient { /// /// Disables a profile. When disabled, temporary credential requests with this profile fail. Required permissions: rolesanywhere:DisableProfile. /// - /// - Parameter DisableProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableProfileInput`) /// - /// - Returns: `DisableProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -878,7 +870,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableProfileOutput.httpOutput(from:), DisableProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -910,9 +901,9 @@ extension RolesAnywhereClient { /// /// Disables a trust anchor. When disabled, temporary credential requests specifying this trust anchor are unauthorized. Required permissions: rolesanywhere:DisableTrustAnchor. /// - /// - Parameter DisableTrustAnchorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableTrustAnchorInput`) /// - /// - Returns: `DisableTrustAnchorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableTrustAnchorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -944,7 +935,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableTrustAnchorOutput.httpOutput(from:), DisableTrustAnchorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -976,9 +966,9 @@ extension RolesAnywhereClient { /// /// Enables a certificate revocation list (CRL). When enabled, certificates stored in the CRL are unauthorized to receive session credentials. Required permissions: rolesanywhere:EnableCrl. /// - /// - Parameter EnableCrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableCrlInput`) /// - /// - Returns: `EnableCrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableCrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1010,7 +1000,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableCrlOutput.httpOutput(from:), EnableCrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1042,9 +1031,9 @@ extension RolesAnywhereClient { /// /// Enables temporary credential requests for a profile. Required permissions: rolesanywhere:EnableProfile. /// - /// - Parameter EnableProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableProfileInput`) /// - /// - Returns: `EnableProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1076,7 +1065,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableProfileOutput.httpOutput(from:), EnableProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1108,9 +1096,9 @@ extension RolesAnywhereClient { /// /// Enables a trust anchor. When enabled, certificates in the trust anchor chain are authorized for trust validation. Required permissions: rolesanywhere:EnableTrustAnchor. /// - /// - Parameter EnableTrustAnchorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableTrustAnchorInput`) /// - /// - Returns: `EnableTrustAnchorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableTrustAnchorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1142,7 +1130,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableTrustAnchorOutput.httpOutput(from:), EnableTrustAnchorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1174,9 +1161,9 @@ extension RolesAnywhereClient { /// /// Gets a certificate revocation list (CRL). Required permissions: rolesanywhere:GetCrl. /// - /// - Parameter GetCrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCrlInput`) /// - /// - Returns: `GetCrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1207,7 +1194,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCrlOutput.httpOutput(from:), GetCrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1239,9 +1225,9 @@ extension RolesAnywhereClient { /// /// Gets a profile. Required permissions: rolesanywhere:GetProfile. /// - /// - Parameter GetProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProfileInput`) /// - /// - Returns: `GetProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1273,7 +1259,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileOutput.httpOutput(from:), GetProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1305,9 +1290,9 @@ extension RolesAnywhereClient { /// /// Gets a subject, which associates a certificate identity with authentication attempts. The subject stores auditing information such as the status of the last authentication attempt, the certificate data used in the attempt, and the last time the associated identity attempted authentication. Required permissions: rolesanywhere:GetSubject. /// - /// - Parameter GetSubjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubjectInput`) /// - /// - Returns: `GetSubjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1339,7 +1324,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubjectOutput.httpOutput(from:), GetSubjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1371,9 +1355,9 @@ extension RolesAnywhereClient { /// /// Gets a trust anchor. Required permissions: rolesanywhere:GetTrustAnchor. /// - /// - Parameter GetTrustAnchorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrustAnchorInput`) /// - /// - Returns: `GetTrustAnchorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrustAnchorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1406,7 +1390,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrustAnchorOutput.httpOutput(from:), GetTrustAnchorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1438,9 +1421,9 @@ extension RolesAnywhereClient { /// /// Imports the certificate revocation list (CRL). A CRL is a list of certificates that have been revoked by the issuing certificate Authority (CA).In order to be properly imported, a CRL must be in PEM format. IAM Roles Anywhere validates against the CRL before issuing credentials. Required permissions: rolesanywhere:ImportCrl. /// - /// - Parameter ImportCrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportCrlInput`) /// - /// - Returns: `ImportCrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportCrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1475,7 +1458,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportCrlOutput.httpOutput(from:), ImportCrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1507,9 +1489,9 @@ extension RolesAnywhereClient { /// /// Lists all certificate revocation lists (CRL) in the authenticated account and Amazon Web Services Region. Required permissions: rolesanywhere:ListCrls. /// - /// - Parameter ListCrlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCrlsInput`) /// - /// - Returns: `ListCrlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCrlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1542,7 +1524,6 @@ extension RolesAnywhereClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCrlsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCrlsOutput.httpOutput(from:), ListCrlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1574,9 +1555,9 @@ extension RolesAnywhereClient { /// /// Lists all profiles in the authenticated account and Amazon Web Services Region. Required permissions: rolesanywhere:ListProfiles. /// - /// - Parameter ListProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfilesInput`) /// - /// - Returns: `ListProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1609,7 +1590,6 @@ extension RolesAnywhereClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfilesOutput.httpOutput(from:), ListProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1641,9 +1621,9 @@ extension RolesAnywhereClient { /// /// Lists the subjects in the authenticated account and Amazon Web Services Region. Required permissions: rolesanywhere:ListSubjects. /// - /// - Parameter ListSubjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubjectsInput`) /// - /// - Returns: `ListSubjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1676,7 +1656,6 @@ extension RolesAnywhereClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubjectsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubjectsOutput.httpOutput(from:), ListSubjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1708,9 +1687,9 @@ extension RolesAnywhereClient { /// /// Lists the tags attached to the resource. Required permissions: rolesanywhere:ListTagsForResource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1744,7 +1723,6 @@ extension RolesAnywhereClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1776,9 +1754,9 @@ extension RolesAnywhereClient { /// /// Lists the trust anchors in the authenticated account and Amazon Web Services Region. Required permissions: rolesanywhere:ListTrustAnchors. /// - /// - Parameter ListTrustAnchorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrustAnchorsInput`) /// - /// - Returns: `ListTrustAnchorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrustAnchorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1811,7 +1789,6 @@ extension RolesAnywhereClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrustAnchorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrustAnchorsOutput.httpOutput(from:), ListTrustAnchorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1843,9 +1820,9 @@ extension RolesAnywhereClient { /// /// Put an entry in the attribute mapping rules that will be enforced by a given profile. A mapping specifies a certificate field and one or more specifiers that have contextual meanings. /// - /// - Parameter PutAttributeMappingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAttributeMappingInput`) /// - /// - Returns: `PutAttributeMappingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAttributeMappingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1881,7 +1858,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAttributeMappingOutput.httpOutput(from:), PutAttributeMappingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1913,9 +1889,9 @@ extension RolesAnywhereClient { /// /// Attaches a list of notification settings to a trust anchor. A notification setting includes information such as event name, threshold, status of the notification setting, and the channel to notify. Required permissions: rolesanywhere:PutNotificationSettings. /// - /// - Parameter PutNotificationSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutNotificationSettingsInput`) /// - /// - Returns: `PutNotificationSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutNotificationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1951,7 +1927,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutNotificationSettingsOutput.httpOutput(from:), PutNotificationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1983,9 +1958,9 @@ extension RolesAnywhereClient { /// /// Resets the custom notification setting to IAM Roles Anywhere default setting. Required permissions: rolesanywhere:ResetNotificationSettings. /// - /// - Parameter ResetNotificationSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetNotificationSettingsInput`) /// - /// - Returns: `ResetNotificationSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetNotificationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2021,7 +1996,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetNotificationSettingsOutput.httpOutput(from:), ResetNotificationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2053,9 +2027,9 @@ extension RolesAnywhereClient { /// /// Attaches tags to a resource. Required permissions: rolesanywhere:TagResource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2092,7 +2066,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2124,9 +2097,9 @@ extension RolesAnywhereClient { /// /// Removes tags from the resource. Required permissions: rolesanywhere:UntagResource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2162,7 +2135,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2194,9 +2166,9 @@ extension RolesAnywhereClient { /// /// Updates the certificate revocation list (CRL). A CRL is a list of certificates that have been revoked by the issuing certificate authority (CA). IAM Roles Anywhere validates against the CRL before issuing credentials. Required permissions: rolesanywhere:UpdateCrl. /// - /// - Parameter UpdateCrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCrlInput`) /// - /// - Returns: `UpdateCrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2232,7 +2204,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCrlOutput.httpOutput(from:), UpdateCrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2264,9 +2235,9 @@ extension RolesAnywhereClient { /// /// Updates a profile, a list of the roles that IAM Roles Anywhere service is trusted to assume. You use profiles to intersect permissions with IAM managed policies. Required permissions: rolesanywhere:UpdateProfile. /// - /// - Parameter UpdateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProfileInput`) /// - /// - Returns: `UpdateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2302,7 +2273,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProfileOutput.httpOutput(from:), UpdateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2334,9 +2304,9 @@ extension RolesAnywhereClient { /// /// Updates a trust anchor. You establish trust between IAM Roles Anywhere and your certificate authority (CA) by configuring a trust anchor. You can define a trust anchor as a reference to an Private Certificate Authority (Private CA) or by uploading a CA certificate. Your Amazon Web Services workloads can authenticate with the trust anchor using certificates issued by the CA in exchange for temporary Amazon Web Services credentials. Required permissions: rolesanywhere:UpdateTrustAnchor. /// - /// - Parameter UpdateTrustAnchorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrustAnchorInput`) /// - /// - Returns: `UpdateTrustAnchorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrustAnchorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2372,7 +2342,6 @@ extension RolesAnywhereClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrustAnchorOutput.httpOutput(from:), UpdateTrustAnchorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRoute53/Sources/AWSRoute53/Route53Client.swift b/Sources/Services/AWSRoute53/Sources/AWSRoute53/Route53Client.swift index fc68ffe2123..e553e2992f2 100644 --- a/Sources/Services/AWSRoute53/Sources/AWSRoute53/Route53Client.swift +++ b/Sources/Services/AWSRoute53/Sources/AWSRoute53/Route53Client.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyXML.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class Route53Client: ClientRuntime.Client { public static let clientName = "Route53Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: Route53Client.Route53ClientConfiguration let serviceName = "Route 53" @@ -374,9 +373,9 @@ extension Route53Client { /// /// Activates a key-signing key (KSK) so that it can be used for signing by DNSSEC. This operation changes the KSK status to ACTIVE. /// - /// - Parameter ActivateKeySigningKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateKeySigningKeyInput`) /// - /// - Returns: `ActivateKeySigningKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateKeySigningKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateKeySigningKeyOutput.httpOutput(from:), ActivateKeySigningKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -454,9 +452,9 @@ extension Route53Client { /// /// For more information, see [Access Management](https://docs.aws.amazon.com/general/latest/gr/aws-arns-and-namespaces.html) in the Amazon Web Services General Reference. /// - /// - Parameter AssociateVPCWithHostedZoneInput : A complex type that contains information about the request to associate a VPC with a private hosted zone. + /// - Parameter input: A complex type that contains information about the request to associate a VPC with a private hosted zone. (Type: `AssociateVPCWithHostedZoneInput`) /// - /// - Returns: `AssociateVPCWithHostedZoneOutput` : A complex type that contains the response information for the AssociateVPCWithHostedZone request. + /// - Returns: A complex type that contains the response information for the AssociateVPCWithHostedZone request. (Type: `AssociateVPCWithHostedZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -504,7 +502,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateVPCWithHostedZoneOutput.httpOutput(from:), AssociateVPCWithHostedZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -540,9 +537,9 @@ extension Route53Client { /// /// * DELETE_IF_EXISTS: Delete an existing CIDR block from the collection. /// - /// - Parameter ChangeCidrCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ChangeCidrCollectionInput`) /// - /// - Returns: `ChangeCidrCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ChangeCidrCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -581,7 +578,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChangeCidrCollectionOutput.httpOutput(from:), ChangeCidrCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -622,9 +618,9 @@ extension Route53Client { /// /// Syntaxes for Creating, Updating, and Deleting Resource Record Sets The syntax for a request depends on the type of resource record set that you want to create, delete, or update, such as weighted, alias, or failover. The XML elements in your request must appear in the order listed in the syntax. For an example for each type of resource record set, see "Examples." Don't refer to the syntax in the "Parameter Syntax" section, which includes all of the elements for every kind of resource record set that you can create, delete, or update by using ChangeResourceRecordSets. Change Propagation to Route 53 DNS Servers When you submit a ChangeResourceRecordSets request, Route 53 propagates your changes to all of the Route 53 authoritative DNS servers managing the hosted zone. While your changes are propagating, GetChange returns a status of PENDING. When propagation is complete, GetChange returns a status of INSYNC. Changes generally propagate to all Route 53 name servers managing the hosted zone within 60 seconds. For more information, see [GetChange](https://docs.aws.amazon.com/Route53/latest/APIReference/API_GetChange.html). Limits on ChangeResourceRecordSets Requests For information about the limits on a ChangeResourceRecordSets request, see [Limits](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/DNSLimitations.html) in the Amazon Route 53 Developer Guide. /// - /// - Parameter ChangeResourceRecordSetsInput : A complex type that contains change information for the resource record set. + /// - Parameter input: A complex type that contains change information for the resource record set. (Type: `ChangeResourceRecordSetsInput`) /// - /// - Returns: `ChangeResourceRecordSetsOutput` : A complex type containing the response for the request. + /// - Returns: A complex type containing the response for the request. (Type: `ChangeResourceRecordSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -663,7 +659,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChangeResourceRecordSetsOutput.httpOutput(from:), ChangeResourceRecordSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -695,9 +690,9 @@ extension Route53Client { /// /// Adds, edits, or deletes tags for a health check or a hosted zone. For information about using tags for cost allocation, see [Using Cost Allocation Tags](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/cost-alloc-tags.html) in the Billing and Cost Management User Guide. /// - /// - Parameter ChangeTagsForResourceInput : A complex type that contains information about the tags that you want to add, edit, or delete. + /// - Parameter input: A complex type that contains information about the tags that you want to add, edit, or delete. (Type: `ChangeTagsForResourceInput`) /// - /// - Returns: `ChangeTagsForResourceOutput` : Empty response for the request. + /// - Returns: Empty response for the request. (Type: `ChangeTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -735,7 +730,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChangeTagsForResourceOutput.httpOutput(from:), ChangeTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -767,9 +761,9 @@ extension Route53Client { /// /// Creates a CIDR collection in the current Amazon Web Services account. /// - /// - Parameter CreateCidrCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCidrCollectionInput`) /// - /// - Returns: `CreateCidrCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCidrCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -806,7 +800,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCidrCollectionOutput.httpOutput(from:), CreateCidrCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -844,9 +837,9 @@ extension Route53Client { /// /// * You can create a CloudWatch metric, associate an alarm with the metric, and then create a health check that is based on the state of the alarm. For example, you might create a CloudWatch metric that checks the status of the Amazon EC2 StatusCheckFailed metric, add an alarm to the metric, and then create a health check that is based on the state of the alarm. For information about creating CloudWatch metrics and alarms by using the CloudWatch console, see the [Amazon CloudWatch User Guide](https://docs.aws.amazon.com/AmazonCloudWatch/latest/DeveloperGuide/WhatIsCloudWatch.html). /// - /// - Parameter CreateHealthCheckInput : A complex type that contains the health check request information. + /// - Parameter input: A complex type that contains the health check request information. (Type: `CreateHealthCheckInput`) /// - /// - Returns: `CreateHealthCheckOutput` : A complex type containing the response information for the new health check. + /// - Returns: A complex type containing the response information for the new health check. (Type: `CreateHealthCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -886,7 +879,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHealthCheckOutput.httpOutput(from:), CreateHealthCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -936,9 +928,9 @@ extension Route53Client { /// /// For more information, see [Access Management](https://docs.aws.amazon.com/general/latest/gr/aws-arns-and-namespaces.html) in the Amazon Web Services General Reference. /// - /// - Parameter CreateHostedZoneInput : A complex type that contains information about the request to create a public or private hosted zone. + /// - Parameter input: A complex type that contains information about the request to create a public or private hosted zone. (Type: `CreateHostedZoneInput`) /// - /// - Returns: `CreateHostedZoneOutput` : A complex type containing the response information for the hosted zone. + /// - Returns: A complex type containing the response information for the hosted zone. (Type: `CreateHostedZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -986,7 +978,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHostedZoneOutput.httpOutput(from:), CreateHostedZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1018,9 +1009,9 @@ extension Route53Client { /// /// Creates a new key-signing key (KSK) associated with a hosted zone. You can only have two KSKs per hosted zone. /// - /// - Parameter CreateKeySigningKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKeySigningKeyInput`) /// - /// - Returns: `CreateKeySigningKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKeySigningKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1063,7 +1054,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKeySigningKeyOutput.httpOutput(from:), CreateKeySigningKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1136,9 +1126,9 @@ extension Route53Client { /// /// The name of each log stream is in the following format: hosted zone ID/edge location code The edge location code is a three-letter code and an arbitrarily assigned number, for example, DFW3. The three-letter code typically corresponds with the International Air Transport Association airport code for an airport near the edge location. (These abbreviations might change in the future.) For a list of edge locations, see "The Route 53 Global Network" on the [Route 53 Product Details](http://aws.amazon.com/route53/details/) page. Queries That Are Logged Query logs contain only the queries that DNS resolvers forward to Route 53. If a DNS resolver has already cached the response to a query (such as the IP address for a load balancer for example.com), the resolver will continue to return the cached response. It doesn't forward another query to Route 53 until the TTL for the corresponding resource record set expires. Depending on how many DNS queries are submitted for a resource record set, and depending on the TTL for that resource record set, query logs might contain information about only one query out of every several thousand queries that are submitted to DNS. For more information about how DNS works, see [Routing Internet Traffic to Your Website or Web Application](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/welcome-dns-service.html) in the Amazon Route 53 Developer Guide. Log File Format For a list of the values in each query log and the format of each value, see [Logging DNS Queries](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/query-logs.html) in the Amazon Route 53 Developer Guide. Pricing For information about charges for query logs, see [Amazon CloudWatch Pricing](http://aws.amazon.com/cloudwatch/pricing/). How to Stop Logging If you want Route 53 to stop sending query logs to CloudWatch Logs, delete the query logging configuration. For more information, see [DeleteQueryLoggingConfig](https://docs.aws.amazon.com/Route53/latest/APIReference/API_DeleteQueryLoggingConfig.html). /// - /// - Parameter CreateQueryLoggingConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQueryLoggingConfigInput`) /// - /// - Returns: `CreateQueryLoggingConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQueryLoggingConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1187,7 +1177,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQueryLoggingConfigOutput.httpOutput(from:), CreateQueryLoggingConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1240,9 +1229,9 @@ extension Route53Client { /// /// * For larger numbers of hosted zones, you can also migrate hosted zones that have overlapping name servers to hosted zones that don't have overlapping name servers, then migrate the hosted zones again to use the reusable delegation set. /// - /// - Parameter CreateReusableDelegationSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReusableDelegationSetInput`) /// - /// - Returns: `CreateReusableDelegationSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReusableDelegationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1282,7 +1271,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReusableDelegationSetOutput.httpOutput(from:), CreateReusableDelegationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1314,9 +1302,9 @@ extension Route53Client { /// /// Creates a traffic policy, which you use to create multiple DNS resource record sets for one domain name (such as example.com) or one subdomain name (such as www.example.com). /// - /// - Parameter CreateTrafficPolicyInput : A complex type that contains information about the traffic policy that you want to create. + /// - Parameter input: A complex type that contains information about the traffic policy that you want to create. (Type: `CreateTrafficPolicyInput`) /// - /// - Returns: `CreateTrafficPolicyOutput` : A complex type that contains the response information for the CreateTrafficPolicy request. + /// - Returns: A complex type that contains the response information for the CreateTrafficPolicy request. (Type: `CreateTrafficPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1353,7 +1341,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrafficPolicyOutput.httpOutput(from:), CreateTrafficPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1385,9 +1372,9 @@ extension Route53Client { /// /// Creates resource record sets in a specified hosted zone based on the settings in a specified traffic policy version. In addition, CreateTrafficPolicyInstance associates the resource record sets with a specified domain name (such as example.com) or subdomain name (such as www.example.com). Amazon Route 53 responds to DNS queries for the domain or subdomain name by using the resource record sets that CreateTrafficPolicyInstance created. After you submit an CreateTrafficPolicyInstance request, there's a brief delay while Amazon Route 53 creates the resource record sets that are specified in the traffic policy definition. Use GetTrafficPolicyInstance with the id of new traffic policy instance to confirm that the CreateTrafficPolicyInstance request completed successfully. For more information, see the State response element. /// - /// - Parameter CreateTrafficPolicyInstanceInput : A complex type that contains information about the resource record sets that you want to create based on a specified traffic policy. + /// - Parameter input: A complex type that contains information about the resource record sets that you want to create based on a specified traffic policy. (Type: `CreateTrafficPolicyInstanceInput`) /// - /// - Returns: `CreateTrafficPolicyInstanceOutput` : A complex type that contains the response information for the CreateTrafficPolicyInstance request. + /// - Returns: A complex type that contains the response information for the CreateTrafficPolicyInstance request. (Type: `CreateTrafficPolicyInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1425,7 +1412,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrafficPolicyInstanceOutput.httpOutput(from:), CreateTrafficPolicyInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1457,9 +1443,9 @@ extension Route53Client { /// /// Creates a new version of an existing traffic policy. When you create a new version of a traffic policy, you specify the ID of the traffic policy that you want to update and a JSON-formatted document that describes the new version. You use traffic policies to create multiple DNS resource record sets for one domain name (such as example.com) or one subdomain name (such as www.example.com). You can create a maximum of 1000 versions of a traffic policy. If you reach the limit and need to create another version, you'll need to start a new traffic policy. /// - /// - Parameter CreateTrafficPolicyVersionInput : A complex type that contains information about the traffic policy that you want to create a new version for. + /// - Parameter input: A complex type that contains information about the traffic policy that you want to create a new version for. (Type: `CreateTrafficPolicyVersionInput`) /// - /// - Returns: `CreateTrafficPolicyVersionOutput` : A complex type that contains the response information for the CreateTrafficPolicyVersion request. + /// - Returns: A complex type that contains the response information for the CreateTrafficPolicyVersion request. (Type: `CreateTrafficPolicyVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1497,7 +1483,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrafficPolicyVersionOutput.httpOutput(from:), CreateTrafficPolicyVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1529,9 +1514,9 @@ extension Route53Client { /// /// Authorizes the Amazon Web Services account that created a specified VPC to submit an AssociateVPCWithHostedZone request to associate the VPC with a specified hosted zone that was created by a different account. To submit a CreateVPCAssociationAuthorization request, you must use the account that created the hosted zone. After you authorize the association, use the account that created the VPC to submit an AssociateVPCWithHostedZone request. If you want to associate multiple VPCs that you created by using one account with a hosted zone that you created by using a different account, you must submit one authorization request for each VPC. /// - /// - Parameter CreateVPCAssociationAuthorizationInput : A complex type that contains information about the request to authorize associating a VPC with your private hosted zone. Authorization is only required when a private hosted zone and a VPC were created by using different accounts. + /// - Parameter input: A complex type that contains information about the request to authorize associating a VPC with your private hosted zone. Authorization is only required when a private hosted zone and a VPC were created by using different accounts. (Type: `CreateVPCAssociationAuthorizationInput`) /// - /// - Returns: `CreateVPCAssociationAuthorizationOutput` : A complex type that contains the response information from a CreateVPCAssociationAuthorization request. + /// - Returns: A complex type that contains the response information from a CreateVPCAssociationAuthorization request. (Type: `CreateVPCAssociationAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1570,7 +1555,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVPCAssociationAuthorizationOutput.httpOutput(from:), CreateVPCAssociationAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1602,9 +1586,9 @@ extension Route53Client { /// /// Deactivates a key-signing key (KSK) so that it will not be used for signing by DNSSEC. This operation changes the KSK status to INACTIVE. /// - /// - Parameter DeactivateKeySigningKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateKeySigningKeyInput`) /// - /// - Returns: `DeactivateKeySigningKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateKeySigningKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1642,7 +1626,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateKeySigningKeyOutput.httpOutput(from:), DeactivateKeySigningKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1674,9 +1657,9 @@ extension Route53Client { /// /// Deletes a CIDR collection in the current Amazon Web Services account. The collection must be empty before it can be deleted. /// - /// - Parameter DeleteCidrCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCidrCollectionInput`) /// - /// - Returns: `DeleteCidrCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCidrCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1710,7 +1693,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCidrCollectionOutput.httpOutput(from:), DeleteCidrCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1742,9 +1724,9 @@ extension Route53Client { /// /// Deletes a health check. Amazon Route 53 does not prevent you from deleting a health check even if the health check is associated with one or more resource record sets. If you delete a health check and you don't update the associated resource record sets, the future status of the health check can't be predicted and may change. This will affect the routing of DNS queries for your DNS failover configuration. For more information, see [Replacing and Deleting Health Checks](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/health-checks-creating-deleting.html#health-checks-deleting.html) in the Amazon Route 53 Developer Guide. If you're using Cloud Map and you configured Cloud Map to create a Route 53 health check when you register an instance, you can't use the Route 53 DeleteHealthCheck command to delete the health check. The health check is deleted automatically when you deregister the instance; there can be a delay of several hours before the health check is deleted from Route 53. /// - /// - Parameter DeleteHealthCheckInput : This action deletes a health check. + /// - Parameter input: This action deletes a health check. (Type: `DeleteHealthCheckInput`) /// - /// - Returns: `DeleteHealthCheckOutput` : An empty element. + /// - Returns: An empty element. (Type: `DeleteHealthCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1777,7 +1759,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHealthCheckOutput.httpOutput(from:), DeleteHealthCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1813,9 +1794,9 @@ extension Route53Client { /// /// * Use the ListHostedZones action to get a list of the hosted zones associated with the current Amazon Web Services account. /// - /// - Parameter DeleteHostedZoneInput : A request to delete a hosted zone. + /// - Parameter input: A request to delete a hosted zone. (Type: `DeleteHostedZoneInput`) /// - /// - Returns: `DeleteHostedZoneOutput` : A complex type that contains the response to a DeleteHostedZone request. + /// - Returns: A complex type that contains the response to a DeleteHostedZone request. (Type: `DeleteHostedZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1851,7 +1832,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHostedZoneOutput.httpOutput(from:), DeleteHostedZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1883,9 +1863,9 @@ extension Route53Client { /// /// Deletes a key-signing key (KSK). Before you can delete a KSK, you must deactivate it. The KSK must be deactivated before you can delete it regardless of whether the hosted zone is enabled for DNSSEC signing. You can use [DeactivateKeySigningKey](https://docs.aws.amazon.com/Route53/latest/APIReference/API_DeactivateKeySigningKey.html) to deactivate the key before you delete it. Use [GetDNSSEC](https://docs.aws.amazon.com/Route53/latest/APIReference/API_GetDNSSEC.html) to verify that the KSK is in an INACTIVE status. /// - /// - Parameter DeleteKeySigningKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKeySigningKeyInput`) /// - /// - Returns: `DeleteKeySigningKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKeySigningKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1922,7 +1902,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKeySigningKeyOutput.httpOutput(from:), DeleteKeySigningKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1954,9 +1933,9 @@ extension Route53Client { /// /// Deletes a configuration for DNS query logging. If you delete a configuration, Amazon Route 53 stops sending query logs to CloudWatch Logs. Route 53 doesn't delete any logs that are already in CloudWatch Logs. For more information about DNS query logs, see [CreateQueryLoggingConfig](https://docs.aws.amazon.com/Route53/latest/APIReference/API_CreateQueryLoggingConfig.html). /// - /// - Parameter DeleteQueryLoggingConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueryLoggingConfigInput`) /// - /// - Returns: `DeleteQueryLoggingConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueryLoggingConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1989,7 +1968,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueryLoggingConfigOutput.httpOutput(from:), DeleteQueryLoggingConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2021,9 +1999,9 @@ extension Route53Client { /// /// Deletes a reusable delegation set. You can delete a reusable delegation set only if it isn't associated with any hosted zones. To verify that the reusable delegation set is not associated with any hosted zones, submit a [GetReusableDelegationSet](https://docs.aws.amazon.com/Route53/latest/APIReference/API_GetReusableDelegationSet.html) request and specify the ID of the reusable delegation set that you want to delete. /// - /// - Parameter DeleteReusableDelegationSetInput : A request to delete a reusable delegation set. + /// - Parameter input: A request to delete a reusable delegation set. (Type: `DeleteReusableDelegationSetInput`) /// - /// - Returns: `DeleteReusableDelegationSetOutput` : An empty element. + /// - Returns: An empty element. (Type: `DeleteReusableDelegationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2058,7 +2036,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReusableDelegationSetOutput.httpOutput(from:), DeleteReusableDelegationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2096,9 +2073,9 @@ extension Route53Client { /// /// * If you retain the ID of the policy, you can get information about the policy, including the traffic policy document, by running [GetTrafficPolicy](https://docs.aws.amazon.com/Route53/latest/APIReference/API_GetTrafficPolicy.html). /// - /// - Parameter DeleteTrafficPolicyInput : A request to delete a specified traffic policy version. + /// - Parameter input: A request to delete a specified traffic policy version. (Type: `DeleteTrafficPolicyInput`) /// - /// - Returns: `DeleteTrafficPolicyOutput` : An empty element. + /// - Returns: An empty element. (Type: `DeleteTrafficPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2132,7 +2109,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrafficPolicyOutput.httpOutput(from:), DeleteTrafficPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2164,9 +2140,9 @@ extension Route53Client { /// /// Deletes a traffic policy instance and all of the resource record sets that Amazon Route 53 created when you created the instance. In the Route 53 console, traffic policy instances are known as policy records. /// - /// - Parameter DeleteTrafficPolicyInstanceInput : A request to delete a specified traffic policy instance. + /// - Parameter input: A request to delete a specified traffic policy instance. (Type: `DeleteTrafficPolicyInstanceInput`) /// - /// - Returns: `DeleteTrafficPolicyInstanceOutput` : An empty element. + /// - Returns: An empty element. (Type: `DeleteTrafficPolicyInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2199,7 +2175,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrafficPolicyInstanceOutput.httpOutput(from:), DeleteTrafficPolicyInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2231,9 +2206,9 @@ extension Route53Client { /// /// Removes authorization to submit an AssociateVPCWithHostedZone request to associate a specified VPC with a hosted zone that was created by a different account. You must use the account that created the hosted zone to submit a DeleteVPCAssociationAuthorization request. Sending this request only prevents the Amazon Web Services account that created the VPC from associating the VPC with the Amazon Route 53 hosted zone in the future. If the VPC is already associated with the hosted zone, DeleteVPCAssociationAuthorization won't disassociate the VPC from the hosted zone. If you want to delete an existing association, use DisassociateVPCFromHostedZone. /// - /// - Parameter DeleteVPCAssociationAuthorizationInput : A complex type that contains information about the request to remove authorization to associate a VPC that was created by one Amazon Web Services account with a hosted zone that was created with a different Amazon Web Services account. + /// - Parameter input: A complex type that contains information about the request to remove authorization to associate a VPC that was created by one Amazon Web Services account with a hosted zone that was created with a different Amazon Web Services account. (Type: `DeleteVPCAssociationAuthorizationInput`) /// - /// - Returns: `DeleteVPCAssociationAuthorizationOutput` : Empty response for the request. + /// - Returns: Empty response for the request. (Type: `DeleteVPCAssociationAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2272,7 +2247,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVPCAssociationAuthorizationOutput.httpOutput(from:), DeleteVPCAssociationAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2304,9 +2278,9 @@ extension Route53Client { /// /// Disables DNSSEC signing in a specific hosted zone. This action does not deactivate any key-signing keys (KSKs) that are active in the hosted zone. /// - /// - Parameter DisableHostedZoneDNSSECInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableHostedZoneDNSSECInput`) /// - /// - Returns: `DisableHostedZoneDNSSECOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableHostedZoneDNSSECOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2345,7 +2319,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableHostedZoneDNSSECOutput.httpOutput(from:), DisableHostedZoneDNSSECOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2397,9 +2370,9 @@ extension Route53Client { /// /// For more information, see [Access Management](https://docs.aws.amazon.com/general/latest/gr/aws-arns-and-namespaces.html) in the Amazon Web Services General Reference. /// - /// - Parameter DisassociateVPCFromHostedZoneInput : A complex type that contains information about the VPC that you want to disassociate from a specified private hosted zone. + /// - Parameter input: A complex type that contains information about the VPC that you want to disassociate from a specified private hosted zone. (Type: `DisassociateVPCFromHostedZoneInput`) /// - /// - Returns: `DisassociateVPCFromHostedZoneOutput` : A complex type that contains the response information for the disassociate request. + /// - Returns: A complex type that contains the response information for the disassociate request. (Type: `DisassociateVPCFromHostedZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2438,7 +2411,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateVPCFromHostedZoneOutput.httpOutput(from:), DisassociateVPCFromHostedZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2470,9 +2442,9 @@ extension Route53Client { /// /// Enables DNSSEC signing in a specific hosted zone. /// - /// - Parameter EnableHostedZoneDNSSECInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableHostedZoneDNSSECInput`) /// - /// - Returns: `EnableHostedZoneDNSSECOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableHostedZoneDNSSECOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2512,7 +2484,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableHostedZoneDNSSECOutput.httpOutput(from:), EnableHostedZoneDNSSECOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2544,9 +2515,9 @@ extension Route53Client { /// /// Gets the specified limit for the current account, for example, the maximum number of health checks that you can create using the account. For the default limit, see [Limits](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/DNSLimitations.html) in the Amazon Route 53 Developer Guide. To request a higher limit, [open a case](https://console.aws.amazon.com/support/home#/case/create?issueType=service-limit-increase&limitType=service-code-route53). You can also view account limits in Amazon Web Services Trusted Advisor. Sign in to the Amazon Web Services Management Console and open the Trusted Advisor console at [https://console.aws.amazon.com/trustedadvisor/](https://console.aws.amazon.com/trustedadvisor). Then choose Service limits in the navigation pane. /// - /// - Parameter GetAccountLimitInput : A complex type that contains information about the request to create a hosted zone. + /// - Parameter input: A complex type that contains information about the request to create a hosted zone. (Type: `GetAccountLimitInput`) /// - /// - Returns: `GetAccountLimitOutput` : A complex type that contains the requested limit. + /// - Returns: A complex type that contains the requested limit. (Type: `GetAccountLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2577,7 +2548,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountLimitOutput.httpOutput(from:), GetAccountLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2613,9 +2583,9 @@ extension Route53Client { /// /// * INSYNC indicates that the changes have propagated to all Route 53 DNS servers managing the hosted zone. /// - /// - Parameter GetChangeInput : The input for a GetChange request. + /// - Parameter input: The input for a GetChange request. (Type: `GetChangeInput`) /// - /// - Returns: `GetChangeOutput` : A complex type that contains the ChangeInfo element. + /// - Returns: A complex type that contains the ChangeInfo element. (Type: `GetChangeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2647,7 +2617,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChangeOutput.httpOutput(from:), GetChangeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2679,9 +2648,9 @@ extension Route53Client { /// /// Route 53 does not perform authorization for this API because it retrieves information that is already available to the public. GetCheckerIpRanges still works, but we recommend that you download ip-ranges.json, which includes IP address ranges for all Amazon Web Services services. For more information, see [IP Address Ranges of Amazon Route 53 Servers](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/route-53-ip-addresses.html) in the Amazon Route 53 Developer Guide. /// - /// - Parameter GetCheckerIpRangesInput : Empty request. + /// - Parameter input: Empty request. (Type: `GetCheckerIpRangesInput`) /// - /// - Returns: `GetCheckerIpRangesOutput` : A complex type that contains the CheckerIpRanges element. + /// - Returns: A complex type that contains the CheckerIpRanges element. (Type: `GetCheckerIpRangesOutput`) public func getCheckerIpRanges(input: GetCheckerIpRangesInput) async throws -> GetCheckerIpRangesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2707,7 +2676,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCheckerIpRangesOutput.httpOutput(from:), GetCheckerIpRangesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2739,9 +2707,9 @@ extension Route53Client { /// /// Returns information about DNSSEC for a specific hosted zone, including the key-signing keys (KSKs) in the hosted zone. /// - /// - Parameter GetDNSSECInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDNSSECInput`) /// - /// - Returns: `GetDNSSECOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDNSSECOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2775,7 +2743,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDNSSECOutput.httpOutput(from:), GetDNSSECOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2807,9 +2774,9 @@ extension Route53Client { /// /// Gets information about whether a specified geographic location is supported for Amazon Route 53 geolocation resource record sets. Route 53 does not perform authorization for this API because it retrieves information that is already available to the public. Use the following syntax to determine whether a continent is supported for geolocation: GET /2013-04-01/geolocation?continentcode=two-letter abbreviation for a continent Use the following syntax to determine whether a country is supported for geolocation: GET /2013-04-01/geolocation?countrycode=two-character country code Use the following syntax to determine whether a subdivision of a country is supported for geolocation: GET /2013-04-01/geolocation?countrycode=two-character country code&subdivisioncode=subdivision code /// - /// - Parameter GetGeoLocationInput : A request for information about whether a specified geographic location is supported for Amazon Route 53 geolocation resource record sets. + /// - Parameter input: A request for information about whether a specified geographic location is supported for Amazon Route 53 geolocation resource record sets. (Type: `GetGeoLocationInput`) /// - /// - Returns: `GetGeoLocationOutput` : A complex type that contains the response information for the specified geolocation code. + /// - Returns: A complex type that contains the response information for the specified geolocation code. (Type: `GetGeoLocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2842,7 +2809,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetGeoLocationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGeoLocationOutput.httpOutput(from:), GetGeoLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2874,9 +2840,9 @@ extension Route53Client { /// /// Gets information about a specified health check. /// - /// - Parameter GetHealthCheckInput : A request to get information about a specified health check. + /// - Parameter input: A request to get information about a specified health check. (Type: `GetHealthCheckInput`) /// - /// - Returns: `GetHealthCheckOutput` : A complex type that contains the response to a GetHealthCheck request. + /// - Returns: A complex type that contains the response to a GetHealthCheck request. (Type: `GetHealthCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2909,7 +2875,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHealthCheckOutput.httpOutput(from:), GetHealthCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2941,9 +2906,9 @@ extension Route53Client { /// /// Retrieves the number of health checks that are associated with the current Amazon Web Services account. /// - /// - Parameter GetHealthCheckCountInput : A request for the number of health checks that are associated with the current Amazon Web Services account. + /// - Parameter input: A request for the number of health checks that are associated with the current Amazon Web Services account. (Type: `GetHealthCheckCountInput`) /// - /// - Returns: `GetHealthCheckCountOutput` : A complex type that contains the response to a GetHealthCheckCount request. + /// - Returns: A complex type that contains the response to a GetHealthCheckCount request. (Type: `GetHealthCheckCountOutput`) public func getHealthCheckCount(input: GetHealthCheckCountInput) async throws -> GetHealthCheckCountOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2969,7 +2934,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHealthCheckCountOutput.httpOutput(from:), GetHealthCheckCountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3001,9 +2965,9 @@ extension Route53Client { /// /// Gets the reason that a specified health check failed most recently. /// - /// - Parameter GetHealthCheckLastFailureReasonInput : A request for the reason that a health check failed most recently. + /// - Parameter input: A request for the reason that a health check failed most recently. (Type: `GetHealthCheckLastFailureReasonInput`) /// - /// - Returns: `GetHealthCheckLastFailureReasonOutput` : A complex type that contains the response to a GetHealthCheckLastFailureReason request. + /// - Returns: A complex type that contains the response to a GetHealthCheckLastFailureReason request. (Type: `GetHealthCheckLastFailureReasonOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3035,7 +2999,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHealthCheckLastFailureReasonOutput.httpOutput(from:), GetHealthCheckLastFailureReasonOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3067,9 +3030,9 @@ extension Route53Client { /// /// Gets status of a specified health check. This API is intended for use during development to diagnose behavior. It doesn’t support production use-cases with high query rates that require immediate and actionable responses. /// - /// - Parameter GetHealthCheckStatusInput : A request to get the status for a health check. + /// - Parameter input: A request to get the status for a health check. (Type: `GetHealthCheckStatusInput`) /// - /// - Returns: `GetHealthCheckStatusOutput` : A complex type that contains the response to a GetHealthCheck request. + /// - Returns: A complex type that contains the response to a GetHealthCheck request. (Type: `GetHealthCheckStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3101,7 +3064,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHealthCheckStatusOutput.httpOutput(from:), GetHealthCheckStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3133,9 +3095,9 @@ extension Route53Client { /// /// Gets information about a specified hosted zone including the four name servers assigned to the hosted zone. returns the VPCs associated with the specified hosted zone and does not reflect the VPC associations by Route 53 Profiles. To get the associations to a Profile, call the [ListProfileAssociations](https://docs.aws.amazon.com/Route53/latest/APIReference/API_route53profiles_ListProfileAssociations.html) API. /// - /// - Parameter GetHostedZoneInput : A request to get information about a specified hosted zone. + /// - Parameter input: A request to get information about a specified hosted zone. (Type: `GetHostedZoneInput`) /// - /// - Returns: `GetHostedZoneOutput` : A complex type that contain the response to a GetHostedZone request. + /// - Returns: A complex type that contain the response to a GetHostedZone request. (Type: `GetHostedZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3168,7 +3130,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHostedZoneOutput.httpOutput(from:), GetHostedZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3200,9 +3161,9 @@ extension Route53Client { /// /// Retrieves the number of hosted zones that are associated with the current Amazon Web Services account. /// - /// - Parameter GetHostedZoneCountInput : A request to retrieve a count of all the hosted zones that are associated with the current Amazon Web Services account. + /// - Parameter input: A request to retrieve a count of all the hosted zones that are associated with the current Amazon Web Services account. (Type: `GetHostedZoneCountInput`) /// - /// - Returns: `GetHostedZoneCountOutput` : A complex type that contains the response to a GetHostedZoneCount request. + /// - Returns: A complex type that contains the response to a GetHostedZoneCount request. (Type: `GetHostedZoneCountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3233,7 +3194,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHostedZoneCountOutput.httpOutput(from:), GetHostedZoneCountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3265,9 +3225,9 @@ extension Route53Client { /// /// Gets the specified limit for a specified hosted zone, for example, the maximum number of records that you can create in the hosted zone. For the default limit, see [Limits](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/DNSLimitations.html) in the Amazon Route 53 Developer Guide. To request a higher limit, [open a case](https://console.aws.amazon.com/support/home#/case/create?issueType=service-limit-increase&limitType=service-code-route53). /// - /// - Parameter GetHostedZoneLimitInput : A complex type that contains information about the request to create a hosted zone. + /// - Parameter input: A complex type that contains information about the request to create a hosted zone. (Type: `GetHostedZoneLimitInput`) /// - /// - Returns: `GetHostedZoneLimitOutput` : A complex type that contains the requested limit. + /// - Returns: A complex type that contains the requested limit. (Type: `GetHostedZoneLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3301,7 +3261,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetHostedZoneLimitOutput.httpOutput(from:), GetHostedZoneLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3333,9 +3292,9 @@ extension Route53Client { /// /// Gets information about a specified configuration for DNS query logging. For more information about DNS query logs, see [CreateQueryLoggingConfig](https://docs.aws.amazon.com/Route53/latest/APIReference/API_CreateQueryLoggingConfig.html) and [Logging DNS Queries](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/query-logs.html). /// - /// - Parameter GetQueryLoggingConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQueryLoggingConfigInput`) /// - /// - Returns: `GetQueryLoggingConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQueryLoggingConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3367,7 +3326,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueryLoggingConfigOutput.httpOutput(from:), GetQueryLoggingConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3399,9 +3357,9 @@ extension Route53Client { /// /// Retrieves information about a specified reusable delegation set, including the four name servers that are assigned to the delegation set. /// - /// - Parameter GetReusableDelegationSetInput : A request to get information about a specified reusable delegation set. + /// - Parameter input: A request to get information about a specified reusable delegation set. (Type: `GetReusableDelegationSetInput`) /// - /// - Returns: `GetReusableDelegationSetOutput` : A complex type that contains the response to the GetReusableDelegationSet request. + /// - Returns: A complex type that contains the response to the GetReusableDelegationSet request. (Type: `GetReusableDelegationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3435,7 +3393,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReusableDelegationSetOutput.httpOutput(from:), GetReusableDelegationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3467,9 +3424,9 @@ extension Route53Client { /// /// Gets the maximum number of hosted zones that you can associate with the specified reusable delegation set. For the default limit, see [Limits](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/DNSLimitations.html) in the Amazon Route 53 Developer Guide. To request a higher limit, [open a case](https://console.aws.amazon.com/support/home#/case/create?issueType=service-limit-increase&limitType=service-code-route53). /// - /// - Parameter GetReusableDelegationSetLimitInput : A complex type that contains information about the request to create a hosted zone. + /// - Parameter input: A complex type that contains information about the request to create a hosted zone. (Type: `GetReusableDelegationSetLimitInput`) /// - /// - Returns: `GetReusableDelegationSetLimitOutput` : A complex type that contains the requested limit. + /// - Returns: A complex type that contains the requested limit. (Type: `GetReusableDelegationSetLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3502,7 +3459,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReusableDelegationSetLimitOutput.httpOutput(from:), GetReusableDelegationSetLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3534,9 +3490,9 @@ extension Route53Client { /// /// Gets information about a specific traffic policy version. For information about how of deleting a traffic policy affects the response from GetTrafficPolicy, see [DeleteTrafficPolicy](https://docs.aws.amazon.com/Route53/latest/APIReference/API_DeleteTrafficPolicy.html). /// - /// - Parameter GetTrafficPolicyInput : Gets information about a specific traffic policy version. + /// - Parameter input: Gets information about a specific traffic policy version. (Type: `GetTrafficPolicyInput`) /// - /// - Returns: `GetTrafficPolicyOutput` : A complex type that contains the response information for the request. + /// - Returns: A complex type that contains the response information for the request. (Type: `GetTrafficPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3568,7 +3524,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrafficPolicyOutput.httpOutput(from:), GetTrafficPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3600,9 +3555,9 @@ extension Route53Client { /// /// Gets information about a specified traffic policy instance. Use GetTrafficPolicyInstance with the id of new traffic policy instance to confirm that the CreateTrafficPolicyInstance or an UpdateTrafficPolicyInstance request completed successfully. For more information, see the State response element. In the Route 53 console, traffic policy instances are known as policy records. /// - /// - Parameter GetTrafficPolicyInstanceInput : Gets information about a specified traffic policy instance. + /// - Parameter input: Gets information about a specified traffic policy instance. (Type: `GetTrafficPolicyInstanceInput`) /// - /// - Returns: `GetTrafficPolicyInstanceOutput` : A complex type that contains information about the resource record sets that Amazon Route 53 created based on a specified traffic policy. + /// - Returns: A complex type that contains information about the resource record sets that Amazon Route 53 created based on a specified traffic policy. (Type: `GetTrafficPolicyInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3634,7 +3589,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrafficPolicyInstanceOutput.httpOutput(from:), GetTrafficPolicyInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3666,9 +3620,9 @@ extension Route53Client { /// /// Gets the number of traffic policy instances that are associated with the current Amazon Web Services account. /// - /// - Parameter GetTrafficPolicyInstanceCountInput : Request to get the number of traffic policy instances that are associated with the current Amazon Web Services account. + /// - Parameter input: Request to get the number of traffic policy instances that are associated with the current Amazon Web Services account. (Type: `GetTrafficPolicyInstanceCountInput`) /// - /// - Returns: `GetTrafficPolicyInstanceCountOutput` : A complex type that contains information about the resource record sets that Amazon Route 53 created based on a specified traffic policy. + /// - Returns: A complex type that contains information about the resource record sets that Amazon Route 53 created based on a specified traffic policy. (Type: `GetTrafficPolicyInstanceCountOutput`) public func getTrafficPolicyInstanceCount(input: GetTrafficPolicyInstanceCountInput) async throws -> GetTrafficPolicyInstanceCountOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3694,7 +3648,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrafficPolicyInstanceCountOutput.httpOutput(from:), GetTrafficPolicyInstanceCountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3726,9 +3679,9 @@ extension Route53Client { /// /// Returns a paginated list of location objects and their CIDR blocks. /// - /// - Parameter ListCidrBlocksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCidrBlocksInput`) /// - /// - Returns: `ListCidrBlocksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCidrBlocksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3762,7 +3715,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCidrBlocksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCidrBlocksOutput.httpOutput(from:), ListCidrBlocksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3794,9 +3746,9 @@ extension Route53Client { /// /// Returns a paginated list of CIDR collections in the Amazon Web Services account (metadata only). /// - /// - Parameter ListCidrCollectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCidrCollectionsInput`) /// - /// - Returns: `ListCidrCollectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCidrCollectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3828,7 +3780,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCidrCollectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCidrCollectionsOutput.httpOutput(from:), ListCidrCollectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3860,9 +3811,9 @@ extension Route53Client { /// /// Returns a paginated list of CIDR locations for the given collection (metadata only, does not include CIDR blocks). /// - /// - Parameter ListCidrLocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCidrLocationsInput`) /// - /// - Returns: `ListCidrLocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCidrLocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3895,7 +3846,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCidrLocationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCidrLocationsOutput.httpOutput(from:), ListCidrLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3927,9 +3877,9 @@ extension Route53Client { /// /// Retrieves a list of supported geographic locations. Countries are listed first, and continents are listed last. If Amazon Route 53 supports subdivisions for a country (for example, states or provinces), the subdivisions for that country are listed in alphabetical order immediately after the corresponding country. Route 53 does not perform authorization for this API because it retrieves information that is already available to the public. For a list of supported geolocation codes, see the [GeoLocation](https://docs.aws.amazon.com/Route53/latest/APIReference/API_GeoLocation.html) data type. /// - /// - Parameter ListGeoLocationsInput : A request to get a list of geographic locations that Amazon Route 53 supports for geolocation resource record sets. + /// - Parameter input: A request to get a list of geographic locations that Amazon Route 53 supports for geolocation resource record sets. (Type: `ListGeoLocationsInput`) /// - /// - Returns: `ListGeoLocationsOutput` : A complex type containing the response information for the request. + /// - Returns: A complex type containing the response information for the request. (Type: `ListGeoLocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3961,7 +3911,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListGeoLocationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGeoLocationsOutput.httpOutput(from:), ListGeoLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3993,9 +3942,9 @@ extension Route53Client { /// /// Retrieve a list of the health checks that are associated with the current Amazon Web Services account. /// - /// - Parameter ListHealthChecksInput : A request to retrieve a list of the health checks that are associated with the current Amazon Web Services account. + /// - Parameter input: A request to retrieve a list of the health checks that are associated with the current Amazon Web Services account. (Type: `ListHealthChecksInput`) /// - /// - Returns: `ListHealthChecksOutput` : A complex type that contains the response to a ListHealthChecks request. + /// - Returns: A complex type that contains the response to a ListHealthChecks request. (Type: `ListHealthChecksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4028,7 +3977,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHealthChecksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHealthChecksOutput.httpOutput(from:), ListHealthChecksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4060,9 +4008,9 @@ extension Route53Client { /// /// Retrieves a list of the public and private hosted zones that are associated with the current Amazon Web Services account. The response includes a HostedZones child element for each hosted zone. Amazon Route 53 returns a maximum of 100 items in each response. If you have a lot of hosted zones, you can use the maxitems parameter to list them in groups of up to 100. /// - /// - Parameter ListHostedZonesInput : A request to retrieve a list of the public and private hosted zones that are associated with the current Amazon Web Services account. + /// - Parameter input: A request to retrieve a list of the public and private hosted zones that are associated with the current Amazon Web Services account. (Type: `ListHostedZonesInput`) /// - /// - Returns: `ListHostedZonesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHostedZonesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4096,7 +4044,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHostedZonesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHostedZonesOutput.httpOutput(from:), ListHostedZonesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4136,9 +4083,9 @@ extension Route53Client { /// /// * The NextDNSName and NextHostedZoneId elements in the response contain the domain name and the hosted zone ID of the next hosted zone that is associated with the current Amazon Web Services account. If you want to list more hosted zones, make another call to ListHostedZonesByName, and specify the value of NextDNSName and NextHostedZoneId in the dnsname and hostedzoneid parameters, respectively. /// - /// - Parameter ListHostedZonesByNameInput : Retrieves a list of the public and private hosted zones that are associated with the current Amazon Web Services account in ASCII order by domain name. + /// - Parameter input: Retrieves a list of the public and private hosted zones that are associated with the current Amazon Web Services account in ASCII order by domain name. (Type: `ListHostedZonesByNameInput`) /// - /// - Returns: `ListHostedZonesByNameOutput` : A complex type that contains the response information for the request. + /// - Returns: A complex type that contains the response information for the request. (Type: `ListHostedZonesByNameOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4171,7 +4118,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHostedZonesByNameInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHostedZonesByNameOutput.httpOutput(from:), ListHostedZonesByNameOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4219,9 +4165,9 @@ extension Route53Client { /// /// For more information, see [Access Management](https://docs.aws.amazon.com/general/latest/gr/aws-arns-and-namespaces.html) in the Amazon Web Services General Reference. /// - /// - Parameter ListHostedZonesByVPCInput : Lists all the private hosted zones that a specified VPC is associated with, regardless of which Amazon Web Services account created the hosted zones. + /// - Parameter input: Lists all the private hosted zones that a specified VPC is associated with, regardless of which Amazon Web Services account created the hosted zones. (Type: `ListHostedZonesByVPCInput`) /// - /// - Returns: `ListHostedZonesByVPCOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHostedZonesByVPCOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4254,7 +4200,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHostedZonesByVPCInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHostedZonesByVPCOutput.httpOutput(from:), ListHostedZonesByVPCOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4286,9 +4231,9 @@ extension Route53Client { /// /// Lists the configurations for DNS query logging that are associated with the current Amazon Web Services account or the configuration that is associated with a specified hosted zone. For more information about DNS query logs, see [CreateQueryLoggingConfig](https://docs.aws.amazon.com/Route53/latest/APIReference/API_CreateQueryLoggingConfig.html). Additional information, including the format of DNS query logs, appears in [Logging DNS Queries](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/query-logs.html) in the Amazon Route 53 Developer Guide. /// - /// - Parameter ListQueryLoggingConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueryLoggingConfigsInput`) /// - /// - Returns: `ListQueryLoggingConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueryLoggingConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4322,7 +4267,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQueryLoggingConfigsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueryLoggingConfigsOutput.httpOutput(from:), ListQueryLoggingConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4354,9 +4298,9 @@ extension Route53Client { /// /// Lists the resource record sets in a specified hosted zone. ListResourceRecordSets returns up to 300 resource record sets at a time in ASCII order, beginning at a position specified by the name and type elements. Sort order ListResourceRecordSets sorts results first by DNS name with the labels reversed, for example: com.example.www. Note the trailing dot, which can change the sort order when the record name contains characters that appear before . (decimal 46) in the ASCII table. These characters include the following: ! " # $ % & ' ( ) * + , - When multiple records have the same DNS name, ListResourceRecordSets sorts results by the record type. Specifying where to start listing records You can use the name and type elements to specify the resource record set that the list begins with: If you do not specify Name or Type The results begin with the first resource record set that the hosted zone contains. If you specify Name but not Type The results begin with the first resource record set in the list whose name is greater than or equal to Name. If you specify Type but not Name Amazon Route 53 returns the InvalidInput error. If you specify both Name and Type The results begin with the first resource record set in the list whose name is greater than or equal to Name, and whose type is greater than or equal to Type. Type is only used to sort between records with the same record Name. Resource record sets that are PENDING This action returns the most current version of the records. This includes records that are PENDING, and that are not yet available on all Route 53 DNS servers. Changing resource record sets To ensure that you get an accurate listing of the resource record sets for a hosted zone at a point in time, do not submit a ChangeResourceRecordSets request while you're paging through the results of a ListResourceRecordSets request. If you do, some pages may display results without the latest changes while other pages display results with the latest changes. Displaying the next page of results If a ListResourceRecordSets command returns more than one page of results, the value of IsTruncated is true. To display the next page of results, get the values of NextRecordName, NextRecordType, and NextRecordIdentifier (if any) from the response. Then submit another ListResourceRecordSets request, and specify those values for StartRecordName, StartRecordType, and StartRecordIdentifier. /// - /// - Parameter ListResourceRecordSetsInput : A request for the resource record sets that are associated with a specified hosted zone. + /// - Parameter input: A request for the resource record sets that are associated with a specified hosted zone. (Type: `ListResourceRecordSetsInput`) /// - /// - Returns: `ListResourceRecordSetsOutput` : A complex type that contains list information for the resource record set. + /// - Returns: A complex type that contains list information for the resource record set. (Type: `ListResourceRecordSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4390,7 +4334,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourceRecordSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceRecordSetsOutput.httpOutput(from:), ListResourceRecordSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4422,9 +4365,9 @@ extension Route53Client { /// /// Retrieves a list of the reusable delegation sets that are associated with the current Amazon Web Services account. /// - /// - Parameter ListReusableDelegationSetsInput : A request to get a list of the reusable delegation sets that are associated with the current Amazon Web Services account. + /// - Parameter input: A request to get a list of the reusable delegation sets that are associated with the current Amazon Web Services account. (Type: `ListReusableDelegationSetsInput`) /// - /// - Returns: `ListReusableDelegationSetsOutput` : A complex type that contains information about the reusable delegation sets that are associated with the current Amazon Web Services account. + /// - Returns: A complex type that contains information about the reusable delegation sets that are associated with the current Amazon Web Services account. (Type: `ListReusableDelegationSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4456,7 +4399,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReusableDelegationSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReusableDelegationSetsOutput.httpOutput(from:), ListReusableDelegationSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4488,9 +4430,9 @@ extension Route53Client { /// /// Lists tags for one health check or hosted zone. For information about using tags for cost allocation, see [Using Cost Allocation Tags](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/cost-alloc-tags.html) in the Billing and Cost Management User Guide. /// - /// - Parameter ListTagsForResourceInput : A complex type containing information about a request for a list of the tags that are associated with an individual resource. + /// - Parameter input: A complex type containing information about a request for a list of the tags that are associated with an individual resource. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : A complex type that contains information about the health checks or hosted zones for which you want to list tags. + /// - Returns: A complex type that contains information about the health checks or hosted zones for which you want to list tags. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4525,7 +4467,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4557,9 +4498,9 @@ extension Route53Client { /// /// Lists tags for up to 10 health checks or hosted zones. For information about using tags for cost allocation, see [Using Cost Allocation Tags](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/cost-alloc-tags.html) in the Billing and Cost Management User Guide. /// - /// - Parameter ListTagsForResourcesInput : A complex type that contains information about the health checks or hosted zones for which you want to list tags. + /// - Parameter input: A complex type that contains information about the health checks or hosted zones for which you want to list tags. (Type: `ListTagsForResourcesInput`) /// - /// - Returns: `ListTagsForResourcesOutput` : A complex type containing tags for the specified resources. + /// - Returns: A complex type containing tags for the specified resources. (Type: `ListTagsForResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4597,7 +4538,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourcesOutput.httpOutput(from:), ListTagsForResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4629,9 +4569,9 @@ extension Route53Client { /// /// Gets information about the latest version for every traffic policy that is associated with the current Amazon Web Services account. Policies are listed in the order that they were created in. For information about how of deleting a traffic policy affects the response from ListTrafficPolicies, see [DeleteTrafficPolicy](https://docs.aws.amazon.com/Route53/latest/APIReference/API_DeleteTrafficPolicy.html). /// - /// - Parameter ListTrafficPoliciesInput : A complex type that contains the information about the request to list the traffic policies that are associated with the current Amazon Web Services account. + /// - Parameter input: A complex type that contains the information about the request to list the traffic policies that are associated with the current Amazon Web Services account. (Type: `ListTrafficPoliciesInput`) /// - /// - Returns: `ListTrafficPoliciesOutput` : A complex type that contains the response information for the request. + /// - Returns: A complex type that contains the response information for the request. (Type: `ListTrafficPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4663,7 +4603,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrafficPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrafficPoliciesOutput.httpOutput(from:), ListTrafficPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4695,9 +4634,9 @@ extension Route53Client { /// /// Gets information about the traffic policy instances that you created by using the current Amazon Web Services account. After you submit an UpdateTrafficPolicyInstance request, there's a brief delay while Amazon Route 53 creates the resource record sets that are specified in the traffic policy definition. For more information, see the State response element. Route 53 returns a maximum of 100 items in each response. If you have a lot of traffic policy instances, you can use the MaxItems parameter to list them in groups of up to 100. /// - /// - Parameter ListTrafficPolicyInstancesInput : A request to get information about the traffic policy instances that you created by using the current Amazon Web Services account. + /// - Parameter input: A request to get information about the traffic policy instances that you created by using the current Amazon Web Services account. (Type: `ListTrafficPolicyInstancesInput`) /// - /// - Returns: `ListTrafficPolicyInstancesOutput` : A complex type that contains the response information for the request. + /// - Returns: A complex type that contains the response information for the request. (Type: `ListTrafficPolicyInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4730,7 +4669,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrafficPolicyInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrafficPolicyInstancesOutput.httpOutput(from:), ListTrafficPolicyInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4762,9 +4700,9 @@ extension Route53Client { /// /// Gets information about the traffic policy instances that you created in a specified hosted zone. After you submit a CreateTrafficPolicyInstance or an UpdateTrafficPolicyInstance request, there's a brief delay while Amazon Route 53 creates the resource record sets that are specified in the traffic policy definition. For more information, see the State response element. Route 53 returns a maximum of 100 items in each response. If you have a lot of traffic policy instances, you can use the MaxItems parameter to list them in groups of up to 100. /// - /// - Parameter ListTrafficPolicyInstancesByHostedZoneInput : A request for the traffic policy instances that you created in a specified hosted zone. + /// - Parameter input: A request for the traffic policy instances that you created in a specified hosted zone. (Type: `ListTrafficPolicyInstancesByHostedZoneInput`) /// - /// - Returns: `ListTrafficPolicyInstancesByHostedZoneOutput` : A complex type that contains the response information for the request. + /// - Returns: A complex type that contains the response information for the request. (Type: `ListTrafficPolicyInstancesByHostedZoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4798,7 +4736,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrafficPolicyInstancesByHostedZoneInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrafficPolicyInstancesByHostedZoneOutput.httpOutput(from:), ListTrafficPolicyInstancesByHostedZoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4830,9 +4767,9 @@ extension Route53Client { /// /// Gets information about the traffic policy instances that you created by using a specify traffic policy version. After you submit a CreateTrafficPolicyInstance or an UpdateTrafficPolicyInstance request, there's a brief delay while Amazon Route 53 creates the resource record sets that are specified in the traffic policy definition. For more information, see the State response element. Route 53 returns a maximum of 100 items in each response. If you have a lot of traffic policy instances, you can use the MaxItems parameter to list them in groups of up to 100. /// - /// - Parameter ListTrafficPolicyInstancesByPolicyInput : A complex type that contains the information about the request to list your traffic policy instances. + /// - Parameter input: A complex type that contains the information about the request to list your traffic policy instances. (Type: `ListTrafficPolicyInstancesByPolicyInput`) /// - /// - Returns: `ListTrafficPolicyInstancesByPolicyOutput` : A complex type that contains the response information for the request. + /// - Returns: A complex type that contains the response information for the request. (Type: `ListTrafficPolicyInstancesByPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4866,7 +4803,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrafficPolicyInstancesByPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrafficPolicyInstancesByPolicyOutput.httpOutput(from:), ListTrafficPolicyInstancesByPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4898,9 +4834,9 @@ extension Route53Client { /// /// Gets information about all of the versions for a specified traffic policy. Traffic policy versions are listed in numerical order by VersionNumber. /// - /// - Parameter ListTrafficPolicyVersionsInput : A complex type that contains the information about the request to list your traffic policies. + /// - Parameter input: A complex type that contains the information about the request to list your traffic policies. (Type: `ListTrafficPolicyVersionsInput`) /// - /// - Returns: `ListTrafficPolicyVersionsOutput` : A complex type that contains the response information for the request. + /// - Returns: A complex type that contains the response information for the request. (Type: `ListTrafficPolicyVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4933,7 +4869,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrafficPolicyVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrafficPolicyVersionsOutput.httpOutput(from:), ListTrafficPolicyVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4965,9 +4900,9 @@ extension Route53Client { /// /// Gets a list of the VPCs that were created by other accounts and that can be associated with a specified hosted zone because you've submitted one or more CreateVPCAssociationAuthorization requests. The response includes a VPCs element with a VPC child element for each VPC that can be associated with the hosted zone. /// - /// - Parameter ListVPCAssociationAuthorizationsInput : A complex type that contains information about that can be associated with your hosted zone. + /// - Parameter input: A complex type that contains information about that can be associated with your hosted zone. (Type: `ListVPCAssociationAuthorizationsInput`) /// - /// - Returns: `ListVPCAssociationAuthorizationsOutput` : A complex type that contains the response information for the request. + /// - Returns: A complex type that contains the response information for the request. (Type: `ListVPCAssociationAuthorizationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5002,7 +4937,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListVPCAssociationAuthorizationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVPCAssociationAuthorizationsOutput.httpOutput(from:), ListVPCAssociationAuthorizationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5034,9 +4968,9 @@ extension Route53Client { /// /// Gets the value that Amazon Route 53 returns in response to a DNS request for a specified record name and type. You can optionally specify the IP address of a DNS resolver, an EDNS0 client subnet IP address, and a subnet mask. This call only supports querying public hosted zones. The TestDnsAnswer returns information similar to what you would expect from the answer section of the dig command. Therefore, if you query for the name servers of a subdomain that point to the parent name servers, those will not be returned. /// - /// - Parameter TestDNSAnswerInput : Gets the value that Amazon Route 53 returns in response to a DNS request for a specified record name and type. You can optionally specify the IP address of a DNS resolver, an EDNS0 client subnet IP address, and a subnet mask. + /// - Parameter input: Gets the value that Amazon Route 53 returns in response to a DNS request for a specified record name and type. You can optionally specify the IP address of a DNS resolver, an EDNS0 client subnet IP address, and a subnet mask. (Type: `TestDNSAnswerInput`) /// - /// - Returns: `TestDNSAnswerOutput` : A complex type that contains the response to a TestDNSAnswer request. + /// - Returns: A complex type that contains the response to a TestDNSAnswer request. (Type: `TestDNSAnswerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5069,7 +5003,6 @@ extension Route53Client { builder.serialize(ClientRuntime.QueryItemMiddleware(TestDNSAnswerInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestDNSAnswerOutput.httpOutput(from:), TestDNSAnswerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5101,9 +5034,9 @@ extension Route53Client { /// /// Updates an existing health check. Note that some values can't be updated. For more information about updating health checks, see [Creating, Updating, and Deleting Health Checks](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/health-checks-creating-deleting.html) in the Amazon Route 53 Developer Guide. /// - /// - Parameter UpdateHealthCheckInput : A complex type that contains information about a request to update a health check. + /// - Parameter input: A complex type that contains information about a request to update a health check. (Type: `UpdateHealthCheckInput`) /// - /// - Returns: `UpdateHealthCheckOutput` : A complex type that contains the response to the UpdateHealthCheck request. + /// - Returns: A complex type that contains the response to the UpdateHealthCheck request. (Type: `UpdateHealthCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5139,7 +5072,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHealthCheckOutput.httpOutput(from:), UpdateHealthCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5171,9 +5103,9 @@ extension Route53Client { /// /// Updates the comment for a specified hosted zone. /// - /// - Parameter UpdateHostedZoneCommentInput : A request to update the comment for a hosted zone. + /// - Parameter input: A request to update the comment for a hosted zone. (Type: `UpdateHostedZoneCommentInput`) /// - /// - Returns: `UpdateHostedZoneCommentOutput` : A complex type that contains the response to the UpdateHostedZoneComment request. + /// - Returns: A complex type that contains the response to the UpdateHostedZoneComment request. (Type: `UpdateHostedZoneCommentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5210,7 +5142,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHostedZoneCommentOutput.httpOutput(from:), UpdateHostedZoneCommentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5242,9 +5173,9 @@ extension Route53Client { /// /// Updates the comment for a specified traffic policy version. /// - /// - Parameter UpdateTrafficPolicyCommentInput : A complex type that contains information about the traffic policy that you want to update the comment for. + /// - Parameter input: A complex type that contains information about the traffic policy that you want to update the comment for. (Type: `UpdateTrafficPolicyCommentInput`) /// - /// - Returns: `UpdateTrafficPolicyCommentOutput` : A complex type that contains the response information for the traffic policy. + /// - Returns: A complex type that contains the response information for the traffic policy. (Type: `UpdateTrafficPolicyCommentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5280,7 +5211,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrafficPolicyCommentOutput.httpOutput(from:), UpdateTrafficPolicyCommentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5318,9 +5248,9 @@ extension Route53Client { /// /// * Route 53 deletes the old group of resource record sets that are associated with the root resource record set name. /// - /// - Parameter UpdateTrafficPolicyInstanceInput : A complex type that contains information about the resource record sets that you want to update based on a specified traffic policy instance. + /// - Parameter input: A complex type that contains information about the resource record sets that you want to update based on a specified traffic policy instance. (Type: `UpdateTrafficPolicyInstanceInput`) /// - /// - Returns: `UpdateTrafficPolicyInstanceOutput` : A complex type that contains information about the resource record sets that Amazon Route 53 created based on a specified traffic policy. + /// - Returns: A complex type that contains information about the resource record sets that Amazon Route 53 created based on a specified traffic policy. (Type: `UpdateTrafficPolicyInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5358,7 +5288,6 @@ extension Route53Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrafficPolicyInstanceOutput.httpOutput(from:), UpdateTrafficPolicyInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRoute53Domains/Sources/AWSRoute53Domains/Route53DomainsClient.swift b/Sources/Services/AWSRoute53Domains/Sources/AWSRoute53Domains/Route53DomainsClient.swift index 17dd5c1e751..3a36ba8a87a 100644 --- a/Sources/Services/AWSRoute53Domains/Sources/AWSRoute53Domains/Route53DomainsClient.swift +++ b/Sources/Services/AWSRoute53Domains/Sources/AWSRoute53Domains/Route53DomainsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class Route53DomainsClient: ClientRuntime.Client { public static let clientName = "Route53DomainsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: Route53DomainsClient.Route53DomainsClientConfiguration let serviceName = "Route 53 Domains" @@ -374,9 +373,9 @@ extension Route53DomainsClient { /// /// Accepts the transfer of a domain from another Amazon Web Services account to the currentAmazon Web Services account. You initiate a transfer between Amazon Web Services accounts using [TransferDomainToAnotherAwsAccount](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_TransferDomainToAnotherAwsAccount.html). If you use the CLI command at [accept-domain-transfer-from-another-aws-account](https://docs.aws.amazon.com/cli/latest/reference/route53domains/accept-domain-transfer-from-another-aws-account.html), use JSON format as input instead of text because otherwise CLI will throw an error from domain transfer input that includes single quotes. Use either [ListOperations](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_ListOperations.html) or [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) to determine whether the operation succeeded. [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) provides additional information, for example, Domain Transfer from Aws Account 111122223333 has been cancelled. /// - /// - Parameter AcceptDomainTransferFromAnotherAwsAccountInput : The AcceptDomainTransferFromAnotherAwsAccount request includes the following elements. + /// - Parameter input: The AcceptDomainTransferFromAnotherAwsAccount request includes the following elements. (Type: `AcceptDomainTransferFromAnotherAwsAccountInput`) /// - /// - Returns: `AcceptDomainTransferFromAnotherAwsAccountOutput` : The AcceptDomainTransferFromAnotherAwsAccount response includes the following element. + /// - Returns: The AcceptDomainTransferFromAnotherAwsAccount response includes the following element. (Type: `AcceptDomainTransferFromAnotherAwsAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptDomainTransferFromAnotherAwsAccountOutput.httpOutput(from:), AcceptDomainTransferFromAnotherAwsAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension Route53DomainsClient { /// /// Creates a delegation signer (DS) record in the registry zone for this domain name. Note that creating DS record at the registry impacts DNSSEC validation of your DNS records. This action may render your domain name unavailable on the internet if the steps are completed in the wrong order, or with incorrect timing. For more information about DNSSEC signing, see [Configuring DNSSEC signing](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/dns-configuring-dnssec.html) in the Route 53 developer guide. /// - /// - Parameter AssociateDelegationSignerToDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDelegationSignerToDomainInput`) /// - /// - Returns: `AssociateDelegationSignerToDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDelegationSignerToDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDelegationSignerToDomainOutput.httpOutput(from:), AssociateDelegationSignerToDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension Route53DomainsClient { /// /// Cancels the transfer of a domain from the current Amazon Web Services account to another Amazon Web Services account. You initiate a transfer betweenAmazon Web Services accounts using [TransferDomainToAnotherAwsAccount](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_TransferDomainToAnotherAwsAccount.html). You must cancel the transfer before the other Amazon Web Services account accepts the transfer using [AcceptDomainTransferFromAnotherAwsAccount](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_AcceptDomainTransferFromAnotherAwsAccount.html). Use either [ListOperations](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_ListOperations.html) or [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) to determine whether the operation succeeded. [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) provides additional information, for example, Domain Transfer from Aws Account 111122223333 has been cancelled. /// - /// - Parameter CancelDomainTransferToAnotherAwsAccountInput : The CancelDomainTransferToAnotherAwsAccount request includes the following element. + /// - Parameter input: The CancelDomainTransferToAnotherAwsAccount request includes the following element. (Type: `CancelDomainTransferToAnotherAwsAccountInput`) /// - /// - Returns: `CancelDomainTransferToAnotherAwsAccountOutput` : The CancelDomainTransferToAnotherAwsAccount response includes the following element. + /// - Returns: The CancelDomainTransferToAnotherAwsAccount response includes the following element. (Type: `CancelDomainTransferToAnotherAwsAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelDomainTransferToAnotherAwsAccountOutput.httpOutput(from:), CancelDomainTransferToAnotherAwsAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension Route53DomainsClient { /// /// This operation checks the availability of one domain name. Note that if the availability status of a domain is pending, you must submit another request to determine the availability of the domain name. /// - /// - Parameter CheckDomainAvailabilityInput : The CheckDomainAvailability request contains the following elements. + /// - Parameter input: The CheckDomainAvailability request contains the following elements. (Type: `CheckDomainAvailabilityInput`) /// - /// - Returns: `CheckDomainAvailabilityOutput` : The CheckDomainAvailability response includes the following elements. + /// - Returns: The CheckDomainAvailability response includes the following elements. (Type: `CheckDomainAvailabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -626,7 +622,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckDomainAvailabilityOutput.httpOutput(from:), CheckDomainAvailabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -661,9 +656,9 @@ extension Route53DomainsClient { /// /// Checks whether a domain name can be transferred to Amazon Route 53. /// - /// - Parameter CheckDomainTransferabilityInput : The CheckDomainTransferability request contains the following elements. + /// - Parameter input: The CheckDomainTransferability request contains the following elements. (Type: `CheckDomainTransferabilityInput`) /// - /// - Returns: `CheckDomainTransferabilityOutput` : The CheckDomainTransferability response includes the following elements. + /// - Returns: The CheckDomainTransferability response includes the following elements. (Type: `CheckDomainTransferabilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckDomainTransferabilityOutput.httpOutput(from:), CheckDomainTransferabilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -737,9 +731,9 @@ extension Route53DomainsClient { /// /// * When the registration has been deleted, we'll send you a confirmation to the registrant contact. The email will come from noreply@domainnameverification.net or noreply@registrar.amazon.com. /// - /// - Parameter DeleteDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainInput`) /// - /// - Returns: `DeleteDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainOutput.httpOutput(from:), DeleteDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension Route53DomainsClient { /// /// This operation deletes the specified tags for a domain. All tag operations are eventually consistent; subsequent operations might not immediately represent all issued operations. /// - /// - Parameter DeleteTagsForDomainInput : The DeleteTagsForDomainRequest includes the following elements. + /// - Parameter input: The DeleteTagsForDomainRequest includes the following elements. (Type: `DeleteTagsForDomainInput`) /// - /// - Returns: `DeleteTagsForDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagsForDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -845,7 +838,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsForDomainOutput.httpOutput(from:), DeleteTagsForDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -880,9 +872,9 @@ extension Route53DomainsClient { /// /// This operation disables automatic renewal of domain registration for the specified domain. /// - /// - Parameter DisableDomainAutoRenewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableDomainAutoRenewInput`) /// - /// - Returns: `DisableDomainAutoRenewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableDomainAutoRenewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -915,7 +907,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableDomainAutoRenewOutput.httpOutput(from:), DisableDomainAutoRenewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -950,9 +941,9 @@ extension Route53DomainsClient { /// /// This operation removes the transfer lock on the domain (specifically the clientTransferProhibited status) to allow domain transfers. We recommend you refrain from performing this action unless you intend to transfer the domain to a different registrar. Successful submission returns an operation ID that you can use to track the progress and completion of the action. If the request is not completed successfully, the domain registrant will be notified by email. /// - /// - Parameter DisableDomainTransferLockInput : The DisableDomainTransferLock request includes the following element. + /// - Parameter input: The DisableDomainTransferLock request includes the following element. (Type: `DisableDomainTransferLockInput`) /// - /// - Returns: `DisableDomainTransferLockOutput` : The DisableDomainTransferLock response includes the following element. + /// - Returns: The DisableDomainTransferLock response includes the following element. (Type: `DisableDomainTransferLockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -988,7 +979,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableDomainTransferLockOutput.httpOutput(from:), DisableDomainTransferLockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1023,9 +1013,9 @@ extension Route53DomainsClient { /// /// Deletes a delegation signer (DS) record in the registry zone for this domain name. /// - /// - Parameter DisassociateDelegationSignerFromDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateDelegationSignerFromDomainInput`) /// - /// - Returns: `DisassociateDelegationSignerFromDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateDelegationSignerFromDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1061,7 +1051,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateDelegationSignerFromDomainOutput.httpOutput(from:), DisassociateDelegationSignerFromDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1096,9 +1085,9 @@ extension Route53DomainsClient { /// /// This operation configures Amazon Route 53 to automatically renew the specified domain before the domain registration expires. The cost of renewing your domain registration is billed to your Amazon Web Services account. The period during which you can renew a domain name varies by TLD. For a list of TLDs and their renewal policies, see [Domains That You Can Register with Amazon Route 53](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/registrar-tld-list.html) in the Amazon Route 53 Developer Guide. Route 53 requires that you renew before the end of the renewal period so we can complete processing before the deadline. /// - /// - Parameter EnableDomainAutoRenewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableDomainAutoRenewInput`) /// - /// - Returns: `EnableDomainAutoRenewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableDomainAutoRenewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1132,7 +1121,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableDomainAutoRenewOutput.httpOutput(from:), EnableDomainAutoRenewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1167,9 +1155,9 @@ extension Route53DomainsClient { /// /// This operation sets the transfer lock on the domain (specifically the clientTransferProhibited status) to prevent domain transfers. Successful submission returns an operation ID that you can use to track the progress and completion of the action. If the request is not completed successfully, the domain registrant will be notified by email. /// - /// - Parameter EnableDomainTransferLockInput : A request to set the transfer lock for the specified domain. + /// - Parameter input: A request to set the transfer lock for the specified domain. (Type: `EnableDomainTransferLockInput`) /// - /// - Returns: `EnableDomainTransferLockOutput` : The EnableDomainTransferLock response includes the following elements. + /// - Returns: The EnableDomainTransferLock response includes the following elements. (Type: `EnableDomainTransferLockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1205,7 +1193,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableDomainTransferLockOutput.httpOutput(from:), EnableDomainTransferLockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1240,9 +1227,9 @@ extension Route53DomainsClient { /// /// For operations that require confirmation that the email address for the registrant contact is valid, such as registering a new domain, this operation returns information about whether the registrant contact has responded. If you want us to resend the email, use the ResendContactReachabilityEmail operation. /// - /// - Parameter GetContactReachabilityStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContactReachabilityStatusInput`) /// - /// - Returns: `GetContactReachabilityStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContactReachabilityStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1276,7 +1263,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContactReachabilityStatusOutput.httpOutput(from:), GetContactReachabilityStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1311,9 +1297,9 @@ extension Route53DomainsClient { /// /// This operation returns detailed information about a specified domain that is associated with the current Amazon Web Services account. Contact information for the domain is also returned as part of the output. /// - /// - Parameter GetDomainDetailInput : The GetDomainDetail request includes the following element. + /// - Parameter input: The GetDomainDetail request includes the following element. (Type: `GetDomainDetailInput`) /// - /// - Returns: `GetDomainDetailOutput` : The GetDomainDetail response includes the following elements. + /// - Returns: The GetDomainDetail response includes the following elements. (Type: `GetDomainDetailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1346,7 +1332,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainDetailOutput.httpOutput(from:), GetDomainDetailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1381,9 +1366,9 @@ extension Route53DomainsClient { /// /// The GetDomainSuggestions operation returns a list of suggested domain names. /// - /// - Parameter GetDomainSuggestionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDomainSuggestionsInput`) /// - /// - Returns: `GetDomainSuggestionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDomainSuggestionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1416,7 +1401,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainSuggestionsOutput.httpOutput(from:), GetDomainSuggestionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1451,9 +1435,9 @@ extension Route53DomainsClient { /// /// This operation returns the current status of an operation that is not completed. /// - /// - Parameter GetOperationDetailInput : The [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) request includes the following element. + /// - Parameter input: The [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) request includes the following element. (Type: `GetOperationDetailInput`) /// - /// - Returns: `GetOperationDetailOutput` : The GetOperationDetail response includes the following elements. + /// - Returns: The GetOperationDetail response includes the following elements. (Type: `GetOperationDetailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1485,7 +1469,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOperationDetailOutput.httpOutput(from:), GetOperationDetailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1520,9 +1503,9 @@ extension Route53DomainsClient { /// /// This operation returns all the domain names registered with Amazon Route 53 for the current Amazon Web Services account if no filtering conditions are used. /// - /// - Parameter ListDomainsInput : The ListDomains request includes the following elements. + /// - Parameter input: The ListDomains request includes the following elements. (Type: `ListDomainsInput`) /// - /// - Returns: `ListDomainsOutput` : The ListDomains response includes the following elements. + /// - Returns: The ListDomains response includes the following elements. (Type: `ListDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1554,7 +1537,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsOutput.httpOutput(from:), ListDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1589,9 +1571,9 @@ extension Route53DomainsClient { /// /// Returns information about all of the operations that return an operation ID and that have ever been performed on domains that were registered by the current account. This command runs only in the us-east-1 Region. /// - /// - Parameter ListOperationsInput : The ListOperations request includes the following elements. + /// - Parameter input: The ListOperations request includes the following elements. (Type: `ListOperationsInput`) /// - /// - Returns: `ListOperationsOutput` : The ListOperations response includes the following elements. + /// - Returns: The ListOperations response includes the following elements. (Type: `ListOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1623,7 +1605,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOperationsOutput.httpOutput(from:), ListOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1668,9 +1649,9 @@ extension Route53DomainsClient { /// /// * Domain restoration /// - /// - Parameter ListPricesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPricesInput`) /// - /// - Returns: `ListPricesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPricesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1703,7 +1684,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPricesOutput.httpOutput(from:), ListPricesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1738,9 +1718,9 @@ extension Route53DomainsClient { /// /// This operation returns all of the tags that are associated with the specified domain. All tag operations are eventually consistent; subsequent operations might not immediately represent all issued operations. /// - /// - Parameter ListTagsForDomainInput : The ListTagsForDomainRequest includes the following elements. + /// - Parameter input: The ListTagsForDomainRequest includes the following elements. (Type: `ListTagsForDomainInput`) /// - /// - Returns: `ListTagsForDomainOutput` : The ListTagsForDomain response includes the following elements. + /// - Returns: The ListTagsForDomain response includes the following elements. (Type: `ListTagsForDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1774,7 +1754,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForDomainOutput.httpOutput(from:), ListTagsForDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1811,9 +1790,9 @@ extension Route53DomainsClient { /// /// * Changes the IPS tags of a .uk domain, and pushes it to transit. Transit means that the domain is ready to be transferred to another registrar. /// - /// - Parameter PushDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PushDomainInput`) /// - /// - Returns: `PushDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PushDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1847,7 +1826,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PushDomainOutput.httpOutput(from:), PushDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1892,9 +1870,9 @@ extension Route53DomainsClient { /// /// * Charges your Amazon Web Services account an amount based on the top-level domain. For more information, see [Amazon Route 53 Pricing](http://aws.amazon.com/route53/pricing/). /// - /// - Parameter RegisterDomainInput : The RegisterDomain request includes the following elements. + /// - Parameter input: The RegisterDomain request includes the following elements. (Type: `RegisterDomainInput`) /// - /// - Returns: `RegisterDomainOutput` : The RegisterDomain response includes the following element. + /// - Returns: The RegisterDomain response includes the following element. (Type: `RegisterDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1931,7 +1909,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterDomainOutput.httpOutput(from:), RegisterDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1966,9 +1943,9 @@ extension Route53DomainsClient { /// /// Rejects the transfer of a domain from another Amazon Web Services account to the current Amazon Web Services account. You initiate a transfer betweenAmazon Web Services accounts using [TransferDomainToAnotherAwsAccount](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_TransferDomainToAnotherAwsAccount.html). Use either [ListOperations](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_ListOperations.html) or [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) to determine whether the operation succeeded. [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) provides additional information, for example, Domain Transfer from Aws Account 111122223333 has been cancelled. /// - /// - Parameter RejectDomainTransferFromAnotherAwsAccountInput : The RejectDomainTransferFromAnotherAwsAccount request includes the following element. + /// - Parameter input: The RejectDomainTransferFromAnotherAwsAccount request includes the following element. (Type: `RejectDomainTransferFromAnotherAwsAccountInput`) /// - /// - Returns: `RejectDomainTransferFromAnotherAwsAccountOutput` : The RejectDomainTransferFromAnotherAwsAccount response includes the following element. + /// - Returns: The RejectDomainTransferFromAnotherAwsAccount response includes the following element. (Type: `RejectDomainTransferFromAnotherAwsAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2002,7 +1979,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectDomainTransferFromAnotherAwsAccountOutput.httpOutput(from:), RejectDomainTransferFromAnotherAwsAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2037,9 +2013,9 @@ extension Route53DomainsClient { /// /// This operation renews a domain for the specified number of years. The cost of renewing your domain is billed to your Amazon Web Services account. We recommend that you renew your domain several weeks before the expiration date. Some TLD registries delete domains before the expiration date if you haven't renewed far enough in advance. For more information about renewing domain registration, see [Renewing Registration for a Domain](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/domain-renew.html) in the Amazon Route 53 Developer Guide. /// - /// - Parameter RenewDomainInput : A RenewDomain request includes the number of years that you want to renew for and the current expiration year. + /// - Parameter input: A RenewDomain request includes the number of years that you want to renew for and the current expiration year. (Type: `RenewDomainInput`) /// - /// - Returns: `RenewDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RenewDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2075,7 +2051,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RenewDomainOutput.httpOutput(from:), RenewDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2110,9 +2085,9 @@ extension Route53DomainsClient { /// /// For operations that require confirmation that the email address for the registrant contact is valid, such as registering a new domain, this operation resends the confirmation email to the current email address for the registrant contact. /// - /// - Parameter ResendContactReachabilityEmailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResendContactReachabilityEmailInput`) /// - /// - Returns: `ResendContactReachabilityEmailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResendContactReachabilityEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2146,7 +2121,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResendContactReachabilityEmailOutput.httpOutput(from:), ResendContactReachabilityEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2181,9 +2155,9 @@ extension Route53DomainsClient { /// /// Resend the form of authorization email for this operation. /// - /// - Parameter ResendOperationAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResendOperationAuthorizationInput`) /// - /// - Returns: `ResendOperationAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResendOperationAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2215,7 +2189,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResendOperationAuthorizationOutput.httpOutput(from:), ResendOperationAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2250,9 +2223,9 @@ extension Route53DomainsClient { /// /// This operation returns the authorization code for the domain. To transfer a domain to another registrar, you provide this value to the new registrar. /// - /// - Parameter RetrieveDomainAuthCodeInput : A request for the authorization code for the specified domain. To transfer a domain to another registrar, you provide this value to the new registrar. + /// - Parameter input: A request for the authorization code for the specified domain. To transfer a domain to another registrar, you provide this value to the new registrar. (Type: `RetrieveDomainAuthCodeInput`) /// - /// - Returns: `RetrieveDomainAuthCodeOutput` : The RetrieveDomainAuthCode response includes the following element. + /// - Returns: The RetrieveDomainAuthCode response includes the following element. (Type: `RetrieveDomainAuthCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2285,7 +2258,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetrieveDomainAuthCodeOutput.httpOutput(from:), RetrieveDomainAuthCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2329,9 +2301,9 @@ extension Route53DomainsClient { /// /// During the transfer of any country code top-level domains (ccTLDs) to Route 53, except for .cc and .tv, updates to the owner contact are ignored and the owner contact data from the registry is used. You can update the owner contact after the transfer is complete. For more information, see [UpdateDomainContact](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_UpdateDomainContact.html). If the registrar for your domain is also the DNS service provider for the domain, we highly recommend that you transfer your DNS service to Route 53 or to another DNS service provider before you transfer your registration. Some registrars provide free DNS service when you purchase a domain registration. When you transfer the registration, the previous registrar will not renew your domain registration and could end your DNS service at any time. If the registrar for your domain is also the DNS service provider for the domain and you don't transfer DNS service to another provider, your website, email, and the web applications associated with the domain might become unavailable. If the transfer is successful, this method returns an operation ID that you can use to track the progress and completion of the action. If the transfer doesn't complete successfully, the domain registrant will be notified by email. /// - /// - Parameter TransferDomainInput : The TransferDomain request includes the following elements. + /// - Parameter input: The TransferDomain request includes the following elements. (Type: `TransferDomainInput`) /// - /// - Returns: `TransferDomainOutput` : The TransferDomain response includes the following element. + /// - Returns: The TransferDomain response includes the following element. (Type: `TransferDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2368,7 +2340,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TransferDomainOutput.httpOutput(from:), TransferDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2412,9 +2383,9 @@ extension Route53DomainsClient { /// /// When you transfer a domain from one Amazon Web Services account to another, Route 53 doesn't transfer the hosted zone that is associated with the domain. DNS resolution isn't affected if the domain and the hosted zone are owned by separate accounts, so transferring the hosted zone is optional. For information about transferring the hosted zone to another Amazon Web Services account, see [Migrating a Hosted Zone to a Different Amazon Web Services Account](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/hosted-zones-migrating.html) in the Amazon Route 53 Developer Guide. Use either [ListOperations](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_ListOperations.html) or [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) to determine whether the operation succeeded. [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) provides additional information, for example, Domain Transfer from Aws Account 111122223333 has been cancelled. /// - /// - Parameter TransferDomainToAnotherAwsAccountInput : The TransferDomainToAnotherAwsAccount request includes the following elements. + /// - Parameter input: The TransferDomainToAnotherAwsAccount request includes the following elements. (Type: `TransferDomainToAnotherAwsAccountInput`) /// - /// - Returns: `TransferDomainToAnotherAwsAccountOutput` : The TransferDomainToAnotherAwsAccount response includes the following elements. + /// - Returns: The TransferDomainToAnotherAwsAccount response includes the following elements. (Type: `TransferDomainToAnotherAwsAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2449,7 +2420,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TransferDomainToAnotherAwsAccountOutput.httpOutput(from:), TransferDomainToAnotherAwsAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2484,9 +2454,9 @@ extension Route53DomainsClient { /// /// This operation updates the contact information for a particular domain. You must specify information for at least one contact: registrant, administrator, or technical. If the update is successful, this method returns an operation ID that you can use to track the progress and completion of the operation. If the request is not completed successfully, the domain registrant will be notified by email. /// - /// - Parameter UpdateDomainContactInput : The UpdateDomainContact request includes the following elements. + /// - Parameter input: The UpdateDomainContact request includes the following elements. (Type: `UpdateDomainContactInput`) /// - /// - Returns: `UpdateDomainContactOutput` : The UpdateDomainContact response includes the following element. + /// - Returns: The UpdateDomainContact response includes the following element. (Type: `UpdateDomainContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2522,7 +2492,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainContactOutput.httpOutput(from:), UpdateDomainContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2557,9 +2526,9 @@ extension Route53DomainsClient { /// /// This operation updates the specified domain contact's privacy setting. When privacy protection is enabled, your contact information is replaced with contact information for the registrar or with the phrase "REDACTED FOR PRIVACY", or "On behalf of owner." While some domains may allow different privacy settings per contact, we recommend specifying the same privacy setting for all contacts. This operation affects only the contact information for the specified contact type (administrative, registrant, or technical). If the request succeeds, Amazon Route 53 returns an operation ID that you can use with [GetOperationDetail](https://docs.aws.amazon.com/Route53/latest/APIReference/API_domains_GetOperationDetail.html) to track the progress and completion of the action. If the request doesn't complete successfully, the domain registrant will be notified by email. By disabling the privacy service via API, you consent to the publication of the contact information provided for this domain via the public WHOIS database. You certify that you are the registrant of this domain name and have the authority to make this decision. You may withdraw your consent at any time by enabling privacy protection using either UpdateDomainContactPrivacy or the Route 53 console. Enabling privacy protection removes the contact information provided for this domain from the WHOIS database. For more information on our privacy practices, see [https://aws.amazon.com/privacy/](https://aws.amazon.com/privacy/). /// - /// - Parameter UpdateDomainContactPrivacyInput : The UpdateDomainContactPrivacy request includes the following elements. + /// - Parameter input: The UpdateDomainContactPrivacy request includes the following elements. (Type: `UpdateDomainContactPrivacyInput`) /// - /// - Returns: `UpdateDomainContactPrivacyOutput` : The UpdateDomainContactPrivacy response includes the following element. + /// - Returns: The UpdateDomainContactPrivacy response includes the following element. (Type: `UpdateDomainContactPrivacyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2595,7 +2564,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainContactPrivacyOutput.httpOutput(from:), UpdateDomainContactPrivacyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2630,9 +2598,9 @@ extension Route53DomainsClient { /// /// This operation replaces the current set of name servers for the domain with the specified set of name servers. If you use Amazon Route 53 as your DNS service, specify the four name servers in the delegation set for the hosted zone for the domain. If successful, this operation returns an operation ID that you can use to track the progress and completion of the action. If the request is not completed successfully, the domain registrant will be notified by email. /// - /// - Parameter UpdateDomainNameserversInput : Replaces the current set of name servers for the domain with the specified set of name servers. If you use Amazon Route 53 as your DNS service, specify the four name servers in the delegation set for the hosted zone for the domain. If successful, this operation returns an operation ID that you can use to track the progress and completion of the action. If the request is not completed successfully, the domain registrant will be notified by email. + /// - Parameter input: Replaces the current set of name servers for the domain with the specified set of name servers. If you use Amazon Route 53 as your DNS service, specify the four name servers in the delegation set for the hosted zone for the domain. If successful, this operation returns an operation ID that you can use to track the progress and completion of the action. If the request is not completed successfully, the domain registrant will be notified by email. (Type: `UpdateDomainNameserversInput`) /// - /// - Returns: `UpdateDomainNameserversOutput` : The UpdateDomainNameservers response includes the following element. + /// - Returns: The UpdateDomainNameservers response includes the following element. (Type: `UpdateDomainNameserversOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2668,7 +2636,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainNameserversOutput.httpOutput(from:), UpdateDomainNameserversOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2703,9 +2670,9 @@ extension Route53DomainsClient { /// /// This operation adds or updates tags for a specified domain. All tag operations are eventually consistent; subsequent operations might not immediately represent all issued operations. /// - /// - Parameter UpdateTagsForDomainInput : The UpdateTagsForDomainRequest includes the following elements. + /// - Parameter input: The UpdateTagsForDomainRequest includes the following elements. (Type: `UpdateTagsForDomainInput`) /// - /// - Returns: `UpdateTagsForDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTagsForDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2739,7 +2706,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTagsForDomainOutput.httpOutput(from:), UpdateTagsForDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2774,9 +2740,9 @@ extension Route53DomainsClient { /// /// Returns all the domain-related billing records for the current Amazon Web Services account for a specified period /// - /// - Parameter ViewBillingInput : The ViewBilling request includes the following elements. + /// - Parameter input: The ViewBilling request includes the following elements. (Type: `ViewBillingInput`) /// - /// - Returns: `ViewBillingOutput` : The ViewBilling response includes the following elements. + /// - Returns: The ViewBilling response includes the following elements. (Type: `ViewBillingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2808,7 +2774,6 @@ extension Route53DomainsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ViewBillingOutput.httpOutput(from:), ViewBillingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRoute53Profiles/Sources/AWSRoute53Profiles/Route53ProfilesClient.swift b/Sources/Services/AWSRoute53Profiles/Sources/AWSRoute53Profiles/Route53ProfilesClient.swift index 429070840b1..7d8f4124987 100644 --- a/Sources/Services/AWSRoute53Profiles/Sources/AWSRoute53Profiles/Route53ProfilesClient.swift +++ b/Sources/Services/AWSRoute53Profiles/Sources/AWSRoute53Profiles/Route53ProfilesClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class Route53ProfilesClient: ClientRuntime.Client { public static let clientName = "Route53ProfilesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: Route53ProfilesClient.Route53ProfilesClientConfiguration let serviceName = "Route53Profiles" @@ -374,9 +373,9 @@ extension Route53ProfilesClient { /// /// Associates a Route 53 Profiles profile with a VPC. A VPC can have only one Profile associated with it, but a Profile can be associated with 1000 of VPCs (and you can request a higher quota). For more information, see [https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/DNSLimitations.html#limits-api-entities](https://docs.aws.amazon.com/Route53/latest/DeveloperGuide/DNSLimitations.html#limits-api-entities). /// - /// - Parameter AssociateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateProfileInput`) /// - /// - Returns: `AssociateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateProfileOutput.httpOutput(from:), AssociateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension Route53ProfilesClient { /// /// Associates a DNS reource configuration to a Route 53 Profile. /// - /// - Parameter AssociateResourceToProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateResourceToProfileInput`) /// - /// - Returns: `AssociateResourceToProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateResourceToProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateResourceToProfileOutput.httpOutput(from:), AssociateResourceToProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension Route53ProfilesClient { /// /// Creates an empty Route 53 Profile. /// - /// - Parameter CreateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProfileInput`) /// - /// - Returns: `CreateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProfileOutput.httpOutput(from:), CreateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension Route53ProfilesClient { /// /// Deletes the specified Route 53 Profile. Before you can delete a profile, you must first disassociate it from all VPCs. /// - /// - Parameter DeleteProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProfileInput`) /// - /// - Returns: `DeleteProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfileOutput.httpOutput(from:), DeleteProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension Route53ProfilesClient { /// /// Dissociates a specified Route 53 Profile from the specified VPC. /// - /// - Parameter DisassociateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateProfileInput`) /// - /// - Returns: `DisassociateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateProfileOutput.httpOutput(from:), DisassociateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension Route53ProfilesClient { /// /// Dissoaciated a specified resource, from the Route 53 Profile. /// - /// - Parameter DisassociateResourceFromProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateResourceFromProfileInput`) /// - /// - Returns: `DisassociateResourceFromProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateResourceFromProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -776,7 +770,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateResourceFromProfileOutput.httpOutput(from:), DisassociateResourceFromProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -808,9 +801,9 @@ extension Route53ProfilesClient { /// /// Returns information about a specified Route 53 Profile, such as whether whether the Profile is shared, and the current status of the Profile. /// - /// - Parameter GetProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProfileInput`) /// - /// - Returns: `GetProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -844,7 +837,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileOutput.httpOutput(from:), GetProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -876,9 +868,9 @@ extension Route53ProfilesClient { /// /// Retrieves a Route 53 Profile association for a VPC. A VPC can have only one Profile association, but a Profile can be associated with up to 5000 VPCs. /// - /// - Parameter GetProfileAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProfileAssociationInput`) /// - /// - Returns: `GetProfileAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProfileAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -912,7 +904,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileAssociationOutput.httpOutput(from:), GetProfileAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -944,9 +935,9 @@ extension Route53ProfilesClient { /// /// Returns information about a specified Route 53 Profile resource association. /// - /// - Parameter GetProfileResourceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProfileResourceAssociationInput`) /// - /// - Returns: `GetProfileResourceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProfileResourceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -981,7 +972,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileResourceAssociationOutput.httpOutput(from:), GetProfileResourceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1013,9 +1003,9 @@ extension Route53ProfilesClient { /// /// Lists all the VPCs that the specified Route 53 Profile is associated with. /// - /// - Parameter ListProfileAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfileAssociationsInput`) /// - /// - Returns: `ListProfileAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfileAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1051,7 +1041,6 @@ extension Route53ProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfileAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfileAssociationsOutput.httpOutput(from:), ListProfileAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1083,9 +1072,9 @@ extension Route53ProfilesClient { /// /// Lists all the resource associations for the specified Route 53 Profile. /// - /// - Parameter ListProfileResourceAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfileResourceAssociationsInput`) /// - /// - Returns: `ListProfileResourceAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfileResourceAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1123,7 +1112,6 @@ extension Route53ProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfileResourceAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfileResourceAssociationsOutput.httpOutput(from:), ListProfileResourceAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1155,9 +1143,9 @@ extension Route53ProfilesClient { /// /// Lists all the Route 53 Profiles associated with your Amazon Web Services account. /// - /// - Parameter ListProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfilesInput`) /// - /// - Returns: `ListProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1193,7 +1181,6 @@ extension Route53ProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfilesOutput.httpOutput(from:), ListProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1225,9 +1212,9 @@ extension Route53ProfilesClient { /// /// Lists the tags that you associated with the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1262,7 +1249,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1294,9 +1280,9 @@ extension Route53ProfilesClient { /// /// Adds one or more tags to a specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1333,7 +1319,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1365,9 +1350,9 @@ extension Route53ProfilesClient { /// /// Removes one or more tags from a specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1403,7 +1388,6 @@ extension Route53ProfilesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1435,9 +1419,9 @@ extension Route53ProfilesClient { /// /// Updates the specified Route 53 Profile resourse association. /// - /// - Parameter UpdateProfileResourceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProfileResourceAssociationInput`) /// - /// - Returns: `UpdateProfileResourceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProfileResourceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1478,7 +1462,6 @@ extension Route53ProfilesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProfileResourceAssociationOutput.httpOutput(from:), UpdateProfileResourceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRoute53RecoveryCluster/Sources/AWSRoute53RecoveryCluster/Route53RecoveryClusterClient.swift b/Sources/Services/AWSRoute53RecoveryCluster/Sources/AWSRoute53RecoveryCluster/Route53RecoveryClusterClient.swift index d0da310d524..065f2b5ae2a 100644 --- a/Sources/Services/AWSRoute53RecoveryCluster/Sources/AWSRoute53RecoveryCluster/Route53RecoveryClusterClient.swift +++ b/Sources/Services/AWSRoute53RecoveryCluster/Sources/AWSRoute53RecoveryCluster/Route53RecoveryClusterClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class Route53RecoveryClusterClient: ClientRuntime.Client { public static let clientName = "Route53RecoveryClusterClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: Route53RecoveryClusterClient.Route53RecoveryClusterClientConfiguration let serviceName = "Route53 Recovery Cluster" @@ -377,9 +376,9 @@ extension Route53RecoveryClusterClient { /// /// * [Working with routing controls in Route 53 ARC](https://docs.aws.amazon.com/r53recovery/latest/dg/routing-control.html) /// - /// - Parameter GetRoutingControlStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRoutingControlStateInput`) /// - /// - Returns: `GetRoutingControlStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRoutingControlStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension Route53RecoveryClusterClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRoutingControlStateOutput.httpOutput(from:), GetRoutingControlStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -455,9 +453,9 @@ extension Route53RecoveryClusterClient { /// /// * [Working with routing controls in Route 53 ARC](https://docs.aws.amazon.com/r53recovery/latest/dg/routing-control.html) /// - /// - Parameter ListRoutingControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoutingControlsInput`) /// - /// - Returns: `ListRoutingControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoutingControlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -494,7 +492,6 @@ extension Route53RecoveryClusterClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoutingControlsOutput.httpOutput(from:), ListRoutingControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -533,9 +530,9 @@ extension Route53RecoveryClusterClient { /// /// * [Working with routing controls overall](https://docs.aws.amazon.com/r53recovery/latest/dg/routing-control.html) /// - /// - Parameter UpdateRoutingControlStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoutingControlStateInput`) /// - /// - Returns: `UpdateRoutingControlStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoutingControlStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -573,7 +570,6 @@ extension Route53RecoveryClusterClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoutingControlStateOutput.httpOutput(from:), UpdateRoutingControlStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -612,9 +608,9 @@ extension Route53RecoveryClusterClient { /// /// * [Working with routing controls overall](https://docs.aws.amazon.com/r53recovery/latest/dg/routing-control.html) /// - /// - Parameter UpdateRoutingControlStatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRoutingControlStatesInput`) /// - /// - Returns: `UpdateRoutingControlStatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoutingControlStatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -653,7 +649,6 @@ extension Route53RecoveryClusterClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoutingControlStatesOutput.httpOutput(from:), UpdateRoutingControlStatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRoute53RecoveryControlConfig/Sources/AWSRoute53RecoveryControlConfig/Route53RecoveryControlConfigClient.swift b/Sources/Services/AWSRoute53RecoveryControlConfig/Sources/AWSRoute53RecoveryControlConfig/Route53RecoveryControlConfigClient.swift index 6f387081065..4c395b7e366 100644 --- a/Sources/Services/AWSRoute53RecoveryControlConfig/Sources/AWSRoute53RecoveryControlConfig/Route53RecoveryControlConfigClient.swift +++ b/Sources/Services/AWSRoute53RecoveryControlConfig/Sources/AWSRoute53RecoveryControlConfig/Route53RecoveryControlConfigClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class Route53RecoveryControlConfigClient: ClientRuntime.Client { public static let clientName = "Route53RecoveryControlConfigClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: Route53RecoveryControlConfigClient.Route53RecoveryControlConfigClientConfiguration let serviceName = "Route53 Recovery Control Config" @@ -374,9 +373,9 @@ extension Route53RecoveryControlConfigClient { /// /// Create a new cluster. A cluster is a set of redundant Regional endpoints against which you can run API calls to update or get the state of one or more routing controls. Each cluster has a name, status, Amazon Resource Name (ARN), and an array of the five cluster endpoints (one for each supported Amazon Web Services Region) that you can use with API calls to the cluster data plane. /// - /// - Parameter CreateClusterInput : Creates a cluster. + /// - Parameter input: Creates a cluster. (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension Route53RecoveryControlConfigClient { /// /// Creates a new control panel. A control panel represents a group of routing controls that can be changed together in a single transaction. You can use a control panel to centrally view the operational status of applications across your organization, and trigger multi-app failovers in a single transaction, for example, to fail over an Availability Zone or Amazon Web Services Region. /// - /// - Parameter CreateControlPanelInput : The details of the control panel that you're creating. + /// - Parameter input: The details of the control panel that you're creating. (Type: `CreateControlPanelInput`) /// - /// - Returns: `CreateControlPanelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateControlPanelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateControlPanelOutput.httpOutput(from:), CreateControlPanelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension Route53RecoveryControlConfigClient { /// /// Creates a new routing control. A routing control has one of two states: ON and OFF. You can map the routing control state to the state of an Amazon Route 53 health check, which can be used to control traffic routing. To get or update the routing control state, see the Recovery Cluster (data plane) API actions for Amazon Route 53 Application Recovery Controller. /// - /// - Parameter CreateRoutingControlInput : The details of the routing control that you're creating. + /// - Parameter input: The details of the routing control that you're creating. (Type: `CreateRoutingControlInput`) /// - /// - Returns: `CreateRoutingControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRoutingControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRoutingControlOutput.httpOutput(from:), CreateRoutingControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension Route53RecoveryControlConfigClient { /// /// Creates a safety rule in a control panel. Safety rules let you add safeguards around changing routing control states, and for enabling and disabling routing controls, to help prevent unexpected outcomes. There are two types of safety rules: assertion rules and gating rules. Assertion rule: An assertion rule enforces that, when you change a routing control state, that a certain criteria is met. For example, the criteria might be that at least one routing control state is On after the transaction so that traffic continues to flow to at least one cell for the application. This ensures that you avoid a fail-open scenario. Gating rule: A gating rule lets you configure a gating routing control as an overall "on/off" switch for a group of routing controls. Or, you can configure more complex gating scenarios, for example by configuring multiple gating routing controls. For more information, see [Safety rules](https://docs.aws.amazon.com/r53recovery/latest/dg/routing-control.safety-rules.html) in the Amazon Route 53 Application Recovery Controller Developer Guide. /// - /// - Parameter CreateSafetyRuleInput : The request body that you include when you create a safety rule. + /// - Parameter input: The request body that you include when you create a safety rule. (Type: `CreateSafetyRuleInput`) /// - /// - Returns: `CreateSafetyRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSafetyRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSafetyRuleOutput.httpOutput(from:), CreateSafetyRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension Route53RecoveryControlConfigClient { /// /// Delete a cluster. /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -707,7 +702,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,9 +733,9 @@ extension Route53RecoveryControlConfigClient { /// /// Deletes a control panel. /// - /// - Parameter DeleteControlPanelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteControlPanelInput`) /// - /// - Returns: `DeleteControlPanelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteControlPanelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -777,7 +771,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteControlPanelOutput.httpOutput(from:), DeleteControlPanelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -809,9 +802,9 @@ extension Route53RecoveryControlConfigClient { /// /// Deletes a routing control. /// - /// - Parameter DeleteRoutingControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRoutingControlInput`) /// - /// - Returns: `DeleteRoutingControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRoutingControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRoutingControlOutput.httpOutput(from:), DeleteRoutingControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -879,9 +871,9 @@ extension Route53RecoveryControlConfigClient { /// /// Deletes a safety rule./> /// - /// - Parameter DeleteSafetyRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSafetyRuleInput`) /// - /// - Returns: `DeleteSafetyRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSafetyRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -914,7 +906,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSafetyRuleOutput.httpOutput(from:), DeleteSafetyRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -946,9 +937,9 @@ extension Route53RecoveryControlConfigClient { /// /// Display the details about a cluster. The response includes the cluster name, endpoints, status, and Amazon Resource Name (ARN). /// - /// - Parameter DescribeClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterInput`) /// - /// - Returns: `DescribeClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -984,7 +975,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterOutput.httpOutput(from:), DescribeClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1016,9 +1006,9 @@ extension Route53RecoveryControlConfigClient { /// /// Displays details about a control panel. /// - /// - Parameter DescribeControlPanelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeControlPanelInput`) /// - /// - Returns: `DescribeControlPanelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeControlPanelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeControlPanelOutput.httpOutput(from:), DescribeControlPanelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1075,9 @@ extension Route53RecoveryControlConfigClient { /// /// Displays details about a routing control. A routing control has one of two states: ON and OFF. You can map the routing control state to the state of an Amazon Route 53 health check, which can be used to control routing. To get or update the routing control state, see the Recovery Cluster (data plane) API actions for Amazon Route 53 Application Recovery Controller. /// - /// - Parameter DescribeRoutingControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRoutingControlInput`) /// - /// - Returns: `DescribeRoutingControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRoutingControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1124,7 +1113,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRoutingControlOutput.httpOutput(from:), DescribeRoutingControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1156,9 +1144,9 @@ extension Route53RecoveryControlConfigClient { /// /// Returns information about a safety rule. /// - /// - Parameter DescribeSafetyRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSafetyRuleInput`) /// - /// - Returns: `DescribeSafetyRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSafetyRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1190,7 +1178,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSafetyRuleOutput.httpOutput(from:), DescribeSafetyRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1222,9 +1209,9 @@ extension Route53RecoveryControlConfigClient { /// /// Get information about the resource policy for a cluster. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1256,7 +1243,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1288,9 +1274,9 @@ extension Route53RecoveryControlConfigClient { /// /// Returns an array of all Amazon Route 53 health checks associated with a specific routing control. /// - /// - Parameter ListAssociatedRoute53HealthChecksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedRoute53HealthChecksInput`) /// - /// - Returns: `ListAssociatedRoute53HealthChecksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedRoute53HealthChecksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1324,7 +1310,6 @@ extension Route53RecoveryControlConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssociatedRoute53HealthChecksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedRoute53HealthChecksOutput.httpOutput(from:), ListAssociatedRoute53HealthChecksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1356,9 +1341,9 @@ extension Route53RecoveryControlConfigClient { /// /// Returns an array of all the clusters in an account. /// - /// - Parameter ListClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1394,7 +1379,6 @@ extension Route53RecoveryControlConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListClustersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1426,9 +1410,9 @@ extension Route53RecoveryControlConfigClient { /// /// Returns an array of control panels in an account or in a cluster. /// - /// - Parameter ListControlPanelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListControlPanelsInput`) /// - /// - Returns: `ListControlPanelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListControlPanelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1464,7 +1448,6 @@ extension Route53RecoveryControlConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListControlPanelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListControlPanelsOutput.httpOutput(from:), ListControlPanelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1479,9 @@ extension Route53RecoveryControlConfigClient { /// /// Returns an array of routing controls for a control panel. A routing control is an Amazon Route 53 Application Recovery Controller construct that has one of two states: ON and OFF. You can map the routing control state to the state of an Amazon Route 53 health check, which can be used to control routing. /// - /// - Parameter ListRoutingControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRoutingControlsInput`) /// - /// - Returns: `ListRoutingControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRoutingControlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1534,7 +1517,6 @@ extension Route53RecoveryControlConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRoutingControlsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRoutingControlsOutput.httpOutput(from:), ListRoutingControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1566,9 +1548,9 @@ extension Route53RecoveryControlConfigClient { /// /// List the safety rules (the assertion rules and gating rules) that you've defined for the routing controls in a control panel. /// - /// - Parameter ListSafetyRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSafetyRulesInput`) /// - /// - Returns: `ListSafetyRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSafetyRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1604,7 +1586,6 @@ extension Route53RecoveryControlConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSafetyRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSafetyRulesOutput.httpOutput(from:), ListSafetyRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1636,9 +1617,9 @@ extension Route53RecoveryControlConfigClient { /// /// Lists the tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1671,7 +1652,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1703,9 +1683,9 @@ extension Route53RecoveryControlConfigClient { /// /// Adds a tag to a resource. /// - /// - Parameter TagResourceInput : Request of adding tag to the resource + /// - Parameter input: Request of adding tag to the resource (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1741,7 +1721,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1773,9 +1752,9 @@ extension Route53RecoveryControlConfigClient { /// /// Removes a tag from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1809,7 +1788,6 @@ extension Route53RecoveryControlConfigClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1841,9 +1819,9 @@ extension Route53RecoveryControlConfigClient { /// /// Updates an existing cluster. You can only update the network type of a cluster. /// - /// - Parameter UpdateClusterInput : The details of the cluster that you're updating. + /// - Parameter input: The details of the cluster that you're updating. (Type: `UpdateClusterInput`) /// - /// - Returns: `UpdateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1882,7 +1860,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterOutput.httpOutput(from:), UpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1914,9 +1891,9 @@ extension Route53RecoveryControlConfigClient { /// /// Updates a control panel. The only update you can make to a control panel is to change the name of the control panel. /// - /// - Parameter UpdateControlPanelInput : The details of the control panel that you're updating. + /// - Parameter input: The details of the control panel that you're updating. (Type: `UpdateControlPanelInput`) /// - /// - Returns: `UpdateControlPanelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateControlPanelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1955,7 +1932,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateControlPanelOutput.httpOutput(from:), UpdateControlPanelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1987,9 +1963,9 @@ extension Route53RecoveryControlConfigClient { /// /// Updates a routing control. You can only update the name of the routing control. To get or update the routing control state, see the Recovery Cluster (data plane) API actions for Amazon Route 53 Application Recovery Controller. /// - /// - Parameter UpdateRoutingControlInput : The details of the routing control that you're updating. + /// - Parameter input: The details of the routing control that you're updating. (Type: `UpdateRoutingControlInput`) /// - /// - Returns: `UpdateRoutingControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRoutingControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2028,7 +2004,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRoutingControlOutput.httpOutput(from:), UpdateRoutingControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2060,9 +2035,9 @@ extension Route53RecoveryControlConfigClient { /// /// Update a safety rule (an assertion rule or gating rule). You can only update the name and the waiting period for a safety rule. To make other updates, delete the safety rule and create a new one. /// - /// - Parameter UpdateSafetyRuleInput : A rule that you add to Application Recovery Controller to ensure that recovery actions don't accidentally impair your application's availability. + /// - Parameter input: A rule that you add to Application Recovery Controller to ensure that recovery actions don't accidentally impair your application's availability. (Type: `UpdateSafetyRuleInput`) /// - /// - Returns: `UpdateSafetyRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSafetyRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2098,7 +2073,6 @@ extension Route53RecoveryControlConfigClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSafetyRuleOutput.httpOutput(from:), UpdateSafetyRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRoute53RecoveryReadiness/Sources/AWSRoute53RecoveryReadiness/Route53RecoveryReadinessClient.swift b/Sources/Services/AWSRoute53RecoveryReadiness/Sources/AWSRoute53RecoveryReadiness/Route53RecoveryReadinessClient.swift index d4f116d75ab..9d814dcfb00 100644 --- a/Sources/Services/AWSRoute53RecoveryReadiness/Sources/AWSRoute53RecoveryReadiness/Route53RecoveryReadinessClient.swift +++ b/Sources/Services/AWSRoute53RecoveryReadiness/Sources/AWSRoute53RecoveryReadiness/Route53RecoveryReadinessClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class Route53RecoveryReadinessClient: ClientRuntime.Client { public static let clientName = "Route53RecoveryReadinessClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: Route53RecoveryReadinessClient.Route53RecoveryReadinessClientConfiguration let serviceName = "Route53 Recovery Readiness" @@ -374,9 +373,9 @@ extension Route53RecoveryReadinessClient { /// /// Creates a cell in an account. /// - /// - Parameter CreateCellInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCellInput`) /// - /// - Returns: `CreateCellOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCellOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCellOutput.httpOutput(from:), CreateCellOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension Route53RecoveryReadinessClient { /// /// Creates a cross-account readiness authorization. This lets you authorize another account to work with Route 53 Application Recovery Controller, for example, to check the readiness status of resources in a separate account. /// - /// - Parameter CreateCrossAccountAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCrossAccountAuthorizationInput`) /// - /// - Returns: `CreateCrossAccountAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCrossAccountAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCrossAccountAuthorizationOutput.httpOutput(from:), CreateCrossAccountAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension Route53RecoveryReadinessClient { /// /// Creates a readiness check in an account. A readiness check monitors a resource set in your application, such as a set of Amazon Aurora instances, that Application Recovery Controller is auditing recovery readiness for. The audits run once every minute on every resource that's associated with a readiness check. /// - /// - Parameter CreateReadinessCheckInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReadinessCheckInput`) /// - /// - Returns: `CreateReadinessCheckOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReadinessCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReadinessCheckOutput.httpOutput(from:), CreateReadinessCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension Route53RecoveryReadinessClient { /// /// Creates a recovery group in an account. A recovery group corresponds to an application and includes a list of the cells that make up the application. /// - /// - Parameter CreateRecoveryGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRecoveryGroupInput`) /// - /// - Returns: `CreateRecoveryGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRecoveryGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRecoveryGroupOutput.httpOutput(from:), CreateRecoveryGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension Route53RecoveryReadinessClient { /// /// Creates a resource set. A resource set is a set of resources of one type that span multiple cells. You can associate a resource set with a readiness check to monitor the resources for failover readiness. /// - /// - Parameter CreateResourceSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceSetInput`) /// - /// - Returns: `CreateResourceSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -702,7 +697,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceSetOutput.httpOutput(from:), CreateResourceSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -734,9 +728,9 @@ extension Route53RecoveryReadinessClient { /// /// Delete a cell. When successful, the response code is 204, with no response body. /// - /// - Parameter DeleteCellInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCellInput`) /// - /// - Returns: `DeleteCellOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCellOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCellOutput.httpOutput(from:), DeleteCellOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension Route53RecoveryReadinessClient { /// /// Deletes cross account readiness authorization. /// - /// - Parameter DeleteCrossAccountAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCrossAccountAuthorizationInput`) /// - /// - Returns: `DeleteCrossAccountAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCrossAccountAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -839,7 +832,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCrossAccountAuthorizationOutput.httpOutput(from:), DeleteCrossAccountAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -871,9 +863,9 @@ extension Route53RecoveryReadinessClient { /// /// Deletes a readiness check. /// - /// - Parameter DeleteReadinessCheckInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReadinessCheckInput`) /// - /// - Returns: `DeleteReadinessCheckOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReadinessCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -908,7 +900,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReadinessCheckOutput.httpOutput(from:), DeleteReadinessCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -940,9 +931,9 @@ extension Route53RecoveryReadinessClient { /// /// Deletes a recovery group. /// - /// - Parameter DeleteRecoveryGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRecoveryGroupInput`) /// - /// - Returns: `DeleteRecoveryGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRecoveryGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -977,7 +968,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRecoveryGroupOutput.httpOutput(from:), DeleteRecoveryGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1009,9 +999,9 @@ extension Route53RecoveryReadinessClient { /// /// Deletes a resource set. /// - /// - Parameter DeleteResourceSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceSetInput`) /// - /// - Returns: `DeleteResourceSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1046,7 +1036,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceSetOutput.httpOutput(from:), DeleteResourceSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1078,9 +1067,9 @@ extension Route53RecoveryReadinessClient { /// /// Gets recommendations about architecture designs for improving resiliency for an application, based on a recovery group. /// - /// - Parameter GetArchitectureRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetArchitectureRecommendationsInput`) /// - /// - Returns: `GetArchitectureRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetArchitectureRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1116,7 +1105,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetArchitectureRecommendationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetArchitectureRecommendationsOutput.httpOutput(from:), GetArchitectureRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1148,9 +1136,9 @@ extension Route53RecoveryReadinessClient { /// /// Gets information about a cell including cell name, cell Amazon Resource Name (ARN), ARNs of nested cells for this cell, and a list of those cell ARNs with their associated recovery group ARNs. /// - /// - Parameter GetCellInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCellInput`) /// - /// - Returns: `GetCellOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCellOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1185,7 +1173,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCellOutput.httpOutput(from:), GetCellOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1217,9 +1204,9 @@ extension Route53RecoveryReadinessClient { /// /// Gets readiness for a cell. Aggregates the readiness of all the resources that are associated with the cell into a single value. /// - /// - Parameter GetCellReadinessSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCellReadinessSummaryInput`) /// - /// - Returns: `GetCellReadinessSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCellReadinessSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1255,7 +1242,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCellReadinessSummaryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCellReadinessSummaryOutput.httpOutput(from:), GetCellReadinessSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1287,9 +1273,9 @@ extension Route53RecoveryReadinessClient { /// /// Gets details about a readiness check. /// - /// - Parameter GetReadinessCheckInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReadinessCheckInput`) /// - /// - Returns: `GetReadinessCheckOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReadinessCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1324,7 +1310,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReadinessCheckOutput.httpOutput(from:), GetReadinessCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1356,9 +1341,9 @@ extension Route53RecoveryReadinessClient { /// /// Gets individual readiness status for a readiness check. To see the overall readiness status for a recovery group, that considers the readiness status for all the readiness checks in the recovery group, use GetRecoveryGroupReadinessSummary. /// - /// - Parameter GetReadinessCheckResourceStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReadinessCheckResourceStatusInput`) /// - /// - Returns: `GetReadinessCheckResourceStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReadinessCheckResourceStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1394,7 +1379,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetReadinessCheckResourceStatusInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReadinessCheckResourceStatusOutput.httpOutput(from:), GetReadinessCheckResourceStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1426,9 +1410,9 @@ extension Route53RecoveryReadinessClient { /// /// Gets the readiness status for an individual readiness check. To see the overall readiness status for a recovery group, that considers the readiness status for all the readiness checks in a recovery group, use GetRecoveryGroupReadinessSummary. /// - /// - Parameter GetReadinessCheckStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReadinessCheckStatusInput`) /// - /// - Returns: `GetReadinessCheckStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReadinessCheckStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1464,7 +1448,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetReadinessCheckStatusInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReadinessCheckStatusOutput.httpOutput(from:), GetReadinessCheckStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1479,9 @@ extension Route53RecoveryReadinessClient { /// /// Gets details about a recovery group, including a list of the cells that are included in it. /// - /// - Parameter GetRecoveryGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecoveryGroupInput`) /// - /// - Returns: `GetRecoveryGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecoveryGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1533,7 +1516,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecoveryGroupOutput.httpOutput(from:), GetRecoveryGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1565,9 +1547,9 @@ extension Route53RecoveryReadinessClient { /// /// Displays a summary of information about a recovery group's readiness status. Includes the readiness checks for resources in the recovery group and the readiness status of each one. /// - /// - Parameter GetRecoveryGroupReadinessSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecoveryGroupReadinessSummaryInput`) /// - /// - Returns: `GetRecoveryGroupReadinessSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecoveryGroupReadinessSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1603,7 +1585,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRecoveryGroupReadinessSummaryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecoveryGroupReadinessSummaryOutput.httpOutput(from:), GetRecoveryGroupReadinessSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1635,9 +1616,9 @@ extension Route53RecoveryReadinessClient { /// /// Displays the details about a resource set, including a list of the resources in the set. /// - /// - Parameter GetResourceSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceSetInput`) /// - /// - Returns: `GetResourceSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1672,7 +1653,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceSetOutput.httpOutput(from:), GetResourceSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1704,9 +1684,9 @@ extension Route53RecoveryReadinessClient { /// /// Lists the cells for an account. /// - /// - Parameter ListCellsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCellsInput`) /// - /// - Returns: `ListCellsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCellsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1741,7 +1721,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCellsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCellsOutput.httpOutput(from:), ListCellsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1773,9 +1752,9 @@ extension Route53RecoveryReadinessClient { /// /// Lists the cross-account readiness authorizations that are in place for an account. /// - /// - Parameter ListCrossAccountAuthorizationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCrossAccountAuthorizationsInput`) /// - /// - Returns: `ListCrossAccountAuthorizationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCrossAccountAuthorizationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1810,7 +1789,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCrossAccountAuthorizationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCrossAccountAuthorizationsOutput.httpOutput(from:), ListCrossAccountAuthorizationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1842,9 +1820,9 @@ extension Route53RecoveryReadinessClient { /// /// Lists the readiness checks for an account. /// - /// - Parameter ListReadinessChecksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReadinessChecksInput`) /// - /// - Returns: `ListReadinessChecksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReadinessChecksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1879,7 +1857,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReadinessChecksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReadinessChecksOutput.httpOutput(from:), ListReadinessChecksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1911,9 +1888,9 @@ extension Route53RecoveryReadinessClient { /// /// Lists the recovery groups in an account. /// - /// - Parameter ListRecoveryGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecoveryGroupsInput`) /// - /// - Returns: `ListRecoveryGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecoveryGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1948,7 +1925,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecoveryGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecoveryGroupsOutput.httpOutput(from:), ListRecoveryGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1980,9 +1956,9 @@ extension Route53RecoveryReadinessClient { /// /// Lists the resource sets in an account. /// - /// - Parameter ListResourceSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceSetsInput`) /// - /// - Returns: `ListResourceSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2017,7 +1993,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourceSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceSetsOutput.httpOutput(from:), ListResourceSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2049,9 +2024,9 @@ extension Route53RecoveryReadinessClient { /// /// Lists all readiness rules, or lists the readiness rules for a specific resource type. /// - /// - Parameter ListRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesInput`) /// - /// - Returns: `ListRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2086,7 +2061,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesOutput.httpOutput(from:), ListRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2118,9 +2092,9 @@ extension Route53RecoveryReadinessClient { /// /// Lists the tags for a resource. /// - /// - Parameter ListTagsForResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourcesInput`) /// - /// - Returns: `ListTagsForResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2153,7 +2127,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourcesOutput.httpOutput(from:), ListTagsForResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2185,9 +2158,9 @@ extension Route53RecoveryReadinessClient { /// /// Adds a tag to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2223,7 +2196,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2255,9 +2227,9 @@ extension Route53RecoveryReadinessClient { /// /// Removes a tag from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2291,7 +2263,6 @@ extension Route53RecoveryReadinessClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2323,9 +2294,9 @@ extension Route53RecoveryReadinessClient { /// /// Updates a cell to replace the list of nested cells with a new list of nested cells. /// - /// - Parameter UpdateCellInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCellInput`) /// - /// - Returns: `UpdateCellOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCellOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2363,7 +2334,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCellOutput.httpOutput(from:), UpdateCellOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2395,9 +2365,9 @@ extension Route53RecoveryReadinessClient { /// /// Updates a readiness check. /// - /// - Parameter UpdateReadinessCheckInput : Name of a readiness check to describe. + /// - Parameter input: Name of a readiness check to describe. (Type: `UpdateReadinessCheckInput`) /// - /// - Returns: `UpdateReadinessCheckOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReadinessCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2435,7 +2405,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReadinessCheckOutput.httpOutput(from:), UpdateReadinessCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2467,9 +2436,9 @@ extension Route53RecoveryReadinessClient { /// /// Updates a recovery group. /// - /// - Parameter UpdateRecoveryGroupInput : Name of a recovery group. + /// - Parameter input: Name of a recovery group. (Type: `UpdateRecoveryGroupInput`) /// - /// - Returns: `UpdateRecoveryGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRecoveryGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2507,7 +2476,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRecoveryGroupOutput.httpOutput(from:), UpdateRecoveryGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2539,9 +2507,9 @@ extension Route53RecoveryReadinessClient { /// /// Updates a resource set. /// - /// - Parameter UpdateResourceSetInput : Name of a resource set. + /// - Parameter input: Name of a resource set. (Type: `UpdateResourceSetInput`) /// - /// - Returns: `UpdateResourceSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2579,7 +2547,6 @@ extension Route53RecoveryReadinessClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceSetOutput.httpOutput(from:), UpdateResourceSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSRoute53Resolver/Sources/AWSRoute53Resolver/Route53ResolverClient.swift b/Sources/Services/AWSRoute53Resolver/Sources/AWSRoute53Resolver/Route53ResolverClient.swift index b8be6db5205..0863ad09d1a 100644 --- a/Sources/Services/AWSRoute53Resolver/Sources/AWSRoute53Resolver/Route53ResolverClient.swift +++ b/Sources/Services/AWSRoute53Resolver/Sources/AWSRoute53Resolver/Route53ResolverClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class Route53ResolverClient: ClientRuntime.Client { public static let clientName = "Route53ResolverClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: Route53ResolverClient.Route53ResolverClientConfiguration let serviceName = "Route53Resolver" @@ -374,9 +373,9 @@ extension Route53ResolverClient { /// /// Associates a [FirewallRuleGroup] with a VPC, to provide DNS filtering for the VPC. /// - /// - Parameter AssociateFirewallRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateFirewallRuleGroupInput`) /// - /// - Returns: `AssociateFirewallRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateFirewallRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateFirewallRuleGroupOutput.httpOutput(from:), AssociateFirewallRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension Route53ResolverClient { /// /// Adds IP addresses to an inbound or an outbound Resolver endpoint. If you want to add more than one IP address, submit one AssociateResolverEndpointIpAddress request for each IP address. To remove an IP address from an endpoint, see [DisassociateResolverEndpointIpAddress](https://docs.aws.amazon.com/Route53/latest/APIReference/API_route53resolver_DisassociateResolverEndpointIpAddress.html). /// - /// - Parameter AssociateResolverEndpointIpAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateResolverEndpointIpAddressInput`) /// - /// - Returns: `AssociateResolverEndpointIpAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateResolverEndpointIpAddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateResolverEndpointIpAddressOutput.httpOutput(from:), AssociateResolverEndpointIpAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension Route53ResolverClient { /// /// Associates an Amazon VPC with a specified query logging configuration. Route 53 Resolver logs DNS queries that originate in all of the Amazon VPCs that are associated with a specified query logging configuration. To associate more than one VPC with a configuration, submit one AssociateResolverQueryLogConfig request for each VPC. The VPCs that you associate with a query logging configuration must be in the same Region as the configuration. To remove a VPC from a query logging configuration, see [DisassociateResolverQueryLogConfig](https://docs.aws.amazon.com/Route53/latest/APIReference/API_route53resolver_DisassociateResolverQueryLogConfig.html). /// - /// - Parameter AssociateResolverQueryLogConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateResolverQueryLogConfigInput`) /// - /// - Returns: `AssociateResolverQueryLogConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateResolverQueryLogConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -566,7 +563,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateResolverQueryLogConfigOutput.httpOutput(from:), AssociateResolverQueryLogConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension Route53ResolverClient { /// /// Associates a Resolver rule with a VPC. When you associate a rule with a VPC, Resolver forwards all DNS queries for the domain name that is specified in the rule and that originate in the VPC. The queries are forwarded to the IP addresses for the DNS resolvers that are specified in the rule. For more information about rules, see [CreateResolverRule](https://docs.aws.amazon.com/Route53/latest/APIReference/API_route53resolver_CreateResolverRule.html). /// - /// - Parameter AssociateResolverRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateResolverRuleInput`) /// - /// - Returns: `AssociateResolverRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateResolverRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -642,7 +638,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateResolverRuleOutput.httpOutput(from:), AssociateResolverRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -677,9 +672,9 @@ extension Route53ResolverClient { /// /// Creates an empty firewall domain list for use in DNS Firewall rules. You can populate the domains for the new list with a file, using [ImportFirewallDomains], or with domain strings, using [UpdateFirewallDomains]. /// - /// - Parameter CreateFirewallDomainListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFirewallDomainListInput`) /// - /// - Returns: `CreateFirewallDomainListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFirewallDomainListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -716,7 +711,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFirewallDomainListOutput.httpOutput(from:), CreateFirewallDomainListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -751,9 +745,9 @@ extension Route53ResolverClient { /// /// Creates a single DNS Firewall rule in the specified rule group, using the specified domain list. /// - /// - Parameter CreateFirewallRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFirewallRuleInput`) /// - /// - Returns: `CreateFirewallRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFirewallRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -791,7 +785,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFirewallRuleOutput.httpOutput(from:), CreateFirewallRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -826,9 +819,9 @@ extension Route53ResolverClient { /// /// Creates an empty DNS Firewall rule group for filtering DNS network traffic in a VPC. You can add rules to the new rule group by calling [CreateFirewallRule]. /// - /// - Parameter CreateFirewallRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFirewallRuleGroupInput`) /// - /// - Returns: `CreateFirewallRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFirewallRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -865,7 +858,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFirewallRuleGroupOutput.httpOutput(from:), CreateFirewallRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -900,9 +892,9 @@ extension Route53ResolverClient { /// /// Creates a Route 53 Resolver on an Outpost. /// - /// - Parameter CreateOutpostResolverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOutpostResolverInput`) /// - /// - Returns: `CreateOutpostResolverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOutpostResolverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -939,7 +931,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOutpostResolverOutput.httpOutput(from:), CreateOutpostResolverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -978,9 +969,9 @@ extension Route53ResolverClient { /// /// * An outbound Resolver endpoint forwards DNS queries from the DNS service for a VPC to your network. /// - /// - Parameter CreateResolverEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResolverEndpointInput`) /// - /// - Returns: `CreateResolverEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResolverEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1019,7 +1010,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResolverEndpointOutput.httpOutput(from:), CreateResolverEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1044,9 @@ extension Route53ResolverClient { /// /// Creates a Resolver query logging configuration, which defines where you want Resolver to save DNS query logs that originate in your VPCs. Resolver can log queries only for VPCs that are in the same Region as the query logging configuration. To specify which VPCs you want to log queries for, you use AssociateResolverQueryLogConfig. For more information, see [AssociateResolverQueryLogConfig](https://docs.aws.amazon.com/Route53/latest/APIReference/API_route53resolver_AssociateResolverQueryLogConfig.html). You can optionally use Resource Access Manager (RAM) to share a query logging configuration with other Amazon Web Services accounts. The other accounts can then associate VPCs with the configuration. The query logs that Resolver creates for a configuration include all DNS queries that originate in all VPCs that are associated with the configuration. /// - /// - Parameter CreateResolverQueryLogConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResolverQueryLogConfigInput`) /// - /// - Returns: `CreateResolverQueryLogConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResolverQueryLogConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1096,7 +1086,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResolverQueryLogConfigOutput.httpOutput(from:), CreateResolverQueryLogConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1131,9 +1120,9 @@ extension Route53ResolverClient { /// /// For DNS queries that originate in your VPCs, specifies which Resolver endpoint the queries pass through, one domain name that you want to forward to your network, and the IP addresses of the DNS resolvers in your network. /// - /// - Parameter CreateResolverRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResolverRuleInput`) /// - /// - Returns: `CreateResolverRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResolverRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1173,7 +1162,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResolverRuleOutput.httpOutput(from:), CreateResolverRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1208,9 +1196,9 @@ extension Route53ResolverClient { /// /// Deletes the specified domain list. /// - /// - Parameter DeleteFirewallDomainListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFirewallDomainListInput`) /// - /// - Returns: `DeleteFirewallDomainListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFirewallDomainListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1246,7 +1234,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFirewallDomainListOutput.httpOutput(from:), DeleteFirewallDomainListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1281,9 +1268,9 @@ extension Route53ResolverClient { /// /// Deletes the specified firewall rule. /// - /// - Parameter DeleteFirewallRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFirewallRuleInput`) /// - /// - Returns: `DeleteFirewallRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFirewallRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1319,7 +1306,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFirewallRuleOutput.httpOutput(from:), DeleteFirewallRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1354,9 +1340,9 @@ extension Route53ResolverClient { /// /// Deletes the specified firewall rule group. /// - /// - Parameter DeleteFirewallRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFirewallRuleGroupInput`) /// - /// - Returns: `DeleteFirewallRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFirewallRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1393,7 +1379,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFirewallRuleGroupOutput.httpOutput(from:), DeleteFirewallRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1428,9 +1413,9 @@ extension Route53ResolverClient { /// /// Deletes a Resolver on the Outpost. /// - /// - Parameter DeleteOutpostResolverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOutpostResolverInput`) /// - /// - Returns: `DeleteOutpostResolverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOutpostResolverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1467,7 +1452,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOutpostResolverOutput.httpOutput(from:), DeleteOutpostResolverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1506,9 +1490,9 @@ extension Route53ResolverClient { /// /// * Outbound: DNS queries from a VPC are no longer routed to your network. /// - /// - Parameter DeleteResolverEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResolverEndpointInput`) /// - /// - Returns: `DeleteResolverEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResolverEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1544,7 +1528,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResolverEndpointOutput.httpOutput(from:), DeleteResolverEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1579,9 +1562,9 @@ extension Route53ResolverClient { /// /// Deletes a query logging configuration. When you delete a configuration, Resolver stops logging DNS queries for all of the Amazon VPCs that are associated with the configuration. This also applies if the query logging configuration is shared with other Amazon Web Services accounts, and the other accounts have associated VPCs with the shared configuration. Before you can delete a query logging configuration, you must first disassociate all VPCs from the configuration. See [DisassociateResolverQueryLogConfig](https://docs.aws.amazon.com/Route53/latest/APIReference/API_route53resolver_DisassociateResolverQueryLogConfig.html). If you used Resource Access Manager (RAM) to share a query logging configuration with other accounts, you must stop sharing the configuration before you can delete a configuration. The accounts that you shared the configuration with can first disassociate VPCs that they associated with the configuration, but that's not necessary. If you stop sharing the configuration, those VPCs are automatically disassociated from the configuration. /// - /// - Parameter DeleteResolverQueryLogConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResolverQueryLogConfigInput`) /// - /// - Returns: `DeleteResolverQueryLogConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResolverQueryLogConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1618,7 +1601,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResolverQueryLogConfigOutput.httpOutput(from:), DeleteResolverQueryLogConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1653,9 +1635,9 @@ extension Route53ResolverClient { /// /// Deletes a Resolver rule. Before you can delete a Resolver rule, you must disassociate it from all the VPCs that you associated the Resolver rule with. For more information, see [DisassociateResolverRule](https://docs.aws.amazon.com/Route53/latest/APIReference/API_route53resolver_DisassociateResolverRule.html). /// - /// - Parameter DeleteResolverRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResolverRuleInput`) /// - /// - Returns: `DeleteResolverRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResolverRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1691,7 +1673,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResolverRuleOutput.httpOutput(from:), DeleteResolverRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1726,9 +1707,9 @@ extension Route53ResolverClient { /// /// Disassociates a [FirewallRuleGroup] from a VPC, to remove DNS filtering from the VPC. /// - /// - Parameter DisassociateFirewallRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFirewallRuleGroupInput`) /// - /// - Returns: `DisassociateFirewallRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFirewallRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1765,7 +1746,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFirewallRuleGroupOutput.httpOutput(from:), DisassociateFirewallRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1800,9 +1780,9 @@ extension Route53ResolverClient { /// /// Removes IP addresses from an inbound or an outbound Resolver endpoint. If you want to remove more than one IP address, submit one DisassociateResolverEndpointIpAddress request for each IP address. To add an IP address to an endpoint, see [AssociateResolverEndpointIpAddress](https://docs.aws.amazon.com/Route53/latest/APIReference/API_route53resolver_AssociateResolverEndpointIpAddress.html). /// - /// - Parameter DisassociateResolverEndpointIpAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateResolverEndpointIpAddressInput`) /// - /// - Returns: `DisassociateResolverEndpointIpAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateResolverEndpointIpAddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1839,7 +1819,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateResolverEndpointIpAddressOutput.httpOutput(from:), DisassociateResolverEndpointIpAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1878,9 +1857,9 @@ extension Route53ResolverClient { /// /// * You can stop sharing the configuration. /// - /// - Parameter DisassociateResolverQueryLogConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateResolverQueryLogConfigInput`) /// - /// - Returns: `DisassociateResolverQueryLogConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateResolverQueryLogConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1917,7 +1896,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateResolverQueryLogConfigOutput.httpOutput(from:), DisassociateResolverQueryLogConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1952,9 +1930,9 @@ extension Route53ResolverClient { /// /// Removes the association between a specified Resolver rule and a specified VPC. If you disassociate a Resolver rule from a VPC, Resolver stops forwarding DNS queries for the domain name that you specified in the Resolver rule. /// - /// - Parameter DisassociateResolverRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateResolverRuleInput`) /// - /// - Returns: `DisassociateResolverRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateResolverRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1989,7 +1967,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateResolverRuleOutput.httpOutput(from:), DisassociateResolverRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2024,9 +2001,9 @@ extension Route53ResolverClient { /// /// Retrieves the configuration of the firewall behavior provided by DNS Firewall for a single VPC from Amazon Virtual Private Cloud (Amazon VPC). /// - /// - Parameter GetFirewallConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFirewallConfigInput`) /// - /// - Returns: `GetFirewallConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFirewallConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2062,7 +2039,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFirewallConfigOutput.httpOutput(from:), GetFirewallConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2097,9 +2073,9 @@ extension Route53ResolverClient { /// /// Retrieves the specified firewall domain list. /// - /// - Parameter GetFirewallDomainListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFirewallDomainListInput`) /// - /// - Returns: `GetFirewallDomainListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFirewallDomainListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2134,7 +2110,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFirewallDomainListOutput.httpOutput(from:), GetFirewallDomainListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2169,9 +2144,9 @@ extension Route53ResolverClient { /// /// Retrieves the specified firewall rule group. /// - /// - Parameter GetFirewallRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFirewallRuleGroupInput`) /// - /// - Returns: `GetFirewallRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFirewallRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2206,7 +2181,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFirewallRuleGroupOutput.httpOutput(from:), GetFirewallRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2241,9 +2215,9 @@ extension Route53ResolverClient { /// /// Retrieves a firewall rule group association, which enables DNS filtering for a VPC with one rule group. A VPC can have more than one firewall rule group association, and a rule group can be associated with more than one VPC. /// - /// - Parameter GetFirewallRuleGroupAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFirewallRuleGroupAssociationInput`) /// - /// - Returns: `GetFirewallRuleGroupAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFirewallRuleGroupAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2278,7 +2252,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFirewallRuleGroupAssociationOutput.httpOutput(from:), GetFirewallRuleGroupAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2313,9 +2286,9 @@ extension Route53ResolverClient { /// /// Returns the Identity and Access Management (Amazon Web Services IAM) policy for sharing the specified rule group. You can use the policy to share the rule group using Resource Access Manager (RAM). /// - /// - Parameter GetFirewallRuleGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFirewallRuleGroupPolicyInput`) /// - /// - Returns: `GetFirewallRuleGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFirewallRuleGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2351,7 +2324,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFirewallRuleGroupPolicyOutput.httpOutput(from:), GetFirewallRuleGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2386,9 +2358,9 @@ extension Route53ResolverClient { /// /// Gets information about a specified Resolver on the Outpost, such as its instance count and type, name, and the current status of the Resolver. /// - /// - Parameter GetOutpostResolverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOutpostResolverInput`) /// - /// - Returns: `GetOutpostResolverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOutpostResolverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2424,7 +2396,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOutpostResolverOutput.httpOutput(from:), GetOutpostResolverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2459,9 +2430,9 @@ extension Route53ResolverClient { /// /// Retrieves the behavior configuration of Route 53 Resolver behavior for a single VPC from Amazon Virtual Private Cloud. /// - /// - Parameter GetResolverConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResolverConfigInput`) /// - /// - Returns: `GetResolverConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResolverConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2498,7 +2469,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResolverConfigOutput.httpOutput(from:), GetResolverConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2533,9 +2503,9 @@ extension Route53ResolverClient { /// /// Gets DNSSEC validation information for a specified resource. /// - /// - Parameter GetResolverDnssecConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResolverDnssecConfigInput`) /// - /// - Returns: `GetResolverDnssecConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResolverDnssecConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2542,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResolverDnssecConfigOutput.httpOutput(from:), GetResolverDnssecConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2607,9 +2576,9 @@ extension Route53ResolverClient { /// /// Gets information about a specified Resolver endpoint, such as whether it's an inbound or an outbound Resolver endpoint, and the current status of the endpoint. /// - /// - Parameter GetResolverEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResolverEndpointInput`) /// - /// - Returns: `GetResolverEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResolverEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2644,7 +2613,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResolverEndpointOutput.httpOutput(from:), GetResolverEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2679,9 +2647,9 @@ extension Route53ResolverClient { /// /// Gets information about a specified Resolver query logging configuration, such as the number of VPCs that the configuration is logging queries for and the location that logs are sent to. /// - /// - Parameter GetResolverQueryLogConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResolverQueryLogConfigInput`) /// - /// - Returns: `GetResolverQueryLogConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResolverQueryLogConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2718,7 +2686,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResolverQueryLogConfigOutput.httpOutput(from:), GetResolverQueryLogConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2753,9 +2720,9 @@ extension Route53ResolverClient { /// /// Gets information about a specified association between a Resolver query logging configuration and an Amazon VPC. When you associate a VPC with a query logging configuration, Resolver logs DNS queries that originate in that VPC. /// - /// - Parameter GetResolverQueryLogConfigAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResolverQueryLogConfigAssociationInput`) /// - /// - Returns: `GetResolverQueryLogConfigAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResolverQueryLogConfigAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2792,7 +2759,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResolverQueryLogConfigAssociationOutput.httpOutput(from:), GetResolverQueryLogConfigAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2827,9 +2793,9 @@ extension Route53ResolverClient { /// /// Gets information about a query logging policy. A query logging policy specifies the Resolver query logging operations and resources that you want to allow another Amazon Web Services account to be able to use. /// - /// - Parameter GetResolverQueryLogConfigPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResolverQueryLogConfigPolicyInput`) /// - /// - Returns: `GetResolverQueryLogConfigPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResolverQueryLogConfigPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2865,7 +2831,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResolverQueryLogConfigPolicyOutput.httpOutput(from:), GetResolverQueryLogConfigPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2900,9 +2865,9 @@ extension Route53ResolverClient { /// /// Gets information about a specified Resolver rule, such as the domain name that the rule forwards DNS queries for and the ID of the outbound Resolver endpoint that the rule is associated with. /// - /// - Parameter GetResolverRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResolverRuleInput`) /// - /// - Returns: `GetResolverRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResolverRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2937,7 +2902,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResolverRuleOutput.httpOutput(from:), GetResolverRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2972,9 +2936,9 @@ extension Route53ResolverClient { /// /// Gets information about an association between a specified Resolver rule and a VPC. You associate a Resolver rule and a VPC using [AssociateResolverRule](https://docs.aws.amazon.com/Route53/latest/APIReference/API_route53resolver_AssociateResolverRule.html). /// - /// - Parameter GetResolverRuleAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResolverRuleAssociationInput`) /// - /// - Returns: `GetResolverRuleAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResolverRuleAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3009,7 +2973,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResolverRuleAssociationOutput.httpOutput(from:), GetResolverRuleAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3044,9 +3007,9 @@ extension Route53ResolverClient { /// /// Gets information about the Resolver rule policy for a specified rule. A Resolver rule policy includes the rule that you want to share with another account, the account that you want to share the rule with, and the Resolver operations that you want to allow the account to use. /// - /// - Parameter GetResolverRulePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResolverRulePolicyInput`) /// - /// - Returns: `GetResolverRulePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResolverRulePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3081,7 +3044,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResolverRulePolicyOutput.httpOutput(from:), GetResolverRulePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3122,9 +3084,9 @@ extension Route53ResolverClient { /// /// * It must be from 1-255 characters in length. /// - /// - Parameter ImportFirewallDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportFirewallDomainsInput`) /// - /// - Returns: `ImportFirewallDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportFirewallDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3162,7 +3124,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportFirewallDomainsOutput.httpOutput(from:), ImportFirewallDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3197,9 +3158,9 @@ extension Route53ResolverClient { /// /// Retrieves the firewall configurations that you have defined. DNS Firewall uses the configurations to manage firewall behavior for your VPCs. A single call might return only a partial list of the configurations. For information, see MaxResults. /// - /// - Parameter ListFirewallConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFirewallConfigsInput`) /// - /// - Returns: `ListFirewallConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFirewallConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3234,7 +3195,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFirewallConfigsOutput.httpOutput(from:), ListFirewallConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3269,9 +3229,9 @@ extension Route53ResolverClient { /// /// Retrieves the firewall domain lists that you have defined. For each firewall domain list, you can retrieve the domains that are defined for a list by calling [ListFirewallDomains]. A single call to this list operation might return only a partial list of the domain lists. For information, see MaxResults. /// - /// - Parameter ListFirewallDomainListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFirewallDomainListsInput`) /// - /// - Returns: `ListFirewallDomainListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFirewallDomainListsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3306,7 +3266,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFirewallDomainListsOutput.httpOutput(from:), ListFirewallDomainListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3341,9 +3300,9 @@ extension Route53ResolverClient { /// /// Retrieves the domains that you have defined for the specified firewall domain list. A single call might return only a partial list of the domains. For information, see MaxResults. /// - /// - Parameter ListFirewallDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFirewallDomainsInput`) /// - /// - Returns: `ListFirewallDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFirewallDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3379,7 +3338,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFirewallDomainsOutput.httpOutput(from:), ListFirewallDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3414,9 +3372,9 @@ extension Route53ResolverClient { /// /// Retrieves the firewall rule group associations that you have defined. Each association enables DNS filtering for a VPC with one rule group. A single call might return only a partial list of the associations. For information, see MaxResults. /// - /// - Parameter ListFirewallRuleGroupAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFirewallRuleGroupAssociationsInput`) /// - /// - Returns: `ListFirewallRuleGroupAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFirewallRuleGroupAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3451,7 +3409,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFirewallRuleGroupAssociationsOutput.httpOutput(from:), ListFirewallRuleGroupAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3486,9 +3443,9 @@ extension Route53ResolverClient { /// /// Retrieves the minimal high-level information for the rule groups that you have defined. A single call might return only a partial list of the rule groups. For information, see MaxResults. /// - /// - Parameter ListFirewallRuleGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFirewallRuleGroupsInput`) /// - /// - Returns: `ListFirewallRuleGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFirewallRuleGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3523,7 +3480,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFirewallRuleGroupsOutput.httpOutput(from:), ListFirewallRuleGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3558,9 +3514,9 @@ extension Route53ResolverClient { /// /// Retrieves the firewall rules that you have defined for the specified firewall rule group. DNS Firewall uses the rules in a rule group to filter DNS network traffic for a VPC. A single call might return only a partial list of the rules. For information, see MaxResults. /// - /// - Parameter ListFirewallRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFirewallRulesInput`) /// - /// - Returns: `ListFirewallRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFirewallRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3596,7 +3552,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFirewallRulesOutput.httpOutput(from:), ListFirewallRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3631,9 +3586,9 @@ extension Route53ResolverClient { /// /// Lists all the Resolvers on Outposts that were created using the current Amazon Web Services account. /// - /// - Parameter ListOutpostResolversInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOutpostResolversInput`) /// - /// - Returns: `ListOutpostResolversOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOutpostResolversOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3669,7 +3624,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOutpostResolversOutput.httpOutput(from:), ListOutpostResolversOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3704,9 +3658,9 @@ extension Route53ResolverClient { /// /// Retrieves the Resolver configurations that you have defined. Route 53 Resolver uses the configurations to manage DNS resolution behavior for your VPCs. /// - /// - Parameter ListResolverConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResolverConfigsInput`) /// - /// - Returns: `ListResolverConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResolverConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3744,7 +3698,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResolverConfigsOutput.httpOutput(from:), ListResolverConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3779,9 +3732,9 @@ extension Route53ResolverClient { /// /// Lists the configurations for DNSSEC validation that are associated with the current Amazon Web Services account. /// - /// - Parameter ListResolverDnssecConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResolverDnssecConfigsInput`) /// - /// - Returns: `ListResolverDnssecConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResolverDnssecConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3818,7 +3771,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResolverDnssecConfigsOutput.httpOutput(from:), ListResolverDnssecConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3853,9 +3805,9 @@ extension Route53ResolverClient { /// /// Gets the IP addresses for a specified Resolver endpoint. /// - /// - Parameter ListResolverEndpointIpAddressesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResolverEndpointIpAddressesInput`) /// - /// - Returns: `ListResolverEndpointIpAddressesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResolverEndpointIpAddressesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3891,7 +3843,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResolverEndpointIpAddressesOutput.httpOutput(from:), ListResolverEndpointIpAddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3926,9 +3877,9 @@ extension Route53ResolverClient { /// /// Lists all the Resolver endpoints that were created using the current Amazon Web Services account. /// - /// - Parameter ListResolverEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResolverEndpointsInput`) /// - /// - Returns: `ListResolverEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResolverEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3964,7 +3915,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResolverEndpointsOutput.httpOutput(from:), ListResolverEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3999,9 +3949,9 @@ extension Route53ResolverClient { /// /// Lists information about associations between Amazon VPCs and query logging configurations. /// - /// - Parameter ListResolverQueryLogConfigAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResolverQueryLogConfigAssociationsInput`) /// - /// - Returns: `ListResolverQueryLogConfigAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResolverQueryLogConfigAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4038,7 +3988,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResolverQueryLogConfigAssociationsOutput.httpOutput(from:), ListResolverQueryLogConfigAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4073,9 +4022,9 @@ extension Route53ResolverClient { /// /// Lists information about the specified query logging configurations. Each configuration defines where you want Resolver to save DNS query logs and specifies the VPCs that you want to log queries for. /// - /// - Parameter ListResolverQueryLogConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResolverQueryLogConfigsInput`) /// - /// - Returns: `ListResolverQueryLogConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResolverQueryLogConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4112,7 +4061,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResolverQueryLogConfigsOutput.httpOutput(from:), ListResolverQueryLogConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4147,9 +4095,9 @@ extension Route53ResolverClient { /// /// Lists the associations that were created between Resolver rules and VPCs using the current Amazon Web Services account. /// - /// - Parameter ListResolverRuleAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResolverRuleAssociationsInput`) /// - /// - Returns: `ListResolverRuleAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResolverRuleAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4185,7 +4133,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResolverRuleAssociationsOutput.httpOutput(from:), ListResolverRuleAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4220,9 +4167,9 @@ extension Route53ResolverClient { /// /// Lists the Resolver rules that were created using the current Amazon Web Services account. /// - /// - Parameter ListResolverRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResolverRulesInput`) /// - /// - Returns: `ListResolverRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResolverRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4258,7 +4205,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResolverRulesOutput.httpOutput(from:), ListResolverRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4293,9 +4239,9 @@ extension Route53ResolverClient { /// /// Lists the tags that you associated with the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4332,7 +4278,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4367,9 +4312,9 @@ extension Route53ResolverClient { /// /// Attaches an Identity and Access Management (Amazon Web Services IAM) policy for sharing the rule group. You can use the policy to share the rule group using Resource Access Manager (RAM). /// - /// - Parameter PutFirewallRuleGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutFirewallRuleGroupPolicyInput`) /// - /// - Returns: `PutFirewallRuleGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutFirewallRuleGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4405,7 +4350,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutFirewallRuleGroupPolicyOutput.httpOutput(from:), PutFirewallRuleGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4440,9 +4384,9 @@ extension Route53ResolverClient { /// /// Specifies an Amazon Web Services account that you want to share a query logging configuration with, the query logging configuration that you want to share, and the operations that you want the account to be able to perform on the configuration. /// - /// - Parameter PutResolverQueryLogConfigPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResolverQueryLogConfigPolicyInput`) /// - /// - Returns: `PutResolverQueryLogConfigPolicyOutput` : The response to a PutResolverQueryLogConfigPolicy request. + /// - Returns: The response to a PutResolverQueryLogConfigPolicy request. (Type: `PutResolverQueryLogConfigPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4479,7 +4423,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResolverQueryLogConfigPolicyOutput.httpOutput(from:), PutResolverQueryLogConfigPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4514,9 +4457,9 @@ extension Route53ResolverClient { /// /// Specifies an Amazon Web Services rule that you want to share with another account, the account that you want to share the rule with, and the operations that you want the account to be able to perform on the rule. /// - /// - Parameter PutResolverRulePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResolverRulePolicyInput`) /// - /// - Returns: `PutResolverRulePolicyOutput` : The response to a PutResolverRulePolicy request. + /// - Returns: The response to a PutResolverRulePolicy request. (Type: `PutResolverRulePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4552,7 +4495,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResolverRulePolicyOutput.httpOutput(from:), PutResolverRulePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4587,9 +4529,9 @@ extension Route53ResolverClient { /// /// Adds one or more tags to a specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4627,7 +4569,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4662,9 +4603,9 @@ extension Route53ResolverClient { /// /// Removes one or more tags from a specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4700,7 +4641,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4735,9 +4675,9 @@ extension Route53ResolverClient { /// /// Updates the configuration of the firewall behavior provided by DNS Firewall for a single VPC from Amazon Virtual Private Cloud (Amazon VPC). /// - /// - Parameter UpdateFirewallConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFirewallConfigInput`) /// - /// - Returns: `UpdateFirewallConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFirewallConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4773,7 +4713,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFirewallConfigOutput.httpOutput(from:), UpdateFirewallConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4808,9 +4747,9 @@ extension Route53ResolverClient { /// /// Updates the firewall domain list from an array of domain specifications. /// - /// - Parameter UpdateFirewallDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFirewallDomainsInput`) /// - /// - Returns: `UpdateFirewallDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFirewallDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4848,7 +4787,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFirewallDomainsOutput.httpOutput(from:), UpdateFirewallDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4883,9 +4821,9 @@ extension Route53ResolverClient { /// /// Updates the specified firewall rule. /// - /// - Parameter UpdateFirewallRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFirewallRuleInput`) /// - /// - Returns: `UpdateFirewallRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFirewallRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4922,7 +4860,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFirewallRuleOutput.httpOutput(from:), UpdateFirewallRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4957,9 +4894,9 @@ extension Route53ResolverClient { /// /// Changes the association of a [FirewallRuleGroup] with a VPC. The association enables DNS filtering for the VPC. /// - /// - Parameter UpdateFirewallRuleGroupAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFirewallRuleGroupAssociationInput`) /// - /// - Returns: `UpdateFirewallRuleGroupAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFirewallRuleGroupAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4996,7 +4933,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFirewallRuleGroupAssociationOutput.httpOutput(from:), UpdateFirewallRuleGroupAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5031,9 +4967,9 @@ extension Route53ResolverClient { /// /// You can use UpdateOutpostResolver to update the instance count, type, or name of a Resolver on an Outpost. /// - /// - Parameter UpdateOutpostResolverInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOutpostResolverInput`) /// - /// - Returns: `UpdateOutpostResolverOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOutpostResolverOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5071,7 +5007,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOutpostResolverOutput.httpOutput(from:), UpdateOutpostResolverOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5106,9 +5041,9 @@ extension Route53ResolverClient { /// /// Updates the behavior configuration of Route 53 Resolver behavior for a single VPC from Amazon Virtual Private Cloud. /// - /// - Parameter UpdateResolverConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResolverConfigInput`) /// - /// - Returns: `UpdateResolverConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResolverConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5148,7 +5083,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResolverConfigOutput.httpOutput(from:), UpdateResolverConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5183,9 +5117,9 @@ extension Route53ResolverClient { /// /// Updates an existing DNSSEC validation configuration. If there is no existing DNSSEC validation configuration, one is created. /// - /// - Parameter UpdateResolverDnssecConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResolverDnssecConfigInput`) /// - /// - Returns: `UpdateResolverDnssecConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResolverDnssecConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5222,7 +5156,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResolverDnssecConfigOutput.httpOutput(from:), UpdateResolverDnssecConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5257,9 +5190,9 @@ extension Route53ResolverClient { /// /// Updates the name, or endpoint type for an inbound or an outbound Resolver endpoint. You can only update between IPV4 and DUALSTACK, IPV6 endpoint type can't be updated to other type. /// - /// - Parameter UpdateResolverEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResolverEndpointInput`) /// - /// - Returns: `UpdateResolverEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResolverEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5296,7 +5229,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResolverEndpointOutput.httpOutput(from:), UpdateResolverEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5331,9 +5263,9 @@ extension Route53ResolverClient { /// /// Updates settings for a specified Resolver rule. ResolverRuleId is required, and all other parameters are optional. If you don't specify a parameter, it retains its current value. /// - /// - Parameter UpdateResolverRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResolverRuleInput`) /// - /// - Returns: `UpdateResolverRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResolverRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5372,7 +5304,6 @@ extension Route53ResolverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResolverRuleOutput.httpOutput(from:), UpdateResolverRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSS3/Sources/AWSS3/Models.swift b/Sources/Services/AWSS3/Sources/AWSS3/Models.swift index adc7f871e81..6ddceae9228 100644 --- a/Sources/Services/AWSS3/Sources/AWSS3/Models.swift +++ b/Sources/Services/AWSS3/Sources/AWSS3/Models.swift @@ -21,7 +21,6 @@ import class SmithyHTTPAPI.HTTPRequestBuilder import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyXML.Reader @_spi(SmithyReadWrite) import class SmithyXML.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum ClientRuntime.ErrorFault import enum ClientRuntime.OrchestratorMetricsAttributesKeys @@ -23822,7 +23821,6 @@ extension GetObjectInput { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectOutput.httpOutput(from:), GetObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23967,7 +23965,6 @@ extension PutObjectInput { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectOutput.httpOutput(from:), PutObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24053,7 +24050,6 @@ extension UploadPartInput { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadPartOutput.httpOutput(from:), UploadPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24120,7 +24116,6 @@ extension GetObjectInput { builder.serialize(ClientRuntime.QueryItemMiddleware(GetObjectInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectOutput.httpOutput(from:), GetObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24191,7 +24186,6 @@ extension PutObjectInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectOutput.httpOutput(from:), PutObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24263,7 +24257,6 @@ extension UploadPartInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadPartOutput.httpOutput(from:), UploadPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSS3/Sources/AWSS3/S3Client.swift b/Sources/Services/AWSS3/Sources/AWSS3/S3Client.swift index c1f4c87240b..07366faa7de 100644 --- a/Sources/Services/AWSS3/Sources/AWSS3/S3Client.swift +++ b/Sources/Services/AWSS3/Sources/AWSS3/S3Client.swift @@ -27,7 +27,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyXML.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -87,7 +86,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class S3Client: ClientRuntime.Client { public static let clientName = "S3Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: S3Client.S3ClientConfiguration let serviceName = "S3" @@ -480,9 +479,9 @@ extension S3Client { /// /// * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html) /// - /// - Parameter AbortMultipartUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AbortMultipartUploadInput`) /// - /// - Returns: `AbortMultipartUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AbortMultipartUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -517,7 +516,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(AbortMultipartUploadInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AbortMultipartUploadOutput.httpOutput(from:), AbortMultipartUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -607,9 +605,9 @@ extension S3Client { /// /// * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html) /// - /// - Parameter CompleteMultipartUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CompleteMultipartUploadInput`) /// - /// - Returns: `CompleteMultipartUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CompleteMultipartUploadOutput`) public func completeMultipartUpload(input: CompleteMultipartUploadInput) async throws -> CompleteMultipartUploadOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -642,7 +640,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CompleteMultipartUploadOutput.httpOutput(from:), CompleteMultipartUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -731,9 +728,9 @@ extension S3Client { /// /// * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html) /// - /// - Parameter CopyObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyObjectInput`) /// - /// - Returns: `CopyObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -768,7 +765,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(CopyObjectInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyObjectOutput.httpOutput(from:), CopyObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -831,9 +827,9 @@ extension S3Client { /// /// * [DeleteBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucket.html) /// - /// - Parameter CreateBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBucketInput`) /// - /// - Returns: `CreateBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -871,7 +867,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBucketOutput.httpOutput(from:), CreateBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +927,9 @@ extension S3Client { /// /// * [UpdateBucketMetadataJournalTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataJournalTableConfiguration.html) /// - /// - Parameter CreateBucketMetadataConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBucketMetadataConfigurationInput`) /// - /// - Returns: `CreateBucketMetadataConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBucketMetadataConfigurationOutput`) public func createBucketMetadataConfiguration(input: CreateBucketMetadataConfigurationInput) async throws -> CreateBucketMetadataConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -967,7 +962,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBucketMetadataConfigurationOutput.httpOutput(from:), CreateBucketMetadataConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1019,9 +1013,9 @@ extension S3Client { /// /// * [GetBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetadataTableConfiguration.html) /// - /// - Parameter CreateBucketMetadataTableConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBucketMetadataTableConfigurationInput`) /// - /// - Returns: `CreateBucketMetadataTableConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBucketMetadataTableConfigurationOutput`) public func createBucketMetadataTableConfiguration(input: CreateBucketMetadataTableConfigurationInput) async throws -> CreateBucketMetadataTableConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1054,7 +1048,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBucketMetadataTableConfigurationOutput.httpOutput(from:), CreateBucketMetadataTableConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1156,9 +1149,9 @@ extension S3Client { /// /// * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html) /// - /// - Parameter CreateMultipartUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMultipartUploadInput`) /// - /// - Returns: `CreateMultipartUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMultipartUploadOutput`) public func createMultipartUpload(input: CreateMultipartUploadInput) async throws -> CreateMultipartUploadOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1188,7 +1181,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(CreateMultipartUploadInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMultipartUploadOutput.httpOutput(from:), CreateMultipartUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1231,9 +1223,9 @@ extension S3Client { /// /// Permissions To obtain temporary security credentials, you must create a bucket policy or an IAM identity-based policy that grants s3express:CreateSession permission to the bucket. In a policy, you can have the s3express:SessionMode condition key to control who can create a ReadWrite or ReadOnly session. For more information about ReadWrite or ReadOnly sessions, see [x-amz-create-session-mode](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html#API_CreateSession_RequestParameters). For example policies, see [Example bucket policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-example-bucket-policies.html) and [Amazon Web Services Identity and Access Management (IAM) identity-based policies for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam-identity-policies.html) in the Amazon S3 User Guide. To grant cross-account access to Zonal endpoint API operations, the bucket policy should also grant both accounts the s3express:CreateSession permission. If you want to encrypt objects with SSE-KMS, you must also have the kms:GenerateDataKey and the kms:Decrypt permissions in IAM identity-based policies and KMS key policies for the target KMS key. Encryption For directory buckets, there are only two supported options for server-side encryption: server-side encryption with Amazon S3 managed keys (SSE-S3) (AES256) and server-side encryption with KMS keys (SSE-KMS) (aws:kms). We recommend that the bucket's default encryption uses the desired encryption configuration and you don't override the bucket default encryption in your CreateSession requests or PUT object requests. Then, new objects are automatically encrypted with the desired encryption settings. For more information, see [Protecting data with server-side encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-serv-side-encryption.html) in the Amazon S3 User Guide. For more information about the encryption overriding behaviors in directory buckets, see [Specifying server-side encryption with KMS for new object uploads](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-specifying-kms-encryption.html). For [Zonal endpoint (object-level) API operations](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-differences.html#s3-express-differences-api-operations) except [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html) and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html), you authenticate and authorize requests through [CreateSession](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html) for low latency. To encrypt new objects in a directory bucket with SSE-KMS, you must specify SSE-KMS as the directory bucket's default encryption configuration with a KMS key (specifically, a [customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk)). Then, when a session is created for Zonal endpoint API operations, new objects are automatically encrypted and decrypted with SSE-KMS and S3 Bucket Keys during the session. Only 1 [customer managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk) is supported per directory bucket for the lifetime of the bucket. The [Amazon Web Services managed key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk) (aws/s3) isn't supported. After you specify SSE-KMS as your bucket's default encryption configuration with a customer managed key, you can't change the customer managed key for the bucket's SSE-KMS configuration. In the Zonal endpoint API calls (except [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html) and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html)) using the REST API, you can't override the values of the encryption settings (x-amz-server-side-encryption, x-amz-server-side-encryption-aws-kms-key-id, x-amz-server-side-encryption-context, and x-amz-server-side-encryption-bucket-key-enabled) from the CreateSession request. You don't need to explicitly specify these encryption settings values in Zonal endpoint API calls, and Amazon S3 will use the encryption settings values from the CreateSession request to protect new objects in the directory bucket. When you use the CLI or the Amazon Web Services SDKs, for CreateSession, the session token refreshes automatically to avoid service interruptions when a session expires. The CLI or the Amazon Web Services SDKs use the bucket's default encryption configuration for the CreateSession request. It's not supported to override the encryption settings values in the CreateSession request. Also, in the Zonal endpoint API calls (except [CopyObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CopyObject.html) and [UploadPartCopy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UploadPartCopy.html)), it's not supported to override the values of the encryption settings from the CreateSession request. HTTP Host header syntax Directory buckets - The HTTP Host header syntax is Bucket-name.s3express-zone-id.region-code.amazonaws.com. /// - /// - Parameter CreateSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSessionInput`) /// - /// - Returns: `CreateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1268,7 +1260,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(CreateSessionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSessionOutput.httpOutput(from:), CreateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1320,9 +1311,9 @@ extension S3Client { /// /// * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html) /// - /// - Parameter DeleteBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketInput`) /// - /// - Returns: `DeleteBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketOutput`) public func deleteBucket(input: DeleteBucketInput) async throws -> DeleteBucketOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1351,7 +1342,6 @@ extension S3Client { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteBucketInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketOutput.httpOutput(from:), DeleteBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1391,9 +1381,9 @@ extension S3Client { /// /// * [PutBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketAnalyticsConfiguration.html) /// - /// - Parameter DeleteBucketAnalyticsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketAnalyticsConfigurationInput`) /// - /// - Returns: `DeleteBucketAnalyticsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketAnalyticsConfigurationOutput`) public func deleteBucketAnalyticsConfiguration(input: DeleteBucketAnalyticsConfigurationInput) async throws -> DeleteBucketAnalyticsConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1423,7 +1413,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketAnalyticsConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketAnalyticsConfigurationOutput.httpOutput(from:), DeleteBucketAnalyticsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1461,9 +1450,9 @@ extension S3Client { /// /// * [RESTOPTIONSobject](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTOPTIONSobject.html) /// - /// - Parameter DeleteBucketCorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketCorsInput`) /// - /// - Returns: `DeleteBucketCorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketCorsOutput`) public func deleteBucketCors(input: DeleteBucketCorsInput) async throws -> DeleteBucketCorsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1493,7 +1482,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketCorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketCorsOutput.httpOutput(from:), DeleteBucketCorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1545,9 +1533,9 @@ extension S3Client { /// /// * [GetBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketEncryption.html) /// - /// - Parameter DeleteBucketEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketEncryptionInput`) /// - /// - Returns: `DeleteBucketEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketEncryptionOutput`) public func deleteBucketEncryption(input: DeleteBucketEncryptionInput) async throws -> DeleteBucketEncryptionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1577,7 +1565,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketEncryptionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketEncryptionOutput.httpOutput(from:), DeleteBucketEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1617,9 +1604,9 @@ extension S3Client { /// /// * [ListBucketIntelligentTieringConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketIntelligentTieringConfigurations.html) /// - /// - Parameter DeleteBucketIntelligentTieringConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketIntelligentTieringConfigurationInput`) /// - /// - Returns: `DeleteBucketIntelligentTieringConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketIntelligentTieringConfigurationOutput`) public func deleteBucketIntelligentTieringConfiguration(input: DeleteBucketIntelligentTieringConfigurationInput) async throws -> DeleteBucketIntelligentTieringConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1649,7 +1636,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketIntelligentTieringConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketIntelligentTieringConfigurationOutput.httpOutput(from:), DeleteBucketIntelligentTieringConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1689,9 +1675,9 @@ extension S3Client { /// /// * [ListBucketInventoryConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketInventoryConfigurations.html) /// - /// - Parameter DeleteBucketInventoryConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketInventoryConfigurationInput`) /// - /// - Returns: `DeleteBucketInventoryConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketInventoryConfigurationOutput`) public func deleteBucketInventoryConfiguration(input: DeleteBucketInventoryConfigurationInput) async throws -> DeleteBucketInventoryConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1721,7 +1707,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketInventoryConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketInventoryConfigurationOutput.httpOutput(from:), DeleteBucketInventoryConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1769,9 +1754,9 @@ extension S3Client { /// /// * [GetBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketLifecycleConfiguration.html) /// - /// - Parameter DeleteBucketLifecycleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketLifecycleInput`) /// - /// - Returns: `DeleteBucketLifecycleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketLifecycleOutput`) public func deleteBucketLifecycle(input: DeleteBucketLifecycleInput) async throws -> DeleteBucketLifecycleOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1801,7 +1786,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketLifecycleInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketLifecycleOutput.httpOutput(from:), DeleteBucketLifecycleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1843,9 +1827,9 @@ extension S3Client { /// /// * [UpdateBucketMetadataJournalTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataJournalTableConfiguration.html) /// - /// - Parameter DeleteBucketMetadataConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketMetadataConfigurationInput`) /// - /// - Returns: `DeleteBucketMetadataConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketMetadataConfigurationOutput`) public func deleteBucketMetadataConfiguration(input: DeleteBucketMetadataConfigurationInput) async throws -> DeleteBucketMetadataConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1875,7 +1859,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketMetadataConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketMetadataConfigurationOutput.httpOutput(from:), DeleteBucketMetadataConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1913,9 +1896,9 @@ extension S3Client { /// /// * [GetBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketMetadataTableConfiguration.html) /// - /// - Parameter DeleteBucketMetadataTableConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketMetadataTableConfigurationInput`) /// - /// - Returns: `DeleteBucketMetadataTableConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketMetadataTableConfigurationOutput`) public func deleteBucketMetadataTableConfiguration(input: DeleteBucketMetadataTableConfigurationInput) async throws -> DeleteBucketMetadataTableConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1945,7 +1928,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketMetadataTableConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketMetadataTableConfigurationOutput.httpOutput(from:), DeleteBucketMetadataTableConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1987,9 +1969,9 @@ extension S3Client { /// /// * [Monitoring Metrics with Amazon CloudWatch](https://docs.aws.amazon.com/AmazonS3/latest/dev/cloudwatch-monitoring.html) /// - /// - Parameter DeleteBucketMetricsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketMetricsConfigurationInput`) /// - /// - Returns: `DeleteBucketMetricsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketMetricsConfigurationOutput`) public func deleteBucketMetricsConfiguration(input: DeleteBucketMetricsConfigurationInput) async throws -> DeleteBucketMetricsConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2019,7 +2001,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketMetricsConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketMetricsConfigurationOutput.httpOutput(from:), DeleteBucketMetricsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2057,9 +2038,9 @@ extension S3Client { /// /// * [PutBucketOwnershipControls] /// - /// - Parameter DeleteBucketOwnershipControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketOwnershipControlsInput`) /// - /// - Returns: `DeleteBucketOwnershipControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketOwnershipControlsOutput`) public func deleteBucketOwnershipControls(input: DeleteBucketOwnershipControlsInput) async throws -> DeleteBucketOwnershipControlsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2089,7 +2070,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketOwnershipControlsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketOwnershipControlsOutput.httpOutput(from:), DeleteBucketOwnershipControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2134,9 +2114,9 @@ extension S3Client { /// /// * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html) /// - /// - Parameter DeleteBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketPolicyInput`) /// - /// - Returns: `DeleteBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketPolicyOutput`) public func deleteBucketPolicy(input: DeleteBucketPolicyInput) async throws -> DeleteBucketPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2166,7 +2146,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketPolicyOutput.httpOutput(from:), DeleteBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2204,9 +2183,9 @@ extension S3Client { /// /// * [GetBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketReplication.html) /// - /// - Parameter DeleteBucketReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketReplicationInput`) /// - /// - Returns: `DeleteBucketReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketReplicationOutput`) public func deleteBucketReplication(input: DeleteBucketReplicationInput) async throws -> DeleteBucketReplicationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2236,7 +2215,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketReplicationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketReplicationOutput.httpOutput(from:), DeleteBucketReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2274,9 +2252,9 @@ extension S3Client { /// /// * [PutBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketTagging.html) /// - /// - Parameter DeleteBucketTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketTaggingInput`) /// - /// - Returns: `DeleteBucketTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketTaggingOutput`) public func deleteBucketTagging(input: DeleteBucketTaggingInput) async throws -> DeleteBucketTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2306,7 +2284,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketTaggingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketTaggingOutput.httpOutput(from:), DeleteBucketTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2344,9 +2321,9 @@ extension S3Client { /// /// * [PutBucketWebsite](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketWebsite.html) /// - /// - Parameter DeleteBucketWebsiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketWebsiteInput`) /// - /// - Returns: `DeleteBucketWebsiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketWebsiteOutput`) public func deleteBucketWebsite(input: DeleteBucketWebsiteInput) async throws -> DeleteBucketWebsiteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2376,7 +2353,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteBucketWebsiteInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketWebsiteOutput.httpOutput(from:), DeleteBucketWebsiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2442,9 +2418,9 @@ extension S3Client { /// /// * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html) /// - /// - Parameter DeleteObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteObjectInput`) /// - /// - Returns: `DeleteObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteObjectOutput`) public func deleteObject(input: DeleteObjectInput) async throws -> DeleteObjectOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2474,7 +2450,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteObjectInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteObjectOutput.httpOutput(from:), DeleteObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2512,9 +2487,9 @@ extension S3Client { /// /// * [GetObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectTagging.html) /// - /// - Parameter DeleteObjectTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteObjectTaggingInput`) /// - /// - Returns: `DeleteObjectTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteObjectTaggingOutput`) public func deleteObjectTagging(input: DeleteObjectTaggingInput) async throws -> DeleteObjectTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2544,7 +2519,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteObjectTaggingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteObjectTaggingOutput.httpOutput(from:), DeleteObjectTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2616,9 +2590,9 @@ extension S3Client { /// /// * [AbortMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_AbortMultipartUpload.html) /// - /// - Parameter DeleteObjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteObjectsInput`) /// - /// - Returns: `DeleteObjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteObjectsOutput`) public func deleteObjects(input: DeleteObjectsInput) async throws -> DeleteObjectsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2651,7 +2625,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteObjectsOutput.httpOutput(from:), DeleteObjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2694,9 +2667,9 @@ extension S3Client { /// /// * [GetBucketPolicyStatus](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketPolicyStatus.html) /// - /// - Parameter DeletePublicAccessBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePublicAccessBlockInput`) /// - /// - Returns: `DeletePublicAccessBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePublicAccessBlockOutput`) public func deletePublicAccessBlock(input: DeletePublicAccessBlockInput) async throws -> DeletePublicAccessBlockOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2726,7 +2699,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(DeletePublicAccessBlockInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePublicAccessBlockOutput.httpOutput(from:), DeletePublicAccessBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2762,9 +2734,9 @@ extension S3Client { /// /// * [PutBucketAccelerateConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketAccelerateConfiguration.html) /// - /// - Parameter GetBucketAccelerateConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketAccelerateConfigurationInput`) /// - /// - Returns: `GetBucketAccelerateConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketAccelerateConfigurationOutput`) public func getBucketAccelerateConfiguration(input: GetBucketAccelerateConfigurationInput) async throws -> GetBucketAccelerateConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2794,7 +2766,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketAccelerateConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketAccelerateConfigurationOutput.httpOutput(from:), GetBucketAccelerateConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2830,9 +2801,9 @@ extension S3Client { /// /// * [ListObjects](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjects.html) /// - /// - Parameter GetBucketAclInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketAclInput`) /// - /// - Returns: `GetBucketAclOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketAclOutput`) public func getBucketAcl(input: GetBucketAclInput) async throws -> GetBucketAclOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2862,7 +2833,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketAclInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketAclOutput.httpOutput(from:), GetBucketAclOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2902,9 +2872,9 @@ extension S3Client { /// /// * [PutBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketAnalyticsConfiguration.html) /// - /// - Parameter GetBucketAnalyticsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketAnalyticsConfigurationInput`) /// - /// - Returns: `GetBucketAnalyticsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketAnalyticsConfigurationOutput`) public func getBucketAnalyticsConfiguration(input: GetBucketAnalyticsConfigurationInput) async throws -> GetBucketAnalyticsConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2934,7 +2904,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketAnalyticsConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketAnalyticsConfigurationOutput.httpOutput(from:), GetBucketAnalyticsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2972,9 +2941,9 @@ extension S3Client { /// /// * [DeleteBucketCors](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketCors.html) /// - /// - Parameter GetBucketCorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketCorsInput`) /// - /// - Returns: `GetBucketCorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketCorsOutput`) public func getBucketCors(input: GetBucketCorsInput) async throws -> GetBucketCorsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3004,7 +2973,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketCorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketCorsOutput.httpOutput(from:), GetBucketCorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3056,9 +3024,9 @@ extension S3Client { /// /// * [DeleteBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketEncryption.html) /// - /// - Parameter GetBucketEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketEncryptionInput`) /// - /// - Returns: `GetBucketEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketEncryptionOutput`) public func getBucketEncryption(input: GetBucketEncryptionInput) async throws -> GetBucketEncryptionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3088,7 +3056,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketEncryptionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketEncryptionOutput.httpOutput(from:), GetBucketEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3128,9 +3095,9 @@ extension S3Client { /// /// * [ListBucketIntelligentTieringConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketIntelligentTieringConfigurations.html) /// - /// - Parameter GetBucketIntelligentTieringConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketIntelligentTieringConfigurationInput`) /// - /// - Returns: `GetBucketIntelligentTieringConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketIntelligentTieringConfigurationOutput`) public func getBucketIntelligentTieringConfiguration(input: GetBucketIntelligentTieringConfigurationInput) async throws -> GetBucketIntelligentTieringConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3160,7 +3127,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketIntelligentTieringConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketIntelligentTieringConfigurationOutput.httpOutput(from:), GetBucketIntelligentTieringConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3200,9 +3166,9 @@ extension S3Client { /// /// * [PutBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketInventoryConfiguration.html) /// - /// - Parameter GetBucketInventoryConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketInventoryConfigurationInput`) /// - /// - Returns: `GetBucketInventoryConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketInventoryConfigurationOutput`) public func getBucketInventoryConfiguration(input: GetBucketInventoryConfigurationInput) async throws -> GetBucketInventoryConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3232,7 +3198,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketInventoryConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketInventoryConfigurationOutput.httpOutput(from:), GetBucketInventoryConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3296,9 +3261,9 @@ extension S3Client { /// /// * [DeleteBucketLifecycle](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketLifecycle.html) /// - /// - Parameter GetBucketLifecycleConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketLifecycleConfigurationInput`) /// - /// - Returns: `GetBucketLifecycleConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketLifecycleConfigurationOutput`) public func getBucketLifecycleConfiguration(input: GetBucketLifecycleConfigurationInput) async throws -> GetBucketLifecycleConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3328,7 +3293,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketLifecycleConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketLifecycleConfigurationOutput.httpOutput(from:), GetBucketLifecycleConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3366,9 +3330,9 @@ extension S3Client { /// /// * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html) /// - /// - Parameter GetBucketLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketLocationInput`) /// - /// - Returns: `GetBucketLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketLocationOutput`) public func getBucketLocation(input: GetBucketLocationInput) async throws -> GetBucketLocationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3398,7 +3362,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketLocationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketLocationOutput.httpOutput(from:), GetBucketLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3436,9 +3399,9 @@ extension S3Client { /// /// * [PutBucketLogging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLogging.html) /// - /// - Parameter GetBucketLoggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketLoggingInput`) /// - /// - Returns: `GetBucketLoggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketLoggingOutput`) public func getBucketLogging(input: GetBucketLoggingInput) async throws -> GetBucketLoggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3468,7 +3431,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketLoggingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketLoggingOutput.httpOutput(from:), GetBucketLoggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3510,9 +3472,9 @@ extension S3Client { /// /// * [UpdateBucketMetadataJournalTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataJournalTableConfiguration.html) /// - /// - Parameter GetBucketMetadataConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketMetadataConfigurationInput`) /// - /// - Returns: `GetBucketMetadataConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketMetadataConfigurationOutput`) public func getBucketMetadataConfiguration(input: GetBucketMetadataConfigurationInput) async throws -> GetBucketMetadataConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3542,7 +3504,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketMetadataConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketMetadataConfigurationOutput.httpOutput(from:), GetBucketMetadataConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3580,9 +3541,9 @@ extension S3Client { /// /// * [DeleteBucketMetadataTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetadataTableConfiguration.html) /// - /// - Parameter GetBucketMetadataTableConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketMetadataTableConfigurationInput`) /// - /// - Returns: `GetBucketMetadataTableConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketMetadataTableConfigurationOutput`) public func getBucketMetadataTableConfiguration(input: GetBucketMetadataTableConfigurationInput) async throws -> GetBucketMetadataTableConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3612,7 +3573,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketMetadataTableConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketMetadataTableConfigurationOutput.httpOutput(from:), GetBucketMetadataTableConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3654,9 +3614,9 @@ extension S3Client { /// /// * [Monitoring Metrics with Amazon CloudWatch](https://docs.aws.amazon.com/AmazonS3/latest/dev/cloudwatch-monitoring.html) /// - /// - Parameter GetBucketMetricsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketMetricsConfigurationInput`) /// - /// - Returns: `GetBucketMetricsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketMetricsConfigurationOutput`) public func getBucketMetricsConfiguration(input: GetBucketMetricsConfigurationInput) async throws -> GetBucketMetricsConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3686,7 +3646,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketMetricsConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketMetricsConfigurationOutput.httpOutput(from:), GetBucketMetricsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3722,9 +3681,9 @@ extension S3Client { /// /// * [PutBucketNotification](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketNotification.html) /// - /// - Parameter GetBucketNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketNotificationConfigurationInput`) /// - /// - Returns: `GetBucketNotificationConfigurationOutput` : A container for specifying the notification configuration of the bucket. If this element is empty, notifications are turned off for the bucket. + /// - Returns: A container for specifying the notification configuration of the bucket. If this element is empty, notifications are turned off for the bucket. (Type: `GetBucketNotificationConfigurationOutput`) public func getBucketNotificationConfiguration(input: GetBucketNotificationConfigurationInput) async throws -> GetBucketNotificationConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3754,7 +3713,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketNotificationConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketNotificationConfigurationOutput.httpOutput(from:), GetBucketNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3799,9 +3757,9 @@ extension S3Client { /// /// * [DeleteBucketOwnershipControls] /// - /// - Parameter GetBucketOwnershipControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketOwnershipControlsInput`) /// - /// - Returns: `GetBucketOwnershipControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketOwnershipControlsOutput`) public func getBucketOwnershipControls(input: GetBucketOwnershipControlsInput) async throws -> GetBucketOwnershipControlsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3831,7 +3789,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketOwnershipControlsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketOwnershipControlsOutput.httpOutput(from:), GetBucketOwnershipControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3874,9 +3831,9 @@ extension S3Client { /// /// * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html) /// - /// - Parameter GetBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketPolicyInput`) /// - /// - Returns: `GetBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketPolicyOutput`) public func getBucketPolicy(input: GetBucketPolicyInput) async throws -> GetBucketPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3906,7 +3863,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketPolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketPolicyOutput.httpOutput(from:), GetBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3948,9 +3904,9 @@ extension S3Client { /// /// * [DeletePublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeletePublicAccessBlock.html) /// - /// - Parameter GetBucketPolicyStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketPolicyStatusInput`) /// - /// - Returns: `GetBucketPolicyStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketPolicyStatusOutput`) public func getBucketPolicyStatus(input: GetBucketPolicyStatusInput) async throws -> GetBucketPolicyStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3980,7 +3936,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketPolicyStatusInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketPolicyStatusOutput.httpOutput(from:), GetBucketPolicyStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4018,9 +3973,9 @@ extension S3Client { /// /// * [DeleteBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketReplication.html) /// - /// - Parameter GetBucketReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketReplicationInput`) /// - /// - Returns: `GetBucketReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketReplicationOutput`) public func getBucketReplication(input: GetBucketReplicationInput) async throws -> GetBucketReplicationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4050,7 +4005,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketReplicationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketReplicationOutput.httpOutput(from:), GetBucketReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4086,9 +4040,9 @@ extension S3Client { /// /// * [ListObjects](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjects.html) /// - /// - Parameter GetBucketRequestPaymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketRequestPaymentInput`) /// - /// - Returns: `GetBucketRequestPaymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketRequestPaymentOutput`) public func getBucketRequestPayment(input: GetBucketRequestPaymentInput) async throws -> GetBucketRequestPaymentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4118,7 +4072,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketRequestPaymentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketRequestPaymentOutput.httpOutput(from:), GetBucketRequestPaymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4166,9 +4119,9 @@ extension S3Client { /// /// * [DeleteBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketTagging.html) /// - /// - Parameter GetBucketTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketTaggingInput`) /// - /// - Returns: `GetBucketTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketTaggingOutput`) public func getBucketTagging(input: GetBucketTaggingInput) async throws -> GetBucketTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4198,7 +4151,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketTaggingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketTaggingOutput.httpOutput(from:), GetBucketTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4238,9 +4190,9 @@ extension S3Client { /// /// * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html) /// - /// - Parameter GetBucketVersioningInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketVersioningInput`) /// - /// - Returns: `GetBucketVersioningOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketVersioningOutput`) public func getBucketVersioning(input: GetBucketVersioningInput) async throws -> GetBucketVersioningOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4270,7 +4222,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketVersioningInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketVersioningOutput.httpOutput(from:), GetBucketVersioningOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4308,9 +4259,9 @@ extension S3Client { /// /// * [PutBucketWebsite](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketWebsite.html) /// - /// - Parameter GetBucketWebsiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketWebsiteInput`) /// - /// - Returns: `GetBucketWebsiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketWebsiteOutput`) public func getBucketWebsite(input: GetBucketWebsiteInput) async throws -> GetBucketWebsiteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4340,7 +4291,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBucketWebsiteInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketWebsiteOutput.httpOutput(from:), GetBucketWebsiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4407,9 +4357,9 @@ extension S3Client { /// /// * [GetObjectAcl](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAcl.html) /// - /// - Parameter GetObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectInput`) /// - /// - Returns: `GetObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4445,7 +4395,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetObjectInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectOutput.httpOutput(from:), GetObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4487,9 +4436,9 @@ extension S3Client { /// /// * [PutObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObject.html) /// - /// - Parameter GetObjectAclInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectAclInput`) /// - /// - Returns: `GetObjectAclOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectAclOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4524,7 +4473,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetObjectAclInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectAclOutput.httpOutput(from:), GetObjectAclOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4625,9 +4573,9 @@ extension S3Client { /// /// * [ListParts](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListParts.html) /// - /// - Parameter GetObjectAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectAttributesInput`) /// - /// - Returns: `GetObjectAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4662,7 +4610,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetObjectAttributesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectAttributesOutput.httpOutput(from:), GetObjectAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4698,9 +4645,9 @@ extension S3Client { /// /// * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html) /// - /// - Parameter GetObjectLegalHoldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectLegalHoldInput`) /// - /// - Returns: `GetObjectLegalHoldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectLegalHoldOutput`) public func getObjectLegalHold(input: GetObjectLegalHoldInput) async throws -> GetObjectLegalHoldOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4730,7 +4677,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetObjectLegalHoldInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectLegalHoldOutput.httpOutput(from:), GetObjectLegalHoldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4766,9 +4712,9 @@ extension S3Client { /// /// * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html) /// - /// - Parameter GetObjectLockConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectLockConfigurationInput`) /// - /// - Returns: `GetObjectLockConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectLockConfigurationOutput`) public func getObjectLockConfiguration(input: GetObjectLockConfigurationInput) async throws -> GetObjectLockConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4798,7 +4744,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetObjectLockConfigurationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectLockConfigurationOutput.httpOutput(from:), GetObjectLockConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4834,9 +4779,9 @@ extension S3Client { /// /// * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html) /// - /// - Parameter GetObjectRetentionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectRetentionInput`) /// - /// - Returns: `GetObjectRetentionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectRetentionOutput`) public func getObjectRetention(input: GetObjectRetentionInput) async throws -> GetObjectRetentionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4866,7 +4811,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetObjectRetentionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectRetentionOutput.httpOutput(from:), GetObjectRetentionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4906,9 +4850,9 @@ extension S3Client { /// /// * [PutObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutObjectTagging.html) /// - /// - Parameter GetObjectTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectTaggingInput`) /// - /// - Returns: `GetObjectTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectTaggingOutput`) public func getObjectTagging(input: GetObjectTaggingInput) async throws -> GetObjectTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4938,7 +4882,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetObjectTaggingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectTaggingOutput.httpOutput(from:), GetObjectTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4974,9 +4917,9 @@ extension S3Client { /// /// * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html) /// - /// - Parameter GetObjectTorrentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetObjectTorrentInput`) /// - /// - Returns: `GetObjectTorrentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetObjectTorrentOutput`) public func getObjectTorrent(input: GetObjectTorrentInput) async throws -> GetObjectTorrentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5006,7 +4949,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetObjectTorrentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetObjectTorrentOutput.httpOutput(from:), GetObjectTorrentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5047,9 +4989,9 @@ extension S3Client { /// /// * [DeletePublicAccessBlock](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeletePublicAccessBlock.html) /// - /// - Parameter GetPublicAccessBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPublicAccessBlockInput`) /// - /// - Returns: `GetPublicAccessBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPublicAccessBlockOutput`) public func getPublicAccessBlock(input: GetPublicAccessBlockInput) async throws -> GetPublicAccessBlockOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5079,7 +5021,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetPublicAccessBlockInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPublicAccessBlockOutput.httpOutput(from:), GetPublicAccessBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5120,9 +5061,9 @@ extension S3Client { /// /// HTTP Host header syntax Directory buckets - The HTTP Host header syntax is Bucket-name.s3express-zone-id.region-code.amazonaws.com. You must make requests for this API operation to the Zonal endpoint. These endpoints support virtual-hosted-style requests in the format https://bucket-name.s3express-zone-id.region-code.amazonaws.com. Path-style requests are not supported. For more information about endpoints in Availability Zones, see [Regional and Zonal endpoints for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html) in the Amazon S3 User Guide. For more information about endpoints in Local Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html) in the Amazon S3 User Guide. /// - /// - Parameter HeadBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `HeadBucketInput`) /// - /// - Returns: `HeadBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `HeadBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5156,7 +5097,6 @@ extension S3Client { builder.serialize(ClientRuntime.HeaderMiddleware(HeadBucketInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(HeadBucketOutput.httpOutput(from:), HeadBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5231,9 +5171,9 @@ extension S3Client { /// /// * [GetObjectAttributes](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAttributes.html) /// - /// - Parameter HeadObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `HeadObjectInput`) /// - /// - Returns: `HeadObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `HeadObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5268,7 +5208,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(HeadObjectInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(HeadObjectOutput.httpOutput(from:), HeadObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5308,9 +5247,9 @@ extension S3Client { /// /// * [PutBucketAnalyticsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketAnalyticsConfiguration.html) /// - /// - Parameter ListBucketAnalyticsConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBucketAnalyticsConfigurationsInput`) /// - /// - Returns: `ListBucketAnalyticsConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBucketAnalyticsConfigurationsOutput`) public func listBucketAnalyticsConfigurations(input: ListBucketAnalyticsConfigurationsInput) async throws -> ListBucketAnalyticsConfigurationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5340,7 +5279,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBucketAnalyticsConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBucketAnalyticsConfigurationsOutput.httpOutput(from:), ListBucketAnalyticsConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5380,9 +5318,9 @@ extension S3Client { /// /// * [GetBucketIntelligentTieringConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketIntelligentTieringConfiguration.html) /// - /// - Parameter ListBucketIntelligentTieringConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBucketIntelligentTieringConfigurationsInput`) /// - /// - Returns: `ListBucketIntelligentTieringConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBucketIntelligentTieringConfigurationsOutput`) public func listBucketIntelligentTieringConfigurations(input: ListBucketIntelligentTieringConfigurationsInput) async throws -> ListBucketIntelligentTieringConfigurationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5412,7 +5350,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBucketIntelligentTieringConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBucketIntelligentTieringConfigurationsOutput.httpOutput(from:), ListBucketIntelligentTieringConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5452,9 +5389,9 @@ extension S3Client { /// /// * [PutBucketInventoryConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketInventoryConfiguration.html) /// - /// - Parameter ListBucketInventoryConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBucketInventoryConfigurationsInput`) /// - /// - Returns: `ListBucketInventoryConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBucketInventoryConfigurationsOutput`) public func listBucketInventoryConfigurations(input: ListBucketInventoryConfigurationsInput) async throws -> ListBucketInventoryConfigurationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5484,7 +5421,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBucketInventoryConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBucketInventoryConfigurationsOutput.httpOutput(from:), ListBucketInventoryConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5524,9 +5460,9 @@ extension S3Client { /// /// * [DeleteBucketMetricsConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketMetricsConfiguration.html) /// - /// - Parameter ListBucketMetricsConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBucketMetricsConfigurationsInput`) /// - /// - Returns: `ListBucketMetricsConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBucketMetricsConfigurationsOutput`) public func listBucketMetricsConfigurations(input: ListBucketMetricsConfigurationsInput) async throws -> ListBucketMetricsConfigurationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5556,7 +5492,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBucketMetricsConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBucketMetricsConfigurationsOutput.httpOutput(from:), ListBucketMetricsConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5590,9 +5525,9 @@ extension S3Client { /// /// End of support notice: Beginning October 1, 2025, Amazon S3 will stop returning DisplayName. Update your applications to use canonical IDs (unique identifier for Amazon Web Services accounts), Amazon Web Services account ID (12 digit identifier) or IAM ARNs (full resource naming) as a direct replacement of DisplayName. This change affects the following Amazon Web Services Regions: US East (N. Virginia) Region, US West (N. California) Region, US West (Oregon) Region, Asia Pacific (Singapore) Region, Asia Pacific (Sydney) Region, Asia Pacific (Tokyo) Region, Europe (Ireland) Region, and South America (São Paulo) Region. This operation is not supported for directory buckets. Returns a list of all buckets owned by the authenticated sender of the request. To grant IAM permission to use this operation, you must add the s3:ListAllMyBuckets policy action. For information about Amazon S3 buckets, see [Creating, configuring, and working with Amazon S3 buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/creating-buckets-s3.html). We strongly recommend using only paginated ListBuckets requests. Unpaginated ListBuckets requests are only supported for Amazon Web Services accounts set to the default general purpose bucket quota of 10,000. If you have an approved general purpose bucket quota above 10,000, you must send paginated ListBuckets requests to list your account’s buckets. All unpaginated ListBuckets requests will be rejected for Amazon Web Services accounts with a general purpose bucket quota greater than 10,000. /// - /// - Parameter ListBucketsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBucketsInput`) /// - /// - Returns: `ListBucketsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBucketsOutput`) public func listBuckets(input: ListBucketsInput) async throws -> ListBucketsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5621,7 +5556,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBucketsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBucketsOutput.httpOutput(from:), ListBucketsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5655,9 +5589,9 @@ extension S3Client { /// /// Returns a list of all Amazon S3 directory buckets owned by the authenticated sender of the request. For more information about directory buckets, see [Directory buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/directory-buckets-overview.html) in the Amazon S3 User Guide. Directory buckets - For directory buckets, you must make requests for this API operation to the Regional endpoint. These endpoints support path-style requests in the format https://s3express-control.region-code.amazonaws.com/bucket-name . Virtual-hosted-style requests aren't supported. For more information about endpoints in Availability Zones, see [Regional and Zonal endpoints for directory buckets in Availability Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/endpoint-directory-buckets-AZ.html) in the Amazon S3 User Guide. For more information about endpoints in Local Zones, see [Concepts for directory buckets in Local Zones](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-lzs-for-directory-buckets.html) in the Amazon S3 User Guide. Permissions You must have the s3express:ListAllMyDirectoryBuckets permission in an IAM identity-based policy instead of a bucket policy. Cross-account access to this API operation isn't supported. This operation can only be performed by the Amazon Web Services account that owns the resource. For more information about directory bucket policies and permissions, see [Amazon Web Services Identity and Access Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-security-iam.html) in the Amazon S3 User Guide. HTTP Host header syntax Directory buckets - The HTTP Host header syntax is s3express-control.region.amazonaws.com. The BucketRegion response element is not part of the ListDirectoryBuckets Response Syntax. /// - /// - Parameter ListDirectoryBucketsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDirectoryBucketsInput`) /// - /// - Returns: `ListDirectoryBucketsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDirectoryBucketsOutput`) public func listDirectoryBuckets(input: ListDirectoryBucketsInput) async throws -> ListDirectoryBucketsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5686,7 +5620,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDirectoryBucketsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDirectoryBucketsOutput.httpOutput(from:), ListDirectoryBucketsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5751,9 +5684,9 @@ extension S3Client { /// /// * [AbortMultipartUpload](https://docs.aws.amazon.com/AmazonS3/latest/API/API_AbortMultipartUpload.html) /// - /// - Parameter ListMultipartUploadsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMultipartUploadsInput`) /// - /// - Returns: `ListMultipartUploadsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMultipartUploadsOutput`) public func listMultipartUploads(input: ListMultipartUploadsInput) async throws -> ListMultipartUploadsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5783,7 +5716,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMultipartUploadsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMultipartUploadsOutput.httpOutput(from:), ListMultipartUploadsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5825,9 +5757,9 @@ extension S3Client { /// /// * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html) /// - /// - Parameter ListObjectVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObjectVersionsInput`) /// - /// - Returns: `ListObjectVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObjectVersionsOutput`) public func listObjectVersions(input: ListObjectVersionsInput) async throws -> ListObjectVersionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5857,7 +5789,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListObjectVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObjectVersionsOutput.httpOutput(from:), ListObjectVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5901,9 +5832,9 @@ extension S3Client { /// /// * [ListBuckets](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBuckets.html) /// - /// - Parameter ListObjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObjectsInput`) /// - /// - Returns: `ListObjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObjectsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5938,7 +5869,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListObjectsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObjectsOutput.httpOutput(from:), ListObjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6001,9 +5931,9 @@ extension S3Client { /// /// * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html) /// - /// - Parameter ListObjectsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListObjectsV2Input`) /// - /// - Returns: `ListObjectsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListObjectsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6038,7 +5968,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListObjectsV2Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListObjectsV2Output.httpOutput(from:), ListObjectsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6091,9 +6020,9 @@ extension S3Client { /// /// * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html) /// - /// - Parameter ListPartsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPartsInput`) /// - /// - Returns: `ListPartsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPartsOutput`) public func listParts(input: ListPartsInput) async throws -> ListPartsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -6123,7 +6052,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPartsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPartsOutput.httpOutput(from:), ListPartsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6168,9 +6096,9 @@ extension S3Client { /// /// * [CreateBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateBucket.html) /// - /// - Parameter PutBucketAccelerateConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketAccelerateConfigurationInput`) /// - /// - Returns: `PutBucketAccelerateConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketAccelerateConfigurationOutput`) public func putBucketAccelerateConfiguration(input: PutBucketAccelerateConfigurationInput) async throws -> PutBucketAccelerateConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6203,7 +6131,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketAccelerateConfigurationOutput.httpOutput(from:), PutBucketAccelerateConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6314,9 +6241,9 @@ extension S3Client { /// /// * [GetObjectAcl](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObjectAcl.html) /// - /// - Parameter PutBucketAclInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketAclInput`) /// - /// - Returns: `PutBucketAclOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketAclOutput`) public func putBucketAcl(input: PutBucketAclInput) async throws -> PutBucketAclOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6349,7 +6276,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketAclOutput.httpOutput(from:), PutBucketAclOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6423,9 +6349,9 @@ extension S3Client { /// /// * [ListBucketAnalyticsConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketAnalyticsConfigurations.html) /// - /// - Parameter PutBucketAnalyticsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketAnalyticsConfigurationInput`) /// - /// - Returns: `PutBucketAnalyticsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketAnalyticsConfigurationOutput`) public func putBucketAnalyticsConfiguration(input: PutBucketAnalyticsConfigurationInput) async throws -> PutBucketAnalyticsConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6458,7 +6384,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketAnalyticsConfigurationOutput.httpOutput(from:), PutBucketAnalyticsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6507,9 +6432,9 @@ extension S3Client { /// /// * [RESTOPTIONSobject](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTOPTIONSobject.html) /// - /// - Parameter PutBucketCorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketCorsInput`) /// - /// - Returns: `PutBucketCorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketCorsOutput`) public func putBucketCors(input: PutBucketCorsInput) async throws -> PutBucketCorsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6542,7 +6467,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketCorsOutput.httpOutput(from:), PutBucketCorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6615,9 +6539,9 @@ extension S3Client { /// /// * [DeleteBucketEncryption](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketEncryption.html) /// - /// - Parameter PutBucketEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketEncryptionInput`) /// - /// - Returns: `PutBucketEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketEncryptionOutput`) public func putBucketEncryption(input: PutBucketEncryptionInput) async throws -> PutBucketEncryptionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6650,7 +6574,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketEncryptionOutput.httpOutput(from:), PutBucketEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6694,9 +6617,9 @@ extension S3Client { /// /// You only need S3 Intelligent-Tiering enabled on a bucket if you want to automatically move objects stored in the S3 Intelligent-Tiering storage class to the Archive Access or Deep Archive Access tier. PutBucketIntelligentTieringConfiguration has the following special errors: HTTP 400 Bad Request Error Code: InvalidArgument Cause: Invalid Argument HTTP 400 Bad Request Error Code: TooManyConfigurations Cause: You are attempting to create a new configuration but have already reached the 1,000-configuration limit. HTTP 403 Forbidden Error Cause: You are not the owner of the specified bucket, or you do not have the s3:PutIntelligentTieringConfiguration bucket permission to set the configuration on the bucket. /// - /// - Parameter PutBucketIntelligentTieringConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketIntelligentTieringConfigurationInput`) /// - /// - Returns: `PutBucketIntelligentTieringConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketIntelligentTieringConfigurationOutput`) public func putBucketIntelligentTieringConfiguration(input: PutBucketIntelligentTieringConfigurationInput) async throws -> PutBucketIntelligentTieringConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6729,7 +6652,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketIntelligentTieringConfigurationOutput.httpOutput(from:), PutBucketIntelligentTieringConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6769,9 +6691,9 @@ extension S3Client { /// /// * [ListBucketInventoryConfigurations](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListBucketInventoryConfigurations.html) /// - /// - Parameter PutBucketInventoryConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketInventoryConfigurationInput`) /// - /// - Returns: `PutBucketInventoryConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketInventoryConfigurationOutput`) public func putBucketInventoryConfiguration(input: PutBucketInventoryConfigurationInput) async throws -> PutBucketInventoryConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6804,7 +6726,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketInventoryConfigurationOutput.httpOutput(from:), PutBucketInventoryConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6870,9 +6791,9 @@ extension S3Client { /// /// * [DeleteBucketLifecycle](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketLifecycle.html) /// - /// - Parameter PutBucketLifecycleConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketLifecycleConfigurationInput`) /// - /// - Returns: `PutBucketLifecycleConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketLifecycleConfigurationOutput`) public func putBucketLifecycleConfiguration(input: PutBucketLifecycleConfigurationInput) async throws -> PutBucketLifecycleConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6905,7 +6826,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketLifecycleConfigurationOutput.httpOutput(from:), PutBucketLifecycleConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6957,9 +6877,9 @@ extension S3Client { /// /// * [GetBucketLogging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketLogging.html) /// - /// - Parameter PutBucketLoggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketLoggingInput`) /// - /// - Returns: `PutBucketLoggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketLoggingOutput`) public func putBucketLogging(input: PutBucketLoggingInput) async throws -> PutBucketLoggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6992,7 +6912,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketLoggingOutput.httpOutput(from:), PutBucketLoggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7042,9 +6961,9 @@ extension S3Client { /// /// * HTTP Status Code: HTTP 400 Bad Request /// - /// - Parameter PutBucketMetricsConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketMetricsConfigurationInput`) /// - /// - Returns: `PutBucketMetricsConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketMetricsConfigurationOutput`) public func putBucketMetricsConfiguration(input: PutBucketMetricsConfigurationInput) async throws -> PutBucketMetricsConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -7077,7 +6996,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketMetricsConfigurationOutput.httpOutput(from:), PutBucketMetricsConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7113,9 +7031,9 @@ extension S3Client { /// /// * [GetBucketNotificationConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketNotificationConfiguration.html) /// - /// - Parameter PutBucketNotificationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketNotificationConfigurationInput`) /// - /// - Returns: `PutBucketNotificationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketNotificationConfigurationOutput`) public func putBucketNotificationConfiguration(input: PutBucketNotificationConfigurationInput) async throws -> PutBucketNotificationConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -7148,7 +7066,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketNotificationConfigurationOutput.httpOutput(from:), PutBucketNotificationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7186,9 +7103,9 @@ extension S3Client { /// /// * [DeleteBucketOwnershipControls] /// - /// - Parameter PutBucketOwnershipControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketOwnershipControlsInput`) /// - /// - Returns: `PutBucketOwnershipControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketOwnershipControlsOutput`) public func putBucketOwnershipControls(input: PutBucketOwnershipControlsInput) async throws -> PutBucketOwnershipControlsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -7221,7 +7138,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketOwnershipControlsOutput.httpOutput(from:), PutBucketOwnershipControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7267,9 +7183,9 @@ extension S3Client { /// /// * [DeleteBucket](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucket.html) /// - /// - Parameter PutBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketPolicyInput`) /// - /// - Returns: `PutBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketPolicyOutput`) public func putBucketPolicy(input: PutBucketPolicyInput) async throws -> PutBucketPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -7302,7 +7218,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketPolicyOutput.httpOutput(from:), PutBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7341,9 +7256,9 @@ extension S3Client { /// /// * [DeleteBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketReplication.html) /// - /// - Parameter PutBucketReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketReplicationInput`) /// - /// - Returns: `PutBucketReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketReplicationOutput`) public func putBucketReplication(input: PutBucketReplicationInput) async throws -> PutBucketReplicationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -7376,7 +7291,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketReplicationOutput.httpOutput(from:), PutBucketReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7415,9 +7329,9 @@ extension S3Client { /// /// * [GetBucketRequestPayment](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketRequestPayment.html) /// - /// - Parameter PutBucketRequestPaymentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketRequestPaymentInput`) /// - /// - Returns: `PutBucketRequestPaymentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketRequestPaymentOutput`) public func putBucketRequestPayment(input: PutBucketRequestPaymentInput) async throws -> PutBucketRequestPaymentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -7450,7 +7364,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketRequestPaymentOutput.httpOutput(from:), PutBucketRequestPaymentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7500,9 +7413,9 @@ extension S3Client { /// /// * [DeleteBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteBucketTagging.html) /// - /// - Parameter PutBucketTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketTaggingInput`) /// - /// - Returns: `PutBucketTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketTaggingOutput`) public func putBucketTagging(input: PutBucketTaggingInput) async throws -> PutBucketTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -7535,7 +7448,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketTaggingOutput.httpOutput(from:), PutBucketTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7576,9 +7488,9 @@ extension S3Client { /// /// * [GetBucketVersioning](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketVersioning.html) /// - /// - Parameter PutBucketVersioningInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketVersioningInput`) /// - /// - Returns: `PutBucketVersioningOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketVersioningOutput`) public func putBucketVersioning(input: PutBucketVersioningInput) async throws -> PutBucketVersioningOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -7611,7 +7523,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketVersioningOutput.httpOutput(from:), PutBucketVersioningOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7692,9 +7603,9 @@ extension S3Client { /// /// Amazon S3 has a limitation of 50 routing rules per website configuration. If you require more than 50 routing rules, you can use object redirect. For more information, see [Configuring an Object Redirect](https://docs.aws.amazon.com/AmazonS3/latest/dev/how-to-page-redirect.html) in the Amazon S3 User Guide. The maximum request length is limited to 128 KB. /// - /// - Parameter PutBucketWebsiteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketWebsiteInput`) /// - /// - Returns: `PutBucketWebsiteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketWebsiteOutput`) public func putBucketWebsite(input: PutBucketWebsiteInput) async throws -> PutBucketWebsiteOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -7727,7 +7638,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketWebsiteOutput.httpOutput(from:), PutBucketWebsiteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7807,9 +7717,9 @@ extension S3Client { /// /// * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html) /// - /// - Parameter PutObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutObjectInput`) /// - /// - Returns: `PutObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7856,7 +7766,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectOutput.httpOutput(from:), PutObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7958,9 +7867,9 @@ extension S3Client { /// /// * [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html) /// - /// - Parameter PutObjectAclInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutObjectAclInput`) /// - /// - Returns: `PutObjectAclOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutObjectAclOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7998,7 +7907,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectAclOutput.httpOutput(from:), PutObjectAclOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8033,9 +7941,9 @@ extension S3Client { /// /// This operation is not supported for directory buckets. Applies a legal hold configuration to the specified object. For more information, see [Locking Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html). This functionality is not supported for Amazon S3 on Outposts. /// - /// - Parameter PutObjectLegalHoldInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutObjectLegalHoldInput`) /// - /// - Returns: `PutObjectLegalHoldOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutObjectLegalHoldOutput`) public func putObjectLegalHold(input: PutObjectLegalHoldInput) async throws -> PutObjectLegalHoldOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -8068,7 +7976,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectLegalHoldOutput.httpOutput(from:), PutObjectLegalHoldOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8109,9 +8016,9 @@ extension S3Client { /// /// * You can enable Object Lock for new or existing buckets. For more information, see [Configuring Object Lock](https://docs.aws.amazon.com/AmazonS3/latest/userguide/object-lock-configure.html). /// - /// - Parameter PutObjectLockConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutObjectLockConfigurationInput`) /// - /// - Returns: `PutObjectLockConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutObjectLockConfigurationOutput`) public func putObjectLockConfiguration(input: PutObjectLockConfigurationInput) async throws -> PutObjectLockConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -8144,7 +8051,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectLockConfigurationOutput.httpOutput(from:), PutObjectLockConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8179,9 +8085,9 @@ extension S3Client { /// /// This operation is not supported for directory buckets. Places an Object Retention configuration on an object. For more information, see [Locking Objects](https://docs.aws.amazon.com/AmazonS3/latest/dev/object-lock.html). Users or accounts require the s3:PutObjectRetention permission in order to place an Object Retention configuration on objects. Bypassing a Governance Retention configuration requires the s3:BypassGovernanceRetention permission. This functionality is not supported for Amazon S3 on Outposts. /// - /// - Parameter PutObjectRetentionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutObjectRetentionInput`) /// - /// - Returns: `PutObjectRetentionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutObjectRetentionOutput`) public func putObjectRetention(input: PutObjectRetentionInput) async throws -> PutObjectRetentionOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -8214,7 +8120,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectRetentionOutput.httpOutput(from:), PutObjectRetentionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8264,9 +8169,9 @@ extension S3Client { /// /// * [DeleteObjectTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObjectTagging.html) /// - /// - Parameter PutObjectTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutObjectTaggingInput`) /// - /// - Returns: `PutObjectTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutObjectTaggingOutput`) public func putObjectTagging(input: PutObjectTaggingInput) async throws -> PutObjectTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -8299,7 +8204,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutObjectTaggingOutput.httpOutput(from:), PutObjectTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8342,9 +8246,9 @@ extension S3Client { /// /// * [Using Amazon S3 Block Public Access](https://docs.aws.amazon.com/AmazonS3/latest/dev/access-control-block-public-access.html) /// - /// - Parameter PutPublicAccessBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPublicAccessBlockInput`) /// - /// - Returns: `PutPublicAccessBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPublicAccessBlockOutput`) public func putPublicAccessBlock(input: PutPublicAccessBlockInput) async throws -> PutPublicAccessBlockOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -8377,7 +8281,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPublicAccessBlockOutput.httpOutput(from:), PutPublicAccessBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8417,9 +8320,9 @@ extension S3Client { /// /// Permissions To grant access to the RenameObject operation on a directory bucket, we recommend that you use the CreateSession operation for session-based authorization. Specifically, you grant the s3express:CreateSession permission to the directory bucket in a bucket policy or an IAM identity-based policy. Then, you make the CreateSession API call on the directory bucket to obtain a session token. With the session token in your request header, you can make API requests to this operation. After the session token expires, you make another CreateSession API call to generate a new session token for use. The Amazon Web Services CLI and SDKs will create and manage your session including refreshing the session token automatically to avoid service interruptions when a session expires. In your bucket policy, you can specify the s3express:SessionMode condition key to control who can create a ReadWrite or ReadOnly session. A ReadWrite session is required for executing all the Zonal endpoint API operations, including RenameObject. For more information about authorization, see [CreateSession](https://docs.aws.amazon.com/AmazonS3/latest/API/API_CreateSession.html). To learn more about Zonal endpoint API operations, see [Authorizing Zonal endpoint API operations with CreateSession](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-create-session.html) in the Amazon S3 User Guide. HTTP Host header syntax Directory buckets - The HTTP Host header syntax is Bucket-name.s3express-zone-id.region-code.amazonaws.com. /// - /// - Parameter RenameObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RenameObjectInput`) /// - /// - Returns: `RenameObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RenameObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8455,7 +8358,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(RenameObjectInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RenameObjectOutput.httpOutput(from:), RenameObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8551,9 +8453,9 @@ extension S3Client { /// /// * [GetBucketNotificationConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetBucketNotificationConfiguration.html) /// - /// - Parameter RestoreObjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreObjectInput`) /// - /// - Returns: `RestoreObjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreObjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8591,7 +8493,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreObjectOutput.httpOutput(from:), RestoreObjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8650,9 +8551,9 @@ extension S3Client { /// /// * [PutBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_PutBucketLifecycleConfiguration.html) /// - /// - Parameter SelectObjectContentInput : Learn Amazon S3 Select is no longer available to new customers. Existing customers of Amazon S3 Select can continue to use the feature as usual. [Learn more](http://aws.amazon.com/blogs/storage/how-to-optimize-querying-your-data-in-amazon-s3/) Request to filter the contents of an Amazon S3 object based on a simple Structured Query Language (SQL) statement. In the request, along with the SQL expression, you must specify a data serialization format (JSON or CSV) of the object. Amazon S3 uses this to parse object data into records. It returns only records that match the specified SQL expression. You must also specify the data serialization format for the response. For more information, see [S3Select API Documentation](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTObjectSELECTContent.html). + /// - Parameter input: Learn Amazon S3 Select is no longer available to new customers. Existing customers of Amazon S3 Select can continue to use the feature as usual. [Learn more](http://aws.amazon.com/blogs/storage/how-to-optimize-querying-your-data-in-amazon-s3/) Request to filter the contents of an Amazon S3 object based on a simple Structured Query Language (SQL) statement. In the request, along with the SQL expression, you must specify a data serialization format (JSON or CSV) of the object. Amazon S3 uses this to parse object data into records. It returns only records that match the specified SQL expression. You must also specify the data serialization format for the response. For more information, see [S3Select API Documentation](https://docs.aws.amazon.com/AmazonS3/latest/API/RESTObjectSELECTContent.html). (Type: `SelectObjectContentInput`) /// - /// - Returns: `SelectObjectContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SelectObjectContentOutput`) public func selectObjectContent(input: SelectObjectContentInput) async throws -> SelectObjectContentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8685,7 +8586,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SelectObjectContentOutput.httpOutput(from:), SelectObjectContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8746,9 +8646,9 @@ extension S3Client { /// /// * [UpdateBucketMetadataJournalTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataJournalTableConfiguration.html) /// - /// - Parameter UpdateBucketMetadataInventoryTableConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBucketMetadataInventoryTableConfigurationInput`) /// - /// - Returns: `UpdateBucketMetadataInventoryTableConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBucketMetadataInventoryTableConfigurationOutput`) public func updateBucketMetadataInventoryTableConfiguration(input: UpdateBucketMetadataInventoryTableConfigurationInput) async throws -> UpdateBucketMetadataInventoryTableConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -8781,7 +8681,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBucketMetadataInventoryTableConfigurationOutput.httpOutput(from:), UpdateBucketMetadataInventoryTableConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8824,9 +8723,9 @@ extension S3Client { /// /// * [UpdateBucketMetadataInventoryTableConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_UpdateBucketMetadataInventoryTableConfiguration.html) /// - /// - Parameter UpdateBucketMetadataJournalTableConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBucketMetadataJournalTableConfigurationInput`) /// - /// - Returns: `UpdateBucketMetadataJournalTableConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBucketMetadataJournalTableConfigurationOutput`) public func updateBucketMetadataJournalTableConfiguration(input: UpdateBucketMetadataJournalTableConfigurationInput) async throws -> UpdateBucketMetadataJournalTableConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -8859,7 +8758,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBucketMetadataJournalTableConfigurationOutput.httpOutput(from:), UpdateBucketMetadataJournalTableConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8941,9 +8839,9 @@ extension S3Client { /// /// * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html) /// - /// - Parameter UploadPartInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UploadPartInput`) /// - /// - Returns: `UploadPartOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UploadPartOutput`) public func uploadPart(input: UploadPartInput) async throws -> UploadPartOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -8976,7 +8874,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadPartOutput.httpOutput(from:), UploadPartOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9074,9 +8971,9 @@ extension S3Client { /// /// * [ListMultipartUploads](https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListMultipartUploads.html) /// - /// - Parameter UploadPartCopyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UploadPartCopyInput`) /// - /// - Returns: `UploadPartCopyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UploadPartCopyOutput`) public func uploadPartCopy(input: UploadPartCopyInput) async throws -> UploadPartCopyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -9106,7 +9003,6 @@ extension S3Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UploadPartCopyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UploadPartCopyOutput.httpOutput(from:), UploadPartCopyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9140,9 +9036,9 @@ extension S3Client { /// /// This operation is not supported for directory buckets. Passes transformed objects to a GetObject operation when using Object Lambda access points. For information about Object Lambda access points, see [Transforming objects with Object Lambda access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/transforming-objects.html) in the Amazon S3 User Guide. This operation supports metadata that can be returned by [GetObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_GetObject.html), in addition to RequestRoute, RequestToken, StatusCode, ErrorCode, and ErrorMessage. The GetObject response metadata is supported so that the WriteGetObjectResponse caller, typically an Lambda function, can provide the same metadata when it internally invokes GetObject. When WriteGetObjectResponse is called by a customer-owned Lambda function, the metadata returned to the end user GetObject call might differ from what Amazon S3 would normally return. You can include any number of metadata headers. When including a metadata header, it should be prefaced with x-amz-meta. For example, x-amz-meta-my-custom-header: MyCustomValue. The primary use case for this is to forward GetObject metadata. Amazon Web Services provides some prebuilt Lambda functions that you can use with S3 Object Lambda to detect and redact personally identifiable information (PII) and decompress S3 objects. These Lambda functions are available in the Amazon Web Services Serverless Application Repository, and can be selected through the Amazon Web Services Management Console when you create your Object Lambda access point. Example 1: PII Access Control - This Lambda function uses Amazon Comprehend, a natural language processing (NLP) service using machine learning to find insights and relationships in text. It automatically detects personally identifiable information (PII) such as names, addresses, dates, credit card numbers, and social security numbers from documents in your Amazon S3 bucket. Example 2: PII Redaction - This Lambda function uses Amazon Comprehend, a natural language processing (NLP) service using machine learning to find insights and relationships in text. It automatically redacts personally identifiable information (PII) such as names, addresses, dates, credit card numbers, and social security numbers from documents in your Amazon S3 bucket. Example 3: Decompression - The Lambda function S3ObjectLambdaDecompression, is equipped to decompress objects stored in S3 in one of six compressed file formats including bzip2, gzip, snappy, zlib, zstandard and ZIP. For information on how to view and use these functions, see [Using Amazon Web Services built Lambda functions](https://docs.aws.amazon.com/AmazonS3/latest/userguide/olap-examples.html) in the Amazon S3 User Guide. /// - /// - Parameter WriteGetObjectResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `WriteGetObjectResponseInput`) /// - /// - Returns: `WriteGetObjectResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `WriteGetObjectResponseOutput`) public func writeGetObjectResponse(input: WriteGetObjectResponseInput) async throws -> WriteGetObjectResponseOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9174,7 +9070,6 @@ extension S3Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware(requiresLength: false, unsignedPayload: true)) builder.deserialize(ClientRuntime.DeserializeMiddleware(WriteGetObjectResponseOutput.httpOutput(from:), WriteGetObjectResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSS3Control/Sources/AWSS3Control/S3ControlClient.swift b/Sources/Services/AWSS3Control/Sources/AWSS3Control/S3ControlClient.swift index 6c8cd36bc6e..2f9f41b7202 100644 --- a/Sources/Services/AWSS3Control/Sources/AWSS3Control/S3ControlClient.swift +++ b/Sources/Services/AWSS3Control/Sources/AWSS3Control/S3ControlClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyXML.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -72,7 +71,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class S3ControlClient: ClientRuntime.Client { public static let clientName = "S3ControlClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: S3ControlClient.S3ControlClientConfiguration let serviceName = "S3 Control" @@ -387,9 +386,9 @@ extension S3ControlClient { /// /// Associate your S3 Access Grants instance with an Amazon Web Services IAM Identity Center instance. Use this action if you want to create access grants for users or groups from your corporate identity directory. First, you must add your corporate identity directory to Amazon Web Services IAM Identity Center. Then, you can associate this IAM Identity Center instance with your S3 Access Grants instance. Permissions You must have the s3:AssociateAccessGrantsIdentityCenter permission to use this operation. Additional Permissions You must also have the following permissions: sso:CreateApplication, sso:PutApplicationGrant, and sso:PutApplicationAuthenticationMethod. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter AssociateAccessGrantsIdentityCenterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAccessGrantsIdentityCenterInput`) /// - /// - Returns: `AssociateAccessGrantsIdentityCenterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAccessGrantsIdentityCenterOutput`) public func associateAccessGrantsIdentityCenter(input: AssociateAccessGrantsIdentityCenterInput) async throws -> AssociateAccessGrantsIdentityCenterOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -420,7 +419,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAccessGrantsIdentityCenterOutput.httpOutput(from:), AssociateAccessGrantsIdentityCenterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension S3ControlClient { /// /// Creates an access grant that gives a grantee access to your S3 data. The grantee can be an IAM user or role or a directory user, or group. Before you can create a grant, you must have an S3 Access Grants instance in the same Region as the S3 data. You can create an S3 Access Grants instance using the [CreateAccessGrantsInstance](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_CreateAccessGrantsInstance.html). You must also have registered at least one S3 data location in your S3 Access Grants instance using [CreateAccessGrantsLocation](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_CreateAccessGrantsLocation.html). Permissions You must have the s3:CreateAccessGrant permission to use this operation. Additional Permissions For any directory identity - sso:DescribeInstance and sso:DescribeApplication For directory users - identitystore:DescribeUser For directory groups - identitystore:DescribeGroup You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter CreateAccessGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessGrantInput`) /// - /// - Returns: `CreateAccessGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessGrantOutput`) public func createAccessGrant(input: CreateAccessGrantInput) async throws -> CreateAccessGrantOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -485,7 +483,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessGrantOutput.httpOutput(from:), CreateAccessGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension S3ControlClient { /// /// Creates an S3 Access Grants instance, which serves as a logical grouping for access grants. You can create one S3 Access Grants instance per Region per account. Permissions You must have the s3:CreateAccessGrantsInstance permission to use this operation. Additional Permissions To associate an IAM Identity Center instance with your S3 Access Grants instance, you must also have the sso:DescribeInstance, sso:CreateApplication, sso:PutApplicationGrant, and sso:PutApplicationAuthenticationMethod permissions. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter CreateAccessGrantsInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessGrantsInstanceInput`) /// - /// - Returns: `CreateAccessGrantsInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessGrantsInstanceOutput`) public func createAccessGrantsInstance(input: CreateAccessGrantsInstanceInput) async throws -> CreateAccessGrantsInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -550,7 +547,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessGrantsInstanceOutput.httpOutput(from:), CreateAccessGrantsInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension S3ControlClient { /// /// When you register a location, you must include the IAM role that has permission to manage the S3 location that you are registering. Give S3 Access Grants permission to assume this role [using a policy](https://docs.aws.amazon.com/AmazonS3/latest/userguide/access-grants-location.html). S3 Access Grants assumes this role to manage access to the location and to vend temporary credentials to grantees or client applications. Permissions You must have the s3:CreateAccessGrantsLocation permission to use this operation. Additional Permissions You must also have the following permission for the specified IAM role: iam:PassRole You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter CreateAccessGrantsLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessGrantsLocationInput`) /// - /// - Returns: `CreateAccessGrantsLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessGrantsLocationOutput`) public func createAccessGrantsLocation(input: CreateAccessGrantsLocationInput) async throws -> CreateAccessGrantsLocationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -624,7 +620,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessGrantsLocationOutput.httpOutput(from:), CreateAccessGrantsLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter CreateAccessPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessPointInput`) /// - /// - Returns: `CreateAccessPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessPointOutput`) public func createAccessPoint(input: CreateAccessPointInput) async throws -> CreateAccessPointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -699,7 +694,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessPointOutput.httpOutput(from:), CreateAccessPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -740,9 +734,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter CreateAccessPointForObjectLambdaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessPointForObjectLambdaInput`) /// - /// - Returns: `CreateAccessPointForObjectLambdaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessPointForObjectLambdaOutput`) public func createAccessPointForObjectLambda(input: CreateAccessPointForObjectLambdaInput) async throws -> CreateAccessPointForObjectLambdaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -772,7 +766,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessPointForObjectLambdaOutput.httpOutput(from:), CreateAccessPointForObjectLambdaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -821,9 +814,9 @@ extension S3ControlClient { /// /// * [PutAccessPointPolicy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_PutAccessPointPolicy.html) /// - /// - Parameter CreateBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBucketInput`) /// - /// - Returns: `CreateBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -860,7 +853,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBucketOutput.httpOutput(from:), CreateBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -905,9 +897,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter CreateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobInput`) /// - /// - Returns: `CreateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -946,7 +938,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobOutput.httpOutput(from:), CreateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -989,9 +980,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter CreateMultiRegionAccessPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMultiRegionAccessPointInput`) /// - /// - Returns: `CreateMultiRegionAccessPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMultiRegionAccessPointOutput`) public func createMultiRegionAccessPoint(input: CreateMultiRegionAccessPointInput) async throws -> CreateMultiRegionAccessPointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1023,7 +1014,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMultiRegionAccessPointOutput.httpOutput(from:), CreateMultiRegionAccessPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1055,9 +1045,9 @@ extension S3ControlClient { /// /// Creates a new S3 Storage Lens group and associates it with the specified Amazon Web Services account ID. An S3 Storage Lens group is a custom grouping of objects based on prefix, suffix, object tags, object size, object age, or a combination of these filters. For each Storage Lens group that you’ve created, you can also optionally add Amazon Web Services resource tags. For more information about S3 Storage Lens groups, see [Working with S3 Storage Lens groups](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage-lens-groups-overview.html). To use this operation, you must have the permission to perform the s3:CreateStorageLensGroup action. If you’re trying to create a Storage Lens group with Amazon Web Services resource tags, you must also have permission to perform the s3:TagResource action. For more information about the required Storage Lens Groups permissions, see [Setting account permissions to use S3 Storage Lens groups](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage_lens_iam_permissions.html#storage_lens_groups_permissions). For information about Storage Lens groups errors, see [List of Amazon S3 Storage Lens error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#S3LensErrorCodeList). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter CreateStorageLensGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStorageLensGroupInput`) /// - /// - Returns: `CreateStorageLensGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStorageLensGroupOutput`) public func createStorageLensGroup(input: CreateStorageLensGroupInput) async throws -> CreateStorageLensGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1087,7 +1077,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStorageLensGroupOutput.httpOutput(from:), CreateStorageLensGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1119,9 +1108,9 @@ extension S3ControlClient { /// /// Deletes the access grant from the S3 Access Grants instance. You cannot undo an access grant deletion and the grantee will no longer have access to the S3 data. Permissions You must have the s3:DeleteAccessGrant permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteAccessGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessGrantInput`) /// - /// - Returns: `DeleteAccessGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessGrantOutput`) public func deleteAccessGrant(input: DeleteAccessGrantInput) async throws -> DeleteAccessGrantOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1149,7 +1138,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteAccessGrantInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessGrantOutput.httpOutput(from:), DeleteAccessGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1181,9 +1169,9 @@ extension S3ControlClient { /// /// Deletes your S3 Access Grants instance. You must first delete the access grants and locations before S3 Access Grants can delete the instance. See [DeleteAccessGrant](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_DeleteAccessGrant.html) and [DeleteAccessGrantsLocation](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_DeleteAccessGrantsLocation.html). If you have associated an IAM Identity Center instance with your S3 Access Grants instance, you must first dissassociate the Identity Center instance from the S3 Access Grants instance before you can delete the S3 Access Grants instance. See [AssociateAccessGrantsIdentityCenter](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_AssociateAccessGrantsIdentityCenter.html) and [DissociateAccessGrantsIdentityCenter](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_DissociateAccessGrantsIdentityCenter.html). Permissions You must have the s3:DeleteAccessGrantsInstance permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteAccessGrantsInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessGrantsInstanceInput`) /// - /// - Returns: `DeleteAccessGrantsInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessGrantsInstanceOutput`) public func deleteAccessGrantsInstance(input: DeleteAccessGrantsInstanceInput) async throws -> DeleteAccessGrantsInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1211,7 +1199,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteAccessGrantsInstanceInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessGrantsInstanceOutput.httpOutput(from:), DeleteAccessGrantsInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1243,9 +1230,9 @@ extension S3ControlClient { /// /// Deletes the resource policy of the S3 Access Grants instance. The resource policy is used to manage cross-account access to your S3 Access Grants instance. By deleting the resource policy, you delete any cross-account permissions to your S3 Access Grants instance. Permissions You must have the s3:DeleteAccessGrantsInstanceResourcePolicy permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteAccessGrantsInstanceResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessGrantsInstanceResourcePolicyInput`) /// - /// - Returns: `DeleteAccessGrantsInstanceResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessGrantsInstanceResourcePolicyOutput`) public func deleteAccessGrantsInstanceResourcePolicy(input: DeleteAccessGrantsInstanceResourcePolicyInput) async throws -> DeleteAccessGrantsInstanceResourcePolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1273,7 +1260,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteAccessGrantsInstanceResourcePolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessGrantsInstanceResourcePolicyOutput.httpOutput(from:), DeleteAccessGrantsInstanceResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1305,9 +1291,9 @@ extension S3ControlClient { /// /// Deregisters a location from your S3 Access Grants instance. You can only delete a location registration from an S3 Access Grants instance if there are no grants associated with this location. See [Delete a grant](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_DeleteAccessGrant.html) for information on how to delete grants. You need to have at least one registered location in your S3 Access Grants instance in order to create access grants. Permissions You must have the s3:DeleteAccessGrantsLocation permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteAccessGrantsLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessGrantsLocationInput`) /// - /// - Returns: `DeleteAccessGrantsLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessGrantsLocationOutput`) public func deleteAccessGrantsLocation(input: DeleteAccessGrantsLocationInput) async throws -> DeleteAccessGrantsLocationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1335,7 +1321,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteAccessGrantsLocationInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessGrantsLocationOutput.httpOutput(from:), DeleteAccessGrantsLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1376,9 +1361,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteAccessPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessPointInput`) /// - /// - Returns: `DeleteAccessPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessPointOutput`) public func deleteAccessPoint(input: DeleteAccessPointInput) async throws -> DeleteAccessPointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1405,7 +1390,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteAccessPointInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessPointOutput.httpOutput(from:), DeleteAccessPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1446,9 +1430,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteAccessPointForObjectLambdaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessPointForObjectLambdaInput`) /// - /// - Returns: `DeleteAccessPointForObjectLambdaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessPointForObjectLambdaOutput`) public func deleteAccessPointForObjectLambda(input: DeleteAccessPointForObjectLambdaInput) async throws -> DeleteAccessPointForObjectLambdaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1475,7 +1459,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteAccessPointForObjectLambdaInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessPointForObjectLambdaOutput.httpOutput(from:), DeleteAccessPointForObjectLambdaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1514,9 +1497,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteAccessPointPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessPointPolicyInput`) /// - /// - Returns: `DeleteAccessPointPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessPointPolicyOutput`) public func deleteAccessPointPolicy(input: DeleteAccessPointPolicyInput) async throws -> DeleteAccessPointPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1543,7 +1526,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteAccessPointPolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessPointPolicyOutput.httpOutput(from:), DeleteAccessPointPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1582,9 +1564,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteAccessPointPolicyForObjectLambdaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessPointPolicyForObjectLambdaInput`) /// - /// - Returns: `DeleteAccessPointPolicyForObjectLambdaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessPointPolicyForObjectLambdaOutput`) public func deleteAccessPointPolicyForObjectLambda(input: DeleteAccessPointPolicyForObjectLambdaInput) async throws -> DeleteAccessPointPolicyForObjectLambdaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1611,7 +1593,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteAccessPointPolicyForObjectLambdaInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessPointPolicyForObjectLambdaOutput.httpOutput(from:), DeleteAccessPointPolicyForObjectLambdaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1643,9 +1624,9 @@ extension S3ControlClient { /// /// Deletes an existing access point scope for a directory bucket. When you delete the scope of an access point, all prefixes and permissions are deleted. To use this operation, you must have the permission to perform the s3express:DeleteAccessPointScope action. For information about REST API errors, see [REST error responses](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#RESTErrorResponses). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteAccessPointScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessPointScopeInput`) /// - /// - Returns: `DeleteAccessPointScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessPointScopeOutput`) public func deleteAccessPointScope(input: DeleteAccessPointScopeInput) async throws -> DeleteAccessPointScopeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1672,7 +1653,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteAccessPointScopeInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessPointScopeOutput.httpOutput(from:), DeleteAccessPointScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1710,9 +1690,9 @@ extension S3ControlClient { /// /// * [DeleteObject](https://docs.aws.amazon.com/AmazonS3/latest/API/API_DeleteObject.html) /// - /// - Parameter DeleteBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketInput`) /// - /// - Returns: `DeleteBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketOutput`) public func deleteBucket(input: DeleteBucketInput) async throws -> DeleteBucketOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1739,7 +1719,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteBucketInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketOutput.httpOutput(from:), DeleteBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1778,9 +1757,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteBucketLifecycleConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketLifecycleConfigurationInput`) /// - /// - Returns: `DeleteBucketLifecycleConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketLifecycleConfigurationOutput`) public func deleteBucketLifecycleConfiguration(input: DeleteBucketLifecycleConfigurationInput) async throws -> DeleteBucketLifecycleConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1807,7 +1786,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteBucketLifecycleConfigurationInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketLifecycleConfigurationOutput.httpOutput(from:), DeleteBucketLifecycleConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1846,9 +1824,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketPolicyInput`) /// - /// - Returns: `DeleteBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketPolicyOutput`) public func deleteBucketPolicy(input: DeleteBucketPolicyInput) async throws -> DeleteBucketPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1875,7 +1853,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteBucketPolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketPolicyOutput.httpOutput(from:), DeleteBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1914,9 +1891,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteBucketReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketReplicationInput`) /// - /// - Returns: `DeleteBucketReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketReplicationOutput`) public func deleteBucketReplication(input: DeleteBucketReplicationInput) async throws -> DeleteBucketReplicationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -1943,7 +1920,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteBucketReplicationInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketReplicationOutput.httpOutput(from:), DeleteBucketReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1982,9 +1958,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteBucketTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBucketTaggingInput`) /// - /// - Returns: `DeleteBucketTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBucketTaggingOutput`) public func deleteBucketTagging(input: DeleteBucketTaggingInput) async throws -> DeleteBucketTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2011,7 +1987,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteBucketTaggingInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBucketTaggingOutput.httpOutput(from:), DeleteBucketTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2052,9 +2027,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteJobTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteJobTaggingInput`) /// - /// - Returns: `DeleteJobTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteJobTaggingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2088,7 +2063,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteJobTaggingInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteJobTaggingOutput.httpOutput(from:), DeleteJobTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2131,9 +2105,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteMultiRegionAccessPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMultiRegionAccessPointInput`) /// - /// - Returns: `DeleteMultiRegionAccessPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMultiRegionAccessPointOutput`) public func deleteMultiRegionAccessPoint(input: DeleteMultiRegionAccessPointInput) async throws -> DeleteMultiRegionAccessPointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2165,7 +2139,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMultiRegionAccessPointOutput.httpOutput(from:), DeleteMultiRegionAccessPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2204,9 +2177,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeletePublicAccessBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePublicAccessBlockInput`) /// - /// - Returns: `DeletePublicAccessBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePublicAccessBlockOutput`) public func deletePublicAccessBlock(input: DeletePublicAccessBlockInput) async throws -> DeletePublicAccessBlockOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2233,7 +2206,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeletePublicAccessBlockInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePublicAccessBlockOutput.httpOutput(from:), DeletePublicAccessBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2265,9 +2237,9 @@ extension S3ControlClient { /// /// This operation is not supported by directory buckets. Deletes the Amazon S3 Storage Lens configuration. For more information about S3 Storage Lens, see [Assessing your storage activity and usage with Amazon S3 Storage Lens ](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens.html) in the Amazon S3 User Guide. To use this action, you must have permission to perform the s3:DeleteStorageLensConfiguration action. For more information, see [Setting permissions to use Amazon S3 Storage Lens](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens_iam_permissions.html) in the Amazon S3 User Guide. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteStorageLensConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStorageLensConfigurationInput`) /// - /// - Returns: `DeleteStorageLensConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStorageLensConfigurationOutput`) public func deleteStorageLensConfiguration(input: DeleteStorageLensConfigurationInput) async throws -> DeleteStorageLensConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2294,7 +2266,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteStorageLensConfigurationInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStorageLensConfigurationOutput.httpOutput(from:), DeleteStorageLensConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2326,9 +2297,9 @@ extension S3ControlClient { /// /// This operation is not supported by directory buckets. Deletes the Amazon S3 Storage Lens configuration tags. For more information about S3 Storage Lens, see [Assessing your storage activity and usage with Amazon S3 Storage Lens ](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens.html) in the Amazon S3 User Guide. To use this action, you must have permission to perform the s3:DeleteStorageLensConfigurationTagging action. For more information, see [Setting permissions to use Amazon S3 Storage Lens](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens_iam_permissions.html) in the Amazon S3 User Guide. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteStorageLensConfigurationTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStorageLensConfigurationTaggingInput`) /// - /// - Returns: `DeleteStorageLensConfigurationTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStorageLensConfigurationTaggingOutput`) public func deleteStorageLensConfigurationTagging(input: DeleteStorageLensConfigurationTaggingInput) async throws -> DeleteStorageLensConfigurationTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2355,7 +2326,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteStorageLensConfigurationTaggingInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStorageLensConfigurationTaggingOutput.httpOutput(from:), DeleteStorageLensConfigurationTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2387,9 +2357,9 @@ extension S3ControlClient { /// /// Deletes an existing S3 Storage Lens group. To use this operation, you must have the permission to perform the s3:DeleteStorageLensGroup action. For more information about the required Storage Lens Groups permissions, see [Setting account permissions to use S3 Storage Lens groups](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage_lens_iam_permissions.html#storage_lens_groups_permissions). For information about Storage Lens groups errors, see [List of Amazon S3 Storage Lens error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#S3LensErrorCodeList). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DeleteStorageLensGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStorageLensGroupInput`) /// - /// - Returns: `DeleteStorageLensGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStorageLensGroupOutput`) public func deleteStorageLensGroup(input: DeleteStorageLensGroupInput) async throws -> DeleteStorageLensGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2416,7 +2386,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteStorageLensGroupInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStorageLensGroupOutput.httpOutput(from:), DeleteStorageLensGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2459,9 +2428,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DescribeJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobInput`) /// - /// - Returns: `DescribeJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2496,7 +2465,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DescribeJobInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobOutput.httpOutput(from:), DescribeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2539,9 +2507,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DescribeMultiRegionAccessPointOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMultiRegionAccessPointOperationInput`) /// - /// - Returns: `DescribeMultiRegionAccessPointOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMultiRegionAccessPointOperationOutput`) public func describeMultiRegionAccessPointOperation(input: DescribeMultiRegionAccessPointOperationInput) async throws -> DescribeMultiRegionAccessPointOperationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2569,7 +2537,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DescribeMultiRegionAccessPointOperationInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMultiRegionAccessPointOperationOutput.httpOutput(from:), DescribeMultiRegionAccessPointOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2601,9 +2568,9 @@ extension S3ControlClient { /// /// Dissociates the Amazon Web Services IAM Identity Center instance from the S3 Access Grants instance. Permissions You must have the s3:DissociateAccessGrantsIdentityCenter permission to use this operation. Additional Permissions You must have the sso:DeleteApplication permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter DissociateAccessGrantsIdentityCenterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DissociateAccessGrantsIdentityCenterInput`) /// - /// - Returns: `DissociateAccessGrantsIdentityCenterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DissociateAccessGrantsIdentityCenterOutput`) public func dissociateAccessGrantsIdentityCenter(input: DissociateAccessGrantsIdentityCenterInput) async throws -> DissociateAccessGrantsIdentityCenterOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -2631,7 +2598,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(DissociateAccessGrantsIdentityCenterInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DissociateAccessGrantsIdentityCenterOutput.httpOutput(from:), DissociateAccessGrantsIdentityCenterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2663,9 +2629,9 @@ extension S3ControlClient { /// /// Get the details of an access grant from your S3 Access Grants instance. Permissions You must have the s3:GetAccessGrant permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessGrantInput`) /// - /// - Returns: `GetAccessGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessGrantOutput`) public func getAccessGrant(input: GetAccessGrantInput) async throws -> GetAccessGrantOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2693,7 +2659,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessGrantInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessGrantOutput.httpOutput(from:), GetAccessGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2725,9 +2690,9 @@ extension S3ControlClient { /// /// Retrieves the S3 Access Grants instance for a Region in your account. Permissions You must have the s3:GetAccessGrantsInstance permission to use this operation. GetAccessGrantsInstance is not supported for cross-account access. You can only call the API from the account that owns the S3 Access Grants instance. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessGrantsInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessGrantsInstanceInput`) /// - /// - Returns: `GetAccessGrantsInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessGrantsInstanceOutput`) public func getAccessGrantsInstance(input: GetAccessGrantsInstanceInput) async throws -> GetAccessGrantsInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2755,7 +2720,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessGrantsInstanceInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessGrantsInstanceOutput.httpOutput(from:), GetAccessGrantsInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2787,9 +2751,9 @@ extension S3ControlClient { /// /// Retrieve the S3 Access Grants instance that contains a particular prefix. Permissions You must have the s3:GetAccessGrantsInstanceForPrefix permission for the caller account to use this operation. Additional Permissions The prefix owner account must grant you the following permissions to their S3 Access Grants instance: s3:GetAccessGrantsInstanceForPrefix. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessGrantsInstanceForPrefixInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessGrantsInstanceForPrefixInput`) /// - /// - Returns: `GetAccessGrantsInstanceForPrefixOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessGrantsInstanceForPrefixOutput`) public func getAccessGrantsInstanceForPrefix(input: GetAccessGrantsInstanceForPrefixInput) async throws -> GetAccessGrantsInstanceForPrefixOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2818,7 +2782,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAccessGrantsInstanceForPrefixInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessGrantsInstanceForPrefixOutput.httpOutput(from:), GetAccessGrantsInstanceForPrefixOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2850,9 +2813,9 @@ extension S3ControlClient { /// /// Returns the resource policy of the S3 Access Grants instance. Permissions You must have the s3:GetAccessGrantsInstanceResourcePolicy permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessGrantsInstanceResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessGrantsInstanceResourcePolicyInput`) /// - /// - Returns: `GetAccessGrantsInstanceResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessGrantsInstanceResourcePolicyOutput`) public func getAccessGrantsInstanceResourcePolicy(input: GetAccessGrantsInstanceResourcePolicyInput) async throws -> GetAccessGrantsInstanceResourcePolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2880,7 +2843,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessGrantsInstanceResourcePolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessGrantsInstanceResourcePolicyOutput.httpOutput(from:), GetAccessGrantsInstanceResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2912,9 +2874,9 @@ extension S3ControlClient { /// /// Retrieves the details of a particular location registered in your S3 Access Grants instance. Permissions You must have the s3:GetAccessGrantsLocation permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessGrantsLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessGrantsLocationInput`) /// - /// - Returns: `GetAccessGrantsLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessGrantsLocationOutput`) public func getAccessGrantsLocation(input: GetAccessGrantsLocationInput) async throws -> GetAccessGrantsLocationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -2942,7 +2904,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessGrantsLocationInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessGrantsLocationOutput.httpOutput(from:), GetAccessGrantsLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2983,9 +2944,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessPointInput`) /// - /// - Returns: `GetAccessPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessPointOutput`) public func getAccessPoint(input: GetAccessPointInput) async throws -> GetAccessPointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3012,7 +2973,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessPointInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessPointOutput.httpOutput(from:), GetAccessPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3049,9 +3009,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessPointConfigurationForObjectLambdaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessPointConfigurationForObjectLambdaInput`) /// - /// - Returns: `GetAccessPointConfigurationForObjectLambdaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessPointConfigurationForObjectLambdaOutput`) public func getAccessPointConfigurationForObjectLambda(input: GetAccessPointConfigurationForObjectLambdaInput) async throws -> GetAccessPointConfigurationForObjectLambdaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3078,7 +3038,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessPointConfigurationForObjectLambdaInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessPointConfigurationForObjectLambdaOutput.httpOutput(from:), GetAccessPointConfigurationForObjectLambdaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3119,9 +3078,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessPointForObjectLambdaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessPointForObjectLambdaInput`) /// - /// - Returns: `GetAccessPointForObjectLambdaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessPointForObjectLambdaOutput`) public func getAccessPointForObjectLambda(input: GetAccessPointForObjectLambdaInput) async throws -> GetAccessPointForObjectLambdaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3148,7 +3107,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessPointForObjectLambdaInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessPointForObjectLambdaOutput.httpOutput(from:), GetAccessPointForObjectLambdaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3187,9 +3145,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessPointPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessPointPolicyInput`) /// - /// - Returns: `GetAccessPointPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessPointPolicyOutput`) public func getAccessPointPolicy(input: GetAccessPointPolicyInput) async throws -> GetAccessPointPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3216,7 +3174,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessPointPolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessPointPolicyOutput.httpOutput(from:), GetAccessPointPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3255,9 +3212,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessPointPolicyForObjectLambdaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessPointPolicyForObjectLambdaInput`) /// - /// - Returns: `GetAccessPointPolicyForObjectLambdaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessPointPolicyForObjectLambdaOutput`) public func getAccessPointPolicyForObjectLambda(input: GetAccessPointPolicyForObjectLambdaInput) async throws -> GetAccessPointPolicyForObjectLambdaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3284,7 +3241,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessPointPolicyForObjectLambdaInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessPointPolicyForObjectLambdaOutput.httpOutput(from:), GetAccessPointPolicyForObjectLambdaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3316,9 +3272,9 @@ extension S3ControlClient { /// /// This operation is not supported by directory buckets. Indicates whether the specified access point currently has a policy that allows public access. For more information about public access through access points, see [Managing Data Access with Amazon S3 access points](https://docs.aws.amazon.com/AmazonS3/latest/userguide/access-points.html) in the Amazon S3 User Guide. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessPointPolicyStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessPointPolicyStatusInput`) /// - /// - Returns: `GetAccessPointPolicyStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessPointPolicyStatusOutput`) public func getAccessPointPolicyStatus(input: GetAccessPointPolicyStatusInput) async throws -> GetAccessPointPolicyStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3345,7 +3301,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessPointPolicyStatusInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessPointPolicyStatusOutput.httpOutput(from:), GetAccessPointPolicyStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3377,9 +3332,9 @@ extension S3ControlClient { /// /// This operation is not supported by directory buckets. Returns the status of the resource policy associated with an Object Lambda Access Point. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessPointPolicyStatusForObjectLambdaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessPointPolicyStatusForObjectLambdaInput`) /// - /// - Returns: `GetAccessPointPolicyStatusForObjectLambdaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessPointPolicyStatusForObjectLambdaOutput`) public func getAccessPointPolicyStatusForObjectLambda(input: GetAccessPointPolicyStatusForObjectLambdaInput) async throws -> GetAccessPointPolicyStatusForObjectLambdaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3406,7 +3361,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessPointPolicyStatusForObjectLambdaInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessPointPolicyStatusForObjectLambdaOutput.httpOutput(from:), GetAccessPointPolicyStatusForObjectLambdaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3438,9 +3392,9 @@ extension S3ControlClient { /// /// Returns the access point scope for a directory bucket. To use this operation, you must have the permission to perform the s3express:GetAccessPointScope action. For information about REST API errors, see [REST error responses](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#RESTErrorResponses). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetAccessPointScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessPointScopeInput`) /// - /// - Returns: `GetAccessPointScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessPointScopeOutput`) public func getAccessPointScope(input: GetAccessPointScopeInput) async throws -> GetAccessPointScopeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3467,7 +3421,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetAccessPointScopeInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessPointScopeOutput.httpOutput(from:), GetAccessPointScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3508,9 +3461,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketInput`) /// - /// - Returns: `GetBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketOutput`) public func getBucket(input: GetBucketInput) async throws -> GetBucketOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3537,7 +3490,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetBucketInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketOutput.httpOutput(from:), GetBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3590,9 +3542,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetBucketLifecycleConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketLifecycleConfigurationInput`) /// - /// - Returns: `GetBucketLifecycleConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketLifecycleConfigurationOutput`) public func getBucketLifecycleConfiguration(input: GetBucketLifecycleConfigurationInput) async throws -> GetBucketLifecycleConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3619,7 +3571,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetBucketLifecycleConfigurationInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketLifecycleConfigurationOutput.httpOutput(from:), GetBucketLifecycleConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3660,9 +3611,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketPolicyInput`) /// - /// - Returns: `GetBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketPolicyOutput`) public func getBucketPolicy(input: GetBucketPolicyInput) async throws -> GetBucketPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3689,7 +3640,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetBucketPolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketPolicyOutput.httpOutput(from:), GetBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3725,9 +3675,9 @@ extension S3ControlClient { /// /// * [DeleteBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_DeleteBucketReplication.html) /// - /// - Parameter GetBucketReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketReplicationInput`) /// - /// - Returns: `GetBucketReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketReplicationOutput`) public func getBucketReplication(input: GetBucketReplicationInput) async throws -> GetBucketReplicationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3754,7 +3704,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetBucketReplicationInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketReplicationOutput.httpOutput(from:), GetBucketReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3800,9 +3749,9 @@ extension S3ControlClient { /// /// * [DeleteBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_DeleteBucketTagging.html) /// - /// - Parameter GetBucketTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketTaggingInput`) /// - /// - Returns: `GetBucketTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketTaggingOutput`) public func getBucketTagging(input: GetBucketTaggingInput) async throws -> GetBucketTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3829,7 +3778,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetBucketTaggingInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketTaggingOutput.httpOutput(from:), GetBucketTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3867,9 +3815,9 @@ extension S3ControlClient { /// /// * [GetBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_GetBucketLifecycleConfiguration.html) /// - /// - Parameter GetBucketVersioningInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBucketVersioningInput`) /// - /// - Returns: `GetBucketVersioningOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBucketVersioningOutput`) public func getBucketVersioning(input: GetBucketVersioningInput) async throws -> GetBucketVersioningOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3896,7 +3844,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetBucketVersioningInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBucketVersioningOutput.httpOutput(from:), GetBucketVersioningOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3928,9 +3875,9 @@ extension S3ControlClient { /// /// Returns a temporary access credential from S3 Access Grants to the grantee or client application. The [temporary credential](https://docs.aws.amazon.com/STS/latest/APIReference/API_Credentials.html) is an Amazon Web Services STS token that grants them access to the S3 data. Permissions You must have the s3:GetDataAccess permission to use this operation. Additional Permissions The IAM role that S3 Access Grants assumes must have the following permissions specified in the trust policy when registering the location: sts:AssumeRole, for directory users or groups sts:SetContext, and for IAM users or roles sts:SetSourceIdentity. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetDataAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataAccessInput`) /// - /// - Returns: `GetDataAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataAccessOutput`) public func getDataAccess(input: GetDataAccessInput) async throws -> GetDataAccessOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -3959,7 +3906,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDataAccessInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataAccessOutput.httpOutput(from:), GetDataAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4000,9 +3946,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetJobTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobTaggingInput`) /// - /// - Returns: `GetJobTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobTaggingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4036,7 +3982,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetJobTaggingInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobTaggingOutput.httpOutput(from:), GetJobTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4079,9 +4024,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetMultiRegionAccessPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMultiRegionAccessPointInput`) /// - /// - Returns: `GetMultiRegionAccessPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMultiRegionAccessPointOutput`) public func getMultiRegionAccessPoint(input: GetMultiRegionAccessPointInput) async throws -> GetMultiRegionAccessPointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4109,7 +4054,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetMultiRegionAccessPointInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMultiRegionAccessPointOutput.httpOutput(from:), GetMultiRegionAccessPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4148,9 +4092,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetMultiRegionAccessPointPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMultiRegionAccessPointPolicyInput`) /// - /// - Returns: `GetMultiRegionAccessPointPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMultiRegionAccessPointPolicyOutput`) public func getMultiRegionAccessPointPolicy(input: GetMultiRegionAccessPointPolicyInput) async throws -> GetMultiRegionAccessPointPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4178,7 +4122,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetMultiRegionAccessPointPolicyInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMultiRegionAccessPointPolicyOutput.httpOutput(from:), GetMultiRegionAccessPointPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4217,9 +4160,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetMultiRegionAccessPointPolicyStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMultiRegionAccessPointPolicyStatusInput`) /// - /// - Returns: `GetMultiRegionAccessPointPolicyStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMultiRegionAccessPointPolicyStatusOutput`) public func getMultiRegionAccessPointPolicyStatus(input: GetMultiRegionAccessPointPolicyStatusInput) async throws -> GetMultiRegionAccessPointPolicyStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4247,7 +4190,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetMultiRegionAccessPointPolicyStatusInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMultiRegionAccessPointPolicyStatusOutput.httpOutput(from:), GetMultiRegionAccessPointPolicyStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4292,9 +4234,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetMultiRegionAccessPointRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMultiRegionAccessPointRoutesInput`) /// - /// - Returns: `GetMultiRegionAccessPointRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMultiRegionAccessPointRoutesOutput`) public func getMultiRegionAccessPointRoutes(input: GetMultiRegionAccessPointRoutesInput) async throws -> GetMultiRegionAccessPointRoutesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4322,7 +4264,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetMultiRegionAccessPointRoutesInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMultiRegionAccessPointRoutesOutput.httpOutput(from:), GetMultiRegionAccessPointRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4361,9 +4302,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetPublicAccessBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPublicAccessBlockInput`) /// - /// - Returns: `GetPublicAccessBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPublicAccessBlockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4395,7 +4336,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetPublicAccessBlockInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPublicAccessBlockOutput.httpOutput(from:), GetPublicAccessBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4427,9 +4367,9 @@ extension S3ControlClient { /// /// This operation is not supported by directory buckets. Gets the Amazon S3 Storage Lens configuration. For more information, see [Assessing your storage activity and usage with Amazon S3 Storage Lens ](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens.html) in the Amazon S3 User Guide. For a complete list of S3 Storage Lens metrics, see [S3 Storage Lens metrics glossary](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage_lens_metrics_glossary.html) in the Amazon S3 User Guide. To use this action, you must have permission to perform the s3:GetStorageLensConfiguration action. For more information, see [Setting permissions to use Amazon S3 Storage Lens](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens_iam_permissions.html) in the Amazon S3 User Guide. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetStorageLensConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStorageLensConfigurationInput`) /// - /// - Returns: `GetStorageLensConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStorageLensConfigurationOutput`) public func getStorageLensConfiguration(input: GetStorageLensConfigurationInput) async throws -> GetStorageLensConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4456,7 +4396,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetStorageLensConfigurationInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStorageLensConfigurationOutput.httpOutput(from:), GetStorageLensConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4488,9 +4427,9 @@ extension S3ControlClient { /// /// This operation is not supported by directory buckets. Gets the tags of Amazon S3 Storage Lens configuration. For more information about S3 Storage Lens, see [Assessing your storage activity and usage with Amazon S3 Storage Lens ](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens.html) in the Amazon S3 User Guide. To use this action, you must have permission to perform the s3:GetStorageLensConfigurationTagging action. For more information, see [Setting permissions to use Amazon S3 Storage Lens](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens_iam_permissions.html) in the Amazon S3 User Guide. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetStorageLensConfigurationTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStorageLensConfigurationTaggingInput`) /// - /// - Returns: `GetStorageLensConfigurationTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStorageLensConfigurationTaggingOutput`) public func getStorageLensConfigurationTagging(input: GetStorageLensConfigurationTaggingInput) async throws -> GetStorageLensConfigurationTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4517,7 +4456,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetStorageLensConfigurationTaggingInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStorageLensConfigurationTaggingOutput.httpOutput(from:), GetStorageLensConfigurationTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4549,9 +4487,9 @@ extension S3ControlClient { /// /// Retrieves the Storage Lens group configuration details. To use this operation, you must have the permission to perform the s3:GetStorageLensGroup action. For more information about the required Storage Lens Groups permissions, see [Setting account permissions to use S3 Storage Lens groups](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage_lens_iam_permissions.html#storage_lens_groups_permissions). For information about Storage Lens groups errors, see [List of Amazon S3 Storage Lens error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#S3LensErrorCodeList). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter GetStorageLensGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetStorageLensGroupInput`) /// - /// - Returns: `GetStorageLensGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetStorageLensGroupOutput`) public func getStorageLensGroup(input: GetStorageLensGroupInput) async throws -> GetStorageLensGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4578,7 +4516,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetStorageLensGroupInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetStorageLensGroupOutput.httpOutput(from:), GetStorageLensGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4610,9 +4547,9 @@ extension S3ControlClient { /// /// Returns the list of access grants in your S3 Access Grants instance. Permissions You must have the s3:ListAccessGrants permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListAccessGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessGrantsInput`) /// - /// - Returns: `ListAccessGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessGrantsOutput`) public func listAccessGrants(input: ListAccessGrantsInput) async throws -> ListAccessGrantsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4641,7 +4578,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessGrantsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessGrantsOutput.httpOutput(from:), ListAccessGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4673,9 +4609,9 @@ extension S3ControlClient { /// /// Returns a list of S3 Access Grants instances. An S3 Access Grants instance serves as a logical grouping for your individual access grants. You can only have one S3 Access Grants instance per Region per account. Permissions You must have the s3:ListAccessGrantsInstances permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListAccessGrantsInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessGrantsInstancesInput`) /// - /// - Returns: `ListAccessGrantsInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessGrantsInstancesOutput`) public func listAccessGrantsInstances(input: ListAccessGrantsInstancesInput) async throws -> ListAccessGrantsInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4704,7 +4640,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessGrantsInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessGrantsInstancesOutput.httpOutput(from:), ListAccessGrantsInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4736,9 +4671,9 @@ extension S3ControlClient { /// /// Returns a list of the locations registered in your S3 Access Grants instance. Permissions You must have the s3:ListAccessGrantsLocations permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListAccessGrantsLocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessGrantsLocationsInput`) /// - /// - Returns: `ListAccessGrantsLocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessGrantsLocationsOutput`) public func listAccessGrantsLocations(input: ListAccessGrantsLocationsInput) async throws -> ListAccessGrantsLocationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4767,7 +4702,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessGrantsLocationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessGrantsLocationsOutput.httpOutput(from:), ListAccessGrantsLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4808,9 +4742,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListAccessPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessPointsInput`) /// - /// - Returns: `ListAccessPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessPointsOutput`) public func listAccessPoints(input: ListAccessPointsInput) async throws -> ListAccessPointsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4838,7 +4772,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessPointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessPointsOutput.httpOutput(from:), ListAccessPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4870,9 +4803,9 @@ extension S3ControlClient { /// /// Returns a list of the access points that are owned by the Amazon Web Services account and that are associated with the specified directory bucket. To list access points for general purpose buckets, see [ListAccesspoints](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_ListAccessPoints.html). To use this operation, you must have the permission to perform the s3express:ListAccessPointsForDirectoryBuckets action. For information about REST API errors, see [REST error responses](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#RESTErrorResponses). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListAccessPointsForDirectoryBucketsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessPointsForDirectoryBucketsInput`) /// - /// - Returns: `ListAccessPointsForDirectoryBucketsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessPointsForDirectoryBucketsOutput`) public func listAccessPointsForDirectoryBuckets(input: ListAccessPointsForDirectoryBucketsInput) async throws -> ListAccessPointsForDirectoryBucketsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4900,7 +4833,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessPointsForDirectoryBucketsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessPointsForDirectoryBucketsOutput.httpOutput(from:), ListAccessPointsForDirectoryBucketsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4941,9 +4873,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListAccessPointsForObjectLambdaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessPointsForObjectLambdaInput`) /// - /// - Returns: `ListAccessPointsForObjectLambdaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessPointsForObjectLambdaOutput`) public func listAccessPointsForObjectLambda(input: ListAccessPointsForObjectLambdaInput) async throws -> ListAccessPointsForObjectLambdaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -4971,7 +4903,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessPointsForObjectLambdaInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessPointsForObjectLambdaOutput.httpOutput(from:), ListAccessPointsForObjectLambdaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5003,9 +4934,9 @@ extension S3ControlClient { /// /// Use this API to list the access grants that grant the caller access to Amazon S3 data through S3 Access Grants. The caller (grantee) can be an Identity and Access Management (IAM) identity or Amazon Web Services Identity Center corporate directory identity. You must pass the Amazon Web Services account of the S3 data owner (grantor) in the request. You can, optionally, narrow the results by GrantScope, using a fragment of the data's S3 path, and S3 Access Grants will return only the grants with a path that contains the path fragment. You can also pass the AllowedByApplication filter in the request, which returns only the grants authorized for applications, whether the application is the caller's Identity Center application or any other application (ALL). For more information, see [List the caller's access grants](https://docs.aws.amazon.com/AmazonS3/latest/userguide/access-grants-list-grants.html) in the Amazon S3 User Guide. Permissions You must have the s3:ListCallerAccessGrants permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListCallerAccessGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCallerAccessGrantsInput`) /// - /// - Returns: `ListCallerAccessGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCallerAccessGrantsOutput`) public func listCallerAccessGrants(input: ListCallerAccessGrantsInput) async throws -> ListCallerAccessGrantsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5034,7 +4965,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCallerAccessGrantsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCallerAccessGrantsOutput.httpOutput(from:), ListCallerAccessGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5077,9 +5007,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5114,7 +5044,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5157,9 +5086,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListMultiRegionAccessPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMultiRegionAccessPointsInput`) /// - /// - Returns: `ListMultiRegionAccessPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMultiRegionAccessPointsOutput`) public func listMultiRegionAccessPoints(input: ListMultiRegionAccessPointsInput) async throws -> ListMultiRegionAccessPointsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5188,7 +5117,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMultiRegionAccessPointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMultiRegionAccessPointsOutput.httpOutput(from:), ListMultiRegionAccessPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5220,9 +5148,9 @@ extension S3ControlClient { /// /// This operation is not supported by directory buckets. Returns a list of all Outposts buckets in an Outpost that are owned by the authenticated sender of the request. For more information, see [Using Amazon S3 on Outposts](https://docs.aws.amazon.com/AmazonS3/latest/userguide/S3onOutposts.html) in the Amazon S3 User Guide. For an example of the request syntax for Amazon S3 on Outposts that uses the S3 on Outposts endpoint hostname prefix and x-amz-outpost-id in your request, see the [Examples](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_ListRegionalBuckets.html#API_control_ListRegionalBuckets_Examples) section. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListRegionalBucketsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegionalBucketsInput`) /// - /// - Returns: `ListRegionalBucketsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegionalBucketsOutput`) public func listRegionalBuckets(input: ListRegionalBucketsInput) async throws -> ListRegionalBucketsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5250,7 +5178,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRegionalBucketsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegionalBucketsOutput.httpOutput(from:), ListRegionalBucketsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5282,9 +5209,9 @@ extension S3ControlClient { /// /// This operation is not supported by directory buckets. Gets a list of Amazon S3 Storage Lens configurations. For more information about S3 Storage Lens, see [Assessing your storage activity and usage with Amazon S3 Storage Lens ](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens.html) in the Amazon S3 User Guide. To use this action, you must have permission to perform the s3:ListStorageLensConfigurations action. For more information, see [Setting permissions to use Amazon S3 Storage Lens](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens_iam_permissions.html) in the Amazon S3 User Guide. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListStorageLensConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStorageLensConfigurationsInput`) /// - /// - Returns: `ListStorageLensConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStorageLensConfigurationsOutput`) public func listStorageLensConfigurations(input: ListStorageLensConfigurationsInput) async throws -> ListStorageLensConfigurationsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5312,7 +5239,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStorageLensConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStorageLensConfigurationsOutput.httpOutput(from:), ListStorageLensConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5344,9 +5270,9 @@ extension S3ControlClient { /// /// Lists all the Storage Lens groups in the specified home Region. To use this operation, you must have the permission to perform the s3:ListStorageLensGroups action. For more information about the required Storage Lens Groups permissions, see [Setting account permissions to use S3 Storage Lens groups](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage_lens_iam_permissions.html#storage_lens_groups_permissions). For information about Storage Lens groups errors, see [List of Amazon S3 Storage Lens error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#S3LensErrorCodeList). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListStorageLensGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStorageLensGroupsInput`) /// - /// - Returns: `ListStorageLensGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStorageLensGroupsOutput`) public func listStorageLensGroups(input: ListStorageLensGroupsInput) async throws -> ListStorageLensGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5374,7 +5300,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStorageLensGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStorageLensGroupsOutput.httpOutput(from:), ListStorageLensGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5419,9 +5344,9 @@ extension S3ControlClient { /// /// Permissions For Storage Lens groups and S3 Access Grants, you must have the s3:ListTagsForResource permission to use this operation. For more information about the required Storage Lens Groups permissions, see [Setting account permissions to use S3 Storage Lens groups](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage_lens_iam_permissions.html#storage_lens_groups_permissions). Directory bucket permissions For directory buckets and access points for directory buckets, you must have the s3express:ListTagsForResource permission to use this operation. For more information about directory buckets policies and permissions, see [Identity and Access Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-permissions.html) in the Amazon S3 User Guide. HTTP Host header syntax Directory buckets - The HTTP Host header syntax is s3express-control.region.amazonaws.com. For information about S3 Tagging errors, see [List of Amazon S3 Tagging error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#S3TaggingErrorCodeList). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) public func listTagsForResource(input: ListTagsForResourceInput) async throws -> ListTagsForResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .get) @@ -5448,7 +5373,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.HeaderMiddleware(ListTagsForResourceInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5480,9 +5404,9 @@ extension S3ControlClient { /// /// Updates the resource policy of the S3 Access Grants instance. Permissions You must have the s3:PutAccessGrantsInstanceResourcePolicy permission to use this operation. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutAccessGrantsInstanceResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccessGrantsInstanceResourcePolicyInput`) /// - /// - Returns: `PutAccessGrantsInstanceResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccessGrantsInstanceResourcePolicyOutput`) public func putAccessGrantsInstanceResourcePolicy(input: PutAccessGrantsInstanceResourcePolicyInput) async throws -> PutAccessGrantsInstanceResourcePolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -5513,7 +5437,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccessGrantsInstanceResourcePolicyOutput.httpOutput(from:), PutAccessGrantsInstanceResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5550,9 +5473,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutAccessPointConfigurationForObjectLambdaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccessPointConfigurationForObjectLambdaInput`) /// - /// - Returns: `PutAccessPointConfigurationForObjectLambdaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccessPointConfigurationForObjectLambdaOutput`) public func putAccessPointConfigurationForObjectLambda(input: PutAccessPointConfigurationForObjectLambdaInput) async throws -> PutAccessPointConfigurationForObjectLambdaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -5582,7 +5505,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccessPointConfigurationForObjectLambdaOutput.httpOutput(from:), PutAccessPointConfigurationForObjectLambdaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5621,9 +5543,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutAccessPointPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccessPointPolicyInput`) /// - /// - Returns: `PutAccessPointPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccessPointPolicyOutput`) public func putAccessPointPolicy(input: PutAccessPointPolicyInput) async throws -> PutAccessPointPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -5653,7 +5575,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccessPointPolicyOutput.httpOutput(from:), PutAccessPointPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5692,9 +5613,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutAccessPointPolicyForObjectLambdaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccessPointPolicyForObjectLambdaInput`) /// - /// - Returns: `PutAccessPointPolicyForObjectLambdaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccessPointPolicyForObjectLambdaOutput`) public func putAccessPointPolicyForObjectLambda(input: PutAccessPointPolicyForObjectLambdaInput) async throws -> PutAccessPointPolicyForObjectLambdaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -5724,7 +5645,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccessPointPolicyForObjectLambdaOutput.httpOutput(from:), PutAccessPointPolicyForObjectLambdaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5756,9 +5676,9 @@ extension S3ControlClient { /// /// Creates or replaces the access point scope for a directory bucket. You can use the access point scope to restrict access to specific prefixes, API operations, or a combination of both. You can specify any amount of prefixes, but the total length of characters of all prefixes must be less than 256 bytes in size. To use this operation, you must have the permission to perform the s3express:PutAccessPointScope action. For information about REST API errors, see [REST error responses](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#RESTErrorResponses). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutAccessPointScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccessPointScopeInput`) /// - /// - Returns: `PutAccessPointScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccessPointScopeOutput`) public func putAccessPointScope(input: PutAccessPointScopeInput) async throws -> PutAccessPointScopeOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -5788,7 +5708,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccessPointScopeOutput.httpOutput(from:), PutAccessPointScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5824,9 +5743,9 @@ extension S3ControlClient { /// /// * [DeleteBucketLifecycleConfiguration](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_DeleteBucketLifecycleConfiguration.html) /// - /// - Parameter PutBucketLifecycleConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketLifecycleConfigurationInput`) /// - /// - Returns: `PutBucketLifecycleConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketLifecycleConfigurationOutput`) public func putBucketLifecycleConfiguration(input: PutBucketLifecycleConfigurationInput) async throws -> PutBucketLifecycleConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -5857,7 +5776,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketLifecycleConfigurationOutput.httpOutput(from:), PutBucketLifecycleConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5893,9 +5811,9 @@ extension S3ControlClient { /// /// * [DeleteBucketPolicy](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_DeleteBucketPolicy.html) /// - /// - Parameter PutBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketPolicyInput`) /// - /// - Returns: `PutBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketPolicyOutput`) public func putBucketPolicy(input: PutBucketPolicyInput) async throws -> PutBucketPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -5926,7 +5844,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketPolicyOutput.httpOutput(from:), PutBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5971,9 +5888,9 @@ extension S3ControlClient { /// /// * [DeleteBucketReplication](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_DeleteBucketReplication.html) /// - /// - Parameter PutBucketReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketReplicationInput`) /// - /// - Returns: `PutBucketReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketReplicationOutput`) public func putBucketReplication(input: PutBucketReplicationInput) async throws -> PutBucketReplicationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6004,7 +5921,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketReplicationOutput.httpOutput(from:), PutBucketReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6071,9 +5987,9 @@ extension S3ControlClient { /// /// * [DeleteBucketTagging](https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_DeleteBucketTagging.html) /// - /// - Parameter PutBucketTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketTaggingInput`) /// - /// - Returns: `PutBucketTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketTaggingOutput`) public func putBucketTagging(input: PutBucketTaggingInput) async throws -> PutBucketTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6104,7 +6020,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketTaggingOutput.httpOutput(from:), PutBucketTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6152,9 +6067,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutBucketVersioningInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutBucketVersioningInput`) /// - /// - Returns: `PutBucketVersioningOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutBucketVersioningOutput`) public func putBucketVersioning(input: PutBucketVersioningInput) async throws -> PutBucketVersioningOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6185,7 +6100,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutBucketVersioningOutput.httpOutput(from:), PutBucketVersioningOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6248,9 +6162,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutJobTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutJobTaggingInput`) /// - /// - Returns: `PutJobTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutJobTaggingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6288,7 +6202,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutJobTaggingOutput.httpOutput(from:), PutJobTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6327,9 +6240,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutMultiRegionAccessPointPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMultiRegionAccessPointPolicyInput`) /// - /// - Returns: `PutMultiRegionAccessPointPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMultiRegionAccessPointPolicyOutput`) public func putMultiRegionAccessPointPolicy(input: PutMultiRegionAccessPointPolicyInput) async throws -> PutMultiRegionAccessPointPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6361,7 +6274,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMultiRegionAccessPointPolicyOutput.httpOutput(from:), PutMultiRegionAccessPointPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6400,9 +6312,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutPublicAccessBlockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPublicAccessBlockInput`) /// - /// - Returns: `PutPublicAccessBlockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPublicAccessBlockOutput`) public func putPublicAccessBlock(input: PutPublicAccessBlockInput) async throws -> PutPublicAccessBlockOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6432,7 +6344,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPublicAccessBlockOutput.httpOutput(from:), PutPublicAccessBlockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6464,9 +6375,9 @@ extension S3ControlClient { /// /// This operation is not supported by directory buckets. Puts an Amazon S3 Storage Lens configuration. For more information about S3 Storage Lens, see [Working with Amazon S3 Storage Lens](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens.html) in the Amazon S3 User Guide. For a complete list of S3 Storage Lens metrics, see [S3 Storage Lens metrics glossary](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage_lens_metrics_glossary.html) in the Amazon S3 User Guide. To use this action, you must have permission to perform the s3:PutStorageLensConfiguration action. For more information, see [Setting permissions to use Amazon S3 Storage Lens](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens_iam_permissions.html) in the Amazon S3 User Guide. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutStorageLensConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutStorageLensConfigurationInput`) /// - /// - Returns: `PutStorageLensConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutStorageLensConfigurationOutput`) public func putStorageLensConfiguration(input: PutStorageLensConfigurationInput) async throws -> PutStorageLensConfigurationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6496,7 +6407,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutStorageLensConfigurationOutput.httpOutput(from:), PutStorageLensConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6528,9 +6438,9 @@ extension S3ControlClient { /// /// This operation is not supported by directory buckets. Put or replace tags on an existing Amazon S3 Storage Lens configuration. For more information about S3 Storage Lens, see [Assessing your storage activity and usage with Amazon S3 Storage Lens ](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens.html) in the Amazon S3 User Guide. To use this action, you must have permission to perform the s3:PutStorageLensConfigurationTagging action. For more information, see [Setting permissions to use Amazon S3 Storage Lens](https://docs.aws.amazon.com/AmazonS3/latest/dev/storage_lens_iam_permissions.html) in the Amazon S3 User Guide. You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter PutStorageLensConfigurationTaggingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutStorageLensConfigurationTaggingInput`) /// - /// - Returns: `PutStorageLensConfigurationTaggingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutStorageLensConfigurationTaggingOutput`) public func putStorageLensConfigurationTagging(input: PutStorageLensConfigurationTaggingInput) async throws -> PutStorageLensConfigurationTaggingOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6560,7 +6470,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutStorageLensConfigurationTaggingOutput.httpOutput(from:), PutStorageLensConfigurationTaggingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6605,9 +6514,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter SubmitMultiRegionAccessPointRoutesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SubmitMultiRegionAccessPointRoutesInput`) /// - /// - Returns: `SubmitMultiRegionAccessPointRoutesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SubmitMultiRegionAccessPointRoutesOutput`) public func submitMultiRegionAccessPointRoutes(input: SubmitMultiRegionAccessPointRoutesInput) async throws -> SubmitMultiRegionAccessPointRoutesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .patch) @@ -6638,7 +6547,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubmitMultiRegionAccessPointRoutesOutput.httpOutput(from:), SubmitMultiRegionAccessPointRoutesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6692,9 +6600,9 @@ extension S3ControlClient { /// /// Permissions For Storage Lens groups and S3 Access Grants, you must have the s3:TagResource permission to use this operation. For more information about the required Storage Lens Groups permissions, see [Setting account permissions to use S3 Storage Lens groups](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage_lens_iam_permissions.html#storage_lens_groups_permissions). Directory bucket permissions For directory buckets and access points for directory buckets, you must have the s3express:TagResource permission to use this operation. For more information about directory buckets policies and permissions, see [Identity and Access Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-permissions.html) in the Amazon S3 User Guide. HTTP Host header syntax Directory buckets - The HTTP Host header syntax is s3express-control.region.amazonaws.com. For information about S3 Tagging errors, see [List of Amazon S3 Tagging error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#S3TaggingErrorCodeList). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) public func tagResource(input: TagResourceInput) async throws -> TagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6724,7 +6632,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6769,9 +6676,9 @@ extension S3ControlClient { /// /// Permissions For Storage Lens groups and S3 Access Grants, you must have the s3:UntagResource permission to use this operation. For more information about the required Storage Lens Groups permissions, see [Setting account permissions to use S3 Storage Lens groups](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage_lens_iam_permissions.html#storage_lens_groups_permissions). Directory bucket permissions For directory buckets and access points for directory buckets, you must have the s3express:UntagResource permission to use this operation. For more information about directory buckets policies and permissions, see [Identity and Access Management (IAM) for S3 Express One Zone](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-express-permissions.html) in the Amazon S3 User Guide. HTTP Host header syntax Directory buckets - The HTTP Host header syntax is s3express-control.region.amazonaws.com. For information about S3 Tagging errors, see [List of Amazon S3 Tagging error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#S3TaggingErrorCodeList). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) public func untagResource(input: UntagResourceInput) async throws -> UntagResourceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .delete) @@ -6799,7 +6706,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6831,9 +6737,9 @@ extension S3ControlClient { /// /// Updates the IAM role of a registered location in your S3 Access Grants instance. Permissions You must have the s3:UpdateAccessGrantsLocation permission to use this operation. Additional Permissions You must also have the following permission: iam:PassRole You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter UpdateAccessGrantsLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccessGrantsLocationInput`) /// - /// - Returns: `UpdateAccessGrantsLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccessGrantsLocationOutput`) public func updateAccessGrantsLocation(input: UpdateAccessGrantsLocationInput) async throws -> UpdateAccessGrantsLocationOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -6864,7 +6770,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccessGrantsLocationOutput.httpOutput(from:), UpdateAccessGrantsLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6907,9 +6812,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter UpdateJobPriorityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJobPriorityInput`) /// - /// - Returns: `UpdateJobPriorityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobPriorityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6945,7 +6850,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UpdateJobPriorityInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobPriorityOutput.httpOutput(from:), UpdateJobPriorityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6988,9 +6892,9 @@ extension S3ControlClient { /// /// You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter UpdateJobStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJobStatusInput`) /// - /// - Returns: `UpdateJobStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7027,7 +6931,6 @@ extension S3ControlClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UpdateJobStatusInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobStatusOutput.httpOutput(from:), UpdateJobStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7059,9 +6962,9 @@ extension S3ControlClient { /// /// Updates the existing Storage Lens group. To use this operation, you must have the permission to perform the s3:UpdateStorageLensGroup action. For more information about the required Storage Lens Groups permissions, see [Setting account permissions to use S3 Storage Lens groups](https://docs.aws.amazon.com/AmazonS3/latest/userguide/storage_lens_iam_permissions.html#storage_lens_groups_permissions). For information about Storage Lens groups errors, see [List of Amazon S3 Storage Lens error codes](https://docs.aws.amazon.com/AmazonS3/latest/API/ErrorResponses.html#S3LensErrorCodeList). You must URL encode any signed header values that contain spaces. For example, if your header value is my file.txt, containing two spaces after my, you must URL encode this value to my%20%20file.txt. /// - /// - Parameter UpdateStorageLensGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStorageLensGroupInput`) /// - /// - Returns: `UpdateStorageLensGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStorageLensGroupOutput`) public func updateStorageLensGroup(input: UpdateStorageLensGroupInput) async throws -> UpdateStorageLensGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -7091,7 +6994,6 @@ extension S3ControlClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStorageLensGroupOutput.httpOutput(from:), UpdateStorageLensGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSS3Outposts/Sources/AWSS3Outposts/S3OutpostsClient.swift b/Sources/Services/AWSS3Outposts/Sources/AWSS3Outposts/S3OutpostsClient.swift index 49b6f0523d2..58b9ab50601 100644 --- a/Sources/Services/AWSS3Outposts/Sources/AWSS3Outposts/S3OutpostsClient.swift +++ b/Sources/Services/AWSS3Outposts/Sources/AWSS3Outposts/S3OutpostsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class S3OutpostsClient: ClientRuntime.Client { public static let clientName = "S3OutpostsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: S3OutpostsClient.S3OutpostsClientConfiguration let serviceName = "S3Outposts" @@ -377,9 +376,9 @@ extension S3OutpostsClient { /// /// * [ListEndpoints](https://docs.aws.amazon.com/AmazonS3/latest/API/API_s3outposts_ListEndpoints.html) /// - /// - Parameter CreateEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEndpointInput`) /// - /// - Returns: `CreateEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension S3OutpostsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEndpointOutput.httpOutput(from:), CreateEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -455,9 +453,9 @@ extension S3OutpostsClient { /// /// * [ListEndpoints](https://docs.aws.amazon.com/AmazonS3/latest/API/API_s3outposts_ListEndpoints.html) /// - /// - Parameter DeleteEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEndpointInput`) /// - /// - Returns: `DeleteEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -494,7 +492,6 @@ extension S3OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteEndpointInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointOutput.httpOutput(from:), DeleteEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -530,9 +527,9 @@ extension S3OutpostsClient { /// /// * [DeleteEndpoint](https://docs.aws.amazon.com/AmazonS3/latest/API/API_s3outposts_DeleteEndpoint.html) /// - /// - Parameter ListEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEndpointsInput`) /// - /// - Returns: `ListEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -568,7 +565,6 @@ extension S3OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEndpointsOutput.httpOutput(from:), ListEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -600,9 +596,9 @@ extension S3OutpostsClient { /// /// Lists the Outposts with S3 on Outposts capacity for your Amazon Web Services account. Includes S3 on Outposts that you have access to as the Outposts owner, or as a shared user from Resource Access Manager (RAM). /// - /// - Parameter ListOutpostsWithS3Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOutpostsWithS3Input`) /// - /// - Returns: `ListOutpostsWithS3Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOutpostsWithS3Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension S3OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOutpostsWithS3Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOutpostsWithS3Output.httpOutput(from:), ListOutpostsWithS3OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -673,9 +668,9 @@ extension S3OutpostsClient { /// /// * [DeleteEndpoint](https://docs.aws.amazon.com/AmazonS3/latest/API/API_s3outposts_DeleteEndpoint.html) /// - /// - Parameter ListSharedEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSharedEndpointsInput`) /// - /// - Returns: `ListSharedEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSharedEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension S3OutpostsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSharedEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSharedEndpointsOutput.httpOutput(from:), ListSharedEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSS3Tables/Sources/AWSS3Tables/S3TablesClient.swift b/Sources/Services/AWSS3Tables/Sources/AWSS3Tables/S3TablesClient.swift index 8033655415d..923be8c180f 100644 --- a/Sources/Services/AWSS3Tables/Sources/AWSS3Tables/S3TablesClient.swift +++ b/Sources/Services/AWSS3Tables/Sources/AWSS3Tables/S3TablesClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class S3TablesClient: ClientRuntime.Client { public static let clientName = "S3TablesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: S3TablesClient.S3TablesClientConfiguration let serviceName = "S3Tables" @@ -374,9 +373,9 @@ extension S3TablesClient { /// /// Creates a namespace. A namespace is a logical grouping of tables within your table bucket, which you can use to organize tables. For more information, see [Create a namespace](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-namespace-create.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:CreateNamespace permission to use this operation. /// - /// - Parameter CreateNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNamespaceInput`) /// - /// - Returns: `CreateNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNamespaceOutput.httpOutput(from:), CreateNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -456,9 +454,9 @@ extension S3TablesClient { /// /// Additionally, If you choose SSE-KMS encryption you must grant the S3 Tables maintenance principal access to your KMS key. For more information, see [Permissions requirements for S3 Tables SSE-KMS encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-kms-permissions.html). /// - /// - Parameter CreateTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTableInput`) /// - /// - Returns: `CreateTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -497,7 +495,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTableOutput.httpOutput(from:), CreateTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -533,9 +530,9 @@ extension S3TablesClient { /// /// * If you use this operation with the optional encryptionConfiguration parameter you must have the s3tables:PutTableBucketEncryption permission. /// - /// - Parameter CreateTableBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTableBucketInput`) /// - /// - Returns: `CreateTableBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTableBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -574,7 +571,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTableBucketOutput.httpOutput(from:), CreateTableBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -606,9 +602,9 @@ extension S3TablesClient { /// /// Deletes a namespace. For more information, see [Delete a namespace](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-namespace-delete.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:DeleteNamespace permission to use this operation. /// - /// - Parameter DeleteNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNamespaceInput`) /// - /// - Returns: `DeleteNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -644,7 +640,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNamespaceOutput.httpOutput(from:), DeleteNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension S3TablesClient { /// /// Deletes a table. For more information, see [Deleting an Amazon S3 table](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-delete.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:DeleteTable permission to use this operation. /// - /// - Parameter DeleteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTableInput`) /// - /// - Returns: `DeleteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -715,7 +710,6 @@ extension S3TablesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteTableInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTableOutput.httpOutput(from:), DeleteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -747,9 +741,9 @@ extension S3TablesClient { /// /// Deletes a table bucket. For more information, see [Deleting a table bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-buckets-delete.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:DeleteTableBucket permission to use this operation. /// - /// - Parameter DeleteTableBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTableBucketInput`) /// - /// - Returns: `DeleteTableBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTableBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -785,7 +779,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTableBucketOutput.httpOutput(from:), DeleteTableBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -817,9 +810,9 @@ extension S3TablesClient { /// /// Deletes the encryption configuration for a table bucket. Permissions You must have the s3tables:DeleteTableBucketEncryption permission to use this operation. /// - /// - Parameter DeleteTableBucketEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTableBucketEncryptionInput`) /// - /// - Returns: `DeleteTableBucketEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTableBucketEncryptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -855,7 +848,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTableBucketEncryptionOutput.httpOutput(from:), DeleteTableBucketEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -887,9 +879,9 @@ extension S3TablesClient { /// /// Deletes a table bucket policy. For more information, see [Deleting a table bucket policy](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-bucket-policy.html#table-bucket-policy-delete) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:DeleteTableBucketPolicy permission to use this operation. /// - /// - Parameter DeleteTableBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTableBucketPolicyInput`) /// - /// - Returns: `DeleteTableBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTableBucketPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +917,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTableBucketPolicyOutput.httpOutput(from:), DeleteTableBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension S3TablesClient { /// /// Deletes a table policy. For more information, see [Deleting a table policy](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-table-policy.html#table-policy-delete) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:DeleteTablePolicy permission to use this operation. /// - /// - Parameter DeleteTablePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTablePolicyInput`) /// - /// - Returns: `DeleteTablePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTablePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -995,7 +986,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTablePolicyOutput.httpOutput(from:), DeleteTablePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1027,9 +1017,9 @@ extension S3TablesClient { /// /// Gets details about a namespace. For more information, see [Table namespaces](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-namespace.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:GetNamespace permission to use this operation. /// - /// - Parameter GetNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNamespaceInput`) /// - /// - Returns: `GetNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1066,7 +1056,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNamespaceOutput.httpOutput(from:), GetNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1098,9 +1087,9 @@ extension S3TablesClient { /// /// Gets details about a table. For more information, see [S3 Tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-tables.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:GetTable permission to use this operation. /// - /// - Parameter GetTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableInput`) /// - /// - Returns: `GetTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1138,7 +1127,6 @@ extension S3TablesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTableInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableOutput.httpOutput(from:), GetTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1170,9 +1158,9 @@ extension S3TablesClient { /// /// Gets details on a table bucket. For more information, see [Viewing details about an Amazon S3 table bucket](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-buckets-details.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:GetTableBucket permission to use this operation. /// - /// - Parameter GetTableBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableBucketInput`) /// - /// - Returns: `GetTableBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1209,7 +1197,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableBucketOutput.httpOutput(from:), GetTableBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1241,9 +1228,9 @@ extension S3TablesClient { /// /// Gets the encryption configuration for a table bucket. Permissions You must have the s3tables:GetTableBucketEncryption permission to use this operation. /// - /// - Parameter GetTableBucketEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableBucketEncryptionInput`) /// - /// - Returns: `GetTableBucketEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableBucketEncryptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1279,7 +1266,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableBucketEncryptionOutput.httpOutput(from:), GetTableBucketEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1311,9 +1297,9 @@ extension S3TablesClient { /// /// Gets details about a maintenance configuration for a given table bucket. For more information, see [Amazon S3 table bucket maintenance](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-table-buckets-maintenance.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:GetTableBucketMaintenanceConfiguration permission to use this operation. /// - /// - Parameter GetTableBucketMaintenanceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableBucketMaintenanceConfigurationInput`) /// - /// - Returns: `GetTableBucketMaintenanceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableBucketMaintenanceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1349,7 +1335,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableBucketMaintenanceConfigurationOutput.httpOutput(from:), GetTableBucketMaintenanceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1381,9 +1366,9 @@ extension S3TablesClient { /// /// Gets details about a table bucket policy. For more information, see [Viewing a table bucket policy](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-bucket-policy.html#table-bucket-policy-get) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:GetTableBucketPolicy permission to use this operation. /// - /// - Parameter GetTableBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableBucketPolicyInput`) /// - /// - Returns: `GetTableBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableBucketPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1419,7 +1404,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableBucketPolicyOutput.httpOutput(from:), GetTableBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1451,9 +1435,9 @@ extension S3TablesClient { /// /// Gets the encryption configuration for a table. Permissions You must have the s3tables:GetTableEncryption permission to use this operation. /// - /// - Parameter GetTableEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableEncryptionInput`) /// - /// - Returns: `GetTableEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableEncryptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1473,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableEncryptionOutput.httpOutput(from:), GetTableEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1525,9 +1508,9 @@ extension S3TablesClient { /// /// * You must have the s3tables:GetTableData permission to use set the compaction strategy to sort or zorder. /// - /// - Parameter GetTableMaintenanceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableMaintenanceConfigurationInput`) /// - /// - Returns: `GetTableMaintenanceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableMaintenanceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1563,7 +1546,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableMaintenanceConfigurationOutput.httpOutput(from:), GetTableMaintenanceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1595,9 +1577,9 @@ extension S3TablesClient { /// /// Gets the status of a maintenance job for a table. For more information, see [S3 Tables maintenance](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-maintenance.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:GetTableMaintenanceJobStatus permission to use this operation. /// - /// - Parameter GetTableMaintenanceJobStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableMaintenanceJobStatusInput`) /// - /// - Returns: `GetTableMaintenanceJobStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableMaintenanceJobStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1633,7 +1615,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableMaintenanceJobStatusOutput.httpOutput(from:), GetTableMaintenanceJobStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1665,9 +1646,9 @@ extension S3TablesClient { /// /// Gets the location of the table metadata. Permissions You must have the s3tables:GetTableMetadataLocation permission to use this operation. /// - /// - Parameter GetTableMetadataLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTableMetadataLocationInput`) /// - /// - Returns: `GetTableMetadataLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTableMetadataLocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1703,7 +1684,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTableMetadataLocationOutput.httpOutput(from:), GetTableMetadataLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1735,9 +1715,9 @@ extension S3TablesClient { /// /// Gets details about a table policy. For more information, see [Viewing a table policy](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-table-policy.html#table-policy-get) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:GetTablePolicy permission to use this operation. /// - /// - Parameter GetTablePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTablePolicyInput`) /// - /// - Returns: `GetTablePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTablePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1773,7 +1753,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTablePolicyOutput.httpOutput(from:), GetTablePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1805,9 +1784,9 @@ extension S3TablesClient { /// /// Lists the namespaces within a table bucket. For more information, see [Table namespaces](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-namespace.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:ListNamespaces permission to use this operation. /// - /// - Parameter ListNamespacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNamespacesInput`) /// - /// - Returns: `ListNamespacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNamespacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1845,7 +1824,6 @@ extension S3TablesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNamespacesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNamespacesOutput.httpOutput(from:), ListNamespacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1877,9 +1855,9 @@ extension S3TablesClient { /// /// Lists table buckets for your account. For more information, see [S3 Table buckets](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-buckets.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:ListTableBuckets permission to use this operation. /// - /// - Parameter ListTableBucketsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTableBucketsInput`) /// - /// - Returns: `ListTableBucketsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTableBucketsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1917,7 +1895,6 @@ extension S3TablesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTableBucketsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTableBucketsOutput.httpOutput(from:), ListTableBucketsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1949,9 +1926,9 @@ extension S3TablesClient { /// /// List tables in the given table bucket. For more information, see [S3 Tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-tables.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:ListTables permission to use this operation. /// - /// - Parameter ListTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTablesInput`) /// - /// - Returns: `ListTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1988,7 +1965,6 @@ extension S3TablesClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTablesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTablesOutput.httpOutput(from:), ListTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2020,9 +1996,9 @@ extension S3TablesClient { /// /// Sets the encryption configuration for a table bucket. Permissions You must have the s3tables:PutTableBucketEncryption permission to use this operation. If you choose SSE-KMS encryption you must grant the S3 Tables maintenance principal access to your KMS key. For more information, see [Permissions requirements for S3 Tables SSE-KMS encryption](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-kms-permissions.html) in the Amazon Simple Storage Service User Guide. /// - /// - Parameter PutTableBucketEncryptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTableBucketEncryptionInput`) /// - /// - Returns: `PutTableBucketEncryptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTableBucketEncryptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2061,7 +2037,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTableBucketEncryptionOutput.httpOutput(from:), PutTableBucketEncryptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2093,9 +2068,9 @@ extension S3TablesClient { /// /// Creates a new maintenance configuration or replaces an existing maintenance configuration for a table bucket. For more information, see [Amazon S3 table bucket maintenance](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-table-buckets-maintenance.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:PutTableBucketMaintenanceConfiguration permission to use this operation. /// - /// - Parameter PutTableBucketMaintenanceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTableBucketMaintenanceConfigurationInput`) /// - /// - Returns: `PutTableBucketMaintenanceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTableBucketMaintenanceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2134,7 +2109,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTableBucketMaintenanceConfigurationOutput.httpOutput(from:), PutTableBucketMaintenanceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2166,9 +2140,9 @@ extension S3TablesClient { /// /// Creates a new maintenance configuration or replaces an existing table bucket policy for a table bucket. For more information, see [Adding a table bucket policy](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-bucket-policy.html#table-bucket-policy-add) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:PutTableBucketPolicy permission to use this operation. /// - /// - Parameter PutTableBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTableBucketPolicyInput`) /// - /// - Returns: `PutTableBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTableBucketPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2207,7 +2181,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTableBucketPolicyOutput.httpOutput(from:), PutTableBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2239,9 +2212,9 @@ extension S3TablesClient { /// /// Creates a new maintenance configuration or replaces an existing maintenance configuration for a table. For more information, see [S3 Tables maintenance](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-maintenance.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:PutTableMaintenanceConfiguration permission to use this operation. /// - /// - Parameter PutTableMaintenanceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTableMaintenanceConfigurationInput`) /// - /// - Returns: `PutTableMaintenanceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTableMaintenanceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2280,7 +2253,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTableMaintenanceConfigurationOutput.httpOutput(from:), PutTableMaintenanceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2312,9 +2284,9 @@ extension S3TablesClient { /// /// Creates a new maintenance configuration or replaces an existing table policy for a table. For more information, see [Adding a table policy](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-table-policy.html#table-policy-add) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:PutTablePolicy permission to use this operation. /// - /// - Parameter PutTablePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTablePolicyInput`) /// - /// - Returns: `PutTablePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTablePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2353,7 +2325,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTablePolicyOutput.httpOutput(from:), PutTablePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2385,9 +2356,9 @@ extension S3TablesClient { /// /// Renames a table or a namespace. For more information, see [S3 Tables](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-tables-tables.html) in the Amazon Simple Storage Service User Guide. Permissions You must have the s3tables:RenameTable permission to use this operation. /// - /// - Parameter RenameTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RenameTableInput`) /// - /// - Returns: `RenameTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RenameTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2426,7 +2397,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RenameTableOutput.httpOutput(from:), RenameTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2458,9 +2428,9 @@ extension S3TablesClient { /// /// Updates the metadata location for a table. The metadata location of a table must be an S3 URI that begins with the table's warehouse location. The metadata location for an Apache Iceberg table must end with .metadata.json, or if the metadata file is Gzip-compressed, .metadata.json.gz. Permissions You must have the s3tables:UpdateTableMetadataLocation permission to use this operation. /// - /// - Parameter UpdateTableMetadataLocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTableMetadataLocationInput`) /// - /// - Returns: `UpdateTableMetadataLocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTableMetadataLocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2499,7 +2469,6 @@ extension S3TablesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTableMetadataLocationOutput.httpOutput(from:), UpdateTableMetadataLocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSS3Vectors/Sources/AWSS3Vectors/S3VectorsClient.swift b/Sources/Services/AWSS3Vectors/Sources/AWSS3Vectors/S3VectorsClient.swift index 604aac38ad4..0bbf90c515d 100644 --- a/Sources/Services/AWSS3Vectors/Sources/AWSS3Vectors/S3VectorsClient.swift +++ b/Sources/Services/AWSS3Vectors/Sources/AWSS3Vectors/S3VectorsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class S3VectorsClient: ClientRuntime.Client { public static let clientName = "S3VectorsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: S3VectorsClient.S3VectorsClientConfiguration let serviceName = "S3Vectors" @@ -373,9 +372,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Creates a vector index within a vector bucket. To specify the vector bucket, you must use either the vector bucket name or the vector bucket Amazon Resource Name (ARN). Permissions You must have the s3vectors:CreateIndex permission to use this operation. /// - /// - Parameter CreateIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIndexInput`) /// - /// - Returns: `CreateIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIndexOutput.httpOutput(from:), CreateIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Creates a vector bucket in the Amazon Web Services Region that you want your bucket to be in. Permissions You must have the s3vectors:CreateVectorBucket permission to use this operation. /// - /// - Parameter CreateVectorBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVectorBucketInput`) /// - /// - Returns: `CreateVectorBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVectorBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVectorBucketOutput.httpOutput(from:), CreateVectorBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Deletes a vector index. To specify the vector index, you can either use both the vector bucket name and vector index name, or use the vector index Amazon Resource Name (ARN). Permissions You must have the s3vectors:DeleteIndex permission to use this operation. /// - /// - Parameter DeleteIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIndexInput`) /// - /// - Returns: `DeleteIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIndexOutput.httpOutput(from:), DeleteIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Deletes a vector bucket. All vector indexes in the vector bucket must be deleted before the vector bucket can be deleted. To perform this operation, you must use either the vector bucket name or the vector bucket Amazon Resource Name (ARN). Permissions You must have the s3vectors:DeleteVectorBucket permission to use this operation. /// - /// - Parameter DeleteVectorBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVectorBucketInput`) /// - /// - Returns: `DeleteVectorBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVectorBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVectorBucketOutput.httpOutput(from:), DeleteVectorBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Deletes a vector bucket policy. To specify the bucket, you must use either the vector bucket name or the vector bucket Amazon Resource Name (ARN). Permissions You must have the s3vectors:DeleteVectorBucketPolicy permission to use this operation. /// - /// - Parameter DeleteVectorBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVectorBucketPolicyInput`) /// - /// - Returns: `DeleteVectorBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVectorBucketPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVectorBucketPolicyOutput.httpOutput(from:), DeleteVectorBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Deletes one or more vectors in a vector index. To specify the vector index, you can either use both the vector bucket name and vector index name, or use the vector index Amazon Resource Name (ARN). Permissions You must have the s3vectors:DeleteVectors permission to use this operation. /// - /// - Parameter DeleteVectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVectorsInput`) /// - /// - Returns: `DeleteVectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -796,7 +790,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVectorsOutput.httpOutput(from:), DeleteVectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -828,9 +821,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Returns vector index attributes. To specify the vector index, you can either use both the vector bucket name and the vector index name, or use the vector index Amazon Resource Name (ARN). Permissions You must have the s3vectors:GetIndex permission to use this operation. /// - /// - Parameter GetIndexInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIndexInput`) /// - /// - Returns: `GetIndexOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIndexOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -870,7 +863,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIndexOutput.httpOutput(from:), GetIndexOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -902,9 +894,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Returns vector bucket attributes. To specify the bucket, you must use either the vector bucket name or the vector bucket Amazon Resource Name (ARN). Permissions You must have the s3vectors:GetVectorBucket permission to use this operation. /// - /// - Parameter GetVectorBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVectorBucketInput`) /// - /// - Returns: `GetVectorBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVectorBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -944,7 +936,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVectorBucketOutput.httpOutput(from:), GetVectorBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -976,9 +967,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Gets details about a vector bucket policy. To specify the bucket, you must use either the vector bucket name or the vector bucket Amazon Resource Name (ARN). Permissions You must have the s3vectors:GetVectorBucketPolicy permission to use this operation. /// - /// - Parameter GetVectorBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVectorBucketPolicyInput`) /// - /// - Returns: `GetVectorBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVectorBucketPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1018,7 +1009,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVectorBucketPolicyOutput.httpOutput(from:), GetVectorBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1050,9 +1040,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Returns vector attributes. To specify the vector index, you can either use both the vector bucket name and the vector index name, or use the vector index Amazon Resource Name (ARN). Permissions You must have the s3vectors:GetVectors permission to use this operation. /// - /// - Parameter GetVectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVectorsInput`) /// - /// - Returns: `GetVectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1103,7 +1093,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVectorsOutput.httpOutput(from:), GetVectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1135,9 +1124,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Returns a list of all the vector indexes within the specified vector bucket. To specify the bucket, you must use either the vector bucket name or the vector bucket Amazon Resource Name (ARN). Permissions You must have the s3vectors:ListIndexes permission to use this operation. /// - /// - Parameter ListIndexesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIndexesInput`) /// - /// - Returns: `ListIndexesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIndexesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1177,7 +1166,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIndexesOutput.httpOutput(from:), ListIndexesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1209,9 +1197,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Returns a list of all the vector buckets that are owned by the authenticated sender of the request. Permissions You must have the s3vectors:ListVectorBuckets permission to use this operation. /// - /// - Parameter ListVectorBucketsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVectorBucketsInput`) /// - /// - Returns: `ListVectorBucketsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVectorBucketsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1250,7 +1238,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVectorBucketsOutput.httpOutput(from:), ListVectorBucketsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1286,9 +1273,9 @@ extension S3VectorsClient { /// /// * If you set returnData or returnMetadata to true, you must have both s3vectors:ListVectors and s3vectors:GetVectors permissions. The request fails with a 403 Forbidden error if you request vector data or metadata without the s3vectors:GetVectors permission. /// - /// - Parameter ListVectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVectorsInput`) /// - /// - Returns: `ListVectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1328,7 +1315,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVectorsOutput.httpOutput(from:), ListVectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1360,9 +1346,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Creates a bucket policy for a vector bucket. To specify the bucket, you must use either the vector bucket name or the vector bucket Amazon Resource Name (ARN). Permissions You must have the s3vectors:PutVectorBucketPolicy permission to use this operation. /// - /// - Parameter PutVectorBucketPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVectorBucketPolicyInput`) /// - /// - Returns: `PutVectorBucketPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVectorBucketPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1402,7 +1388,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVectorBucketPolicyOutput.httpOutput(from:), PutVectorBucketPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1434,9 +1419,9 @@ extension S3VectorsClient { /// /// Amazon S3 Vectors is in preview release for Amazon S3 and is subject to change. Adds one or more vectors to a vector index. To specify the vector index, you can either use both the vector bucket name and the vector index name, or use the vector index Amazon Resource Name (ARN). For more information about limits, see [Limitations and restrictions](https://docs.aws.amazon.com/AmazonS3/latest/userguide/s3-vectors-limitations.html) in the Amazon S3 User Guide. When inserting vector data into your vector index, you must provide the vector data as float32 (32-bit floating point) values. If you pass higher-precision values to an Amazon Web Services SDK, S3 Vectors converts the values to 32-bit floating point before storing them, and GetVectors, ListVectors, and QueryVectors operations return the float32 values. Different Amazon Web Services SDKs may have different default numeric types, so ensure your vectors are properly formatted as float32 values regardless of which SDK you're using. For example, in Python, use numpy.float32 or explicitly cast your values. Permissions You must have the s3vectors:PutVectors permission to use this operation. /// - /// - Parameter PutVectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutVectorsInput`) /// - /// - Returns: `PutVectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutVectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1487,7 +1472,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutVectorsOutput.httpOutput(from:), PutVectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1523,9 +1507,9 @@ extension S3VectorsClient { /// /// * If you specify a metadata filter or set returnMetadata to true, you must have both s3vectors:QueryVectors and s3vectors:GetVectors permissions. The request fails with a 403 Forbidden error if you request metadata filtering, vector data, or metadata without the s3vectors:GetVectors permission. /// - /// - Parameter QueryVectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `QueryVectorsInput`) /// - /// - Returns: `QueryVectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `QueryVectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1576,7 +1560,6 @@ extension S3VectorsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QueryVectorsOutput.httpOutput(from:), QueryVectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSES/Sources/AWSSES/SESClient.swift b/Sources/Services/AWSSES/Sources/AWSSES/SESClient.swift index ab8ccadc3e6..9a22fdfcabd 100644 --- a/Sources/Services/AWSSES/Sources/AWSSES/SESClient.swift +++ b/Sources/Services/AWSSES/Sources/AWSSES/SESClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SESClient: ClientRuntime.Client { public static let clientName = "SESClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SESClient.SESClientConfiguration let serviceName = "SES" @@ -372,9 +371,9 @@ extension SESClient { /// /// Creates a receipt rule set by cloning an existing one. All receipt rules and configurations are copied to the new receipt rule set and are completely independent of the source rule set. For information about setting up rule sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html#receiving-email-concepts-rules). You can execute this operation no more than once per second. /// - /// - Parameter CloneReceiptRuleSetInput : Represents a request to create a receipt rule set by cloning an existing one. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to create a receipt rule set by cloning an existing one. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `CloneReceiptRuleSetInput`) /// - /// - Returns: `CloneReceiptRuleSetOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `CloneReceiptRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -408,7 +407,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CloneReceiptRuleSetOutput.httpOutput(from:), CloneReceiptRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension SESClient { /// /// Creates a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). You can execute this operation no more than once per second. /// - /// - Parameter CreateConfigurationSetInput : Represents a request to create a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). + /// - Parameter input: Represents a request to create a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). (Type: `CreateConfigurationSetInput`) /// - /// - Returns: `CreateConfigurationSetOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `CreateConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationSetOutput.httpOutput(from:), CreateConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension SESClient { /// /// Creates a configuration set event destination. When you create or update an event destination, you must provide one, and only one, destination. The destination can be CloudWatch, Amazon Kinesis Firehose, or Amazon Simple Notification Service (Amazon SNS). An event destination is the Amazon Web Services service to which Amazon SES publishes the email sending events associated with a configuration set. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). You can execute this operation no more than once per second. /// - /// - Parameter CreateConfigurationSetEventDestinationInput : Represents a request to create a configuration set event destination. A configuration set event destination, which can be either Amazon CloudWatch or Amazon Kinesis Firehose, describes an Amazon Web Services service in which Amazon SES publishes the email sending events associated with a configuration set. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). + /// - Parameter input: Represents a request to create a configuration set event destination. A configuration set event destination, which can be either Amazon CloudWatch or Amazon Kinesis Firehose, describes an Amazon Web Services service in which Amazon SES publishes the email sending events associated with a configuration set. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). (Type: `CreateConfigurationSetEventDestinationInput`) /// - /// - Returns: `CreateConfigurationSetEventDestinationOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `CreateConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -551,7 +548,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationSetEventDestinationOutput.httpOutput(from:), CreateConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +581,9 @@ extension SESClient { /// /// Creates an association between a configuration set and a custom domain for open and click event tracking. By default, images and links used for tracking open and click events are hosted on domains operated by Amazon SES. You can configure a subdomain of your own to handle these events. For information about using custom domains, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/configure-custom-open-click-domains.html). /// - /// - Parameter CreateConfigurationSetTrackingOptionsInput : Represents a request to create an open and click tracking option object in a configuration set. + /// - Parameter input: Represents a request to create an open and click tracking option object in a configuration set. (Type: `CreateConfigurationSetTrackingOptionsInput`) /// - /// - Returns: `CreateConfigurationSetTrackingOptionsOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `CreateConfigurationSetTrackingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -625,7 +621,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationSetTrackingOptionsOutput.httpOutput(from:), CreateConfigurationSetTrackingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension SESClient { /// /// Creates a new custom verification email template. For more information about custom verification email templates, see [Using Custom Verification Email Templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter CreateCustomVerificationEmailTemplateInput : Represents a request to create a custom verification email template. + /// - Parameter input: Represents a request to create a custom verification email template. (Type: `CreateCustomVerificationEmailTemplateInput`) /// - /// - Returns: `CreateCustomVerificationEmailTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomVerificationEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomVerificationEmailTemplateOutput.httpOutput(from:), CreateCustomVerificationEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension SESClient { /// /// Creates a new IP address filter. For information about setting up IP address filters, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-ip-filtering-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter CreateReceiptFilterInput : Represents a request to create a new IP address filter. You use IP address filters when you receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to create a new IP address filter. You use IP address filters when you receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `CreateReceiptFilterInput`) /// - /// - Returns: `CreateReceiptFilterOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `CreateReceiptFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -765,7 +759,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReceiptFilterOutput.httpOutput(from:), CreateReceiptFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -799,9 +792,9 @@ extension SESClient { /// /// Creates a receipt rule. For information about setting up receipt rules, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-receipt-rules-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter CreateReceiptRuleInput : Represents a request to create a receipt rule. You use receipt rules to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to create a receipt rule. You use receipt rules to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `CreateReceiptRuleInput`) /// - /// - Returns: `CreateReceiptRuleOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `CreateReceiptRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -839,7 +832,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReceiptRuleOutput.httpOutput(from:), CreateReceiptRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension SESClient { /// /// Creates an empty receipt rule set. For information about setting up receipt rule sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html#receiving-email-concepts-rules). You can execute this operation no more than once per second. /// - /// - Parameter CreateReceiptRuleSetInput : Represents a request to create an empty receipt rule set. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to create an empty receipt rule set. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `CreateReceiptRuleSetInput`) /// - /// - Returns: `CreateReceiptRuleSetOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `CreateReceiptRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -908,7 +900,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReceiptRuleSetOutput.httpOutput(from:), CreateReceiptRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -942,9 +933,9 @@ extension SESClient { /// /// Creates an email template. Email templates enable you to send personalized email to one or more destinations in a single operation. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html). You can execute this operation no more than once per second. /// - /// - Parameter CreateTemplateInput : Represents a request to create an email template. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html). + /// - Parameter input: Represents a request to create an email template. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html). (Type: `CreateTemplateInput`) /// - /// - Returns: `CreateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -978,7 +969,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTemplateOutput.httpOutput(from:), CreateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1012,9 +1002,9 @@ extension SESClient { /// /// Deletes a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). You can execute this operation no more than once per second. /// - /// - Parameter DeleteConfigurationSetInput : Represents a request to delete a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). + /// - Parameter input: Represents a request to delete a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). (Type: `DeleteConfigurationSetInput`) /// - /// - Returns: `DeleteConfigurationSetOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `DeleteConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1046,7 +1036,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationSetOutput.httpOutput(from:), DeleteConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1080,9 +1069,9 @@ extension SESClient { /// /// Deletes a configuration set event destination. Configuration set event destinations are associated with configuration sets, which enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). You can execute this operation no more than once per second. /// - /// - Parameter DeleteConfigurationSetEventDestinationInput : Represents a request to delete a configuration set event destination. Configuration set event destinations are associated with configuration sets, which enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). + /// - Parameter input: Represents a request to delete a configuration set event destination. Configuration set event destinations are associated with configuration sets, which enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). (Type: `DeleteConfigurationSetEventDestinationInput`) /// - /// - Returns: `DeleteConfigurationSetEventDestinationOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `DeleteConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1115,7 +1104,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationSetEventDestinationOutput.httpOutput(from:), DeleteConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1149,9 +1137,9 @@ extension SESClient { /// /// Deletes an association between a configuration set and a custom domain for open and click event tracking. By default, images and links used for tracking open and click events are hosted on domains operated by Amazon SES. You can configure a subdomain of your own to handle these events. For information about using custom domains, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/configure-custom-open-click-domains.html). Deleting this kind of association results in emails sent using the specified configuration set to capture open and click events using the standard, Amazon SES-operated domains. /// - /// - Parameter DeleteConfigurationSetTrackingOptionsInput : Represents a request to delete open and click tracking options in a configuration set. + /// - Parameter input: Represents a request to delete open and click tracking options in a configuration set. (Type: `DeleteConfigurationSetTrackingOptionsInput`) /// - /// - Returns: `DeleteConfigurationSetTrackingOptionsOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `DeleteConfigurationSetTrackingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1184,7 +1172,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationSetTrackingOptionsOutput.httpOutput(from:), DeleteConfigurationSetTrackingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1218,9 +1205,9 @@ extension SESClient { /// /// Deletes an existing custom verification email template. For more information about custom verification email templates, see [Using Custom Verification Email Templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter DeleteCustomVerificationEmailTemplateInput : Represents a request to delete an existing custom verification email template. + /// - Parameter input: Represents a request to delete an existing custom verification email template. (Type: `DeleteCustomVerificationEmailTemplateInput`) /// - /// - Returns: `DeleteCustomVerificationEmailTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomVerificationEmailTemplateOutput`) public func deleteCustomVerificationEmailTemplate(input: DeleteCustomVerificationEmailTemplateInput) async throws -> DeleteCustomVerificationEmailTemplateOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1247,7 +1234,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomVerificationEmailTemplateOutput.httpOutput(from:), DeleteCustomVerificationEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1281,9 +1267,9 @@ extension SESClient { /// /// Deletes the specified identity (an email address or a domain) from the list of verified identities. You can execute this operation no more than once per second. /// - /// - Parameter DeleteIdentityInput : Represents a request to delete one of your Amazon SES identities (an email address or domain). + /// - Parameter input: Represents a request to delete one of your Amazon SES identities (an email address or domain). (Type: `DeleteIdentityInput`) /// - /// - Returns: `DeleteIdentityOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `DeleteIdentityOutput`) public func deleteIdentity(input: DeleteIdentityInput) async throws -> DeleteIdentityOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1310,7 +1296,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentityOutput.httpOutput(from:), DeleteIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1344,9 +1329,9 @@ extension SESClient { /// /// Deletes the specified sending authorization policy for the given identity (an email address or a domain). This operation returns successfully even if a policy with the specified name does not exist. This operation is for the identity owner only. If you have not verified the identity, it returns an error. Sending authorization is a feature that enables an identity owner to authorize other senders to use its identities. For information about using sending authorization, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). You can execute this operation no more than once per second. /// - /// - Parameter DeleteIdentityPolicyInput : Represents a request to delete a sending authorization policy for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). + /// - Parameter input: Represents a request to delete a sending authorization policy for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). (Type: `DeleteIdentityPolicyInput`) /// - /// - Returns: `DeleteIdentityPolicyOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `DeleteIdentityPolicyOutput`) public func deleteIdentityPolicy(input: DeleteIdentityPolicyInput) async throws -> DeleteIdentityPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1373,7 +1358,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentityPolicyOutput.httpOutput(from:), DeleteIdentityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1407,9 +1391,9 @@ extension SESClient { /// /// Deletes the specified IP address filter. For information about managing IP address filters, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-ip-filtering-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter DeleteReceiptFilterInput : Represents a request to delete an IP address filter. You use IP address filters when you receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to delete an IP address filter. You use IP address filters when you receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `DeleteReceiptFilterInput`) /// - /// - Returns: `DeleteReceiptFilterOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `DeleteReceiptFilterOutput`) public func deleteReceiptFilter(input: DeleteReceiptFilterInput) async throws -> DeleteReceiptFilterOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1436,7 +1420,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReceiptFilterOutput.httpOutput(from:), DeleteReceiptFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1470,9 +1453,9 @@ extension SESClient { /// /// Deletes the specified receipt rule. For information about managing receipt rules, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-receipt-rules-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter DeleteReceiptRuleInput : Represents a request to delete a receipt rule. You use receipt rules to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to delete a receipt rule. You use receipt rules to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `DeleteReceiptRuleInput`) /// - /// - Returns: `DeleteReceiptRuleOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `DeleteReceiptRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1504,7 +1487,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReceiptRuleOutput.httpOutput(from:), DeleteReceiptRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1538,9 +1520,9 @@ extension SESClient { /// /// Deletes the specified receipt rule set and all of the receipt rules it contains. The currently active rule set cannot be deleted. For information about managing receipt rule sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-receipt-rules-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter DeleteReceiptRuleSetInput : Represents a request to delete a receipt rule set and all of the receipt rules it contains. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to delete a receipt rule set and all of the receipt rules it contains. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `DeleteReceiptRuleSetInput`) /// - /// - Returns: `DeleteReceiptRuleSetOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `DeleteReceiptRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1572,7 +1554,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReceiptRuleSetOutput.httpOutput(from:), DeleteReceiptRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1606,9 +1587,9 @@ extension SESClient { /// /// Deletes an email template. You can execute this operation no more than once per second. /// - /// - Parameter DeleteTemplateInput : Represents a request to delete an email template. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html). + /// - Parameter input: Represents a request to delete an email template. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html). (Type: `DeleteTemplateInput`) /// - /// - Returns: `DeleteTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTemplateOutput`) public func deleteTemplate(input: DeleteTemplateInput) async throws -> DeleteTemplateOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1635,7 +1616,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTemplateOutput.httpOutput(from:), DeleteTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1669,9 +1649,9 @@ extension SESClient { /// /// Deprecated. Use the DeleteIdentity operation to delete email addresses and domains. /// - /// - Parameter DeleteVerifiedEmailAddressInput : Represents a request to delete an email address from the list of email addresses you have attempted to verify under your Amazon Web Services account. + /// - Parameter input: Represents a request to delete an email address from the list of email addresses you have attempted to verify under your Amazon Web Services account. (Type: `DeleteVerifiedEmailAddressInput`) /// - /// - Returns: `DeleteVerifiedEmailAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVerifiedEmailAddressOutput`) public func deleteVerifiedEmailAddress(input: DeleteVerifiedEmailAddressInput) async throws -> DeleteVerifiedEmailAddressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1698,7 +1678,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVerifiedEmailAddressOutput.httpOutput(from:), DeleteVerifiedEmailAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1732,9 +1711,9 @@ extension SESClient { /// /// Returns the metadata and receipt rules for the receipt rule set that is currently active. For information about setting up receipt rule sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html#receiving-email-concepts-rules). You can execute this operation no more than once per second. /// - /// - Parameter DescribeActiveReceiptRuleSetInput : Represents a request to return the metadata and receipt rules for the receipt rule set that is currently active. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to return the metadata and receipt rules for the receipt rule set that is currently active. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `DescribeActiveReceiptRuleSetInput`) /// - /// - Returns: `DescribeActiveReceiptRuleSetOutput` : Represents the metadata and receipt rules for the receipt rule set that is currently active. + /// - Returns: Represents the metadata and receipt rules for the receipt rule set that is currently active. (Type: `DescribeActiveReceiptRuleSetOutput`) public func describeActiveReceiptRuleSet(input: DescribeActiveReceiptRuleSetInput) async throws -> DescribeActiveReceiptRuleSetOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1761,7 +1740,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeActiveReceiptRuleSetOutput.httpOutput(from:), DescribeActiveReceiptRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1795,9 +1773,9 @@ extension SESClient { /// /// Returns the details of the specified configuration set. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). You can execute this operation no more than once per second. /// - /// - Parameter DescribeConfigurationSetInput : Represents a request to return the details of a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). + /// - Parameter input: Represents a request to return the details of a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). (Type: `DescribeConfigurationSetInput`) /// - /// - Returns: `DescribeConfigurationSetOutput` : Represents the details of a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). + /// - Returns: Represents the details of a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). (Type: `DescribeConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1829,7 +1807,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConfigurationSetOutput.httpOutput(from:), DescribeConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1863,9 +1840,9 @@ extension SESClient { /// /// Returns the details of the specified receipt rule. For information about setting up receipt rules, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-receipt-rules-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter DescribeReceiptRuleInput : Represents a request to return the details of a receipt rule. You use receipt rules to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to return the details of a receipt rule. You use receipt rules to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `DescribeReceiptRuleInput`) /// - /// - Returns: `DescribeReceiptRuleOutput` : Represents the details of a receipt rule. + /// - Returns: Represents the details of a receipt rule. (Type: `DescribeReceiptRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1898,7 +1875,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReceiptRuleOutput.httpOutput(from:), DescribeReceiptRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1932,9 +1908,9 @@ extension SESClient { /// /// Returns the details of the specified receipt rule set. For information about managing receipt rule sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-receipt-rules-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter DescribeReceiptRuleSetInput : Represents a request to return the details of a receipt rule set. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to return the details of a receipt rule set. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `DescribeReceiptRuleSetInput`) /// - /// - Returns: `DescribeReceiptRuleSetOutput` : Represents the details of the specified receipt rule set. + /// - Returns: Represents the details of the specified receipt rule set. (Type: `DescribeReceiptRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1966,7 +1942,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReceiptRuleSetOutput.httpOutput(from:), DescribeReceiptRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2000,9 +1975,9 @@ extension SESClient { /// /// Returns the email sending status of the Amazon SES account for the current Region. You can execute this operation no more than once per second. /// - /// - Parameter GetAccountSendingEnabledInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountSendingEnabledInput`) /// - /// - Returns: `GetAccountSendingEnabledOutput` : Represents a request to return the email sending status for your Amazon SES account in the current Amazon Web Services Region. + /// - Returns: Represents a request to return the email sending status for your Amazon SES account in the current Amazon Web Services Region. (Type: `GetAccountSendingEnabledOutput`) public func getAccountSendingEnabled(input: GetAccountSendingEnabledInput) async throws -> GetAccountSendingEnabledOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2029,7 +2004,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountSendingEnabledOutput.httpOutput(from:), GetAccountSendingEnabledOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2063,9 +2037,9 @@ extension SESClient { /// /// Returns the custom email verification template for the template name you specify. For more information about custom verification email templates, see [Using Custom Verification Email Templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter GetCustomVerificationEmailTemplateInput : Represents a request to retrieve an existing custom verification email template. + /// - Parameter input: Represents a request to retrieve an existing custom verification email template. (Type: `GetCustomVerificationEmailTemplateInput`) /// - /// - Returns: `GetCustomVerificationEmailTemplateOutput` : The content of the custom verification email template. + /// - Returns: The content of the custom verification email template. (Type: `GetCustomVerificationEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2097,7 +2071,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomVerificationEmailTemplateOutput.httpOutput(from:), GetCustomVerificationEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2140,9 +2113,9 @@ extension SESClient { /// /// This operation is throttled at one request per second and can only get DKIM attributes for up to 100 identities at a time. For more information about creating DNS records using DKIM tokens, go to the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-authentication-dkim-easy-managing.html). /// - /// - Parameter GetIdentityDkimAttributesInput : Represents a request for the status of Amazon SES Easy DKIM signing for an identity. For domain identities, this request also returns the DKIM tokens that are required for Easy DKIM signing, and whether Amazon SES successfully verified that these tokens were published. For more information about Easy DKIM, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-authentication-dkim-easy.html). + /// - Parameter input: Represents a request for the status of Amazon SES Easy DKIM signing for an identity. For domain identities, this request also returns the DKIM tokens that are required for Easy DKIM signing, and whether Amazon SES successfully verified that these tokens were published. For more information about Easy DKIM, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-authentication-dkim-easy.html). (Type: `GetIdentityDkimAttributesInput`) /// - /// - Returns: `GetIdentityDkimAttributesOutput` : Represents the status of Amazon SES Easy DKIM signing for an identity. For domain identities, this response also contains the DKIM tokens that are required for Easy DKIM signing, and whether Amazon SES successfully verified that these tokens were published. + /// - Returns: Represents the status of Amazon SES Easy DKIM signing for an identity. For domain identities, this response also contains the DKIM tokens that are required for Easy DKIM signing, and whether Amazon SES successfully verified that these tokens were published. (Type: `GetIdentityDkimAttributesOutput`) public func getIdentityDkimAttributes(input: GetIdentityDkimAttributesInput) async throws -> GetIdentityDkimAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2169,7 +2142,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentityDkimAttributesOutput.httpOutput(from:), GetIdentityDkimAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2203,9 +2175,9 @@ extension SESClient { /// /// Returns the custom MAIL FROM attributes for a list of identities (email addresses : domains). This operation is throttled at one request per second and can only get custom MAIL FROM attributes for up to 100 identities at a time. /// - /// - Parameter GetIdentityMailFromDomainAttributesInput : Represents a request to return the Amazon SES custom MAIL FROM attributes for a list of identities. For information about using a custom MAIL FROM domain, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/mail-from.html). + /// - Parameter input: Represents a request to return the Amazon SES custom MAIL FROM attributes for a list of identities. For information about using a custom MAIL FROM domain, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/mail-from.html). (Type: `GetIdentityMailFromDomainAttributesInput`) /// - /// - Returns: `GetIdentityMailFromDomainAttributesOutput` : Represents the custom MAIL FROM attributes for a list of identities. + /// - Returns: Represents the custom MAIL FROM attributes for a list of identities. (Type: `GetIdentityMailFromDomainAttributesOutput`) public func getIdentityMailFromDomainAttributes(input: GetIdentityMailFromDomainAttributesInput) async throws -> GetIdentityMailFromDomainAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2232,7 +2204,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentityMailFromDomainAttributesOutput.httpOutput(from:), GetIdentityMailFromDomainAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2266,9 +2237,9 @@ extension SESClient { /// /// Given a list of verified identities (email addresses and/or domains), returns a structure describing identity notification attributes. This operation is throttled at one request per second and can only get notification attributes for up to 100 identities at a time. For more information about using notifications with Amazon SES, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications.html). /// - /// - Parameter GetIdentityNotificationAttributesInput : Represents a request to return the notification attributes for a list of identities you verified with Amazon SES. For information about Amazon SES notifications, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications.html). + /// - Parameter input: Represents a request to return the notification attributes for a list of identities you verified with Amazon SES. For information about Amazon SES notifications, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications.html). (Type: `GetIdentityNotificationAttributesInput`) /// - /// - Returns: `GetIdentityNotificationAttributesOutput` : Represents the notification attributes for a list of identities. + /// - Returns: Represents the notification attributes for a list of identities. (Type: `GetIdentityNotificationAttributesOutput`) public func getIdentityNotificationAttributes(input: GetIdentityNotificationAttributesInput) async throws -> GetIdentityNotificationAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2295,7 +2266,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentityNotificationAttributesOutput.httpOutput(from:), GetIdentityNotificationAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2329,9 +2299,9 @@ extension SESClient { /// /// Returns the requested sending authorization policies for the given identity (an email address or a domain). The policies are returned as a map of policy names to policy contents. You can retrieve a maximum of 20 policies at a time. This operation is for the identity owner only. If you have not verified the identity, it returns an error. Sending authorization is a feature that enables an identity owner to authorize other senders to use its identities. For information about using sending authorization, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). You can execute this operation no more than once per second. /// - /// - Parameter GetIdentityPoliciesInput : Represents a request to return the requested sending authorization policies for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). + /// - Parameter input: Represents a request to return the requested sending authorization policies for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). (Type: `GetIdentityPoliciesInput`) /// - /// - Returns: `GetIdentityPoliciesOutput` : Represents the requested sending authorization policies. + /// - Returns: Represents the requested sending authorization policies. (Type: `GetIdentityPoliciesOutput`) public func getIdentityPolicies(input: GetIdentityPoliciesInput) async throws -> GetIdentityPoliciesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2358,7 +2328,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentityPoliciesOutput.httpOutput(from:), GetIdentityPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2392,9 +2361,9 @@ extension SESClient { /// /// Given a list of identities (email addresses and/or domains), returns the verification status and (for domain identities) the verification token for each identity. The verification status of an email address is "Pending" until the email address owner clicks the link within the verification email that Amazon SES sent to that address. If the email address owner clicks the link within 24 hours, the verification status of the email address changes to "Success". If the link is not clicked within 24 hours, the verification status changes to "Failed." In that case, to verify the email address, you must restart the verification process from the beginning. For domain identities, the domain's verification status is "Pending" as Amazon SES searches for the required TXT record in the DNS settings of the domain. When Amazon SES detects the record, the domain's verification status changes to "Success". If Amazon SES is unable to detect the record within 72 hours, the domain's verification status changes to "Failed." In that case, to verify the domain, you must restart the verification process from the beginning. This operation is throttled at one request per second and can only get verification attributes for up to 100 identities at a time. /// - /// - Parameter GetIdentityVerificationAttributesInput : Represents a request to return the Amazon SES verification status of a list of identities. For domain identities, this request also returns the verification token. For information about verifying identities with Amazon SES, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html). + /// - Parameter input: Represents a request to return the Amazon SES verification status of a list of identities. For domain identities, this request also returns the verification token. For information about verifying identities with Amazon SES, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html). (Type: `GetIdentityVerificationAttributesInput`) /// - /// - Returns: `GetIdentityVerificationAttributesOutput` : The Amazon SES verification status of a list of identities. For domain identities, this response also contains the verification token. + /// - Returns: The Amazon SES verification status of a list of identities. For domain identities, this response also contains the verification token. (Type: `GetIdentityVerificationAttributesOutput`) public func getIdentityVerificationAttributes(input: GetIdentityVerificationAttributesInput) async throws -> GetIdentityVerificationAttributesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2421,7 +2390,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentityVerificationAttributesOutput.httpOutput(from:), GetIdentityVerificationAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2455,9 +2423,9 @@ extension SESClient { /// /// Provides the sending limits for the Amazon SES account. You can execute this operation no more than once per second. /// - /// - Parameter GetSendQuotaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSendQuotaInput`) /// - /// - Returns: `GetSendQuotaOutput` : Represents your Amazon SES daily sending quota, maximum send rate, and the number of emails you have sent in the last 24 hours. + /// - Returns: Represents your Amazon SES daily sending quota, maximum send rate, and the number of emails you have sent in the last 24 hours. (Type: `GetSendQuotaOutput`) public func getSendQuota(input: GetSendQuotaInput) async throws -> GetSendQuotaOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2484,7 +2452,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSendQuotaOutput.httpOutput(from:), GetSendQuotaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2518,9 +2485,9 @@ extension SESClient { /// /// Provides sending statistics for the current Amazon Web Services Region. The result is a list of data points, representing the last two weeks of sending activity. Each data point in the list contains statistics for a 15-minute period of time. You can execute this operation no more than once per second. /// - /// - Parameter GetSendStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSendStatisticsInput`) /// - /// - Returns: `GetSendStatisticsOutput` : Represents a list of data points. This list contains aggregated data from the previous two weeks of your sending activity with Amazon SES. + /// - Returns: Represents a list of data points. This list contains aggregated data from the previous two weeks of your sending activity with Amazon SES. (Type: `GetSendStatisticsOutput`) public func getSendStatistics(input: GetSendStatisticsInput) async throws -> GetSendStatisticsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2547,7 +2514,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSendStatisticsOutput.httpOutput(from:), GetSendStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2581,9 +2547,9 @@ extension SESClient { /// /// Displays the template object (which includes the Subject line, HTML part and text part) for the template you specify. You can execute this operation no more than once per second. /// - /// - Parameter GetTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTemplateInput`) /// - /// - Returns: `GetTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2615,7 +2581,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTemplateOutput.httpOutput(from:), GetTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2649,9 +2614,9 @@ extension SESClient { /// /// Provides a list of the configuration sets associated with your Amazon SES account in the current Amazon Web Services Region. For information about using configuration sets, see [Monitoring Your Amazon SES Sending Activity](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. This operation returns up to 1,000 configuration sets each time it is run. If your Amazon SES account has more than 1,000 configuration sets, this operation also returns NextToken. You can then execute the ListConfigurationSets operation again, passing the NextToken parameter and the value of the NextToken element to retrieve additional results. /// - /// - Parameter ListConfigurationSetsInput : Represents a request to list the configuration sets associated with your Amazon Web Services account. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). + /// - Parameter input: Represents a request to list the configuration sets associated with your Amazon Web Services account. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). (Type: `ListConfigurationSetsInput`) /// - /// - Returns: `ListConfigurationSetsOutput` : A list of configuration sets associated with your Amazon Web Services account. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). + /// - Returns: A list of configuration sets associated with your Amazon Web Services account. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). (Type: `ListConfigurationSetsOutput`) public func listConfigurationSets(input: ListConfigurationSetsInput) async throws -> ListConfigurationSetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2678,7 +2643,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationSetsOutput.httpOutput(from:), ListConfigurationSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2712,9 +2676,9 @@ extension SESClient { /// /// Lists the existing custom verification email templates for your account in the current Amazon Web Services Region. For more information about custom verification email templates, see [Using Custom Verification Email Templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter ListCustomVerificationEmailTemplatesInput : Represents a request to list the existing custom verification email templates for your account. For more information about custom verification email templates, see [Using Custom Verification Email Templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. + /// - Parameter input: Represents a request to list the existing custom verification email templates for your account. For more information about custom verification email templates, see [Using Custom Verification Email Templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. (Type: `ListCustomVerificationEmailTemplatesInput`) /// - /// - Returns: `ListCustomVerificationEmailTemplatesOutput` : A paginated list of custom verification email templates. + /// - Returns: A paginated list of custom verification email templates. (Type: `ListCustomVerificationEmailTemplatesOutput`) public func listCustomVerificationEmailTemplates(input: ListCustomVerificationEmailTemplatesInput) async throws -> ListCustomVerificationEmailTemplatesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2741,7 +2705,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomVerificationEmailTemplatesOutput.httpOutput(from:), ListCustomVerificationEmailTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2775,9 +2738,9 @@ extension SESClient { /// /// Returns a list containing all of the identities (email addresses and domains) for your Amazon Web Services account in the current Amazon Web Services Region, regardless of verification status. You can execute this operation no more than once per second. It's recommended that for successive pagination calls of this API, you continue to the use the same parameter/value pairs as used in the original call, e.g., if you used IdentityType=Domain in the the original call and received a NextToken in the response, you should continue providing the IdentityType=Domain parameter for further NextToken calls; however, if you didn't provide the IdentityType parameter in the original call, then continue to not provide it for successive pagination calls. Using this protocol will ensure consistent results. /// - /// - Parameter ListIdentitiesInput : Represents a request to return a list of all identities (email addresses and domains) that you have attempted to verify under your Amazon Web Services account, regardless of verification status. + /// - Parameter input: Represents a request to return a list of all identities (email addresses and domains) that you have attempted to verify under your Amazon Web Services account, regardless of verification status. (Type: `ListIdentitiesInput`) /// - /// - Returns: `ListIdentitiesOutput` : A list of all identities that you have attempted to verify under your Amazon Web Services account, regardless of verification status. + /// - Returns: A list of all identities that you have attempted to verify under your Amazon Web Services account, regardless of verification status. (Type: `ListIdentitiesOutput`) public func listIdentities(input: ListIdentitiesInput) async throws -> ListIdentitiesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2804,7 +2767,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentitiesOutput.httpOutput(from:), ListIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2838,9 +2800,9 @@ extension SESClient { /// /// Returns a list of sending authorization policies that are attached to the given identity (an email address or a domain). This operation returns only a list. To get the actual policy content, use GetIdentityPolicies. This operation is for the identity owner only. If you have not verified the identity, it returns an error. Sending authorization is a feature that enables an identity owner to authorize other senders to use its identities. For information about using sending authorization, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). You can execute this operation no more than once per second. /// - /// - Parameter ListIdentityPoliciesInput : Represents a request to return a list of sending authorization policies that are attached to an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). + /// - Parameter input: Represents a request to return a list of sending authorization policies that are attached to an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). (Type: `ListIdentityPoliciesInput`) /// - /// - Returns: `ListIdentityPoliciesOutput` : A list of names of sending authorization policies that apply to an identity. + /// - Returns: A list of names of sending authorization policies that apply to an identity. (Type: `ListIdentityPoliciesOutput`) public func listIdentityPolicies(input: ListIdentityPoliciesInput) async throws -> ListIdentityPoliciesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2867,7 +2829,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentityPoliciesOutput.httpOutput(from:), ListIdentityPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2901,9 +2862,9 @@ extension SESClient { /// /// Lists the IP address filters associated with your Amazon Web Services account in the current Amazon Web Services Region. For information about managing IP address filters, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-ip-filtering-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter ListReceiptFiltersInput : Represents a request to list the IP address filters that exist under your Amazon Web Services account. You use IP address filters when you receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to list the IP address filters that exist under your Amazon Web Services account. You use IP address filters when you receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `ListReceiptFiltersInput`) /// - /// - Returns: `ListReceiptFiltersOutput` : A list of IP address filters that exist under your Amazon Web Services account. + /// - Returns: A list of IP address filters that exist under your Amazon Web Services account. (Type: `ListReceiptFiltersOutput`) public func listReceiptFilters(input: ListReceiptFiltersInput) async throws -> ListReceiptFiltersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2930,7 +2891,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReceiptFiltersOutput.httpOutput(from:), ListReceiptFiltersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2964,9 +2924,9 @@ extension SESClient { /// /// Lists the receipt rule sets that exist under your Amazon Web Services account in the current Amazon Web Services Region. If there are additional receipt rule sets to be retrieved, you receive a NextToken that you can provide to the next call to ListReceiptRuleSets to retrieve the additional entries. For information about managing receipt rule sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-receipt-rules-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter ListReceiptRuleSetsInput : Represents a request to list the receipt rule sets that exist under your Amazon Web Services account. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to list the receipt rule sets that exist under your Amazon Web Services account. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `ListReceiptRuleSetsInput`) /// - /// - Returns: `ListReceiptRuleSetsOutput` : A list of receipt rule sets that exist under your Amazon Web Services account. + /// - Returns: A list of receipt rule sets that exist under your Amazon Web Services account. (Type: `ListReceiptRuleSetsOutput`) public func listReceiptRuleSets(input: ListReceiptRuleSetsInput) async throws -> ListReceiptRuleSetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2993,7 +2953,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReceiptRuleSetsOutput.httpOutput(from:), ListReceiptRuleSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3027,9 +2986,9 @@ extension SESClient { /// /// Lists the email templates present in your Amazon SES account in the current Amazon Web Services Region. You can execute this operation no more than once per second. /// - /// - Parameter ListTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplatesInput`) /// - /// - Returns: `ListTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplatesOutput`) public func listTemplates(input: ListTemplatesInput) async throws -> ListTemplatesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3056,7 +3015,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplatesOutput.httpOutput(from:), ListTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3090,9 +3048,9 @@ extension SESClient { /// /// Deprecated. Use the ListIdentities operation to list the email addresses and domains associated with your account. /// - /// - Parameter ListVerifiedEmailAddressesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVerifiedEmailAddressesInput`) /// - /// - Returns: `ListVerifiedEmailAddressesOutput` : A list of email addresses that you have verified with Amazon SES under your Amazon Web Services account. + /// - Returns: A list of email addresses that you have verified with Amazon SES under your Amazon Web Services account. (Type: `ListVerifiedEmailAddressesOutput`) public func listVerifiedEmailAddresses(input: ListVerifiedEmailAddressesInput) async throws -> ListVerifiedEmailAddressesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3119,7 +3077,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVerifiedEmailAddressesOutput.httpOutput(from:), ListVerifiedEmailAddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3153,9 +3110,9 @@ extension SESClient { /// /// Adds or updates the delivery options for a configuration set. /// - /// - Parameter PutConfigurationSetDeliveryOptionsInput : A request to modify the delivery options for a configuration set. + /// - Parameter input: A request to modify the delivery options for a configuration set. (Type: `PutConfigurationSetDeliveryOptionsInput`) /// - /// - Returns: `PutConfigurationSetDeliveryOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetDeliveryOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3188,7 +3145,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetDeliveryOptionsOutput.httpOutput(from:), PutConfigurationSetDeliveryOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3222,9 +3178,9 @@ extension SESClient { /// /// Adds or updates a sending authorization policy for the specified identity (an email address or a domain). This operation is for the identity owner only. If you have not verified the identity, it returns an error. Sending authorization is a feature that enables an identity owner to authorize other senders to use its identities. For information about using sending authorization, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). You can execute this operation no more than once per second. /// - /// - Parameter PutIdentityPolicyInput : Represents a request to add or update a sending authorization policy for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). + /// - Parameter input: Represents a request to add or update a sending authorization policy for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/sending-authorization.html). (Type: `PutIdentityPolicyInput`) /// - /// - Returns: `PutIdentityPolicyOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `PutIdentityPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3256,7 +3212,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutIdentityPolicyOutput.httpOutput(from:), PutIdentityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3290,9 +3245,9 @@ extension SESClient { /// /// Reorders the receipt rules within a receipt rule set. All of the rules in the rule set must be represented in this request. That is, it is error if the reorder request doesn't explicitly position all of the rules. For information about managing receipt rule sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-receipt-rules-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter ReorderReceiptRuleSetInput : Represents a request to reorder the receipt rules within a receipt rule set. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to reorder the receipt rules within a receipt rule set. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `ReorderReceiptRuleSetInput`) /// - /// - Returns: `ReorderReceiptRuleSetOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `ReorderReceiptRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3325,7 +3280,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReorderReceiptRuleSetOutput.httpOutput(from:), ReorderReceiptRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3359,9 +3313,9 @@ extension SESClient { /// /// Generates and sends a bounce message to the sender of an email you received through Amazon SES. You can only use this operation on an email up to 24 hours after you receive it. You cannot use this operation to send generic bounces for mail that was not received by Amazon SES. For information about receiving email through Amazon SES, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email.html). You can execute this operation no more than once per second. /// - /// - Parameter SendBounceInput : Represents a request to send a bounce message to the sender of an email you received through Amazon SES. + /// - Parameter input: Represents a request to send a bounce message to the sender of an email you received through Amazon SES. (Type: `SendBounceInput`) /// - /// - Returns: `SendBounceOutput` : Represents a unique message ID. + /// - Returns: Represents a unique message ID. (Type: `SendBounceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3393,7 +3347,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendBounceOutput.httpOutput(from:), SendBounceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3441,9 +3394,9 @@ extension SESClient { /// /// * The number of destinations you can contact in a single call can be limited by your account's maximum sending rate. /// - /// - Parameter SendBulkTemplatedEmailInput : Represents a request to send a templated email to multiple destinations using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html). + /// - Parameter input: Represents a request to send a templated email to multiple destinations using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html). (Type: `SendBulkTemplatedEmailInput`) /// - /// - Returns: `SendBulkTemplatedEmailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendBulkTemplatedEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3480,7 +3433,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendBulkTemplatedEmailOutput.httpOutput(from:), SendBulkTemplatedEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3514,9 +3466,9 @@ extension SESClient { /// /// Adds an email address to the list of identities for your Amazon SES account in the current Amazon Web Services Region and attempts to verify it. As a result of executing this operation, a customized verification email is sent to the specified address. To use this operation, you must first create a custom verification email template. For more information about creating and using custom verification email templates, see [Using Custom Verification Email Templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter SendCustomVerificationEmailInput : Represents a request to send a custom verification email to a specified recipient. + /// - Parameter input: Represents a request to send a custom verification email to a specified recipient. (Type: `SendCustomVerificationEmailInput`) /// - /// - Returns: `SendCustomVerificationEmailOutput` : The response received when attempting to send the custom verification email. + /// - Returns: The response received when attempting to send the custom verification email. (Type: `SendCustomVerificationEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3552,7 +3504,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendCustomVerificationEmailOutput.httpOutput(from:), SendCustomVerificationEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3599,9 +3550,9 @@ extension SESClient { /// /// For every message that you send, the total number of recipients (including each recipient in the To:, CC: and BCC: fields) is counted against the maximum number of emails you can send in a 24-hour period (your sending quota). For more information about sending quotas in Amazon SES, see [Managing Your Amazon SES Sending Limits](https://docs.aws.amazon.com/ses/latest/dg/manage-sending-quotas.html) in the Amazon SES Developer Guide. /// - /// - Parameter SendEmailInput : Represents a request to send a single formatted email using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-formatted.html). + /// - Parameter input: Represents a request to send a single formatted email using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-formatted.html). (Type: `SendEmailInput`) /// - /// - Returns: `SendEmailOutput` : Represents a unique message ID. + /// - Returns: Represents a unique message ID. (Type: `SendEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3637,7 +3588,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendEmailOutput.httpOutput(from:), SendEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3703,9 +3653,9 @@ extension SESClient { /// /// * For every message that you send, the total number of recipients (including each recipient in the To:, CC: and BCC: fields) is counted against the maximum number of emails you can send in a 24-hour period (your sending quota). For more information about sending quotas in Amazon SES, see [Managing Your Amazon SES Sending Limits](https://docs.aws.amazon.com/ses/latest/dg/manage-sending-quotas.html) in the Amazon SES Developer Guide. /// - /// - Parameter SendRawEmailInput : Represents a request to send a single raw email using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-raw.html). + /// - Parameter input: Represents a request to send a single raw email using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-raw.html). (Type: `SendRawEmailInput`) /// - /// - Returns: `SendRawEmailOutput` : Represents a unique message ID. + /// - Returns: Represents a unique message ID. (Type: `SendRawEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3741,7 +3691,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendRawEmailOutput.httpOutput(from:), SendRawEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3790,9 +3739,9 @@ extension SESClient { /// /// If your call to the SendTemplatedEmail operation includes all of the required parameters, Amazon SES accepts it and returns a Message ID. However, if Amazon SES can't render the email because the template contains errors, it doesn't send the email. Additionally, because it already accepted the message, Amazon SES doesn't return a message stating that it was unable to send the email. For these reasons, we highly recommend that you set up Amazon SES to send you notifications when Rendering Failure events occur. For more information, see [Sending Personalized Email Using the Amazon SES API](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html) in the Amazon Simple Email Service Developer Guide. /// - /// - Parameter SendTemplatedEmailInput : Represents a request to send a templated email using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html). + /// - Parameter input: Represents a request to send a templated email using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html). (Type: `SendTemplatedEmailInput`) /// - /// - Returns: `SendTemplatedEmailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendTemplatedEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3829,7 +3778,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendTemplatedEmailOutput.httpOutput(from:), SendTemplatedEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3863,9 +3811,9 @@ extension SESClient { /// /// Sets the specified receipt rule set as the active receipt rule set. To disable your email-receiving through Amazon SES completely, you can call this operation with RuleSetName set to null. For information about managing receipt rule sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-receipt-rules-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter SetActiveReceiptRuleSetInput : Represents a request to set a receipt rule set as the active receipt rule set. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to set a receipt rule set as the active receipt rule set. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `SetActiveReceiptRuleSetInput`) /// - /// - Returns: `SetActiveReceiptRuleSetOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `SetActiveReceiptRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3897,7 +3845,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetActiveReceiptRuleSetOutput.httpOutput(from:), SetActiveReceiptRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3931,9 +3878,9 @@ extension SESClient { /// /// Enables or disables Easy DKIM signing of email sent from an identity. If Easy DKIM signing is enabled for a domain, then Amazon SES uses DKIM to sign all email that it sends from addresses on that domain. If Easy DKIM signing is enabled for an email address, then Amazon SES uses DKIM to sign all email it sends from that address. For email addresses (for example, user@example.com), you can only enable DKIM signing if the corresponding domain (in this case, example.com) has been set up to use Easy DKIM. You can enable DKIM signing for an identity at any time after you start the verification process for the identity, even if the verification process isn't complete. You can execute this operation no more than once per second. For more information about Easy DKIM signing, go to the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-authentication-dkim-easy.html). /// - /// - Parameter SetIdentityDkimEnabledInput : Represents a request to enable or disable Amazon SES Easy DKIM signing for an identity. For more information about setting up Easy DKIM, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-authentication-dkim-easy.html). + /// - Parameter input: Represents a request to enable or disable Amazon SES Easy DKIM signing for an identity. For more information about setting up Easy DKIM, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-authentication-dkim-easy.html). (Type: `SetIdentityDkimEnabledInput`) /// - /// - Returns: `SetIdentityDkimEnabledOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `SetIdentityDkimEnabledOutput`) public func setIdentityDkimEnabled(input: SetIdentityDkimEnabledInput) async throws -> SetIdentityDkimEnabledOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -3960,7 +3907,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetIdentityDkimEnabledOutput.httpOutput(from:), SetIdentityDkimEnabledOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3994,9 +3940,9 @@ extension SESClient { /// /// Given an identity (an email address or a domain), enables or disables whether Amazon SES forwards bounce and complaint notifications as email. Feedback forwarding can only be disabled when Amazon Simple Notification Service (Amazon SNS) topics are specified for both bounces and complaints. Feedback forwarding does not apply to delivery notifications. Delivery notifications are only available through Amazon SNS. You can execute this operation no more than once per second. For more information about using notifications with Amazon SES, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications.html). /// - /// - Parameter SetIdentityFeedbackForwardingEnabledInput : Represents a request to enable or disable whether Amazon SES forwards you bounce and complaint notifications through email. For information about email feedback forwarding, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications-email.html). + /// - Parameter input: Represents a request to enable or disable whether Amazon SES forwards you bounce and complaint notifications through email. For information about email feedback forwarding, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications-email.html). (Type: `SetIdentityFeedbackForwardingEnabledInput`) /// - /// - Returns: `SetIdentityFeedbackForwardingEnabledOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `SetIdentityFeedbackForwardingEnabledOutput`) public func setIdentityFeedbackForwardingEnabled(input: SetIdentityFeedbackForwardingEnabledInput) async throws -> SetIdentityFeedbackForwardingEnabledOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4023,7 +3969,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetIdentityFeedbackForwardingEnabledOutput.httpOutput(from:), SetIdentityFeedbackForwardingEnabledOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4057,9 +4002,9 @@ extension SESClient { /// /// Given an identity (an email address or a domain), sets whether Amazon SES includes the original email headers in the Amazon Simple Notification Service (Amazon SNS) notifications of a specified type. You can execute this operation no more than once per second. For more information about using notifications with Amazon SES, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications.html). /// - /// - Parameter SetIdentityHeadersInNotificationsEnabledInput : Represents a request to set whether Amazon SES includes the original email headers in the Amazon SNS notifications of a specified type. For information about notifications, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications-sns.html). + /// - Parameter input: Represents a request to set whether Amazon SES includes the original email headers in the Amazon SNS notifications of a specified type. For information about notifications, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications-sns.html). (Type: `SetIdentityHeadersInNotificationsEnabledInput`) /// - /// - Returns: `SetIdentityHeadersInNotificationsEnabledOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `SetIdentityHeadersInNotificationsEnabledOutput`) public func setIdentityHeadersInNotificationsEnabled(input: SetIdentityHeadersInNotificationsEnabledInput) async throws -> SetIdentityHeadersInNotificationsEnabledOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4086,7 +4031,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetIdentityHeadersInNotificationsEnabledOutput.httpOutput(from:), SetIdentityHeadersInNotificationsEnabledOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4120,9 +4064,9 @@ extension SESClient { /// /// Enables or disables the custom MAIL FROM domain setup for a verified identity (an email address or a domain). To send emails using the specified MAIL FROM domain, you must add an MX record to your MAIL FROM domain's DNS settings. To ensure that your emails pass Sender Policy Framework (SPF) checks, you must also add or update an SPF record. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/mail-from.html). You can execute this operation no more than once per second. /// - /// - Parameter SetIdentityMailFromDomainInput : Represents a request to enable or disable the Amazon SES custom MAIL FROM domain setup for a verified identity. For information about using a custom MAIL FROM domain, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/mail-from.html). + /// - Parameter input: Represents a request to enable or disable the Amazon SES custom MAIL FROM domain setup for a verified identity. For information about using a custom MAIL FROM domain, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/mail-from.html). (Type: `SetIdentityMailFromDomainInput`) /// - /// - Returns: `SetIdentityMailFromDomainOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `SetIdentityMailFromDomainOutput`) public func setIdentityMailFromDomain(input: SetIdentityMailFromDomainInput) async throws -> SetIdentityMailFromDomainOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4149,7 +4093,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetIdentityMailFromDomainOutput.httpOutput(from:), SetIdentityMailFromDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4183,9 +4126,9 @@ extension SESClient { /// /// Sets an Amazon Simple Notification Service (Amazon SNS) topic to use when delivering notifications. When you use this operation, you specify a verified identity, such as an email address or domain. When you send an email that uses the chosen identity in the Source field, Amazon SES sends notifications to the topic you specified. You can send bounce, complaint, or delivery notifications (or any combination of the three) to the Amazon SNS topic that you specify. You can execute this operation no more than once per second. For more information about feedback notification, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications.html). /// - /// - Parameter SetIdentityNotificationTopicInput : Represents a request to specify the Amazon SNS topic to which Amazon SES publishes bounce, complaint, or delivery notifications for emails sent with that identity as the source. For information about Amazon SES notifications, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications-sns.html). + /// - Parameter input: Represents a request to specify the Amazon SNS topic to which Amazon SES publishes bounce, complaint, or delivery notifications for emails sent with that identity as the source. For information about Amazon SES notifications, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity-using-notifications-sns.html). (Type: `SetIdentityNotificationTopicInput`) /// - /// - Returns: `SetIdentityNotificationTopicOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `SetIdentityNotificationTopicOutput`) public func setIdentityNotificationTopic(input: SetIdentityNotificationTopicInput) async throws -> SetIdentityNotificationTopicOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4212,7 +4155,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetIdentityNotificationTopicOutput.httpOutput(from:), SetIdentityNotificationTopicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4246,9 +4188,9 @@ extension SESClient { /// /// Sets the position of the specified receipt rule in the receipt rule set. For information about managing receipt rules, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-receipt-rules-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter SetReceiptRulePositionInput : Represents a request to set the position of a receipt rule in a receipt rule set. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to set the position of a receipt rule in a receipt rule set. You use receipt rule sets to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `SetReceiptRulePositionInput`) /// - /// - Returns: `SetReceiptRulePositionOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `SetReceiptRulePositionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4281,7 +4223,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetReceiptRulePositionOutput.httpOutput(from:), SetReceiptRulePositionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4315,9 +4256,9 @@ extension SESClient { /// /// Creates a preview of the MIME content of an email when provided with a template and a set of replacement data. You can execute this operation no more than once per second. /// - /// - Parameter TestRenderTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestRenderTemplateInput`) /// - /// - Returns: `TestRenderTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestRenderTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4351,7 +4292,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestRenderTemplateOutput.httpOutput(from:), TestRenderTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4385,9 +4325,9 @@ extension SESClient { /// /// Enables or disables email sending across your entire Amazon SES account in the current Amazon Web Services Region. You can use this operation in conjunction with Amazon CloudWatch alarms to temporarily pause email sending across your Amazon SES account in a given Amazon Web Services Region when reputation metrics (such as your bounce or complaint rates) reach certain thresholds. You can execute this operation no more than once per second. /// - /// - Parameter UpdateAccountSendingEnabledInput : Represents a request to enable or disable the email sending capabilities for your entire Amazon SES account. + /// - Parameter input: Represents a request to enable or disable the email sending capabilities for your entire Amazon SES account. (Type: `UpdateAccountSendingEnabledInput`) /// - /// - Returns: `UpdateAccountSendingEnabledOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountSendingEnabledOutput`) public func updateAccountSendingEnabled(input: UpdateAccountSendingEnabledInput) async throws -> UpdateAccountSendingEnabledOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4414,7 +4354,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountSendingEnabledOutput.httpOutput(from:), UpdateAccountSendingEnabledOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4448,9 +4387,9 @@ extension SESClient { /// /// Updates the event destination of a configuration set. Event destinations are associated with configuration sets, which enable you to publish email sending events to Amazon CloudWatch, Amazon Kinesis Firehose, or Amazon Simple Notification Service (Amazon SNS). For information about using configuration sets, see [Monitoring Your Amazon SES Sending Activity](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html) in the Amazon SES Developer Guide. When you create or update an event destination, you must provide one, and only one, destination. The destination can be Amazon CloudWatch, Amazon Kinesis Firehose, or Amazon Simple Notification Service (Amazon SNS). You can execute this operation no more than once per second. /// - /// - Parameter UpdateConfigurationSetEventDestinationInput : Represents a request to update the event destination of a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). + /// - Parameter input: Represents a request to update the event destination of a configuration set. Configuration sets enable you to publish email sending events. For information about using configuration sets, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/monitor-sending-activity.html). (Type: `UpdateConfigurationSetEventDestinationInput`) /// - /// - Returns: `UpdateConfigurationSetEventDestinationOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `UpdateConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4486,7 +4425,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationSetEventDestinationOutput.httpOutput(from:), UpdateConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4520,9 +4458,9 @@ extension SESClient { /// /// Enables or disables the publishing of reputation metrics for emails sent using a specific configuration set in a given Amazon Web Services Region. Reputation metrics include bounce and complaint rates. These metrics are published to Amazon CloudWatch. By using CloudWatch, you can create alarms when bounce or complaint rates exceed certain thresholds. You can execute this operation no more than once per second. /// - /// - Parameter UpdateConfigurationSetReputationMetricsEnabledInput : Represents a request to modify the reputation metric publishing settings for a configuration set. + /// - Parameter input: Represents a request to modify the reputation metric publishing settings for a configuration set. (Type: `UpdateConfigurationSetReputationMetricsEnabledInput`) /// - /// - Returns: `UpdateConfigurationSetReputationMetricsEnabledOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfigurationSetReputationMetricsEnabledOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4554,7 +4492,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationSetReputationMetricsEnabledOutput.httpOutput(from:), UpdateConfigurationSetReputationMetricsEnabledOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4588,9 +4525,9 @@ extension SESClient { /// /// Enables or disables email sending for messages sent using a specific configuration set in a given Amazon Web Services Region. You can use this operation in conjunction with Amazon CloudWatch alarms to temporarily pause email sending for a configuration set when the reputation metrics for that configuration set (such as your bounce on complaint rate) exceed certain thresholds. You can execute this operation no more than once per second. /// - /// - Parameter UpdateConfigurationSetSendingEnabledInput : Represents a request to enable or disable the email sending capabilities for a specific configuration set. + /// - Parameter input: Represents a request to enable or disable the email sending capabilities for a specific configuration set. (Type: `UpdateConfigurationSetSendingEnabledInput`) /// - /// - Returns: `UpdateConfigurationSetSendingEnabledOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfigurationSetSendingEnabledOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4622,7 +4559,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationSetSendingEnabledOutput.httpOutput(from:), UpdateConfigurationSetSendingEnabledOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4656,9 +4592,9 @@ extension SESClient { /// /// Modifies an association between a configuration set and a custom domain for open and click event tracking. By default, images and links used for tracking open and click events are hosted on domains operated by Amazon SES. You can configure a subdomain of your own to handle these events. For information about using custom domains, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/configure-custom-open-click-domains.html). /// - /// - Parameter UpdateConfigurationSetTrackingOptionsInput : Represents a request to update the tracking options for a configuration set. + /// - Parameter input: Represents a request to update the tracking options for a configuration set. (Type: `UpdateConfigurationSetTrackingOptionsInput`) /// - /// - Returns: `UpdateConfigurationSetTrackingOptionsOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `UpdateConfigurationSetTrackingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4696,7 +4632,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationSetTrackingOptionsOutput.httpOutput(from:), UpdateConfigurationSetTrackingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4730,9 +4665,9 @@ extension SESClient { /// /// Updates an existing custom verification email template. For more information about custom verification email templates, see [Using Custom Verification Email Templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter UpdateCustomVerificationEmailTemplateInput : Represents a request to update an existing custom verification email template. + /// - Parameter input: Represents a request to update an existing custom verification email template. (Type: `UpdateCustomVerificationEmailTemplateInput`) /// - /// - Returns: `UpdateCustomVerificationEmailTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCustomVerificationEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4766,7 +4701,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomVerificationEmailTemplateOutput.httpOutput(from:), UpdateCustomVerificationEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4800,9 +4734,9 @@ extension SESClient { /// /// Updates a receipt rule. For information about managing receipt rules, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-receipt-rules-console-walkthrough.html). You can execute this operation no more than once per second. /// - /// - Parameter UpdateReceiptRuleInput : Represents a request to update a receipt rule. You use receipt rules to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). + /// - Parameter input: Represents a request to update a receipt rule. You use receipt rules to receive email with Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/receiving-email-concepts.html). (Type: `UpdateReceiptRuleInput`) /// - /// - Returns: `UpdateReceiptRuleOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `UpdateReceiptRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4839,7 +4773,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReceiptRuleOutput.httpOutput(from:), UpdateReceiptRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4873,9 +4806,9 @@ extension SESClient { /// /// Updates an email template. Email templates enable you to send personalized email to one or more destinations in a single operation. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-personalized-email-api.html). You can execute this operation no more than once per second. /// - /// - Parameter UpdateTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTemplateInput`) /// - /// - Returns: `UpdateTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4908,7 +4841,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTemplateOutput.httpOutput(from:), UpdateTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4951,9 +4883,9 @@ extension SESClient { /// /// In the preceding example, replace token with one of the tokens that are generated when you execute this operation. Replace example.com with your domain. Repeat this process for each token that's generated by this operation. You can execute this operation no more than once per second. /// - /// - Parameter VerifyDomainDkimInput : Represents a request to generate the CNAME records needed to set up Easy DKIM with Amazon SES. For more information about setting up Easy DKIM, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-authentication-dkim-easy.html). + /// - Parameter input: Represents a request to generate the CNAME records needed to set up Easy DKIM with Amazon SES. For more information about setting up Easy DKIM, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/send-email-authentication-dkim-easy.html). (Type: `VerifyDomainDkimInput`) /// - /// - Returns: `VerifyDomainDkimOutput` : Returns CNAME records that you must publish to the DNS server of your domain to set up Easy DKIM with Amazon SES. + /// - Returns: Returns CNAME records that you must publish to the DNS server of your domain to set up Easy DKIM with Amazon SES. (Type: `VerifyDomainDkimOutput`) public func verifyDomainDkim(input: VerifyDomainDkimInput) async throws -> VerifyDomainDkimOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4980,7 +4912,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyDomainDkimOutput.httpOutput(from:), VerifyDomainDkimOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5014,9 +4945,9 @@ extension SESClient { /// /// Adds a domain to the list of identities for your Amazon SES account in the current Amazon Web Services Region and attempts to verify it. For more information about verifying domains, see [Verifying Email Addresses and Domains](https://docs.aws.amazon.com/ses/latest/dg/verify-addresses-and-domains.html) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter VerifyDomainIdentityInput : Represents a request to begin Amazon SES domain verification and to generate the TXT records that you must publish to the DNS server of your domain to complete the verification. For information about domain verification, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#verify-domain-procedure). + /// - Parameter input: Represents a request to begin Amazon SES domain verification and to generate the TXT records that you must publish to the DNS server of your domain to complete the verification. For information about domain verification, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#verify-domain-procedure). (Type: `VerifyDomainIdentityInput`) /// - /// - Returns: `VerifyDomainIdentityOutput` : Returns a TXT record that you must publish to the DNS server of your domain to complete domain verification with Amazon SES. + /// - Returns: Returns a TXT record that you must publish to the DNS server of your domain to complete domain verification with Amazon SES. (Type: `VerifyDomainIdentityOutput`) public func verifyDomainIdentity(input: VerifyDomainIdentityInput) async throws -> VerifyDomainIdentityOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5043,7 +4974,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyDomainIdentityOutput.httpOutput(from:), VerifyDomainIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5077,9 +5007,9 @@ extension SESClient { /// /// Deprecated. Use the VerifyEmailIdentity operation to verify a new email address. /// - /// - Parameter VerifyEmailAddressInput : Represents a request to begin email address verification with Amazon SES. For information about email address verification, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#verify-email-addresses-procedure). + /// - Parameter input: Represents a request to begin email address verification with Amazon SES. For information about email address verification, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#verify-email-addresses-procedure). (Type: `VerifyEmailAddressInput`) /// - /// - Returns: `VerifyEmailAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `VerifyEmailAddressOutput`) public func verifyEmailAddress(input: VerifyEmailAddressInput) async throws -> VerifyEmailAddressOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5106,7 +5036,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyEmailAddressOutput.httpOutput(from:), VerifyEmailAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5140,9 +5069,9 @@ extension SESClient { /// /// Adds an email address to the list of identities for your Amazon SES account in the current Amazon Web Services Region and attempts to verify it. As a result of executing this operation, a verification email is sent to the specified address. You can execute this operation no more than once per second. /// - /// - Parameter VerifyEmailIdentityInput : Represents a request to begin email address verification with Amazon SES. For information about email address verification, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#verify-email-addresses-procedure). + /// - Parameter input: Represents a request to begin email address verification with Amazon SES. For information about email address verification, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#verify-email-addresses-procedure). (Type: `VerifyEmailIdentityInput`) /// - /// - Returns: `VerifyEmailIdentityOutput` : An empty element returned on a successful request. + /// - Returns: An empty element returned on a successful request. (Type: `VerifyEmailIdentityOutput`) public func verifyEmailIdentity(input: VerifyEmailIdentityInput) async throws -> VerifyEmailIdentityOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5169,7 +5098,6 @@ extension SESClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifyEmailIdentityOutput.httpOutput(from:), VerifyEmailIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSESv2/Sources/AWSSESv2/SESv2Client.swift b/Sources/Services/AWSSESv2/Sources/AWSSESv2/SESv2Client.swift index 66c38e9fbab..5747b093332 100644 --- a/Sources/Services/AWSSESv2/Sources/AWSSESv2/SESv2Client.swift +++ b/Sources/Services/AWSSESv2/Sources/AWSSESv2/SESv2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SESv2Client: ClientRuntime.Client { public static let clientName = "SESv2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SESv2Client.SESv2ClientConfiguration let serviceName = "SESv2" @@ -376,9 +375,9 @@ extension SESv2Client { /// /// Retrieves batches of metric data collected based on your sending activity. You can execute this operation no more than 16 times per second, and with at most 160 queries from the batches per second (cumulative). /// - /// - Parameter BatchGetMetricDataInput : Represents a request to retrieve a batch of metric data. + /// - Parameter input: Represents a request to retrieve a batch of metric data. (Type: `BatchGetMetricDataInput`) /// - /// - Returns: `BatchGetMetricDataOutput` : Represents the result of processing your metric data batch request + /// - Returns: Represents the result of processing your metric data batch request (Type: `BatchGetMetricDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetMetricDataOutput.httpOutput(from:), BatchGetMetricDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension SESv2Client { /// /// Cancels an export job. /// - /// - Parameter CancelExportJobInput : Represents a request to cancel an export job using the export job ID. + /// - Parameter input: Represents a request to cancel an export job using the export job ID. (Type: `CancelExportJobInput`) /// - /// - Returns: `CancelExportJobOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CancelExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelExportJobOutput.httpOutput(from:), CancelExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension SESv2Client { /// /// Create a configuration set. Configuration sets are groups of rules that you can apply to the emails that you send. You apply a configuration set to an email by specifying the name of the configuration set when you call the Amazon SES API v2. When you apply a configuration set to an email, all of the rules in that configuration set are applied to the email. /// - /// - Parameter CreateConfigurationSetInput : A request to create a configuration set. + /// - Parameter input: A request to create a configuration set. (Type: `CreateConfigurationSetInput`) /// - /// - Returns: `CreateConfigurationSetOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CreateConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -557,7 +554,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationSetOutput.httpOutput(from:), CreateConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension SESv2Client { /// /// Create an event destination. Events include message sends, deliveries, opens, clicks, bounces, and complaints. Event destinations are places that you can send information about these events to. For example, you can send event data to Amazon EventBridge and associate a rule to send the event to the specified target. A single configuration set can include more than one event destination. /// - /// - Parameter CreateConfigurationSetEventDestinationInput : A request to add an event destination to a configuration set. + /// - Parameter input: A request to add an event destination to a configuration set. (Type: `CreateConfigurationSetEventDestinationInput`) /// - /// - Returns: `CreateConfigurationSetEventDestinationOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CreateConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationSetEventDestinationOutput.httpOutput(from:), CreateConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -663,9 +658,9 @@ extension SESv2Client { /// /// Creates a contact, which is an end-user who is receiving the email, and adds them to a contact list. /// - /// - Parameter CreateContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContactInput`) /// - /// - Returns: `CreateContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -702,7 +697,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContactOutput.httpOutput(from:), CreateContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension SESv2Client { /// /// Creates a contact list. /// - /// - Parameter CreateContactListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContactListInput`) /// - /// - Returns: `CreateContactListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContactListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContactListOutput.httpOutput(from:), CreateContactListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -807,9 +800,9 @@ extension SESv2Client { /// /// Creates a new custom verification email template. For more information about custom verification email templates, see [Using custom verification email templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter CreateCustomVerificationEmailTemplateInput : Represents a request to create a custom verification email template. + /// - Parameter input: Represents a request to create a custom verification email template. (Type: `CreateCustomVerificationEmailTemplateInput`) /// - /// - Returns: `CreateCustomVerificationEmailTemplateOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `CreateCustomVerificationEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomVerificationEmailTemplateOutput.httpOutput(from:), CreateCustomVerificationEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -880,9 +872,9 @@ extension SESv2Client { /// /// Create a new pool of dedicated IP addresses. A pool can include one or more dedicated IP addresses that are associated with your Amazon Web Services account. You can associate a pool with a configuration set. When you send an email that uses that configuration set, the message is sent from one of the addresses in the associated pool. /// - /// - Parameter CreateDedicatedIpPoolInput : A request to create a new dedicated IP pool. + /// - Parameter input: A request to create a new dedicated IP pool. (Type: `CreateDedicatedIpPoolInput`) /// - /// - Returns: `CreateDedicatedIpPoolOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CreateDedicatedIpPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -920,7 +912,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDedicatedIpPoolOutput.httpOutput(from:), CreateDedicatedIpPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +944,9 @@ extension SESv2Client { /// /// Create a new predictive inbox placement test. Predictive inbox placement tests can help you predict how your messages will be handled by various email providers around the world. When you perform a predictive inbox placement test, you provide a sample message that contains the content that you plan to send to your customers. Amazon SES then sends that message to special email addresses spread across several major email providers. After about 24 hours, the test is complete, and you can use the GetDeliverabilityTestReport operation to view the results of the test. /// - /// - Parameter CreateDeliverabilityTestReportInput : A request to perform a predictive inbox placement test. Predictive inbox placement tests can help you predict how your messages will be handled by various email providers around the world. When you perform a predictive inbox placement test, you provide a sample message that contains the content that you plan to send to your customers. We send that message to special email addresses spread across several major email providers around the world. The test takes about 24 hours to complete. When the test is complete, you can use the GetDeliverabilityTestReport operation to view the results of the test. + /// - Parameter input: A request to perform a predictive inbox placement test. Predictive inbox placement tests can help you predict how your messages will be handled by various email providers around the world. When you perform a predictive inbox placement test, you provide a sample message that contains the content that you plan to send to your customers. We send that message to special email addresses spread across several major email providers around the world. The test takes about 24 hours to complete. When the test is complete, you can use the GetDeliverabilityTestReport operation to view the results of the test. (Type: `CreateDeliverabilityTestReportInput`) /// - /// - Returns: `CreateDeliverabilityTestReportOutput` : Information about the predictive inbox placement test that you created. + /// - Returns: Information about the predictive inbox placement test that you created. (Type: `CreateDeliverabilityTestReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +988,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeliverabilityTestReportOutput.httpOutput(from:), CreateDeliverabilityTestReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1030,9 +1020,9 @@ extension SESv2Client { /// /// Starts the process of verifying an email identity. An identity is an email address or domain that you use when you send email. Before you can use an identity to send email, you first have to verify it. By verifying an identity, you demonstrate that you're the owner of the identity, and that you've given Amazon SES API v2 permission to send email from the identity. When you verify an email address, Amazon SES sends an email to the address. Your email address is verified as soon as you follow the link in the verification email. When you verify a domain without specifying the DkimSigningAttributes object, this operation provides a set of DKIM tokens. You can convert these tokens into CNAME records, which you then add to the DNS configuration for your domain. Your domain is verified when Amazon SES detects these records in the DNS configuration for your domain. This verification method is known as [Easy DKIM](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/easy-dkim.html). Alternatively, you can perform the verification process by providing your own public-private key pair. This verification method is known as Bring Your Own DKIM (BYODKIM). To use BYODKIM, your call to the CreateEmailIdentity operation has to include the DkimSigningAttributes object. When you specify this object, you provide a selector (a component of the DNS record name that identifies the public key to use for DKIM authentication) and a private key. When you verify a domain, this operation provides a set of DKIM tokens, which you can convert into CNAME tokens. You add these CNAME tokens to the DNS configuration for your domain. Your domain is verified when Amazon SES detects these records in the DNS configuration for your domain. For some DNS providers, it can take 72 hours or more to complete the domain verification process. Additionally, you can associate an existing configuration set with the email identity that you're verifying. /// - /// - Parameter CreateEmailIdentityInput : A request to begin the verification process for an email identity (an email address or domain). + /// - Parameter input: A request to begin the verification process for an email identity (an email address or domain). (Type: `CreateEmailIdentityInput`) /// - /// - Returns: `CreateEmailIdentityOutput` : If the email identity is a domain, this object contains information about the DKIM verification status for the domain. If the email identity is an email address, this object is empty. + /// - Returns: If the email identity is a domain, this object contains information about the DKIM verification status for the domain. If the email identity is an email address, this object is empty. (Type: `CreateEmailIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1071,7 +1061,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEmailIdentityOutput.httpOutput(from:), CreateEmailIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1104,9 +1093,9 @@ extension SESv2Client { /// /// Creates the specified sending authorization policy for the given identity (an email address or a domain). This API is for the identity owner only. If you have not verified the identity, this API will return an error. Sending authorization is a feature that enables an identity owner to authorize other senders to use its identities. For information about using sending authorization, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/sending-authorization.html). You can execute this operation no more than once per second. /// - /// - Parameter CreateEmailIdentityPolicyInput : Represents a request to create a sending authorization policy for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/sending-authorization-identity-owner-tasks-management.html). + /// - Parameter input: Represents a request to create a sending authorization policy for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/sending-authorization-identity-owner-tasks-management.html). (Type: `CreateEmailIdentityPolicyInput`) /// - /// - Returns: `CreateEmailIdentityPolicyOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CreateEmailIdentityPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1144,7 +1133,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEmailIdentityPolicyOutput.httpOutput(from:), CreateEmailIdentityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1177,9 +1165,9 @@ extension SESv2Client { /// /// Creates an email template. Email templates enable you to send personalized email to one or more destinations in a single API operation. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). You can execute this operation no more than once per second. /// - /// - Parameter CreateEmailTemplateInput : Represents a request to create an email template. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). + /// - Parameter input: Represents a request to create an email template. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). (Type: `CreateEmailTemplateInput`) /// - /// - Returns: `CreateEmailTemplateOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `CreateEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1216,7 +1204,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEmailTemplateOutput.httpOutput(from:), CreateEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1249,9 +1236,9 @@ extension SESv2Client { /// /// Creates an export job for a data source and destination. You can execute this operation no more than once per second. /// - /// - Parameter CreateExportJobInput : Represents a request to create an export job from a data source to a data destination. + /// - Parameter input: Represents a request to create an export job from a data source to a data destination. (Type: `CreateExportJobInput`) /// - /// - Returns: `CreateExportJobOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CreateExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1288,7 +1275,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExportJobOutput.httpOutput(from:), CreateExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1321,9 +1307,9 @@ extension SESv2Client { /// /// Creates an import job for a data destination. /// - /// - Parameter CreateImportJobInput : Represents a request to create an import job from a data source for a data destination. + /// - Parameter input: Represents a request to create an import job from a data source for a data destination. (Type: `CreateImportJobInput`) /// - /// - Returns: `CreateImportJobOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CreateImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1359,7 +1345,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImportJobOutput.httpOutput(from:), CreateImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1392,9 +1377,9 @@ extension SESv2Client { /// /// Creates a multi-region endpoint (global-endpoint). The primary region is going to be the AWS-Region where the operation is executed. The secondary region has to be provided in request's parameters. From the data flow standpoint there is no difference between primary and secondary regions - sending traffic will be split equally between the two. The primary region is the region where the resource has been created and where it can be managed. /// - /// - Parameter CreateMultiRegionEndpointInput : Represents a request to create a multi-region endpoint (global-endpoint). + /// - Parameter input: Represents a request to create a multi-region endpoint (global-endpoint). (Type: `CreateMultiRegionEndpointInput`) /// - /// - Returns: `CreateMultiRegionEndpointOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `CreateMultiRegionEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1431,7 +1416,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMultiRegionEndpointOutput.httpOutput(from:), CreateMultiRegionEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1464,9 +1448,9 @@ extension SESv2Client { /// /// Create a tenant. Tenants are logical containers that group related SES resources together. Each tenant can have its own set of resources like email identities, configuration sets, and templates, along with reputation metrics and sending status. This helps isolate and manage email sending for different customers or business units within your Amazon SES API v2 account. /// - /// - Parameter CreateTenantInput : Represents a request to create a tenant. Tenants are logical containers that group related SES resources together. Each tenant can have its own set of resources like email identities, configuration sets, and templates, along with reputation metrics and sending status. This helps isolate and manage email sending for different customers or business units within your Amazon SES API v2 account. + /// - Parameter input: Represents a request to create a tenant. Tenants are logical containers that group related SES resources together. Each tenant can have its own set of resources like email identities, configuration sets, and templates, along with reputation metrics and sending status. This helps isolate and manage email sending for different customers or business units within your Amazon SES API v2 account. (Type: `CreateTenantInput`) /// - /// - Returns: `CreateTenantOutput` : Information about a newly created tenant. + /// - Returns: Information about a newly created tenant. (Type: `CreateTenantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1503,7 +1487,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTenantOutput.httpOutput(from:), CreateTenantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1536,9 +1519,9 @@ extension SESv2Client { /// /// Associate a resource with a tenant. Resources can be email identities, configuration sets, or email templates. When you associate a resource with a tenant, you can use that resource when sending emails on behalf of that tenant. A single resource can be associated with multiple tenants, allowing for resource sharing across different tenants while maintaining isolation in email sending operations. /// - /// - Parameter CreateTenantResourceAssociationInput : Represents a request to associate a resource with a tenant. Resources can be email identities, configuration sets, or email templates. When you associate a resource with a tenant, you can use that resource when sending emails on behalf of that tenant. + /// - Parameter input: Represents a request to associate a resource with a tenant. Resources can be email identities, configuration sets, or email templates. When you associate a resource with a tenant, you can use that resource when sending emails on behalf of that tenant. (Type: `CreateTenantResourceAssociationInput`) /// - /// - Returns: `CreateTenantResourceAssociationOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `CreateTenantResourceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1575,7 +1558,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTenantResourceAssociationOutput.httpOutput(from:), CreateTenantResourceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1608,9 +1590,9 @@ extension SESv2Client { /// /// Delete an existing configuration set. Configuration sets are groups of rules that you can apply to the emails you send. You apply a configuration set to an email by including a reference to the configuration set in the headers of the email. When you apply a configuration set to an email, all of the rules in that configuration set are applied to the email. /// - /// - Parameter DeleteConfigurationSetInput : A request to delete a configuration set. + /// - Parameter input: A request to delete a configuration set. (Type: `DeleteConfigurationSetInput`) /// - /// - Returns: `DeleteConfigurationSetOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1644,7 +1626,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationSetOutput.httpOutput(from:), DeleteConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1677,9 +1658,9 @@ extension SESv2Client { /// /// Delete an event destination. Events include message sends, deliveries, opens, clicks, bounces, and complaints. Event destinations are places that you can send information about these events to. For example, you can send event data to Amazon EventBridge and associate a rule to send the event to the specified target. /// - /// - Parameter DeleteConfigurationSetEventDestinationInput : A request to delete an event destination from a configuration set. + /// - Parameter input: A request to delete an event destination from a configuration set. (Type: `DeleteConfigurationSetEventDestinationInput`) /// - /// - Returns: `DeleteConfigurationSetEventDestinationOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1712,7 +1693,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationSetEventDestinationOutput.httpOutput(from:), DeleteConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1745,9 +1725,9 @@ extension SESv2Client { /// /// Removes a contact from a contact list. /// - /// - Parameter DeleteContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContactInput`) /// - /// - Returns: `DeleteContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1780,7 +1760,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContactOutput.httpOutput(from:), DeleteContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1813,9 +1792,9 @@ extension SESv2Client { /// /// Deletes a contact list and all of the contacts on that list. /// - /// - Parameter DeleteContactListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContactListInput`) /// - /// - Returns: `DeleteContactListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContactListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1849,7 +1828,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContactListOutput.httpOutput(from:), DeleteContactListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1882,9 +1860,9 @@ extension SESv2Client { /// /// Deletes an existing custom verification email template. For more information about custom verification email templates, see [Using custom verification email templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter DeleteCustomVerificationEmailTemplateInput : Represents a request to delete an existing custom verification email template. + /// - Parameter input: Represents a request to delete an existing custom verification email template. (Type: `DeleteCustomVerificationEmailTemplateInput`) /// - /// - Returns: `DeleteCustomVerificationEmailTemplateOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `DeleteCustomVerificationEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1917,7 +1895,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomVerificationEmailTemplateOutput.httpOutput(from:), DeleteCustomVerificationEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1950,9 +1927,9 @@ extension SESv2Client { /// /// Delete a dedicated IP pool. /// - /// - Parameter DeleteDedicatedIpPoolInput : A request to delete a dedicated IP pool. + /// - Parameter input: A request to delete a dedicated IP pool. (Type: `DeleteDedicatedIpPoolInput`) /// - /// - Returns: `DeleteDedicatedIpPoolOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteDedicatedIpPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1986,7 +1963,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDedicatedIpPoolOutput.httpOutput(from:), DeleteDedicatedIpPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2019,9 +1995,9 @@ extension SESv2Client { /// /// Deletes an email identity. An identity can be either an email address or a domain name. /// - /// - Parameter DeleteEmailIdentityInput : A request to delete an existing email identity. When you delete an identity, you lose the ability to send email from that identity. You can restore your ability to send email by completing the verification process for the identity again. + /// - Parameter input: A request to delete an existing email identity. When you delete an identity, you lose the ability to send email from that identity. You can restore your ability to send email by completing the verification process for the identity again. (Type: `DeleteEmailIdentityInput`) /// - /// - Returns: `DeleteEmailIdentityOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteEmailIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2055,7 +2031,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEmailIdentityOutput.httpOutput(from:), DeleteEmailIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2088,9 +2063,9 @@ extension SESv2Client { /// /// Deletes the specified sending authorization policy for the given identity (an email address or a domain). This API returns successfully even if a policy with the specified name does not exist. This API is for the identity owner only. If you have not verified the identity, this API will return an error. Sending authorization is a feature that enables an identity owner to authorize other senders to use its identities. For information about using sending authorization, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/sending-authorization.html). You can execute this operation no more than once per second. /// - /// - Parameter DeleteEmailIdentityPolicyInput : Represents a request to delete a sending authorization policy for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/sending-authorization-identity-owner-tasks-management.html). + /// - Parameter input: Represents a request to delete a sending authorization policy for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/sending-authorization-identity-owner-tasks-management.html). (Type: `DeleteEmailIdentityPolicyInput`) /// - /// - Returns: `DeleteEmailIdentityPolicyOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteEmailIdentityPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2123,7 +2098,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEmailIdentityPolicyOutput.httpOutput(from:), DeleteEmailIdentityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2156,9 +2130,9 @@ extension SESv2Client { /// /// Deletes an email template. You can execute this operation no more than once per second. /// - /// - Parameter DeleteEmailTemplateInput : Represents a request to delete an email template. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). + /// - Parameter input: Represents a request to delete an email template. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). (Type: `DeleteEmailTemplateInput`) /// - /// - Returns: `DeleteEmailTemplateOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `DeleteEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2191,7 +2165,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEmailTemplateOutput.httpOutput(from:), DeleteEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2224,9 +2197,9 @@ extension SESv2Client { /// /// Deletes a multi-region endpoint (global-endpoint). Only multi-region endpoints (global-endpoints) whose primary region is the AWS-Region where operation is executed can be deleted. /// - /// - Parameter DeleteMultiRegionEndpointInput : Represents a request to delete a multi-region endpoint (global-endpoint). + /// - Parameter input: Represents a request to delete a multi-region endpoint (global-endpoint). (Type: `DeleteMultiRegionEndpointInput`) /// - /// - Returns: `DeleteMultiRegionEndpointOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteMultiRegionEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2260,7 +2233,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMultiRegionEndpointOutput.httpOutput(from:), DeleteMultiRegionEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2293,9 +2265,9 @@ extension SESv2Client { /// /// Removes an email address from the suppression list for your account. /// - /// - Parameter DeleteSuppressedDestinationInput : A request to remove an email address from the suppression list for your account. + /// - Parameter input: A request to remove an email address from the suppression list for your account. (Type: `DeleteSuppressedDestinationInput`) /// - /// - Returns: `DeleteSuppressedDestinationOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `DeleteSuppressedDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2328,7 +2300,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSuppressedDestinationOutput.httpOutput(from:), DeleteSuppressedDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2361,9 +2332,9 @@ extension SESv2Client { /// /// Delete an existing tenant. When you delete a tenant, its associations with resources are removed, but the resources themselves are not deleted. /// - /// - Parameter DeleteTenantInput : Represents a request to delete a tenant. + /// - Parameter input: Represents a request to delete a tenant. (Type: `DeleteTenantInput`) /// - /// - Returns: `DeleteTenantOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `DeleteTenantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2399,7 +2370,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTenantOutput.httpOutput(from:), DeleteTenantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2432,9 +2402,9 @@ extension SESv2Client { /// /// Delete an association between a tenant and a resource. When you delete a tenant-resource association, the resource itself is not deleted, only its association with the specific tenant is removed. After removal, the resource will no longer be available for use with that tenant's email sending operations. /// - /// - Parameter DeleteTenantResourceAssociationInput : Represents a request to delete an association between a tenant and a resource. + /// - Parameter input: Represents a request to delete an association between a tenant and a resource. (Type: `DeleteTenantResourceAssociationInput`) /// - /// - Returns: `DeleteTenantResourceAssociationOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `DeleteTenantResourceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2470,7 +2440,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTenantResourceAssociationOutput.httpOutput(from:), DeleteTenantResourceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2503,9 +2472,9 @@ extension SESv2Client { /// /// Obtain information about the email-sending status and capabilities of your Amazon SES account in the current Amazon Web Services Region. /// - /// - Parameter GetAccountInput : A request to obtain information about the email-sending capabilities of your Amazon SES account. + /// - Parameter input: A request to obtain information about the email-sending capabilities of your Amazon SES account. (Type: `GetAccountInput`) /// - /// - Returns: `GetAccountOutput` : A list of details about the email-sending capabilities of your Amazon SES account in the current Amazon Web Services Region. + /// - Returns: A list of details about the email-sending capabilities of your Amazon SES account in the current Amazon Web Services Region. (Type: `GetAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2537,7 +2506,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountOutput.httpOutput(from:), GetAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2570,9 +2538,9 @@ extension SESv2Client { /// /// Retrieve a list of the blacklists that your dedicated IP addresses appear on. /// - /// - Parameter GetBlacklistReportsInput : A request to retrieve a list of the blacklists that your dedicated IP addresses appear on. + /// - Parameter input: A request to retrieve a list of the blacklists that your dedicated IP addresses appear on. (Type: `GetBlacklistReportsInput`) /// - /// - Returns: `GetBlacklistReportsOutput` : An object that contains information about blacklist events. + /// - Returns: An object that contains information about blacklist events. (Type: `GetBlacklistReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2606,7 +2574,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetBlacklistReportsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBlacklistReportsOutput.httpOutput(from:), GetBlacklistReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2639,9 +2606,9 @@ extension SESv2Client { /// /// Get information about an existing configuration set, including the dedicated IP pool that it's associated with, whether or not it's enabled for sending email, and more. Configuration sets are groups of rules that you can apply to the emails you send. You apply a configuration set to an email by including a reference to the configuration set in the headers of the email. When you apply a configuration set to an email, all of the rules in that configuration set are applied to the email. /// - /// - Parameter GetConfigurationSetInput : A request to obtain information about a configuration set. + /// - Parameter input: A request to obtain information about a configuration set. (Type: `GetConfigurationSetInput`) /// - /// - Returns: `GetConfigurationSetOutput` : Information about a configuration set. + /// - Returns: Information about a configuration set. (Type: `GetConfigurationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2674,7 +2641,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationSetOutput.httpOutput(from:), GetConfigurationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2707,9 +2673,9 @@ extension SESv2Client { /// /// Retrieve a list of event destinations that are associated with a configuration set. Events include message sends, deliveries, opens, clicks, bounces, and complaints. Event destinations are places that you can send information about these events to. For example, you can send event data to Amazon EventBridge and associate a rule to send the event to the specified target. /// - /// - Parameter GetConfigurationSetEventDestinationsInput : A request to obtain information about the event destinations for a configuration set. + /// - Parameter input: A request to obtain information about the event destinations for a configuration set. (Type: `GetConfigurationSetEventDestinationsInput`) /// - /// - Returns: `GetConfigurationSetEventDestinationsOutput` : Information about an event destination for a configuration set. + /// - Returns: Information about an event destination for a configuration set. (Type: `GetConfigurationSetEventDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2742,7 +2708,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationSetEventDestinationsOutput.httpOutput(from:), GetConfigurationSetEventDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2775,9 +2740,9 @@ extension SESv2Client { /// /// Returns a contact from a contact list. /// - /// - Parameter GetContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContactInput`) /// - /// - Returns: `GetContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2810,7 +2775,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContactOutput.httpOutput(from:), GetContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2843,9 +2807,9 @@ extension SESv2Client { /// /// Returns contact list metadata. It does not return any information about the contacts present in the list. /// - /// - Parameter GetContactListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContactListInput`) /// - /// - Returns: `GetContactListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContactListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2878,7 +2842,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContactListOutput.httpOutput(from:), GetContactListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2911,9 +2874,9 @@ extension SESv2Client { /// /// Returns the custom email verification template for the template name you specify. For more information about custom verification email templates, see [Using custom verification email templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter GetCustomVerificationEmailTemplateInput : Represents a request to retrieve an existing custom verification email template. + /// - Parameter input: Represents a request to retrieve an existing custom verification email template. (Type: `GetCustomVerificationEmailTemplateInput`) /// - /// - Returns: `GetCustomVerificationEmailTemplateOutput` : The following elements are returned by the service. + /// - Returns: The following elements are returned by the service. (Type: `GetCustomVerificationEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2946,7 +2909,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCustomVerificationEmailTemplateOutput.httpOutput(from:), GetCustomVerificationEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2979,9 +2941,9 @@ extension SESv2Client { /// /// Get information about a dedicated IP address, including the name of the dedicated IP pool that it's associated with, as well information about the automatic warm-up process for the address. /// - /// - Parameter GetDedicatedIpInput : A request to obtain more information about a dedicated IP address. + /// - Parameter input: A request to obtain more information about a dedicated IP address. (Type: `GetDedicatedIpInput`) /// - /// - Returns: `GetDedicatedIpOutput` : Information about a dedicated IP address. + /// - Returns: Information about a dedicated IP address. (Type: `GetDedicatedIpOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3014,7 +2976,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDedicatedIpOutput.httpOutput(from:), GetDedicatedIpOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3047,9 +3008,9 @@ extension SESv2Client { /// /// Retrieve information about the dedicated pool. /// - /// - Parameter GetDedicatedIpPoolInput : A request to obtain more information about a dedicated IP pool. + /// - Parameter input: A request to obtain more information about a dedicated IP pool. (Type: `GetDedicatedIpPoolInput`) /// - /// - Returns: `GetDedicatedIpPoolOutput` : The following element is returned by the service. + /// - Returns: The following element is returned by the service. (Type: `GetDedicatedIpPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3082,7 +3043,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDedicatedIpPoolOutput.httpOutput(from:), GetDedicatedIpPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3115,9 +3075,9 @@ extension SESv2Client { /// /// List the dedicated IP addresses that are associated with your Amazon Web Services account. /// - /// - Parameter GetDedicatedIpsInput : A request to obtain more information about dedicated IP pools. + /// - Parameter input: A request to obtain more information about dedicated IP pools. (Type: `GetDedicatedIpsInput`) /// - /// - Returns: `GetDedicatedIpsOutput` : Information about the dedicated IP addresses that are associated with your Amazon Web Services account. + /// - Returns: Information about the dedicated IP addresses that are associated with your Amazon Web Services account. (Type: `GetDedicatedIpsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3151,7 +3111,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDedicatedIpsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDedicatedIpsOutput.httpOutput(from:), GetDedicatedIpsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3184,9 +3143,9 @@ extension SESv2Client { /// /// Retrieve information about the status of the Deliverability dashboard for your account. When the Deliverability dashboard is enabled, you gain access to reputation, deliverability, and other metrics for the domains that you use to send email. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon SES and other Amazon Web Services services. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon SES Pricing](http://aws.amazon.com/ses/pricing/). /// - /// - Parameter GetDeliverabilityDashboardOptionsInput : Retrieve information about the status of the Deliverability dashboard for your Amazon Web Services account. When the Deliverability dashboard is enabled, you gain access to reputation, deliverability, and other metrics for your domains. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon SES and other Amazon Web Services services. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon Pinpoint Pricing](http://aws.amazon.com/pinpoint/pricing/). + /// - Parameter input: Retrieve information about the status of the Deliverability dashboard for your Amazon Web Services account. When the Deliverability dashboard is enabled, you gain access to reputation, deliverability, and other metrics for your domains. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon SES and other Amazon Web Services services. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon Pinpoint Pricing](http://aws.amazon.com/pinpoint/pricing/). (Type: `GetDeliverabilityDashboardOptionsInput`) /// - /// - Returns: `GetDeliverabilityDashboardOptionsOutput` : An object that shows the status of the Deliverability dashboard. + /// - Returns: An object that shows the status of the Deliverability dashboard. (Type: `GetDeliverabilityDashboardOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3219,7 +3178,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeliverabilityDashboardOptionsOutput.httpOutput(from:), GetDeliverabilityDashboardOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3252,9 +3210,9 @@ extension SESv2Client { /// /// Retrieve the results of a predictive inbox placement test. /// - /// - Parameter GetDeliverabilityTestReportInput : A request to retrieve the results of a predictive inbox placement test. + /// - Parameter input: A request to retrieve the results of a predictive inbox placement test. (Type: `GetDeliverabilityTestReportInput`) /// - /// - Returns: `GetDeliverabilityTestReportOutput` : The results of the predictive inbox placement test. + /// - Returns: The results of the predictive inbox placement test. (Type: `GetDeliverabilityTestReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3287,7 +3245,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeliverabilityTestReportOutput.httpOutput(from:), GetDeliverabilityTestReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3320,9 +3277,9 @@ extension SESv2Client { /// /// Retrieve all the deliverability data for a specific campaign. This data is available for a campaign only if the campaign sent email by using a domain that the Deliverability dashboard is enabled for. /// - /// - Parameter GetDomainDeliverabilityCampaignInput : Retrieve all the deliverability data for a specific campaign. This data is available for a campaign only if the campaign sent email by using a domain that the Deliverability dashboard is enabled for (PutDeliverabilityDashboardOption operation). + /// - Parameter input: Retrieve all the deliverability data for a specific campaign. This data is available for a campaign only if the campaign sent email by using a domain that the Deliverability dashboard is enabled for (PutDeliverabilityDashboardOption operation). (Type: `GetDomainDeliverabilityCampaignInput`) /// - /// - Returns: `GetDomainDeliverabilityCampaignOutput` : An object that contains all the deliverability data for a specific campaign. This data is available for a campaign only if the campaign sent email by using a domain that the Deliverability dashboard is enabled for. + /// - Returns: An object that contains all the deliverability data for a specific campaign. This data is available for a campaign only if the campaign sent email by using a domain that the Deliverability dashboard is enabled for. (Type: `GetDomainDeliverabilityCampaignOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3355,7 +3312,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainDeliverabilityCampaignOutput.httpOutput(from:), GetDomainDeliverabilityCampaignOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3388,9 +3344,9 @@ extension SESv2Client { /// /// Retrieve inbox placement and engagement rates for the domains that you use to send email. /// - /// - Parameter GetDomainStatisticsReportInput : A request to obtain deliverability metrics for a domain. + /// - Parameter input: A request to obtain deliverability metrics for a domain. (Type: `GetDomainStatisticsReportInput`) /// - /// - Returns: `GetDomainStatisticsReportOutput` : An object that includes statistics that are related to the domain that you specified. + /// - Returns: An object that includes statistics that are related to the domain that you specified. (Type: `GetDomainStatisticsReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3424,7 +3380,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDomainStatisticsReportInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDomainStatisticsReportOutput.httpOutput(from:), GetDomainStatisticsReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3457,9 +3412,9 @@ extension SESv2Client { /// /// Provides information about a specific identity, including the identity's verification status, sending authorization policies, its DKIM authentication status, and its custom Mail-From settings. /// - /// - Parameter GetEmailIdentityInput : A request to return details about an email identity. + /// - Parameter input: A request to return details about an email identity. (Type: `GetEmailIdentityInput`) /// - /// - Returns: `GetEmailIdentityOutput` : Details about an email identity. + /// - Returns: Details about an email identity. (Type: `GetEmailIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3492,7 +3447,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEmailIdentityOutput.httpOutput(from:), GetEmailIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3525,9 +3479,9 @@ extension SESv2Client { /// /// Returns the requested sending authorization policies for the given identity (an email address or a domain). The policies are returned as a map of policy names to policy contents. You can retrieve a maximum of 20 policies at a time. This API is for the identity owner only. If you have not verified the identity, this API will return an error. Sending authorization is a feature that enables an identity owner to authorize other senders to use its identities. For information about using sending authorization, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/sending-authorization.html). You can execute this operation no more than once per second. /// - /// - Parameter GetEmailIdentityPoliciesInput : A request to return the policies of an email identity. + /// - Parameter input: A request to return the policies of an email identity. (Type: `GetEmailIdentityPoliciesInput`) /// - /// - Returns: `GetEmailIdentityPoliciesOutput` : Identity policies associated with email identity. + /// - Returns: Identity policies associated with email identity. (Type: `GetEmailIdentityPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3560,7 +3514,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEmailIdentityPoliciesOutput.httpOutput(from:), GetEmailIdentityPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3593,9 +3546,9 @@ extension SESv2Client { /// /// Displays the template object (which includes the subject line, HTML part and text part) for the template you specify. You can execute this operation no more than once per second. /// - /// - Parameter GetEmailTemplateInput : Represents a request to display the template object (which includes the subject line, HTML part and text part) for the template you specify. + /// - Parameter input: Represents a request to display the template object (which includes the subject line, HTML part and text part) for the template you specify. (Type: `GetEmailTemplateInput`) /// - /// - Returns: `GetEmailTemplateOutput` : The following element is returned by the service. + /// - Returns: The following element is returned by the service. (Type: `GetEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3628,7 +3581,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEmailTemplateOutput.httpOutput(from:), GetEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3661,9 +3613,9 @@ extension SESv2Client { /// /// Provides information about an export job. /// - /// - Parameter GetExportJobInput : Represents a request to retrieve information about an export job using the export job ID. + /// - Parameter input: Represents a request to retrieve information about an export job using the export job ID. (Type: `GetExportJobInput`) /// - /// - Returns: `GetExportJobOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `GetExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3696,7 +3648,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExportJobOutput.httpOutput(from:), GetExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3729,9 +3680,9 @@ extension SESv2Client { /// /// Provides information about an import job. /// - /// - Parameter GetImportJobInput : Represents a request for information about an import job using the import job ID. + /// - Parameter input: Represents a request for information about an import job using the import job ID. (Type: `GetImportJobInput`) /// - /// - Returns: `GetImportJobOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `GetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3764,7 +3715,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImportJobOutput.httpOutput(from:), GetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3797,9 +3747,9 @@ extension SESv2Client { /// /// Provides information about a specific message, including the from address, the subject, the recipient address, email tags, as well as events associated with the message. You can execute this operation no more than once per second. /// - /// - Parameter GetMessageInsightsInput : A request to return information about a message. + /// - Parameter input: A request to return information about a message. (Type: `GetMessageInsightsInput`) /// - /// - Returns: `GetMessageInsightsOutput` : Information about a message. + /// - Returns: Information about a message. (Type: `GetMessageInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3832,7 +3782,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMessageInsightsOutput.httpOutput(from:), GetMessageInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3865,9 +3814,9 @@ extension SESv2Client { /// /// Displays the multi-region endpoint (global-endpoint) configuration. Only multi-region endpoints (global-endpoints) whose primary region is the AWS-Region where operation is executed can be displayed. /// - /// - Parameter GetMultiRegionEndpointInput : Represents a request to display the multi-region endpoint (global-endpoint). + /// - Parameter input: Represents a request to display the multi-region endpoint (global-endpoint). (Type: `GetMultiRegionEndpointInput`) /// - /// - Returns: `GetMultiRegionEndpointOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `GetMultiRegionEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3900,7 +3849,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMultiRegionEndpointOutput.httpOutput(from:), GetMultiRegionEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3933,9 +3881,9 @@ extension SESv2Client { /// /// Retrieve information about a specific reputation entity, including its reputation management policy, customer-managed status, Amazon Web Services Amazon SES-managed status, and aggregate sending status. Reputation entities represent resources in your Amazon SES account that have reputation tracking and management capabilities. The reputation impact reflects the highest impact reputation finding for the entity. Reputation findings can be retrieved using the ListRecommendations operation. /// - /// - Parameter GetReputationEntityInput : Represents a request to retrieve information about a specific reputation entity. + /// - Parameter input: Represents a request to retrieve information about a specific reputation entity. (Type: `GetReputationEntityInput`) /// - /// - Returns: `GetReputationEntityOutput` : Information about the requested reputation entity. + /// - Returns: Information about the requested reputation entity. (Type: `GetReputationEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3968,7 +3916,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReputationEntityOutput.httpOutput(from:), GetReputationEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4001,9 +3948,9 @@ extension SESv2Client { /// /// Retrieves information about a specific email address that's on the suppression list for your account. /// - /// - Parameter GetSuppressedDestinationInput : A request to retrieve information about an email address that's on the suppression list for your account. + /// - Parameter input: A request to retrieve information about an email address that's on the suppression list for your account. (Type: `GetSuppressedDestinationInput`) /// - /// - Returns: `GetSuppressedDestinationOutput` : Information about the suppressed email address. + /// - Returns: Information about the suppressed email address. (Type: `GetSuppressedDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4036,7 +3983,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSuppressedDestinationOutput.httpOutput(from:), GetSuppressedDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4069,9 +4015,9 @@ extension SESv2Client { /// /// Get information about a specific tenant, including the tenant's name, ID, ARN, creation timestamp, tags, and sending status. /// - /// - Parameter GetTenantInput : Represents a request to get information about a specific tenant. + /// - Parameter input: Represents a request to get information about a specific tenant. (Type: `GetTenantInput`) /// - /// - Returns: `GetTenantOutput` : Information about a specific tenant. + /// - Returns: Information about a specific tenant. (Type: `GetTenantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4107,7 +4053,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTenantOutput.httpOutput(from:), GetTenantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4140,9 +4085,9 @@ extension SESv2Client { /// /// List all of the configuration sets associated with your account in the current region. Configuration sets are groups of rules that you can apply to the emails you send. You apply a configuration set to an email by including a reference to the configuration set in the headers of the email. When you apply a configuration set to an email, all of the rules in that configuration set are applied to the email. /// - /// - Parameter ListConfigurationSetsInput : A request to obtain a list of configuration sets for your Amazon SES account in the current Amazon Web Services Region. + /// - Parameter input: A request to obtain a list of configuration sets for your Amazon SES account in the current Amazon Web Services Region. (Type: `ListConfigurationSetsInput`) /// - /// - Returns: `ListConfigurationSetsOutput` : A list of configuration sets in your Amazon SES account in the current Amazon Web Services Region. + /// - Returns: A list of configuration sets in your Amazon SES account in the current Amazon Web Services Region. (Type: `ListConfigurationSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4175,7 +4120,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfigurationSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationSetsOutput.httpOutput(from:), ListConfigurationSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4208,9 +4152,9 @@ extension SESv2Client { /// /// Lists all of the contact lists available. If your output includes a "NextToken" field with a string value, this indicates there may be additional contacts on the filtered list - regardless of the number of contacts returned. /// - /// - Parameter ListContactListsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContactListsInput`) /// - /// - Returns: `ListContactListsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContactListsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4243,7 +4187,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListContactListsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContactListsOutput.httpOutput(from:), ListContactListsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4276,9 +4219,9 @@ extension SESv2Client { /// /// Lists the contacts present in a specific contact list. /// - /// - Parameter ListContactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContactsInput`) /// - /// - Returns: `ListContactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4314,7 +4257,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContactsOutput.httpOutput(from:), ListContactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4347,9 +4289,9 @@ extension SESv2Client { /// /// Lists the existing custom verification email templates for your account in the current Amazon Web Services Region. For more information about custom verification email templates, see [Using custom verification email templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter ListCustomVerificationEmailTemplatesInput : Represents a request to list the existing custom verification email templates for your account. + /// - Parameter input: Represents a request to list the existing custom verification email templates for your account. (Type: `ListCustomVerificationEmailTemplatesInput`) /// - /// - Returns: `ListCustomVerificationEmailTemplatesOutput` : The following elements are returned by the service. + /// - Returns: The following elements are returned by the service. (Type: `ListCustomVerificationEmailTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4382,7 +4324,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListCustomVerificationEmailTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomVerificationEmailTemplatesOutput.httpOutput(from:), ListCustomVerificationEmailTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4415,9 +4356,9 @@ extension SESv2Client { /// /// List all of the dedicated IP pools that exist in your Amazon Web Services account in the current Region. /// - /// - Parameter ListDedicatedIpPoolsInput : A request to obtain a list of dedicated IP pools. + /// - Parameter input: A request to obtain a list of dedicated IP pools. (Type: `ListDedicatedIpPoolsInput`) /// - /// - Returns: `ListDedicatedIpPoolsOutput` : A list of dedicated IP pools. + /// - Returns: A list of dedicated IP pools. (Type: `ListDedicatedIpPoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4450,7 +4391,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDedicatedIpPoolsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDedicatedIpPoolsOutput.httpOutput(from:), ListDedicatedIpPoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4483,9 +4423,9 @@ extension SESv2Client { /// /// Show a list of the predictive inbox placement tests that you've performed, regardless of their statuses. For predictive inbox placement tests that are complete, you can use the GetDeliverabilityTestReport operation to view the results. /// - /// - Parameter ListDeliverabilityTestReportsInput : A request to list all of the predictive inbox placement tests that you've performed. + /// - Parameter input: A request to list all of the predictive inbox placement tests that you've performed. (Type: `ListDeliverabilityTestReportsInput`) /// - /// - Returns: `ListDeliverabilityTestReportsOutput` : A list of the predictive inbox placement test reports that are available for your account, regardless of whether or not those tests are complete. + /// - Returns: A list of the predictive inbox placement test reports that are available for your account, regardless of whether or not those tests are complete. (Type: `ListDeliverabilityTestReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4519,7 +4459,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeliverabilityTestReportsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeliverabilityTestReportsOutput.httpOutput(from:), ListDeliverabilityTestReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4552,9 +4491,9 @@ extension SESv2Client { /// /// Retrieve deliverability data for all the campaigns that used a specific domain to send email during a specified time range. This data is available for a domain only if you enabled the Deliverability dashboard for the domain. /// - /// - Parameter ListDomainDeliverabilityCampaignsInput : Retrieve deliverability data for all the campaigns that used a specific domain to send email during a specified time range. This data is available for a domain only if you enabled the Deliverability dashboard. + /// - Parameter input: Retrieve deliverability data for all the campaigns that used a specific domain to send email during a specified time range. This data is available for a domain only if you enabled the Deliverability dashboard. (Type: `ListDomainDeliverabilityCampaignsInput`) /// - /// - Returns: `ListDomainDeliverabilityCampaignsOutput` : An array of objects that provide deliverability data for all the campaigns that used a specific domain to send email during a specified time range. This data is available for a domain only if you enabled the Deliverability dashboard for the domain. + /// - Returns: An array of objects that provide deliverability data for all the campaigns that used a specific domain to send email during a specified time range. This data is available for a domain only if you enabled the Deliverability dashboard for the domain. (Type: `ListDomainDeliverabilityCampaignsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4588,7 +4527,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDomainDeliverabilityCampaignsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainDeliverabilityCampaignsOutput.httpOutput(from:), ListDomainDeliverabilityCampaignsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4621,9 +4559,9 @@ extension SESv2Client { /// /// Returns a list of all of the email identities that are associated with your Amazon Web Services account. An identity can be either an email address or a domain. This operation returns identities that are verified as well as those that aren't. This operation returns identities that are associated with Amazon SES and Amazon Pinpoint. /// - /// - Parameter ListEmailIdentitiesInput : A request to list all of the email identities associated with your Amazon Web Services account. This list includes identities that you've already verified, identities that are unverified, and identities that were verified in the past, but are no longer verified. + /// - Parameter input: A request to list all of the email identities associated with your Amazon Web Services account. This list includes identities that you've already verified, identities that are unverified, and identities that were verified in the past, but are no longer verified. (Type: `ListEmailIdentitiesInput`) /// - /// - Returns: `ListEmailIdentitiesOutput` : A list of all of the identities that you've attempted to verify, regardless of whether or not those identities were successfully verified. + /// - Returns: A list of all of the identities that you've attempted to verify, regardless of whether or not those identities were successfully verified. (Type: `ListEmailIdentitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4656,7 +4594,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEmailIdentitiesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEmailIdentitiesOutput.httpOutput(from:), ListEmailIdentitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4689,9 +4626,9 @@ extension SESv2Client { /// /// Lists the email templates present in your Amazon SES account in the current Amazon Web Services Region. You can execute this operation no more than once per second. /// - /// - Parameter ListEmailTemplatesInput : Represents a request to list the email templates present in your Amazon SES account in the current Amazon Web Services Region. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). + /// - Parameter input: Represents a request to list the email templates present in your Amazon SES account in the current Amazon Web Services Region. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). (Type: `ListEmailTemplatesInput`) /// - /// - Returns: `ListEmailTemplatesOutput` : The following elements are returned by the service. + /// - Returns: The following elements are returned by the service. (Type: `ListEmailTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4724,7 +4661,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEmailTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEmailTemplatesOutput.httpOutput(from:), ListEmailTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4757,9 +4693,9 @@ extension SESv2Client { /// /// Lists all of the export jobs. /// - /// - Parameter ListExportJobsInput : Represents a request to list all export jobs with filters. + /// - Parameter input: Represents a request to list all export jobs with filters. (Type: `ListExportJobsInput`) /// - /// - Returns: `ListExportJobsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `ListExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4794,7 +4730,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExportJobsOutput.httpOutput(from:), ListExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4827,9 +4762,9 @@ extension SESv2Client { /// /// Lists all of the import jobs. /// - /// - Parameter ListImportJobsInput : Represents a request to list all of the import jobs for a data destination within the specified maximum number of import jobs. + /// - Parameter input: Represents a request to list all of the import jobs for a data destination within the specified maximum number of import jobs. (Type: `ListImportJobsInput`) /// - /// - Returns: `ListImportJobsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `ListImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4864,7 +4799,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportJobsOutput.httpOutput(from:), ListImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4897,9 +4831,9 @@ extension SESv2Client { /// /// List the multi-region endpoints (global-endpoints). Only multi-region endpoints (global-endpoints) whose primary region is the AWS-Region where operation is executed will be listed. /// - /// - Parameter ListMultiRegionEndpointsInput : Represents a request to list all the multi-region endpoints (global-endpoints) whose primary region is the AWS-Region where operation is executed. + /// - Parameter input: Represents a request to list all the multi-region endpoints (global-endpoints) whose primary region is the AWS-Region where operation is executed. (Type: `ListMultiRegionEndpointsInput`) /// - /// - Returns: `ListMultiRegionEndpointsOutput` : The following elements are returned by the service. + /// - Returns: The following elements are returned by the service. (Type: `ListMultiRegionEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4932,7 +4866,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMultiRegionEndpointsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMultiRegionEndpointsOutput.httpOutput(from:), ListMultiRegionEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4965,9 +4898,9 @@ extension SESv2Client { /// /// Lists the recommendations present in your Amazon SES account in the current Amazon Web Services Region. You can execute this operation no more than once per second. /// - /// - Parameter ListRecommendationsInput : Represents a request to list the existing recommendations for your account. + /// - Parameter input: Represents a request to list the existing recommendations for your account. (Type: `ListRecommendationsInput`) /// - /// - Returns: `ListRecommendationsOutput` : Contains the response to your request to retrieve the list of recommendations for your account. + /// - Returns: Contains the response to your request to retrieve the list of recommendations for your account. (Type: `ListRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5003,7 +4936,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendationsOutput.httpOutput(from:), ListRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5036,9 +4968,9 @@ extension SESv2Client { /// /// List reputation entities in your Amazon SES account in the current Amazon Web Services Region. You can filter the results by entity type, reputation impact, sending status, or entity reference prefix. Reputation entities represent resources in your account that have reputation tracking and management capabilities. Use this operation to get an overview of all entities and their current reputation status. /// - /// - Parameter ListReputationEntitiesInput : Represents a request to list reputation entities with optional filtering. + /// - Parameter input: Represents a request to list reputation entities with optional filtering. (Type: `ListReputationEntitiesInput`) /// - /// - Returns: `ListReputationEntitiesOutput` : A list of reputation entities in your account. + /// - Returns: A list of reputation entities in your account. (Type: `ListReputationEntitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5073,7 +5005,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReputationEntitiesOutput.httpOutput(from:), ListReputationEntitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5106,9 +5037,9 @@ extension SESv2Client { /// /// List all tenants associated with a specific resource. This operation returns a list of tenants that are associated with the specified resource. This is useful for understanding which tenants are currently using a particular resource such as an email identity, configuration set, or email template. /// - /// - Parameter ListResourceTenantsInput : Represents a request to list tenants associated with a specific resource. + /// - Parameter input: Represents a request to list tenants associated with a specific resource. (Type: `ListResourceTenantsInput`) /// - /// - Returns: `ListResourceTenantsOutput` : Information about tenants associated with a specific resource. + /// - Returns: Information about tenants associated with a specific resource. (Type: `ListResourceTenantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5144,7 +5075,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceTenantsOutput.httpOutput(from:), ListResourceTenantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5177,9 +5107,9 @@ extension SESv2Client { /// /// Retrieves a list of email addresses that are on the suppression list for your account. /// - /// - Parameter ListSuppressedDestinationsInput : A request to obtain a list of email destinations that are on the suppression list for your account. + /// - Parameter input: A request to obtain a list of email destinations that are on the suppression list for your account. (Type: `ListSuppressedDestinationsInput`) /// - /// - Returns: `ListSuppressedDestinationsOutput` : A list of suppressed email addresses. + /// - Returns: A list of suppressed email addresses. (Type: `ListSuppressedDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5213,7 +5143,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSuppressedDestinationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSuppressedDestinationsOutput.httpOutput(from:), ListSuppressedDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5246,9 +5175,9 @@ extension SESv2Client { /// /// Retrieve a list of the tags (keys and values) that are associated with a specified resource. A tag is a label that you optionally define and associate with a resource. Each tag consists of a required tag key and an optional associated tag value. A tag key is a general label that acts as a category for more specific tag values. A tag value acts as a descriptor within a tag key. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5282,7 +5211,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5315,9 +5243,9 @@ extension SESv2Client { /// /// List all resources associated with a specific tenant. This operation returns a list of resources (email identities, configuration sets, or email templates) that are associated with the specified tenant. You can optionally filter the results by resource type. /// - /// - Parameter ListTenantResourcesInput : Represents a request to list resources associated with a specific tenant. + /// - Parameter input: Represents a request to list resources associated with a specific tenant. (Type: `ListTenantResourcesInput`) /// - /// - Returns: `ListTenantResourcesOutput` : Information about resources associated with a specific tenant. + /// - Returns: Information about resources associated with a specific tenant. (Type: `ListTenantResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5353,7 +5281,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTenantResourcesOutput.httpOutput(from:), ListTenantResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5386,9 +5313,9 @@ extension SESv2Client { /// /// List all tenants associated with your account in the current Amazon Web Services Region. This operation returns basic information about each tenant, such as tenant name, ID, ARN, and creation timestamp. /// - /// - Parameter ListTenantsInput : Represents a request to list all tenants associated with your account in the current Amazon Web Services Region. + /// - Parameter input: Represents a request to list all tenants associated with your account in the current Amazon Web Services Region. (Type: `ListTenantsInput`) /// - /// - Returns: `ListTenantsOutput` : Information about tenants associated with your account. + /// - Returns: Information about tenants associated with your account. (Type: `ListTenantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5423,7 +5350,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTenantsOutput.httpOutput(from:), ListTenantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5456,9 +5382,9 @@ extension SESv2Client { /// /// Enable or disable the automatic warm-up feature for dedicated IP addresses. /// - /// - Parameter PutAccountDedicatedIpWarmupAttributesInput : A request to enable or disable the automatic IP address warm-up feature. + /// - Parameter input: A request to enable or disable the automatic IP address warm-up feature. (Type: `PutAccountDedicatedIpWarmupAttributesInput`) /// - /// - Returns: `PutAccountDedicatedIpWarmupAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutAccountDedicatedIpWarmupAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5493,7 +5419,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountDedicatedIpWarmupAttributesOutput.httpOutput(from:), PutAccountDedicatedIpWarmupAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5526,9 +5451,9 @@ extension SESv2Client { /// /// Update your Amazon SES account details. /// - /// - Parameter PutAccountDetailsInput : A request to submit new account details. + /// - Parameter input: A request to submit new account details. (Type: `PutAccountDetailsInput`) /// - /// - Returns: `PutAccountDetailsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutAccountDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5564,7 +5489,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountDetailsOutput.httpOutput(from:), PutAccountDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5597,9 +5521,9 @@ extension SESv2Client { /// /// Enable or disable the ability of your account to send email. /// - /// - Parameter PutAccountSendingAttributesInput : A request to change the ability of your account to send email. + /// - Parameter input: A request to change the ability of your account to send email. (Type: `PutAccountSendingAttributesInput`) /// - /// - Returns: `PutAccountSendingAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutAccountSendingAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5634,7 +5558,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountSendingAttributesOutput.httpOutput(from:), PutAccountSendingAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5667,9 +5590,9 @@ extension SESv2Client { /// /// Change the settings for the account-level suppression list. /// - /// - Parameter PutAccountSuppressionAttributesInput : A request to change your account's suppression preferences. + /// - Parameter input: A request to change your account's suppression preferences. (Type: `PutAccountSuppressionAttributesInput`) /// - /// - Returns: `PutAccountSuppressionAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutAccountSuppressionAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5704,7 +5627,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountSuppressionAttributesOutput.httpOutput(from:), PutAccountSuppressionAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5737,9 +5659,9 @@ extension SESv2Client { /// /// Update your Amazon SES account VDM attributes. You can execute this operation no more than once per second. /// - /// - Parameter PutAccountVdmAttributesInput : A request to submit new account VDM attributes. + /// - Parameter input: A request to submit new account VDM attributes. (Type: `PutAccountVdmAttributesInput`) /// - /// - Returns: `PutAccountVdmAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccountVdmAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5774,7 +5696,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountVdmAttributesOutput.httpOutput(from:), PutAccountVdmAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5807,9 +5728,9 @@ extension SESv2Client { /// /// Associate the configuration set with a MailManager archive. When you send email using the SendEmail or SendBulkEmail operations the message as it will be given to the receiving SMTP server will be archived, along with the recipient information. /// - /// - Parameter PutConfigurationSetArchivingOptionsInput : A request to associate a configuration set with a MailManager archive. + /// - Parameter input: A request to associate a configuration set with a MailManager archive. (Type: `PutConfigurationSetArchivingOptionsInput`) /// - /// - Returns: `PutConfigurationSetArchivingOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetArchivingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5845,7 +5766,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetArchivingOptionsOutput.httpOutput(from:), PutConfigurationSetArchivingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5878,9 +5798,9 @@ extension SESv2Client { /// /// Associate a configuration set with a dedicated IP pool. You can use dedicated IP pools to create groups of dedicated IP addresses for sending specific types of email. /// - /// - Parameter PutConfigurationSetDeliveryOptionsInput : A request to associate a configuration set with a dedicated IP pool. + /// - Parameter input: A request to associate a configuration set with a dedicated IP pool. (Type: `PutConfigurationSetDeliveryOptionsInput`) /// - /// - Returns: `PutConfigurationSetDeliveryOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetDeliveryOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5916,7 +5836,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetDeliveryOptionsOutput.httpOutput(from:), PutConfigurationSetDeliveryOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5949,9 +5868,9 @@ extension SESv2Client { /// /// Enable or disable collection of reputation metrics for emails that you send using a particular configuration set in a specific Amazon Web Services Region. /// - /// - Parameter PutConfigurationSetReputationOptionsInput : A request to enable or disable tracking of reputation metrics for a configuration set. + /// - Parameter input: A request to enable or disable tracking of reputation metrics for a configuration set. (Type: `PutConfigurationSetReputationOptionsInput`) /// - /// - Returns: `PutConfigurationSetReputationOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetReputationOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5987,7 +5906,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetReputationOptionsOutput.httpOutput(from:), PutConfigurationSetReputationOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6020,9 +5938,9 @@ extension SESv2Client { /// /// Enable or disable email sending for messages that use a particular configuration set in a specific Amazon Web Services Region. /// - /// - Parameter PutConfigurationSetSendingOptionsInput : A request to enable or disable the ability of Amazon SES to send emails that use a specific configuration set. + /// - Parameter input: A request to enable or disable the ability of Amazon SES to send emails that use a specific configuration set. (Type: `PutConfigurationSetSendingOptionsInput`) /// - /// - Returns: `PutConfigurationSetSendingOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetSendingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6058,7 +5976,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetSendingOptionsOutput.httpOutput(from:), PutConfigurationSetSendingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6091,9 +6008,9 @@ extension SESv2Client { /// /// Specify the account suppression list preferences for a configuration set. /// - /// - Parameter PutConfigurationSetSuppressionOptionsInput : A request to change the account suppression list preferences for a specific configuration set. + /// - Parameter input: A request to change the account suppression list preferences for a specific configuration set. (Type: `PutConfigurationSetSuppressionOptionsInput`) /// - /// - Returns: `PutConfigurationSetSuppressionOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetSuppressionOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6129,7 +6046,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetSuppressionOptionsOutput.httpOutput(from:), PutConfigurationSetSuppressionOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6162,9 +6078,9 @@ extension SESv2Client { /// /// Specify a custom domain to use for open and click tracking elements in email that you send. /// - /// - Parameter PutConfigurationSetTrackingOptionsInput : A request to add a custom domain for tracking open and click events to a configuration set. + /// - Parameter input: A request to add a custom domain for tracking open and click events to a configuration set. (Type: `PutConfigurationSetTrackingOptionsInput`) /// - /// - Returns: `PutConfigurationSetTrackingOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetTrackingOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6200,7 +6116,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetTrackingOptionsOutput.httpOutput(from:), PutConfigurationSetTrackingOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6233,9 +6148,9 @@ extension SESv2Client { /// /// Specify VDM preferences for email that you send using the configuration set. You can execute this operation no more than once per second. /// - /// - Parameter PutConfigurationSetVdmOptionsInput : A request to add specific VDM settings to a configuration set. + /// - Parameter input: A request to add specific VDM settings to a configuration set. (Type: `PutConfigurationSetVdmOptionsInput`) /// - /// - Returns: `PutConfigurationSetVdmOptionsOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutConfigurationSetVdmOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6271,7 +6186,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationSetVdmOptionsOutput.httpOutput(from:), PutConfigurationSetVdmOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6304,9 +6218,9 @@ extension SESv2Client { /// /// Move a dedicated IP address to an existing dedicated IP pool. The dedicated IP address that you specify must already exist, and must be associated with your Amazon Web Services account. The dedicated IP pool you specify must already exist. You can create a new pool by using the CreateDedicatedIpPool operation. /// - /// - Parameter PutDedicatedIpInPoolInput : A request to move a dedicated IP address to a dedicated IP pool. + /// - Parameter input: A request to move a dedicated IP address to a dedicated IP pool. (Type: `PutDedicatedIpInPoolInput`) /// - /// - Returns: `PutDedicatedIpInPoolOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutDedicatedIpInPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6342,7 +6256,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDedicatedIpInPoolOutput.httpOutput(from:), PutDedicatedIpInPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6375,9 +6288,9 @@ extension SESv2Client { /// /// Used to convert a dedicated IP pool to a different scaling mode. MANAGED pools cannot be converted to STANDARD scaling mode. /// - /// - Parameter PutDedicatedIpPoolScalingAttributesInput : A request to convert a dedicated IP pool to a different scaling mode. + /// - Parameter input: A request to convert a dedicated IP pool to a different scaling mode. (Type: `PutDedicatedIpPoolScalingAttributesInput`) /// - /// - Returns: `PutDedicatedIpPoolScalingAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutDedicatedIpPoolScalingAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6414,7 +6327,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDedicatedIpPoolScalingAttributesOutput.httpOutput(from:), PutDedicatedIpPoolScalingAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6447,9 +6359,9 @@ extension SESv2Client { /// /// /// - /// - Parameter PutDedicatedIpWarmupAttributesInput : A request to change the warm-up attributes for a dedicated IP address. This operation is useful when you want to resume the warm-up process for an existing IP address. + /// - Parameter input: A request to change the warm-up attributes for a dedicated IP address. This operation is useful when you want to resume the warm-up process for an existing IP address. (Type: `PutDedicatedIpWarmupAttributesInput`) /// - /// - Returns: `PutDedicatedIpWarmupAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutDedicatedIpWarmupAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6485,7 +6397,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDedicatedIpWarmupAttributesOutput.httpOutput(from:), PutDedicatedIpWarmupAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6518,9 +6429,9 @@ extension SESv2Client { /// /// Enable or disable the Deliverability dashboard. When you enable the Deliverability dashboard, you gain access to reputation, deliverability, and other metrics for the domains that you use to send email. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon SES and other Amazon Web Services services. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon SES Pricing](http://aws.amazon.com/ses/pricing/). /// - /// - Parameter PutDeliverabilityDashboardOptionInput : Enable or disable the Deliverability dashboard. When you enable the Deliverability dashboard, you gain access to reputation, deliverability, and other metrics for the domains that you use to send email using Amazon SES API v2. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon SES and other Amazon Web Services services. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon Pinpoint Pricing](http://aws.amazon.com/pinpoint/pricing/). + /// - Parameter input: Enable or disable the Deliverability dashboard. When you enable the Deliverability dashboard, you gain access to reputation, deliverability, and other metrics for the domains that you use to send email using Amazon SES API v2. You also gain the ability to perform predictive inbox placement tests. When you use the Deliverability dashboard, you pay a monthly subscription charge, in addition to any other fees that you accrue by using Amazon SES and other Amazon Web Services services. For more information about the features and cost of a Deliverability dashboard subscription, see [Amazon Pinpoint Pricing](http://aws.amazon.com/pinpoint/pricing/). (Type: `PutDeliverabilityDashboardOptionInput`) /// - /// - Returns: `PutDeliverabilityDashboardOptionOutput` : A response that indicates whether the Deliverability dashboard is enabled. + /// - Returns: A response that indicates whether the Deliverability dashboard is enabled. (Type: `PutDeliverabilityDashboardOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6558,7 +6469,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDeliverabilityDashboardOptionOutput.httpOutput(from:), PutDeliverabilityDashboardOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6591,9 +6501,9 @@ extension SESv2Client { /// /// Used to associate a configuration set with an email identity. /// - /// - Parameter PutEmailIdentityConfigurationSetAttributesInput : A request to associate a configuration set with an email identity. + /// - Parameter input: A request to associate a configuration set with an email identity. (Type: `PutEmailIdentityConfigurationSetAttributesInput`) /// - /// - Returns: `PutEmailIdentityConfigurationSetAttributesOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `PutEmailIdentityConfigurationSetAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6629,7 +6539,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEmailIdentityConfigurationSetAttributesOutput.httpOutput(from:), PutEmailIdentityConfigurationSetAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6662,9 +6571,9 @@ extension SESv2Client { /// /// Used to enable or disable DKIM authentication for an email identity. /// - /// - Parameter PutEmailIdentityDkimAttributesInput : A request to enable or disable DKIM signing of email that you send from an email identity. + /// - Parameter input: A request to enable or disable DKIM signing of email that you send from an email identity. (Type: `PutEmailIdentityDkimAttributesInput`) /// - /// - Returns: `PutEmailIdentityDkimAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutEmailIdentityDkimAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6700,7 +6609,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEmailIdentityDkimAttributesOutput.httpOutput(from:), PutEmailIdentityDkimAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6745,9 +6653,9 @@ extension SESv2Client { /// /// * Change from using BYODKIM to using Easy DKIM. /// - /// - Parameter PutEmailIdentityDkimSigningAttributesInput : A request to change the DKIM attributes for an email identity. + /// - Parameter input: A request to change the DKIM attributes for an email identity. (Type: `PutEmailIdentityDkimSigningAttributesInput`) /// - /// - Returns: `PutEmailIdentityDkimSigningAttributesOutput` : If the action is successful, the service sends back an HTTP 200 response. The following data is returned in JSON format by the service. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response. The following data is returned in JSON format by the service. (Type: `PutEmailIdentityDkimSigningAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6783,7 +6691,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEmailIdentityDkimSigningAttributesOutput.httpOutput(from:), PutEmailIdentityDkimSigningAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6816,9 +6723,9 @@ extension SESv2Client { /// /// Used to enable or disable feedback forwarding for an identity. This setting determines what happens when an identity is used to send an email that results in a bounce or complaint event. If the value is true, you receive email notifications when bounce or complaint events occur. These notifications are sent to the address that you specified in the Return-Path header of the original email. You're required to have a method of tracking bounces and complaints. If you haven't set up another mechanism for receiving bounce or complaint notifications (for example, by setting up an event destination), you receive an email notification when these events occur (even if this setting is disabled). /// - /// - Parameter PutEmailIdentityFeedbackAttributesInput : A request to set the attributes that control how bounce and complaint events are processed. + /// - Parameter input: A request to set the attributes that control how bounce and complaint events are processed. (Type: `PutEmailIdentityFeedbackAttributesInput`) /// - /// - Returns: `PutEmailIdentityFeedbackAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutEmailIdentityFeedbackAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6854,7 +6761,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEmailIdentityFeedbackAttributesOutput.httpOutput(from:), PutEmailIdentityFeedbackAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6887,9 +6793,9 @@ extension SESv2Client { /// /// Used to enable or disable the custom Mail-From domain configuration for an email identity. /// - /// - Parameter PutEmailIdentityMailFromAttributesInput : A request to configure the custom MAIL FROM domain for a verified identity. + /// - Parameter input: A request to configure the custom MAIL FROM domain for a verified identity. (Type: `PutEmailIdentityMailFromAttributesInput`) /// - /// - Returns: `PutEmailIdentityMailFromAttributesOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutEmailIdentityMailFromAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6925,7 +6831,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEmailIdentityMailFromAttributesOutput.httpOutput(from:), PutEmailIdentityMailFromAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6958,9 +6863,9 @@ extension SESv2Client { /// /// Adds an email address to the suppression list for your account. /// - /// - Parameter PutSuppressedDestinationInput : A request to add an email destination to the suppression list for your account. + /// - Parameter input: A request to add an email destination to the suppression list for your account. (Type: `PutSuppressedDestinationInput`) /// - /// - Returns: `PutSuppressedDestinationOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `PutSuppressedDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6995,7 +6900,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSuppressedDestinationOutput.httpOutput(from:), PutSuppressedDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7028,9 +6932,9 @@ extension SESv2Client { /// /// Composes an email message to multiple destinations. /// - /// - Parameter SendBulkEmailInput : Represents a request to send email messages to multiple destinations using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). + /// - Parameter input: Represents a request to send email messages to multiple destinations using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). (Type: `SendBulkEmailInput`) /// - /// - Returns: `SendBulkEmailOutput` : The following data is returned in JSON format by the service. + /// - Returns: The following data is returned in JSON format by the service. (Type: `SendBulkEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7071,7 +6975,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendBulkEmailOutput.httpOutput(from:), SendBulkEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7104,9 +7007,9 @@ extension SESv2Client { /// /// Adds an email address to the list of identities for your Amazon SES account in the current Amazon Web Services Region and attempts to verify it. As a result of executing this operation, a customized verification email is sent to the specified address. To use this operation, you must first create a custom verification email template. For more information about creating and using custom verification email templates, see [Using custom verification email templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter SendCustomVerificationEmailInput : Represents a request to send a custom verification email to a specified recipient. + /// - Parameter input: Represents a request to send a custom verification email to a specified recipient. (Type: `SendCustomVerificationEmailInput`) /// - /// - Returns: `SendCustomVerificationEmailOutput` : The following element is returned by the service. + /// - Returns: The following element is returned by the service. (Type: `SendCustomVerificationEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7146,7 +7049,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendCustomVerificationEmailOutput.httpOutput(from:), SendCustomVerificationEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7185,9 +7087,9 @@ extension SESv2Client { /// /// * Templated – A message that contains personalization tags. When you send this type of email, Amazon SES API v2 automatically replaces the tags with values that you specify. /// - /// - Parameter SendEmailInput : Represents a request to send a single formatted email using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-email-formatted.html). + /// - Parameter input: Represents a request to send a single formatted email using Amazon SES. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-email-formatted.html). (Type: `SendEmailInput`) /// - /// - Returns: `SendEmailOutput` : A unique message ID that you receive when an email is accepted for sending. + /// - Returns: A unique message ID that you receive when an email is accepted for sending. (Type: `SendEmailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7228,7 +7130,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendEmailOutput.httpOutput(from:), SendEmailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7261,9 +7162,9 @@ extension SESv2Client { /// /// Add one or more tags (keys and values) to a specified resource. A tag is a label that you optionally define and associate with a resource. Tags can help you categorize and manage resources in different ways, such as by purpose, owner, environment, or other criteria. A resource can have as many as 50 tags. Each tag consists of a required tag key and an associated tag value, both of which you define. A tag key is a general label that acts as a category for more specific tag values. A tag value acts as a descriptor within a tag key. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7300,7 +7201,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7333,9 +7233,9 @@ extension SESv2Client { /// /// Creates a preview of the MIME content of an email when provided with a template and a set of replacement data. You can execute this operation no more than once per second. /// - /// - Parameter TestRenderEmailTemplateInput : >Represents a request to create a preview of the MIME content of an email when provided with a template and a set of replacement data. + /// - Parameter input: >Represents a request to create a preview of the MIME content of an email when provided with a template and a set of replacement data. (Type: `TestRenderEmailTemplateInput`) /// - /// - Returns: `TestRenderEmailTemplateOutput` : The following element is returned by the service. + /// - Returns: The following element is returned by the service. (Type: `TestRenderEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7371,7 +7271,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestRenderEmailTemplateOutput.httpOutput(from:), TestRenderEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7404,9 +7303,9 @@ extension SESv2Client { /// /// Remove one or more tags (keys and values) from a specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7441,7 +7340,6 @@ extension SESv2Client { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7474,9 +7372,9 @@ extension SESv2Client { /// /// Update the configuration of an event destination for a configuration set. Events include message sends, deliveries, opens, clicks, bounces, and complaints. Event destinations are places that you can send information about these events to. For example, you can send event data to Amazon EventBridge and associate a rule to send the event to the specified target. /// - /// - Parameter UpdateConfigurationSetEventDestinationInput : A request to change the settings for an event destination for a configuration set. + /// - Parameter input: A request to change the settings for an event destination for a configuration set. (Type: `UpdateConfigurationSetEventDestinationInput`) /// - /// - Returns: `UpdateConfigurationSetEventDestinationOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `UpdateConfigurationSetEventDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7512,7 +7410,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationSetEventDestinationOutput.httpOutput(from:), UpdateConfigurationSetEventDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7545,9 +7442,9 @@ extension SESv2Client { /// /// Updates a contact's preferences for a list. You must specify all existing topic preferences in the TopicPreferences object, not just the ones that need updating; otherwise, all your existing preferences will be removed. /// - /// - Parameter UpdateContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactInput`) /// - /// - Returns: `UpdateContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7584,7 +7481,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactOutput.httpOutput(from:), UpdateContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7617,9 +7513,9 @@ extension SESv2Client { /// /// Updates contact list metadata. This operation does a complete replacement. /// - /// - Parameter UpdateContactListInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactListInput`) /// - /// - Returns: `UpdateContactListOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactListOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7656,7 +7552,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactListOutput.httpOutput(from:), UpdateContactListOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7689,9 +7584,9 @@ extension SESv2Client { /// /// Updates an existing custom verification email template. For more information about custom verification email templates, see [Using custom verification email templates](https://docs.aws.amazon.com/ses/latest/dg/creating-identities.html#send-email-verify-address-custom) in the Amazon SES Developer Guide. You can execute this operation no more than once per second. /// - /// - Parameter UpdateCustomVerificationEmailTemplateInput : Represents a request to update an existing custom verification email template. + /// - Parameter input: Represents a request to update an existing custom verification email template. (Type: `UpdateCustomVerificationEmailTemplateInput`) /// - /// - Returns: `UpdateCustomVerificationEmailTemplateOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `UpdateCustomVerificationEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7727,7 +7622,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCustomVerificationEmailTemplateOutput.httpOutput(from:), UpdateCustomVerificationEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7760,9 +7654,9 @@ extension SESv2Client { /// /// Updates the specified sending authorization policy for the given identity (an email address or a domain). This API returns successfully even if a policy with the specified name does not exist. This API is for the identity owner only. If you have not verified the identity, this API will return an error. Sending authorization is a feature that enables an identity owner to authorize other senders to use its identities. For information about using sending authorization, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/sending-authorization.html). You can execute this operation no more than once per second. /// - /// - Parameter UpdateEmailIdentityPolicyInput : Represents a request to update a sending authorization policy for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/sending-authorization-identity-owner-tasks-management.html). + /// - Parameter input: Represents a request to update a sending authorization policy for an identity. Sending authorization is an Amazon SES feature that enables you to authorize other senders to use your identities. For information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/sending-authorization-identity-owner-tasks-management.html). (Type: `UpdateEmailIdentityPolicyInput`) /// - /// - Returns: `UpdateEmailIdentityPolicyOutput` : An HTTP 200 response if the request succeeds, or an error message if the request fails. + /// - Returns: An HTTP 200 response if the request succeeds, or an error message if the request fails. (Type: `UpdateEmailIdentityPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7798,7 +7692,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEmailIdentityPolicyOutput.httpOutput(from:), UpdateEmailIdentityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7831,9 +7724,9 @@ extension SESv2Client { /// /// Updates an email template. Email templates enable you to send personalized email to one or more destinations in a single API operation. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). You can execute this operation no more than once per second. /// - /// - Parameter UpdateEmailTemplateInput : Represents a request to update an email template. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). + /// - Parameter input: Represents a request to update an email template. For more information, see the [Amazon SES Developer Guide](https://docs.aws.amazon.com/ses/latest/DeveloperGuide/send-personalized-email-api.html). (Type: `UpdateEmailTemplateInput`) /// - /// - Returns: `UpdateEmailTemplateOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `UpdateEmailTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7869,7 +7762,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEmailTemplateOutput.httpOutput(from:), UpdateEmailTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7902,9 +7794,9 @@ extension SESv2Client { /// /// Update the customer-managed sending status for a reputation entity. This allows you to enable, disable, or reinstate sending for the entity. The customer-managed status works in conjunction with the Amazon Web Services Amazon SES-managed status to determine the overall sending capability. When you update the customer-managed status, the Amazon Web Services Amazon SES-managed status remains unchanged. If Amazon Web Services Amazon SES has disabled the entity, it will not be allowed to send regardless of the customer-managed status setting. When you reinstate an entity through the customer-managed status, it can continue sending only if the Amazon Web Services Amazon SES-managed status also permits sending, even if there are active reputation findings, until the findings are resolved or new violations occur. /// - /// - Parameter UpdateReputationEntityCustomerManagedStatusInput : Represents a request to update the customer-managed sending status for a reputation entity. + /// - Parameter input: Represents a request to update the customer-managed sending status for a reputation entity. (Type: `UpdateReputationEntityCustomerManagedStatusInput`) /// - /// - Returns: `UpdateReputationEntityCustomerManagedStatusOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `UpdateReputationEntityCustomerManagedStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7940,7 +7832,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReputationEntityCustomerManagedStatusOutput.httpOutput(from:), UpdateReputationEntityCustomerManagedStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7973,9 +7864,9 @@ extension SESv2Client { /// /// Update the reputation management policy for a reputation entity. The policy determines how the entity responds to reputation findings, such as automatically pausing sending when certain thresholds are exceeded. Reputation management policies are Amazon Web Services Amazon SES-managed (predefined policies). You can select from none, standard, and strict policies. /// - /// - Parameter UpdateReputationEntityPolicyInput : Represents a request to update the reputation management policy for a reputation entity. + /// - Parameter input: Represents a request to update the reputation management policy for a reputation entity. (Type: `UpdateReputationEntityPolicyInput`) /// - /// - Returns: `UpdateReputationEntityPolicyOutput` : If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. + /// - Returns: If the action is successful, the service sends back an HTTP 200 response with an empty HTTP body. (Type: `UpdateReputationEntityPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8011,7 +7902,6 @@ extension SESv2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReputationEntityPolicyOutput.httpOutput(from:), UpdateReputationEntityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSFN/Sources/AWSSFN/SFNClient.swift b/Sources/Services/AWSSFN/Sources/AWSSFN/SFNClient.swift index 2e28833762a..415c740e983 100644 --- a/Sources/Services/AWSSFN/Sources/AWSSFN/SFNClient.swift +++ b/Sources/Services/AWSSFN/Sources/AWSSFN/SFNClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SFNClient: ClientRuntime.Client { public static let clientName = "SFNClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SFNClient.SFNClientConfiguration let serviceName = "SFN" @@ -375,9 +374,9 @@ extension SFNClient { /// /// Creates an activity. An activity is a task that you write in any programming language and host on any machine that has access to Step Functions. Activities must poll Step Functions using the GetActivityTask API action and respond using SendTask* API actions. This function lets Step Functions know the existence of your activity and returns an identifier for use in a state machine and when polling from the activity. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. CreateActivity is an idempotent API. Subsequent requests won’t create a duplicate resource if it was already created. CreateActivity's idempotency check is based on the activity name. If a following request has different tags values, Step Functions will ignore these differences and treat it as an idempotent request of the previous. In this case, tags will not be updated, even if they are different. /// - /// - Parameter CreateActivityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateActivityInput`) /// - /// - Returns: `CreateActivityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateActivityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateActivityOutput.httpOutput(from:), CreateActivityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension SFNClient { /// /// Creates a state machine. A state machine consists of a collection of states that can do work (Task states), determine to which states to transition next (Choice states), stop an execution with an error (Fail states), and so on. State machines are specified using a JSON-based, structured language. For more information, see [Amazon States Language](https://docs.aws.amazon.com/step-functions/latest/dg/concepts-amazon-states-language.html) in the Step Functions User Guide. If you set the publish parameter of this API action to true, it publishes version 1 as the first revision of the state machine. For additional control over security, you can encrypt your data using a customer-managed key for Step Functions state machines. You can configure a symmetric KMS key and data key reuse period when creating or updating a State Machine. The execution history and state machine definition will be encrypted with the key applied to the State Machine. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. CreateStateMachine is an idempotent API. Subsequent requests won’t create a duplicate resource if it was already created. CreateStateMachine's idempotency check is based on the state machine name, definition, type, LoggingConfiguration, TracingConfiguration, and EncryptionConfiguration The check is also based on the publish and versionDescription parameters. If a following request has a different roleArn or tags, Step Functions will ignore these differences and treat it as an idempotent request of the previous. In this case, roleArn and tags will not be updated, even if they are different. /// - /// - Parameter CreateStateMachineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStateMachineInput`) /// - /// - Returns: `CreateStateMachineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStateMachineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -498,7 +496,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStateMachineOutput.httpOutput(from:), CreateStateMachineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -541,9 +538,9 @@ extension SFNClient { /// /// * [DeleteStateMachineAlias] /// - /// - Parameter CreateStateMachineAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStateMachineAliasInput`) /// - /// - Returns: `CreateStateMachineAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStateMachineAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -581,7 +578,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStateMachineAliasOutput.httpOutput(from:), CreateStateMachineAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -616,9 +612,9 @@ extension SFNClient { /// /// Deletes an activity. /// - /// - Parameter DeleteActivityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteActivityInput`) /// - /// - Returns: `DeleteActivityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteActivityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -650,7 +646,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteActivityOutput.httpOutput(from:), DeleteActivityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -692,9 +687,9 @@ extension SFNClient { /// /// This API action also deletes all [versions](https://docs.aws.amazon.com/step-functions/latest/dg/concepts-state-machine-version.html) and [aliases](https://docs.aws.amazon.com/step-functions/latest/dg/concepts-state-machine-alias.html) associated with a state machine. For EXPRESS state machines, the deletion happens eventually (usually in less than a minute). Running executions may emit logs after DeleteStateMachine API is called. /// - /// - Parameter DeleteStateMachineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStateMachineInput`) /// - /// - Returns: `DeleteStateMachineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStateMachineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -727,7 +722,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStateMachineOutput.httpOutput(from:), DeleteStateMachineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -770,9 +764,9 @@ extension SFNClient { /// /// * [UpdateStateMachineAlias] /// - /// - Parameter DeleteStateMachineAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStateMachineAliasInput`) /// - /// - Returns: `DeleteStateMachineAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStateMachineAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -807,7 +801,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStateMachineAliasOutput.httpOutput(from:), DeleteStateMachineAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -846,9 +839,9 @@ extension SFNClient { /// /// * [ListStateMachineVersions] /// - /// - Parameter DeleteStateMachineVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStateMachineVersionInput`) /// - /// - Returns: `DeleteStateMachineVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStateMachineVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -882,7 +875,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStateMachineVersionOutput.httpOutput(from:), DeleteStateMachineVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -917,9 +909,9 @@ extension SFNClient { /// /// Describes an activity. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. /// - /// - Parameter DescribeActivityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeActivityInput`) /// - /// - Returns: `DescribeActivityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeActivityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -952,7 +944,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeActivityOutput.httpOutput(from:), DescribeActivityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -987,9 +978,9 @@ extension SFNClient { /// /// Provides information about a state machine execution, such as the state machine associated with the execution, the execution input and output, and relevant execution metadata. If you've [redriven](https://docs.aws.amazon.com/step-functions/latest/dg/redrive-executions.html) an execution, you can use this API action to return information about the redrives of that execution. In addition, you can use this API action to return the Map Run Amazon Resource Name (ARN) if the execution was dispatched by a Map Run. If you specify a version or alias ARN when you call the [StartExecution] API action, DescribeExecution returns that ARN. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. Executions of an EXPRESS state machine aren't supported by DescribeExecution unless a Map Run dispatched them. /// - /// - Parameter DescribeExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExecutionInput`) /// - /// - Returns: `DescribeExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1025,7 +1016,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExecutionOutput.httpOutput(from:), DescribeExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1060,9 +1050,9 @@ extension SFNClient { /// /// Provides information about a Map Run's configuration, progress, and results. If you've [redriven](https://docs.aws.amazon.com/step-functions/latest/dg/redrive-map-run.html) a Map Run, this API action also returns information about the redrives of that Map Run. For more information, see [Examining Map Run](https://docs.aws.amazon.com/step-functions/latest/dg/concepts-examine-map-run.html) in the Step Functions Developer Guide. /// - /// - Parameter DescribeMapRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMapRunInput`) /// - /// - Returns: `DescribeMapRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMapRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1095,7 +1085,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMapRunOutput.httpOutput(from:), DescribeMapRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1139,9 +1128,9 @@ extension SFNClient { /// /// This API action returns the details for a state machine version if the stateMachineArn you specify is a state machine version ARN. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. /// - /// - Parameter DescribeStateMachineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStateMachineInput`) /// - /// - Returns: `DescribeStateMachineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStateMachineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1177,7 +1166,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStateMachineOutput.httpOutput(from:), DescribeStateMachineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1220,9 +1208,9 @@ extension SFNClient { /// /// * [DeleteStateMachineAlias] /// - /// - Parameter DescribeStateMachineAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStateMachineAliasInput`) /// - /// - Returns: `DescribeStateMachineAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStateMachineAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1256,7 +1244,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStateMachineAliasOutput.httpOutput(from:), DescribeStateMachineAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1291,9 +1278,9 @@ extension SFNClient { /// /// Provides information about a state machine's definition, its execution role ARN, and configuration. If a Map Run dispatched the execution, this action returns the Map Run Amazon Resource Name (ARN) in the response. The state machine returned is the state machine associated with the Map Run. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. This API action is not supported by EXPRESS state machines. /// - /// - Parameter DescribeStateMachineForExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStateMachineForExecutionInput`) /// - /// - Returns: `DescribeStateMachineForExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStateMachineForExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1329,7 +1316,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStateMachineForExecutionOutput.httpOutput(from:), DescribeStateMachineForExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1364,9 +1350,9 @@ extension SFNClient { /// /// Used by workers to retrieve a task (with the specified activity ARN) which has been scheduled for execution by a running state machine. This initiates a long poll, where the service holds the HTTP connection open and responds as soon as a task becomes available (i.e. an execution of a task of this type is needed.) The maximum time the service holds on to the request before responding is 60 seconds. If no task is available within 60 seconds, the poll returns a taskToken with a null string. This API action isn't logged in CloudTrail. Workers should set their client side socket timeout to at least 65 seconds (5 seconds higher than the maximum time the service may hold the poll request). Polling with GetActivityTask can cause latency in some implementations. See [Avoid Latency When Polling for Activity Tasks](https://docs.aws.amazon.com/step-functions/latest/dg/bp-activity-pollers.html) in the Step Functions Developer Guide. /// - /// - Parameter GetActivityTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetActivityTaskInput`) /// - /// - Returns: `GetActivityTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetActivityTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1403,7 +1389,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetActivityTaskOutput.httpOutput(from:), GetActivityTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1438,9 +1423,9 @@ extension SFNClient { /// /// Returns the history of the specified execution as a list of events. By default, the results are returned in ascending order of the timeStamp of the events. Use the reverseOrder parameter to get the latest events first. If nextToken is returned, there are more results available. The value of nextToken is a unique pagination token for each page. Make the call again using the returned token to retrieve the next page. Keep all other arguments unchanged. Each pagination token expires after 24 hours. Using an expired pagination token will return an HTTP 400 InvalidToken error. This API action is not supported by EXPRESS state machines. /// - /// - Parameter GetExecutionHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExecutionHistoryInput`) /// - /// - Returns: `GetExecutionHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExecutionHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1477,7 +1462,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExecutionHistoryOutput.httpOutput(from:), GetExecutionHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1512,9 +1496,9 @@ extension SFNClient { /// /// Lists the existing activities. If nextToken is returned, there are more results available. The value of nextToken is a unique pagination token for each page. Make the call again using the returned token to retrieve the next page. Keep all other arguments unchanged. Each pagination token expires after 24 hours. Using an expired pagination token will return an HTTP 400 InvalidToken error. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. /// - /// - Parameter ListActivitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListActivitiesInput`) /// - /// - Returns: `ListActivitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListActivitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1546,7 +1530,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActivitiesOutput.httpOutput(from:), ListActivitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1581,9 +1564,9 @@ extension SFNClient { /// /// Lists all executions of a state machine or a Map Run. You can list all executions related to a state machine by specifying a state machine Amazon Resource Name (ARN), or those related to a Map Run by specifying a Map Run ARN. Using this API action, you can also list all [redriven](https://docs.aws.amazon.com/step-functions/latest/dg/redrive-executions.html) executions. You can also provide a state machine [alias](https://docs.aws.amazon.com/step-functions/latest/dg/concepts-state-machine-alias.html) ARN or [version](https://docs.aws.amazon.com/step-functions/latest/dg/concepts-state-machine-version.html) ARN to list the executions associated with a specific alias or version. Results are sorted by time, with the most recent execution first. If nextToken is returned, there are more results available. The value of nextToken is a unique pagination token for each page. Make the call again using the returned token to retrieve the next page. Keep all other arguments unchanged. Each pagination token expires after 24 hours. Using an expired pagination token will return an HTTP 400 InvalidToken error. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. This API action is not supported by EXPRESS state machines. /// - /// - Parameter ListExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExecutionsInput`) /// - /// - Returns: `ListExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1620,7 +1603,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExecutionsOutput.httpOutput(from:), ListExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1655,9 +1637,9 @@ extension SFNClient { /// /// Lists all Map Runs that were started by a given state machine execution. Use this API action to obtain Map Run ARNs, and then call DescribeMapRun to obtain more information, if needed. /// - /// - Parameter ListMapRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMapRunsInput`) /// - /// - Returns: `ListMapRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMapRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1691,7 +1673,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMapRunsOutput.httpOutput(from:), ListMapRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1734,9 +1715,9 @@ extension SFNClient { /// /// * [DeleteStateMachineAlias] /// - /// - Parameter ListStateMachineAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStateMachineAliasesInput`) /// - /// - Returns: `ListStateMachineAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStateMachineAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1772,7 +1753,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStateMachineAliasesOutput.httpOutput(from:), ListStateMachineAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1811,9 +1791,9 @@ extension SFNClient { /// /// * [DeleteStateMachineVersion] /// - /// - Parameter ListStateMachineVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStateMachineVersionsInput`) /// - /// - Returns: `ListStateMachineVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStateMachineVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1847,7 +1827,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStateMachineVersionsOutput.httpOutput(from:), ListStateMachineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1882,9 +1861,9 @@ extension SFNClient { /// /// Lists the existing state machines. If nextToken is returned, there are more results available. The value of nextToken is a unique pagination token for each page. Make the call again using the returned token to retrieve the next page. Keep all other arguments unchanged. Each pagination token expires after 24 hours. Using an expired pagination token will return an HTTP 400 InvalidToken error. This operation is eventually consistent. The results are best effort and may not reflect very recent updates and changes. /// - /// - Parameter ListStateMachinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStateMachinesInput`) /// - /// - Returns: `ListStateMachinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStateMachinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1916,7 +1895,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStateMachinesOutput.httpOutput(from:), ListStateMachinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1951,9 +1929,9 @@ extension SFNClient { /// /// List tags for a given resource. Tags may only contain Unicode letters, digits, white space, or these symbols: _ . : / = + - @. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1986,7 +1964,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2025,9 +2002,9 @@ extension SFNClient { /// /// * [ListStateMachineVersions] /// - /// - Parameter PublishStateMachineVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishStateMachineVersionInput`) /// - /// - Returns: `PublishStateMachineVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishStateMachineVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2064,7 +2041,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishStateMachineVersionOutput.httpOutput(from:), PublishStateMachineVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2107,9 +2083,9 @@ extension SFNClient { /// /// * The execution event history count is less than 24,999. Redriven executions append their event history to the existing event history. Make sure your workflow execution contains less than 24,999 events to accommodate the ExecutionRedriven history event and at least one other history event. /// - /// - Parameter RedriveExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RedriveExecutionInput`) /// - /// - Returns: `RedriveExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RedriveExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2146,7 +2122,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RedriveExecutionOutput.httpOutput(from:), RedriveExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2181,9 +2156,9 @@ extension SFNClient { /// /// Used by activity workers, Task states using the [callback](https://docs.aws.amazon.com/step-functions/latest/dg/connect-to-resource.html#connect-wait-token) pattern, and optionally Task states using the [job run](https://docs.aws.amazon.com/step-functions/latest/dg/connect-to-resource.html#connect-sync) pattern to report that the task identified by the taskToken failed. For an execution with encryption enabled, Step Functions will encrypt the error and cause fields using the KMS key for the execution role. A caller can mark a task as fail without using any KMS permissions in the execution role if the caller provides a null value for both error and cause fields because no data needs to be encrypted. /// - /// - Parameter SendTaskFailureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendTaskFailureInput`) /// - /// - Returns: `SendTaskFailureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendTaskFailureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2220,7 +2195,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendTaskFailureOutput.httpOutput(from:), SendTaskFailureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2255,9 +2229,9 @@ extension SFNClient { /// /// Used by activity workers and Task states using the [callback](https://docs.aws.amazon.com/step-functions/latest/dg/connect-to-resource.html#connect-wait-token) pattern, and optionally Task states using the [job run](https://docs.aws.amazon.com/step-functions/latest/dg/connect-to-resource.html#connect-sync) pattern to report to Step Functions that the task represented by the specified taskToken is still making progress. This action resets the Heartbeat clock. The Heartbeat threshold is specified in the state machine's Amazon States Language definition (HeartbeatSeconds). This action does not in itself create an event in the execution history. However, if the task times out, the execution history contains an ActivityTimedOut entry for activities, or a TaskTimedOut entry for tasks using the [job run](https://docs.aws.amazon.com/step-functions/latest/dg/connect-to-resource.html#connect-sync) or [callback](https://docs.aws.amazon.com/step-functions/latest/dg/connect-to-resource.html#connect-wait-token) pattern. The Timeout of a task, defined in the state machine's Amazon States Language definition, is its maximum allowed duration, regardless of the number of [SendTaskHeartbeat] requests received. Use HeartbeatSeconds to configure the timeout interval for heartbeats. /// - /// - Parameter SendTaskHeartbeatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendTaskHeartbeatInput`) /// - /// - Returns: `SendTaskHeartbeatOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendTaskHeartbeatOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2291,7 +2265,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendTaskHeartbeatOutput.httpOutput(from:), SendTaskHeartbeatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2326,9 +2299,9 @@ extension SFNClient { /// /// Used by activity workers, Task states using the [callback](https://docs.aws.amazon.com/step-functions/latest/dg/connect-to-resource.html#connect-wait-token) pattern, and optionally Task states using the [job run](https://docs.aws.amazon.com/step-functions/latest/dg/connect-to-resource.html#connect-sync) pattern to report that the task identified by the taskToken completed successfully. /// - /// - Parameter SendTaskSuccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendTaskSuccessInput`) /// - /// - Returns: `SendTaskSuccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendTaskSuccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2366,7 +2339,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendTaskSuccessOutput.httpOutput(from:), SendTaskSuccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2410,9 +2382,9 @@ extension SFNClient { /// /// If you start an execution with an unqualified state machine ARN, Step Functions uses the latest revision of the state machine for the execution. To start executions of a state machine [version](https://docs.aws.amazon.com/step-functions/latest/dg/concepts-state-machine-version.html), call StartExecution and provide the version ARN or the ARN of an [alias](https://docs.aws.amazon.com/step-functions/latest/dg/concepts-state-machine-alias.html) that points to the version. StartExecution is idempotent for STANDARD workflows. For a STANDARD workflow, if you call StartExecution with the same name and input as a running execution, the call succeeds and return the same response as the original request. If the execution is closed or if the input is different, it returns a 400 ExecutionAlreadyExists error. You can reuse names after 90 days. StartExecution isn't idempotent for EXPRESS workflows. /// - /// - Parameter StartExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartExecutionInput`) /// - /// - Returns: `StartExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2454,7 +2426,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExecutionOutput.httpOutput(from:), StartExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2489,9 +2460,9 @@ extension SFNClient { /// /// Starts a Synchronous Express state machine execution. StartSyncExecution is not available for STANDARD workflows. StartSyncExecution will return a 200 OK response, even if your execution fails, because the status code in the API response doesn't reflect function errors. Error codes are reserved for errors that prevent your execution from running, such as permissions errors, limit errors, or issues with your state machine code and configuration. This API action isn't logged in CloudTrail. /// - /// - Parameter StartSyncExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSyncExecutionInput`) /// - /// - Returns: `StartSyncExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSyncExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2531,7 +2502,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSyncExecutionOutput.httpOutput(from:), StartSyncExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2566,9 +2536,9 @@ extension SFNClient { /// /// Stops an execution. This API action is not supported by EXPRESS state machines. For an execution with encryption enabled, Step Functions will encrypt the error and cause fields using the KMS key for the execution role. A caller can stop an execution without using any KMS permissions in the execution role if the caller provides a null value for both error and cause fields because no data needs to be encrypted. /// - /// - Parameter StopExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopExecutionInput`) /// - /// - Returns: `StopExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2605,7 +2575,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopExecutionOutput.httpOutput(from:), StopExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2640,9 +2609,9 @@ extension SFNClient { /// /// Add a tag to a Step Functions resource. An array of key-value pairs. For more information, see [Using Cost Allocation Tags](https://docs.aws.amazon.com/awsaccountbilling/latest/aboutv2/cost-alloc-tags.html) in the Amazon Web Services Billing and Cost Management User Guide, and [Controlling Access Using IAM Tags](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_iam-tags.html). Tags may only contain Unicode letters, digits, white space, or these symbols: _ . : / = + - @. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2676,7 +2645,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2735,9 +2703,9 @@ extension SFNClient { /// /// The TestState API assumes an IAM role which must contain the required IAM permissions for the resources your state is accessing. For information about the permissions a state might need, see [IAM permissions to test a state](https://docs.aws.amazon.com/step-functions/latest/dg/test-state-isolation.html#test-state-permissions). The TestState API can run for up to five minutes. If the execution of a state exceeds this duration, it fails with the States.Timeout error. TestState doesn't support [Activity tasks](https://docs.aws.amazon.com/step-functions/latest/dg/concepts-activities.html), .sync or .waitForTaskToken[service integration patterns](https://docs.aws.amazon.com/step-functions/latest/dg/connect-to-resource.html), [Parallel](https://docs.aws.amazon.com/step-functions/latest/dg/amazon-states-language-parallel-state.html), or [Map](https://docs.aws.amazon.com/step-functions/latest/dg/amazon-states-language-map-state.html) states. /// - /// - Parameter TestStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestStateInput`) /// - /// - Returns: `TestStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2772,7 +2740,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestStateOutput.httpOutput(from:), TestStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2807,9 +2774,9 @@ extension SFNClient { /// /// Remove a tag from a Step Functions resource /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2842,7 +2809,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2877,9 +2843,9 @@ extension SFNClient { /// /// Updates an in-progress Map Run's configuration to include changes to the settings that control maximum concurrency and Map Run failure. /// - /// - Parameter UpdateMapRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMapRunInput`) /// - /// - Returns: `UpdateMapRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMapRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2913,7 +2879,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMapRunOutput.httpOutput(from:), UpdateMapRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2957,9 +2922,9 @@ extension SFNClient { /// /// After you update your state machine, you can set the publish parameter to true in the same action to publish a new [version](https://docs.aws.amazon.com/step-functions/latest/dg/concepts-state-machine-version.html). This way, you can opt-in to strict versioning of your state machine. Step Functions assigns monotonically increasing integers for state machine versions, starting at version number 1. All StartExecution calls within a few seconds use the updated definition and roleArn. Executions started immediately after you call UpdateStateMachine may use the previous state machine definition and roleArn. /// - /// - Parameter UpdateStateMachineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStateMachineInput`) /// - /// - Returns: `UpdateStateMachineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStateMachineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3003,7 +2968,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStateMachineOutput.httpOutput(from:), UpdateStateMachineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3046,9 +3010,9 @@ extension SFNClient { /// /// * [DeleteStateMachineAlias] /// - /// - Parameter UpdateStateMachineAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStateMachineAliasInput`) /// - /// - Returns: `UpdateStateMachineAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStateMachineAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3084,7 +3048,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStateMachineAliasOutput.httpOutput(from:), UpdateStateMachineAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3126,9 +3089,9 @@ extension SFNClient { /// /// Validation will look for problems in your state machine definition and return a result and a list of diagnostic elements. The result value will be OK when your workflow definition can be successfully created or updated. Note the result can be OK even when diagnostic warnings are present in the response. The result value will be FAIL when the workflow definition contains errors that would prevent you from creating or updating your state machine. The list of [ValidateStateMachineDefinitionDiagnostic](https://docs.aws.amazon.com/step-functions/latest/apireference/API_ValidateStateMachineDefinitionDiagnostic.html) data elements can contain zero or more WARNING and/or ERROR elements. The ValidateStateMachineDefinition API might add new diagnostics in the future, adjust diagnostic codes, or change the message wording. Your automated processes should only rely on the value of the result field value (OK, FAIL). Do not rely on the exact order, count, or wording of diagnostic messages. /// - /// - Parameter ValidateStateMachineDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidateStateMachineDefinitionInput`) /// - /// - Returns: `ValidateStateMachineDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidateStateMachineDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3160,7 +3123,6 @@ extension SFNClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateStateMachineDefinitionOutput.httpOutput(from:), ValidateStateMachineDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSNS/Sources/AWSSNS/SNSClient.swift b/Sources/Services/AWSSNS/Sources/AWSSNS/SNSClient.swift index ee7b490348b..f85bbd3516f 100644 --- a/Sources/Services/AWSSNS/Sources/AWSSNS/SNSClient.swift +++ b/Sources/Services/AWSSNS/Sources/AWSSNS/SNSClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SNSClient: ClientRuntime.Client { public static let clientName = "SNSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SNSClient.SNSClientConfiguration let serviceName = "SNS" @@ -372,9 +371,9 @@ extension SNSClient { /// /// Adds a statement to a topic's access control policy, granting access for the specified Amazon Web Services accounts to the specified actions. To remove the ability to change topic permissions, you must deny permissions to the AddPermission, RemovePermission, and SetTopicAttributes actions in your IAM policy. /// - /// - Parameter AddPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddPermissionInput`) /// - /// - Returns: `AddPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -409,7 +408,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddPermissionOutput.httpOutput(from:), AddPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension SNSClient { /// /// Accepts a phone number and indicates whether the phone holder has opted out of receiving SMS messages from your Amazon Web Services account. You cannot send SMS messages to a number that is opted out. To resume sending messages, you can opt in the number by using the OptInPhoneNumber action. /// - /// - Parameter CheckIfPhoneNumberIsOptedOutInput : The input for the CheckIfPhoneNumberIsOptedOut action. + /// - Parameter input: The input for the CheckIfPhoneNumberIsOptedOut action. (Type: `CheckIfPhoneNumberIsOptedOutInput`) /// - /// - Returns: `CheckIfPhoneNumberIsOptedOutOutput` : The response from the CheckIfPhoneNumberIsOptedOut action. + /// - Returns: The response from the CheckIfPhoneNumberIsOptedOut action. (Type: `CheckIfPhoneNumberIsOptedOutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckIfPhoneNumberIsOptedOutOutput.httpOutput(from:), CheckIfPhoneNumberIsOptedOutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -514,9 +511,9 @@ extension SNSClient { /// /// Verifies an endpoint owner's intent to receive messages by validating the token sent to the endpoint by an earlier Subscribe action. If the token is valid, the action creates a new subscription and returns its Amazon Resource Name (ARN). This call requires an AWS signature only when the AuthenticateOnUnsubscribe flag is set to "true". /// - /// - Parameter ConfirmSubscriptionInput : Input for ConfirmSubscription action. + /// - Parameter input: Input for ConfirmSubscription action. (Type: `ConfirmSubscriptionInput`) /// - /// - Returns: `ConfirmSubscriptionOutput` : Response for ConfirmSubscriptions action. + /// - Returns: Response for ConfirmSubscriptions action. (Type: `ConfirmSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConfirmSubscriptionOutput.httpOutput(from:), ConfirmSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -607,9 +603,9 @@ extension SNSClient { /// /// You can use the returned PlatformApplicationArn as an attribute for the CreatePlatformEndpoint action. /// - /// - Parameter CreatePlatformApplicationInput : Input for CreatePlatformApplication action. + /// - Parameter input: Input for CreatePlatformApplication action. (Type: `CreatePlatformApplicationInput`) /// - /// - Returns: `CreatePlatformApplicationOutput` : Response from CreatePlatformApplication action. + /// - Returns: Response from CreatePlatformApplication action. (Type: `CreatePlatformApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -643,7 +639,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePlatformApplicationOutput.httpOutput(from:), CreatePlatformApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -677,9 +672,9 @@ extension SNSClient { /// /// Creates an endpoint for a device and mobile app on one of the supported push notification services, such as GCM (Firebase Cloud Messaging) and APNS. CreatePlatformEndpoint requires the PlatformApplicationArn that is returned from CreatePlatformApplication. You can use the returned EndpointArn to send a message to a mobile app or by the Subscribe action for subscription to a topic. The CreatePlatformEndpoint action is idempotent, so if the requester already owns an endpoint with the same device token and attributes, that endpoint's ARN is returned without creating a new endpoint. For more information, see [Using Amazon SNS Mobile Push Notifications](https://docs.aws.amazon.com/sns/latest/dg/SNSMobilePush.html). When using CreatePlatformEndpoint with Baidu, two attributes must be provided: ChannelId and UserId. The token field must also contain the ChannelId. For more information, see [Creating an Amazon SNS Endpoint for Baidu](https://docs.aws.amazon.com/sns/latest/dg/SNSMobilePushBaiduEndpoint.html). /// - /// - Parameter CreatePlatformEndpointInput : Input for CreatePlatformEndpoint action. + /// - Parameter input: Input for CreatePlatformEndpoint action. (Type: `CreatePlatformEndpointInput`) /// - /// - Returns: `CreatePlatformEndpointOutput` : Response from CreateEndpoint action. + /// - Returns: Response from CreateEndpoint action. (Type: `CreatePlatformEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -714,7 +709,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePlatformEndpointOutput.httpOutput(from:), CreatePlatformEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -748,9 +742,9 @@ extension SNSClient { /// /// Adds a destination phone number to an Amazon Web Services account in the SMS sandbox and sends a one-time password (OTP) to that phone number. When you start using Amazon SNS to send SMS messages, your Amazon Web Services account is in the SMS sandbox. The SMS sandbox provides a safe environment for you to try Amazon SNS features without risking your reputation as an SMS sender. While your Amazon Web Services account is in the SMS sandbox, you can use all of the features of Amazon SNS. However, you can send SMS messages only to verified destination phone numbers. For more information, including how to move out of the sandbox to send messages without restrictions, see [SMS sandbox](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) in the Amazon SNS Developer Guide. /// - /// - Parameter CreateSMSSandboxPhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSMSSandboxPhoneNumberInput`) /// - /// - Returns: `CreateSMSSandboxPhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSMSSandboxPhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -787,7 +781,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSMSSandboxPhoneNumberOutput.httpOutput(from:), CreateSMSSandboxPhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -821,9 +814,9 @@ extension SNSClient { /// /// Creates a topic to which notifications can be published. Users can create at most 100,000 standard topics (at most 1,000 FIFO topics). For more information, see [Creating an Amazon SNS topic](https://docs.aws.amazon.com/sns/latest/dg/sns-create-topic.html) in the Amazon SNS Developer Guide. This action is idempotent, so if the requester already owns a topic with the specified name, that topic's ARN is returned without creating a new topic. /// - /// - Parameter CreateTopicInput : Input for CreateTopic action. + /// - Parameter input: Input for CreateTopic action. (Type: `CreateTopicInput`) /// - /// - Returns: `CreateTopicOutput` : Response from CreateTopic action. + /// - Returns: Response from CreateTopic action. (Type: `CreateTopicOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -863,7 +856,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTopicOutput.httpOutput(from:), CreateTopicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -897,9 +889,9 @@ extension SNSClient { /// /// Deletes the endpoint for a device and mobile app from Amazon SNS. This action is idempotent. For more information, see [Using Amazon SNS Mobile Push Notifications](https://docs.aws.amazon.com/sns/latest/dg/SNSMobilePush.html). When you delete an endpoint that is also subscribed to a topic, then you must also unsubscribe the endpoint from the topic. /// - /// - Parameter DeleteEndpointInput : Input for DeleteEndpoint action. + /// - Parameter input: Input for DeleteEndpoint action. (Type: `DeleteEndpointInput`) /// - /// - Returns: `DeleteEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -933,7 +925,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointOutput.httpOutput(from:), DeleteEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -967,9 +958,9 @@ extension SNSClient { /// /// Deletes a platform application object for one of the supported push notification services, such as APNS and GCM (Firebase Cloud Messaging). For more information, see [Using Amazon SNS Mobile Push Notifications](https://docs.aws.amazon.com/sns/latest/dg/SNSMobilePush.html). /// - /// - Parameter DeletePlatformApplicationInput : Input for DeletePlatformApplication action. + /// - Parameter input: Input for DeletePlatformApplication action. (Type: `DeletePlatformApplicationInput`) /// - /// - Returns: `DeletePlatformApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePlatformApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1003,7 +994,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePlatformApplicationOutput.httpOutput(from:), DeletePlatformApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1037,9 +1027,9 @@ extension SNSClient { /// /// Deletes an Amazon Web Services account's verified or pending phone number from the SMS sandbox. When you start using Amazon SNS to send SMS messages, your Amazon Web Services account is in the SMS sandbox. The SMS sandbox provides a safe environment for you to try Amazon SNS features without risking your reputation as an SMS sender. While your Amazon Web Services account is in the SMS sandbox, you can use all of the features of Amazon SNS. However, you can send SMS messages only to verified destination phone numbers. For more information, including how to move out of the sandbox to send messages without restrictions, see [SMS sandbox](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) in the Amazon SNS Developer Guide. /// - /// - Parameter DeleteSMSSandboxPhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSMSSandboxPhoneNumberInput`) /// - /// - Returns: `DeleteSMSSandboxPhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSMSSandboxPhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1076,7 +1066,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSMSSandboxPhoneNumberOutput.httpOutput(from:), DeleteSMSSandboxPhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1110,9 +1099,9 @@ extension SNSClient { /// /// Deletes a topic and all its subscriptions. Deleting a topic might prevent some messages previously sent to the topic from being delivered to subscribers. This action is idempotent, so deleting a topic that does not exist does not result in an error. /// - /// - Parameter DeleteTopicInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTopicInput`) /// - /// - Returns: `DeleteTopicOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTopicOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1151,7 +1140,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTopicOutput.httpOutput(from:), DeleteTopicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1185,9 +1173,9 @@ extension SNSClient { /// /// Retrieves the specified inline DataProtectionPolicy document that is stored in the specified Amazon SNS topic. /// - /// - Parameter GetDataProtectionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataProtectionPolicyInput`) /// - /// - Returns: `GetDataProtectionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataProtectionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1223,7 +1211,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataProtectionPolicyOutput.httpOutput(from:), GetDataProtectionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1257,9 +1244,9 @@ extension SNSClient { /// /// Retrieves the endpoint attributes for a device on one of the supported push notification services, such as GCM (Firebase Cloud Messaging) and APNS. For more information, see [Using Amazon SNS Mobile Push Notifications](https://docs.aws.amazon.com/sns/latest/dg/SNSMobilePush.html). /// - /// - Parameter GetEndpointAttributesInput : Input for GetEndpointAttributes action. + /// - Parameter input: Input for GetEndpointAttributes action. (Type: `GetEndpointAttributesInput`) /// - /// - Returns: `GetEndpointAttributesOutput` : Response from GetEndpointAttributes of the EndpointArn. + /// - Returns: Response from GetEndpointAttributes of the EndpointArn. (Type: `GetEndpointAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1294,7 +1281,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEndpointAttributesOutput.httpOutput(from:), GetEndpointAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1328,9 +1314,9 @@ extension SNSClient { /// /// Retrieves the attributes of the platform application object for the supported push notification services, such as APNS and GCM (Firebase Cloud Messaging). For more information, see [Using Amazon SNS Mobile Push Notifications](https://docs.aws.amazon.com/sns/latest/dg/SNSMobilePush.html). /// - /// - Parameter GetPlatformApplicationAttributesInput : Input for GetPlatformApplicationAttributes action. + /// - Parameter input: Input for GetPlatformApplicationAttributes action. (Type: `GetPlatformApplicationAttributesInput`) /// - /// - Returns: `GetPlatformApplicationAttributesOutput` : Response for GetPlatformApplicationAttributes action. + /// - Returns: Response for GetPlatformApplicationAttributes action. (Type: `GetPlatformApplicationAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1365,7 +1351,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPlatformApplicationAttributesOutput.httpOutput(from:), GetPlatformApplicationAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1399,9 +1384,9 @@ extension SNSClient { /// /// Returns the settings for sending SMS messages from your Amazon Web Services account. These settings are set with the SetSMSAttributes action. /// - /// - Parameter GetSMSAttributesInput : The input for the GetSMSAttributes request. + /// - Parameter input: The input for the GetSMSAttributes request. (Type: `GetSMSAttributesInput`) /// - /// - Returns: `GetSMSAttributesOutput` : The response from the GetSMSAttributes request. + /// - Returns: The response from the GetSMSAttributes request. (Type: `GetSMSAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1436,7 +1421,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSMSAttributesOutput.httpOutput(from:), GetSMSAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1470,9 +1454,9 @@ extension SNSClient { /// /// Retrieves the SMS sandbox status for the calling Amazon Web Services account in the target Amazon Web Services Region. When you start using Amazon SNS to send SMS messages, your Amazon Web Services account is in the SMS sandbox. The SMS sandbox provides a safe environment for you to try Amazon SNS features without risking your reputation as an SMS sender. While your Amazon Web Services account is in the SMS sandbox, you can use all of the features of Amazon SNS. However, you can send SMS messages only to verified destination phone numbers. For more information, including how to move out of the sandbox to send messages without restrictions, see [SMS sandbox](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) in the Amazon SNS Developer Guide. /// - /// - Parameter GetSMSSandboxAccountStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSMSSandboxAccountStatusInput`) /// - /// - Returns: `GetSMSSandboxAccountStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSMSSandboxAccountStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1506,7 +1490,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSMSSandboxAccountStatusOutput.httpOutput(from:), GetSMSSandboxAccountStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1540,9 +1523,9 @@ extension SNSClient { /// /// Returns all of the properties of a subscription. /// - /// - Parameter GetSubscriptionAttributesInput : Input for GetSubscriptionAttributes. + /// - Parameter input: Input for GetSubscriptionAttributes. (Type: `GetSubscriptionAttributesInput`) /// - /// - Returns: `GetSubscriptionAttributesOutput` : Response for GetSubscriptionAttributes action. + /// - Returns: Response for GetSubscriptionAttributes action. (Type: `GetSubscriptionAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1577,7 +1560,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubscriptionAttributesOutput.httpOutput(from:), GetSubscriptionAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1611,9 +1593,9 @@ extension SNSClient { /// /// Returns all of the properties of a topic. Topic properties returned might differ based on the authorization of the user. /// - /// - Parameter GetTopicAttributesInput : Input for GetTopicAttributes action. + /// - Parameter input: Input for GetTopicAttributes action. (Type: `GetTopicAttributesInput`) /// - /// - Returns: `GetTopicAttributesOutput` : Response for GetTopicAttributes action. + /// - Returns: Response for GetTopicAttributes action. (Type: `GetTopicAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1649,7 +1631,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTopicAttributesOutput.httpOutput(from:), GetTopicAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1683,9 +1664,9 @@ extension SNSClient { /// /// Lists the endpoints and endpoint attributes for devices in a supported push notification service, such as GCM (Firebase Cloud Messaging) and APNS. The results for ListEndpointsByPlatformApplication are paginated and return a limited list of endpoints, up to 100. If additional records are available after the first page results, then a NextToken string will be returned. To receive the next page, you call ListEndpointsByPlatformApplication again using the NextToken string received from the previous call. When there are no more records to return, NextToken will be null. For more information, see [Using Amazon SNS Mobile Push Notifications](https://docs.aws.amazon.com/sns/latest/dg/SNSMobilePush.html). This action is throttled at 30 transactions per second (TPS). /// - /// - Parameter ListEndpointsByPlatformApplicationInput : Input for ListEndpointsByPlatformApplication action. + /// - Parameter input: Input for ListEndpointsByPlatformApplication action. (Type: `ListEndpointsByPlatformApplicationInput`) /// - /// - Returns: `ListEndpointsByPlatformApplicationOutput` : Response for ListEndpointsByPlatformApplication action. + /// - Returns: Response for ListEndpointsByPlatformApplication action. (Type: `ListEndpointsByPlatformApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1720,7 +1701,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEndpointsByPlatformApplicationOutput.httpOutput(from:), ListEndpointsByPlatformApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1754,9 +1734,9 @@ extension SNSClient { /// /// Lists the calling Amazon Web Services account's dedicated origination numbers and their metadata. For more information about origination numbers, see [Origination numbers](https://docs.aws.amazon.com/sns/latest/dg/channels-sms-originating-identities-origination-numbers.html) in the Amazon SNS Developer Guide. /// - /// - Parameter ListOriginationNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOriginationNumbersInput`) /// - /// - Returns: `ListOriginationNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOriginationNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1792,7 +1772,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOriginationNumbersOutput.httpOutput(from:), ListOriginationNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1826,9 +1805,9 @@ extension SNSClient { /// /// Returns a list of phone numbers that are opted out, meaning you cannot send SMS messages to them. The results for ListPhoneNumbersOptedOut are paginated, and each page returns up to 100 phone numbers. If additional phone numbers are available after the first page of results, then a NextToken string will be returned. To receive the next page, you call ListPhoneNumbersOptedOut again using the NextToken string received from the previous call. When there are no more records to return, NextToken will be null. /// - /// - Parameter ListPhoneNumbersOptedOutInput : The input for the ListPhoneNumbersOptedOut action. + /// - Parameter input: The input for the ListPhoneNumbersOptedOut action. (Type: `ListPhoneNumbersOptedOutInput`) /// - /// - Returns: `ListPhoneNumbersOptedOutOutput` : The response from the ListPhoneNumbersOptedOut action. + /// - Returns: The response from the ListPhoneNumbersOptedOut action. (Type: `ListPhoneNumbersOptedOutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1863,7 +1842,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPhoneNumbersOptedOutOutput.httpOutput(from:), ListPhoneNumbersOptedOutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1897,9 +1875,9 @@ extension SNSClient { /// /// Lists the platform application objects for the supported push notification services, such as APNS and GCM (Firebase Cloud Messaging). The results for ListPlatformApplications are paginated and return a limited list of applications, up to 100. If additional records are available after the first page results, then a NextToken string will be returned. To receive the next page, you call ListPlatformApplications using the NextToken string received from the previous call. When there are no more records to return, NextToken will be null. For more information, see [Using Amazon SNS Mobile Push Notifications](https://docs.aws.amazon.com/sns/latest/dg/SNSMobilePush.html). This action is throttled at 15 transactions per second (TPS). /// - /// - Parameter ListPlatformApplicationsInput : Input for ListPlatformApplications action. + /// - Parameter input: Input for ListPlatformApplications action. (Type: `ListPlatformApplicationsInput`) /// - /// - Returns: `ListPlatformApplicationsOutput` : Response for ListPlatformApplications action. + /// - Returns: Response for ListPlatformApplications action. (Type: `ListPlatformApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1933,7 +1911,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPlatformApplicationsOutput.httpOutput(from:), ListPlatformApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1967,9 +1944,9 @@ extension SNSClient { /// /// Lists the calling Amazon Web Services account's current verified and pending destination phone numbers in the SMS sandbox. When you start using Amazon SNS to send SMS messages, your Amazon Web Services account is in the SMS sandbox. The SMS sandbox provides a safe environment for you to try Amazon SNS features without risking your reputation as an SMS sender. While your Amazon Web Services account is in the SMS sandbox, you can use all of the features of Amazon SNS. However, you can send SMS messages only to verified destination phone numbers. For more information, including how to move out of the sandbox to send messages without restrictions, see [SMS sandbox](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) in the Amazon SNS Developer Guide. /// - /// - Parameter ListSMSSandboxPhoneNumbersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSMSSandboxPhoneNumbersInput`) /// - /// - Returns: `ListSMSSandboxPhoneNumbersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSMSSandboxPhoneNumbersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2005,7 +1982,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSMSSandboxPhoneNumbersOutput.httpOutput(from:), ListSMSSandboxPhoneNumbersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2039,9 +2015,9 @@ extension SNSClient { /// /// Returns a list of the requester's subscriptions. Each call returns a limited list of subscriptions, up to 100. If there are more subscriptions, a NextToken is also returned. Use the NextToken parameter in a new ListSubscriptions call to get further results. This action is throttled at 30 transactions per second (TPS). /// - /// - Parameter ListSubscriptionsInput : Input for ListSubscriptions action. + /// - Parameter input: Input for ListSubscriptions action. (Type: `ListSubscriptionsInput`) /// - /// - Returns: `ListSubscriptionsOutput` : Response for ListSubscriptions action + /// - Returns: Response for ListSubscriptions action (Type: `ListSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2075,7 +2051,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscriptionsOutput.httpOutput(from:), ListSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2109,9 +2084,9 @@ extension SNSClient { /// /// Returns a list of the subscriptions to a specific topic. Each call returns a limited list of subscriptions, up to 100. If there are more subscriptions, a NextToken is also returned. Use the NextToken parameter in a new ListSubscriptionsByTopic call to get further results. This action is throttled at 30 transactions per second (TPS). /// - /// - Parameter ListSubscriptionsByTopicInput : Input for ListSubscriptionsByTopic action. + /// - Parameter input: Input for ListSubscriptionsByTopic action. (Type: `ListSubscriptionsByTopicInput`) /// - /// - Returns: `ListSubscriptionsByTopicOutput` : Response for ListSubscriptionsByTopic action. + /// - Returns: Response for ListSubscriptionsByTopic action. (Type: `ListSubscriptionsByTopicOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2146,7 +2121,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscriptionsByTopicOutput.httpOutput(from:), ListSubscriptionsByTopicOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2180,9 +2154,9 @@ extension SNSClient { /// /// List all tags added to the specified Amazon SNS topic. For an overview, see [Amazon SNS Tags](https://docs.aws.amazon.com/sns/latest/dg/sns-tags.html) in the Amazon Simple Notification Service Developer Guide. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2218,7 +2192,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2252,9 +2225,9 @@ extension SNSClient { /// /// Returns a list of the requester's topics. Each call returns a limited list of topics, up to 100. If there are more topics, a NextToken is also returned. Use the NextToken parameter in a new ListTopics call to get further results. This action is throttled at 30 transactions per second (TPS). /// - /// - Parameter ListTopicsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTopicsInput`) /// - /// - Returns: `ListTopicsOutput` : Response for ListTopics action. + /// - Returns: Response for ListTopics action. (Type: `ListTopicsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2288,7 +2261,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTopicsOutput.httpOutput(from:), ListTopicsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2322,9 +2294,9 @@ extension SNSClient { /// /// Use this request to opt in a phone number that is opted out, which enables you to resume sending SMS messages to the number. You can opt in a phone number only once every 30 days. /// - /// - Parameter OptInPhoneNumberInput : Input for the OptInPhoneNumber action. + /// - Parameter input: Input for the OptInPhoneNumber action. (Type: `OptInPhoneNumberInput`) /// - /// - Returns: `OptInPhoneNumberOutput` : The response for the OptInPhoneNumber action. + /// - Returns: The response for the OptInPhoneNumber action. (Type: `OptInPhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2359,7 +2331,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(OptInPhoneNumberOutput.httpOutput(from:), OptInPhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2393,9 +2364,9 @@ extension SNSClient { /// /// Sends a message to an Amazon SNS topic, a text message (SMS message) directly to a phone number, or a message to a mobile platform endpoint (when you specify the TargetArn). If you send a message to a topic, Amazon SNS delivers the message to each endpoint that is subscribed to the topic. The format of the message depends on the notification protocol for each subscribed endpoint. When a messageId is returned, the message is saved and Amazon SNS immediately delivers it to subscribers. To use the Publish action for publishing a message to a mobile endpoint, such as an app on a Kindle device or mobile phone, you must specify the EndpointArn for the TargetArn parameter. The EndpointArn is returned when making a call with the CreatePlatformEndpoint action. For more information about formatting messages, see [Send Custom Platform-Specific Payloads in Messages to Mobile Devices](https://docs.aws.amazon.com/sns/latest/dg/mobile-push-send-custommessage.html). You can publish messages only to topics and endpoints in the same Amazon Web Services Region. /// - /// - Parameter PublishInput : Input for Publish action. + /// - Parameter input: Input for Publish action. (Type: `PublishInput`) /// - /// - Returns: `PublishOutput` : Response for Publish action. + /// - Returns: Response for Publish action. (Type: `PublishOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2441,7 +2412,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishOutput.httpOutput(from:), PublishOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2475,9 +2445,9 @@ extension SNSClient { /// /// Publishes up to 10 messages to the specified topic in a single batch. This is a batch version of the Publish API. If you try to send more than 10 messages in a single batch request, you will receive a TooManyEntriesInBatchRequest exception. For FIFO topics, multiple messages within a single batch are published in the order they are sent, and messages are deduplicated within the batch and across batches for five minutes. The result of publishing each message is reported individually in the response. Because the batch request can result in a combination of successful and unsuccessful actions, you should check for batch errors even when the call returns an HTTP status code of 200. The maximum allowed individual message size and the maximum total payload size (the sum of the individual lengths of all of the batched messages) are both 256 KB (262,144 bytes). The PublishBatch API can send up to 10 messages at a time. If you attempt to send more than 10 messages in one request, you will encounter a TooManyEntriesInBatchRequest exception. In such cases, split your messages into multiple requests, each containing no more than 10 messages. Some actions take lists of parameters. These lists are specified using the param.n notation. Values of n are integers starting from 1. For example, a parameter list with two elements looks like this: &AttributeName.1=first&AttributeName.2=second If you send a batch message to a topic, Amazon SNS publishes the batch message to each endpoint that is subscribed to the topic. The format of the batch message depends on the notification protocol for each subscribed endpoint. When a messageId is returned, the batch message is saved, and Amazon SNS immediately delivers the message to subscribers. /// - /// - Parameter PublishBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PublishBatchInput`) /// - /// - Returns: `PublishBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PublishBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2528,7 +2498,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PublishBatchOutput.httpOutput(from:), PublishBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2562,9 +2531,9 @@ extension SNSClient { /// /// Adds or updates an inline policy document that is stored in the specified Amazon SNS topic. /// - /// - Parameter PutDataProtectionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutDataProtectionPolicyInput`) /// - /// - Returns: `PutDataProtectionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutDataProtectionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2600,7 +2569,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutDataProtectionPolicyOutput.httpOutput(from:), PutDataProtectionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2634,9 +2602,9 @@ extension SNSClient { /// /// Removes a statement from a topic's access control policy. To remove the ability to change topic permissions, you must deny permissions to the AddPermission, RemovePermission, and SetTopicAttributes actions in your IAM policy. /// - /// - Parameter RemovePermissionInput : Input for RemovePermission action. + /// - Parameter input: Input for RemovePermission action. (Type: `RemovePermissionInput`) /// - /// - Returns: `RemovePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemovePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2671,7 +2639,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemovePermissionOutput.httpOutput(from:), RemovePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2705,9 +2672,9 @@ extension SNSClient { /// /// Sets the attributes for an endpoint for a device on one of the supported push notification services, such as GCM (Firebase Cloud Messaging) and APNS. For more information, see [Using Amazon SNS Mobile Push Notifications](https://docs.aws.amazon.com/sns/latest/dg/SNSMobilePush.html). /// - /// - Parameter SetEndpointAttributesInput : Input for SetEndpointAttributes action. + /// - Parameter input: Input for SetEndpointAttributes action. (Type: `SetEndpointAttributesInput`) /// - /// - Returns: `SetEndpointAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetEndpointAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2742,7 +2709,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetEndpointAttributesOutput.httpOutput(from:), SetEndpointAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2776,9 +2742,9 @@ extension SNSClient { /// /// Sets the attributes of the platform application object for the supported push notification services, such as APNS and GCM (Firebase Cloud Messaging). For more information, see [Using Amazon SNS Mobile Push Notifications](https://docs.aws.amazon.com/sns/latest/dg/SNSMobilePush.html). For information on configuring attributes for message delivery status, see [Using Amazon SNS Application Attributes for Message Delivery Status](https://docs.aws.amazon.com/sns/latest/dg/sns-msg-status.html). /// - /// - Parameter SetPlatformApplicationAttributesInput : Input for SetPlatformApplicationAttributes action. + /// - Parameter input: Input for SetPlatformApplicationAttributes action. (Type: `SetPlatformApplicationAttributesInput`) /// - /// - Returns: `SetPlatformApplicationAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetPlatformApplicationAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2813,7 +2779,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetPlatformApplicationAttributesOutput.httpOutput(from:), SetPlatformApplicationAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2847,9 +2812,9 @@ extension SNSClient { /// /// Use this request to set the default settings for sending SMS messages and receiving daily SMS usage reports. You can override some of these settings for a single message when you use the Publish action with the MessageAttributes.entry.N parameter. For more information, see [Publishing to a mobile phone](https://docs.aws.amazon.com/sns/latest/dg/sms_publish-to-phone.html) in the Amazon SNS Developer Guide. To use this operation, you must grant the Amazon SNS service principal (sns.amazonaws.com) permission to perform the s3:ListBucket action. /// - /// - Parameter SetSMSAttributesInput : The input for the SetSMSAttributes action. + /// - Parameter input: The input for the SetSMSAttributes action. (Type: `SetSMSAttributesInput`) /// - /// - Returns: `SetSMSAttributesOutput` : The response for the SetSMSAttributes action. + /// - Returns: The response for the SetSMSAttributes action. (Type: `SetSMSAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2884,7 +2849,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetSMSAttributesOutput.httpOutput(from:), SetSMSAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2918,9 +2882,9 @@ extension SNSClient { /// /// Allows a subscription owner to set an attribute of the subscription to a new value. /// - /// - Parameter SetSubscriptionAttributesInput : Input for SetSubscriptionAttributes action. + /// - Parameter input: Input for SetSubscriptionAttributes action. (Type: `SetSubscriptionAttributesInput`) /// - /// - Returns: `SetSubscriptionAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetSubscriptionAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2957,7 +2921,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetSubscriptionAttributesOutput.httpOutput(from:), SetSubscriptionAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2991,9 +2954,9 @@ extension SNSClient { /// /// Allows a topic owner to set an attribute of the topic to a new value. To remove the ability to change topic permissions, you must deny permissions to the AddPermission, RemovePermission, and SetTopicAttributes actions in your IAM policy. /// - /// - Parameter SetTopicAttributesInput : Input for SetTopicAttributes action. + /// - Parameter input: Input for SetTopicAttributes action. (Type: `SetTopicAttributesInput`) /// - /// - Returns: `SetTopicAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetTopicAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3029,7 +2992,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetTopicAttributesOutput.httpOutput(from:), SetTopicAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3063,9 +3025,9 @@ extension SNSClient { /// /// Subscribes an endpoint to an Amazon SNS topic. If the endpoint type is HTTP/S or email, or if the endpoint and the topic are not in the same Amazon Web Services account, the endpoint owner must run the ConfirmSubscription action to confirm the subscription. You call the ConfirmSubscription action with the token from the subscription response. Confirmation tokens are valid for two days. This action is throttled at 100 transactions per second (TPS). /// - /// - Parameter SubscribeInput : Input for Subscribe action. + /// - Parameter input: Input for Subscribe action. (Type: `SubscribeInput`) /// - /// - Returns: `SubscribeOutput` : Response for Subscribe action. + /// - Returns: Response for Subscribe action. (Type: `SubscribeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3104,7 +3066,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SubscribeOutput.httpOutput(from:), SubscribeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3148,9 +3109,9 @@ extension SNSClient { /// /// * Tagging actions are limited to 10 TPS per Amazon Web Services account, per Amazon Web Services Region. If your application requires a higher throughput, file a [technical support request](https://console.aws.amazon.com/support/home#/case/create?issueType=technical). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3188,7 +3149,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3222,9 +3182,9 @@ extension SNSClient { /// /// Deletes a subscription. If the subscription requires authentication for deletion, only the owner of the subscription or the topic's owner can unsubscribe, and an Amazon Web Services signature is required. If the Unsubscribe call does not require authentication and the requester is not the subscription owner, a final cancellation message is delivered to the endpoint, so that the endpoint owner can easily resubscribe to the topic if the Unsubscribe request was unintended. This action is throttled at 100 transactions per second (TPS). /// - /// - Parameter UnsubscribeInput : Input for Unsubscribe action. + /// - Parameter input: Input for Unsubscribe action. (Type: `UnsubscribeInput`) /// - /// - Returns: `UnsubscribeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnsubscribeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3260,7 +3220,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnsubscribeOutput.httpOutput(from:), UnsubscribeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3294,9 +3253,9 @@ extension SNSClient { /// /// Remove tags from the specified Amazon SNS topic. For an overview, see [Amazon SNS Tags](https://docs.aws.amazon.com/sns/latest/dg/sns-tags.html) in the Amazon SNS Developer Guide. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3334,7 +3293,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3368,9 +3326,9 @@ extension SNSClient { /// /// Verifies a destination phone number with a one-time password (OTP) for the calling Amazon Web Services account. When you start using Amazon SNS to send SMS messages, your Amazon Web Services account is in the SMS sandbox. The SMS sandbox provides a safe environment for you to try Amazon SNS features without risking your reputation as an SMS sender. While your Amazon Web Services account is in the SMS sandbox, you can use all of the features of Amazon SNS. However, you can send SMS messages only to verified destination phone numbers. For more information, including how to move out of the sandbox to send messages without restrictions, see [SMS sandbox](https://docs.aws.amazon.com/sns/latest/dg/sns-sms-sandbox.html) in the Amazon SNS Developer Guide. /// - /// - Parameter VerifySMSSandboxPhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `VerifySMSSandboxPhoneNumberInput`) /// - /// - Returns: `VerifySMSSandboxPhoneNumberOutput` : The destination phone number's verification status. + /// - Returns: The destination phone number's verification status. (Type: `VerifySMSSandboxPhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3407,7 +3365,6 @@ extension SNSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(VerifySMSSandboxPhoneNumberOutput.httpOutput(from:), VerifySMSSandboxPhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSQS/Sources/AWSSQS/SQSClient.swift b/Sources/Services/AWSSQS/Sources/AWSSQS/SQSClient.swift index 9ff9c813683..ba1815224dd 100644 --- a/Sources/Services/AWSSQS/Sources/AWSSQS/SQSClient.swift +++ b/Sources/Services/AWSSQS/Sources/AWSSQS/SQSClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SQSClient: ClientRuntime.Client { public static let clientName = "SQSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SQSClient.SQSClientConfiguration let serviceName = "SQS" @@ -385,9 +384,9 @@ extension SQSClient { /// /// Cross-account permissions don't apply to this action. For more information, see [Grant cross-account permissions to a role and a username](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-customer-managed-policy-examples.html#grant-cross-account-permissions-to-role-and-user-name) in the Amazon SQS Developer Guide. /// - /// - Parameter AddPermissionInput : + /// - Parameter input: (Type: `AddPermissionInput`) /// - /// - Returns: `AddPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -428,7 +427,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddPermissionOutput.httpOutput(from:), AddPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -468,9 +466,9 @@ extension SQSClient { /// /// * Only one active message movement task is supported per queue at any given time. /// - /// - Parameter CancelMessageMoveTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMessageMoveTaskInput`) /// - /// - Returns: `CancelMessageMoveTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMessageMoveTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -510,7 +508,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMessageMoveTaskOutput.httpOutput(from:), CancelMessageMoveTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -555,9 +552,9 @@ extension SQSClient { /// /// A message is considered to be stored after it is sent to a queue by a producer, but not yet received from the queue by a consumer (that is, between states 1 and 2). There is no limit to the number of stored messages. A message is considered to be in flight after it is received from a queue by a consumer, but not yet deleted from the queue (that is, between states 2 and 3). There is a limit to the number of in flight messages. Limits that apply to in flight messages are unrelated to the unlimited number of stored messages. For most standard queues (depending on queue traffic and message backlog), there can be a maximum of approximately 120,000 in flight messages (received from a queue by a consumer, but not yet deleted from the queue). If you reach this limit, Amazon SQS returns the OverLimit error message. To avoid reaching the limit, you should delete messages from the queue after they're processed. You can also increase the number of queues you use to process your messages. To request a limit increase, [file a support request](https://console.aws.amazon.com/support/home#/case/create?issueType=service-limit-increase&limitType=service-code-sqs). For FIFO queues, there can be a maximum of 120,000 in flight messages (received from a queue by a consumer, but not yet deleted from the queue). If you reach this limit, Amazon SQS returns no error messages. If you attempt to set the VisibilityTimeout to a value greater than the maximum time left, Amazon SQS returns an error. Amazon SQS doesn't automatically recalculate and increase the timeout to the maximum remaining time. Unlike with a queue, when you change the visibility timeout for a specific message the timeout value is applied immediately but isn't saved in memory for that message. If you don't delete a message after it is received, the visibility timeout for the message reverts to the original timeout value (not to the value you set using the ChangeMessageVisibility action) the next time the message is received. /// - /// - Parameter ChangeMessageVisibilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ChangeMessageVisibilityInput`) /// - /// - Returns: `ChangeMessageVisibilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ChangeMessageVisibilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -599,7 +596,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChangeMessageVisibilityOutput.httpOutput(from:), ChangeMessageVisibilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -635,9 +631,9 @@ extension SQSClient { /// /// Changes the visibility timeout of multiple messages. This is a batch version of [ChangeMessageVisibility]. The result of the action on each message is reported individually in the response. You can send up to 10 [ChangeMessageVisibility] requests with each ChangeMessageVisibilityBatch action. Because the batch request can result in a combination of successful and unsuccessful actions, you should check for batch errors even when the call returns an HTTP status code of 200. /// - /// - Parameter ChangeMessageVisibilityBatchInput : + /// - Parameter input: (Type: `ChangeMessageVisibilityBatchInput`) /// - /// - Returns: `ChangeMessageVisibilityBatchOutput` : For each message in the batch, the response contains a [ChangeMessageVisibilityBatchResultEntry] tag if the message succeeds or a [BatchResultErrorEntry] tag if the message fails. + /// - Returns: For each message in the batch, the response contains a [ChangeMessageVisibilityBatchResultEntry] tag if the message succeeds or a [BatchResultErrorEntry] tag if the message fails. (Type: `ChangeMessageVisibilityBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -681,7 +677,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ChangeMessageVisibilityBatchOutput.httpOutput(from:), ChangeMessageVisibilityBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -733,9 +728,9 @@ extension SQSClient { /// /// Cross-account permissions don't apply to this action. For more information, see [Grant cross-account permissions to a role and a username](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-customer-managed-policy-examples.html#grant-cross-account-permissions-to-role-and-user-name) in the Amazon SQS Developer Guide. /// - /// - Parameter CreateQueueInput : + /// - Parameter input: (Type: `CreateQueueInput`) /// - /// - Returns: `CreateQueueOutput` : Returns the QueueUrl attribute of the created queue. + /// - Returns: Returns the QueueUrl attribute of the created queue. (Type: `CreateQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +773,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQueueOutput.httpOutput(from:), CreateQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -814,9 +808,9 @@ extension SQSClient { /// /// Deletes the specified message from the specified queue. To select the message to delete, use the ReceiptHandle of the message (not the MessageId which you receive when you send the message). Amazon SQS can delete a message from a queue even if a visibility timeout setting causes the message to be locked by another consumer. Amazon SQS automatically deletes messages left in a queue longer than the retention period configured for the queue. Each time you receive a message, meaning when a consumer retrieves a message from the queue, it comes with a unique ReceiptHandle. If you receive the same message more than once, you will get a different ReceiptHandle each time. When you want to delete a message using the DeleteMessage action, you must use the ReceiptHandle from the most recent time you received the message. If you use an old ReceiptHandle, the request will succeed, but the message might not be deleted. For standard queues, it is possible to receive a message even after you delete it. This might happen on rare occasions if one of the servers which stores a copy of the message is unavailable when you send the request to delete the message. The copy remains on the server and might be returned to you during a subsequent receive request. You should ensure that your application is idempotent, so that receiving a message more than once does not cause issues. /// - /// - Parameter DeleteMessageInput : + /// - Parameter input: (Type: `DeleteMessageInput`) /// - /// - Returns: `DeleteMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -858,7 +852,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMessageOutput.httpOutput(from:), DeleteMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -894,9 +887,9 @@ extension SQSClient { /// /// Deletes up to ten messages from the specified queue. This is a batch version of [DeleteMessage]. The result of the action on each message is reported individually in the response. Because the batch request can result in a combination of successful and unsuccessful actions, you should check for batch errors even when the call returns an HTTP status code of 200. /// - /// - Parameter DeleteMessageBatchInput : + /// - Parameter input: (Type: `DeleteMessageBatchInput`) /// - /// - Returns: `DeleteMessageBatchOutput` : For each message in the batch, the response contains a [DeleteMessageBatchResultEntry] tag if the message is deleted or a [BatchResultErrorEntry] tag if the message can't be deleted. + /// - Returns: For each message in the batch, the response contains a [DeleteMessageBatchResultEntry] tag if the message is deleted or a [BatchResultErrorEntry] tag if the message can't be deleted. (Type: `DeleteMessageBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -940,7 +933,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMessageBatchOutput.httpOutput(from:), DeleteMessageBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -976,9 +968,9 @@ extension SQSClient { /// /// Deletes the queue specified by the QueueUrl, regardless of the queue's contents. Be careful with the DeleteQueue action: When you delete a queue, any messages in the queue are no longer available. When you delete a queue, the deletion process takes up to 60 seconds. Requests you send involving that queue during the 60 seconds might succeed. For example, a [SendMessage] request might succeed, but after 60 seconds the queue and the message you sent no longer exist. When you delete a queue, you must wait at least 60 seconds before creating a queue with the same name. Cross-account permissions don't apply to this action. For more information, see [Grant cross-account permissions to a role and a username](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-customer-managed-policy-examples.html#grant-cross-account-permissions-to-role-and-user-name) in the Amazon SQS Developer Guide. The delete operation uses the HTTP GET verb. /// - /// - Parameter DeleteQueueInput : + /// - Parameter input: (Type: `DeleteQueueInput`) /// - /// - Returns: `DeleteQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1018,7 +1010,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueueOutput.httpOutput(from:), DeleteQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1045,9 @@ extension SQSClient { /// /// Gets attributes for the specified queue. To determine whether a queue is [FIFO](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/FIFO-queues.html), you can check whether QueueName ends with the .fifo suffix. /// - /// - Parameter GetQueueAttributesInput : + /// - Parameter input: (Type: `GetQueueAttributesInput`) /// - /// - Returns: `GetQueueAttributesOutput` : A list of returned queue attributes. + /// - Returns: A list of returned queue attributes. (Type: `GetQueueAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1097,7 +1088,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueueAttributesOutput.httpOutput(from:), GetQueueAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1133,9 +1123,9 @@ extension SQSClient { /// /// The GetQueueUrl API returns the URL of an existing Amazon SQS queue. This is useful when you know the queue's name but need to retrieve its URL for further operations. To access a queue owned by another Amazon Web Services account, use the QueueOwnerAWSAccountId parameter to specify the account ID of the queue's owner. Note that the queue owner must grant you the necessary permissions to access the queue. For more information about accessing shared queues, see the [AddPermission] API or [Allow developers to write messages to a shared queue](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-writing-an-sqs-policy.html#write-messages-to-shared-queue) in the Amazon SQS Developer Guide. /// - /// - Parameter GetQueueUrlInput : Retrieves the URL of an existing queue based on its name and, optionally, the Amazon Web Services account ID. + /// - Parameter input: Retrieves the URL of an existing queue based on its name and, optionally, the Amazon Web Services account ID. (Type: `GetQueueUrlInput`) /// - /// - Returns: `GetQueueUrlOutput` : For more information, see [Interpreting Responses](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-api-responses.html) in the Amazon SQS Developer Guide. + /// - Returns: For more information, see [Interpreting Responses](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-api-responses.html) in the Amazon SQS Developer Guide. (Type: `GetQueueUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1175,7 +1165,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQueueUrlOutput.httpOutput(from:), GetQueueUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1211,9 +1200,9 @@ extension SQSClient { /// /// Returns a list of your queues that have the RedrivePolicy queue attribute configured with a dead-letter queue. The ListDeadLetterSourceQueues methods supports pagination. Set parameter MaxResults in the request to specify the maximum number of results to be returned in the response. If you do not set MaxResults, the response includes a maximum of 1,000 results. If you set MaxResults and there are additional results to display, the response includes a value for NextToken. Use NextToken as a parameter in your next request to ListDeadLetterSourceQueues to receive the next page of results. For more information about using dead-letter queues, see [Using Amazon SQS Dead-Letter Queues](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-dead-letter-queues.html) in the Amazon SQS Developer Guide. /// - /// - Parameter ListDeadLetterSourceQueuesInput : + /// - Parameter input: (Type: `ListDeadLetterSourceQueuesInput`) /// - /// - Returns: `ListDeadLetterSourceQueuesOutput` : A list of your dead letter source queues. + /// - Returns: A list of your dead letter source queues. (Type: `ListDeadLetterSourceQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1253,7 +1242,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeadLetterSourceQueuesOutput.httpOutput(from:), ListDeadLetterSourceQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1293,9 +1281,9 @@ extension SQSClient { /// /// * Only one active message movement task is supported per queue at any given time. /// - /// - Parameter ListMessageMoveTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMessageMoveTasksInput`) /// - /// - Returns: `ListMessageMoveTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMessageMoveTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1335,7 +1323,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMessageMoveTasksOutput.httpOutput(from:), ListMessageMoveTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1371,9 +1358,9 @@ extension SQSClient { /// /// List all cost allocation tags added to the specified Amazon SQS queue. For an overview, see [Tagging Your Amazon SQS Queues](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-queue-tags.html) in the Amazon SQS Developer Guide. Cross-account permissions don't apply to this action. For more information, see [Grant cross-account permissions to a role and a username](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-customer-managed-policy-examples.html#grant-cross-account-permissions-to-role-and-user-name) in the Amazon SQS Developer Guide. /// - /// - Parameter ListQueueTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQueueTagsInput`) /// - /// - Returns: `ListQueueTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQueueTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1413,7 +1400,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueueTagsOutput.httpOutput(from:), ListQueueTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1449,9 +1435,9 @@ extension SQSClient { /// /// Returns a list of your queues in the current region. The response includes a maximum of 1,000 results. If you specify a value for the optional QueueNamePrefix parameter, only queues with a name that begins with the specified value are returned. The listQueues methods supports pagination. Set parameter MaxResults in the request to specify the maximum number of results to be returned in the response. If you do not set MaxResults, the response includes a maximum of 1,000 results. If you set MaxResults and there are additional results to display, the response includes a value for NextToken. Use NextToken as a parameter in your next request to listQueues to receive the next page of results. Cross-account permissions don't apply to this action. For more information, see [Grant cross-account permissions to a role and a username](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-customer-managed-policy-examples.html#grant-cross-account-permissions-to-role-and-user-name) in the Amazon SQS Developer Guide. /// - /// - Parameter ListQueuesInput : + /// - Parameter input: (Type: `ListQueuesInput`) /// - /// - Returns: `ListQueuesOutput` : A list of your queues. + /// - Returns: A list of your queues. (Type: `ListQueuesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1490,7 +1476,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQueuesOutput.httpOutput(from:), ListQueuesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1526,9 +1511,9 @@ extension SQSClient { /// /// Deletes available messages in a queue (including in-flight messages) specified by the QueueURL parameter. When you use the PurgeQueue action, you can't retrieve any messages deleted from a queue. The message deletion process takes up to 60 seconds. We recommend waiting for 60 seconds regardless of your queue's size. Messages sent to the queue before you call PurgeQueue might be received but are deleted within the next minute. Messages sent to the queue after you call PurgeQueue might be deleted while the queue is being purged. /// - /// - Parameter PurgeQueueInput : + /// - Parameter input: (Type: `PurgeQueueInput`) /// - /// - Returns: `PurgeQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PurgeQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1569,7 +1554,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PurgeQueueOutput.httpOutput(from:), PurgeQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1620,9 +1604,9 @@ extension SQSClient { /// /// The receipt handle is the identifier you must provide when deleting the message. For more information, see [Queue and Message Identifiers](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-queue-message-identifiers.html) in the Amazon SQS Developer Guide. You can provide the VisibilityTimeout parameter in your request. The parameter is applied to the messages that Amazon SQS returns in the response. If you don't include the parameter, the overall visibility timeout for the queue is used for the returned messages. The default visibility timeout for a queue is 30 seconds. In the future, new attributes might be added. If you write code that calls this action, we recommend that you structure your code so that it can handle new attributes gracefully. /// - /// - Parameter ReceiveMessageInput : Retrieves one or more messages from a specified queue. + /// - Parameter input: Retrieves one or more messages from a specified queue. (Type: `ReceiveMessageInput`) /// - /// - Returns: `ReceiveMessageOutput` : A list of received messages. + /// - Returns: A list of received messages. (Type: `ReceiveMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1674,7 +1658,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReceiveMessageOutput.httpOutput(from:), ReceiveMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1716,9 +1699,9 @@ extension SQSClient { /// /// * To remove the ability to change queue permissions, you must deny permission to the AddPermission, RemovePermission, and SetQueueAttributes actions in your IAM policy. /// - /// - Parameter RemovePermissionInput : + /// - Parameter input: (Type: `RemovePermissionInput`) /// - /// - Returns: `RemovePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemovePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1758,7 +1741,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemovePermissionOutput.httpOutput(from:), RemovePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1794,9 +1776,9 @@ extension SQSClient { /// /// Delivers a message to the specified queue. A message can include only XML, JSON, and unformatted text. The following Unicode characters are allowed. For more information, see the [W3C specification for characters](http://www.w3.org/TR/REC-xml/#charsets). #x9 | #xA | #xD | #x20 to #xD7FF | #xE000 to #xFFFD | #x10000 to #x10FFFF If a message contains characters outside the allowed set, Amazon SQS rejects the message and returns an InvalidMessageContents error. Ensure that your message body includes only valid characters to avoid this exception. /// - /// - Parameter SendMessageInput : + /// - Parameter input: (Type: `SendMessageInput`) /// - /// - Returns: `SendMessageOutput` : The MD5OfMessageBody and MessageId elements. + /// - Returns: The MD5OfMessageBody and MessageId elements. (Type: `SendMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1848,7 +1830,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendMessageOutput.httpOutput(from:), SendMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1884,9 +1865,9 @@ extension SQSClient { /// /// You can use SendMessageBatch to send up to 10 messages to the specified queue by assigning either identical or different values to each message (or by not assigning values at all). This is a batch version of [SendMessage]. For a FIFO queue, multiple messages within a single batch are enqueued in the order they are sent. The result of sending each message is reported individually in the response. Because the batch request can result in a combination of successful and unsuccessful actions, you should check for batch errors even when the call returns an HTTP status code of 200. The maximum allowed individual message size and the maximum total payload size (the sum of the individual lengths of all of the batched messages) are both 1 MiB 1,048,576 bytes. A message can include only XML, JSON, and unformatted text. The following Unicode characters are allowed. For more information, see the [W3C specification for characters](http://www.w3.org/TR/REC-xml/#charsets). #x9 | #xA | #xD | #x20 to #xD7FF | #xE000 to #xFFFD | #x10000 to #x10FFFF If a message contains characters outside the allowed set, Amazon SQS rejects the message and returns an InvalidMessageContents error. Ensure that your message body includes only valid characters to avoid this exception. If you don't specify the DelaySeconds parameter for an entry, Amazon SQS uses the default value for the queue. /// - /// - Parameter SendMessageBatchInput : + /// - Parameter input: (Type: `SendMessageBatchInput`) /// - /// - Returns: `SendMessageBatchOutput` : For each message in the batch, the response contains a [SendMessageBatchResultEntry] tag if the message succeeds or a [BatchResultErrorEntry] tag if the message fails. + /// - Returns: For each message in the batch, the response contains a [SendMessageBatchResultEntry] tag if the message succeeds or a [BatchResultErrorEntry] tag if the message fails. (Type: `SendMessageBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1942,7 +1923,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendMessageBatchOutput.httpOutput(from:), SendMessageBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1984,9 +1964,9 @@ extension SQSClient { /// /// * To remove the ability to change queue permissions, you must deny permission to the AddPermission, RemovePermission, and SetQueueAttributes actions in your IAM policy. /// - /// - Parameter SetQueueAttributesInput : + /// - Parameter input: (Type: `SetQueueAttributesInput`) /// - /// - Returns: `SetQueueAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetQueueAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2029,7 +2009,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetQueueAttributesOutput.httpOutput(from:), SetQueueAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2071,9 +2050,9 @@ extension SQSClient { /// /// * Only one active message movement task is supported per queue at any given time. /// - /// - Parameter StartMessageMoveTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMessageMoveTaskInput`) /// - /// - Returns: `StartMessageMoveTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMessageMoveTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2113,7 +2092,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMessageMoveTaskOutput.httpOutput(from:), StartMessageMoveTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2160,9 +2138,9 @@ extension SQSClient { /// /// For a full list of tag restrictions, see [Quotas related to queues](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-limits.html#limits-queues) in the Amazon SQS Developer Guide. Cross-account permissions don't apply to this action. For more information, see [Grant cross-account permissions to a role and a username](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-customer-managed-policy-examples.html#grant-cross-account-permissions-to-role-and-user-name) in the Amazon SQS Developer Guide. /// - /// - Parameter TagQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagQueueInput`) /// - /// - Returns: `TagQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2202,7 +2180,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagQueueOutput.httpOutput(from:), TagQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2238,9 +2215,9 @@ extension SQSClient { /// /// Remove cost allocation tags from the specified Amazon SQS queue. For an overview, see [Tagging Your Amazon SQS Queues](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-queue-tags.html) in the Amazon SQS Developer Guide. Cross-account permissions don't apply to this action. For more information, see [Grant cross-account permissions to a role and a username](https://docs.aws.amazon.com/AWSSimpleQueueService/latest/SQSDeveloperGuide/sqs-customer-managed-policy-examples.html#grant-cross-account-permissions-to-role-and-user-name) in the Amazon SQS Developer Guide. /// - /// - Parameter UntagQueueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagQueueInput`) /// - /// - Returns: `UntagQueueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagQueueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2280,7 +2257,6 @@ extension SQSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagQueueOutput.httpOutput(from:), UntagQueueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSSM/Sources/AWSSSM/SSMClient.swift b/Sources/Services/AWSSSM/Sources/AWSSSM/SSMClient.swift index 2e6013ca862..d235e8e8778 100644 --- a/Sources/Services/AWSSSM/Sources/AWSSSM/SSMClient.swift +++ b/Sources/Services/AWSSSM/Sources/AWSSSM/SSMClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SSMClient: ClientRuntime.Client { public static let clientName = "SSMClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SSMClient.SSMClientConfiguration let serviceName = "SSM" @@ -390,9 +389,9 @@ extension SSMClient { /// /// Most resources can have a maximum of 50 tags. Automations can have a maximum of 5 tags. We recommend that you devise a set of tag keys that meets your needs for each resource type. Using a consistent set of tag keys makes it easier for you to manage your resources. You can search and filter the resources based on the tags you add. Tags don't have any semantic meaning to and are interpreted strictly as a string of characters. For more information about using tags with Amazon Elastic Compute Cloud (Amazon EC2) instances, see [Tag your Amazon EC2 resources](https://docs.aws.amazon.com/AWSEC2/latest/UserGuide/Using_Tags.html) in the Amazon EC2 User Guide. /// - /// - Parameter AddTagsToResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddTagsToResourceInput`) /// - /// - Returns: `AddTagsToResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -428,7 +427,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToResourceOutput.httpOutput(from:), AddTagsToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -463,9 +461,9 @@ extension SSMClient { /// /// Associates a related item to a Systems Manager OpsCenter OpsItem. For example, you can associate an Incident Manager incident or analysis with an OpsItem. Incident Manager and OpsCenter are tools in Amazon Web Services Systems Manager. /// - /// - Parameter AssociateOpsItemRelatedItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateOpsItemRelatedItemInput`) /// - /// - Returns: `AssociateOpsItemRelatedItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateOpsItemRelatedItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -502,7 +500,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateOpsItemRelatedItemOutput.httpOutput(from:), AssociateOpsItemRelatedItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -537,9 +534,9 @@ extension SSMClient { /// /// Attempts to cancel the command specified by the Command ID. There is no guarantee that the command will be terminated and the underlying process stopped. /// - /// - Parameter CancelCommandInput : + /// - Parameter input: (Type: `CancelCommandInput`) /// - /// - Returns: `CancelCommandOutput` : Whether or not the command was successfully canceled. There is no guarantee that a request can be canceled. + /// - Returns: Whether or not the command was successfully canceled. There is no guarantee that a request can be canceled. (Type: `CancelCommandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -582,7 +579,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelCommandOutput.httpOutput(from:), CancelCommandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -617,9 +613,9 @@ extension SSMClient { /// /// Stops a maintenance window execution that is already in progress and cancels any tasks in the window that haven't already starting running. Tasks already in progress will continue to completion. /// - /// - Parameter CancelMaintenanceWindowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMaintenanceWindowExecutionInput`) /// - /// - Returns: `CancelMaintenanceWindowExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMaintenanceWindowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -652,7 +648,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMaintenanceWindowExecutionOutput.httpOutput(from:), CancelMaintenanceWindowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -687,9 +682,9 @@ extension SSMClient { /// /// Generates an activation code and activation ID you can use to register your on-premises servers, edge devices, or virtual machine (VM) with Amazon Web Services Systems Manager. Registering these machines with Systems Manager makes it possible to manage them using Systems Manager tools. You use the activation code and ID when installing SSM Agent on machines in your hybrid environment. For more information about requirements for managing on-premises machines using Systems Manager, see [Using Amazon Web Services Systems Manager in hybrid and multicloud environments](https://docs.aws.amazon.com/systems-manager/latest/userguide/systems-manager-hybrid-multicloud.html) in the Amazon Web Services Systems Manager User Guide. Amazon Elastic Compute Cloud (Amazon EC2) instances, edge devices, and on-premises servers and VMs that are configured for Systems Manager are all called managed nodes. /// - /// - Parameter CreateActivationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateActivationInput`) /// - /// - Returns: `CreateActivationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateActivationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -722,7 +717,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateActivationOutput.httpOutput(from:), CreateActivationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -757,9 +751,9 @@ extension SSMClient { /// /// A State Manager association defines the state that you want to maintain on your managed nodes. For example, an association can specify that anti-virus software must be installed and running on your managed nodes, or that certain ports must be closed. For static targets, the association specifies a schedule for when the configuration is reapplied. For dynamic targets, such as an Amazon Web Services resource group or an Amazon Web Services autoscaling group, State Manager, a tool in Amazon Web Services Systems Manager applies the configuration when new managed nodes are added to the group. The association also specifies actions to take when applying the configuration. For example, an association for anti-virus software might run once a day. If the software isn't installed, then State Manager installs it. If the software is installed, but the service isn't running, then the association might instruct State Manager to start the service. /// - /// - Parameter CreateAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssociationInput`) /// - /// - Returns: `CreateAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -811,7 +805,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssociationOutput.httpOutput(from:), CreateAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -846,9 +839,9 @@ extension SSMClient { /// /// Associates the specified Amazon Web Services Systems Manager document (SSM document) with the specified managed nodes or targets. When you associate a document with one or more managed nodes using IDs or tags, Amazon Web Services Systems Manager Agent (SSM Agent) running on the managed node processes the document and configures the node as specified. If you associate a document with a managed node that already has an associated document, the system returns the AssociationAlreadyExists exception. /// - /// - Parameter CreateAssociationBatchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssociationBatchInput`) /// - /// - Returns: `CreateAssociationBatchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssociationBatchOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -899,7 +892,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssociationBatchOutput.httpOutput(from:), CreateAssociationBatchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -934,9 +926,9 @@ extension SSMClient { /// /// Creates a Amazon Web Services Systems Manager (SSM document). An SSM document defines the actions that Systems Manager performs on your managed nodes. For more information about SSM documents, including information about supported schemas, features, and syntax, see [Amazon Web Services Systems Manager Documents](https://docs.aws.amazon.com/systems-manager/latest/userguide/documents.html) in the Amazon Web Services Systems Manager User Guide. /// - /// - Parameter CreateDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDocumentInput`) /// - /// - Returns: `CreateDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -974,7 +966,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDocumentOutput.httpOutput(from:), CreateDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1009,9 +1000,9 @@ extension SSMClient { /// /// Creates a new maintenance window. The value you specify for Duration determines the specific end time for the maintenance window based on the time it begins. No maintenance window tasks are permitted to start after the resulting endtime minus the number of hours you specify for Cutoff. For example, if the maintenance window starts at 3 PM, the duration is three hours, and the value you specify for Cutoff is one hour, no maintenance window tasks can start after 5 PM. /// - /// - Parameter CreateMaintenanceWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMaintenanceWindowInput`) /// - /// - Returns: `CreateMaintenanceWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMaintenanceWindowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1046,7 +1037,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMaintenanceWindowOutput.httpOutput(from:), CreateMaintenanceWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1081,9 +1071,9 @@ extension SSMClient { /// /// Creates a new OpsItem. You must have permission in Identity and Access Management (IAM) to create a new OpsItem. For more information, see [Set up OpsCenter](https://docs.aws.amazon.com/systems-manager/latest/userguide/OpsCenter-setup.html) in the Amazon Web Services Systems Manager User Guide. Operations engineers and IT professionals use Amazon Web Services Systems Manager OpsCenter to view, investigate, and remediate operational issues impacting the performance and health of their Amazon Web Services resources. For more information, see [Amazon Web Services Systems Manager OpsCenter](https://docs.aws.amazon.com/systems-manager/latest/userguide/OpsCenter.html) in the Amazon Web Services Systems Manager User Guide. /// - /// - Parameter CreateOpsItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOpsItemInput`) /// - /// - Returns: `CreateOpsItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOpsItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1119,7 +1109,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOpsItemOutput.httpOutput(from:), CreateOpsItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1154,9 +1143,9 @@ extension SSMClient { /// /// If you create a new application in Application Manager, Amazon Web Services Systems Manager calls this API operation to specify information about the new application, including the application type. /// - /// - Parameter CreateOpsMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOpsMetadataInput`) /// - /// - Returns: `CreateOpsMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOpsMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1192,7 +1181,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOpsMetadataOutput.httpOutput(from:), CreateOpsMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1227,9 +1215,9 @@ extension SSMClient { /// /// Creates a patch baseline. For information about valid key-value pairs in PatchFilters for each supported operating system type, see [PatchFilter]. /// - /// - Parameter CreatePatchBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePatchBaselineInput`) /// - /// - Returns: `CreatePatchBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePatchBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1264,7 +1252,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePatchBaselineOutput.httpOutput(from:), CreatePatchBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1299,9 +1286,9 @@ extension SSMClient { /// /// A resource data sync helps you view data from multiple sources in a single location. Amazon Web Services Systems Manager offers two types of resource data sync: SyncToDestination and SyncFromSource. You can configure Systems Manager Inventory to use the SyncToDestination type to synchronize Inventory data from multiple Amazon Web Services Regions to a single Amazon Simple Storage Service (Amazon S3) bucket. For more information, see [Creating a resource data sync for Inventory](https://docs.aws.amazon.com/systems-manager/latest/userguide/inventory-create-resource-data-sync.html) in the Amazon Web Services Systems Manager User Guide. You can configure Systems Manager Explorer to use the SyncFromSource type to synchronize operational work items (OpsItems) and operational data (OpsData) from multiple Amazon Web Services Regions to a single Amazon S3 bucket. This type can synchronize OpsItems and OpsData from multiple Amazon Web Services accounts and Amazon Web Services Regions or EntireOrganization by using Organizations. For more information, see [Setting up Systems Manager Explorer to display data from multiple accounts and Regions](https://docs.aws.amazon.com/systems-manager/latest/userguide/Explorer-resource-data-sync.html) in the Amazon Web Services Systems Manager User Guide. A resource data sync is an asynchronous operation that returns immediately. After a successful initial sync is completed, the system continuously syncs data. To check the status of a sync, use the [ListResourceDataSync]. By default, data isn't encrypted in Amazon S3. We strongly recommend that you enable encryption in Amazon S3 to ensure secure data storage. We also recommend that you secure access to the Amazon S3 bucket by creating a restrictive bucket policy. /// - /// - Parameter CreateResourceDataSyncInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceDataSyncInput`) /// - /// - Returns: `CreateResourceDataSyncOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceDataSyncOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1336,7 +1323,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceDataSyncOutput.httpOutput(from:), CreateResourceDataSyncOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1371,9 +1357,9 @@ extension SSMClient { /// /// Deletes an activation. You aren't required to delete an activation. If you delete an activation, you can no longer use it to register additional managed nodes. Deleting an activation doesn't de-register managed nodes. You must manually de-register managed nodes. /// - /// - Parameter DeleteActivationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteActivationInput`) /// - /// - Returns: `DeleteActivationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteActivationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1408,7 +1394,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteActivationOutput.httpOutput(from:), DeleteActivationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1443,9 +1428,9 @@ extension SSMClient { /// /// Disassociates the specified Amazon Web Services Systems Manager document (SSM document) from the specified managed node. If you created the association by using the Targets parameter, then you must delete the association by using the association ID. When you disassociate a document from a managed node, it doesn't change the configuration of the node. To change the configuration state of a managed node after you disassociate a document, you must create a new document with the desired configuration and associate it with the node. /// - /// - Parameter DeleteAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssociationInput`) /// - /// - Returns: `DeleteAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1474,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssociationOutput.httpOutput(from:), DeleteAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1524,9 +1508,9 @@ extension SSMClient { /// /// Deletes the Amazon Web Services Systems Manager document (SSM document) and all managed node associations to the document. Before you delete the document, we recommend that you use [DeleteAssociation] to disassociate all managed nodes that are associated with the document. /// - /// - Parameter DeleteDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDocumentInput`) /// - /// - Returns: `DeleteDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1562,7 +1546,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDocumentOutput.httpOutput(from:), DeleteDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1597,9 +1580,9 @@ extension SSMClient { /// /// Delete a custom inventory type or the data associated with a custom Inventory type. Deleting a custom inventory type is also referred to as deleting a custom inventory schema. /// - /// - Parameter DeleteInventoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInventoryInput`) /// - /// - Returns: `DeleteInventoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInventoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1636,7 +1619,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInventoryOutput.httpOutput(from:), DeleteInventoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1671,9 +1653,9 @@ extension SSMClient { /// /// Deletes a maintenance window. /// - /// - Parameter DeleteMaintenanceWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMaintenanceWindowInput`) /// - /// - Returns: `DeleteMaintenanceWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMaintenanceWindowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1705,7 +1687,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMaintenanceWindowOutput.httpOutput(from:), DeleteMaintenanceWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1748,9 +1729,9 @@ extension SSMClient { /// /// * This operation doesn't support cross-account calls. A delegated administrator or management account can't delete OpsItems in other accounts, even if OpsCenter has been set up for cross-account administration. For more information about cross-account administration, see [Setting up OpsCenter to centrally manage OpsItems across accounts](https://docs.aws.amazon.com/systems-manager/latest/userguide/OpsCenter-setting-up-cross-account.html) in the Systems Manager User Guide. /// - /// - Parameter DeleteOpsItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOpsItemInput`) /// - /// - Returns: `DeleteOpsItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOpsItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1783,7 +1764,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOpsItemOutput.httpOutput(from:), DeleteOpsItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1818,9 +1798,9 @@ extension SSMClient { /// /// Delete OpsMetadata related to an application. /// - /// - Parameter DeleteOpsMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOpsMetadataInput`) /// - /// - Returns: `DeleteOpsMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOpsMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1854,7 +1834,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOpsMetadataOutput.httpOutput(from:), DeleteOpsMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1889,9 +1868,9 @@ extension SSMClient { /// /// Delete a parameter from the system. After deleting a parameter, wait for at least 30 seconds to create a parameter with the same name. /// - /// - Parameter DeleteParameterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteParameterInput`) /// - /// - Returns: `DeleteParameterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteParameterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1924,7 +1903,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteParameterOutput.httpOutput(from:), DeleteParameterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1959,9 +1937,9 @@ extension SSMClient { /// /// Delete a list of parameters. After deleting a parameter, wait for at least 30 seconds to create a parameter with the same name. /// - /// - Parameter DeleteParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteParametersInput`) /// - /// - Returns: `DeleteParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1993,7 +1971,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteParametersOutput.httpOutput(from:), DeleteParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2028,9 +2005,9 @@ extension SSMClient { /// /// Deletes a patch baseline. /// - /// - Parameter DeletePatchBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePatchBaselineInput`) /// - /// - Returns: `DeletePatchBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePatchBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2063,7 +2040,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePatchBaselineOutput.httpOutput(from:), DeletePatchBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2098,9 +2074,9 @@ extension SSMClient { /// /// Deletes a resource data sync configuration. After the configuration is deleted, changes to data on managed nodes are no longer synced to or from the target. Deleting a sync configuration doesn't delete data. /// - /// - Parameter DeleteResourceDataSyncInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceDataSyncInput`) /// - /// - Returns: `DeleteResourceDataSyncOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceDataSyncOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2134,7 +2110,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceDataSyncOutput.httpOutput(from:), DeleteResourceDataSyncOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2173,9 +2148,9 @@ extension SSMClient { /// /// * Parameter - The resource policy is used to share a parameter with other accounts using Resource Access Manager (RAM). For more information about cross-account sharing of parameters, see [Working with shared parameters](https://docs.aws.amazon.com/systems-manager/latest/userguide/parameter-store-shared-parameters.html) in the Amazon Web Services Systems Manager User Guide. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2212,7 +2187,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2247,9 +2221,9 @@ extension SSMClient { /// /// Removes the server or virtual machine from the list of registered servers. If you want to reregister an on-premises server, edge device, or VM, you must use a different Activation Code and Activation ID than used to register the machine previously. The Activation Code and Activation ID must not have already been used on the maximum number of activations specified when they were created. For more information, see [Deregistering managed nodes in a hybrid and multicloud environment](https://docs.aws.amazon.com/systems-manager/latest/userguide/fleet-manager-deregister-hybrid-nodes.html) in the Amazon Web Services Systems Manager User Guide. /// - /// - Parameter DeregisterManagedInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterManagedInstanceInput`) /// - /// - Returns: `DeregisterManagedInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterManagedInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2290,7 +2264,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterManagedInstanceOutput.httpOutput(from:), DeregisterManagedInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2325,9 +2298,9 @@ extension SSMClient { /// /// Removes a patch group from a patch baseline. /// - /// - Parameter DeregisterPatchBaselineForPatchGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterPatchBaselineForPatchGroupInput`) /// - /// - Returns: `DeregisterPatchBaselineForPatchGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterPatchBaselineForPatchGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2360,7 +2333,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterPatchBaselineForPatchGroupOutput.httpOutput(from:), DeregisterPatchBaselineForPatchGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2395,9 +2367,9 @@ extension SSMClient { /// /// Removes a target from a maintenance window. /// - /// - Parameter DeregisterTargetFromMaintenanceWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterTargetFromMaintenanceWindowInput`) /// - /// - Returns: `DeregisterTargetFromMaintenanceWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterTargetFromMaintenanceWindowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2431,7 +2403,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterTargetFromMaintenanceWindowOutput.httpOutput(from:), DeregisterTargetFromMaintenanceWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2466,9 +2437,9 @@ extension SSMClient { /// /// Removes a task from a maintenance window. /// - /// - Parameter DeregisterTaskFromMaintenanceWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterTaskFromMaintenanceWindowInput`) /// - /// - Returns: `DeregisterTaskFromMaintenanceWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterTaskFromMaintenanceWindowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2501,7 +2472,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterTaskFromMaintenanceWindowOutput.httpOutput(from:), DeregisterTaskFromMaintenanceWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2536,9 +2506,9 @@ extension SSMClient { /// /// Describes details about the activation, such as the date and time the activation was created, its expiration date, the Identity and Access Management (IAM) role assigned to the managed nodes in the activation, and the number of nodes registered by using this activation. /// - /// - Parameter DescribeActivationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeActivationsInput`) /// - /// - Returns: `DescribeActivationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeActivationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2542,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeActivationsOutput.httpOutput(from:), DescribeActivationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2607,9 +2576,9 @@ extension SSMClient { /// /// Describes the association for the specified target or managed node. If you created the association by using the Targets parameter, then you must retrieve the association by using the association ID. /// - /// - Parameter DescribeAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssociationInput`) /// - /// - Returns: `DescribeAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2653,7 +2622,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssociationOutput.httpOutput(from:), DescribeAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2688,9 +2656,9 @@ extension SSMClient { /// /// Views information about a specific execution of a specific association. /// - /// - Parameter DescribeAssociationExecutionTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssociationExecutionTargetsInput`) /// - /// - Returns: `DescribeAssociationExecutionTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssociationExecutionTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2725,7 +2693,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssociationExecutionTargetsOutput.httpOutput(from:), DescribeAssociationExecutionTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2760,9 +2727,9 @@ extension SSMClient { /// /// Views all executions for a specific association ID. /// - /// - Parameter DescribeAssociationExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAssociationExecutionsInput`) /// - /// - Returns: `DescribeAssociationExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAssociationExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2796,7 +2763,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAssociationExecutionsOutput.httpOutput(from:), DescribeAssociationExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2831,9 +2797,9 @@ extension SSMClient { /// /// Provides details about all active and terminated Automation executions. /// - /// - Parameter DescribeAutomationExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAutomationExecutionsInput`) /// - /// - Returns: `DescribeAutomationExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAutomationExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2868,7 +2834,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAutomationExecutionsOutput.httpOutput(from:), DescribeAutomationExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2903,9 +2868,9 @@ extension SSMClient { /// /// Information about all active and terminated step executions in an Automation workflow. /// - /// - Parameter DescribeAutomationStepExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAutomationStepExecutionsInput`) /// - /// - Returns: `DescribeAutomationStepExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAutomationStepExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2941,7 +2906,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAutomationStepExecutionsOutput.httpOutput(from:), DescribeAutomationStepExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2976,9 +2940,9 @@ extension SSMClient { /// /// Lists all patches eligible to be included in a patch baseline. Currently, DescribeAvailablePatches supports only the Amazon Linux 1, Amazon Linux 2, and Windows Server operating systems. /// - /// - Parameter DescribeAvailablePatchesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAvailablePatchesInput`) /// - /// - Returns: `DescribeAvailablePatchesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAvailablePatchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3010,7 +2974,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAvailablePatchesOutput.httpOutput(from:), DescribeAvailablePatchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3045,9 +3008,9 @@ extension SSMClient { /// /// Describes the specified Amazon Web Services Systems Manager document (SSM document). /// - /// - Parameter DescribeDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDocumentInput`) /// - /// - Returns: `DescribeDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3081,7 +3044,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDocumentOutput.httpOutput(from:), DescribeDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3116,9 +3078,9 @@ extension SSMClient { /// /// Describes the permissions for a Amazon Web Services Systems Manager document (SSM document). If you created the document, you are the owner. If a document is shared, it can either be shared privately (by specifying a user's Amazon Web Services account ID) or publicly (All). /// - /// - Parameter DescribeDocumentPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDocumentPermissionInput`) /// - /// - Returns: `DescribeDocumentPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDocumentPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3154,7 +3116,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDocumentPermissionOutput.httpOutput(from:), DescribeDocumentPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3189,9 +3150,9 @@ extension SSMClient { /// /// All associations for the managed nodes. /// - /// - Parameter DescribeEffectiveInstanceAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEffectiveInstanceAssociationsInput`) /// - /// - Returns: `DescribeEffectiveInstanceAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEffectiveInstanceAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3233,7 +3194,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEffectiveInstanceAssociationsOutput.httpOutput(from:), DescribeEffectiveInstanceAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3268,9 +3228,9 @@ extension SSMClient { /// /// Retrieves the current effective patches (the patch and the approval state) for the specified patch baseline. Applies to patch baselines for Windows only. /// - /// - Parameter DescribeEffectivePatchesForPatchBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEffectivePatchesForPatchBaselineInput`) /// - /// - Returns: `DescribeEffectivePatchesForPatchBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEffectivePatchesForPatchBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3305,7 +3265,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEffectivePatchesForPatchBaselineOutput.httpOutput(from:), DescribeEffectivePatchesForPatchBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3340,9 +3299,9 @@ extension SSMClient { /// /// The status of the associations for the managed nodes. /// - /// - Parameter DescribeInstanceAssociationsStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceAssociationsStatusInput`) /// - /// - Returns: `DescribeInstanceAssociationsStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceAssociationsStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3384,7 +3343,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceAssociationsStatusOutput.httpOutput(from:), DescribeInstanceAssociationsStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3419,9 +3377,9 @@ extension SSMClient { /// /// Provides information about one or more of your managed nodes, including the operating system platform, SSM Agent version, association status, and IP address. This operation does not return information for nodes that are either Stopped or Terminated. If you specify one or more node IDs, the operation returns information for those managed nodes. If you don't specify node IDs, it returns information for all your managed nodes. If you specify a node ID that isn't valid or a node that you don't own, you receive an error. The IamRole field returned for this API operation is the role assigned to an Amazon EC2 instance configured with a Systems Manager Quick Setup host management configuration or the role assigned to an on-premises managed node. /// - /// - Parameter DescribeInstanceInformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceInformationInput`) /// - /// - Returns: `DescribeInstanceInformationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3465,7 +3423,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceInformationOutput.httpOutput(from:), DescribeInstanceInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3500,9 +3457,9 @@ extension SSMClient { /// /// Retrieves the high-level patch state of one or more managed nodes. /// - /// - Parameter DescribeInstancePatchStatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstancePatchStatesInput`) /// - /// - Returns: `DescribeInstancePatchStatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstancePatchStatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3535,7 +3492,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstancePatchStatesOutput.httpOutput(from:), DescribeInstancePatchStatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3570,9 +3526,9 @@ extension SSMClient { /// /// Retrieves the high-level patch state for the managed nodes in the specified patch group. /// - /// - Parameter DescribeInstancePatchStatesForPatchGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstancePatchStatesForPatchGroupInput`) /// - /// - Returns: `DescribeInstancePatchStatesForPatchGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstancePatchStatesForPatchGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3606,7 +3562,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstancePatchStatesForPatchGroupOutput.httpOutput(from:), DescribeInstancePatchStatesForPatchGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3641,9 +3596,9 @@ extension SSMClient { /// /// Retrieves information about the patches on the specified managed node and their state relative to the patch baseline being used for the node. /// - /// - Parameter DescribeInstancePatchesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstancePatchesInput`) /// - /// - Returns: `DescribeInstancePatchesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstancePatchesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3686,7 +3641,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstancePatchesOutput.httpOutput(from:), DescribeInstancePatchesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3721,9 +3675,9 @@ extension SSMClient { /// /// An API operation used by the Systems Manager console to display information about Systems Manager managed nodes. /// - /// - Parameter DescribeInstancePropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstancePropertiesInput`) /// - /// - Returns: `DescribeInstancePropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstancePropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3769,7 +3723,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstancePropertiesOutput.httpOutput(from:), DescribeInstancePropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3804,9 +3757,9 @@ extension SSMClient { /// /// Describes a specific delete inventory operation. /// - /// - Parameter DescribeInventoryDeletionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInventoryDeletionsInput`) /// - /// - Returns: `DescribeInventoryDeletionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInventoryDeletionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3840,7 +3793,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInventoryDeletionsOutput.httpOutput(from:), DescribeInventoryDeletionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3875,9 +3827,9 @@ extension SSMClient { /// /// Retrieves the individual task executions (one per target) for a particular task run as part of a maintenance window execution. /// - /// - Parameter DescribeMaintenanceWindowExecutionTaskInvocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMaintenanceWindowExecutionTaskInvocationsInput`) /// - /// - Returns: `DescribeMaintenanceWindowExecutionTaskInvocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMaintenanceWindowExecutionTaskInvocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3910,7 +3862,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMaintenanceWindowExecutionTaskInvocationsOutput.httpOutput(from:), DescribeMaintenanceWindowExecutionTaskInvocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3945,9 +3896,9 @@ extension SSMClient { /// /// For a given maintenance window execution, lists the tasks that were run. /// - /// - Parameter DescribeMaintenanceWindowExecutionTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMaintenanceWindowExecutionTasksInput`) /// - /// - Returns: `DescribeMaintenanceWindowExecutionTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMaintenanceWindowExecutionTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3980,7 +3931,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMaintenanceWindowExecutionTasksOutput.httpOutput(from:), DescribeMaintenanceWindowExecutionTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4015,9 +3965,9 @@ extension SSMClient { /// /// Lists the executions of a maintenance window. This includes information about when the maintenance window was scheduled to be active, and information about tasks registered and run with the maintenance window. /// - /// - Parameter DescribeMaintenanceWindowExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMaintenanceWindowExecutionsInput`) /// - /// - Returns: `DescribeMaintenanceWindowExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMaintenanceWindowExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4049,7 +3999,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMaintenanceWindowExecutionsOutput.httpOutput(from:), DescribeMaintenanceWindowExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4084,9 +4033,9 @@ extension SSMClient { /// /// Retrieves information about upcoming executions of a maintenance window. /// - /// - Parameter DescribeMaintenanceWindowScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMaintenanceWindowScheduleInput`) /// - /// - Returns: `DescribeMaintenanceWindowScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMaintenanceWindowScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4119,7 +4068,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMaintenanceWindowScheduleOutput.httpOutput(from:), DescribeMaintenanceWindowScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4154,9 +4102,9 @@ extension SSMClient { /// /// Lists the targets registered with the maintenance window. /// - /// - Parameter DescribeMaintenanceWindowTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMaintenanceWindowTargetsInput`) /// - /// - Returns: `DescribeMaintenanceWindowTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMaintenanceWindowTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4189,7 +4137,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMaintenanceWindowTargetsOutput.httpOutput(from:), DescribeMaintenanceWindowTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4224,9 +4171,9 @@ extension SSMClient { /// /// Lists the tasks in a maintenance window. For maintenance window tasks without a specified target, you can't supply values for --max-errors and --max-concurrency. Instead, the system inserts a placeholder value of 1, which may be reported in the response to this command. These values don't affect the running of your task and can be ignored. /// - /// - Parameter DescribeMaintenanceWindowTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMaintenanceWindowTasksInput`) /// - /// - Returns: `DescribeMaintenanceWindowTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMaintenanceWindowTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4259,7 +4206,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMaintenanceWindowTasksOutput.httpOutput(from:), DescribeMaintenanceWindowTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4294,9 +4240,9 @@ extension SSMClient { /// /// Retrieves the maintenance windows in an Amazon Web Services account. /// - /// - Parameter DescribeMaintenanceWindowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMaintenanceWindowsInput`) /// - /// - Returns: `DescribeMaintenanceWindowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMaintenanceWindowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4328,7 +4274,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMaintenanceWindowsOutput.httpOutput(from:), DescribeMaintenanceWindowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4363,9 +4308,9 @@ extension SSMClient { /// /// Retrieves information about the maintenance window targets or tasks that a managed node is associated with. /// - /// - Parameter DescribeMaintenanceWindowsForTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMaintenanceWindowsForTargetInput`) /// - /// - Returns: `DescribeMaintenanceWindowsForTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMaintenanceWindowsForTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4397,7 +4342,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMaintenanceWindowsForTargetOutput.httpOutput(from:), DescribeMaintenanceWindowsForTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4432,9 +4376,9 @@ extension SSMClient { /// /// Query a set of OpsItems. You must have permission in Identity and Access Management (IAM) to query a list of OpsItems. For more information, see [Set up OpsCenter](https://docs.aws.amazon.com/systems-manager/latest/userguide/OpsCenter-setup.html) in the Amazon Web Services Systems Manager User Guide. Operations engineers and IT professionals use Amazon Web Services Systems Manager OpsCenter to view, investigate, and remediate operational issues impacting the performance and health of their Amazon Web Services resources. For more information, see [Amazon Web Services Systems Manager OpsCenter](https://docs.aws.amazon.com/systems-manager/latest/userguide/OpsCenter.html) in the Amazon Web Services Systems Manager User Guide. /// - /// - Parameter DescribeOpsItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOpsItemsInput`) /// - /// - Returns: `DescribeOpsItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOpsItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4466,7 +4410,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOpsItemsOutput.httpOutput(from:), DescribeOpsItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4501,9 +4444,9 @@ extension SSMClient { /// /// Lists the parameters in your Amazon Web Services account or the parameters shared with you when you enable the [Shared](https://docs.aws.amazon.com/systems-manager/latest/APIReference/API_DescribeParameters.html#systemsmanager-DescribeParameters-request-Shared) option. Request results are returned on a best-effort basis. If you specify MaxResults in the request, the response includes information up to the limit specified. The number of items returned, however, can be between zero and the value of MaxResults. If the service reaches an internal limit while processing the results, it stops the operation and returns the matching values up to that point and a NextToken. You can specify the NextToken in a subsequent call to get the next set of results. Parameter names can't contain spaces. The service removes any spaces specified for the beginning or end of a parameter name. If the specified name for a parameter contains spaces between characters, the request fails with a ValidationException error. If you change the KMS key alias for the KMS key used to encrypt a parameter, then you must also update the key alias the parameter uses to reference KMS. Otherwise, DescribeParameters retrieves whatever the original key alias was referencing. /// - /// - Parameter DescribeParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeParametersInput`) /// - /// - Returns: `DescribeParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4539,7 +4482,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeParametersOutput.httpOutput(from:), DescribeParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4574,9 +4516,9 @@ extension SSMClient { /// /// Lists the patch baselines in your Amazon Web Services account. /// - /// - Parameter DescribePatchBaselinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePatchBaselinesInput`) /// - /// - Returns: `DescribePatchBaselinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePatchBaselinesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4608,7 +4550,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePatchBaselinesOutput.httpOutput(from:), DescribePatchBaselinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4643,9 +4584,9 @@ extension SSMClient { /// /// Returns high-level aggregated patch compliance state information for a patch group. /// - /// - Parameter DescribePatchGroupStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePatchGroupStateInput`) /// - /// - Returns: `DescribePatchGroupStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePatchGroupStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4678,7 +4619,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePatchGroupStateOutput.httpOutput(from:), DescribePatchGroupStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4713,9 +4653,9 @@ extension SSMClient { /// /// Lists all patch groups that have been registered with patch baselines. /// - /// - Parameter DescribePatchGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePatchGroupsInput`) /// - /// - Returns: `DescribePatchGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePatchGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4747,7 +4687,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePatchGroupsOutput.httpOutput(from:), DescribePatchGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4782,9 +4721,9 @@ extension SSMClient { /// /// Lists the properties of available patches organized by product, product family, classification, severity, and other properties of available patches. You can use the reported properties in the filters you specify in requests for operations such as [CreatePatchBaseline], [UpdatePatchBaseline], [DescribeAvailablePatches], and [DescribePatchBaselines]. The following section lists the properties that can be used in filters for each major operating system type: AMAZON_LINUX Valid properties: PRODUCT | CLASSIFICATION | SEVERITY AMAZON_LINUX_2 Valid properties: PRODUCT | CLASSIFICATION | SEVERITY AMAZON_LINUX_2023 Valid properties: PRODUCT | CLASSIFICATION | SEVERITY CENTOS Valid properties: PRODUCT | CLASSIFICATION | SEVERITY DEBIAN Valid properties: PRODUCT | PRIORITY MACOS Valid properties: PRODUCT | CLASSIFICATION ORACLE_LINUX Valid properties: PRODUCT | CLASSIFICATION | SEVERITY REDHAT_ENTERPRISE_LINUX Valid properties: PRODUCT | CLASSIFICATION | SEVERITY SUSE Valid properties: PRODUCT | CLASSIFICATION | SEVERITY UBUNTU Valid properties: PRODUCT | PRIORITY WINDOWS Valid properties: PRODUCT | PRODUCT_FAMILY | CLASSIFICATION | MSRC_SEVERITY /// - /// - Parameter DescribePatchPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePatchPropertiesInput`) /// - /// - Returns: `DescribePatchPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePatchPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4816,7 +4755,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePatchPropertiesOutput.httpOutput(from:), DescribePatchPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4851,9 +4789,9 @@ extension SSMClient { /// /// Retrieves a list of all active sessions (both connected and disconnected) or terminated sessions from the past 30 days. /// - /// - Parameter DescribeSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSessionsInput`) /// - /// - Returns: `DescribeSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4887,7 +4825,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSessionsOutput.httpOutput(from:), DescribeSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4922,9 +4859,9 @@ extension SSMClient { /// /// Deletes the association between an OpsItem and a related item. For example, this API operation can delete an Incident Manager incident from an OpsItem. Incident Manager is a tool in Amazon Web Services Systems Manager. /// - /// - Parameter DisassociateOpsItemRelatedItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateOpsItemRelatedItemInput`) /// - /// - Returns: `DisassociateOpsItemRelatedItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateOpsItemRelatedItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4960,7 +4897,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateOpsItemRelatedItemOutput.httpOutput(from:), DisassociateOpsItemRelatedItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4995,9 +4931,9 @@ extension SSMClient { /// /// Returns a credentials set to be used with just-in-time node access. /// - /// - Parameter GetAccessTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessTokenInput`) /// - /// - Returns: `GetAccessTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5033,7 +4969,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessTokenOutput.httpOutput(from:), GetAccessTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5068,9 +5003,9 @@ extension SSMClient { /// /// Get detailed information about a particular Automation execution. /// - /// - Parameter GetAutomationExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutomationExecutionInput`) /// - /// - Returns: `GetAutomationExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutomationExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5103,7 +5038,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutomationExecutionOutput.httpOutput(from:), GetAutomationExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5138,9 +5072,9 @@ extension SSMClient { /// /// Gets the state of a Amazon Web Services Systems Manager change calendar at the current time or a specified time. If you specify a time, GetCalendarState returns the state of the calendar at that specific time, and returns the next time that the change calendar state will transition. If you don't specify a time, GetCalendarState uses the current time. Change Calendar entries have two possible states: OPEN or CLOSED. If you specify more than one calendar in a request, the command returns the status of OPEN only if all calendars in the request are open. If one or more calendars in the request are closed, the status returned is CLOSED. For more information about Change Calendar, a tool in Amazon Web Services Systems Manager, see [Amazon Web Services Systems Manager Change Calendar](https://docs.aws.amazon.com/systems-manager/latest/userguide/systems-manager-change-calendar.html) in the Amazon Web Services Systems Manager User Guide. /// - /// - Parameter GetCalendarStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCalendarStateInput`) /// - /// - Returns: `GetCalendarStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCalendarStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5175,7 +5109,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCalendarStateOutput.httpOutput(from:), GetCalendarStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5210,9 +5143,9 @@ extension SSMClient { /// /// Returns detailed information about command execution for an invocation or plugin. The Run Command API follows an eventual consistency model, due to the distributed nature of the system supporting the API. This means that the result of an API command you run that affects your resources might not be immediately visible to all subsequent commands you run. You should keep this in mind when you carry out an API command that immediately follows a previous API command. GetCommandInvocation only gives the execution status of a plugin in a document. To get the command execution status on a specific managed node, use [ListCommandInvocations]. To get the command execution status across managed nodes, use [ListCommands]. /// - /// - Parameter GetCommandInvocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCommandInvocationInput`) /// - /// - Returns: `GetCommandInvocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCommandInvocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5256,7 +5189,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCommandInvocationOutput.httpOutput(from:), GetCommandInvocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5291,9 +5223,9 @@ extension SSMClient { /// /// Retrieves the Session Manager connection status for a managed node to determine whether it is running and ready to receive Session Manager connections. /// - /// - Parameter GetConnectionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionStatusInput`) /// - /// - Returns: `GetConnectionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5325,7 +5257,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionStatusOutput.httpOutput(from:), GetConnectionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5360,9 +5291,9 @@ extension SSMClient { /// /// Retrieves the default patch baseline. Amazon Web Services Systems Manager supports creating multiple default patch baselines. For example, you can create a default patch baseline for each operating system. If you don't specify an operating system value, the default patch baseline for Windows is returned. /// - /// - Parameter GetDefaultPatchBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDefaultPatchBaselineInput`) /// - /// - Returns: `GetDefaultPatchBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDefaultPatchBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5394,7 +5325,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDefaultPatchBaselineOutput.httpOutput(from:), GetDefaultPatchBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5429,9 +5359,9 @@ extension SSMClient { /// /// Retrieves the current snapshot for the patch baseline the managed node uses. This API is primarily used by the AWS-RunPatchBaseline Systems Manager document (SSM document). If you run the command locally, such as with the Command Line Interface (CLI), the system attempts to use your local Amazon Web Services credentials and the operation fails. To avoid this, you can run the command in the Amazon Web Services Systems Manager console. Use Run Command, a tool in Amazon Web Services Systems Manager, with an SSM document that enables you to target a managed node with a script or command. For example, run the command using the AWS-RunShellScript document or the AWS-RunPowerShellScript document. /// - /// - Parameter GetDeployablePatchSnapshotForInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeployablePatchSnapshotForInstanceInput`) /// - /// - Returns: `GetDeployablePatchSnapshotForInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeployablePatchSnapshotForInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5465,7 +5395,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeployablePatchSnapshotForInstanceOutput.httpOutput(from:), GetDeployablePatchSnapshotForInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5500,9 +5429,9 @@ extension SSMClient { /// /// Gets the contents of the specified Amazon Web Services Systems Manager document (SSM document). /// - /// - Parameter GetDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDocumentInput`) /// - /// - Returns: `GetDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5536,7 +5465,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentOutput.httpOutput(from:), GetDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5571,9 +5499,9 @@ extension SSMClient { /// /// Initiates the process of retrieving an existing preview that shows the effects that running a specified Automation runbook would have on the targeted resources. /// - /// - Parameter GetExecutionPreviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExecutionPreviewInput`) /// - /// - Returns: `GetExecutionPreviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExecutionPreviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5606,7 +5534,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExecutionPreviewOutput.httpOutput(from:), GetExecutionPreviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5641,9 +5568,9 @@ extension SSMClient { /// /// Query inventory information. This includes managed node status, such as Stopped or Terminated. /// - /// - Parameter GetInventoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInventoryInput`) /// - /// - Returns: `GetInventoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInventoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5681,7 +5608,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInventoryOutput.httpOutput(from:), GetInventoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5716,9 +5642,9 @@ extension SSMClient { /// /// Return a list of inventory type names for the account, or return a list of attribute names for a specific Inventory item type. /// - /// - Parameter GetInventorySchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInventorySchemaInput`) /// - /// - Returns: `GetInventorySchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInventorySchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5752,7 +5678,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInventorySchemaOutput.httpOutput(from:), GetInventorySchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5787,9 +5712,9 @@ extension SSMClient { /// /// Retrieves a maintenance window. /// - /// - Parameter GetMaintenanceWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMaintenanceWindowInput`) /// - /// - Returns: `GetMaintenanceWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMaintenanceWindowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5822,7 +5747,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMaintenanceWindowOutput.httpOutput(from:), GetMaintenanceWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5857,9 +5781,9 @@ extension SSMClient { /// /// Retrieves details about a specific a maintenance window execution. /// - /// - Parameter GetMaintenanceWindowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMaintenanceWindowExecutionInput`) /// - /// - Returns: `GetMaintenanceWindowExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMaintenanceWindowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5892,7 +5816,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMaintenanceWindowExecutionOutput.httpOutput(from:), GetMaintenanceWindowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5927,9 +5850,9 @@ extension SSMClient { /// /// Retrieves the details about a specific task run as part of a maintenance window execution. /// - /// - Parameter GetMaintenanceWindowExecutionTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMaintenanceWindowExecutionTaskInput`) /// - /// - Returns: `GetMaintenanceWindowExecutionTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMaintenanceWindowExecutionTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5962,7 +5885,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMaintenanceWindowExecutionTaskOutput.httpOutput(from:), GetMaintenanceWindowExecutionTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5997,9 +5919,9 @@ extension SSMClient { /// /// Retrieves information about a specific task running on a specific target. /// - /// - Parameter GetMaintenanceWindowExecutionTaskInvocationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMaintenanceWindowExecutionTaskInvocationInput`) /// - /// - Returns: `GetMaintenanceWindowExecutionTaskInvocationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMaintenanceWindowExecutionTaskInvocationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6032,7 +5954,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMaintenanceWindowExecutionTaskInvocationOutput.httpOutput(from:), GetMaintenanceWindowExecutionTaskInvocationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6067,9 +5988,9 @@ extension SSMClient { /// /// Retrieves the details of a maintenance window task. For maintenance window tasks without a specified target, you can't supply values for --max-errors and --max-concurrency. Instead, the system inserts a placeholder value of 1, which may be reported in the response to this command. These values don't affect the running of your task and can be ignored. To retrieve a list of tasks in a maintenance window, instead use the [DescribeMaintenanceWindowTasks] command. /// - /// - Parameter GetMaintenanceWindowTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMaintenanceWindowTaskInput`) /// - /// - Returns: `GetMaintenanceWindowTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMaintenanceWindowTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6102,7 +6023,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMaintenanceWindowTaskOutput.httpOutput(from:), GetMaintenanceWindowTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6137,9 +6057,9 @@ extension SSMClient { /// /// Get information about an OpsItem by using the ID. You must have permission in Identity and Access Management (IAM) to view information about an OpsItem. For more information, see [Set up OpsCenter](https://docs.aws.amazon.com/systems-manager/latest/userguide/OpsCenter-setup.html) in the Amazon Web Services Systems Manager User Guide. Operations engineers and IT professionals use Amazon Web Services Systems Manager OpsCenter to view, investigate, and remediate operational issues impacting the performance and health of their Amazon Web Services resources. For more information, see [Amazon Web Services Systems Manager OpsCenter](https://docs.aws.amazon.com/systems-manager/latest/userguide/OpsCenter.html) in the Amazon Web Services Systems Manager User Guide. /// - /// - Parameter GetOpsItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOpsItemInput`) /// - /// - Returns: `GetOpsItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOpsItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6173,7 +6093,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOpsItemOutput.httpOutput(from:), GetOpsItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6208,9 +6127,9 @@ extension SSMClient { /// /// View operational metadata related to an application in Application Manager. /// - /// - Parameter GetOpsMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOpsMetadataInput`) /// - /// - Returns: `GetOpsMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOpsMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6244,7 +6163,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOpsMetadataOutput.httpOutput(from:), GetOpsMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6279,9 +6197,9 @@ extension SSMClient { /// /// View a summary of operations metadata (OpsData) based on specified filters and aggregators. OpsData can include information about Amazon Web Services Systems Manager OpsCenter operational workitems (OpsItems) as well as information about any Amazon Web Services resource or service configured to report OpsData to Amazon Web Services Systems Manager Explorer. /// - /// - Parameter GetOpsSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOpsSummaryInput`) /// - /// - Returns: `GetOpsSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOpsSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6318,7 +6236,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOpsSummaryOutput.httpOutput(from:), GetOpsSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6353,9 +6270,9 @@ extension SSMClient { /// /// Get information about a single parameter by specifying the parameter name. Parameter names can't contain spaces. The service removes any spaces specified for the beginning or end of a parameter name. If the specified name for a parameter contains spaces between characters, the request fails with a ValidationException error. To get information about more than one parameter at a time, use the [GetParameters] operation. /// - /// - Parameter GetParameterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetParameterInput`) /// - /// - Returns: `GetParameterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetParameterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6390,7 +6307,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetParameterOutput.httpOutput(from:), GetParameterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6425,9 +6341,9 @@ extension SSMClient { /// /// Retrieves the history of all changes to a parameter. Parameter names can't contain spaces. The service removes any spaces specified for the beginning or end of a parameter name. If the specified name for a parameter contains spaces between characters, the request fails with a ValidationException error. If you change the KMS key alias for the KMS key used to encrypt a parameter, then you must also update the key alias the parameter uses to reference KMS. Otherwise, GetParameterHistory retrieves whatever the original key alias was referencing. /// - /// - Parameter GetParameterHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetParameterHistoryInput`) /// - /// - Returns: `GetParameterHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetParameterHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6462,7 +6378,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetParameterHistoryOutput.httpOutput(from:), GetParameterHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6497,9 +6412,9 @@ extension SSMClient { /// /// Get information about one or more parameters by specifying multiple parameter names. To get information about a single parameter, you can use the [GetParameter] operation instead. Parameter names can't contain spaces. The service removes any spaces specified for the beginning or end of a parameter name. If the specified name for a parameter contains spaces between characters, the request fails with a ValidationException error. /// - /// - Parameter GetParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetParametersInput`) /// - /// - Returns: `GetParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6532,7 +6447,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetParametersOutput.httpOutput(from:), GetParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6567,9 +6481,9 @@ extension SSMClient { /// /// Retrieve information about one or more parameters under a specified level in a hierarchy. Request results are returned on a best-effort basis. If you specify MaxResults in the request, the response includes information up to the limit specified. The number of items returned, however, can be between zero and the value of MaxResults. If the service reaches an internal limit while processing the results, it stops the operation and returns the matching values up to that point and a NextToken. You can specify the NextToken in a subsequent call to get the next set of results. Parameter names can't contain spaces. The service removes any spaces specified for the beginning or end of a parameter name. If the specified name for a parameter contains spaces between characters, the request fails with a ValidationException error. /// - /// - Parameter GetParametersByPathInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetParametersByPathInput`) /// - /// - Returns: `GetParametersByPathOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetParametersByPathOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6606,7 +6520,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetParametersByPathOutput.httpOutput(from:), GetParametersByPathOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6641,9 +6554,9 @@ extension SSMClient { /// /// Retrieves information about a patch baseline. /// - /// - Parameter GetPatchBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPatchBaselineInput`) /// - /// - Returns: `GetPatchBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPatchBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6677,7 +6590,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPatchBaselineOutput.httpOutput(from:), GetPatchBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6712,9 +6624,9 @@ extension SSMClient { /// /// Retrieves the patch baseline that should be used for the specified patch group. /// - /// - Parameter GetPatchBaselineForPatchGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPatchBaselineForPatchGroupInput`) /// - /// - Returns: `GetPatchBaselineForPatchGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPatchBaselineForPatchGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6746,7 +6658,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPatchBaselineForPatchGroupOutput.httpOutput(from:), GetPatchBaselineForPatchGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6781,9 +6692,9 @@ extension SSMClient { /// /// Returns an array of the Policy object. /// - /// - Parameter GetResourcePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePoliciesInput`) /// - /// - Returns: `GetResourcePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6817,7 +6728,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePoliciesOutput.httpOutput(from:), GetResourcePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6852,9 +6762,9 @@ extension SSMClient { /// /// ServiceSetting is an account-level setting for an Amazon Web Services service. This setting defines how a user interacts with or uses a service or a feature of a service. For example, if an Amazon Web Services service charges money to the account based on feature or service usage, then the Amazon Web Services service team might create a default setting of false. This means the user can't use this feature unless they change the setting to true and intentionally opt in for a paid feature. Services map a SettingId object to a setting value. Amazon Web Services services teams define the default value for a SettingId. You can't create a new SettingId, but you can overwrite the default value if you have the ssm:UpdateServiceSetting permission for the setting. Use the [UpdateServiceSetting] API operation to change the default setting. Or use the [ResetServiceSetting] to change the value back to the original value defined by the Amazon Web Services service team. Query the current service setting for the Amazon Web Services account. /// - /// - Parameter GetServiceSettingInput : The request body of the GetServiceSetting API operation. + /// - Parameter input: The request body of the GetServiceSetting API operation. (Type: `GetServiceSettingInput`) /// - /// - Returns: `GetServiceSettingOutput` : The query result body of the GetServiceSetting API operation. + /// - Returns: The query result body of the GetServiceSetting API operation. (Type: `GetServiceSettingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6887,7 +6797,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceSettingOutput.httpOutput(from:), GetServiceSettingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6940,9 +6849,9 @@ extension SSMClient { /// /// * Parameter names can't contain spaces. The service removes any spaces specified for the beginning or end of a parameter name. If the specified name for a parameter contains spaces between characters, the request fails with a ValidationException error. /// - /// - Parameter LabelParameterVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `LabelParameterVersionInput`) /// - /// - Returns: `LabelParameterVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `LabelParameterVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6978,7 +6887,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(LabelParameterVersionOutput.httpOutput(from:), LabelParameterVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7013,9 +6921,9 @@ extension SSMClient { /// /// Retrieves all versions of an association for a specific association ID. /// - /// - Parameter ListAssociationVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociationVersionsInput`) /// - /// - Returns: `ListAssociationVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociationVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7049,7 +6957,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociationVersionsOutput.httpOutput(from:), ListAssociationVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7084,9 +6991,9 @@ extension SSMClient { /// /// Returns all State Manager associations in the current Amazon Web Services account and Amazon Web Services Region. You can limit the results to a specific State Manager association document or managed node by specifying a filter. State Manager is a tool in Amazon Web Services Systems Manager. /// - /// - Parameter ListAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociationsInput`) /// - /// - Returns: `ListAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7119,7 +7026,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociationsOutput.httpOutput(from:), ListAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7154,9 +7060,9 @@ extension SSMClient { /// /// An invocation is copy of a command sent to a specific managed node. A command can apply to one or more managed nodes. A command invocation applies to one managed node. For example, if a user runs SendCommand against three managed nodes, then a command invocation is created for each requested managed node ID. ListCommandInvocations provide status about command execution. /// - /// - Parameter ListCommandInvocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCommandInvocationsInput`) /// - /// - Returns: `ListCommandInvocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCommandInvocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7200,7 +7106,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCommandInvocationsOutput.httpOutput(from:), ListCommandInvocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7235,9 +7140,9 @@ extension SSMClient { /// /// Lists the commands requested by users of the Amazon Web Services account. /// - /// - Parameter ListCommandsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCommandsInput`) /// - /// - Returns: `ListCommandsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCommandsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7281,7 +7186,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCommandsOutput.httpOutput(from:), ListCommandsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7316,9 +7220,9 @@ extension SSMClient { /// /// For a specified resource ID, this API operation returns a list of compliance statuses for different resource types. Currently, you can only specify one resource ID per call. List results depend on the criteria specified in the filter. /// - /// - Parameter ListComplianceItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComplianceItemsInput`) /// - /// - Returns: `ListComplianceItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComplianceItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7354,7 +7258,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComplianceItemsOutput.httpOutput(from:), ListComplianceItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7389,9 +7292,9 @@ extension SSMClient { /// /// Returns a summary count of compliant and non-compliant resources for a compliance type. For example, this call can return State Manager associations, patches, or custom compliance types according to the filter criteria that you specify. /// - /// - Parameter ListComplianceSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComplianceSummariesInput`) /// - /// - Returns: `ListComplianceSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComplianceSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7425,7 +7328,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComplianceSummariesOutput.httpOutput(from:), ListComplianceSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7460,9 +7362,9 @@ extension SSMClient { /// /// Information about approval reviews for a version of a change template in Change Manager. /// - /// - Parameter ListDocumentMetadataHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDocumentMetadataHistoryInput`) /// - /// - Returns: `ListDocumentMetadataHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDocumentMetadataHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7497,7 +7399,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDocumentMetadataHistoryOutput.httpOutput(from:), ListDocumentMetadataHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7532,9 +7433,9 @@ extension SSMClient { /// /// List all versions for a document. /// - /// - Parameter ListDocumentVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDocumentVersionsInput`) /// - /// - Returns: `ListDocumentVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDocumentVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7568,7 +7469,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDocumentVersionsOutput.httpOutput(from:), ListDocumentVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7603,9 +7503,9 @@ extension SSMClient { /// /// Returns all Systems Manager (SSM) documents in the current Amazon Web Services account and Amazon Web Services Region. You can limit the results of this request by using a filter. /// - /// - Parameter ListDocumentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDocumentsInput`) /// - /// - Returns: `ListDocumentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDocumentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7639,7 +7539,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDocumentsOutput.httpOutput(from:), ListDocumentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7674,9 +7573,9 @@ extension SSMClient { /// /// A list of inventory items returned by the request. /// - /// - Parameter ListInventoryEntriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInventoryEntriesInput`) /// - /// - Returns: `ListInventoryEntriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInventoryEntriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7720,7 +7619,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInventoryEntriesOutput.httpOutput(from:), ListInventoryEntriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7755,9 +7653,9 @@ extension SSMClient { /// /// Takes in filters and returns a list of managed nodes matching the filter criteria. /// - /// - Parameter ListNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNodesInput`) /// - /// - Returns: `ListNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7793,7 +7691,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNodesOutput.httpOutput(from:), ListNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7828,9 +7725,9 @@ extension SSMClient { /// /// Generates a summary of managed instance/node metadata based on the filters and aggregators you specify. Results are grouped by the input aggregator you specify. /// - /// - Parameter ListNodesSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNodesSummaryInput`) /// - /// - Returns: `ListNodesSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNodesSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7867,7 +7764,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNodesSummaryOutput.httpOutput(from:), ListNodesSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7902,9 +7798,9 @@ extension SSMClient { /// /// Returns a list of all OpsItem events in the current Amazon Web Services Region and Amazon Web Services account. You can limit the results to events associated with specific OpsItems by specifying a filter. /// - /// - Parameter ListOpsItemEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOpsItemEventsInput`) /// - /// - Returns: `ListOpsItemEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOpsItemEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7939,7 +7835,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOpsItemEventsOutput.httpOutput(from:), ListOpsItemEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7974,9 +7869,9 @@ extension SSMClient { /// /// Lists all related-item resources associated with a Systems Manager OpsCenter OpsItem. OpsCenter is a tool in Amazon Web Services Systems Manager. /// - /// - Parameter ListOpsItemRelatedItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOpsItemRelatedItemsInput`) /// - /// - Returns: `ListOpsItemRelatedItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOpsItemRelatedItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8009,7 +7904,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOpsItemRelatedItemsOutput.httpOutput(from:), ListOpsItemRelatedItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8044,9 +7938,9 @@ extension SSMClient { /// /// Amazon Web Services Systems Manager calls this API operation when displaying all Application Manager OpsMetadata objects or blobs. /// - /// - Parameter ListOpsMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOpsMetadataInput`) /// - /// - Returns: `ListOpsMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOpsMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8079,7 +7973,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOpsMetadataOutput.httpOutput(from:), ListOpsMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8114,9 +8007,9 @@ extension SSMClient { /// /// Returns a resource-level summary count. The summary includes information about compliant and non-compliant statuses and detailed compliance-item severity counts, according to the filter criteria you specify. /// - /// - Parameter ListResourceComplianceSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceComplianceSummariesInput`) /// - /// - Returns: `ListResourceComplianceSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceComplianceSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8150,7 +8043,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceComplianceSummariesOutput.httpOutput(from:), ListResourceComplianceSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8185,9 +8077,9 @@ extension SSMClient { /// /// Lists your resource data sync configurations. Includes information about the last time a sync attempted to start, the last sync status, and the last time a sync successfully completed. The number of sync configurations might be too large to return using a single call to ListResourceDataSync. You can limit the number of sync configurations returned by using the MaxResults parameter. To determine whether there are more sync configurations to list, check the value of NextToken in the output. If there are more sync configurations to list, you can request them by specifying the NextToken returned in the call to the parameter of a subsequent call. /// - /// - Parameter ListResourceDataSyncInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceDataSyncInput`) /// - /// - Returns: `ListResourceDataSyncOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceDataSyncOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8221,7 +8113,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceDataSyncOutput.httpOutput(from:), ListResourceDataSyncOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8256,9 +8147,9 @@ extension SSMClient { /// /// Returns a list of the tags assigned to the specified resource. For information about the ID format for each supported resource type, see [AddTagsToResource]. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8292,7 +8183,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8327,9 +8217,9 @@ extension SSMClient { /// /// Shares a Amazon Web Services Systems Manager document (SSM document)publicly or privately. If you share a document privately, you must specify the Amazon Web Services user IDs for those people who can use the document. If you share a document publicly, you must specify All as the account ID. /// - /// - Parameter ModifyDocumentPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyDocumentPermissionInput`) /// - /// - Returns: `ModifyDocumentPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyDocumentPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8365,7 +8255,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyDocumentPermissionOutput.httpOutput(from:), ModifyDocumentPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8430,9 +8319,9 @@ extension SSMClient { /// /// * InstalledTime: The time the association, patch, or custom compliance item was applied to the resource. Specify the time by using the following format: yyyy-MM-dd'T'HH:mm:ss'Z' /// - /// - Parameter PutComplianceItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutComplianceItemsInput`) /// - /// - Returns: `PutComplianceItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutComplianceItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8470,7 +8359,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutComplianceItemsOutput.httpOutput(from:), PutComplianceItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8505,9 +8393,9 @@ extension SSMClient { /// /// Bulk update custom inventory items on one or more managed nodes. The request adds an inventory item, if it doesn't already exist, or updates an inventory item, if it does exist. /// - /// - Parameter PutInventoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutInventoryInput`) /// - /// - Returns: `PutInventoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutInventoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8558,7 +8446,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutInventoryOutput.httpOutput(from:), PutInventoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8593,9 +8480,9 @@ extension SSMClient { /// /// Create or update a parameter in Parameter Store. /// - /// - Parameter PutParameterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutParameterInput`) /// - /// - Returns: `PutParameterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutParameterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8641,7 +8528,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutParameterOutput.httpOutput(from:), PutParameterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8680,9 +8566,9 @@ extension SSMClient { /// /// * Parameter - The resource policy is used to share a parameter with other accounts using Resource Access Manager (RAM). To share a parameter, it must be in the advanced parameter tier. For information about parameter tiers, see [Managing parameter tiers](https://docs.aws.amazon.com/systems-manager/latest/userguide/parameter-store-advanced-parameters.html). For information about changing an existing standard parameter to an advanced parameter, see [Changing a standard parameter to an advanced parameter](https://docs.aws.amazon.com/systems-manager/latest/userguide/parameter-store-advanced-parameters.html#parameter-store-advanced-parameters-enabling). To share a SecureString parameter, it must be encrypted with a customer managed key, and you must share the key separately through Key Management Service. Amazon Web Services managed keys cannot be shared. Parameters encrypted with the default Amazon Web Services managed key can be updated to use a customer managed key instead. For KMS key definitions, see [KMS concepts](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html) in the Key Management Service Developer Guide. While you can share a parameter using the Systems Manager PutResourcePolicy operation, we recommend using Resource Access Manager (RAM) instead. This is because using PutResourcePolicy requires the extra step of promoting the parameter to a standard RAM Resource Share using the RAM [PromoteResourceShareCreatedFromPolicy](https://docs.aws.amazon.com/ram/latest/APIReference/API_PromoteResourceShareCreatedFromPolicy.html) API operation. Otherwise, the parameter won't be returned by the Systems Manager [DescribeParameters](https://docs.aws.amazon.com/systems-manager/latest/APIReference/API_DescribeParameters.html) API operation using the --shared option. For more information, see [Sharing a parameter](https://docs.aws.amazon.com/systems-manager/latest/userguide/parameter-store-shared-parameters.html#share) in the Amazon Web Services Systems Manager User Guide /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8720,7 +8606,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8755,9 +8640,9 @@ extension SSMClient { /// /// Defines the default patch baseline for the relevant operating system. To reset the Amazon Web Services-predefined patch baseline as the default, specify the full patch baseline Amazon Resource Name (ARN) as the baseline ID value. For example, for CentOS, specify arn:aws:ssm:us-east-2:733109147000:patchbaseline/pb-0574b43a65ea646ed instead of pb-0574b43a65ea646ed. /// - /// - Parameter RegisterDefaultPatchBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterDefaultPatchBaselineInput`) /// - /// - Returns: `RegisterDefaultPatchBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterDefaultPatchBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8791,7 +8676,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterDefaultPatchBaselineOutput.httpOutput(from:), RegisterDefaultPatchBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8826,9 +8710,9 @@ extension SSMClient { /// /// Registers a patch baseline for a patch group. /// - /// - Parameter RegisterPatchBaselineForPatchGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterPatchBaselineForPatchGroupInput`) /// - /// - Returns: `RegisterPatchBaselineForPatchGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterPatchBaselineForPatchGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8864,7 +8748,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterPatchBaselineForPatchGroupOutput.httpOutput(from:), RegisterPatchBaselineForPatchGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8899,9 +8782,9 @@ extension SSMClient { /// /// Registers a target with a maintenance window. /// - /// - Parameter RegisterTargetWithMaintenanceWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterTargetWithMaintenanceWindowInput`) /// - /// - Returns: `RegisterTargetWithMaintenanceWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterTargetWithMaintenanceWindowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8937,7 +8820,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterTargetWithMaintenanceWindowOutput.httpOutput(from:), RegisterTargetWithMaintenanceWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8972,9 +8854,9 @@ extension SSMClient { /// /// Adds a new task to a maintenance window. /// - /// - Parameter RegisterTaskWithMaintenanceWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterTaskWithMaintenanceWindowInput`) /// - /// - Returns: `RegisterTaskWithMaintenanceWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterTaskWithMaintenanceWindowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9011,7 +8893,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterTaskWithMaintenanceWindowOutput.httpOutput(from:), RegisterTaskWithMaintenanceWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9046,9 +8927,9 @@ extension SSMClient { /// /// Removes tag keys from the specified resource. /// - /// - Parameter RemoveTagsFromResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveTagsFromResourceInput`) /// - /// - Returns: `RemoveTagsFromResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveTagsFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9083,7 +8964,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromResourceOutput.httpOutput(from:), RemoveTagsFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9118,9 +8998,9 @@ extension SSMClient { /// /// ServiceSetting is an account-level setting for an Amazon Web Services service. This setting defines how a user interacts with or uses a service or a feature of a service. For example, if an Amazon Web Services service charges money to the account based on feature or service usage, then the Amazon Web Services service team might create a default setting of "false". This means the user can't use this feature unless they change the setting to "true" and intentionally opt in for a paid feature. Services map a SettingId object to a setting value. Amazon Web Services services teams define the default value for a SettingId. You can't create a new SettingId, but you can overwrite the default value if you have the ssm:UpdateServiceSetting permission for the setting. Use the [GetServiceSetting] API operation to view the current value. Use the [UpdateServiceSetting] API operation to change the default setting. Reset the service setting for the account to the default value as provisioned by the Amazon Web Services service team. /// - /// - Parameter ResetServiceSettingInput : The request body of the ResetServiceSetting API operation. + /// - Parameter input: The request body of the ResetServiceSetting API operation. (Type: `ResetServiceSettingInput`) /// - /// - Returns: `ResetServiceSettingOutput` : The result body of the ResetServiceSetting API operation. + /// - Returns: The result body of the ResetServiceSetting API operation. (Type: `ResetServiceSettingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9154,7 +9034,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetServiceSettingOutput.httpOutput(from:), ResetServiceSettingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9189,9 +9068,9 @@ extension SSMClient { /// /// Reconnects a session to a managed node after it has been disconnected. Connections can be resumed for disconnected sessions, but not terminated sessions. This command is primarily for use by client machines to automatically reconnect during intermittent network issues. It isn't intended for any other use. /// - /// - Parameter ResumeSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResumeSessionInput`) /// - /// - Returns: `ResumeSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9224,7 +9103,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeSessionOutput.httpOutput(from:), ResumeSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9259,9 +9137,9 @@ extension SSMClient { /// /// Sends a signal to an Automation execution to change the current behavior or status of the execution. /// - /// - Parameter SendAutomationSignalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendAutomationSignalInput`) /// - /// - Returns: `SendAutomationSignalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendAutomationSignalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9296,7 +9174,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendAutomationSignalOutput.httpOutput(from:), SendAutomationSignalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9331,9 +9208,9 @@ extension SSMClient { /// /// Runs commands on one or more managed nodes. /// - /// - Parameter SendCommandInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendCommandInput`) /// - /// - Returns: `SendCommandOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendCommandOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9383,7 +9260,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendCommandOutput.httpOutput(from:), SendCommandOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9418,9 +9294,9 @@ extension SSMClient { /// /// Starts the workflow for just-in-time node access sessions. /// - /// - Parameter StartAccessRequestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAccessRequestInput`) /// - /// - Returns: `StartAccessRequestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAccessRequestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9457,7 +9333,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAccessRequestOutput.httpOutput(from:), StartAccessRequestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9492,9 +9367,9 @@ extension SSMClient { /// /// Runs an association immediately and only one time. This operation can be helpful when troubleshooting associations. /// - /// - Parameter StartAssociationsOnceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAssociationsOnceInput`) /// - /// - Returns: `StartAssociationsOnceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAssociationsOnceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9527,7 +9402,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAssociationsOnceOutput.httpOutput(from:), StartAssociationsOnceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9562,9 +9436,9 @@ extension SSMClient { /// /// Initiates execution of an Automation runbook. /// - /// - Parameter StartAutomationExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAutomationExecutionInput`) /// - /// - Returns: `StartAutomationExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAutomationExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9602,7 +9476,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAutomationExecutionOutput.httpOutput(from:), StartAutomationExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9637,9 +9510,9 @@ extension SSMClient { /// /// Creates a change request for Change Manager. The Automation runbooks specified in the change request run only after all required approvals for the change request have been received. /// - /// - Parameter StartChangeRequestExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartChangeRequestExecutionInput`) /// - /// - Returns: `StartChangeRequestExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartChangeRequestExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9677,7 +9550,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartChangeRequestExecutionOutput.httpOutput(from:), StartChangeRequestExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9712,9 +9584,9 @@ extension SSMClient { /// /// Initiates the process of creating a preview showing the effects that running a specified Automation runbook would have on the targeted resources. /// - /// - Parameter StartExecutionPreviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartExecutionPreviewInput`) /// - /// - Returns: `StartExecutionPreviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartExecutionPreviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9747,7 +9619,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExecutionPreviewOutput.httpOutput(from:), StartExecutionPreviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9782,9 +9653,9 @@ extension SSMClient { /// /// Initiates a connection to a target (for example, a managed node) for a Session Manager session. Returns a URL and token that can be used to open a WebSocket connection for sending input and receiving outputs. Amazon Web Services CLI usage: start-session is an interactive command that requires the Session Manager plugin to be installed on the client machine making the call. For information, see [Install the Session Manager plugin for the Amazon Web Services CLI](https://docs.aws.amazon.com/systems-manager/latest/userguide/session-manager-working-with-install-plugin.html) in the Amazon Web Services Systems Manager User Guide. Amazon Web Services Tools for PowerShell usage: Start-SSMSession isn't currently supported by Amazon Web Services Tools for PowerShell on Windows local machines. /// - /// - Parameter StartSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSessionInput`) /// - /// - Returns: `StartSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9818,7 +9689,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSessionOutput.httpOutput(from:), StartSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9853,9 +9723,9 @@ extension SSMClient { /// /// Stop an Automation that is currently running. /// - /// - Parameter StopAutomationExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopAutomationExecutionInput`) /// - /// - Returns: `StopAutomationExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopAutomationExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9889,7 +9759,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopAutomationExecutionOutput.httpOutput(from:), StopAutomationExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9924,9 +9793,9 @@ extension SSMClient { /// /// Permanently ends a session and closes the data connection between the Session Manager client and SSM Agent on the managed node. A terminated session can't be resumed. /// - /// - Parameter TerminateSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateSessionInput`) /// - /// - Returns: `TerminateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9958,7 +9827,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateSessionOutput.httpOutput(from:), TerminateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9993,9 +9861,9 @@ extension SSMClient { /// /// Remove a label or labels from a parameter. Parameter names can't contain spaces. The service removes any spaces specified for the beginning or end of a parameter name. If the specified name for a parameter contains spaces between characters, the request fails with a ValidationException error. /// - /// - Parameter UnlabelParameterVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnlabelParameterVersionInput`) /// - /// - Returns: `UnlabelParameterVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnlabelParameterVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10030,7 +9898,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnlabelParameterVersionOutput.httpOutput(from:), UnlabelParameterVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10065,9 +9932,9 @@ extension SSMClient { /// /// Updates an association. You can update the association name and version, the document version, schedule, parameters, and Amazon Simple Storage Service (Amazon S3) output. When you call UpdateAssociation, the system removes all optional parameters from the request and overwrites the association with null values for those parameters. This is by design. You must specify all optional parameters in the call, even if you are not changing the parameters. This includes the Name parameter. Before calling this API action, we recommend that you call the [DescribeAssociation] API operation and make a note of all optional parameters required for your UpdateAssociation call. In order to call this API operation, a user, group, or role must be granted permission to call the [DescribeAssociation] API operation. If you don't have permission to call DescribeAssociation, then you receive the following error: An error occurred (AccessDeniedException) when calling the UpdateAssociation operation: User: isn't authorized to perform: ssm:DescribeAssociation on resource: When you update an association, the association immediately runs against the specified targets. You can add the ApplyOnlyAtCronInterval parameter to run the association during the next schedule run. /// - /// - Parameter UpdateAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssociationInput`) /// - /// - Returns: `UpdateAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10111,7 +9978,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssociationOutput.httpOutput(from:), UpdateAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10146,9 +10012,9 @@ extension SSMClient { /// /// Updates the status of the Amazon Web Services Systems Manager document (SSM document) associated with the specified managed node. UpdateAssociationStatus is primarily used by the Amazon Web Services Systems Manager Agent (SSM Agent) to report status updates about your associations and is only used for associations created with the InstanceId legacy parameter. /// - /// - Parameter UpdateAssociationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAssociationStatusInput`) /// - /// - Returns: `UpdateAssociationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAssociationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10193,7 +10059,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAssociationStatusOutput.httpOutput(from:), UpdateAssociationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10228,9 +10093,9 @@ extension SSMClient { /// /// Updates one or more values for an SSM document. /// - /// - Parameter UpdateDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDocumentInput`) /// - /// - Returns: `UpdateDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10271,7 +10136,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDocumentOutput.httpOutput(from:), UpdateDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10306,9 +10170,9 @@ extension SSMClient { /// /// Set the default version of a document. If you change a document version for a State Manager association, Systems Manager immediately runs the association unless you previously specifed the apply-only-at-cron-interval parameter. /// - /// - Parameter UpdateDocumentDefaultVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDocumentDefaultVersionInput`) /// - /// - Returns: `UpdateDocumentDefaultVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDocumentDefaultVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10343,7 +10207,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDocumentDefaultVersionOutput.httpOutput(from:), UpdateDocumentDefaultVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10378,9 +10241,9 @@ extension SSMClient { /// /// Updates information related to approval reviews for a specific version of a change template in Change Manager. /// - /// - Parameter UpdateDocumentMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDocumentMetadataInput`) /// - /// - Returns: `UpdateDocumentMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDocumentMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10416,7 +10279,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDocumentMetadataOutput.httpOutput(from:), UpdateDocumentMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10451,9 +10313,9 @@ extension SSMClient { /// /// Updates an existing maintenance window. Only specified parameters are modified. The value you specify for Duration determines the specific end time for the maintenance window based on the time it begins. No maintenance window tasks are permitted to start after the resulting endtime minus the number of hours you specify for Cutoff. For example, if the maintenance window starts at 3 PM, the duration is three hours, and the value you specify for Cutoff is one hour, no maintenance window tasks can start after 5 PM. /// - /// - Parameter UpdateMaintenanceWindowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMaintenanceWindowInput`) /// - /// - Returns: `UpdateMaintenanceWindowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMaintenanceWindowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10486,7 +10348,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMaintenanceWindowOutput.httpOutput(from:), UpdateMaintenanceWindowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10536,9 +10397,9 @@ extension SSMClient { /// /// If a parameter is null, then the corresponding field isn't modified. /// - /// - Parameter UpdateMaintenanceWindowTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMaintenanceWindowTargetInput`) /// - /// - Returns: `UpdateMaintenanceWindowTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMaintenanceWindowTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10571,7 +10432,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMaintenanceWindowTargetOutput.httpOutput(from:), UpdateMaintenanceWindowTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10621,9 +10481,9 @@ extension SSMClient { /// /// 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](https://docs.aws.amazon.com/systems-manager/latest/userguide/maintenance-windows-targetless-tasks.html) in the Amazon Web Services Systems Manager User Guide. If the value for a parameter in UpdateMaintenanceWindowTask is null, then the corresponding field isn't modified. If you set Replace to true, then all fields required by the [RegisterTaskWithMaintenanceWindow] operation are required for this request. Optional fields that aren't specified are set to null. When you update a maintenance window task that has options specified in TaskInvocationParameters, you must provide again all the TaskInvocationParameters values that you want to retain. The values you don't specify again are removed. For example, suppose that when you registered a Run Command task, you specified TaskInvocationParameters values for Comment, NotificationConfig, and OutputS3BucketName. If you update the maintenance window task and specify only a different OutputS3BucketName value, the values for Comment and NotificationConfig are removed. /// - /// - Parameter UpdateMaintenanceWindowTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMaintenanceWindowTaskInput`) /// - /// - Returns: `UpdateMaintenanceWindowTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMaintenanceWindowTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10656,7 +10516,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMaintenanceWindowTaskOutput.httpOutput(from:), UpdateMaintenanceWindowTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10691,9 +10550,9 @@ extension SSMClient { /// /// Changes the Identity and Access Management (IAM) role that is assigned to the on-premises server, edge device, or virtual machines (VM). IAM roles are first assigned to these hybrid nodes during the activation process. For more information, see [CreateActivation]. /// - /// - Parameter UpdateManagedInstanceRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateManagedInstanceRoleInput`) /// - /// - Returns: `UpdateManagedInstanceRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateManagedInstanceRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10734,7 +10593,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateManagedInstanceRoleOutput.httpOutput(from:), UpdateManagedInstanceRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10769,9 +10627,9 @@ extension SSMClient { /// /// Edit or change an OpsItem. You must have permission in Identity and Access Management (IAM) to update an OpsItem. For more information, see [Set up OpsCenter](https://docs.aws.amazon.com/systems-manager/latest/userguide/OpsCenter-setup.html) in the Amazon Web Services Systems Manager User Guide. Operations engineers and IT professionals use Amazon Web Services Systems Manager OpsCenter to view, investigate, and remediate operational issues impacting the performance and health of their Amazon Web Services resources. For more information, see [Amazon Web Services Systems Manager OpsCenter](https://docs.aws.amazon.com/systems-manager/latest/userguide/OpsCenter.html) in the Amazon Web Services Systems Manager User Guide. /// - /// - Parameter UpdateOpsItemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOpsItemInput`) /// - /// - Returns: `UpdateOpsItemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOpsItemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10809,7 +10667,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOpsItemOutput.httpOutput(from:), UpdateOpsItemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10844,9 +10701,9 @@ extension SSMClient { /// /// Amazon Web Services Systems Manager calls this API operation when you edit OpsMetadata in Application Manager. /// - /// - Parameter UpdateOpsMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOpsMetadataInput`) /// - /// - Returns: `UpdateOpsMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOpsMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10882,7 +10739,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOpsMetadataOutput.httpOutput(from:), UpdateOpsMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10917,9 +10773,9 @@ extension SSMClient { /// /// Modifies an existing patch baseline. Fields not specified in the request are left unchanged. For information about valid key-value pairs in PatchFilters for each supported operating system type, see [PatchFilter]. /// - /// - Parameter UpdatePatchBaselineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePatchBaselineInput`) /// - /// - Returns: `UpdatePatchBaselineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePatchBaselineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10952,7 +10808,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePatchBaselineOutput.httpOutput(from:), UpdatePatchBaselineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10987,9 +10842,9 @@ extension SSMClient { /// /// Update a resource data sync. After you create a resource data sync for a Region, you can't change the account options for that sync. For example, if you create a sync in the us-east-2 (Ohio) Region and you choose the Include only the current account option, you can't edit that sync later and choose the Include all accounts from my Organizations configuration option. Instead, you must delete the first resource data sync, and create a new one. This API operation only supports a resource data sync that was created with a SyncFromSource SyncType. /// - /// - Parameter UpdateResourceDataSyncInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceDataSyncInput`) /// - /// - Returns: `UpdateResourceDataSyncOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceDataSyncOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11024,7 +10879,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceDataSyncOutput.httpOutput(from:), UpdateResourceDataSyncOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11059,9 +10913,9 @@ extension SSMClient { /// /// ServiceSetting is an account-level setting for an Amazon Web Services service. This setting defines how a user interacts with or uses a service or a feature of a service. For example, if an Amazon Web Services service charges money to the account based on feature or service usage, then the Amazon Web Services service team might create a default setting of "false". This means the user can't use this feature unless they change the setting to "true" and intentionally opt in for a paid feature. Services map a SettingId object to a setting value. Amazon Web Services services teams define the default value for a SettingId. You can't create a new SettingId, but you can overwrite the default value if you have the ssm:UpdateServiceSetting permission for the setting. Use the [GetServiceSetting] API operation to view the current value. Or, use the [ResetServiceSetting] to change the value back to the original value defined by the Amazon Web Services service team. Update the service setting for the account. /// - /// - Parameter UpdateServiceSettingInput : The request body of the UpdateServiceSetting API operation. + /// - Parameter input: The request body of the UpdateServiceSetting API operation. (Type: `UpdateServiceSettingInput`) /// - /// - Returns: `UpdateServiceSettingOutput` : The result body of the UpdateServiceSetting API operation. + /// - Returns: The result body of the UpdateServiceSetting API operation. (Type: `UpdateServiceSettingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11095,7 +10949,6 @@ extension SSMClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceSettingOutput.httpOutput(from:), UpdateServiceSettingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSSMContacts/Sources/AWSSSMContacts/SSMContactsClient.swift b/Sources/Services/AWSSSMContacts/Sources/AWSSSMContacts/SSMContactsClient.swift index 83f9ab1104e..181b09975c5 100644 --- a/Sources/Services/AWSSSMContacts/Sources/AWSSSMContacts/SSMContactsClient.swift +++ b/Sources/Services/AWSSSMContacts/Sources/AWSSSMContacts/SSMContactsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SSMContactsClient: ClientRuntime.Client { public static let clientName = "SSMContactsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SSMContactsClient.SSMContactsClientConfiguration let serviceName = "SSM Contacts" @@ -375,9 +374,9 @@ extension SSMContactsClient { /// /// Used to acknowledge an engagement to a contact channel during an incident. /// - /// - Parameter AcceptPageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptPageInput`) /// - /// - Returns: `AcceptPageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptPageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptPageOutput.httpOutput(from:), AcceptPageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension SSMContactsClient { /// /// Activates a contact's contact channel. Incident Manager can't engage a contact until the contact channel has been activated. /// - /// - Parameter ActivateContactChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateContactChannelInput`) /// - /// - Returns: `ActivateContactChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateContactChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateContactChannelOutput.httpOutput(from:), ActivateContactChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension SSMContactsClient { /// /// Contacts are either the contacts that Incident Manager engages during an incident or the escalation plans that Incident Manager uses to engage contacts in phases during an incident. /// - /// - Parameter CreateContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContactInput`) /// - /// - Returns: `CreateContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContactOutput.httpOutput(from:), CreateContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension SSMContactsClient { /// /// A contact channel is the method that Incident Manager uses to engage your contact. /// - /// - Parameter CreateContactChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContactChannelInput`) /// - /// - Returns: `CreateContactChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContactChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContactChannelOutput.httpOutput(from:), CreateContactChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension SSMContactsClient { /// /// Creates a rotation in an on-call schedule. /// - /// - Parameter CreateRotationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRotationInput`) /// - /// - Returns: `CreateRotationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRotationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRotationOutput.httpOutput(from:), CreateRotationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -746,9 +740,9 @@ extension SSMContactsClient { /// /// Creates an override for a rotation in an on-call schedule. /// - /// - Parameter CreateRotationOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRotationOverrideInput`) /// - /// - Returns: `CreateRotationOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRotationOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -785,7 +779,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRotationOverrideOutput.httpOutput(from:), CreateRotationOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -820,9 +813,9 @@ extension SSMContactsClient { /// /// To no longer receive Incident Manager engagements to a contact channel, you can deactivate the channel. /// - /// - Parameter DeactivateContactChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateContactChannelInput`) /// - /// - Returns: `DeactivateContactChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateContactChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -858,7 +851,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateContactChannelOutput.httpOutput(from:), DeactivateContactChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -893,9 +885,9 @@ extension SSMContactsClient { /// /// To remove a contact from Incident Manager, you can delete the contact. However, deleting a contact does not remove it from escalation plans and related response plans. Deleting an escalation plan also does not remove it from all related response plans. To modify an escalation plan, we recommend using the [UpdateContact] action to specify a different existing contact. /// - /// - Parameter DeleteContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContactInput`) /// - /// - Returns: `DeleteContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -932,7 +924,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContactOutput.httpOutput(from:), DeleteContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -967,9 +958,9 @@ extension SSMContactsClient { /// /// To stop receiving engagements on a contact channel, you can delete the channel from a contact. Deleting the contact channel does not remove it from the contact's engagement plan, but the stage that includes the channel will be ignored. If you delete the only contact channel for a contact, you'll no longer be able to engage that contact during an incident. /// - /// - Parameter DeleteContactChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContactChannelInput`) /// - /// - Returns: `DeleteContactChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContactChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1005,7 +996,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContactChannelOutput.httpOutput(from:), DeleteContactChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1040,9 +1030,9 @@ extension SSMContactsClient { /// /// Deletes a rotation from the system. If a rotation belongs to more than one on-call schedule, this operation deletes it from all of them. /// - /// - Parameter DeleteRotationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRotationInput`) /// - /// - Returns: `DeleteRotationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRotationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1079,7 +1069,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRotationOutput.httpOutput(from:), DeleteRotationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1114,9 +1103,9 @@ extension SSMContactsClient { /// /// Deletes an existing override for an on-call rotation. /// - /// - Parameter DeleteRotationOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRotationOverrideInput`) /// - /// - Returns: `DeleteRotationOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRotationOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1152,7 +1141,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRotationOverrideOutput.httpOutput(from:), DeleteRotationOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1187,9 +1175,9 @@ extension SSMContactsClient { /// /// Incident Manager uses engagements to engage contacts and escalation plans during an incident. Use this command to describe the engagement that occurred during an incident. /// - /// - Parameter DescribeEngagementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEngagementInput`) /// - /// - Returns: `DescribeEngagementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEngagementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1226,7 +1214,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEngagementOutput.httpOutput(from:), DescribeEngagementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1261,9 +1248,9 @@ extension SSMContactsClient { /// /// Lists details of the engagement to a contact channel. /// - /// - Parameter DescribePageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePageInput`) /// - /// - Returns: `DescribePageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1300,7 +1287,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePageOutput.httpOutput(from:), DescribePageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1335,9 +1321,9 @@ extension SSMContactsClient { /// /// Retrieves information about the specified contact or escalation plan. /// - /// - Parameter GetContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContactInput`) /// - /// - Returns: `GetContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1374,7 +1360,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContactOutput.httpOutput(from:), GetContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1409,9 +1394,9 @@ extension SSMContactsClient { /// /// List details about a specific contact channel. /// - /// - Parameter GetContactChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContactChannelInput`) /// - /// - Returns: `GetContactChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContactChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1448,7 +1433,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContactChannelOutput.httpOutput(from:), GetContactChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1483,9 +1467,9 @@ extension SSMContactsClient { /// /// Retrieves the resource policies attached to the specified contact or escalation plan. /// - /// - Parameter GetContactPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContactPolicyInput`) /// - /// - Returns: `GetContactPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContactPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1521,7 +1505,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContactPolicyOutput.httpOutput(from:), GetContactPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1556,9 +1539,9 @@ extension SSMContactsClient { /// /// Retrieves information about an on-call rotation. /// - /// - Parameter GetRotationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRotationInput`) /// - /// - Returns: `GetRotationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRotationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1594,7 +1577,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRotationOutput.httpOutput(from:), GetRotationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1629,9 +1611,9 @@ extension SSMContactsClient { /// /// Retrieves information about an override to an on-call rotation. /// - /// - Parameter GetRotationOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRotationOverrideInput`) /// - /// - Returns: `GetRotationOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRotationOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1667,7 +1649,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRotationOverrideOutput.httpOutput(from:), GetRotationOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1702,9 +1683,9 @@ extension SSMContactsClient { /// /// Lists all contact channels for the specified contact. /// - /// - Parameter ListContactChannelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContactChannelsInput`) /// - /// - Returns: `ListContactChannelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContactChannelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1741,7 +1722,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContactChannelsOutput.httpOutput(from:), ListContactChannelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1776,9 +1756,9 @@ extension SSMContactsClient { /// /// Lists all contacts and escalation plans in Incident Manager. /// - /// - Parameter ListContactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContactsInput`) /// - /// - Returns: `ListContactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1813,7 +1793,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContactsOutput.httpOutput(from:), ListContactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1848,9 +1827,9 @@ extension SSMContactsClient { /// /// Lists all engagements that have happened in an incident. /// - /// - Parameter ListEngagementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEngagementsInput`) /// - /// - Returns: `ListEngagementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEngagementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1885,7 +1864,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEngagementsOutput.httpOutput(from:), ListEngagementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1920,9 +1898,9 @@ extension SSMContactsClient { /// /// Lists all of the engagements to contact channels that have been acknowledged. /// - /// - Parameter ListPageReceiptsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPageReceiptsInput`) /// - /// - Returns: `ListPageReceiptsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPageReceiptsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1958,7 +1936,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPageReceiptsOutput.httpOutput(from:), ListPageReceiptsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1993,9 +1970,9 @@ extension SSMContactsClient { /// /// Returns the resolution path of an engagement. For example, the escalation plan engaged in an incident might target an on-call schedule that includes several contacts in a rotation, but just one contact on-call when the incident starts. The resolution path indicates the hierarchy of escalation plan > on-call schedule > contact. /// - /// - Parameter ListPageResolutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPageResolutionsInput`) /// - /// - Returns: `ListPageResolutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPageResolutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2031,7 +2008,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPageResolutionsOutput.httpOutput(from:), ListPageResolutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2066,9 +2042,9 @@ extension SSMContactsClient { /// /// Lists the engagements to a contact's contact channels. /// - /// - Parameter ListPagesByContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPagesByContactInput`) /// - /// - Returns: `ListPagesByContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPagesByContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2104,7 +2080,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPagesByContactOutput.httpOutput(from:), ListPagesByContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2139,9 +2114,9 @@ extension SSMContactsClient { /// /// Lists the engagements to contact channels that occurred by engaging a contact. /// - /// - Parameter ListPagesByEngagementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPagesByEngagementInput`) /// - /// - Returns: `ListPagesByEngagementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPagesByEngagementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2177,7 +2152,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPagesByEngagementOutput.httpOutput(from:), ListPagesByEngagementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2212,9 +2186,9 @@ extension SSMContactsClient { /// /// Returns a list of shifts based on rotation configuration parameters. The Incident Manager primarily uses this operation to populate the Preview calendar. It is not typically run by end users. /// - /// - Parameter ListPreviewRotationShiftsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPreviewRotationShiftsInput`) /// - /// - Returns: `ListPreviewRotationShiftsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPreviewRotationShiftsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2249,7 +2223,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPreviewRotationShiftsOutput.httpOutput(from:), ListPreviewRotationShiftsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2284,9 +2257,9 @@ extension SSMContactsClient { /// /// Retrieves a list of overrides currently specified for an on-call rotation. /// - /// - Parameter ListRotationOverridesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRotationOverridesInput`) /// - /// - Returns: `ListRotationOverridesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRotationOverridesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2322,7 +2295,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRotationOverridesOutput.httpOutput(from:), ListRotationOverridesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2357,9 +2329,9 @@ extension SSMContactsClient { /// /// Returns a list of shifts generated by an existing rotation in the system. /// - /// - Parameter ListRotationShiftsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRotationShiftsInput`) /// - /// - Returns: `ListRotationShiftsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRotationShiftsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2396,7 +2368,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRotationShiftsOutput.httpOutput(from:), ListRotationShiftsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2431,9 +2402,9 @@ extension SSMContactsClient { /// /// Retrieves a list of on-call rotations. /// - /// - Parameter ListRotationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRotationsInput`) /// - /// - Returns: `ListRotationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRotationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2469,7 +2440,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRotationsOutput.httpOutput(from:), ListRotationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2504,9 +2474,9 @@ extension SSMContactsClient { /// /// Lists the tags of a contact, escalation plan, rotation, or on-call schedule. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2542,7 +2512,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2577,9 +2546,9 @@ extension SSMContactsClient { /// /// Adds a resource policy to the specified contact or escalation plan. The resource policy is used to share the contact or escalation plan using Resource Access Manager (RAM). For more information about cross-account sharing, see [Setting up cross-account functionality](https://docs.aws.amazon.com/incident-manager/latest/userguide/xa.html). /// - /// - Parameter PutContactPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutContactPolicyInput`) /// - /// - Returns: `PutContactPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutContactPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2616,7 +2585,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutContactPolicyOutput.httpOutput(from:), PutContactPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2651,9 +2619,9 @@ extension SSMContactsClient { /// /// Sends an activation code to a contact channel. The contact can use this code to activate the contact channel in the console or with the ActivateChannel operation. Incident Manager can't engage a contact channel until it has been activated. /// - /// - Parameter SendActivationCodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendActivationCodeInput`) /// - /// - Returns: `SendActivationCodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendActivationCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2691,7 +2659,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendActivationCodeOutput.httpOutput(from:), SendActivationCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2726,9 +2693,9 @@ extension SSMContactsClient { /// /// Starts an engagement to a contact or escalation plan. The engagement engages each contact specified in the incident. /// - /// - Parameter StartEngagementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEngagementInput`) /// - /// - Returns: `StartEngagementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEngagementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2766,7 +2733,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEngagementOutput.httpOutput(from:), StartEngagementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2801,9 +2767,9 @@ extension SSMContactsClient { /// /// Stops an engagement before it finishes the final stage of the escalation plan or engagement plan. Further contacts aren't engaged. /// - /// - Parameter StopEngagementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopEngagementInput`) /// - /// - Returns: `StopEngagementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopEngagementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2839,7 +2805,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopEngagementOutput.httpOutput(from:), StopEngagementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2874,9 +2839,9 @@ extension SSMContactsClient { /// /// Tags a contact or escalation plan. You can tag only contacts and escalation plans in the first region of your replication set. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2913,7 +2878,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2948,9 +2912,9 @@ extension SSMContactsClient { /// /// Removes tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2986,7 +2950,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3021,9 +2984,9 @@ extension SSMContactsClient { /// /// Updates the contact or escalation plan specified. /// - /// - Parameter UpdateContactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactInput`) /// - /// - Returns: `UpdateContactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3061,7 +3024,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactOutput.httpOutput(from:), UpdateContactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3096,9 +3058,9 @@ extension SSMContactsClient { /// /// Updates a contact's contact channel. /// - /// - Parameter UpdateContactChannelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContactChannelInput`) /// - /// - Returns: `UpdateContactChannelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContactChannelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3136,7 +3098,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContactChannelOutput.httpOutput(from:), UpdateContactChannelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3171,9 +3132,9 @@ extension SSMContactsClient { /// /// Updates the information specified for an on-call rotation. /// - /// - Parameter UpdateRotationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRotationInput`) /// - /// - Returns: `UpdateRotationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRotationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3210,7 +3171,6 @@ extension SSMContactsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRotationOutput.httpOutput(from:), UpdateRotationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSSMGuiConnect/Sources/AWSSSMGuiConnect/SSMGuiConnectClient.swift b/Sources/Services/AWSSSMGuiConnect/Sources/AWSSSMGuiConnect/SSMGuiConnectClient.swift index 78724b25836..87d570acf38 100644 --- a/Sources/Services/AWSSSMGuiConnect/Sources/AWSSSMGuiConnect/SSMGuiConnectClient.swift +++ b/Sources/Services/AWSSSMGuiConnect/Sources/AWSSSMGuiConnect/SSMGuiConnectClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SSMGuiConnectClient: ClientRuntime.Client { public static let clientName = "SSMGuiConnectClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SSMGuiConnectClient.SSMGuiConnectClientConfiguration let serviceName = "SSM GuiConnect" @@ -373,9 +372,9 @@ extension SSMGuiConnectClient { /// /// Deletes the preferences for recording RDP connections. /// - /// - Parameter DeleteConnectionRecordingPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionRecordingPreferencesInput`) /// - /// - Returns: `DeleteConnectionRecordingPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionRecordingPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension SSMGuiConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionRecordingPreferencesOutput.httpOutput(from:), DeleteConnectionRecordingPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension SSMGuiConnectClient { /// /// Returns the preferences specified for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region. /// - /// - Parameter GetConnectionRecordingPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectionRecordingPreferencesInput`) /// - /// - Returns: `GetConnectionRecordingPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectionRecordingPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension SSMGuiConnectClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectionRecordingPreferencesOutput.httpOutput(from:), GetConnectionRecordingPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension SSMGuiConnectClient { /// /// Updates the preferences for recording RDP connections. /// - /// - Parameter UpdateConnectionRecordingPreferencesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectionRecordingPreferencesInput`) /// - /// - Returns: `UpdateConnectionRecordingPreferencesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectionRecordingPreferencesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension SSMGuiConnectClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectionRecordingPreferencesOutput.httpOutput(from:), UpdateConnectionRecordingPreferencesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSSMIncidents/Sources/AWSSSMIncidents/SSMIncidentsClient.swift b/Sources/Services/AWSSSMIncidents/Sources/AWSSSMIncidents/SSMIncidentsClient.swift index 9f49b9acf47..0254b3f7794 100644 --- a/Sources/Services/AWSSSMIncidents/Sources/AWSSSMIncidents/SSMIncidentsClient.swift +++ b/Sources/Services/AWSSSMIncidents/Sources/AWSSSMIncidents/SSMIncidentsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SSMIncidentsClient: ClientRuntime.Client { public static let clientName = "SSMIncidentsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SSMIncidentsClient.SSMIncidentsClientConfiguration let serviceName = "SSM Incidents" @@ -375,9 +374,9 @@ extension SSMIncidentsClient { /// /// Retrieves details about all specified findings for an incident, including descriptive details about each finding. A finding represents a recent application environment change made by an CodeDeploy deployment or an CloudFormation stack creation or update that can be investigated as a potential cause of the incident. /// - /// - Parameter BatchGetIncidentFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetIncidentFindingsInput`) /// - /// - Returns: `BatchGetIncidentFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetIncidentFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetIncidentFindingsOutput.httpOutput(from:), BatchGetIncidentFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension SSMIncidentsClient { /// /// A replication set replicates and encrypts your data to the provided Regions with the provided KMS key. /// - /// - Parameter CreateReplicationSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReplicationSetInput`) /// - /// - Returns: `CreateReplicationSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReplicationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReplicationSetOutput.httpOutput(from:), CreateReplicationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension SSMIncidentsClient { /// /// Creates a response plan that automates the initial response to incidents. A response plan engages contacts, starts chat channel collaboration, and initiates runbooks at the beginning of an incident. /// - /// - Parameter CreateResponsePlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResponsePlanInput`) /// - /// - Returns: `CreateResponsePlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResponsePlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResponsePlanOutput.httpOutput(from:), CreateResponsePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension SSMIncidentsClient { /// /// Creates a custom timeline event on the incident details page of an incident record. Incident Manager automatically creates timeline events that mark key moments during an incident. You can create custom timeline events to mark important events that Incident Manager can detect automatically. /// - /// - Parameter CreateTimelineEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTimelineEventInput`) /// - /// - Returns: `CreateTimelineEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTimelineEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTimelineEventOutput.httpOutput(from:), CreateTimelineEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension SSMIncidentsClient { /// /// Delete an incident record from Incident Manager. /// - /// - Parameter DeleteIncidentRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIncidentRecordInput`) /// - /// - Returns: `DeleteIncidentRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIncidentRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -708,7 +703,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIncidentRecordOutput.httpOutput(from:), DeleteIncidentRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -740,9 +734,9 @@ extension SSMIncidentsClient { /// /// Deletes all Regions in your replication set. Deleting the replication set deletes all Incident Manager data. /// - /// - Parameter DeleteReplicationSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReplicationSetInput`) /// - /// - Returns: `DeleteReplicationSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReplicationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +772,6 @@ extension SSMIncidentsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteReplicationSetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReplicationSetOutput.httpOutput(from:), DeleteReplicationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -810,9 +803,9 @@ extension SSMIncidentsClient { /// /// Deletes the resource policy that Resource Access Manager uses to share your Incident Manager resource. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -850,7 +843,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -882,9 +874,9 @@ extension SSMIncidentsClient { /// /// Deletes the specified response plan. Deleting a response plan stops all linked CloudWatch alarms and EventBridge events from creating an incident with this response plan. /// - /// - Parameter DeleteResponsePlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResponsePlanInput`) /// - /// - Returns: `DeleteResponsePlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResponsePlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -921,7 +913,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResponsePlanOutput.httpOutput(from:), DeleteResponsePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -953,9 +944,9 @@ extension SSMIncidentsClient { /// /// Deletes a timeline event from an incident. /// - /// - Parameter DeleteTimelineEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTimelineEventInput`) /// - /// - Returns: `DeleteTimelineEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTimelineEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -992,7 +983,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTimelineEventOutput.httpOutput(from:), DeleteTimelineEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1024,9 +1014,9 @@ extension SSMIncidentsClient { /// /// Returns the details for the specified incident record. /// - /// - Parameter GetIncidentRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIncidentRecordInput`) /// - /// - Returns: `GetIncidentRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIncidentRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1062,7 +1052,6 @@ extension SSMIncidentsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetIncidentRecordInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIncidentRecordOutput.httpOutput(from:), GetIncidentRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1094,9 +1083,9 @@ extension SSMIncidentsClient { /// /// Retrieve your Incident Manager replication set. /// - /// - Parameter GetReplicationSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReplicationSetInput`) /// - /// - Returns: `GetReplicationSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReplicationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1132,7 +1121,6 @@ extension SSMIncidentsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetReplicationSetInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReplicationSetOutput.httpOutput(from:), GetReplicationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1164,9 +1152,9 @@ extension SSMIncidentsClient { /// /// Retrieves the resource policies attached to the specified response plan. /// - /// - Parameter GetResourcePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePoliciesInput`) /// - /// - Returns: `GetResourcePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1205,7 +1193,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePoliciesOutput.httpOutput(from:), GetResourcePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1237,9 +1224,9 @@ extension SSMIncidentsClient { /// /// Retrieves the details of the specified response plan. /// - /// - Parameter GetResponsePlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResponsePlanInput`) /// - /// - Returns: `GetResponsePlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResponsePlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1275,7 +1262,6 @@ extension SSMIncidentsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResponsePlanInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResponsePlanOutput.httpOutput(from:), GetResponsePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1307,9 +1293,9 @@ extension SSMIncidentsClient { /// /// Retrieves a timeline event based on its ID and incident record. /// - /// - Parameter GetTimelineEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTimelineEventInput`) /// - /// - Returns: `GetTimelineEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTimelineEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1345,7 +1331,6 @@ extension SSMIncidentsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTimelineEventInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTimelineEventOutput.httpOutput(from:), GetTimelineEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1377,9 +1362,9 @@ extension SSMIncidentsClient { /// /// Retrieves a list of the IDs of findings, plus their last modified times, that have been identified for a specified incident. A finding represents a recent application environment change made by an CloudFormation stack creation or update or an CodeDeploy deployment that can be investigated as a potential cause of the incident. /// - /// - Parameter ListIncidentFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIncidentFindingsInput`) /// - /// - Returns: `ListIncidentFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIncidentFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1417,7 +1402,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIncidentFindingsOutput.httpOutput(from:), ListIncidentFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1449,9 +1433,9 @@ extension SSMIncidentsClient { /// /// Lists all incident records in your account. Use this command to retrieve the Amazon Resource Name (ARN) of the incident record you want to update. /// - /// - Parameter ListIncidentRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIncidentRecordsInput`) /// - /// - Returns: `ListIncidentRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIncidentRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1488,7 +1472,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIncidentRecordsOutput.httpOutput(from:), ListIncidentRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1520,9 +1503,9 @@ extension SSMIncidentsClient { /// /// List all related items for an incident record. /// - /// - Parameter ListRelatedItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRelatedItemsInput`) /// - /// - Returns: `ListRelatedItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRelatedItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1559,7 +1542,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRelatedItemsOutput.httpOutput(from:), ListRelatedItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1591,9 +1573,9 @@ extension SSMIncidentsClient { /// /// Lists details about the replication set configured in your account. /// - /// - Parameter ListReplicationSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReplicationSetsInput`) /// - /// - Returns: `ListReplicationSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReplicationSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1630,7 +1612,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReplicationSetsOutput.httpOutput(from:), ListReplicationSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1662,9 +1643,9 @@ extension SSMIncidentsClient { /// /// Lists all response plans in your account. /// - /// - Parameter ListResponsePlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResponsePlansInput`) /// - /// - Returns: `ListResponsePlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResponsePlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1701,7 +1682,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResponsePlansOutput.httpOutput(from:), ListResponsePlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1733,9 +1713,9 @@ extension SSMIncidentsClient { /// /// Lists the tags that are attached to the specified response plan or incident. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1770,7 +1750,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1802,9 +1781,9 @@ extension SSMIncidentsClient { /// /// Lists timeline events for the specified incident record. /// - /// - Parameter ListTimelineEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTimelineEventsInput`) /// - /// - Returns: `ListTimelineEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTimelineEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1841,7 +1820,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTimelineEventsOutput.httpOutput(from:), ListTimelineEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1873,9 +1851,9 @@ extension SSMIncidentsClient { /// /// Adds a resource policy to the specified response plan. The resource policy is used to share the response plan using Resource Access Manager (RAM). For more information about cross-account sharing, see [Cross-Region and cross-account incident management](https://docs.aws.amazon.com/incident-manager/latest/userguide/incident-manager-cross-account-cross-region.html). /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1913,7 +1891,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1945,9 +1922,9 @@ extension SSMIncidentsClient { /// /// Used to start an incident from CloudWatch alarms, EventBridge events, or manually. /// - /// - Parameter StartIncidentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartIncidentInput`) /// - /// - Returns: `StartIncidentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartIncidentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1987,7 +1964,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartIncidentOutput.httpOutput(from:), StartIncidentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2019,9 +1995,9 @@ extension SSMIncidentsClient { /// /// Adds a tag to a response plan. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2061,7 +2037,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2093,9 +2068,9 @@ extension SSMIncidentsClient { /// /// Removes a tag from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2132,7 +2107,6 @@ extension SSMIncidentsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2164,9 +2138,9 @@ extension SSMIncidentsClient { /// /// Update deletion protection to either allow or deny deletion of the final Region in a replication set. /// - /// - Parameter UpdateDeletionProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDeletionProtectionInput`) /// - /// - Returns: `UpdateDeletionProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDeletionProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2205,7 +2179,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeletionProtectionOutput.httpOutput(from:), UpdateDeletionProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2237,9 +2210,9 @@ extension SSMIncidentsClient { /// /// Update the details of an incident record. You can use this operation to update an incident record from the defined chat channel. For more information about using actions in chat channels, see [Interacting through chat](https://docs.aws.amazon.com/incident-manager/latest/userguide/chat.html#chat-interact). /// - /// - Parameter UpdateIncidentRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIncidentRecordInput`) /// - /// - Returns: `UpdateIncidentRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIncidentRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2279,7 +2252,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIncidentRecordOutput.httpOutput(from:), UpdateIncidentRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2311,9 +2283,9 @@ extension SSMIncidentsClient { /// /// Add or remove related items from the related items tab of an incident record. /// - /// - Parameter UpdateRelatedItemsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRelatedItemsInput`) /// - /// - Returns: `UpdateRelatedItemsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRelatedItemsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2353,7 +2325,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRelatedItemsOutput.httpOutput(from:), UpdateRelatedItemsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2385,9 +2356,9 @@ extension SSMIncidentsClient { /// /// Add or delete Regions from your replication set. /// - /// - Parameter UpdateReplicationSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReplicationSetInput`) /// - /// - Returns: `UpdateReplicationSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReplicationSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2427,7 +2398,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReplicationSetOutput.httpOutput(from:), UpdateReplicationSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2459,9 +2429,9 @@ extension SSMIncidentsClient { /// /// Updates the specified response plan. /// - /// - Parameter UpdateResponsePlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResponsePlanInput`) /// - /// - Returns: `UpdateResponsePlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResponsePlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2501,7 +2471,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResponsePlanOutput.httpOutput(from:), UpdateResponsePlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2533,9 +2502,9 @@ extension SSMIncidentsClient { /// /// Updates a timeline event. You can update events of type Custom Event. /// - /// - Parameter UpdateTimelineEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTimelineEventInput`) /// - /// - Returns: `UpdateTimelineEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTimelineEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2575,7 +2544,6 @@ extension SSMIncidentsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTimelineEventOutput.httpOutput(from:), UpdateTimelineEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSSMQuickSetup/Sources/AWSSSMQuickSetup/SSMQuickSetupClient.swift b/Sources/Services/AWSSSMQuickSetup/Sources/AWSSSMQuickSetup/SSMQuickSetupClient.swift index 6f1ab3d7003..6d7a6911c6f 100644 --- a/Sources/Services/AWSSSMQuickSetup/Sources/AWSSSMQuickSetup/SSMQuickSetupClient.swift +++ b/Sources/Services/AWSSSMQuickSetup/Sources/AWSSSMQuickSetup/SSMQuickSetupClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SSMQuickSetupClient: ClientRuntime.Client { public static let clientName = "SSMQuickSetupClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SSMQuickSetupClient.SSMQuickSetupClientConfiguration let serviceName = "SSM QuickSetup" @@ -374,9 +373,9 @@ extension SSMQuickSetupClient { /// /// Creates a Quick Setup configuration manager resource. This object is a collection of desired state configurations for multiple configuration definitions and summaries describing the deployments of those definitions. /// - /// - Parameter CreateConfigurationManagerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfigurationManagerInput`) /// - /// - Returns: `CreateConfigurationManagerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfigurationManagerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationManagerOutput.httpOutput(from:), CreateConfigurationManagerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension SSMQuickSetupClient { /// /// Deletes a configuration manager. /// - /// - Parameter DeleteConfigurationManagerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfigurationManagerInput`) /// - /// - Returns: `DeleteConfigurationManagerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfigurationManagerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationManagerOutput.httpOutput(from:), DeleteConfigurationManagerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension SSMQuickSetupClient { /// /// Returns details about the specified configuration. /// - /// - Parameter GetConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigurationInput`) /// - /// - Returns: `GetConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationOutput.httpOutput(from:), GetConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension SSMQuickSetupClient { /// /// Returns a configuration manager. /// - /// - Parameter GetConfigurationManagerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigurationManagerInput`) /// - /// - Returns: `GetConfigurationManagerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfigurationManagerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -624,7 +620,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationManagerOutput.httpOutput(from:), GetConfigurationManagerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -656,9 +651,9 @@ extension SSMQuickSetupClient { /// /// Returns settings configured for Quick Setup in the requesting Amazon Web Services account and Amazon Web Services Region. /// - /// - Parameter GetServiceSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceSettingsInput`) /// - /// - Returns: `GetServiceSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -692,7 +687,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceSettingsOutput.httpOutput(from:), GetServiceSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -724,9 +718,9 @@ extension SSMQuickSetupClient { /// /// Returns Quick Setup configuration managers. /// - /// - Parameter ListConfigurationManagersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationManagersInput`) /// - /// - Returns: `ListConfigurationManagersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationManagersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -764,7 +758,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationManagersOutput.httpOutput(from:), ListConfigurationManagersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -796,9 +789,9 @@ extension SSMQuickSetupClient { /// /// Returns configurations deployed by Quick Setup in the requesting Amazon Web Services account and Amazon Web Services Region. /// - /// - Parameter ListConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationsInput`) /// - /// - Returns: `ListConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -836,7 +829,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationsOutput.httpOutput(from:), ListConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -868,9 +860,9 @@ extension SSMQuickSetupClient { /// /// Returns the available Quick Setup types. /// - /// - Parameter ListQuickSetupTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQuickSetupTypesInput`) /// - /// - Returns: `ListQuickSetupTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQuickSetupTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -904,7 +896,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQuickSetupTypesOutput.httpOutput(from:), ListQuickSetupTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -936,9 +927,9 @@ extension SSMQuickSetupClient { /// /// Returns tags assigned to the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -974,7 +965,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1006,9 +996,9 @@ extension SSMQuickSetupClient { /// /// Assigns key-value pairs of metadata to Amazon Web Services resources. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1047,7 +1037,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1079,9 +1068,9 @@ extension SSMQuickSetupClient { /// /// Removes tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1118,7 +1107,6 @@ extension SSMQuickSetupClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1150,9 +1138,9 @@ extension SSMQuickSetupClient { /// /// Updates a Quick Setup configuration definition. /// - /// - Parameter UpdateConfigurationDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfigurationDefinitionInput`) /// - /// - Returns: `UpdateConfigurationDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfigurationDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1191,7 +1179,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationDefinitionOutput.httpOutput(from:), UpdateConfigurationDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1223,9 +1210,9 @@ extension SSMQuickSetupClient { /// /// Updates a Quick Setup configuration manager. /// - /// - Parameter UpdateConfigurationManagerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfigurationManagerInput`) /// - /// - Returns: `UpdateConfigurationManagerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfigurationManagerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1264,7 +1251,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationManagerOutput.httpOutput(from:), UpdateConfigurationManagerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1296,9 +1282,9 @@ extension SSMQuickSetupClient { /// /// Updates settings configured for Quick Setup. /// - /// - Parameter UpdateServiceSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceSettingsInput`) /// - /// - Returns: `UpdateServiceSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1336,7 +1322,6 @@ extension SSMQuickSetupClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceSettingsOutput.httpOutput(from:), UpdateServiceSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSSO/Sources/AWSSSO/SSOClient.swift b/Sources/Services/AWSSSO/Sources/AWSSSO/SSOClient.swift index 9b5861720b8..1e60eef1a43 100644 --- a/Sources/Services/AWSSSO/Sources/AWSSSO/SSOClient.swift +++ b/Sources/Services/AWSSSO/Sources/AWSSSO/SSOClient.swift @@ -21,7 +21,6 @@ import class Smithy.Context import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -63,7 +62,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SSOClient: ClientRuntime.Client { public static let clientName = "SSOClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SSOClient.SSOClientConfiguration let serviceName = "SSO" @@ -369,9 +368,9 @@ extension SSOClient { /// /// Returns the STS short-term credentials for a given role name that is assigned to the user. /// - /// - Parameter GetRoleCredentialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRoleCredentialsInput`) /// - /// - Returns: `GetRoleCredentialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRoleCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -405,7 +404,6 @@ extension SSOClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRoleCredentialsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRoleCredentialsOutput.httpOutput(from:), GetRoleCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -437,9 +435,9 @@ extension SSOClient { /// /// Lists all roles that are assigned to the user for a given AWS account. /// - /// - Parameter ListAccountRolesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountRolesInput`) /// - /// - Returns: `ListAccountRolesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountRolesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -473,7 +471,6 @@ extension SSOClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccountRolesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountRolesOutput.httpOutput(from:), ListAccountRolesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -505,9 +502,9 @@ extension SSOClient { /// /// Lists all AWS accounts assigned to the user. These AWS accounts are assigned by the administrator of the account. For more information, see [Assign User Access](https://docs.aws.amazon.com/singlesignon/latest/userguide/useraccess.html#assignusers) in the IAM Identity Center User Guide. This operation returns a paginated response. /// - /// - Parameter ListAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountsInput`) /// - /// - Returns: `ListAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -541,7 +538,6 @@ extension SSOClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountsOutput.httpOutput(from:), ListAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -573,9 +569,9 @@ extension SSOClient { /// /// Removes the locally stored SSO tokens from the client-side cache and sends an API call to the IAM Identity Center service to invalidate the corresponding server-side IAM Identity Center sign in session. If a user uses IAM Identity Center to access the AWS CLI, the user’s IAM Identity Center sign in session is used to obtain an IAM session, as specified in the corresponding IAM Identity Center permission set. More specifically, IAM Identity Center assumes an IAM role in the target account on behalf of the user, and the corresponding temporary AWS credentials are returned to the client. After user logout, any existing IAM role sessions that were created by using IAM Identity Center permission sets continue based on the duration configured in the permission set. For more information, see [User authentications](https://docs.aws.amazon.com/singlesignon/latest/userguide/authconcept.html) in the IAM Identity Center User Guide. /// - /// - Parameter LogoutInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `LogoutInput`) /// - /// - Returns: `LogoutOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `LogoutOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -607,7 +603,6 @@ extension SSOClient { builder.serialize(ClientRuntime.HeaderMiddleware(LogoutInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(LogoutOutput.httpOutput(from:), LogoutOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSSOAdmin/Sources/AWSSSOAdmin/SSOAdminClient.swift b/Sources/Services/AWSSSOAdmin/Sources/AWSSSOAdmin/SSOAdminClient.swift index f9b74305161..b8897aac043 100644 --- a/Sources/Services/AWSSSOAdmin/Sources/AWSSSOAdmin/SSOAdminClient.swift +++ b/Sources/Services/AWSSSOAdmin/Sources/AWSSSOAdmin/SSOAdminClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SSOAdminClient: ClientRuntime.Client { public static let clientName = "SSOAdminClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SSOAdminClient.SSOAdminClientConfiguration let serviceName = "SSO Admin" @@ -375,9 +374,9 @@ extension SSOAdminClient { /// /// Attaches the specified customer managed policy to the specified [PermissionSet]. /// - /// - Parameter AttachCustomerManagedPolicyReferenceToPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachCustomerManagedPolicyReferenceToPermissionSetInput`) /// - /// - Returns: `AttachCustomerManagedPolicyReferenceToPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachCustomerManagedPolicyReferenceToPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachCustomerManagedPolicyReferenceToPermissionSetOutput.httpOutput(from:), AttachCustomerManagedPolicyReferenceToPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension SSOAdminClient { /// /// Attaches an Amazon Web Services managed policy ARN to a permission set. If the permission set is already referenced by one or more account assignments, you will need to call [ProvisionPermissionSet] after this operation. Calling ProvisionPermissionSet applies the corresponding IAM policy updates to all assigned accounts. /// - /// - Parameter AttachManagedPolicyToPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachManagedPolicyToPermissionSetInput`) /// - /// - Returns: `AttachManagedPolicyToPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachManagedPolicyToPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachManagedPolicyToPermissionSetOutput.httpOutput(from:), AttachManagedPolicyToPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension SSOAdminClient { /// /// Assigns access to a principal for a specified Amazon Web Services account using a specified permission set. The term principal here refers to a user or group that is defined in IAM Identity Center. As part of a successful CreateAccountAssignment call, the specified permission set will automatically be provisioned to the account in the form of an IAM policy. That policy is attached to the IAM role created in IAM Identity Center. If the permission set is subsequently updated, the corresponding IAM policies attached to roles in your accounts will not be updated automatically. In this case, you must call [ProvisionPermissionSet] to make these updates. After a successful response, call DescribeAccountAssignmentCreationStatus to describe the status of an assignment creation request. /// - /// - Parameter CreateAccountAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccountAssignmentInput`) /// - /// - Returns: `CreateAccountAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccountAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccountAssignmentOutput.httpOutput(from:), CreateAccountAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -600,9 +596,9 @@ extension SSOAdminClient { /// /// Creates an OAuth 2.0 customer managed application in IAM Identity Center for the given application provider. This API does not support creating SAML 2.0 customer managed applications or Amazon Web Services managed applications. To learn how to create an Amazon Web Services managed application, see the application user guide. You can create a SAML 2.0 customer managed application in the Amazon Web Services Management Console only. See [Setting up customer managed SAML 2.0 applications](https://docs.aws.amazon.com/singlesignon/latest/userguide/customermanagedapps-saml2-setup.html). For more information on these application types, see [Amazon Web Services managed applications](https://docs.aws.amazon.com/singlesignon/latest/userguide/awsapps.html). /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -641,7 +637,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension SSOAdminClient { /// /// Grant application access to a user or group. /// - /// - Parameter CreateApplicationAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationAssignmentInput`) /// - /// - Returns: `CreateApplicationAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -716,7 +711,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationAssignmentOutput.httpOutput(from:), CreateApplicationAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -755,9 +749,9 @@ extension SSOAdminClient { /// /// * An instance already exists in the same account. /// - /// - Parameter CreateInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstanceInput`) /// - /// - Returns: `CreateInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -795,7 +789,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceOutput.httpOutput(from:), CreateInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -830,9 +823,9 @@ extension SSOAdminClient { /// /// Enables the attributes-based access control (ABAC) feature for the specified IAM Identity Center instance. You can also specify new attributes to add to your ABAC configuration during the enabling process. For more information about ABAC, see [Attribute-Based Access Control] in the IAM Identity Center User Guide. After a successful response, call DescribeInstanceAccessControlAttributeConfiguration to validate that InstanceAccessControlAttributeConfiguration was created. /// - /// - Parameter CreateInstanceAccessControlAttributeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInstanceAccessControlAttributeConfigurationInput`) /// - /// - Returns: `CreateInstanceAccessControlAttributeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInstanceAccessControlAttributeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -869,7 +862,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceAccessControlAttributeConfigurationOutput.httpOutput(from:), CreateInstanceAccessControlAttributeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -904,9 +896,9 @@ extension SSOAdminClient { /// /// Creates a permission set within a specified IAM Identity Center instance. To grant users and groups access to Amazon Web Services account resources, use [CreateAccountAssignment]. /// - /// - Parameter CreatePermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePermissionSetInput`) /// - /// - Returns: `CreatePermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -944,7 +936,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePermissionSetOutput.httpOutput(from:), CreatePermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -979,9 +970,9 @@ extension SSOAdminClient { /// /// Creates a connection to a trusted token issuer in an instance of IAM Identity Center. A trusted token issuer enables trusted identity propagation to be used with applications that authenticate outside of Amazon Web Services. This trusted token issuer describes an external identity provider (IdP) that can generate claims or assertions in the form of access tokens for a user. Applications enabled for IAM Identity Center can use these tokens for authentication. /// - /// - Parameter CreateTrustedTokenIssuerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrustedTokenIssuerInput`) /// - /// - Returns: `CreateTrustedTokenIssuerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrustedTokenIssuerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1019,7 +1010,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrustedTokenIssuerOutput.httpOutput(from:), CreateTrustedTokenIssuerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1044,9 @@ extension SSOAdminClient { /// /// Deletes a principal's access from a specified Amazon Web Services account using a specified permission set. After a successful response, call DescribeAccountAssignmentDeletionStatus to describe the status of an assignment deletion request. /// - /// - Parameter DeleteAccountAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountAssignmentInput`) /// - /// - Returns: `DeleteAccountAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1093,7 +1083,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountAssignmentOutput.httpOutput(from:), DeleteAccountAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1128,9 +1117,9 @@ extension SSOAdminClient { /// /// Deletes the association with the application. The connected service resource still exists. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1167,7 +1156,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1202,9 +1190,9 @@ extension SSOAdminClient { /// /// Deletes an IAM Identity Center access scope from an application. /// - /// - Parameter DeleteApplicationAccessScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationAccessScopeInput`) /// - /// - Returns: `DeleteApplicationAccessScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationAccessScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1241,7 +1229,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationAccessScopeOutput.httpOutput(from:), DeleteApplicationAccessScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1276,9 +1263,9 @@ extension SSOAdminClient { /// /// Revoke application access to an application by deleting application assignments for a user or group. /// - /// - Parameter DeleteApplicationAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationAssignmentInput`) /// - /// - Returns: `DeleteApplicationAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1315,7 +1302,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationAssignmentOutput.httpOutput(from:), DeleteApplicationAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1350,9 +1336,9 @@ extension SSOAdminClient { /// /// Deletes an authentication method from an application. /// - /// - Parameter DeleteApplicationAuthenticationMethodInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationAuthenticationMethodInput`) /// - /// - Returns: `DeleteApplicationAuthenticationMethodOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationAuthenticationMethodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1389,7 +1375,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationAuthenticationMethodOutput.httpOutput(from:), DeleteApplicationAuthenticationMethodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1424,9 +1409,9 @@ extension SSOAdminClient { /// /// Deletes a grant from an application. /// - /// - Parameter DeleteApplicationGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationGrantInput`) /// - /// - Returns: `DeleteApplicationGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1463,7 +1448,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationGrantOutput.httpOutput(from:), DeleteApplicationGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1498,9 +1482,9 @@ extension SSOAdminClient { /// /// Deletes the inline policy from a specified permission set. /// - /// - Parameter DeleteInlinePolicyFromPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInlinePolicyFromPermissionSetInput`) /// - /// - Returns: `DeleteInlinePolicyFromPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInlinePolicyFromPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1537,7 +1521,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInlinePolicyFromPermissionSetOutput.httpOutput(from:), DeleteInlinePolicyFromPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1572,9 +1555,9 @@ extension SSOAdminClient { /// /// Deletes the instance of IAM Identity Center. Only the account that owns the instance can call this API. Neither the delegated administrator nor member account can delete the organization instance, but those roles can delete their own instance. /// - /// - Parameter DeleteInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInstanceInput`) /// - /// - Returns: `DeleteInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1610,7 +1593,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceOutput.httpOutput(from:), DeleteInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1645,9 +1627,9 @@ extension SSOAdminClient { /// /// Disables the attributes-based access control (ABAC) feature for the specified IAM Identity Center instance and deletes all of the attribute mappings that have been configured. Once deleted, any attributes that are received from an identity source and any custom attributes you have previously configured will not be passed. For more information about ABAC, see [Attribute-Based Access Control] in the IAM Identity Center User Guide. /// - /// - Parameter DeleteInstanceAccessControlAttributeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInstanceAccessControlAttributeConfigurationInput`) /// - /// - Returns: `DeleteInstanceAccessControlAttributeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInstanceAccessControlAttributeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1684,7 +1666,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceAccessControlAttributeConfigurationOutput.httpOutput(from:), DeleteInstanceAccessControlAttributeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1719,9 +1700,9 @@ extension SSOAdminClient { /// /// Deletes the specified permission set. /// - /// - Parameter DeletePermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePermissionSetInput`) /// - /// - Returns: `DeletePermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1758,7 +1739,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePermissionSetOutput.httpOutput(from:), DeletePermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1793,9 +1773,9 @@ extension SSOAdminClient { /// /// Deletes the permissions boundary from a specified [PermissionSet]. /// - /// - Parameter DeletePermissionsBoundaryFromPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePermissionsBoundaryFromPermissionSetInput`) /// - /// - Returns: `DeletePermissionsBoundaryFromPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePermissionsBoundaryFromPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1832,7 +1812,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePermissionsBoundaryFromPermissionSetOutput.httpOutput(from:), DeletePermissionsBoundaryFromPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1867,9 +1846,9 @@ extension SSOAdminClient { /// /// Deletes a trusted token issuer configuration from an instance of IAM Identity Center. Deleting this trusted token issuer configuration will cause users to lose access to any applications that are configured to use the trusted token issuer. /// - /// - Parameter DeleteTrustedTokenIssuerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrustedTokenIssuerInput`) /// - /// - Returns: `DeleteTrustedTokenIssuerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrustedTokenIssuerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1906,7 +1885,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrustedTokenIssuerOutput.httpOutput(from:), DeleteTrustedTokenIssuerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1941,9 +1919,9 @@ extension SSOAdminClient { /// /// Describes the status of the assignment creation request. /// - /// - Parameter DescribeAccountAssignmentCreationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountAssignmentCreationStatusInput`) /// - /// - Returns: `DescribeAccountAssignmentCreationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountAssignmentCreationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1979,7 +1957,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountAssignmentCreationStatusOutput.httpOutput(from:), DescribeAccountAssignmentCreationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2014,9 +1991,9 @@ extension SSOAdminClient { /// /// Describes the status of the assignment deletion request. /// - /// - Parameter DescribeAccountAssignmentDeletionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountAssignmentDeletionStatusInput`) /// - /// - Returns: `DescribeAccountAssignmentDeletionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountAssignmentDeletionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2052,7 +2029,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountAssignmentDeletionStatusOutput.httpOutput(from:), DescribeAccountAssignmentDeletionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2087,9 +2063,9 @@ extension SSOAdminClient { /// /// Retrieves the details of an application associated with an instance of IAM Identity Center. /// - /// - Parameter DescribeApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationInput`) /// - /// - Returns: `DescribeApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2125,7 +2101,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationOutput.httpOutput(from:), DescribeApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2160,9 +2135,9 @@ extension SSOAdminClient { /// /// Retrieves a direct assignment of a user or group to an application. If the user doesn’t have a direct assignment to the application, the user may still have access to the application through a group. Therefore, don’t use this API to test access to an application for a user. Instead use [ListApplicationAssignmentsForPrincipal]. /// - /// - Parameter DescribeApplicationAssignmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationAssignmentInput`) /// - /// - Returns: `DescribeApplicationAssignmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationAssignmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2198,7 +2173,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationAssignmentOutput.httpOutput(from:), DescribeApplicationAssignmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2233,9 +2207,9 @@ extension SSOAdminClient { /// /// Retrieves details about a provider that can be used to connect an Amazon Web Services managed application or customer managed application to IAM Identity Center. /// - /// - Parameter DescribeApplicationProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationProviderInput`) /// - /// - Returns: `DescribeApplicationProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2271,7 +2245,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationProviderOutput.httpOutput(from:), DescribeApplicationProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2312,9 +2285,9 @@ extension SSOAdminClient { /// /// * ACTIVE - The instance is active. /// - /// - Parameter DescribeInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceInput`) /// - /// - Returns: `DescribeInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2349,7 +2322,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceOutput.httpOutput(from:), DescribeInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2384,9 +2356,9 @@ extension SSOAdminClient { /// /// Returns the list of IAM Identity Center identity store attributes that have been configured to work with attributes-based access control (ABAC) for the specified IAM Identity Center instance. This will not return attributes configured and sent by an external identity provider. For more information about ABAC, see [Attribute-Based Access Control] in the IAM Identity Center User Guide. /// - /// - Parameter DescribeInstanceAccessControlAttributeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInstanceAccessControlAttributeConfigurationInput`) /// - /// - Returns: `DescribeInstanceAccessControlAttributeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInstanceAccessControlAttributeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2422,7 +2394,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInstanceAccessControlAttributeConfigurationOutput.httpOutput(from:), DescribeInstanceAccessControlAttributeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2457,9 +2428,9 @@ extension SSOAdminClient { /// /// Gets the details of the permission set. /// - /// - Parameter DescribePermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePermissionSetInput`) /// - /// - Returns: `DescribePermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2495,7 +2466,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePermissionSetOutput.httpOutput(from:), DescribePermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2530,9 +2500,9 @@ extension SSOAdminClient { /// /// Describes the status for the given permission set provisioning request. /// - /// - Parameter DescribePermissionSetProvisioningStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePermissionSetProvisioningStatusInput`) /// - /// - Returns: `DescribePermissionSetProvisioningStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePermissionSetProvisioningStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2568,7 +2538,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePermissionSetProvisioningStatusOutput.httpOutput(from:), DescribePermissionSetProvisioningStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2603,9 +2572,9 @@ extension SSOAdminClient { /// /// Retrieves details about a trusted token issuer configuration stored in an instance of IAM Identity Center. Details include the name of the trusted token issuer, the issuer URL, and the path of the source attribute and the destination attribute for a trusted token issuer configuration. /// - /// - Parameter DescribeTrustedTokenIssuerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrustedTokenIssuerInput`) /// - /// - Returns: `DescribeTrustedTokenIssuerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrustedTokenIssuerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2641,7 +2610,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrustedTokenIssuerOutput.httpOutput(from:), DescribeTrustedTokenIssuerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2676,9 +2644,9 @@ extension SSOAdminClient { /// /// Detaches the specified customer managed policy from the specified [PermissionSet]. /// - /// - Parameter DetachCustomerManagedPolicyReferenceFromPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachCustomerManagedPolicyReferenceFromPermissionSetInput`) /// - /// - Returns: `DetachCustomerManagedPolicyReferenceFromPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachCustomerManagedPolicyReferenceFromPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2715,7 +2683,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachCustomerManagedPolicyReferenceFromPermissionSetOutput.httpOutput(from:), DetachCustomerManagedPolicyReferenceFromPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2750,9 +2717,9 @@ extension SSOAdminClient { /// /// Detaches the attached Amazon Web Services managed policy ARN from the specified permission set. /// - /// - Parameter DetachManagedPolicyFromPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachManagedPolicyFromPermissionSetInput`) /// - /// - Returns: `DetachManagedPolicyFromPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachManagedPolicyFromPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2789,7 +2756,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachManagedPolicyFromPermissionSetOutput.httpOutput(from:), DetachManagedPolicyFromPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2824,9 +2790,9 @@ extension SSOAdminClient { /// /// Retrieves the authorized targets for an IAM Identity Center access scope for an application. /// - /// - Parameter GetApplicationAccessScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationAccessScopeInput`) /// - /// - Returns: `GetApplicationAccessScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationAccessScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2862,7 +2828,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationAccessScopeOutput.httpOutput(from:), GetApplicationAccessScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2897,9 +2862,9 @@ extension SSOAdminClient { /// /// Retrieves the configuration of [PutApplicationAssignmentConfiguration]. /// - /// - Parameter GetApplicationAssignmentConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationAssignmentConfigurationInput`) /// - /// - Returns: `GetApplicationAssignmentConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationAssignmentConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2935,7 +2900,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationAssignmentConfigurationOutput.httpOutput(from:), GetApplicationAssignmentConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2970,9 +2934,9 @@ extension SSOAdminClient { /// /// Retrieves details about an authentication method used by an application. /// - /// - Parameter GetApplicationAuthenticationMethodInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationAuthenticationMethodInput`) /// - /// - Returns: `GetApplicationAuthenticationMethodOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationAuthenticationMethodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3008,7 +2972,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationAuthenticationMethodOutput.httpOutput(from:), GetApplicationAuthenticationMethodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3043,9 +3006,9 @@ extension SSOAdminClient { /// /// Retrieves details about an application grant. /// - /// - Parameter GetApplicationGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationGrantInput`) /// - /// - Returns: `GetApplicationGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3081,7 +3044,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationGrantOutput.httpOutput(from:), GetApplicationGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3116,9 +3078,9 @@ extension SSOAdminClient { /// /// Retrieves the session configuration for an application in IAM Identity Center. The session configuration determines how users can access an application. This includes whether user background sessions are enabled. User background sessions allow users to start a job on a supported Amazon Web Services managed application without having to remain signed in to an active session while the job runs. /// - /// - Parameter GetApplicationSessionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationSessionConfigurationInput`) /// - /// - Returns: `GetApplicationSessionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationSessionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3154,7 +3116,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationSessionConfigurationOutput.httpOutput(from:), GetApplicationSessionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3189,9 +3150,9 @@ extension SSOAdminClient { /// /// Obtains the inline policy assigned to the permission set. /// - /// - Parameter GetInlinePolicyForPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInlinePolicyForPermissionSetInput`) /// - /// - Returns: `GetInlinePolicyForPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInlinePolicyForPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3227,7 +3188,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInlinePolicyForPermissionSetOutput.httpOutput(from:), GetInlinePolicyForPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3262,9 +3222,9 @@ extension SSOAdminClient { /// /// Obtains the permissions boundary for a specified [PermissionSet]. /// - /// - Parameter GetPermissionsBoundaryForPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPermissionsBoundaryForPermissionSetInput`) /// - /// - Returns: `GetPermissionsBoundaryForPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPermissionsBoundaryForPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3300,7 +3260,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPermissionsBoundaryForPermissionSetOutput.httpOutput(from:), GetPermissionsBoundaryForPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3335,9 +3294,9 @@ extension SSOAdminClient { /// /// Lists the status of the Amazon Web Services account assignment creation requests for a specified IAM Identity Center instance. /// - /// - Parameter ListAccountAssignmentCreationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountAssignmentCreationStatusInput`) /// - /// - Returns: `ListAccountAssignmentCreationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountAssignmentCreationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3373,7 +3332,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountAssignmentCreationStatusOutput.httpOutput(from:), ListAccountAssignmentCreationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3408,9 +3366,9 @@ extension SSOAdminClient { /// /// Lists the status of the Amazon Web Services account assignment deletion requests for a specified IAM Identity Center instance. /// - /// - Parameter ListAccountAssignmentDeletionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountAssignmentDeletionStatusInput`) /// - /// - Returns: `ListAccountAssignmentDeletionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountAssignmentDeletionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3446,7 +3404,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountAssignmentDeletionStatusOutput.httpOutput(from:), ListAccountAssignmentDeletionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3481,9 +3438,9 @@ extension SSOAdminClient { /// /// Lists the assignee of the specified Amazon Web Services account with the specified permission set. /// - /// - Parameter ListAccountAssignmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountAssignmentsInput`) /// - /// - Returns: `ListAccountAssignmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountAssignmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3519,7 +3476,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountAssignmentsOutput.httpOutput(from:), ListAccountAssignmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3554,9 +3510,9 @@ extension SSOAdminClient { /// /// Retrieves a list of the IAM Identity Center associated Amazon Web Services accounts that the principal has access to. This action must be called from the management account containing your organization instance of IAM Identity Center. This action is not valid for account instances of IAM Identity Center. /// - /// - Parameter ListAccountAssignmentsForPrincipalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountAssignmentsForPrincipalInput`) /// - /// - Returns: `ListAccountAssignmentsForPrincipalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountAssignmentsForPrincipalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3592,7 +3548,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountAssignmentsForPrincipalOutput.httpOutput(from:), ListAccountAssignmentsForPrincipalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3627,9 +3582,9 @@ extension SSOAdminClient { /// /// Lists all the Amazon Web Services accounts where the specified permission set is provisioned. /// - /// - Parameter ListAccountsForProvisionedPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountsForProvisionedPermissionSetInput`) /// - /// - Returns: `ListAccountsForProvisionedPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountsForProvisionedPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3665,7 +3620,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountsForProvisionedPermissionSetOutput.httpOutput(from:), ListAccountsForProvisionedPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3700,9 +3654,9 @@ extension SSOAdminClient { /// /// Lists the access scopes and authorized targets associated with an application. /// - /// - Parameter ListApplicationAccessScopesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationAccessScopesInput`) /// - /// - Returns: `ListApplicationAccessScopesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationAccessScopesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3738,7 +3692,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationAccessScopesOutput.httpOutput(from:), ListApplicationAccessScopesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3773,9 +3726,9 @@ extension SSOAdminClient { /// /// Lists Amazon Web Services account users that are assigned to an application. /// - /// - Parameter ListApplicationAssignmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationAssignmentsInput`) /// - /// - Returns: `ListApplicationAssignmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationAssignmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3811,7 +3764,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationAssignmentsOutput.httpOutput(from:), ListApplicationAssignmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3846,9 +3798,9 @@ extension SSOAdminClient { /// /// Lists the applications to which a specified principal is assigned. You must provide a filter when calling this action from a member account against your organization instance of IAM Identity Center. A filter is not required when called from the management account against an organization instance of IAM Identity Center, or from a member account against an account instance of IAM Identity Center in the same account. /// - /// - Parameter ListApplicationAssignmentsForPrincipalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationAssignmentsForPrincipalInput`) /// - /// - Returns: `ListApplicationAssignmentsForPrincipalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationAssignmentsForPrincipalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3884,7 +3836,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationAssignmentsForPrincipalOutput.httpOutput(from:), ListApplicationAssignmentsForPrincipalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3919,9 +3870,9 @@ extension SSOAdminClient { /// /// Lists all of the authentication methods supported by the specified application. /// - /// - Parameter ListApplicationAuthenticationMethodsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationAuthenticationMethodsInput`) /// - /// - Returns: `ListApplicationAuthenticationMethodsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationAuthenticationMethodsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3957,7 +3908,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationAuthenticationMethodsOutput.httpOutput(from:), ListApplicationAuthenticationMethodsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3992,9 +3942,9 @@ extension SSOAdminClient { /// /// List the grants associated with an application. /// - /// - Parameter ListApplicationGrantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationGrantsInput`) /// - /// - Returns: `ListApplicationGrantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationGrantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4030,7 +3980,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationGrantsOutput.httpOutput(from:), ListApplicationGrantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4065,9 +4014,9 @@ extension SSOAdminClient { /// /// Lists the application providers configured in the IAM Identity Center identity store. /// - /// - Parameter ListApplicationProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationProvidersInput`) /// - /// - Returns: `ListApplicationProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4102,7 +4051,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationProvidersOutput.httpOutput(from:), ListApplicationProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4137,9 +4085,9 @@ extension SSOAdminClient { /// /// Lists all applications associated with the instance of IAM Identity Center. When listing applications for an organization instance in the management account, member accounts must use the applicationAccount parameter to filter the list to only applications created from that account. When listing applications for an account instance in the same member account, a filter is not required. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4174,7 +4122,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4209,9 +4156,9 @@ extension SSOAdminClient { /// /// Lists all customer managed policies attached to a specified [PermissionSet]. /// - /// - Parameter ListCustomerManagedPolicyReferencesInPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCustomerManagedPolicyReferencesInPermissionSetInput`) /// - /// - Returns: `ListCustomerManagedPolicyReferencesInPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCustomerManagedPolicyReferencesInPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4247,7 +4194,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCustomerManagedPolicyReferencesInPermissionSetOutput.httpOutput(from:), ListCustomerManagedPolicyReferencesInPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4282,9 +4228,9 @@ extension SSOAdminClient { /// /// Lists the details of the organization and account instances of IAM Identity Center that were created in or visible to the account calling this API. /// - /// - Parameter ListInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstancesInput`) /// - /// - Returns: `ListInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4319,7 +4265,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstancesOutput.httpOutput(from:), ListInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4354,9 +4299,9 @@ extension SSOAdminClient { /// /// Lists the Amazon Web Services managed policy that is attached to a specified permission set. /// - /// - Parameter ListManagedPoliciesInPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedPoliciesInPermissionSetInput`) /// - /// - Returns: `ListManagedPoliciesInPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedPoliciesInPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4392,7 +4337,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedPoliciesInPermissionSetOutput.httpOutput(from:), ListManagedPoliciesInPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4427,9 +4371,9 @@ extension SSOAdminClient { /// /// Lists the status of the permission set provisioning requests for a specified IAM Identity Center instance. /// - /// - Parameter ListPermissionSetProvisioningStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionSetProvisioningStatusInput`) /// - /// - Returns: `ListPermissionSetProvisioningStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionSetProvisioningStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4465,7 +4409,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionSetProvisioningStatusOutput.httpOutput(from:), ListPermissionSetProvisioningStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4500,9 +4443,9 @@ extension SSOAdminClient { /// /// Lists the [PermissionSet]s in an IAM Identity Center instance. /// - /// - Parameter ListPermissionSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionSetsInput`) /// - /// - Returns: `ListPermissionSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4538,7 +4481,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionSetsOutput.httpOutput(from:), ListPermissionSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4573,9 +4515,9 @@ extension SSOAdminClient { /// /// Lists all the permission sets that are provisioned to a specified Amazon Web Services account. /// - /// - Parameter ListPermissionSetsProvisionedToAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPermissionSetsProvisionedToAccountInput`) /// - /// - Returns: `ListPermissionSetsProvisionedToAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPermissionSetsProvisionedToAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4611,7 +4553,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPermissionSetsProvisionedToAccountOutput.httpOutput(from:), ListPermissionSetsProvisionedToAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4646,9 +4587,9 @@ extension SSOAdminClient { /// /// Lists the tags that are attached to a specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4684,7 +4625,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4719,9 +4659,9 @@ extension SSOAdminClient { /// /// Lists all the trusted token issuers configured in an instance of IAM Identity Center. /// - /// - Parameter ListTrustedTokenIssuersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrustedTokenIssuersInput`) /// - /// - Returns: `ListTrustedTokenIssuersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrustedTokenIssuersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4756,7 +4696,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrustedTokenIssuersOutput.httpOutput(from:), ListTrustedTokenIssuersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4791,9 +4730,9 @@ extension SSOAdminClient { /// /// The process by which a specified permission set is provisioned to the specified target. /// - /// - Parameter ProvisionPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ProvisionPermissionSetInput`) /// - /// - Returns: `ProvisionPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ProvisionPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4830,7 +4769,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ProvisionPermissionSetOutput.httpOutput(from:), ProvisionPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4865,9 +4803,9 @@ extension SSOAdminClient { /// /// Adds or updates the list of authorized targets for an IAM Identity Center access scope for an application. /// - /// - Parameter PutApplicationAccessScopeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutApplicationAccessScopeInput`) /// - /// - Returns: `PutApplicationAccessScopeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutApplicationAccessScopeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4904,7 +4842,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutApplicationAccessScopeOutput.httpOutput(from:), PutApplicationAccessScopeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4939,9 +4876,9 @@ extension SSOAdminClient { /// /// Configure how users gain access to an application. If AssignmentsRequired is true (default value), users don’t have access to the application unless an assignment is created using the [CreateApplicationAssignment API](https://docs.aws.amazon.com/singlesignon/latest/APIReference/API_CreateApplicationAssignment.html). If false, all users have access to the application. If an assignment is created using [CreateApplicationAssignment](https://docs.aws.amazon.com/singlesignon/latest/APIReference/API_CreateApplicationAssignment.html)., the user retains access if AssignmentsRequired is set to true. /// - /// - Parameter PutApplicationAssignmentConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutApplicationAssignmentConfigurationInput`) /// - /// - Returns: `PutApplicationAssignmentConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutApplicationAssignmentConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4978,7 +4915,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutApplicationAssignmentConfigurationOutput.httpOutput(from:), PutApplicationAssignmentConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5013,9 +4949,9 @@ extension SSOAdminClient { /// /// Adds or updates an authentication method for an application. /// - /// - Parameter PutApplicationAuthenticationMethodInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutApplicationAuthenticationMethodInput`) /// - /// - Returns: `PutApplicationAuthenticationMethodOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutApplicationAuthenticationMethodOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5052,7 +4988,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutApplicationAuthenticationMethodOutput.httpOutput(from:), PutApplicationAuthenticationMethodOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5113,9 +5048,9 @@ extension SSOAdminClient { /// /// * Configuring an Amazon Web Services service to make calls to another Amazon Web Services services using JWT tokens. /// - /// - Parameter PutApplicationGrantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutApplicationGrantInput`) /// - /// - Returns: `PutApplicationGrantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutApplicationGrantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5152,7 +5087,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutApplicationGrantOutput.httpOutput(from:), PutApplicationGrantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5187,9 +5121,9 @@ extension SSOAdminClient { /// /// Updates the session configuration for an application in IAM Identity Center. The session configuration determines how users can access an application. This includes whether user background sessions are enabled. User background sessions allow users to start a job on a supported Amazon Web Services managed application without having to remain signed in to an active session while the job runs. /// - /// - Parameter PutApplicationSessionConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutApplicationSessionConfigurationInput`) /// - /// - Returns: `PutApplicationSessionConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutApplicationSessionConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5226,7 +5160,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutApplicationSessionConfigurationOutput.httpOutput(from:), PutApplicationSessionConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5261,9 +5194,9 @@ extension SSOAdminClient { /// /// Attaches an inline policy to a permission set. If the permission set is already referenced by one or more account assignments, you will need to call [ProvisionPermissionSet] after this action to apply the corresponding IAM policy updates to all assigned accounts. /// - /// - Parameter PutInlinePolicyToPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutInlinePolicyToPermissionSetInput`) /// - /// - Returns: `PutInlinePolicyToPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutInlinePolicyToPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5301,7 +5234,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutInlinePolicyToPermissionSetOutput.httpOutput(from:), PutInlinePolicyToPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5336,9 +5268,9 @@ extension SSOAdminClient { /// /// Attaches an Amazon Web Services managed or customer managed policy to the specified [PermissionSet] as a permissions boundary. /// - /// - Parameter PutPermissionsBoundaryToPermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPermissionsBoundaryToPermissionSetInput`) /// - /// - Returns: `PutPermissionsBoundaryToPermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPermissionsBoundaryToPermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5375,7 +5307,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPermissionsBoundaryToPermissionSetOutput.httpOutput(from:), PutPermissionsBoundaryToPermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5410,9 +5341,9 @@ extension SSOAdminClient { /// /// Associates a set of tags with a specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5450,7 +5381,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5485,9 +5415,9 @@ extension SSOAdminClient { /// /// Disassociates a set of tags from a specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5524,7 +5454,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5559,9 +5488,9 @@ extension SSOAdminClient { /// /// Updates application properties. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5598,7 +5527,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5633,9 +5561,9 @@ extension SSOAdminClient { /// /// Update the details for the instance of IAM Identity Center that is owned by the Amazon Web Services account. /// - /// - Parameter UpdateInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInstanceInput`) /// - /// - Returns: `UpdateInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5672,7 +5600,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInstanceOutput.httpOutput(from:), UpdateInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5707,9 +5634,9 @@ extension SSOAdminClient { /// /// Updates the IAM Identity Center identity store attributes that you can use with the IAM Identity Center instance for attributes-based access control (ABAC). When using an external identity provider as an identity source, you can pass attributes through the SAML assertion as an alternative to configuring attributes from the IAM Identity Center identity store. If a SAML assertion passes any of these attributes, IAM Identity Center replaces the attribute value with the value from the IAM Identity Center identity store. For more information about ABAC, see [Attribute-Based Access Control] in the IAM Identity Center User Guide. /// - /// - Parameter UpdateInstanceAccessControlAttributeConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInstanceAccessControlAttributeConfigurationInput`) /// - /// - Returns: `UpdateInstanceAccessControlAttributeConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInstanceAccessControlAttributeConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5746,7 +5673,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInstanceAccessControlAttributeConfigurationOutput.httpOutput(from:), UpdateInstanceAccessControlAttributeConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5781,9 +5707,9 @@ extension SSOAdminClient { /// /// Updates an existing permission set. /// - /// - Parameter UpdatePermissionSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePermissionSetInput`) /// - /// - Returns: `UpdatePermissionSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePermissionSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5820,7 +5746,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePermissionSetOutput.httpOutput(from:), UpdatePermissionSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5855,9 +5780,9 @@ extension SSOAdminClient { /// /// Updates the name of the trusted token issuer, or the path of a source attribute or destination attribute for a trusted token issuer configuration. Updating this trusted token issuer configuration might cause users to lose access to any applications that are configured to use the trusted token issuer. /// - /// - Parameter UpdateTrustedTokenIssuerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrustedTokenIssuerInput`) /// - /// - Returns: `UpdateTrustedTokenIssuerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrustedTokenIssuerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5894,7 +5819,6 @@ extension SSOAdminClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrustedTokenIssuerOutput.httpOutput(from:), UpdateTrustedTokenIssuerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSSOOIDC/Sources/AWSSSOOIDC/SSOOIDCClient.swift b/Sources/Services/AWSSSOOIDC/Sources/AWSSSOOIDC/SSOOIDCClient.swift index 4a3ef101d14..773986da043 100644 --- a/Sources/Services/AWSSSOOIDC/Sources/AWSSSOOIDC/SSOOIDCClient.swift +++ b/Sources/Services/AWSSSOOIDC/Sources/AWSSSOOIDC/SSOOIDCClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SSOOIDCClient: ClientRuntime.Client { public static let clientName = "SSOOIDCClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SSOOIDCClient.SSOOIDCClientConfiguration let serviceName = "SSO OIDC" @@ -373,9 +372,9 @@ extension SSOOIDCClient { /// /// Creates and returns access and refresh tokens for clients that are authenticated using client secrets. The access token can be used to fetch short-lived credentials for the assigned AWS accounts or to access application APIs using bearer authentication. /// - /// - Parameter CreateTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTokenInput`) /// - /// - Returns: `CreateTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension SSOOIDCClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTokenOutput.httpOutput(from:), CreateTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension SSOOIDCClient { /// /// Creates and returns access and refresh tokens for authorized client applications that are authenticated using any IAM entity, such as a service role or user. These tokens might contain defined scopes that specify permissions such as read:profile or write:data. Through downscoping, you can use the scopes parameter to request tokens with reduced permissions compared to the original client application's permissions or, if applicable, the refresh token's scopes. The access token can be used to fetch short-lived credentials for the assigned Amazon Web Services accounts or to access application APIs using bearer authentication. This API is used with Signature Version 4. For more information, see [Amazon Web Services Signature Version 4 for API Requests](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_sigv.html). /// - /// - Parameter CreateTokenWithIAMInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTokenWithIAMInput`) /// - /// - Returns: `CreateTokenWithIAMOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTokenWithIAMOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -497,7 +495,6 @@ extension SSOOIDCClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTokenWithIAMOutput.httpOutput(from:), CreateTokenWithIAMOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -529,9 +526,9 @@ extension SSOOIDCClient { /// /// Registers a public client with IAM Identity Center. This allows clients to perform authorization using the authorization code grant with Proof Key for Code Exchange (PKCE) or the device code grant. /// - /// - Parameter RegisterClientInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterClientInput`) /// - /// - Returns: `RegisterClientOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterClientOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -569,7 +566,6 @@ extension SSOOIDCClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterClientOutput.httpOutput(from:), RegisterClientOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension SSOOIDCClient { /// /// Initiates device authorization by requesting a pair of verification codes from the authorization service. /// - /// - Parameter StartDeviceAuthorizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDeviceAuthorizationInput`) /// - /// - Returns: `StartDeviceAuthorizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDeviceAuthorizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -639,7 +635,6 @@ extension SSOOIDCClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDeviceAuthorizationOutput.httpOutput(from:), StartDeviceAuthorizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSTS/Sources/AWSSTS/Models.swift b/Sources/Services/AWSSTS/Sources/AWSSTS/Models.swift index 3f0fd5ac571..a364ddf3cc9 100644 --- a/Sources/Services/AWSSTS/Sources/AWSSTS/Models.swift +++ b/Sources/Services/AWSSTS/Sources/AWSSTS/Models.swift @@ -19,7 +19,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyXML.Reader -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum ClientRuntime.ErrorFault import enum ClientRuntime.OrchestratorMetricsAttributesKeys @@ -1469,7 +1468,6 @@ extension GetCallerIdentityInput { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCallerIdentityOutput.httpOutput(from:), GetCallerIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSTS/Sources/AWSSTS/STSClient.swift b/Sources/Services/AWSSTS/Sources/AWSSTS/STSClient.swift index 2a4d7ed4953..e3192cd3883 100644 --- a/Sources/Services/AWSSTS/Sources/AWSSTS/STSClient.swift +++ b/Sources/Services/AWSSTS/Sources/AWSSTS/STSClient.swift @@ -26,7 +26,6 @@ import class Smithy.ContextBuilder @_spi(SmithyReadWrite) import class SmithyFormURL.Writer import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -71,7 +70,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class STSClient: ClientRuntime.Client { public static let clientName = "STSClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: STSClient.STSClientConfiguration let serviceName = "STS" @@ -393,9 +392,9 @@ extension STSClient { /// /// You can do either because the role’s trust policy acts as an IAM resource-based policy. When a resource-based policy grants access to a principal in the same account, no additional identity-based policy is required. For more information about trust policies and resource-based policies, see [IAM Policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies.html) in the IAM User Guide. Tags (Optional) You can pass tag key-value pairs to your session. These tags are called session tags. For more information about session tags, see [Passing Session Tags in STS](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_session-tags.html) in the IAM User Guide. An administrator must grant you the permissions necessary to pass session tags. The administrator can also create granular permissions to allow you to pass only specific session tags. For more information, see [Tutorial: Using Tags for Attribute-Based Access Control](https://docs.aws.amazon.com/IAM/latest/UserGuide/tutorial_attribute-based-access-control.html) in the IAM User Guide. You can set the session tags as transitive. Transitive tags persist during role chaining. For more information, see [Chaining Roles with Session Tags](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_session-tags.html#id_session-tags_role-chaining) in the IAM User Guide. Using MFA with AssumeRole (Optional) You can include multi-factor authentication (MFA) information when you call AssumeRole. This is useful for cross-account scenarios to ensure that the user that assumes the role has been authenticated with an Amazon Web Services MFA device. In that scenario, the trust policy of the role being assumed includes a condition that tests for MFA authentication. If the caller does not include valid MFA information, the request to assume the role is denied. The condition in a trust policy that tests for MFA authentication might look like the following example. "Condition": {"Bool": {"aws:MultiFactorAuthPresent": true}} For more information, see [Configuring MFA-Protected API Access](https://docs.aws.amazon.com/IAM/latest/UserGuide/MFAProtectedAPI.html) in the IAM User Guide guide. To use MFA with AssumeRole, you pass values for the SerialNumber and TokenCode parameters. The SerialNumber value identifies the user's hardware or virtual MFA device. The TokenCode is the time-based one-time password (TOTP) that the MFA device produces. /// - /// - Parameter AssumeRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeRoleInput`) /// - /// - Returns: `AssumeRoleOutput` : Contains the response to a successful [AssumeRole] request, including temporary Amazon Web Services credentials that can be used to make Amazon Web Services requests. + /// - Returns: Contains the response to a successful [AssumeRole] request, including temporary Amazon Web Services credentials that can be used to make Amazon Web Services requests. (Type: `AssumeRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -430,7 +429,6 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRoleOutput.httpOutput(from:), AssumeRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -472,9 +470,9 @@ extension STSClient { /// /// * [Creating a Role for SAML 2.0 Federation](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_create_for-idp_saml.html) in the IAM User Guide. /// - /// - Parameter AssumeRoleWithSAMLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeRoleWithSAMLInput`) /// - /// - Returns: `AssumeRoleWithSAMLOutput` : Contains the response to a successful [AssumeRoleWithSAML] request, including temporary Amazon Web Services credentials that can be used to make Amazon Web Services requests. + /// - Returns: Contains the response to a successful [AssumeRoleWithSAML] request, including temporary Amazon Web Services credentials that can be used to make Amazon Web Services requests. (Type: `AssumeRoleWithSAMLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -509,7 +507,6 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRoleWithSAMLOutput.httpOutput(from:), AssumeRoleWithSAMLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -547,9 +544,9 @@ extension STSClient { /// /// * [Amazon Web Services SDK for iOS Developer Guide](http://aws.amazon.com/sdkforios/) and [Amazon Web Services SDK for Android Developer Guide](http://aws.amazon.com/sdkforandroid/). These toolkits contain sample apps that show how to invoke the identity providers. The toolkits then show how to use the information from these providers to get and use temporary security credentials. /// - /// - Parameter AssumeRoleWithWebIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeRoleWithWebIdentityInput`) /// - /// - Returns: `AssumeRoleWithWebIdentityOutput` : Contains the response to a successful [AssumeRoleWithWebIdentity] request, including temporary Amazon Web Services credentials that can be used to make Amazon Web Services requests. + /// - Returns: Contains the response to a successful [AssumeRoleWithWebIdentity] request, including temporary Amazon Web Services credentials that can be used to make Amazon Web Services requests. (Type: `AssumeRoleWithWebIdentityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -585,7 +582,6 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRoleWithWebIdentityOutput.httpOutput(from:), AssumeRoleWithWebIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -619,9 +615,9 @@ extension STSClient { /// /// Returns a set of short term credentials you can use to perform privileged tasks on a member account in your organization. Before you can launch a privileged session, you must have centralized root access in your organization. For steps to enable this feature, see [Centralize root access for member accounts](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_root-enable-root-access.html) in the IAM User Guide. The STS global endpoint is not supported for AssumeRoot. You must send this request to a Regional STS endpoint. For more information, see [Endpoints](https://docs.aws.amazon.com/STS/latest/APIReference/welcome.html#sts-endpoints). You can track AssumeRoot in CloudTrail logs to determine what actions were performed in a session. For more information, see [Track privileged tasks in CloudTrail](https://docs.aws.amazon.com/IAM/latest/UserGuide/cloudtrail-track-privileged-tasks.html) in the IAM User Guide. /// - /// - Parameter AssumeRootInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeRootInput`) /// - /// - Returns: `AssumeRootOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssumeRootOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -654,7 +650,6 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeRootOutput.httpOutput(from:), AssumeRootOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -698,9 +693,9 @@ extension STSClient { /// /// * The values of condition keys in the context of the user's request. /// - /// - Parameter DecodeAuthorizationMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DecodeAuthorizationMessageInput`) /// - /// - Returns: `DecodeAuthorizationMessageOutput` : A document that contains additional information about the authorization status of a request from an encoded message that is returned in response to an Amazon Web Services request. + /// - Returns: A document that contains additional information about the authorization status of a request from an encoded message that is returned in response to an Amazon Web Services request. (Type: `DecodeAuthorizationMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -732,7 +727,6 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DecodeAuthorizationMessageOutput.httpOutput(from:), DecodeAuthorizationMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -766,9 +760,9 @@ extension STSClient { /// /// Returns the account identifier for the specified access key ID. Access keys consist of two parts: an access key ID (for example, AKIAIOSFODNN7EXAMPLE) and a secret access key (for example, wJalrXUtnFEMI/K7MDENG/bPxRfiCYEXAMPLEKEY). For more information about access keys, see [Managing Access Keys for IAM Users](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_access-keys.html) in the IAM User Guide. When you pass an access key ID to this operation, it returns the ID of the Amazon Web Services account to which the keys belong. Access key IDs beginning with AKIA are long-term credentials for an IAM user or the Amazon Web Services account root user. Access key IDs beginning with ASIA are temporary credentials that are created using STS operations. If the account in the response belongs to you, you can sign in as the root user and review your root user access keys. Then, you can pull a [credentials report](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_getting-report.html) to learn which IAM user owns the keys. To learn who requested the temporary credentials for an ASIA access key, view the STS events in your [CloudTrail logs](https://docs.aws.amazon.com/IAM/latest/UserGuide/cloudtrail-integration.html) in the IAM User Guide. This operation does not indicate the state of the access key. The key might be active, inactive, or deleted. Active keys might not have permissions to perform an operation. Providing a deleted access key might return an error that the key doesn't exist. /// - /// - Parameter GetAccessKeyInfoInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessKeyInfoInput`) /// - /// - Returns: `GetAccessKeyInfoOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessKeyInfoOutput`) public func getAccessKeyInfo(input: GetAccessKeyInfoInput) async throws -> GetAccessKeyInfoOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -795,7 +789,6 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessKeyInfoOutput.httpOutput(from:), GetAccessKeyInfoOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -829,9 +822,9 @@ extension STSClient { /// /// Returns details about the IAM user or role whose credentials are used to call the operation. No permissions are required to perform this operation. If an administrator attaches a policy to your identity that explicitly denies access to the sts:GetCallerIdentity action, you can still perform this operation. Permissions are not required because the same information is returned when access is denied. To view an example response, see [I Am Not Authorized to Perform: iam:DeleteVirtualMFADevice](https://docs.aws.amazon.com/IAM/latest/UserGuide/troubleshoot_general.html#troubleshoot_general_access-denied-delete-mfa) in the IAM User Guide. /// - /// - Parameter GetCallerIdentityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCallerIdentityInput`) /// - /// - Returns: `GetCallerIdentityOutput` : Contains the response to a successful [GetCallerIdentity] request, including information about the entity making the request. + /// - Returns: Contains the response to a successful [GetCallerIdentity] request, including information about the entity making the request. (Type: `GetCallerIdentityOutput`) public func getCallerIdentity(input: GetCallerIdentityInput) async throws -> GetCallerIdentityOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -858,7 +851,6 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCallerIdentityOutput.httpOutput(from:), GetCallerIdentityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -899,9 +891,9 @@ extension STSClient { /// /// You can use temporary credentials for single sign-on (SSO) to the console. You must pass an inline or managed [session policy](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies.html#policies_session) to this operation. You can pass a single JSON policy document to use as an inline session policy. You can also specify up to 10 managed policy Amazon Resource Names (ARNs) to use as managed session policies. The plaintext that you use for both inline and managed session policies can't exceed 2,048 characters. Though the session policy parameters are optional, if you do not pass a policy, then the resulting federated user session has no permissions. When you pass session policies, the session permissions are the intersection of the IAM user policies and the session policies that you pass. This gives you a way to further restrict the permissions for a federated user. You cannot use session policies to grant more permissions than those that are defined in the permissions policy of the IAM user. For more information, see [Session Policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies.html#policies_session) in the IAM User Guide. For information about using GetFederationToken to create temporary security credentials, see [GetFederationToken—Federation Through a Custom Identity Broker](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_temp_request.html#api_getfederationtoken). You can use the credentials to access a resource that has a resource-based policy. If that policy specifically references the federated user session in the Principal element of the policy, the session has the permissions allowed by the policy. These permissions are granted in addition to the permissions granted by the session policies. Tags (Optional) You can pass tag key-value pairs to your session. These are called session tags. For more information about session tags, see [Passing Session Tags in STS](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_session-tags.html) in the IAM User Guide. You can create a mobile-based or browser-based app that can authenticate users using a web identity provider like Login with Amazon, Facebook, Google, or an OpenID Connect-compatible identity provider. In this case, we recommend that you use [Amazon Cognito](http://aws.amazon.com/cognito/) or AssumeRoleWithWebIdentity. For more information, see [Federation Through a Web-based Identity Provider](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_temp_request.html#api_assumerolewithwebidentity) in the IAM User Guide. An administrator must grant you the permissions necessary to pass session tags. The administrator can also create granular permissions to allow you to pass only specific session tags. For more information, see [Tutorial: Using Tags for Attribute-Based Access Control](https://docs.aws.amazon.com/IAM/latest/UserGuide/tutorial_attribute-based-access-control.html) in the IAM User Guide. Tag key–value pairs are not case sensitive, but case is preserved. This means that you cannot have separate Department and department tag keys. Assume that the user that you are federating has the Department=Marketing tag and you pass the department=engineering session tag. Department and department are not saved as separate tags, and the session tag passed in the request takes precedence over the user tag. /// - /// - Parameter GetFederationTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFederationTokenInput`) /// - /// - Returns: `GetFederationTokenOutput` : Contains the response to a successful [GetFederationToken] request, including temporary Amazon Web Services credentials that can be used to make Amazon Web Services requests. + /// - Returns: Contains the response to a successful [GetFederationToken] request, including temporary Amazon Web Services credentials that can be used to make Amazon Web Services requests. (Type: `GetFederationTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -935,7 +927,6 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFederationTokenOutput.httpOutput(from:), GetFederationTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -976,9 +967,9 @@ extension STSClient { /// /// The credentials that GetSessionToken returns are based on permissions associated with the IAM user whose credentials were used to call the operation. The temporary credentials have the same permissions as the IAM user. Although it is possible to call GetSessionToken using the security credentials of an Amazon Web Services account root user rather than an IAM user, we do not recommend it. If GetSessionToken is called using root user credentials, the temporary credentials have root user permissions. For more information, see [Safeguard your root user credentials and don't use them for everyday tasks](https://docs.aws.amazon.com/IAM/latest/UserGuide/best-practices.html#lock-away-credentials) in the IAM User Guide For more information about using GetSessionToken to create temporary credentials, see [Temporary Credentials for Users in Untrusted Environments](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_temp_request.html#api_getsessiontoken) in the IAM User Guide. /// - /// - Parameter GetSessionTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionTokenInput`) /// - /// - Returns: `GetSessionTokenOutput` : Contains the response to a successful [GetSessionToken] request, including temporary Amazon Web Services credentials that can be used to make Amazon Web Services requests. + /// - Returns: Contains the response to a successful [GetSessionToken] request, including temporary Amazon Web Services credentials that can be used to make Amazon Web Services requests. (Type: `GetSessionTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1010,7 +1001,6 @@ extension STSClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionTokenOutput.httpOutput(from:), GetSessionTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSWF/Sources/AWSSWF/SWFClient.swift b/Sources/Services/AWSSWF/Sources/AWSSWF/SWFClient.swift index 2fbb2df861f..69c1764645c 100644 --- a/Sources/Services/AWSSWF/Sources/AWSSWF/SWFClient.swift +++ b/Sources/Services/AWSSWF/Sources/AWSSWF/SWFClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SWFClient: ClientRuntime.Client { public static let clientName = "SWFClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SWFClient.SWFClientConfiguration let serviceName = "SWF" @@ -392,9 +391,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter CountClosedWorkflowExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CountClosedWorkflowExecutionsInput`) /// - /// - Returns: `CountClosedWorkflowExecutionsOutput` : Contains the count of workflow executions returned from [CountOpenWorkflowExecutions] or [CountClosedWorkflowExecutions] + /// - Returns: Contains the count of workflow executions returned from [CountOpenWorkflowExecutions] or [CountClosedWorkflowExecutions] (Type: `CountClosedWorkflowExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -427,7 +426,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CountClosedWorkflowExecutionsOutput.httpOutput(from:), CountClosedWorkflowExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -480,9 +478,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter CountOpenWorkflowExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CountOpenWorkflowExecutionsInput`) /// - /// - Returns: `CountOpenWorkflowExecutionsOutput` : Contains the count of workflow executions returned from [CountOpenWorkflowExecutions] or [CountClosedWorkflowExecutions] + /// - Returns: Contains the count of workflow executions returned from [CountOpenWorkflowExecutions] or [CountClosedWorkflowExecutions] (Type: `CountOpenWorkflowExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -515,7 +513,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CountOpenWorkflowExecutionsOutput.httpOutput(from:), CountOpenWorkflowExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -559,9 +556,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter CountPendingActivityTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CountPendingActivityTasksInput`) /// - /// - Returns: `CountPendingActivityTasksOutput` : Contains the count of tasks in a task list. + /// - Returns: Contains the count of tasks in a task list. (Type: `CountPendingActivityTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -594,7 +591,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CountPendingActivityTasksOutput.httpOutput(from:), CountPendingActivityTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -638,9 +634,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter CountPendingDecisionTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CountPendingDecisionTasksInput`) /// - /// - Returns: `CountPendingDecisionTasksOutput` : Contains the count of tasks in a task list. + /// - Returns: Contains the count of tasks in a task list. (Type: `CountPendingDecisionTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -673,7 +669,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CountPendingDecisionTasksOutput.httpOutput(from:), CountPendingDecisionTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -724,9 +719,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter DeleteActivityTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteActivityTypeInput`) /// - /// - Returns: `DeleteActivityTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteActivityTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -760,7 +755,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteActivityTypeOutput.httpOutput(from:), DeleteActivityTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -811,9 +805,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter DeleteWorkflowTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkflowTypeInput`) /// - /// - Returns: `DeleteWorkflowTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkflowTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +841,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkflowTypeOutput.httpOutput(from:), DeleteWorkflowTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -898,9 +891,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter DeprecateActivityTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeprecateActivityTypeInput`) /// - /// - Returns: `DeprecateActivityTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeprecateActivityTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -934,7 +927,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprecateActivityTypeOutput.httpOutput(from:), DeprecateActivityTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -978,9 +970,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter DeprecateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeprecateDomainInput`) /// - /// - Returns: `DeprecateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeprecateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1014,7 +1006,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprecateDomainOutput.httpOutput(from:), DeprecateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1065,9 +1056,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter DeprecateWorkflowTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeprecateWorkflowTypeInput`) /// - /// - Returns: `DeprecateWorkflowTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeprecateWorkflowTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1101,7 +1092,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeprecateWorkflowTypeOutput.httpOutput(from:), DeprecateWorkflowTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1152,9 +1142,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter DescribeActivityTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeActivityTypeInput`) /// - /// - Returns: `DescribeActivityTypeOutput` : Detailed information about an activity type. + /// - Returns: Detailed information about an activity type. (Type: `DescribeActivityTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1187,7 +1177,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeActivityTypeOutput.httpOutput(from:), DescribeActivityTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1231,9 +1220,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter DescribeDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDomainInput`) /// - /// - Returns: `DescribeDomainOutput` : Contains details of a domain. + /// - Returns: Contains details of a domain. (Type: `DescribeDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1266,7 +1255,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainOutput.httpOutput(from:), DescribeDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1310,9 +1298,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter DescribeWorkflowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkflowExecutionInput`) /// - /// - Returns: `DescribeWorkflowExecutionOutput` : Contains details about a workflow execution. + /// - Returns: Contains details about a workflow execution. (Type: `DescribeWorkflowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1345,7 +1333,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkflowExecutionOutput.httpOutput(from:), DescribeWorkflowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1396,9 +1383,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter DescribeWorkflowTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkflowTypeInput`) /// - /// - Returns: `DescribeWorkflowTypeOutput` : Contains details about a workflow type. + /// - Returns: Contains details about a workflow type. (Type: `DescribeWorkflowTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1431,7 +1418,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkflowTypeOutput.httpOutput(from:), DescribeWorkflowTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1475,9 +1461,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter GetWorkflowExecutionHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWorkflowExecutionHistoryInput`) /// - /// - Returns: `GetWorkflowExecutionHistoryOutput` : Paginated representation of a workflow history for a workflow execution. This is the up to date, complete and authoritative record of the events related to all tasks and events in the life of the workflow execution. + /// - Returns: Paginated representation of a workflow history for a workflow execution. This is the up to date, complete and authoritative record of the events related to all tasks and events in the life of the workflow execution. (Type: `GetWorkflowExecutionHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1510,7 +1496,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkflowExecutionHistoryOutput.httpOutput(from:), GetWorkflowExecutionHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1554,9 +1539,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter ListActivityTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListActivityTypesInput`) /// - /// - Returns: `ListActivityTypesOutput` : Contains a paginated list of activity type information structures. + /// - Returns: Contains a paginated list of activity type information structures. (Type: `ListActivityTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1589,7 +1574,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActivityTypesOutput.httpOutput(from:), ListActivityTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1642,9 +1626,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter ListClosedWorkflowExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClosedWorkflowExecutionsInput`) /// - /// - Returns: `ListClosedWorkflowExecutionsOutput` : Contains a paginated list of information about workflow executions. + /// - Returns: Contains a paginated list of information about workflow executions. (Type: `ListClosedWorkflowExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1677,7 +1661,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClosedWorkflowExecutionsOutput.httpOutput(from:), ListClosedWorkflowExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1721,9 +1704,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter ListDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainsInput`) /// - /// - Returns: `ListDomainsOutput` : Contains a paginated collection of DomainInfo structures. + /// - Returns: Contains a paginated collection of DomainInfo structures. (Type: `ListDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1755,7 +1738,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsOutput.httpOutput(from:), ListDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1808,9 +1790,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter ListOpenWorkflowExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOpenWorkflowExecutionsInput`) /// - /// - Returns: `ListOpenWorkflowExecutionsOutput` : Contains a paginated list of information about workflow executions. + /// - Returns: Contains a paginated list of information about workflow executions. (Type: `ListOpenWorkflowExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1843,7 +1825,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOpenWorkflowExecutionsOutput.httpOutput(from:), ListOpenWorkflowExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1878,9 +1859,9 @@ extension SWFClient { /// /// List tags for a given domain. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1914,7 +1895,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1958,9 +1938,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter ListWorkflowTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowTypesInput`) /// - /// - Returns: `ListWorkflowTypesOutput` : Contains a paginated list of information structures about workflow types. + /// - Returns: Contains a paginated list of information structures about workflow types. (Type: `ListWorkflowTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1993,7 +1973,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowTypesOutput.httpOutput(from:), ListWorkflowTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2037,9 +2016,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter PollForActivityTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PollForActivityTaskInput`) /// - /// - Returns: `PollForActivityTaskOutput` : Unit of work sent to an activity worker. + /// - Returns: Unit of work sent to an activity worker. (Type: `PollForActivityTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2073,7 +2052,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PollForActivityTaskOutput.httpOutput(from:), PollForActivityTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2117,9 +2095,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter PollForDecisionTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PollForDecisionTaskInput`) /// - /// - Returns: `PollForDecisionTaskOutput` : A structure that represents a decision task. Decision tasks are sent to deciders in order for them to make decisions. + /// - Returns: A structure that represents a decision task. Decision tasks are sent to deciders in order for them to make decisions. (Type: `PollForDecisionTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2153,7 +2131,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PollForDecisionTaskOutput.httpOutput(from:), PollForDecisionTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2197,9 +2174,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter RecordActivityTaskHeartbeatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RecordActivityTaskHeartbeatInput`) /// - /// - Returns: `RecordActivityTaskHeartbeatOutput` : Status information about an activity task. + /// - Returns: Status information about an activity task. (Type: `RecordActivityTaskHeartbeatOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2232,7 +2209,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RecordActivityTaskHeartbeatOutput.httpOutput(from:), RecordActivityTaskHeartbeatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2285,9 +2261,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter RegisterActivityTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterActivityTypeInput`) /// - /// - Returns: `RegisterActivityTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterActivityTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2322,7 +2298,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterActivityTypeOutput.httpOutput(from:), RegisterActivityTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2366,9 +2341,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter RegisterDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterDomainInput`) /// - /// - Returns: `RegisterDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2403,7 +2378,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterDomainOutput.httpOutput(from:), RegisterDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2456,9 +2430,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter RegisterWorkflowTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterWorkflowTypeInput`) /// - /// - Returns: `RegisterWorkflowTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterWorkflowTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2493,7 +2467,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterWorkflowTypeOutput.httpOutput(from:), RegisterWorkflowTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2537,9 +2510,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter RequestCancelWorkflowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RequestCancelWorkflowExecutionInput`) /// - /// - Returns: `RequestCancelWorkflowExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RequestCancelWorkflowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2545,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RequestCancelWorkflowExecutionOutput.httpOutput(from:), RequestCancelWorkflowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2616,9 +2588,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter RespondActivityTaskCanceledInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RespondActivityTaskCanceledInput`) /// - /// - Returns: `RespondActivityTaskCanceledOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RespondActivityTaskCanceledOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2651,7 +2623,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RespondActivityTaskCanceledOutput.httpOutput(from:), RespondActivityTaskCanceledOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2695,9 +2666,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter RespondActivityTaskCompletedInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RespondActivityTaskCompletedInput`) /// - /// - Returns: `RespondActivityTaskCompletedOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RespondActivityTaskCompletedOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2730,7 +2701,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RespondActivityTaskCompletedOutput.httpOutput(from:), RespondActivityTaskCompletedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2774,9 +2744,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter RespondActivityTaskFailedInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RespondActivityTaskFailedInput`) /// - /// - Returns: `RespondActivityTaskFailedOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RespondActivityTaskFailedOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2809,7 +2779,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RespondActivityTaskFailedOutput.httpOutput(from:), RespondActivityTaskFailedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2844,9 +2813,9 @@ extension SWFClient { /// /// Used by deciders to tell the service that the [DecisionTask] identified by the taskToken has successfully completed. The decisions argument specifies the list of decisions made while processing the task. A DecisionTaskCompleted event is added to the workflow history. The executionContext specified is attached to the event in the workflow execution history. Access Control If an IAM policy grants permission to use RespondDecisionTaskCompleted, it can express permissions for the list of decisions in the decisions parameter. Each of the decisions has one or more parameters, much like a regular API call. To allow for policies to be as readable as possible, you can express permissions on decisions as if they were actual API calls, including applying conditions to some parameters. For more information, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter RespondDecisionTaskCompletedInput : Input data for a TaskCompleted response to a decision task. + /// - Parameter input: Input data for a TaskCompleted response to a decision task. (Type: `RespondDecisionTaskCompletedInput`) /// - /// - Returns: `RespondDecisionTaskCompletedOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RespondDecisionTaskCompletedOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2879,7 +2848,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RespondDecisionTaskCompletedOutput.httpOutput(from:), RespondDecisionTaskCompletedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2923,9 +2891,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter SignalWorkflowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SignalWorkflowExecutionInput`) /// - /// - Returns: `SignalWorkflowExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SignalWorkflowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2958,7 +2926,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SignalWorkflowExecutionOutput.httpOutput(from:), SignalWorkflowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3021,9 +2988,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter StartWorkflowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartWorkflowExecutionInput`) /// - /// - Returns: `StartWorkflowExecutionOutput` : Specifies the runId of a workflow execution. + /// - Returns: Specifies the runId of a workflow execution. (Type: `StartWorkflowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3060,7 +3027,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartWorkflowExecutionOutput.httpOutput(from:), StartWorkflowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3095,9 +3061,9 @@ extension SWFClient { /// /// Add a tag to a Amazon SWF domain. Amazon SWF supports a maximum of 50 tags per resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3132,7 +3098,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3176,9 +3141,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter TerminateWorkflowExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateWorkflowExecutionInput`) /// - /// - Returns: `TerminateWorkflowExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateWorkflowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3211,7 +3176,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateWorkflowExecutionOutput.httpOutput(from:), TerminateWorkflowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3262,9 +3226,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter UndeprecateActivityTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UndeprecateActivityTypeInput`) /// - /// - Returns: `UndeprecateActivityTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UndeprecateActivityTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3298,7 +3262,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UndeprecateActivityTypeOutput.httpOutput(from:), UndeprecateActivityTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3342,9 +3305,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter UndeprecateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UndeprecateDomainInput`) /// - /// - Returns: `UndeprecateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UndeprecateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3378,7 +3341,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UndeprecateDomainOutput.httpOutput(from:), UndeprecateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3429,9 +3391,9 @@ extension SWFClient { /// /// If the caller doesn't have sufficient permissions to invoke the action, or the parameter values fall outside the specified constraints, the action fails. The associated event attribute's cause parameter is set to OPERATION_NOT_PERMITTED. For details and example IAM policies, see [Using IAM to Manage Access to Amazon SWF Workflows](https://docs.aws.amazon.com/amazonswf/latest/developerguide/swf-dev-iam.html) in the Amazon SWF Developer Guide. /// - /// - Parameter UndeprecateWorkflowTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UndeprecateWorkflowTypeInput`) /// - /// - Returns: `UndeprecateWorkflowTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UndeprecateWorkflowTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3465,7 +3427,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UndeprecateWorkflowTypeOutput.httpOutput(from:), UndeprecateWorkflowTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3500,9 +3461,9 @@ extension SWFClient { /// /// Remove a tag from a Amazon SWF domain. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3536,7 +3497,6 @@ extension SWFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSageMaker/Sources/AWSSageMaker/SageMakerClient.swift b/Sources/Services/AWSSageMaker/Sources/AWSSageMaker/SageMakerClient.swift index 74f705603f2..22528f83820 100644 --- a/Sources/Services/AWSSageMaker/Sources/AWSSageMaker/SageMakerClient.swift +++ b/Sources/Services/AWSSageMaker/Sources/AWSSageMaker/SageMakerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SageMakerClient: ClientRuntime.Client { public static let clientName = "SageMakerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SageMakerClient.SageMakerClientConfiguration let serviceName = "SageMaker" @@ -375,9 +374,9 @@ extension SageMakerClient { /// /// Creates an association between the source and the destination. A source can be associated with multiple destinations, and a destination can be associated with multiple sources. An association is a lineage tracking entity. For more information, see [Amazon SageMaker ML Lineage Tracking](https://docs.aws.amazon.com/sagemaker/latest/dg/lineage-tracking.html). /// - /// - Parameter AddAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddAssociationInput`) /// - /// - Returns: `AddAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddAssociationOutput.httpOutput(from:), AddAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension SageMakerClient { /// /// Adds or overwrites one or more tags for the specified SageMaker resource. You can add tags to notebook instances, training jobs, hyperparameter tuning jobs, batch transform jobs, models, labeling jobs, work teams, endpoint configurations, and endpoints. Each tag consists of a key and an optional value. Tag keys must be unique per resource. For more information about tags, see For more information, see [Amazon Web Services Tagging Strategies](https://aws.amazon.com/answers/account-management/aws-tagging-strategies/). Tags that you add to a hyperparameter tuning job by calling this API are also added to any training jobs that the hyperparameter tuning job launches after you call this API, but not to training jobs that the hyperparameter tuning job launched before you called this API. To make sure that the tags associated with a hyperparameter tuning job are also added to all training jobs that the hyperparameter tuning job launches, add the tags when you first create the tuning job by specifying them in the Tags parameter of [CreateHyperParameterTuningJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateHyperParameterTuningJob.html) Tags that you add to a SageMaker Domain or User Profile by calling this API are also added to any Apps that the Domain or User Profile launches after you call this API, but not to Apps that the Domain or User Profile launched before you called this API. To make sure that the tags associated with a Domain or User Profile are also added to all Apps that the Domain or User Profile launches, add the tags when you first create the Domain or User Profile by specifying them in the Tags parameter of [CreateDomain](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateDomain.html) or [CreateUserProfile](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateUserProfile.html). /// - /// - Parameter AddTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddTagsInput`) /// - /// - Returns: `AddTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddTagsOutput`) public func addTags(input: AddTagsInput) async throws -> AddTagsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -474,7 +472,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsOutput.httpOutput(from:), AddTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -509,9 +506,9 @@ extension SageMakerClient { /// /// Associates a trial component with a trial. A trial component can be associated with multiple trials. To disassociate a trial component from a trial, call the [DisassociateTrialComponent](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DisassociateTrialComponent.html) API. /// - /// - Parameter AssociateTrialComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTrialComponentInput`) /// - /// - Returns: `AssociateTrialComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTrialComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -544,7 +541,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTrialComponentOutput.httpOutput(from:), AssociateTrialComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -579,9 +575,9 @@ extension SageMakerClient { /// /// Attaches your Amazon Elastic Block Store (Amazon EBS) volume to a node in your EKS orchestrated HyperPod cluster. This API works with the Amazon Elastic Block Store (Amazon EBS) Container Storage Interface (CSI) driver to manage the lifecycle of persistent storage in your HyperPod EKS clusters. /// - /// - Parameter AttachClusterNodeVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AttachClusterNodeVolumeInput`) /// - /// - Returns: `AttachClusterNodeVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AttachClusterNodeVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -613,7 +609,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachClusterNodeVolumeOutput.httpOutput(from:), AttachClusterNodeVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -648,9 +643,9 @@ extension SageMakerClient { /// /// Adds nodes to a HyperPod cluster by incrementing the target count for one or more instance groups. This operation returns a unique NodeLogicalId for each node being added, which can be used to track the provisioning status of the node. This API provides a safer alternative to UpdateCluster for scaling operations by avoiding unintended configuration changes. This API is only supported for clusters using Continuous as the NodeProvisioningMode. /// - /// - Parameter BatchAddClusterNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAddClusterNodesInput`) /// - /// - Returns: `BatchAddClusterNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAddClusterNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -684,7 +679,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAddClusterNodesOutput.httpOutput(from:), BatchAddClusterNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -723,9 +717,9 @@ extension SageMakerClient { /// /// * If you want to invoke this API on an existing cluster, you'll first need to patch the cluster by running the [UpdateClusterSoftware API](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_UpdateClusterSoftware.html). For more information about patching a cluster, see [Update the SageMaker HyperPod platform software of a cluster](https://docs.aws.amazon.com/sagemaker/latest/dg/sagemaker-hyperpod-operate-cli-command.html#sagemaker-hyperpod-operate-cli-command-update-cluster-software). /// - /// - Parameter BatchDeleteClusterNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteClusterNodesInput`) /// - /// - Returns: `BatchDeleteClusterNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteClusterNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -757,7 +751,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteClusterNodesOutput.httpOutput(from:), BatchDeleteClusterNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -792,9 +785,9 @@ extension SageMakerClient { /// /// This action batch describes a list of versioned model packages /// - /// - Parameter BatchDescribeModelPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDescribeModelPackageInput`) /// - /// - Returns: `BatchDescribeModelPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDescribeModelPackageOutput`) public func batchDescribeModelPackage(input: BatchDescribeModelPackageInput) async throws -> BatchDescribeModelPackageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -821,7 +814,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDescribeModelPackageOutput.httpOutput(from:), BatchDescribeModelPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -856,9 +848,9 @@ extension SageMakerClient { /// /// Creates an action. An action is a lineage tracking entity that represents an action or activity. For example, a model deployment or an HPO job. Generally, an action involves at least one input or output artifact. For more information, see [Amazon SageMaker ML Lineage Tracking](https://docs.aws.amazon.com/sagemaker/latest/dg/lineage-tracking.html). /// - /// - Parameter CreateActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateActionInput`) /// - /// - Returns: `CreateActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -890,7 +882,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateActionOutput.httpOutput(from:), CreateActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -925,9 +916,9 @@ extension SageMakerClient { /// /// Create a machine learning algorithm that you can use in SageMaker and list in the Amazon Web Services Marketplace. /// - /// - Parameter CreateAlgorithmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAlgorithmInput`) /// - /// - Returns: `CreateAlgorithmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAlgorithmOutput`) public func createAlgorithm(input: CreateAlgorithmInput) async throws -> CreateAlgorithmOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -954,7 +945,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAlgorithmOutput.httpOutput(from:), CreateAlgorithmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -989,9 +979,9 @@ extension SageMakerClient { /// /// Creates a running app for the specified UserProfile. This operation is automatically invoked by Amazon SageMaker AI upon access to the associated Domain, and when new kernel configurations are selected by the user. A user may have multiple Apps active simultaneously. /// - /// - Parameter CreateAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppInput`) /// - /// - Returns: `CreateAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1024,7 +1014,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppOutput.httpOutput(from:), CreateAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1059,9 +1048,9 @@ extension SageMakerClient { /// /// Creates a configuration for running a SageMaker AI image as a KernelGateway app. The configuration specifies the Amazon Elastic File System storage volume on the image, and a list of the kernels in the image. /// - /// - Parameter CreateAppImageConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAppImageConfigInput`) /// - /// - Returns: `CreateAppImageConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAppImageConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1093,7 +1082,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAppImageConfigOutput.httpOutput(from:), CreateAppImageConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1128,9 +1116,9 @@ extension SageMakerClient { /// /// Creates an artifact. An artifact is a lineage tracking entity that represents a URI addressable object or data. Some examples are the S3 URI of a dataset and the ECR registry path of an image. For more information, see [Amazon SageMaker ML Lineage Tracking](https://docs.aws.amazon.com/sagemaker/latest/dg/lineage-tracking.html). /// - /// - Parameter CreateArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateArtifactInput`) /// - /// - Returns: `CreateArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1162,7 +1150,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateArtifactOutput.httpOutput(from:), CreateArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1197,9 +1184,9 @@ extension SageMakerClient { /// /// Creates an Autopilot job also referred to as Autopilot experiment or AutoML job. An AutoML job in SageMaker AI is a fully automated process that allows you to build machine learning models with minimal effort and machine learning expertise. When initiating an AutoML job, you provide your data and optionally specify parameters tailored to your use case. SageMaker AI then automates the entire model development lifecycle, including data preprocessing, model training, tuning, and evaluation. AutoML jobs are designed to simplify and accelerate the model building process by automating various tasks and exploring different combinations of machine learning algorithms, data preprocessing techniques, and hyperparameter values. The output of an AutoML job comprises one or more trained models ready for deployment and inference. Additionally, SageMaker AI AutoML jobs generate a candidate model leaderboard, allowing you to select the best-performing model for deployment. For more information about AutoML jobs, see [https://docs.aws.amazon.com/sagemaker/latest/dg/autopilot-automate-model-development.html](https://docs.aws.amazon.com/sagemaker/latest/dg/autopilot-automate-model-development.html) in the SageMaker AI developer guide. We recommend using the new versions [CreateAutoMLJobV2](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateAutoMLJobV2.html) and [DescribeAutoMLJobV2](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeAutoMLJobV2.html), which offer backward compatibility. CreateAutoMLJobV2 can manage tabular problem types identical to those of its previous version CreateAutoMLJob, as well as time-series forecasting, non-tabular problem types such as image or text classification, and text generation (LLMs fine-tuning). Find guidelines about how to migrate a CreateAutoMLJob to CreateAutoMLJobV2 in [Migrate a CreateAutoMLJob to CreateAutoMLJobV2](https://docs.aws.amazon.com/sagemaker/latest/dg/autopilot-automate-model-development-create-experiment.html#autopilot-create-experiment-api-migrate-v1-v2). You can find the best-performing model after you run an AutoML job by calling [DescribeAutoMLJobV2](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeAutoMLJobV2.html) (recommended) or [DescribeAutoMLJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeAutoMLJob.html). /// - /// - Parameter CreateAutoMLJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAutoMLJobInput`) /// - /// - Returns: `CreateAutoMLJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAutoMLJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1232,7 +1219,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAutoMLJobOutput.httpOutput(from:), CreateAutoMLJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1267,9 +1253,9 @@ extension SageMakerClient { /// /// Creates an Autopilot job also referred to as Autopilot experiment or AutoML job V2. An AutoML job in SageMaker AI is a fully automated process that allows you to build machine learning models with minimal effort and machine learning expertise. When initiating an AutoML job, you provide your data and optionally specify parameters tailored to your use case. SageMaker AI then automates the entire model development lifecycle, including data preprocessing, model training, tuning, and evaluation. AutoML jobs are designed to simplify and accelerate the model building process by automating various tasks and exploring different combinations of machine learning algorithms, data preprocessing techniques, and hyperparameter values. The output of an AutoML job comprises one or more trained models ready for deployment and inference. Additionally, SageMaker AI AutoML jobs generate a candidate model leaderboard, allowing you to select the best-performing model for deployment. For more information about AutoML jobs, see [https://docs.aws.amazon.com/sagemaker/latest/dg/autopilot-automate-model-development.html](https://docs.aws.amazon.com/sagemaker/latest/dg/autopilot-automate-model-development.html) in the SageMaker AI developer guide. AutoML jobs V2 support various problem types such as regression, binary, and multiclass classification with tabular data, text and image classification, time-series forecasting, and fine-tuning of large language models (LLMs) for text generation. [CreateAutoMLJobV2](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateAutoMLJobV2.html) and [DescribeAutoMLJobV2](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeAutoMLJobV2.html) are new versions of [CreateAutoMLJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateAutoMLJob.html) and [DescribeAutoMLJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeAutoMLJob.html) which offer backward compatibility. CreateAutoMLJobV2 can manage tabular problem types identical to those of its previous version CreateAutoMLJob, as well as time-series forecasting, non-tabular problem types such as image or text classification, and text generation (LLMs fine-tuning). Find guidelines about how to migrate a CreateAutoMLJob to CreateAutoMLJobV2 in [Migrate a CreateAutoMLJob to CreateAutoMLJobV2](https://docs.aws.amazon.com/sagemaker/latest/dg/autopilot-automate-model-development-create-experiment.html#autopilot-create-experiment-api-migrate-v1-v2). For the list of available problem types supported by CreateAutoMLJobV2, see [AutoMLProblemTypeConfig](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_AutoMLProblemTypeConfig.html). You can find the best-performing model after you run an AutoML job V2 by calling [DescribeAutoMLJobV2](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeAutoMLJobV2.html). /// - /// - Parameter CreateAutoMLJobV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAutoMLJobV2Input`) /// - /// - Returns: `CreateAutoMLJobV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAutoMLJobV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1302,7 +1288,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAutoMLJobV2Output.httpOutput(from:), CreateAutoMLJobV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1337,9 +1322,9 @@ extension SageMakerClient { /// /// Creates a SageMaker HyperPod cluster. SageMaker HyperPod is a capability of SageMaker for creating and managing persistent clusters for developing large machine learning models, such as large language models (LLMs) and diffusion models. To learn more, see [Amazon SageMaker HyperPod](https://docs.aws.amazon.com/sagemaker/latest/dg/sagemaker-hyperpod.html) in the Amazon SageMaker Developer Guide. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1372,7 +1357,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1407,9 +1391,9 @@ extension SageMakerClient { /// /// Create cluster policy configuration. This policy is used for task prioritization and fair-share allocation of idle compute. This helps prioritize critical workloads and distributes idle compute across entities. /// - /// - Parameter CreateClusterSchedulerConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterSchedulerConfigInput`) /// - /// - Returns: `CreateClusterSchedulerConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterSchedulerConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1442,7 +1426,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterSchedulerConfigOutput.httpOutput(from:), CreateClusterSchedulerConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1477,9 +1460,9 @@ extension SageMakerClient { /// /// Creates a Git repository as a resource in your SageMaker AI account. You can associate the repository with notebook instances so that you can use Git source control for the notebooks you create. The Git repository is a resource in your SageMaker AI account, so it can be associated with more than one notebook instance, and it persists independently from the lifecycle of any notebook instances it is associated with. The repository can be hosted either in [Amazon Web Services CodeCommit](https://docs.aws.amazon.com/codecommit/latest/userguide/welcome.html) or in any other Git repository. /// - /// - Parameter CreateCodeRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCodeRepositoryInput`) /// - /// - Returns: `CreateCodeRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCodeRepositoryOutput`) public func createCodeRepository(input: CreateCodeRepositoryInput) async throws -> CreateCodeRepositoryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1506,7 +1489,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCodeRepositoryOutput.httpOutput(from:), CreateCodeRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1552,9 +1534,9 @@ extension SageMakerClient { /// /// You can also provide a Tag to track the model compilation job's resource use and costs. The response body contains the CompilationJobArn for the compiled job. To stop a model compilation job, use [StopCompilationJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_StopCompilationJob.html). To get information about a particular model compilation job, use [DescribeCompilationJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeCompilationJob.html). To get information about multiple model compilation jobs, use [ListCompilationJobs](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_ListCompilationJobs.html). /// - /// - Parameter CreateCompilationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCompilationJobInput`) /// - /// - Returns: `CreateCompilationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCompilationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1587,7 +1569,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCompilationJobOutput.httpOutput(from:), CreateCompilationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1622,9 +1603,9 @@ extension SageMakerClient { /// /// Create compute allocation definition. This defines how compute is allocated, shared, and borrowed for specified entities. Specifically, how to lend and borrow idle compute and assign a fair-share weight to the specified entities. /// - /// - Parameter CreateComputeQuotaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateComputeQuotaInput`) /// - /// - Returns: `CreateComputeQuotaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateComputeQuotaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1657,7 +1638,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateComputeQuotaOutput.httpOutput(from:), CreateComputeQuotaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1692,9 +1672,9 @@ extension SageMakerClient { /// /// Creates a context. A context is a lineage tracking entity that represents a logical grouping of other tracking or experiment entities. Some examples are an endpoint and a model package. For more information, see [Amazon SageMaker ML Lineage Tracking](https://docs.aws.amazon.com/sagemaker/latest/dg/lineage-tracking.html). /// - /// - Parameter CreateContextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContextInput`) /// - /// - Returns: `CreateContextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1726,7 +1706,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContextOutput.httpOutput(from:), CreateContextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1761,9 +1740,9 @@ extension SageMakerClient { /// /// Creates a definition for a job that monitors data quality and drift. For information about model monitor, see [Amazon SageMaker AI Model Monitor](https://docs.aws.amazon.com/sagemaker/latest/dg/model-monitor.html). /// - /// - Parameter CreateDataQualityJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataQualityJobDefinitionInput`) /// - /// - Returns: `CreateDataQualityJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataQualityJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1796,7 +1775,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataQualityJobDefinitionOutput.httpOutput(from:), CreateDataQualityJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1831,9 +1809,9 @@ extension SageMakerClient { /// /// Creates a device fleet. /// - /// - Parameter CreateDeviceFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDeviceFleetInput`) /// - /// - Returns: `CreateDeviceFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDeviceFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1866,7 +1844,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDeviceFleetOutput.httpOutput(from:), CreateDeviceFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1908,9 +1885,9 @@ extension SageMakerClient { /// /// NFS traffic over TCP on port 2049 needs to be allowed in both inbound and outbound rules in order to launch a Amazon SageMaker AI Studio app successfully. For more information, see [Connect Amazon SageMaker AI Studio Notebooks to Resources in a VPC](https://docs.aws.amazon.com/sagemaker/latest/dg/studio-notebooks-and-internet-access.html). /// - /// - Parameter CreateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainInput`) /// - /// - Returns: `CreateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1943,7 +1920,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainOutput.httpOutput(from:), CreateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1978,9 +1954,9 @@ extension SageMakerClient { /// /// Creates an edge deployment plan, consisting of multiple stages. Each stage may have a different deployment configuration and devices. /// - /// - Parameter CreateEdgeDeploymentPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEdgeDeploymentPlanInput`) /// - /// - Returns: `CreateEdgeDeploymentPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEdgeDeploymentPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2012,7 +1988,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEdgeDeploymentPlanOutput.httpOutput(from:), CreateEdgeDeploymentPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2047,9 +2022,9 @@ extension SageMakerClient { /// /// Creates a new stage in an existing edge deployment plan. /// - /// - Parameter CreateEdgeDeploymentStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEdgeDeploymentStageInput`) /// - /// - Returns: `CreateEdgeDeploymentStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEdgeDeploymentStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2081,7 +2056,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEdgeDeploymentStageOutput.httpOutput(from:), CreateEdgeDeploymentStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2116,9 +2090,9 @@ extension SageMakerClient { /// /// Starts a SageMaker Edge Manager model packaging job. Edge Manager will use the model artifacts from the Amazon Simple Storage Service bucket that you specify. After the model has been packaged, Amazon SageMaker saves the resulting artifacts to an S3 bucket that you specify. /// - /// - Parameter CreateEdgePackagingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEdgePackagingJobInput`) /// - /// - Returns: `CreateEdgePackagingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEdgePackagingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2150,7 +2124,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEdgePackagingJobOutput.httpOutput(from:), CreateEdgePackagingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2189,9 +2162,9 @@ extension SageMakerClient { /// /// * Option 2: For granting a limited access to an IAM role, paste the following Action elements manually into the JSON file of the IAM role: "Action": ["sagemaker:CreateEndpoint", "sagemaker:CreateEndpointConfig"]"Resource": ["arn:aws:sagemaker:region:account-id:endpoint/endpointName""arn:aws:sagemaker:region:account-id:endpoint-config/endpointConfigName"] For more information, see [SageMaker API Permissions: Actions, Permissions, and Resources Reference](https://docs.aws.amazon.com/sagemaker/latest/dg/api-permissions-reference.html). /// - /// - Parameter CreateEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEndpointInput`) /// - /// - Returns: `CreateEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2223,7 +2196,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEndpointOutput.httpOutput(from:), CreateEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2258,9 +2230,9 @@ extension SageMakerClient { /// /// Creates an endpoint configuration that SageMaker hosting services uses to deploy models. In the configuration, you identify one or more models, created using the CreateModel API, to deploy and the resources that you want SageMaker to provision. Then you call the [CreateEndpoint](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateEndpoint.html) API. Use this API if you want to use SageMaker hosting services to deploy models into production. In the request, you define a ProductionVariant, for each model that you want to deploy. Each ProductionVariant parameter also describes the resources that you want SageMaker to provision. This includes the number and type of ML compute instances to deploy. If you are hosting multiple models, you also assign a VariantWeight to specify how much traffic you want to allocate to each model. For example, suppose that you want to host two models, A and B, and you assign traffic weight 2 for model A and 1 for model B. SageMaker distributes two-thirds of the traffic to Model A, and one-third to model B. When you call [CreateEndpoint](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateEndpoint.html), a load call is made to DynamoDB to verify that your endpoint configuration exists. When you read data from a DynamoDB table supporting [Eventually Consistent Reads](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/HowItWorks.ReadConsistency.html), the response might not reflect the results of a recently completed write operation. The response might include some stale data. If the dependent entities are not yet in DynamoDB, this causes a validation error. If you repeat your read request after a short time, the response should return the latest data. So retry logic is recommended to handle these possible issues. We also recommend that customers call [DescribeEndpointConfig](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeEndpointConfig.html) before calling [CreateEndpoint](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateEndpoint.html) to minimize the potential impact of a DynamoDB eventually consistent read. /// - /// - Parameter CreateEndpointConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEndpointConfigInput`) /// - /// - Returns: `CreateEndpointConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEndpointConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2292,7 +2264,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEndpointConfigOutput.httpOutput(from:), CreateEndpointConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2327,9 +2298,9 @@ extension SageMakerClient { /// /// Creates a SageMaker experiment. An experiment is a collection of trials that are observed, compared and evaluated as a group. A trial is a set of steps, called trial components, that produce a machine learning model. In the Studio UI, trials are referred to as run groups and trial components are referred to as runs. The goal of an experiment is to determine the components that produce the best model. Multiple trials are performed, each one isolating and measuring the impact of a change to one or more inputs, while keeping the remaining inputs constant. When you use SageMaker Studio or the SageMaker Python SDK, all experiments, trials, and trial components are automatically tracked, logged, and indexed. When you use the Amazon Web Services SDK for Python (Boto), you must use the logging APIs provided by the SDK. You can add tags to experiments, trials, trial components and then use the [Search](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_Search.html) API to search for the tags. To add a description to an experiment, specify the optional Description parameter. To add a description later, or to change the description, call the [UpdateExperiment](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_UpdateExperiment.html) API. To get a list of all your experiments, call the [ListExperiments](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_ListExperiments.html) API. To view an experiment's properties, call the [DescribeExperiment](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeExperiment.html) API. To get a list of all the trials associated with an experiment, call the [ListTrials](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_ListTrials.html) API. To create a trial call the [CreateTrial](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateTrial.html) API. /// - /// - Parameter CreateExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateExperimentInput`) /// - /// - Returns: `CreateExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2361,7 +2332,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateExperimentOutput.httpOutput(from:), CreateExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2396,9 +2366,9 @@ extension SageMakerClient { /// /// Create a new FeatureGroup. A FeatureGroup is a group of Features defined in the FeatureStore to describe a Record. The FeatureGroup defines the schema and features contained in the FeatureGroup. A FeatureGroup definition is composed of a list of Features, a RecordIdentifierFeatureName, an EventTimeFeatureName and configurations for its OnlineStore and OfflineStore. Check [Amazon Web Services service quotas](https://docs.aws.amazon.com/general/latest/gr/aws_service_limits.html) to see the FeatureGroups quota for your Amazon Web Services account. Note that it can take approximately 10-15 minutes to provision an OnlineStoreFeatureGroup with the InMemoryStorageType. You must include at least one of OnlineStoreConfig and OfflineStoreConfig to create a FeatureGroup. /// - /// - Parameter CreateFeatureGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFeatureGroupInput`) /// - /// - Returns: `CreateFeatureGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFeatureGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2431,7 +2401,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFeatureGroupOutput.httpOutput(from:), CreateFeatureGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2466,9 +2435,9 @@ extension SageMakerClient { /// /// Creates a flow definition. /// - /// - Parameter CreateFlowDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFlowDefinitionInput`) /// - /// - Returns: `CreateFlowDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFlowDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2501,7 +2470,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFlowDefinitionOutput.httpOutput(from:), CreateFlowDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2536,9 +2504,9 @@ extension SageMakerClient { /// /// Create a hub. /// - /// - Parameter CreateHubInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHubInput`) /// - /// - Returns: `CreateHubOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHubOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2571,7 +2539,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHubOutput.httpOutput(from:), CreateHubOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2606,9 +2573,9 @@ extension SageMakerClient { /// /// Creates presigned URLs for accessing hub content artifacts. This operation generates time-limited, secure URLs that allow direct download of model artifacts and associated files from Amazon SageMaker hub content, including gated models that require end-user license agreement acceptance. /// - /// - Parameter CreateHubContentPresignedUrlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHubContentPresignedUrlsInput`) /// - /// - Returns: `CreateHubContentPresignedUrlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHubContentPresignedUrlsOutput`) public func createHubContentPresignedUrls(input: CreateHubContentPresignedUrlsInput) async throws -> CreateHubContentPresignedUrlsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -2635,7 +2602,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHubContentPresignedUrlsOutput.httpOutput(from:), CreateHubContentPresignedUrlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2670,9 +2636,9 @@ extension SageMakerClient { /// /// Create a hub content reference in order to add a model in the JumpStart public hub to a private hub. /// - /// - Parameter CreateHubContentReferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHubContentReferenceInput`) /// - /// - Returns: `CreateHubContentReferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHubContentReferenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2706,7 +2672,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHubContentReferenceOutput.httpOutput(from:), CreateHubContentReferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2741,9 +2706,9 @@ extension SageMakerClient { /// /// Defines the settings you will use for the human review workflow user interface. Reviewers will see a three-panel interface with an instruction area, the item to review, and an input area. /// - /// - Parameter CreateHumanTaskUiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHumanTaskUiInput`) /// - /// - Returns: `CreateHumanTaskUiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHumanTaskUiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2776,7 +2741,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHumanTaskUiOutput.httpOutput(from:), CreateHumanTaskUiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2811,9 +2775,9 @@ extension SageMakerClient { /// /// Starts a hyperparameter tuning job. A hyperparameter tuning job finds the best version of a model by running many training jobs on your dataset using the algorithm you choose and values for hyperparameters within ranges that you specify. It then chooses the hyperparameter values that result in a model that performs the best, as measured by an objective metric that you choose. A hyperparameter tuning job automatically creates Amazon SageMaker experiments, trials, and trial components for each training job that it runs. You can view these entities in Amazon SageMaker Studio. For more information, see [View Experiments, Trials, and Trial Components](https://docs.aws.amazon.com/sagemaker/latest/dg/experiments-view-compare.html#experiments-view). Do not include any security-sensitive information including account access IDs, secrets, or tokens in any hyperparameter fields. As part of the shared responsibility model, you are responsible for any potential exposure, unauthorized access, or compromise of your sensitive data if caused by any security-sensitive information included in the request hyperparameter variable or plain text fields.. /// - /// - Parameter CreateHyperParameterTuningJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHyperParameterTuningJobInput`) /// - /// - Returns: `CreateHyperParameterTuningJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHyperParameterTuningJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2846,7 +2810,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHyperParameterTuningJobOutput.httpOutput(from:), CreateHyperParameterTuningJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2881,9 +2844,9 @@ extension SageMakerClient { /// /// Creates a custom SageMaker AI image. A SageMaker AI image is a set of image versions. Each image version represents a container image stored in Amazon ECR. For more information, see [Bring your own SageMaker AI image](https://docs.aws.amazon.com/sagemaker/latest/dg/studio-byoi.html). /// - /// - Parameter CreateImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImageInput`) /// - /// - Returns: `CreateImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2916,7 +2879,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImageOutput.httpOutput(from:), CreateImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2951,9 +2913,9 @@ extension SageMakerClient { /// /// Creates a version of the SageMaker AI image specified by ImageName. The version represents the Amazon ECR container image specified by BaseImage. /// - /// - Parameter CreateImageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImageVersionInput`) /// - /// - Returns: `CreateImageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2988,7 +2950,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImageVersionOutput.httpOutput(from:), CreateImageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3023,9 +2984,9 @@ extension SageMakerClient { /// /// Creates an inference component, which is a SageMaker AI hosting object that you can use to deploy a model to an endpoint. In the inference component settings, you specify the model, the endpoint, and how the model utilizes the resources that the endpoint hosts. You can optimize resource utilization by tailoring how the required CPU cores, accelerators, and memory are allocated. You can deploy multiple inference components to an endpoint, where each inference component contains one model and the resource utilization needs for that individual model. After you deploy an inference component, you can directly invoke the associated model when you use the InvokeEndpoint API action. /// - /// - Parameter CreateInferenceComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInferenceComponentInput`) /// - /// - Returns: `CreateInferenceComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInferenceComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3057,7 +3018,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInferenceComponentOutput.httpOutput(from:), CreateInferenceComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3092,9 +3052,9 @@ extension SageMakerClient { /// /// Creates an inference experiment using the configurations specified in the request. Use this API to setup and schedule an experiment to compare model variants on a Amazon SageMaker inference endpoint. For more information about inference experiments, see [Shadow tests](https://docs.aws.amazon.com/sagemaker/latest/dg/shadow-tests.html). Amazon SageMaker begins your experiment at the scheduled time and routes traffic to your endpoint's model variants based on your specified configuration. While the experiment is in progress or after it has concluded, you can view metrics that compare your model variants. For more information, see [View, monitor, and edit shadow tests](https://docs.aws.amazon.com/sagemaker/latest/dg/shadow-tests-view-monitor-edit.html). /// - /// - Parameter CreateInferenceExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInferenceExperimentInput`) /// - /// - Returns: `CreateInferenceExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInferenceExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3127,7 +3087,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInferenceExperimentOutput.httpOutput(from:), CreateInferenceExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3162,9 +3121,9 @@ extension SageMakerClient { /// /// Starts a recommendation job. You can create either an instance recommendation or load test job. /// - /// - Parameter CreateInferenceRecommendationsJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInferenceRecommendationsJobInput`) /// - /// - Returns: `CreateInferenceRecommendationsJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInferenceRecommendationsJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3197,7 +3156,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInferenceRecommendationsJobOutput.httpOutput(from:), CreateInferenceRecommendationsJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3241,9 +3199,9 @@ extension SageMakerClient { /// /// You can also use automated data labeling to reduce the number of data objects that need to be labeled by a human. Automated data labeling uses active learning to determine if a data object can be labeled by machine or if it needs to be sent to a human worker. For more information, see [Using Automated Data Labeling](https://docs.aws.amazon.com/sagemaker/latest/dg/sms-automated-labeling.html). The data objects to be labeled are contained in an Amazon S3 bucket. You create a manifest file that describes the location of each object. For more information, see [Using Input and Output Data](https://docs.aws.amazon.com/sagemaker/latest/dg/sms-data.html). The output can be used as the manifest file for another labeling job or as training data for your machine learning models. You can use this operation to create a static labeling job or a streaming labeling job. A static labeling job stops if all data objects in the input manifest file identified in ManifestS3Uri have been labeled. A streaming labeling job runs perpetually until it is manually stopped, or remains idle for 10 days. You can send new data objects to an active (InProgress) streaming labeling job in real time. To learn how to create a static labeling job, see [Create a Labeling Job (API) ](https://docs.aws.amazon.com/sagemaker/latest/dg/sms-create-labeling-job-api.html) in the Amazon SageMaker Developer Guide. To learn how to create a streaming labeling job, see [Create a Streaming Labeling Job](https://docs.aws.amazon.com/sagemaker/latest/dg/sms-streaming-create-job.html). /// - /// - Parameter CreateLabelingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLabelingJobInput`) /// - /// - Returns: `CreateLabelingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLabelingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3276,7 +3234,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLabelingJobOutput.httpOutput(from:), CreateLabelingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3311,9 +3268,9 @@ extension SageMakerClient { /// /// Creates an MLflow Tracking Server using a general purpose Amazon S3 bucket as the artifact store. For more information, see [Create an MLflow Tracking Server](https://docs.aws.amazon.com/sagemaker/latest/dg/mlflow-create-tracking-server.html). /// - /// - Parameter CreateMlflowTrackingServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMlflowTrackingServerInput`) /// - /// - Returns: `CreateMlflowTrackingServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMlflowTrackingServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3345,7 +3302,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMlflowTrackingServerOutput.httpOutput(from:), CreateMlflowTrackingServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3380,9 +3336,9 @@ extension SageMakerClient { /// /// Creates a model in SageMaker. In the request, you name the model and describe a primary container. For the primary container, you specify the Docker image that contains inference code, artifacts (from prior training), and a custom environment map that the inference code uses when you deploy the model for predictions. Use this API to create a model if you want to use SageMaker hosting services or run a batch transform job. To host your model, you create an endpoint configuration with the CreateEndpointConfig API, and then create an endpoint with the CreateEndpoint API. SageMaker then deploys all of the containers that you defined for the model in the hosting environment. To run a batch transform using your model, you start a job with the CreateTransformJob API. SageMaker uses your model and your dataset to get inferences which are then saved to a specified S3 location. In the request, you also provide an IAM role that SageMaker can assume to access model artifacts and docker image for deployment on ML compute hosting instances or for batch transform jobs. In addition, you also use the IAM role to manage permissions the inference code needs. For example, if the inference code access any other Amazon Web Services resources, you grant necessary permissions via this role. /// - /// - Parameter CreateModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelInput`) /// - /// - Returns: `CreateModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3414,7 +3370,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelOutput.httpOutput(from:), CreateModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3449,9 +3404,9 @@ extension SageMakerClient { /// /// Creates the definition for a model bias job. /// - /// - Parameter CreateModelBiasJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelBiasJobDefinitionInput`) /// - /// - Returns: `CreateModelBiasJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelBiasJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3484,7 +3439,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelBiasJobDefinitionOutput.httpOutput(from:), CreateModelBiasJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3519,9 +3473,9 @@ extension SageMakerClient { /// /// Creates an Amazon SageMaker Model Card. For information about how to use model cards, see [Amazon SageMaker Model Card](https://docs.aws.amazon.com/sagemaker/latest/dg/model-cards.html). /// - /// - Parameter CreateModelCardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelCardInput`) /// - /// - Returns: `CreateModelCardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelCardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3554,7 +3508,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelCardOutput.httpOutput(from:), CreateModelCardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3589,9 +3542,9 @@ extension SageMakerClient { /// /// Creates an Amazon SageMaker Model Card export job. /// - /// - Parameter CreateModelCardExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelCardExportJobInput`) /// - /// - Returns: `CreateModelCardExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelCardExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3625,7 +3578,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelCardExportJobOutput.httpOutput(from:), CreateModelCardExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3660,9 +3612,9 @@ extension SageMakerClient { /// /// Creates the definition for a model explainability job. /// - /// - Parameter CreateModelExplainabilityJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelExplainabilityJobDefinitionInput`) /// - /// - Returns: `CreateModelExplainabilityJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelExplainabilityJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3695,7 +3647,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelExplainabilityJobDefinitionOutput.httpOutput(from:), CreateModelExplainabilityJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3734,9 +3685,9 @@ extension SageMakerClient { /// /// * Unversioned - a model package that is not part of a model group. /// - /// - Parameter CreateModelPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelPackageInput`) /// - /// - Returns: `CreateModelPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3770,7 +3721,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelPackageOutput.httpOutput(from:), CreateModelPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3805,9 +3755,9 @@ extension SageMakerClient { /// /// Creates a model group. A model group contains a group of model versions. /// - /// - Parameter CreateModelPackageGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelPackageGroupInput`) /// - /// - Returns: `CreateModelPackageGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelPackageGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3839,7 +3789,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelPackageGroupOutput.httpOutput(from:), CreateModelPackageGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3874,9 +3823,9 @@ extension SageMakerClient { /// /// Creates a definition for a job that monitors model quality and drift. For information about model monitor, see [Amazon SageMaker AI Model Monitor](https://docs.aws.amazon.com/sagemaker/latest/dg/model-monitor.html). /// - /// - Parameter CreateModelQualityJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateModelQualityJobDefinitionInput`) /// - /// - Returns: `CreateModelQualityJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateModelQualityJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3909,7 +3858,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateModelQualityJobDefinitionOutput.httpOutput(from:), CreateModelQualityJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3944,9 +3892,9 @@ extension SageMakerClient { /// /// Creates a schedule that regularly starts Amazon SageMaker AI Processing Jobs to monitor the data captured for an Amazon SageMaker AI Endpoint. /// - /// - Parameter CreateMonitoringScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMonitoringScheduleInput`) /// - /// - Returns: `CreateMonitoringScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMonitoringScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3979,7 +3927,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMonitoringScheduleOutput.httpOutput(from:), CreateMonitoringScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4023,9 +3970,9 @@ extension SageMakerClient { /// /// After creating the notebook instance, SageMaker AI returns its Amazon Resource Name (ARN). You can't change the name of a notebook instance after you create it. After SageMaker AI creates the notebook instance, you can connect to the Jupyter server and work in Jupyter notebooks. For example, you can write code to explore a dataset that you can use for model training, train a model, host models by creating SageMaker AI endpoints, and validate hosted models. For more information, see [How It Works](https://docs.aws.amazon.com/sagemaker/latest/dg/how-it-works.html). /// - /// - Parameter CreateNotebookInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNotebookInstanceInput`) /// - /// - Returns: `CreateNotebookInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNotebookInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4057,7 +4004,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNotebookInstanceOutput.httpOutput(from:), CreateNotebookInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4092,9 +4038,9 @@ extension SageMakerClient { /// /// Creates a lifecycle configuration that you can associate with a notebook instance. A lifecycle configuration is a collection of shell scripts that run when you create or start a notebook instance. Each lifecycle configuration script has a limit of 16384 characters. The value of the $PATH environment variable that is available to both scripts is /sbin:bin:/usr/sbin:/usr/bin. View Amazon CloudWatch Logs for notebook instance lifecycle configurations in log group /aws/sagemaker/NotebookInstances in log stream [notebook-instance-name]/[LifecycleConfigHook]. Lifecycle configuration scripts cannot run for longer than 5 minutes. If a script runs for longer than 5 minutes, it fails and the notebook instance is not created or started. For information about notebook instance lifestyle configurations, see [Step 2.1: (Optional) Customize a Notebook Instance](https://docs.aws.amazon.com/sagemaker/latest/dg/notebook-lifecycle-config.html). /// - /// - Parameter CreateNotebookInstanceLifecycleConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNotebookInstanceLifecycleConfigInput`) /// - /// - Returns: `CreateNotebookInstanceLifecycleConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNotebookInstanceLifecycleConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4126,7 +4072,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNotebookInstanceLifecycleConfigOutput.httpOutput(from:), CreateNotebookInstanceLifecycleConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4161,9 +4106,9 @@ extension SageMakerClient { /// /// Creates a job that optimizes a model for inference performance. To create the job, you provide the location of a source model, and you provide the settings for the optimization techniques that you want the job to apply. When the job completes successfully, SageMaker uploads the new optimized model to the output destination that you specify. For more information about how to use this action, and about the supported optimization techniques, see [Optimize model inference with Amazon SageMaker](https://docs.aws.amazon.com/sagemaker/latest/dg/model-optimize.html). /// - /// - Parameter CreateOptimizationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOptimizationJobInput`) /// - /// - Returns: `CreateOptimizationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOptimizationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4196,7 +4141,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOptimizationJobOutput.httpOutput(from:), CreateOptimizationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4231,9 +4175,9 @@ extension SageMakerClient { /// /// Creates an Amazon SageMaker Partner AI App. /// - /// - Parameter CreatePartnerAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePartnerAppInput`) /// - /// - Returns: `CreatePartnerAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePartnerAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4267,7 +4211,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePartnerAppOutput.httpOutput(from:), CreatePartnerAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4302,9 +4245,9 @@ extension SageMakerClient { /// /// Creates a presigned URL to access an Amazon SageMaker Partner AI App. /// - /// - Parameter CreatePartnerAppPresignedUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePartnerAppPresignedUrlInput`) /// - /// - Returns: `CreatePartnerAppPresignedUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePartnerAppPresignedUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4336,7 +4279,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePartnerAppPresignedUrlOutput.httpOutput(from:), CreatePartnerAppPresignedUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4371,9 +4313,9 @@ extension SageMakerClient { /// /// Creates a pipeline using a JSON pipeline definition. /// - /// - Parameter CreatePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePipelineInput`) /// - /// - Returns: `CreatePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4408,7 +4350,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePipelineOutput.httpOutput(from:), CreatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4447,9 +4388,9 @@ extension SageMakerClient { /// /// * The JupyterLab session default expiration time is 12 hours. You can configure this value using SessionExpirationDurationInSeconds. /// - /// - Parameter CreatePresignedDomainUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePresignedDomainUrlInput`) /// - /// - Returns: `CreatePresignedDomainUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePresignedDomainUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4481,7 +4422,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePresignedDomainUrlOutput.httpOutput(from:), CreatePresignedDomainUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4516,9 +4456,9 @@ extension SageMakerClient { /// /// Returns a presigned URL that you can use to connect to the MLflow UI attached to your tracking server. For more information, see [Launch the MLflow UI using a presigned URL](https://docs.aws.amazon.com/sagemaker/latest/dg/mlflow-launch-ui.html). /// - /// - Parameter CreatePresignedMlflowTrackingServerUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePresignedMlflowTrackingServerUrlInput`) /// - /// - Returns: `CreatePresignedMlflowTrackingServerUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePresignedMlflowTrackingServerUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4550,7 +4490,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePresignedMlflowTrackingServerUrlOutput.httpOutput(from:), CreatePresignedMlflowTrackingServerUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4585,9 +4524,9 @@ extension SageMakerClient { /// /// Returns a URL that you can use to connect to the Jupyter server from a notebook instance. In the SageMaker AI console, when you choose Open next to a notebook instance, SageMaker AI opens a new tab showing the Jupyter server home page from the notebook instance. The console uses this API to get the URL and show the page. The IAM role or user used to call this API defines the permissions to access the notebook instance. Once the presigned URL is created, no additional permission is required to access this URL. IAM authorization policies for this API are also enforced for every HTTP request and WebSocket frame that attempts to connect to the notebook instance. You can restrict access to this API and to the URL that it returns to a list of IP addresses that you specify. Use the NotIpAddress condition operator and the aws:SourceIP condition context key to specify the list of IP addresses that you want to have access to the notebook instance. For more information, see [Limit Access to a Notebook Instance by IP Address](https://docs.aws.amazon.com/sagemaker/latest/dg/security_iam_id-based-policy-examples.html#nbi-ip-filter). The URL that you get from a call to [CreatePresignedNotebookInstanceUrl](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreatePresignedNotebookInstanceUrl.html) is valid only for 5 minutes. If you try to use the URL after the 5-minute limit expires, you are directed to the Amazon Web Services console sign-in page. /// - /// - Parameter CreatePresignedNotebookInstanceUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePresignedNotebookInstanceUrlInput`) /// - /// - Returns: `CreatePresignedNotebookInstanceUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePresignedNotebookInstanceUrlOutput`) public func createPresignedNotebookInstanceUrl(input: CreatePresignedNotebookInstanceUrlInput) async throws -> CreatePresignedNotebookInstanceUrlOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -4614,7 +4553,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePresignedNotebookInstanceUrlOutput.httpOutput(from:), CreatePresignedNotebookInstanceUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4649,9 +4587,9 @@ extension SageMakerClient { /// /// Creates a processing job. /// - /// - Parameter CreateProcessingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProcessingJobInput`) /// - /// - Returns: `CreateProcessingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProcessingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4685,7 +4623,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProcessingJobOutput.httpOutput(from:), CreateProcessingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4720,9 +4657,9 @@ extension SageMakerClient { /// /// Creates a machine learning (ML) project that can contain one or more templates that set up an ML pipeline from training to deploying an approved model. /// - /// - Parameter CreateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProjectInput`) /// - /// - Returns: `CreateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4754,7 +4691,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProjectOutput.httpOutput(from:), CreateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4789,9 +4725,9 @@ extension SageMakerClient { /// /// Creates a private space or a space used for real time collaboration in a domain. /// - /// - Parameter CreateSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSpaceInput`) /// - /// - Returns: `CreateSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4824,7 +4760,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSpaceOutput.httpOutput(from:), CreateSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4859,9 +4794,9 @@ extension SageMakerClient { /// /// Creates a new Amazon SageMaker AI Studio Lifecycle Configuration. /// - /// - Parameter CreateStudioLifecycleConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStudioLifecycleConfigInput`) /// - /// - Returns: `CreateStudioLifecycleConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStudioLifecycleConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4893,7 +4828,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStudioLifecycleConfigOutput.httpOutput(from:), CreateStudioLifecycleConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4951,9 +4885,9 @@ extension SageMakerClient { /// /// For more information about SageMaker, see [How It Works](https://docs.aws.amazon.com/sagemaker/latest/dg/how-it-works.html). /// - /// - Parameter CreateTrainingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrainingJobInput`) /// - /// - Returns: `CreateTrainingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrainingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4987,7 +4921,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrainingJobOutput.httpOutput(from:), CreateTrainingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5049,9 +4982,9 @@ extension SageMakerClient { /// /// Plan composition A plan can consist of one or more Reserved Capacities, each defined by a specific instance type, quantity, Availability Zone, duration, and start and end times. For more information about Reserved Capacity, see [ReservedCapacitySummary](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_ReservedCapacitySummary.html). /// - /// - Parameter CreateTrainingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrainingPlanInput`) /// - /// - Returns: `CreateTrainingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrainingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5085,7 +5018,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrainingPlanOutput.httpOutput(from:), CreateTrainingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5133,9 +5065,9 @@ extension SageMakerClient { /// /// For more information about how batch transformation works, see [Batch Transform](https://docs.aws.amazon.com/sagemaker/latest/dg/batch-transform.html). /// - /// - Parameter CreateTransformJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTransformJobInput`) /// - /// - Returns: `CreateTransformJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTransformJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5169,7 +5101,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTransformJobOutput.httpOutput(from:), CreateTransformJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5204,9 +5135,9 @@ extension SageMakerClient { /// /// Creates an SageMaker trial. A trial is a set of steps called trial components that produce a machine learning model. A trial is part of a single SageMaker experiment. When you use SageMaker Studio or the SageMaker Python SDK, all experiments, trials, and trial components are automatically tracked, logged, and indexed. When you use the Amazon Web Services SDK for Python (Boto), you must use the logging APIs provided by the SDK. You can add tags to a trial and then use the [Search](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_Search.html) API to search for the tags. To get a list of all your trials, call the [ListTrials](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_ListTrials.html) API. To view a trial's properties, call the [DescribeTrial](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeTrial.html) API. To create a trial component, call the [CreateTrialComponent](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateTrialComponent.html) API. /// - /// - Parameter CreateTrialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrialInput`) /// - /// - Returns: `CreateTrialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5239,7 +5170,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrialOutput.httpOutput(from:), CreateTrialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5274,9 +5204,9 @@ extension SageMakerClient { /// /// Creates a trial component, which is a stage of a machine learning trial. A trial is composed of one or more trial components. A trial component can be used in multiple trials. Trial components include pre-processing jobs, training jobs, and batch transform jobs. When you use SageMaker Studio or the SageMaker Python SDK, all experiments, trials, and trial components are automatically tracked, logged, and indexed. When you use the Amazon Web Services SDK for Python (Boto), you must use the logging APIs provided by the SDK. You can add tags to a trial component and then use the [Search](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_Search.html) API to search for the tags. /// - /// - Parameter CreateTrialComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrialComponentInput`) /// - /// - Returns: `CreateTrialComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrialComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5308,7 +5238,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrialComponentOutput.httpOutput(from:), CreateTrialComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5343,9 +5272,9 @@ extension SageMakerClient { /// /// Creates a user profile. A user profile represents a single user within a domain, and is the main way to reference a "person" for the purposes of sharing, reporting, and other user-oriented features. This entity is created when a user onboards to a domain. If an administrator invites a person by email or imports them from IAM Identity Center, a user profile is automatically created. A user profile is the primary holder of settings for an individual user and has a reference to the user's private Amazon Elastic File System home directory. /// - /// - Parameter CreateUserProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserProfileInput`) /// - /// - Returns: `CreateUserProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5378,7 +5307,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserProfileOutput.httpOutput(from:), CreateUserProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5413,9 +5341,9 @@ extension SageMakerClient { /// /// Use this operation to create a workforce. This operation will return an error if a workforce already exists in the Amazon Web Services Region that you specify. You can only create one workforce in each Amazon Web Services Region per Amazon Web Services account. If you want to create a new workforce in an Amazon Web Services Region where a workforce already exists, use the [DeleteWorkforce](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DeleteWorkforce.html) API operation to delete the existing workforce and then use CreateWorkforce to create a new workforce. To create a private workforce using Amazon Cognito, you must specify a Cognito user pool in CognitoConfig. You can also create an Amazon Cognito workforce using the Amazon SageMaker console. For more information, see [ Create a Private Workforce (Amazon Cognito)](https://docs.aws.amazon.com/sagemaker/latest/dg/sms-workforce-create-private.html). To create a private workforce using your own OIDC Identity Provider (IdP), specify your IdP configuration in OidcConfig. Your OIDC IdP must support groups because groups are used by Ground Truth and Amazon A2I to create work teams. For more information, see [ Create a Private Workforce (OIDC IdP)](https://docs.aws.amazon.com/sagemaker/latest/dg/sms-workforce-create-private-oidc.html). /// - /// - Parameter CreateWorkforceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkforceInput`) /// - /// - Returns: `CreateWorkforceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkforceOutput`) public func createWorkforce(input: CreateWorkforceInput) async throws -> CreateWorkforceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -5442,7 +5370,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkforceOutput.httpOutput(from:), CreateWorkforceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5477,9 +5404,9 @@ extension SageMakerClient { /// /// Creates a new work team for labeling your data. A work team is defined by one or more Amazon Cognito user pools. You must first create the user pools before you can create a work team. You cannot create more than 25 work teams in an account and region. /// - /// - Parameter CreateWorkteamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkteamInput`) /// - /// - Returns: `CreateWorkteamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkteamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5512,7 +5439,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkteamOutput.httpOutput(from:), CreateWorkteamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5547,9 +5473,9 @@ extension SageMakerClient { /// /// Deletes an action. /// - /// - Parameter DeleteActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteActionInput`) /// - /// - Returns: `DeleteActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5581,7 +5507,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteActionOutput.httpOutput(from:), DeleteActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5616,9 +5541,9 @@ extension SageMakerClient { /// /// Removes the specified algorithm from your account. /// - /// - Parameter DeleteAlgorithmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAlgorithmInput`) /// - /// - Returns: `DeleteAlgorithmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAlgorithmOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5650,7 +5575,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAlgorithmOutput.httpOutput(from:), DeleteAlgorithmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5685,9 +5609,9 @@ extension SageMakerClient { /// /// Used to stop and delete an app. /// - /// - Parameter DeleteAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppInput`) /// - /// - Returns: `DeleteAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5720,7 +5644,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppOutput.httpOutput(from:), DeleteAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5755,9 +5678,9 @@ extension SageMakerClient { /// /// Deletes an AppImageConfig. /// - /// - Parameter DeleteAppImageConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppImageConfigInput`) /// - /// - Returns: `DeleteAppImageConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppImageConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5789,7 +5712,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppImageConfigOutput.httpOutput(from:), DeleteAppImageConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5824,9 +5746,9 @@ extension SageMakerClient { /// /// Deletes an artifact. Either ArtifactArn or Source must be specified. /// - /// - Parameter DeleteArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteArtifactInput`) /// - /// - Returns: `DeleteArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5858,7 +5780,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteArtifactOutput.httpOutput(from:), DeleteArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5893,9 +5814,9 @@ extension SageMakerClient { /// /// Deletes an association. /// - /// - Parameter DeleteAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssociationInput`) /// - /// - Returns: `DeleteAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5927,7 +5848,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssociationOutput.httpOutput(from:), DeleteAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5962,9 +5882,9 @@ extension SageMakerClient { /// /// Delete a SageMaker HyperPod cluster. /// - /// - Parameter DeleteClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterInput`) /// - /// - Returns: `DeleteClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5997,7 +5917,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterOutput.httpOutput(from:), DeleteClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6032,9 +5951,9 @@ extension SageMakerClient { /// /// Deletes the cluster policy of the cluster. /// - /// - Parameter DeleteClusterSchedulerConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClusterSchedulerConfigInput`) /// - /// - Returns: `DeleteClusterSchedulerConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClusterSchedulerConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6066,7 +5985,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClusterSchedulerConfigOutput.httpOutput(from:), DeleteClusterSchedulerConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6101,9 +6019,9 @@ extension SageMakerClient { /// /// Deletes the specified Git repository from your account. /// - /// - Parameter DeleteCodeRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCodeRepositoryInput`) /// - /// - Returns: `DeleteCodeRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCodeRepositoryOutput`) public func deleteCodeRepository(input: DeleteCodeRepositoryInput) async throws -> DeleteCodeRepositoryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6130,7 +6048,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCodeRepositoryOutput.httpOutput(from:), DeleteCodeRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6165,9 +6082,9 @@ extension SageMakerClient { /// /// Deletes the specified compilation job. This action deletes only the compilation job resource in Amazon SageMaker AI. It doesn't delete other resources that are related to that job, such as the model artifacts that the job creates, the compilation logs in CloudWatch, the compiled model, or the IAM role. You can delete a compilation job only if its current status is COMPLETED, FAILED, or STOPPED. If the job status is STARTING or INPROGRESS, stop the job, and then delete it after its status becomes STOPPED. /// - /// - Parameter DeleteCompilationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCompilationJobInput`) /// - /// - Returns: `DeleteCompilationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCompilationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6199,7 +6116,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCompilationJobOutput.httpOutput(from:), DeleteCompilationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6234,9 +6150,9 @@ extension SageMakerClient { /// /// Deletes the compute allocation from the cluster. /// - /// - Parameter DeleteComputeQuotaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteComputeQuotaInput`) /// - /// - Returns: `DeleteComputeQuotaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteComputeQuotaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6268,7 +6184,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteComputeQuotaOutput.httpOutput(from:), DeleteComputeQuotaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6303,9 +6218,9 @@ extension SageMakerClient { /// /// Deletes an context. /// - /// - Parameter DeleteContextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContextInput`) /// - /// - Returns: `DeleteContextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6337,7 +6252,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContextOutput.httpOutput(from:), DeleteContextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6372,9 +6286,9 @@ extension SageMakerClient { /// /// Deletes a data quality monitoring job definition. /// - /// - Parameter DeleteDataQualityJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataQualityJobDefinitionInput`) /// - /// - Returns: `DeleteDataQualityJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataQualityJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6406,7 +6320,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataQualityJobDefinitionOutput.httpOutput(from:), DeleteDataQualityJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6441,9 +6354,9 @@ extension SageMakerClient { /// /// Deletes a fleet. /// - /// - Parameter DeleteDeviceFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeviceFleetInput`) /// - /// - Returns: `DeleteDeviceFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeviceFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6475,7 +6388,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeviceFleetOutput.httpOutput(from:), DeleteDeviceFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6510,9 +6422,9 @@ extension SageMakerClient { /// /// Used to delete a domain. If you onboarded with IAM mode, you will need to delete your domain to onboard again using IAM Identity Center. Use with caution. All of the members of the domain will lose access to their EFS volume, including data, notebooks, and other artifacts. /// - /// - Parameter DeleteDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainInput`) /// - /// - Returns: `DeleteDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6545,7 +6457,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainOutput.httpOutput(from:), DeleteDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6580,9 +6491,9 @@ extension SageMakerClient { /// /// Deletes an edge deployment plan if (and only if) all the stages in the plan are inactive or there are no stages in the plan. /// - /// - Parameter DeleteEdgeDeploymentPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEdgeDeploymentPlanInput`) /// - /// - Returns: `DeleteEdgeDeploymentPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEdgeDeploymentPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6614,7 +6525,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEdgeDeploymentPlanOutput.httpOutput(from:), DeleteEdgeDeploymentPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6649,9 +6559,9 @@ extension SageMakerClient { /// /// Delete a stage in an edge deployment plan if (and only if) the stage is inactive. /// - /// - Parameter DeleteEdgeDeploymentStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEdgeDeploymentStageInput`) /// - /// - Returns: `DeleteEdgeDeploymentStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEdgeDeploymentStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6683,7 +6593,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEdgeDeploymentStageOutput.httpOutput(from:), DeleteEdgeDeploymentStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6718,9 +6627,9 @@ extension SageMakerClient { /// /// Deletes an endpoint. SageMaker frees up all of the resources that were deployed when the endpoint was created. SageMaker retires any custom KMS key grants associated with the endpoint, meaning you don't need to use the [RevokeGrant](http://docs.aws.amazon.com/kms/latest/APIReference/API_RevokeGrant.html) API call. When you delete your endpoint, SageMaker asynchronously deletes associated endpoint resources such as KMS key grants. You might still see these resources in your account for a few minutes after deleting your endpoint. Do not delete or revoke the permissions for your [ExecutionRoleArn](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateModel.html#sagemaker-CreateModel-request-ExecutionRoleArn), otherwise SageMaker cannot delete these resources. /// - /// - Parameter DeleteEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEndpointInput`) /// - /// - Returns: `DeleteEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEndpointOutput`) public func deleteEndpoint(input: DeleteEndpointInput) async throws -> DeleteEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6747,7 +6656,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointOutput.httpOutput(from:), DeleteEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6782,9 +6690,9 @@ extension SageMakerClient { /// /// Deletes an endpoint configuration. The DeleteEndpointConfig API deletes only the specified configuration. It does not delete endpoints created using the configuration. You must not delete an EndpointConfig in use by an endpoint that is live or while the UpdateEndpoint or CreateEndpoint operations are being performed on the endpoint. If you delete the EndpointConfig of an endpoint that is active or being created or updated you may lose visibility into the instance type the endpoint is using. The endpoint must be deleted in order to stop incurring charges. /// - /// - Parameter DeleteEndpointConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEndpointConfigInput`) /// - /// - Returns: `DeleteEndpointConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEndpointConfigOutput`) public func deleteEndpointConfig(input: DeleteEndpointConfigInput) async throws -> DeleteEndpointConfigOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6811,7 +6719,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEndpointConfigOutput.httpOutput(from:), DeleteEndpointConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6846,9 +6753,9 @@ extension SageMakerClient { /// /// Deletes an SageMaker experiment. All trials associated with the experiment must be deleted first. Use the [ListTrials](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_ListTrials.html) API to get a list of the trials associated with the experiment. /// - /// - Parameter DeleteExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteExperimentInput`) /// - /// - Returns: `DeleteExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6880,7 +6787,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteExperimentOutput.httpOutput(from:), DeleteExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6915,9 +6821,9 @@ extension SageMakerClient { /// /// Delete the FeatureGroup and any data that was written to the OnlineStore of the FeatureGroup. Data cannot be accessed from the OnlineStore immediately after DeleteFeatureGroup is called. Data written into the OfflineStore will not be deleted. The Amazon Web Services Glue database and tables that are automatically created for your OfflineStore are not deleted. Note that it can take approximately 10-15 minutes to delete an OnlineStoreFeatureGroup with the InMemoryStorageType. /// - /// - Parameter DeleteFeatureGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFeatureGroupInput`) /// - /// - Returns: `DeleteFeatureGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFeatureGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6949,7 +6855,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFeatureGroupOutput.httpOutput(from:), DeleteFeatureGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6984,9 +6889,9 @@ extension SageMakerClient { /// /// Deletes the specified flow definition. /// - /// - Parameter DeleteFlowDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFlowDefinitionInput`) /// - /// - Returns: `DeleteFlowDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFlowDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7019,7 +6924,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFlowDefinitionOutput.httpOutput(from:), DeleteFlowDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7054,9 +6958,9 @@ extension SageMakerClient { /// /// Delete a hub. /// - /// - Parameter DeleteHubInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHubInput`) /// - /// - Returns: `DeleteHubOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHubOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7089,7 +6993,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHubOutput.httpOutput(from:), DeleteHubOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7124,9 +7027,9 @@ extension SageMakerClient { /// /// Delete the contents of a hub. /// - /// - Parameter DeleteHubContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHubContentInput`) /// - /// - Returns: `DeleteHubContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHubContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7159,7 +7062,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHubContentOutput.httpOutput(from:), DeleteHubContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7194,9 +7096,9 @@ extension SageMakerClient { /// /// Delete a hub content reference in order to remove a model from a private hub. /// - /// - Parameter DeleteHubContentReferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHubContentReferenceInput`) /// - /// - Returns: `DeleteHubContentReferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHubContentReferenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7228,7 +7130,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHubContentReferenceOutput.httpOutput(from:), DeleteHubContentReferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7263,9 +7164,9 @@ extension SageMakerClient { /// /// Use this operation to delete a human task user interface (worker task template). To see a list of human task user interfaces (work task templates) in your account, use [ListHumanTaskUis](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_ListHumanTaskUis.html). When you delete a worker task template, it no longer appears when you call ListHumanTaskUis. /// - /// - Parameter DeleteHumanTaskUiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHumanTaskUiInput`) /// - /// - Returns: `DeleteHumanTaskUiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHumanTaskUiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7297,7 +7198,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHumanTaskUiOutput.httpOutput(from:), DeleteHumanTaskUiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7332,9 +7232,9 @@ extension SageMakerClient { /// /// Deletes a hyperparameter tuning job. The DeleteHyperParameterTuningJob API deletes only the tuning job entry that was created in SageMaker when you called the CreateHyperParameterTuningJob API. It does not delete training jobs, artifacts, or the IAM role that you specified when creating the model. /// - /// - Parameter DeleteHyperParameterTuningJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHyperParameterTuningJobInput`) /// - /// - Returns: `DeleteHyperParameterTuningJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHyperParameterTuningJobOutput`) public func deleteHyperParameterTuningJob(input: DeleteHyperParameterTuningJobInput) async throws -> DeleteHyperParameterTuningJobOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7361,7 +7261,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHyperParameterTuningJobOutput.httpOutput(from:), DeleteHyperParameterTuningJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7396,9 +7295,9 @@ extension SageMakerClient { /// /// Deletes a SageMaker AI image and all versions of the image. The container images aren't deleted. /// - /// - Parameter DeleteImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImageInput`) /// - /// - Returns: `DeleteImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7431,7 +7330,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImageOutput.httpOutput(from:), DeleteImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7466,9 +7364,9 @@ extension SageMakerClient { /// /// Deletes a version of a SageMaker AI image. The container image the version represents isn't deleted. /// - /// - Parameter DeleteImageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImageVersionInput`) /// - /// - Returns: `DeleteImageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7501,7 +7399,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImageVersionOutput.httpOutput(from:), DeleteImageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7536,9 +7433,9 @@ extension SageMakerClient { /// /// Deletes an inference component. /// - /// - Parameter DeleteInferenceComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInferenceComponentInput`) /// - /// - Returns: `DeleteInferenceComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInferenceComponentOutput`) public func deleteInferenceComponent(input: DeleteInferenceComponentInput) async throws -> DeleteInferenceComponentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7565,7 +7462,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInferenceComponentOutput.httpOutput(from:), DeleteInferenceComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7600,9 +7496,9 @@ extension SageMakerClient { /// /// Deletes an inference experiment. This operation does not delete your endpoint, variants, or any underlying resources. This operation only deletes the metadata of your experiment. /// - /// - Parameter DeleteInferenceExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInferenceExperimentInput`) /// - /// - Returns: `DeleteInferenceExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInferenceExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7635,7 +7531,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInferenceExperimentOutput.httpOutput(from:), DeleteInferenceExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7670,9 +7565,9 @@ extension SageMakerClient { /// /// Deletes an MLflow Tracking Server. For more information, see [Clean up MLflow resources](https://docs.aws.amazon.com/sagemaker/latest/dg/mlflow-cleanup.html.html). /// - /// - Parameter DeleteMlflowTrackingServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMlflowTrackingServerInput`) /// - /// - Returns: `DeleteMlflowTrackingServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMlflowTrackingServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7704,7 +7599,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMlflowTrackingServerOutput.httpOutput(from:), DeleteMlflowTrackingServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7739,9 +7633,9 @@ extension SageMakerClient { /// /// Deletes a model. The DeleteModel API deletes only the model entry that was created in SageMaker when you called the CreateModel API. It does not delete model artifacts, inference code, or the IAM role that you specified when creating the model. /// - /// - Parameter DeleteModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelInput`) /// - /// - Returns: `DeleteModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelOutput`) public func deleteModel(input: DeleteModelInput) async throws -> DeleteModelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -7768,7 +7662,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelOutput.httpOutput(from:), DeleteModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7803,9 +7696,9 @@ extension SageMakerClient { /// /// Deletes an Amazon SageMaker AI model bias job definition. /// - /// - Parameter DeleteModelBiasJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelBiasJobDefinitionInput`) /// - /// - Returns: `DeleteModelBiasJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelBiasJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7837,7 +7730,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelBiasJobDefinitionOutput.httpOutput(from:), DeleteModelBiasJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7872,9 +7764,9 @@ extension SageMakerClient { /// /// Deletes an Amazon SageMaker Model Card. /// - /// - Parameter DeleteModelCardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelCardInput`) /// - /// - Returns: `DeleteModelCardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelCardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7907,7 +7799,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelCardOutput.httpOutput(from:), DeleteModelCardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7942,9 +7833,9 @@ extension SageMakerClient { /// /// Deletes an Amazon SageMaker AI model explainability job definition. /// - /// - Parameter DeleteModelExplainabilityJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelExplainabilityJobDefinitionInput`) /// - /// - Returns: `DeleteModelExplainabilityJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelExplainabilityJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7976,7 +7867,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelExplainabilityJobDefinitionOutput.httpOutput(from:), DeleteModelExplainabilityJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8011,9 +7901,9 @@ extension SageMakerClient { /// /// Deletes a model package. A model package is used to create SageMaker models or list on Amazon Web Services Marketplace. Buyers can subscribe to model packages listed on Amazon Web Services Marketplace to create models in SageMaker. /// - /// - Parameter DeleteModelPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelPackageInput`) /// - /// - Returns: `DeleteModelPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8045,7 +7935,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelPackageOutput.httpOutput(from:), DeleteModelPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8080,9 +7969,9 @@ extension SageMakerClient { /// /// Deletes the specified model group. /// - /// - Parameter DeleteModelPackageGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelPackageGroupInput`) /// - /// - Returns: `DeleteModelPackageGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelPackageGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8114,7 +8003,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelPackageGroupOutput.httpOutput(from:), DeleteModelPackageGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8149,9 +8037,9 @@ extension SageMakerClient { /// /// Deletes a model group resource policy. /// - /// - Parameter DeleteModelPackageGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelPackageGroupPolicyInput`) /// - /// - Returns: `DeleteModelPackageGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelPackageGroupPolicyOutput`) public func deleteModelPackageGroupPolicy(input: DeleteModelPackageGroupPolicyInput) async throws -> DeleteModelPackageGroupPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8178,7 +8066,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelPackageGroupPolicyOutput.httpOutput(from:), DeleteModelPackageGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8213,9 +8100,9 @@ extension SageMakerClient { /// /// Deletes the secified model quality monitoring job definition. /// - /// - Parameter DeleteModelQualityJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteModelQualityJobDefinitionInput`) /// - /// - Returns: `DeleteModelQualityJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteModelQualityJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8247,7 +8134,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteModelQualityJobDefinitionOutput.httpOutput(from:), DeleteModelQualityJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8282,9 +8168,9 @@ extension SageMakerClient { /// /// Deletes a monitoring schedule. Also stops the schedule had not already been stopped. This does not delete the job execution history of the monitoring schedule. /// - /// - Parameter DeleteMonitoringScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMonitoringScheduleInput`) /// - /// - Returns: `DeleteMonitoringScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMonitoringScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8316,7 +8202,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMonitoringScheduleOutput.httpOutput(from:), DeleteMonitoringScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8351,9 +8236,9 @@ extension SageMakerClient { /// /// Deletes an SageMaker AI notebook instance. Before you can delete a notebook instance, you must call the StopNotebookInstance API. When you delete a notebook instance, you lose all of your data. SageMaker AI removes the ML compute instance, and deletes the ML storage volume and the network interface associated with the notebook instance. /// - /// - Parameter DeleteNotebookInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNotebookInstanceInput`) /// - /// - Returns: `DeleteNotebookInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNotebookInstanceOutput`) public func deleteNotebookInstance(input: DeleteNotebookInstanceInput) async throws -> DeleteNotebookInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8380,7 +8265,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNotebookInstanceOutput.httpOutput(from:), DeleteNotebookInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8415,9 +8299,9 @@ extension SageMakerClient { /// /// Deletes a notebook instance lifecycle configuration. /// - /// - Parameter DeleteNotebookInstanceLifecycleConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNotebookInstanceLifecycleConfigInput`) /// - /// - Returns: `DeleteNotebookInstanceLifecycleConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNotebookInstanceLifecycleConfigOutput`) public func deleteNotebookInstanceLifecycleConfig(input: DeleteNotebookInstanceLifecycleConfigInput) async throws -> DeleteNotebookInstanceLifecycleConfigOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8444,7 +8328,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNotebookInstanceLifecycleConfigOutput.httpOutput(from:), DeleteNotebookInstanceLifecycleConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8479,9 +8362,9 @@ extension SageMakerClient { /// /// Deletes an optimization job. /// - /// - Parameter DeleteOptimizationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOptimizationJobInput`) /// - /// - Returns: `DeleteOptimizationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOptimizationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8513,7 +8396,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOptimizationJobOutput.httpOutput(from:), DeleteOptimizationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8548,9 +8430,9 @@ extension SageMakerClient { /// /// Deletes a SageMaker Partner AI App. /// - /// - Parameter DeletePartnerAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePartnerAppInput`) /// - /// - Returns: `DeletePartnerAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePartnerAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8584,7 +8466,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePartnerAppOutput.httpOutput(from:), DeletePartnerAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8619,9 +8500,9 @@ extension SageMakerClient { /// /// Deletes a pipeline if there are no running instances of the pipeline. To delete a pipeline, you must stop all running instances of the pipeline using the StopPipelineExecution API. When you delete a pipeline, all instances of the pipeline are deleted. /// - /// - Parameter DeletePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePipelineInput`) /// - /// - Returns: `DeletePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8655,7 +8536,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePipelineOutput.httpOutput(from:), DeletePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8690,9 +8570,9 @@ extension SageMakerClient { /// /// Delete the specified project. /// - /// - Parameter DeleteProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProjectInput`) /// - /// - Returns: `DeleteProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8724,7 +8604,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProjectOutput.httpOutput(from:), DeleteProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8759,9 +8638,9 @@ extension SageMakerClient { /// /// Used to delete a space. /// - /// - Parameter DeleteSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSpaceInput`) /// - /// - Returns: `DeleteSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8794,7 +8673,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSpaceOutput.httpOutput(from:), DeleteSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8829,9 +8707,9 @@ extension SageMakerClient { /// /// Deletes the Amazon SageMaker AI Studio Lifecycle Configuration. In order to delete the Lifecycle Configuration, there must be no running apps using the Lifecycle Configuration. You must also remove the Lifecycle Configuration from UserSettings in all Domains and UserProfiles. /// - /// - Parameter DeleteStudioLifecycleConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteStudioLifecycleConfigInput`) /// - /// - Returns: `DeleteStudioLifecycleConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteStudioLifecycleConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8864,7 +8742,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteStudioLifecycleConfigOutput.httpOutput(from:), DeleteStudioLifecycleConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8899,9 +8776,9 @@ extension SageMakerClient { /// /// Deletes the specified tags from an SageMaker resource. To list a resource's tags, use the ListTags API. When you call this API to delete tags from a hyperparameter tuning job, the deleted tags are not removed from training jobs that the hyperparameter tuning job launched before you called this API. When you call this API to delete tags from a SageMaker Domain or User Profile, the deleted tags are not removed from Apps that the SageMaker Domain or User Profile launched before you called this API. /// - /// - Parameter DeleteTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTagsInput`) /// - /// - Returns: `DeleteTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagsOutput`) public func deleteTags(input: DeleteTagsInput) async throws -> DeleteTagsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -8928,7 +8805,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsOutput.httpOutput(from:), DeleteTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -8963,9 +8839,9 @@ extension SageMakerClient { /// /// Deletes the specified trial. All trial components that make up the trial must be deleted first. Use the [DescribeTrialComponent](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeTrialComponent.html) API to get the list of trial components. /// - /// - Parameter DeleteTrialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrialInput`) /// - /// - Returns: `DeleteTrialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -8997,7 +8873,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrialOutput.httpOutput(from:), DeleteTrialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9032,9 +8907,9 @@ extension SageMakerClient { /// /// Deletes the specified trial component. A trial component must be disassociated from all trials before the trial component can be deleted. To disassociate a trial component from a trial, call the [DisassociateTrialComponent](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DisassociateTrialComponent.html) API. /// - /// - Parameter DeleteTrialComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrialComponentInput`) /// - /// - Returns: `DeleteTrialComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrialComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9066,7 +8941,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrialComponentOutput.httpOutput(from:), DeleteTrialComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9101,9 +8975,9 @@ extension SageMakerClient { /// /// Deletes a user profile. When a user profile is deleted, the user loses access to their EFS volume, including data, notebooks, and other artifacts. /// - /// - Parameter DeleteUserProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserProfileInput`) /// - /// - Returns: `DeleteUserProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9136,7 +9010,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserProfileOutput.httpOutput(from:), DeleteUserProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9171,9 +9044,9 @@ extension SageMakerClient { /// /// Use this operation to delete a workforce. If you want to create a new workforce in an Amazon Web Services Region where a workforce already exists, use this operation to delete the existing workforce and then use [CreateWorkforce](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateWorkforce.html) to create a new workforce. If a private workforce contains one or more work teams, you must use the [DeleteWorkteam](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DeleteWorkteam.html) operation to delete all work teams before you delete the workforce. If you try to delete a workforce that contains one or more work teams, you will receive a ResourceInUse error. /// - /// - Parameter DeleteWorkforceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkforceInput`) /// - /// - Returns: `DeleteWorkforceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkforceOutput`) public func deleteWorkforce(input: DeleteWorkforceInput) async throws -> DeleteWorkforceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9200,7 +9073,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkforceOutput.httpOutput(from:), DeleteWorkforceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9235,9 +9107,9 @@ extension SageMakerClient { /// /// Deletes an existing work team. This operation can't be undone. /// - /// - Parameter DeleteWorkteamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkteamInput`) /// - /// - Returns: `DeleteWorkteamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkteamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9269,7 +9141,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkteamOutput.httpOutput(from:), DeleteWorkteamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9304,9 +9175,9 @@ extension SageMakerClient { /// /// Deregisters the specified devices. After you deregister a device, you will need to re-register the devices. /// - /// - Parameter DeregisterDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterDevicesInput`) /// - /// - Returns: `DeregisterDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterDevicesOutput`) public func deregisterDevices(input: DeregisterDevicesInput) async throws -> DeregisterDevicesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9333,7 +9204,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterDevicesOutput.httpOutput(from:), DeregisterDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9368,9 +9238,9 @@ extension SageMakerClient { /// /// Describes an action. /// - /// - Parameter DescribeActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeActionInput`) /// - /// - Returns: `DescribeActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9402,7 +9272,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeActionOutput.httpOutput(from:), DescribeActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9437,9 +9306,9 @@ extension SageMakerClient { /// /// Returns a description of the specified algorithm that is in your account. /// - /// - Parameter DescribeAlgorithmInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAlgorithmInput`) /// - /// - Returns: `DescribeAlgorithmOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAlgorithmOutput`) public func describeAlgorithm(input: DescribeAlgorithmInput) async throws -> DescribeAlgorithmOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -9466,7 +9335,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAlgorithmOutput.httpOutput(from:), DescribeAlgorithmOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9501,9 +9369,9 @@ extension SageMakerClient { /// /// Describes the app. /// - /// - Parameter DescribeAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppInput`) /// - /// - Returns: `DescribeAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9535,7 +9403,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppOutput.httpOutput(from:), DescribeAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9570,9 +9437,9 @@ extension SageMakerClient { /// /// Describes an AppImageConfig. /// - /// - Parameter DescribeAppImageConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppImageConfigInput`) /// - /// - Returns: `DescribeAppImageConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppImageConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9604,7 +9471,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppImageConfigOutput.httpOutput(from:), DescribeAppImageConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9639,9 +9505,9 @@ extension SageMakerClient { /// /// Describes an artifact. /// - /// - Parameter DescribeArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeArtifactInput`) /// - /// - Returns: `DescribeArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9673,7 +9539,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeArtifactOutput.httpOutput(from:), DescribeArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9708,9 +9573,9 @@ extension SageMakerClient { /// /// Returns information about an AutoML job created by calling [CreateAutoMLJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateAutoMLJob.html). AutoML jobs created by calling [CreateAutoMLJobV2](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateAutoMLJobV2.html) cannot be described by DescribeAutoMLJob. /// - /// - Parameter DescribeAutoMLJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAutoMLJobInput`) /// - /// - Returns: `DescribeAutoMLJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAutoMLJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9742,7 +9607,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAutoMLJobOutput.httpOutput(from:), DescribeAutoMLJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9777,9 +9641,9 @@ extension SageMakerClient { /// /// Returns information about an AutoML job created by calling [CreateAutoMLJobV2](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateAutoMLJobV2.html) or [CreateAutoMLJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateAutoMLJob.html). /// - /// - Parameter DescribeAutoMLJobV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAutoMLJobV2Input`) /// - /// - Returns: `DescribeAutoMLJobV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAutoMLJobV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9811,7 +9675,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAutoMLJobV2Output.httpOutput(from:), DescribeAutoMLJobV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9846,9 +9709,9 @@ extension SageMakerClient { /// /// Retrieves information of a SageMaker HyperPod cluster. /// - /// - Parameter DescribeClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterInput`) /// - /// - Returns: `DescribeClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9880,7 +9743,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterOutput.httpOutput(from:), DescribeClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9915,9 +9777,9 @@ extension SageMakerClient { /// /// Retrieves detailed information about a specific event for a given HyperPod cluster. This functionality is only supported when the NodeProvisioningMode is set to Continuous. /// - /// - Parameter DescribeClusterEventInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterEventInput`) /// - /// - Returns: `DescribeClusterEventOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -9949,7 +9811,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterEventOutput.httpOutput(from:), DescribeClusterEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -9984,9 +9845,9 @@ extension SageMakerClient { /// /// Retrieves information of a node (also called a instance interchangeably) of a SageMaker HyperPod cluster. /// - /// - Parameter DescribeClusterNodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterNodeInput`) /// - /// - Returns: `DescribeClusterNodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterNodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10018,7 +9879,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterNodeOutput.httpOutput(from:), DescribeClusterNodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10053,9 +9913,9 @@ extension SageMakerClient { /// /// Description of the cluster policy. This policy is used for task prioritization and fair-share allocation. This helps prioritize critical workloads and distributes idle compute across entities. /// - /// - Parameter DescribeClusterSchedulerConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterSchedulerConfigInput`) /// - /// - Returns: `DescribeClusterSchedulerConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterSchedulerConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10087,7 +9947,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterSchedulerConfigOutput.httpOutput(from:), DescribeClusterSchedulerConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10122,9 +9981,9 @@ extension SageMakerClient { /// /// Gets details about the specified Git repository. /// - /// - Parameter DescribeCodeRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCodeRepositoryInput`) /// - /// - Returns: `DescribeCodeRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCodeRepositoryOutput`) public func describeCodeRepository(input: DescribeCodeRepositoryInput) async throws -> DescribeCodeRepositoryOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10151,7 +10010,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCodeRepositoryOutput.httpOutput(from:), DescribeCodeRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10186,9 +10044,9 @@ extension SageMakerClient { /// /// Returns information about a model compilation job. To create a model compilation job, use [CreateCompilationJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateCompilationJob.html). To get information about multiple model compilation jobs, use [ListCompilationJobs](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_ListCompilationJobs.html). /// - /// - Parameter DescribeCompilationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCompilationJobInput`) /// - /// - Returns: `DescribeCompilationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCompilationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10220,7 +10078,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCompilationJobOutput.httpOutput(from:), DescribeCompilationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10255,9 +10112,9 @@ extension SageMakerClient { /// /// Description of the compute allocation definition. /// - /// - Parameter DescribeComputeQuotaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeComputeQuotaInput`) /// - /// - Returns: `DescribeComputeQuotaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeComputeQuotaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10289,7 +10146,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeComputeQuotaOutput.httpOutput(from:), DescribeComputeQuotaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10324,9 +10180,9 @@ extension SageMakerClient { /// /// Describes a context. /// - /// - Parameter DescribeContextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeContextInput`) /// - /// - Returns: `DescribeContextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeContextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10358,7 +10214,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeContextOutput.httpOutput(from:), DescribeContextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10393,9 +10248,9 @@ extension SageMakerClient { /// /// Gets the details of a data quality monitoring job definition. /// - /// - Parameter DescribeDataQualityJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDataQualityJobDefinitionInput`) /// - /// - Returns: `DescribeDataQualityJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDataQualityJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10427,7 +10282,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDataQualityJobDefinitionOutput.httpOutput(from:), DescribeDataQualityJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10462,9 +10316,9 @@ extension SageMakerClient { /// /// Describes the device. /// - /// - Parameter DescribeDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeviceInput`) /// - /// - Returns: `DescribeDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10496,7 +10350,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeviceOutput.httpOutput(from:), DescribeDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10531,9 +10384,9 @@ extension SageMakerClient { /// /// A description of the fleet the device belongs to. /// - /// - Parameter DescribeDeviceFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeviceFleetInput`) /// - /// - Returns: `DescribeDeviceFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeviceFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10565,7 +10418,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeviceFleetOutput.httpOutput(from:), DescribeDeviceFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10600,9 +10452,9 @@ extension SageMakerClient { /// /// The description of the domain. /// - /// - Parameter DescribeDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDomainInput`) /// - /// - Returns: `DescribeDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10634,7 +10486,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainOutput.httpOutput(from:), DescribeDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10669,9 +10520,9 @@ extension SageMakerClient { /// /// Describes an edge deployment plan with deployment status per stage. /// - /// - Parameter DescribeEdgeDeploymentPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEdgeDeploymentPlanInput`) /// - /// - Returns: `DescribeEdgeDeploymentPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEdgeDeploymentPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10703,7 +10554,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEdgeDeploymentPlanOutput.httpOutput(from:), DescribeEdgeDeploymentPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10738,9 +10588,9 @@ extension SageMakerClient { /// /// A description of edge packaging jobs. /// - /// - Parameter DescribeEdgePackagingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEdgePackagingJobInput`) /// - /// - Returns: `DescribeEdgePackagingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEdgePackagingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10772,7 +10622,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEdgePackagingJobOutput.httpOutput(from:), DescribeEdgePackagingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10807,9 +10656,9 @@ extension SageMakerClient { /// /// Returns the description of an endpoint. /// - /// - Parameter DescribeEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointInput`) /// - /// - Returns: `DescribeEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointOutput`) public func describeEndpoint(input: DescribeEndpointInput) async throws -> DescribeEndpointOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10836,7 +10685,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointOutput.httpOutput(from:), DescribeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10871,9 +10719,9 @@ extension SageMakerClient { /// /// Returns the description of an endpoint configuration created using the CreateEndpointConfig API. /// - /// - Parameter DescribeEndpointConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointConfigInput`) /// - /// - Returns: `DescribeEndpointConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointConfigOutput`) public func describeEndpointConfig(input: DescribeEndpointConfigInput) async throws -> DescribeEndpointConfigOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -10900,7 +10748,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointConfigOutput.httpOutput(from:), DescribeEndpointConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -10935,9 +10782,9 @@ extension SageMakerClient { /// /// Provides a list of an experiment's properties. /// - /// - Parameter DescribeExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExperimentInput`) /// - /// - Returns: `DescribeExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -10969,7 +10816,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExperimentOutput.httpOutput(from:), DescribeExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11004,9 +10850,9 @@ extension SageMakerClient { /// /// Use this operation to describe a FeatureGroup. The response includes information on the creation time, FeatureGroup name, the unique identifier for each FeatureGroup, and more. /// - /// - Parameter DescribeFeatureGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFeatureGroupInput`) /// - /// - Returns: `DescribeFeatureGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFeatureGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11038,7 +10884,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFeatureGroupOutput.httpOutput(from:), DescribeFeatureGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11073,9 +10918,9 @@ extension SageMakerClient { /// /// Shows the metadata for a feature within a feature group. /// - /// - Parameter DescribeFeatureMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFeatureMetadataInput`) /// - /// - Returns: `DescribeFeatureMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFeatureMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11107,7 +10952,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFeatureMetadataOutput.httpOutput(from:), DescribeFeatureMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11142,9 +10986,9 @@ extension SageMakerClient { /// /// Returns information about the specified flow definition. /// - /// - Parameter DescribeFlowDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFlowDefinitionInput`) /// - /// - Returns: `DescribeFlowDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFlowDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11176,7 +11020,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFlowDefinitionOutput.httpOutput(from:), DescribeFlowDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11211,9 +11054,9 @@ extension SageMakerClient { /// /// Describes a hub. /// - /// - Parameter DescribeHubInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHubInput`) /// - /// - Returns: `DescribeHubOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHubOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11245,7 +11088,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHubOutput.httpOutput(from:), DescribeHubOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11280,9 +11122,9 @@ extension SageMakerClient { /// /// Describe the content of a hub. /// - /// - Parameter DescribeHubContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHubContentInput`) /// - /// - Returns: `DescribeHubContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHubContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11314,7 +11156,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHubContentOutput.httpOutput(from:), DescribeHubContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11349,9 +11190,9 @@ extension SageMakerClient { /// /// Returns information about the requested human task user interface (worker task template). /// - /// - Parameter DescribeHumanTaskUiInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHumanTaskUiInput`) /// - /// - Returns: `DescribeHumanTaskUiOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHumanTaskUiOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11383,7 +11224,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHumanTaskUiOutput.httpOutput(from:), DescribeHumanTaskUiOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11418,9 +11258,9 @@ extension SageMakerClient { /// /// Returns a description of a hyperparameter tuning job, depending on the fields selected. These fields can include the name, Amazon Resource Name (ARN), job status of your tuning job and more. /// - /// - Parameter DescribeHyperParameterTuningJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHyperParameterTuningJobInput`) /// - /// - Returns: `DescribeHyperParameterTuningJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHyperParameterTuningJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11452,7 +11292,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHyperParameterTuningJobOutput.httpOutput(from:), DescribeHyperParameterTuningJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11487,9 +11326,9 @@ extension SageMakerClient { /// /// Describes a SageMaker AI image. /// - /// - Parameter DescribeImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageInput`) /// - /// - Returns: `DescribeImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11521,7 +11360,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageOutput.httpOutput(from:), DescribeImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11556,9 +11394,9 @@ extension SageMakerClient { /// /// Describes a version of a SageMaker AI image. /// - /// - Parameter DescribeImageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageVersionInput`) /// - /// - Returns: `DescribeImageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11590,7 +11428,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageVersionOutput.httpOutput(from:), DescribeImageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11625,9 +11462,9 @@ extension SageMakerClient { /// /// Returns information about an inference component. /// - /// - Parameter DescribeInferenceComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInferenceComponentInput`) /// - /// - Returns: `DescribeInferenceComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInferenceComponentOutput`) public func describeInferenceComponent(input: DescribeInferenceComponentInput) async throws -> DescribeInferenceComponentOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -11654,7 +11491,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInferenceComponentOutput.httpOutput(from:), DescribeInferenceComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11689,9 +11525,9 @@ extension SageMakerClient { /// /// Returns details about an inference experiment. /// - /// - Parameter DescribeInferenceExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInferenceExperimentInput`) /// - /// - Returns: `DescribeInferenceExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInferenceExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11723,7 +11559,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInferenceExperimentOutput.httpOutput(from:), DescribeInferenceExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11758,9 +11593,9 @@ extension SageMakerClient { /// /// Provides the results of the Inference Recommender job. One or more recommendation jobs are returned. /// - /// - Parameter DescribeInferenceRecommendationsJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInferenceRecommendationsJobInput`) /// - /// - Returns: `DescribeInferenceRecommendationsJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInferenceRecommendationsJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11792,7 +11627,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInferenceRecommendationsJobOutput.httpOutput(from:), DescribeInferenceRecommendationsJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11827,9 +11661,9 @@ extension SageMakerClient { /// /// Gets information about a labeling job. /// - /// - Parameter DescribeLabelingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLabelingJobInput`) /// - /// - Returns: `DescribeLabelingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLabelingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11861,7 +11695,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLabelingJobOutput.httpOutput(from:), DescribeLabelingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11896,9 +11729,9 @@ extension SageMakerClient { /// /// Provides a list of properties for the requested lineage group. For more information, see [ Cross-Account Lineage Tracking ](https://docs.aws.amazon.com/sagemaker/latest/dg/xaccount-lineage-tracking.html) in the Amazon SageMaker Developer Guide. /// - /// - Parameter DescribeLineageGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLineageGroupInput`) /// - /// - Returns: `DescribeLineageGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLineageGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11930,7 +11763,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLineageGroupOutput.httpOutput(from:), DescribeLineageGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -11965,9 +11797,9 @@ extension SageMakerClient { /// /// Returns information about an MLflow Tracking Server. /// - /// - Parameter DescribeMlflowTrackingServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMlflowTrackingServerInput`) /// - /// - Returns: `DescribeMlflowTrackingServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMlflowTrackingServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -11999,7 +11831,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMlflowTrackingServerOutput.httpOutput(from:), DescribeMlflowTrackingServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12034,9 +11865,9 @@ extension SageMakerClient { /// /// Describes a model that you created using the CreateModel API. /// - /// - Parameter DescribeModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelInput`) /// - /// - Returns: `DescribeModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelOutput`) public func describeModel(input: DescribeModelInput) async throws -> DescribeModelOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12063,7 +11894,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelOutput.httpOutput(from:), DescribeModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12098,9 +11928,9 @@ extension SageMakerClient { /// /// Returns a description of a model bias job definition. /// - /// - Parameter DescribeModelBiasJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelBiasJobDefinitionInput`) /// - /// - Returns: `DescribeModelBiasJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelBiasJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12132,7 +11962,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelBiasJobDefinitionOutput.httpOutput(from:), DescribeModelBiasJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12167,9 +11996,9 @@ extension SageMakerClient { /// /// Describes the content, creation time, and security configuration of an Amazon SageMaker Model Card. /// - /// - Parameter DescribeModelCardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelCardInput`) /// - /// - Returns: `DescribeModelCardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelCardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12201,7 +12030,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelCardOutput.httpOutput(from:), DescribeModelCardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12236,9 +12064,9 @@ extension SageMakerClient { /// /// Describes an Amazon SageMaker Model Card export job. /// - /// - Parameter DescribeModelCardExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelCardExportJobInput`) /// - /// - Returns: `DescribeModelCardExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelCardExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12270,7 +12098,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelCardExportJobOutput.httpOutput(from:), DescribeModelCardExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12305,9 +12132,9 @@ extension SageMakerClient { /// /// Returns a description of a model explainability job definition. /// - /// - Parameter DescribeModelExplainabilityJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelExplainabilityJobDefinitionInput`) /// - /// - Returns: `DescribeModelExplainabilityJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelExplainabilityJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12339,7 +12166,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelExplainabilityJobDefinitionOutput.httpOutput(from:), DescribeModelExplainabilityJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12374,9 +12200,9 @@ extension SageMakerClient { /// /// Returns a description of the specified model package, which is used to create SageMaker models or list them on Amazon Web Services Marketplace. If you provided a KMS Key ID when you created your model package, you will see the [KMS Decrypt](https://docs.aws.amazon.com/kms/latest/APIReference/API_Decrypt.html) API call in your CloudTrail logs when you use this API. To create models in SageMaker, buyers can subscribe to model packages listed on Amazon Web Services Marketplace. /// - /// - Parameter DescribeModelPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelPackageInput`) /// - /// - Returns: `DescribeModelPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelPackageOutput`) public func describeModelPackage(input: DescribeModelPackageInput) async throws -> DescribeModelPackageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12403,7 +12229,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelPackageOutput.httpOutput(from:), DescribeModelPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12438,9 +12263,9 @@ extension SageMakerClient { /// /// Gets a description for the specified model group. /// - /// - Parameter DescribeModelPackageGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelPackageGroupInput`) /// - /// - Returns: `DescribeModelPackageGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelPackageGroupOutput`) public func describeModelPackageGroup(input: DescribeModelPackageGroupInput) async throws -> DescribeModelPackageGroupOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12467,7 +12292,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelPackageGroupOutput.httpOutput(from:), DescribeModelPackageGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12502,9 +12326,9 @@ extension SageMakerClient { /// /// Returns a description of a model quality job definition. /// - /// - Parameter DescribeModelQualityJobDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeModelQualityJobDefinitionInput`) /// - /// - Returns: `DescribeModelQualityJobDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeModelQualityJobDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12536,7 +12360,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeModelQualityJobDefinitionOutput.httpOutput(from:), DescribeModelQualityJobDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12571,9 +12394,9 @@ extension SageMakerClient { /// /// Describes the schedule for a monitoring job. /// - /// - Parameter DescribeMonitoringScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMonitoringScheduleInput`) /// - /// - Returns: `DescribeMonitoringScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMonitoringScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12605,7 +12428,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMonitoringScheduleOutput.httpOutput(from:), DescribeMonitoringScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12640,9 +12462,9 @@ extension SageMakerClient { /// /// Returns information about a notebook instance. /// - /// - Parameter DescribeNotebookInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNotebookInstanceInput`) /// - /// - Returns: `DescribeNotebookInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNotebookInstanceOutput`) public func describeNotebookInstance(input: DescribeNotebookInstanceInput) async throws -> DescribeNotebookInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12669,7 +12491,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNotebookInstanceOutput.httpOutput(from:), DescribeNotebookInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12704,9 +12525,9 @@ extension SageMakerClient { /// /// Returns a description of a notebook instance lifecycle configuration. For information about notebook instance lifestyle configurations, see [Step 2.1: (Optional) Customize a Notebook Instance](https://docs.aws.amazon.com/sagemaker/latest/dg/notebook-lifecycle-config.html). /// - /// - Parameter DescribeNotebookInstanceLifecycleConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNotebookInstanceLifecycleConfigInput`) /// - /// - Returns: `DescribeNotebookInstanceLifecycleConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNotebookInstanceLifecycleConfigOutput`) public func describeNotebookInstanceLifecycleConfig(input: DescribeNotebookInstanceLifecycleConfigInput) async throws -> DescribeNotebookInstanceLifecycleConfigOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -12733,7 +12554,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNotebookInstanceLifecycleConfigOutput.httpOutput(from:), DescribeNotebookInstanceLifecycleConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12768,9 +12588,9 @@ extension SageMakerClient { /// /// Provides the properties of the specified optimization job. /// - /// - Parameter DescribeOptimizationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOptimizationJobInput`) /// - /// - Returns: `DescribeOptimizationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOptimizationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12802,7 +12622,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOptimizationJobOutput.httpOutput(from:), DescribeOptimizationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12837,9 +12656,9 @@ extension SageMakerClient { /// /// Gets information about a SageMaker Partner AI App. /// - /// - Parameter DescribePartnerAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePartnerAppInput`) /// - /// - Returns: `DescribePartnerAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePartnerAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12871,7 +12690,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePartnerAppOutput.httpOutput(from:), DescribePartnerAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12906,9 +12724,9 @@ extension SageMakerClient { /// /// Describes the details of a pipeline. /// - /// - Parameter DescribePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePipelineInput`) /// - /// - Returns: `DescribePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -12940,7 +12758,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePipelineOutput.httpOutput(from:), DescribePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -12975,9 +12792,9 @@ extension SageMakerClient { /// /// Describes the details of an execution's pipeline definition. /// - /// - Parameter DescribePipelineDefinitionForExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePipelineDefinitionForExecutionInput`) /// - /// - Returns: `DescribePipelineDefinitionForExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePipelineDefinitionForExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13009,7 +12826,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePipelineDefinitionForExecutionOutput.httpOutput(from:), DescribePipelineDefinitionForExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13044,9 +12860,9 @@ extension SageMakerClient { /// /// Describes the details of a pipeline execution. /// - /// - Parameter DescribePipelineExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePipelineExecutionInput`) /// - /// - Returns: `DescribePipelineExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePipelineExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13078,7 +12894,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePipelineExecutionOutput.httpOutput(from:), DescribePipelineExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13113,9 +12928,9 @@ extension SageMakerClient { /// /// Returns a description of a processing job. /// - /// - Parameter DescribeProcessingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProcessingJobInput`) /// - /// - Returns: `DescribeProcessingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProcessingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13147,7 +12962,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProcessingJobOutput.httpOutput(from:), DescribeProcessingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13182,9 +12996,9 @@ extension SageMakerClient { /// /// Describes the details of a project. /// - /// - Parameter DescribeProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProjectInput`) /// - /// - Returns: `DescribeProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProjectOutput`) public func describeProject(input: DescribeProjectInput) async throws -> DescribeProjectOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13211,7 +13025,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProjectOutput.httpOutput(from:), DescribeProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13246,9 +13059,9 @@ extension SageMakerClient { /// /// Retrieves details about a reserved capacity. /// - /// - Parameter DescribeReservedCapacityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReservedCapacityInput`) /// - /// - Returns: `DescribeReservedCapacityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReservedCapacityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13280,7 +13093,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReservedCapacityOutput.httpOutput(from:), DescribeReservedCapacityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13315,9 +13127,9 @@ extension SageMakerClient { /// /// Describes the space. /// - /// - Parameter DescribeSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSpaceInput`) /// - /// - Returns: `DescribeSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13349,7 +13161,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSpaceOutput.httpOutput(from:), DescribeSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13384,9 +13195,9 @@ extension SageMakerClient { /// /// Describes the Amazon SageMaker AI Studio Lifecycle Configuration. /// - /// - Parameter DescribeStudioLifecycleConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStudioLifecycleConfigInput`) /// - /// - Returns: `DescribeStudioLifecycleConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStudioLifecycleConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13418,7 +13229,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStudioLifecycleConfigOutput.httpOutput(from:), DescribeStudioLifecycleConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13453,9 +13263,9 @@ extension SageMakerClient { /// /// Gets information about a work team provided by a vendor. It returns details about the subscription with a vendor in the Amazon Web Services Marketplace. /// - /// - Parameter DescribeSubscribedWorkteamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSubscribedWorkteamInput`) /// - /// - Returns: `DescribeSubscribedWorkteamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSubscribedWorkteamOutput`) public func describeSubscribedWorkteam(input: DescribeSubscribedWorkteamInput) async throws -> DescribeSubscribedWorkteamOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13482,7 +13292,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSubscribedWorkteamOutput.httpOutput(from:), DescribeSubscribedWorkteamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13517,9 +13326,9 @@ extension SageMakerClient { /// /// Returns information about a training job. Some of the attributes below only appear if the training job successfully starts. If the training job fails, TrainingJobStatus is Failed and, depending on the FailureReason, attributes like TrainingStartTime, TrainingTimeInSeconds, TrainingEndTime, and BillableTimeInSeconds may not be present in the response. /// - /// - Parameter DescribeTrainingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrainingJobInput`) /// - /// - Returns: `DescribeTrainingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrainingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13551,7 +13360,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrainingJobOutput.httpOutput(from:), DescribeTrainingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13586,9 +13394,9 @@ extension SageMakerClient { /// /// Retrieves detailed information about a specific training plan. /// - /// - Parameter DescribeTrainingPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrainingPlanInput`) /// - /// - Returns: `DescribeTrainingPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrainingPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13620,7 +13428,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrainingPlanOutput.httpOutput(from:), DescribeTrainingPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13655,9 +13462,9 @@ extension SageMakerClient { /// /// Returns information about a transform job. /// - /// - Parameter DescribeTransformJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTransformJobInput`) /// - /// - Returns: `DescribeTransformJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTransformJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13689,7 +13496,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTransformJobOutput.httpOutput(from:), DescribeTransformJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13724,9 +13530,9 @@ extension SageMakerClient { /// /// Provides a list of a trial's properties. /// - /// - Parameter DescribeTrialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrialInput`) /// - /// - Returns: `DescribeTrialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13758,7 +13564,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrialOutput.httpOutput(from:), DescribeTrialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13793,9 +13598,9 @@ extension SageMakerClient { /// /// Provides a list of a trials component's properties. /// - /// - Parameter DescribeTrialComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrialComponentInput`) /// - /// - Returns: `DescribeTrialComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTrialComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13827,7 +13632,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrialComponentOutput.httpOutput(from:), DescribeTrialComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13862,9 +13666,9 @@ extension SageMakerClient { /// /// Describes a user profile. For more information, see CreateUserProfile. /// - /// - Parameter DescribeUserProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserProfileInput`) /// - /// - Returns: `DescribeUserProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -13897,7 +13701,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserProfileOutput.httpOutput(from:), DescribeUserProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13932,9 +13735,9 @@ extension SageMakerClient { /// /// Lists private workforce information, including workforce name, Amazon Resource Name (ARN), and, if applicable, allowed IP address ranges ([CIDRs](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Subnets.html)). Allowable IP address ranges are the IP addresses that workers can use to access tasks. This operation applies only to private workforces. /// - /// - Parameter DescribeWorkforceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkforceInput`) /// - /// - Returns: `DescribeWorkforceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkforceOutput`) public func describeWorkforce(input: DescribeWorkforceInput) async throws -> DescribeWorkforceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -13961,7 +13764,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkforceOutput.httpOutput(from:), DescribeWorkforceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -13996,9 +13798,9 @@ extension SageMakerClient { /// /// Gets information about a specific work team. You can see information such as the creation date, the last updated date, membership information, and the work team's Amazon Resource Name (ARN). /// - /// - Parameter DescribeWorkteamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkteamInput`) /// - /// - Returns: `DescribeWorkteamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkteamOutput`) public func describeWorkteam(input: DescribeWorkteamInput) async throws -> DescribeWorkteamOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14025,7 +13827,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkteamOutput.httpOutput(from:), DescribeWorkteamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14060,9 +13861,9 @@ extension SageMakerClient { /// /// Detaches your Amazon Elastic Block Store (Amazon EBS) volume from a node in your EKS orchestrated SageMaker HyperPod cluster. This API works with the Amazon Elastic Block Store (Amazon EBS) Container Storage Interface (CSI) driver to manage the lifecycle of persistent storage in your HyperPod EKS clusters. /// - /// - Parameter DetachClusterNodeVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetachClusterNodeVolumeInput`) /// - /// - Returns: `DetachClusterNodeVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetachClusterNodeVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14094,7 +13895,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachClusterNodeVolumeOutput.httpOutput(from:), DetachClusterNodeVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14129,9 +13929,9 @@ extension SageMakerClient { /// /// Disables using Service Catalog in SageMaker. Service Catalog is used to create SageMaker projects. /// - /// - Parameter DisableSagemakerServicecatalogPortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableSagemakerServicecatalogPortfolioInput`) /// - /// - Returns: `DisableSagemakerServicecatalogPortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableSagemakerServicecatalogPortfolioOutput`) public func disableSagemakerServicecatalogPortfolio(input: DisableSagemakerServicecatalogPortfolioInput) async throws -> DisableSagemakerServicecatalogPortfolioOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14158,7 +13958,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableSagemakerServicecatalogPortfolioOutput.httpOutput(from:), DisableSagemakerServicecatalogPortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14193,9 +13992,9 @@ extension SageMakerClient { /// /// Disassociates a trial component from a trial. This doesn't effect other trials the component is associated with. Before you can delete a component, you must disassociate the component from all trials it is associated with. To associate a trial component with a trial, call the [AssociateTrialComponent](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_AssociateTrialComponent.html) API. To get a list of the trials a component is associated with, use the [Search](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_Search.html) API. Specify ExperimentTrialComponent for the Resource parameter. The list appears in the response under Results.TrialComponent.Parents. /// - /// - Parameter DisassociateTrialComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTrialComponentInput`) /// - /// - Returns: `DisassociateTrialComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTrialComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14227,7 +14026,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTrialComponentOutput.httpOutput(from:), DisassociateTrialComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14262,9 +14060,9 @@ extension SageMakerClient { /// /// Enables using Service Catalog in SageMaker. Service Catalog is used to create SageMaker projects. /// - /// - Parameter EnableSagemakerServicecatalogPortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableSagemakerServicecatalogPortfolioInput`) /// - /// - Returns: `EnableSagemakerServicecatalogPortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableSagemakerServicecatalogPortfolioOutput`) public func enableSagemakerServicecatalogPortfolio(input: EnableSagemakerServicecatalogPortfolioInput) async throws -> EnableSagemakerServicecatalogPortfolioOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14291,7 +14089,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableSagemakerServicecatalogPortfolioOutput.httpOutput(from:), EnableSagemakerServicecatalogPortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14326,9 +14123,9 @@ extension SageMakerClient { /// /// Describes a fleet. /// - /// - Parameter GetDeviceFleetReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeviceFleetReportInput`) /// - /// - Returns: `GetDeviceFleetReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeviceFleetReportOutput`) public func getDeviceFleetReport(input: GetDeviceFleetReportInput) async throws -> GetDeviceFleetReportOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14355,7 +14152,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceFleetReportOutput.httpOutput(from:), GetDeviceFleetReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14390,9 +14186,9 @@ extension SageMakerClient { /// /// The resource policy for the lineage group. /// - /// - Parameter GetLineageGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLineageGroupPolicyInput`) /// - /// - Returns: `GetLineageGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLineageGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14424,7 +14220,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLineageGroupPolicyOutput.httpOutput(from:), GetLineageGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14459,9 +14254,9 @@ extension SageMakerClient { /// /// Gets a resource policy that manages access for a model group. For information about resource policies, see [Identity-based policies and resource-based policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_identity-vs-resource.html) in the Amazon Web Services Identity and Access Management User Guide.. /// - /// - Parameter GetModelPackageGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetModelPackageGroupPolicyInput`) /// - /// - Returns: `GetModelPackageGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetModelPackageGroupPolicyOutput`) public func getModelPackageGroupPolicy(input: GetModelPackageGroupPolicyInput) async throws -> GetModelPackageGroupPolicyOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14488,7 +14283,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetModelPackageGroupPolicyOutput.httpOutput(from:), GetModelPackageGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14523,9 +14317,9 @@ extension SageMakerClient { /// /// Gets the status of Service Catalog in SageMaker. Service Catalog is used to create SageMaker projects. /// - /// - Parameter GetSagemakerServicecatalogPortfolioStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSagemakerServicecatalogPortfolioStatusInput`) /// - /// - Returns: `GetSagemakerServicecatalogPortfolioStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSagemakerServicecatalogPortfolioStatusOutput`) public func getSagemakerServicecatalogPortfolioStatus(input: GetSagemakerServicecatalogPortfolioStatusInput) async throws -> GetSagemakerServicecatalogPortfolioStatusOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14552,7 +14346,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSagemakerServicecatalogPortfolioStatusOutput.httpOutput(from:), GetSagemakerServicecatalogPortfolioStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14587,9 +14380,9 @@ extension SageMakerClient { /// /// Starts an Amazon SageMaker Inference Recommender autoscaling recommendation job. Returns recommendations for autoscaling policies that you can apply to your SageMaker endpoint. /// - /// - Parameter GetScalingConfigurationRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetScalingConfigurationRecommendationInput`) /// - /// - Returns: `GetScalingConfigurationRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetScalingConfigurationRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14621,7 +14414,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetScalingConfigurationRecommendationOutput.httpOutput(from:), GetScalingConfigurationRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14656,9 +14448,9 @@ extension SageMakerClient { /// /// An auto-complete API for the search functionality in the SageMaker console. It returns suggestions of possible matches for the property name to use in Search queries. Provides suggestions for HyperParameters, Tags, and Metrics. /// - /// - Parameter GetSearchSuggestionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSearchSuggestionsInput`) /// - /// - Returns: `GetSearchSuggestionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSearchSuggestionsOutput`) public func getSearchSuggestions(input: GetSearchSuggestionsInput) async throws -> GetSearchSuggestionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14685,7 +14477,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSearchSuggestionsOutput.httpOutput(from:), GetSearchSuggestionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14720,9 +14511,9 @@ extension SageMakerClient { /// /// Import hub content. /// - /// - Parameter ImportHubContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportHubContentInput`) /// - /// - Returns: `ImportHubContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportHubContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14756,7 +14547,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportHubContentOutput.httpOutput(from:), ImportHubContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14791,9 +14581,9 @@ extension SageMakerClient { /// /// Lists the actions in your account and their properties. /// - /// - Parameter ListActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListActionsInput`) /// - /// - Returns: `ListActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14825,7 +14615,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActionsOutput.httpOutput(from:), ListActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14860,9 +14649,9 @@ extension SageMakerClient { /// /// Lists the machine learning algorithms that have been created. /// - /// - Parameter ListAlgorithmsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAlgorithmsInput`) /// - /// - Returns: `ListAlgorithmsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAlgorithmsOutput`) public func listAlgorithms(input: ListAlgorithmsInput) async throws -> ListAlgorithmsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -14889,7 +14678,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAlgorithmsOutput.httpOutput(from:), ListAlgorithmsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14924,9 +14712,9 @@ extension SageMakerClient { /// /// Lists the aliases of a specified image or image version. /// - /// - Parameter ListAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAliasesInput`) /// - /// - Returns: `ListAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -14958,7 +14746,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAliasesOutput.httpOutput(from:), ListAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -14993,9 +14780,9 @@ extension SageMakerClient { /// /// Lists the AppImageConfigs in your account and their properties. The list can be filtered by creation time or modified time, and whether the AppImageConfig name contains a specified string. /// - /// - Parameter ListAppImageConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppImageConfigsInput`) /// - /// - Returns: `ListAppImageConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppImageConfigsOutput`) public func listAppImageConfigs(input: ListAppImageConfigsInput) async throws -> ListAppImageConfigsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15022,7 +14809,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppImageConfigsOutput.httpOutput(from:), ListAppImageConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15057,9 +14843,9 @@ extension SageMakerClient { /// /// Lists apps. /// - /// - Parameter ListAppsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppsInput`) /// - /// - Returns: `ListAppsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppsOutput`) public func listApps(input: ListAppsInput) async throws -> ListAppsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15086,7 +14872,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppsOutput.httpOutput(from:), ListAppsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15121,9 +14906,9 @@ extension SageMakerClient { /// /// Lists the artifacts in your account and their properties. /// - /// - Parameter ListArtifactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListArtifactsInput`) /// - /// - Returns: `ListArtifactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListArtifactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15155,7 +14940,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListArtifactsOutput.httpOutput(from:), ListArtifactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15190,9 +14974,9 @@ extension SageMakerClient { /// /// Lists the associations in your account and their properties. /// - /// - Parameter ListAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociationsInput`) /// - /// - Returns: `ListAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15224,7 +15008,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociationsOutput.httpOutput(from:), ListAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15259,9 +15042,9 @@ extension SageMakerClient { /// /// Request a list of jobs. /// - /// - Parameter ListAutoMLJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutoMLJobsInput`) /// - /// - Returns: `ListAutoMLJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutoMLJobsOutput`) public func listAutoMLJobs(input: ListAutoMLJobsInput) async throws -> ListAutoMLJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15288,7 +15071,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutoMLJobsOutput.httpOutput(from:), ListAutoMLJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15323,9 +15105,9 @@ extension SageMakerClient { /// /// List the candidates created for the job. /// - /// - Parameter ListCandidatesForAutoMLJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCandidatesForAutoMLJobInput`) /// - /// - Returns: `ListCandidatesForAutoMLJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCandidatesForAutoMLJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15357,7 +15139,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCandidatesForAutoMLJobOutput.httpOutput(from:), ListCandidatesForAutoMLJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15392,9 +15173,9 @@ extension SageMakerClient { /// /// Retrieves a list of event summaries for a specified HyperPod cluster. The operation supports filtering, sorting, and pagination of results. This functionality is only supported when the NodeProvisioningMode is set to Continuous. /// - /// - Parameter ListClusterEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClusterEventsInput`) /// - /// - Returns: `ListClusterEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClusterEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15426,7 +15207,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClusterEventsOutput.httpOutput(from:), ListClusterEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15461,9 +15241,9 @@ extension SageMakerClient { /// /// Retrieves the list of instances (also called nodes interchangeably) in a SageMaker HyperPod cluster. /// - /// - Parameter ListClusterNodesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClusterNodesInput`) /// - /// - Returns: `ListClusterNodesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClusterNodesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15495,7 +15275,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClusterNodesOutput.httpOutput(from:), ListClusterNodesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15530,9 +15309,9 @@ extension SageMakerClient { /// /// List the cluster policy configurations. /// - /// - Parameter ListClusterSchedulerConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClusterSchedulerConfigsInput`) /// - /// - Returns: `ListClusterSchedulerConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClusterSchedulerConfigsOutput`) public func listClusterSchedulerConfigs(input: ListClusterSchedulerConfigsInput) async throws -> ListClusterSchedulerConfigsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15559,7 +15338,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClusterSchedulerConfigsOutput.httpOutput(from:), ListClusterSchedulerConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15594,9 +15372,9 @@ extension SageMakerClient { /// /// Retrieves the list of SageMaker HyperPod clusters. /// - /// - Parameter ListClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClustersOutput`) public func listClusters(input: ListClustersInput) async throws -> ListClustersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15623,7 +15401,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15658,9 +15435,9 @@ extension SageMakerClient { /// /// Gets a list of the Git repositories in your account. /// - /// - Parameter ListCodeRepositoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCodeRepositoriesInput`) /// - /// - Returns: `ListCodeRepositoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCodeRepositoriesOutput`) public func listCodeRepositories(input: ListCodeRepositoriesInput) async throws -> ListCodeRepositoriesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15687,7 +15464,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCodeRepositoriesOutput.httpOutput(from:), ListCodeRepositoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15722,9 +15498,9 @@ extension SageMakerClient { /// /// Lists model compilation jobs that satisfy various filters. To create a model compilation job, use [CreateCompilationJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateCompilationJob.html). To get information about a particular model compilation job you have created, use [DescribeCompilationJob](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeCompilationJob.html). /// - /// - Parameter ListCompilationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCompilationJobsInput`) /// - /// - Returns: `ListCompilationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCompilationJobsOutput`) public func listCompilationJobs(input: ListCompilationJobsInput) async throws -> ListCompilationJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15751,7 +15527,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCompilationJobsOutput.httpOutput(from:), ListCompilationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15786,9 +15561,9 @@ extension SageMakerClient { /// /// List the resource allocation definitions. /// - /// - Parameter ListComputeQuotasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComputeQuotasInput`) /// - /// - Returns: `ListComputeQuotasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComputeQuotasOutput`) public func listComputeQuotas(input: ListComputeQuotasInput) async throws -> ListComputeQuotasOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15815,7 +15590,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComputeQuotasOutput.httpOutput(from:), ListComputeQuotasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15850,9 +15624,9 @@ extension SageMakerClient { /// /// Lists the contexts in your account and their properties. /// - /// - Parameter ListContextsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContextsInput`) /// - /// - Returns: `ListContextsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContextsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -15884,7 +15658,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContextsOutput.httpOutput(from:), ListContextsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15919,9 +15692,9 @@ extension SageMakerClient { /// /// Lists the data quality job definitions in your account. /// - /// - Parameter ListDataQualityJobDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataQualityJobDefinitionsInput`) /// - /// - Returns: `ListDataQualityJobDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataQualityJobDefinitionsOutput`) public func listDataQualityJobDefinitions(input: ListDataQualityJobDefinitionsInput) async throws -> ListDataQualityJobDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -15948,7 +15721,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataQualityJobDefinitionsOutput.httpOutput(from:), ListDataQualityJobDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -15983,9 +15755,9 @@ extension SageMakerClient { /// /// Returns a list of devices in the fleet. /// - /// - Parameter ListDeviceFleetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeviceFleetsInput`) /// - /// - Returns: `ListDeviceFleetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeviceFleetsOutput`) public func listDeviceFleets(input: ListDeviceFleetsInput) async throws -> ListDeviceFleetsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16012,7 +15784,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeviceFleetsOutput.httpOutput(from:), ListDeviceFleetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16047,9 +15818,9 @@ extension SageMakerClient { /// /// A list of devices. /// - /// - Parameter ListDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevicesInput`) /// - /// - Returns: `ListDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevicesOutput`) public func listDevices(input: ListDevicesInput) async throws -> ListDevicesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16076,7 +15847,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevicesOutput.httpOutput(from:), ListDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16111,9 +15881,9 @@ extension SageMakerClient { /// /// Lists the domains. /// - /// - Parameter ListDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainsInput`) /// - /// - Returns: `ListDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainsOutput`) public func listDomains(input: ListDomainsInput) async throws -> ListDomainsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16140,7 +15910,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsOutput.httpOutput(from:), ListDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16175,9 +15944,9 @@ extension SageMakerClient { /// /// Lists all edge deployment plans. /// - /// - Parameter ListEdgeDeploymentPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEdgeDeploymentPlansInput`) /// - /// - Returns: `ListEdgeDeploymentPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEdgeDeploymentPlansOutput`) public func listEdgeDeploymentPlans(input: ListEdgeDeploymentPlansInput) async throws -> ListEdgeDeploymentPlansOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16204,7 +15973,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEdgeDeploymentPlansOutput.httpOutput(from:), ListEdgeDeploymentPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16239,9 +16007,9 @@ extension SageMakerClient { /// /// Returns a list of edge packaging jobs. /// - /// - Parameter ListEdgePackagingJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEdgePackagingJobsInput`) /// - /// - Returns: `ListEdgePackagingJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEdgePackagingJobsOutput`) public func listEdgePackagingJobs(input: ListEdgePackagingJobsInput) async throws -> ListEdgePackagingJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16268,7 +16036,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEdgePackagingJobsOutput.httpOutput(from:), ListEdgePackagingJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16303,9 +16070,9 @@ extension SageMakerClient { /// /// Lists endpoint configurations. /// - /// - Parameter ListEndpointConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEndpointConfigsInput`) /// - /// - Returns: `ListEndpointConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEndpointConfigsOutput`) public func listEndpointConfigs(input: ListEndpointConfigsInput) async throws -> ListEndpointConfigsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16332,7 +16099,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEndpointConfigsOutput.httpOutput(from:), ListEndpointConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16367,9 +16133,9 @@ extension SageMakerClient { /// /// Lists endpoints. /// - /// - Parameter ListEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEndpointsInput`) /// - /// - Returns: `ListEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEndpointsOutput`) public func listEndpoints(input: ListEndpointsInput) async throws -> ListEndpointsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16396,7 +16162,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEndpointsOutput.httpOutput(from:), ListEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16431,9 +16196,9 @@ extension SageMakerClient { /// /// Lists all the experiments in your account. The list can be filtered to show only experiments that were created in a specific time range. The list can be sorted by experiment name or creation time. /// - /// - Parameter ListExperimentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExperimentsInput`) /// - /// - Returns: `ListExperimentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExperimentsOutput`) public func listExperiments(input: ListExperimentsInput) async throws -> ListExperimentsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16460,7 +16225,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExperimentsOutput.httpOutput(from:), ListExperimentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16495,9 +16259,9 @@ extension SageMakerClient { /// /// List FeatureGroups based on given filter and order. /// - /// - Parameter ListFeatureGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFeatureGroupsInput`) /// - /// - Returns: `ListFeatureGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFeatureGroupsOutput`) public func listFeatureGroups(input: ListFeatureGroupsInput) async throws -> ListFeatureGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16524,7 +16288,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFeatureGroupsOutput.httpOutput(from:), ListFeatureGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16559,9 +16322,9 @@ extension SageMakerClient { /// /// Returns information about the flow definitions in your account. /// - /// - Parameter ListFlowDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFlowDefinitionsInput`) /// - /// - Returns: `ListFlowDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFlowDefinitionsOutput`) public func listFlowDefinitions(input: ListFlowDefinitionsInput) async throws -> ListFlowDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16588,7 +16351,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFlowDefinitionsOutput.httpOutput(from:), ListFlowDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16623,9 +16385,9 @@ extension SageMakerClient { /// /// List hub content versions. /// - /// - Parameter ListHubContentVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHubContentVersionsInput`) /// - /// - Returns: `ListHubContentVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHubContentVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16657,7 +16419,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHubContentVersionsOutput.httpOutput(from:), ListHubContentVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16692,9 +16453,9 @@ extension SageMakerClient { /// /// List the contents of a hub. /// - /// - Parameter ListHubContentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHubContentsInput`) /// - /// - Returns: `ListHubContentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHubContentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16726,7 +16487,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHubContentsOutput.httpOutput(from:), ListHubContentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16761,9 +16521,9 @@ extension SageMakerClient { /// /// List all existing hubs. /// - /// - Parameter ListHubsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHubsInput`) /// - /// - Returns: `ListHubsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHubsOutput`) public func listHubs(input: ListHubsInput) async throws -> ListHubsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16790,7 +16550,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHubsOutput.httpOutput(from:), ListHubsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16825,9 +16584,9 @@ extension SageMakerClient { /// /// Returns information about the human task user interfaces in your account. /// - /// - Parameter ListHumanTaskUisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHumanTaskUisInput`) /// - /// - Returns: `ListHumanTaskUisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHumanTaskUisOutput`) public func listHumanTaskUis(input: ListHumanTaskUisInput) async throws -> ListHumanTaskUisOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16854,7 +16613,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHumanTaskUisOutput.httpOutput(from:), ListHumanTaskUisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16889,9 +16647,9 @@ extension SageMakerClient { /// /// Gets a list of [HyperParameterTuningJobSummary](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_HyperParameterTuningJobSummary.html) objects that describe the hyperparameter tuning jobs launched in your account. /// - /// - Parameter ListHyperParameterTuningJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHyperParameterTuningJobsInput`) /// - /// - Returns: `ListHyperParameterTuningJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHyperParameterTuningJobsOutput`) public func listHyperParameterTuningJobs(input: ListHyperParameterTuningJobsInput) async throws -> ListHyperParameterTuningJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -16918,7 +16676,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHyperParameterTuningJobsOutput.httpOutput(from:), ListHyperParameterTuningJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -16953,9 +16710,9 @@ extension SageMakerClient { /// /// Lists the versions of a specified image and their properties. The list can be filtered by creation time or modified time. /// - /// - Parameter ListImageVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImageVersionsInput`) /// - /// - Returns: `ListImageVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImageVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -16987,7 +16744,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImageVersionsOutput.httpOutput(from:), ListImageVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17022,9 +16778,9 @@ extension SageMakerClient { /// /// Lists the images in your account and their properties. The list can be filtered by creation time or modified time, and whether the image name contains a specified string. /// - /// - Parameter ListImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImagesInput`) /// - /// - Returns: `ListImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImagesOutput`) public func listImages(input: ListImagesInput) async throws -> ListImagesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17051,7 +16807,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImagesOutput.httpOutput(from:), ListImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17086,9 +16841,9 @@ extension SageMakerClient { /// /// Lists the inference components in your account and their properties. /// - /// - Parameter ListInferenceComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInferenceComponentsInput`) /// - /// - Returns: `ListInferenceComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInferenceComponentsOutput`) public func listInferenceComponents(input: ListInferenceComponentsInput) async throws -> ListInferenceComponentsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17115,7 +16870,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInferenceComponentsOutput.httpOutput(from:), ListInferenceComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17150,9 +16904,9 @@ extension SageMakerClient { /// /// Returns the list of all inference experiments. /// - /// - Parameter ListInferenceExperimentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInferenceExperimentsInput`) /// - /// - Returns: `ListInferenceExperimentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInferenceExperimentsOutput`) public func listInferenceExperiments(input: ListInferenceExperimentsInput) async throws -> ListInferenceExperimentsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17179,7 +16933,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInferenceExperimentsOutput.httpOutput(from:), ListInferenceExperimentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17214,9 +16967,9 @@ extension SageMakerClient { /// /// Returns a list of the subtasks for an Inference Recommender job. The supported subtasks are benchmarks, which evaluate the performance of your model on different instance types. /// - /// - Parameter ListInferenceRecommendationsJobStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInferenceRecommendationsJobStepsInput`) /// - /// - Returns: `ListInferenceRecommendationsJobStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInferenceRecommendationsJobStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17248,7 +17001,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInferenceRecommendationsJobStepsOutput.httpOutput(from:), ListInferenceRecommendationsJobStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17283,9 +17035,9 @@ extension SageMakerClient { /// /// Lists recommendation jobs that satisfy various filters. /// - /// - Parameter ListInferenceRecommendationsJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInferenceRecommendationsJobsInput`) /// - /// - Returns: `ListInferenceRecommendationsJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInferenceRecommendationsJobsOutput`) public func listInferenceRecommendationsJobs(input: ListInferenceRecommendationsJobsInput) async throws -> ListInferenceRecommendationsJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17312,7 +17064,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInferenceRecommendationsJobsOutput.httpOutput(from:), ListInferenceRecommendationsJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17347,9 +17098,9 @@ extension SageMakerClient { /// /// Gets a list of labeling jobs. /// - /// - Parameter ListLabelingJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLabelingJobsInput`) /// - /// - Returns: `ListLabelingJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLabelingJobsOutput`) public func listLabelingJobs(input: ListLabelingJobsInput) async throws -> ListLabelingJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17376,7 +17127,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLabelingJobsOutput.httpOutput(from:), ListLabelingJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17411,9 +17161,9 @@ extension SageMakerClient { /// /// Gets a list of labeling jobs assigned to a specified work team. /// - /// - Parameter ListLabelingJobsForWorkteamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLabelingJobsForWorkteamInput`) /// - /// - Returns: `ListLabelingJobsForWorkteamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLabelingJobsForWorkteamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17445,7 +17195,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLabelingJobsForWorkteamOutput.httpOutput(from:), ListLabelingJobsForWorkteamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17480,9 +17229,9 @@ extension SageMakerClient { /// /// A list of lineage groups shared with your Amazon Web Services account. For more information, see [ Cross-Account Lineage Tracking ](https://docs.aws.amazon.com/sagemaker/latest/dg/xaccount-lineage-tracking.html) in the Amazon SageMaker Developer Guide. /// - /// - Parameter ListLineageGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLineageGroupsInput`) /// - /// - Returns: `ListLineageGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLineageGroupsOutput`) public func listLineageGroups(input: ListLineageGroupsInput) async throws -> ListLineageGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17509,7 +17258,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLineageGroupsOutput.httpOutput(from:), ListLineageGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17544,9 +17292,9 @@ extension SageMakerClient { /// /// Lists all MLflow Tracking Servers. /// - /// - Parameter ListMlflowTrackingServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMlflowTrackingServersInput`) /// - /// - Returns: `ListMlflowTrackingServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMlflowTrackingServersOutput`) public func listMlflowTrackingServers(input: ListMlflowTrackingServersInput) async throws -> ListMlflowTrackingServersOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17573,7 +17321,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMlflowTrackingServersOutput.httpOutput(from:), ListMlflowTrackingServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17608,9 +17355,9 @@ extension SageMakerClient { /// /// Lists model bias jobs definitions that satisfy various filters. /// - /// - Parameter ListModelBiasJobDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelBiasJobDefinitionsInput`) /// - /// - Returns: `ListModelBiasJobDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelBiasJobDefinitionsOutput`) public func listModelBiasJobDefinitions(input: ListModelBiasJobDefinitionsInput) async throws -> ListModelBiasJobDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17637,7 +17384,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelBiasJobDefinitionsOutput.httpOutput(from:), ListModelBiasJobDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17672,9 +17418,9 @@ extension SageMakerClient { /// /// List the export jobs for the Amazon SageMaker Model Card. /// - /// - Parameter ListModelCardExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelCardExportJobsInput`) /// - /// - Returns: `ListModelCardExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelCardExportJobsOutput`) public func listModelCardExportJobs(input: ListModelCardExportJobsInput) async throws -> ListModelCardExportJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17701,7 +17447,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelCardExportJobsOutput.httpOutput(from:), ListModelCardExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17736,9 +17481,9 @@ extension SageMakerClient { /// /// List existing versions of an Amazon SageMaker Model Card. /// - /// - Parameter ListModelCardVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelCardVersionsInput`) /// - /// - Returns: `ListModelCardVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelCardVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -17770,7 +17515,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelCardVersionsOutput.httpOutput(from:), ListModelCardVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17805,9 +17549,9 @@ extension SageMakerClient { /// /// List existing model cards. /// - /// - Parameter ListModelCardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelCardsInput`) /// - /// - Returns: `ListModelCardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelCardsOutput`) public func listModelCards(input: ListModelCardsInput) async throws -> ListModelCardsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17834,7 +17578,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelCardsOutput.httpOutput(from:), ListModelCardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17869,9 +17612,9 @@ extension SageMakerClient { /// /// Lists model explainability job definitions that satisfy various filters. /// - /// - Parameter ListModelExplainabilityJobDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelExplainabilityJobDefinitionsInput`) /// - /// - Returns: `ListModelExplainabilityJobDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelExplainabilityJobDefinitionsOutput`) public func listModelExplainabilityJobDefinitions(input: ListModelExplainabilityJobDefinitionsInput) async throws -> ListModelExplainabilityJobDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17898,7 +17641,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelExplainabilityJobDefinitionsOutput.httpOutput(from:), ListModelExplainabilityJobDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17933,9 +17675,9 @@ extension SageMakerClient { /// /// Lists the domain, framework, task, and model name of standard machine learning models found in common model zoos. /// - /// - Parameter ListModelMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelMetadataInput`) /// - /// - Returns: `ListModelMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelMetadataOutput`) public func listModelMetadata(input: ListModelMetadataInput) async throws -> ListModelMetadataOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -17962,7 +17704,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelMetadataOutput.httpOutput(from:), ListModelMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -17997,9 +17738,9 @@ extension SageMakerClient { /// /// Gets a list of the model groups in your Amazon Web Services account. /// - /// - Parameter ListModelPackageGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelPackageGroupsInput`) /// - /// - Returns: `ListModelPackageGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelPackageGroupsOutput`) public func listModelPackageGroups(input: ListModelPackageGroupsInput) async throws -> ListModelPackageGroupsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18026,7 +17767,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelPackageGroupsOutput.httpOutput(from:), ListModelPackageGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18061,9 +17801,9 @@ extension SageMakerClient { /// /// Lists the model packages that have been created. /// - /// - Parameter ListModelPackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelPackagesInput`) /// - /// - Returns: `ListModelPackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelPackagesOutput`) public func listModelPackages(input: ListModelPackagesInput) async throws -> ListModelPackagesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18090,7 +17830,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelPackagesOutput.httpOutput(from:), ListModelPackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18125,9 +17864,9 @@ extension SageMakerClient { /// /// Gets a list of model quality monitoring job definitions in your account. /// - /// - Parameter ListModelQualityJobDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelQualityJobDefinitionsInput`) /// - /// - Returns: `ListModelQualityJobDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelQualityJobDefinitionsOutput`) public func listModelQualityJobDefinitions(input: ListModelQualityJobDefinitionsInput) async throws -> ListModelQualityJobDefinitionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18154,7 +17893,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelQualityJobDefinitionsOutput.httpOutput(from:), ListModelQualityJobDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18189,9 +17927,9 @@ extension SageMakerClient { /// /// Lists models created with the CreateModel API. /// - /// - Parameter ListModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListModelsInput`) /// - /// - Returns: `ListModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListModelsOutput`) public func listModels(input: ListModelsInput) async throws -> ListModelsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18218,7 +17956,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListModelsOutput.httpOutput(from:), ListModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18253,9 +17990,9 @@ extension SageMakerClient { /// /// Gets a list of past alerts in a model monitoring schedule. /// - /// - Parameter ListMonitoringAlertHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitoringAlertHistoryInput`) /// - /// - Returns: `ListMonitoringAlertHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitoringAlertHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18287,7 +18024,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitoringAlertHistoryOutput.httpOutput(from:), ListMonitoringAlertHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18322,9 +18058,9 @@ extension SageMakerClient { /// /// Gets the alerts for a single monitoring schedule. /// - /// - Parameter ListMonitoringAlertsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitoringAlertsInput`) /// - /// - Returns: `ListMonitoringAlertsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitoringAlertsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18356,7 +18092,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitoringAlertsOutput.httpOutput(from:), ListMonitoringAlertsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18391,9 +18126,9 @@ extension SageMakerClient { /// /// Returns list of all monitoring job executions. /// - /// - Parameter ListMonitoringExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitoringExecutionsInput`) /// - /// - Returns: `ListMonitoringExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitoringExecutionsOutput`) public func listMonitoringExecutions(input: ListMonitoringExecutionsInput) async throws -> ListMonitoringExecutionsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18420,7 +18155,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitoringExecutionsOutput.httpOutput(from:), ListMonitoringExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18455,9 +18189,9 @@ extension SageMakerClient { /// /// Returns list of all monitoring schedules. /// - /// - Parameter ListMonitoringSchedulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMonitoringSchedulesInput`) /// - /// - Returns: `ListMonitoringSchedulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMonitoringSchedulesOutput`) public func listMonitoringSchedules(input: ListMonitoringSchedulesInput) async throws -> ListMonitoringSchedulesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18484,7 +18218,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMonitoringSchedulesOutput.httpOutput(from:), ListMonitoringSchedulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18519,9 +18252,9 @@ extension SageMakerClient { /// /// Lists notebook instance lifestyle configurations created with the [CreateNotebookInstanceLifecycleConfig](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateNotebookInstanceLifecycleConfig.html) API. /// - /// - Parameter ListNotebookInstanceLifecycleConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotebookInstanceLifecycleConfigsInput`) /// - /// - Returns: `ListNotebookInstanceLifecycleConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotebookInstanceLifecycleConfigsOutput`) public func listNotebookInstanceLifecycleConfigs(input: ListNotebookInstanceLifecycleConfigsInput) async throws -> ListNotebookInstanceLifecycleConfigsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18548,7 +18281,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotebookInstanceLifecycleConfigsOutput.httpOutput(from:), ListNotebookInstanceLifecycleConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18583,9 +18315,9 @@ extension SageMakerClient { /// /// Returns a list of the SageMaker AI notebook instances in the requester's account in an Amazon Web Services Region. /// - /// - Parameter ListNotebookInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotebookInstancesInput`) /// - /// - Returns: `ListNotebookInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotebookInstancesOutput`) public func listNotebookInstances(input: ListNotebookInstancesInput) async throws -> ListNotebookInstancesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18612,7 +18344,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotebookInstancesOutput.httpOutput(from:), ListNotebookInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18647,9 +18378,9 @@ extension SageMakerClient { /// /// Lists the optimization jobs in your account and their properties. /// - /// - Parameter ListOptimizationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOptimizationJobsInput`) /// - /// - Returns: `ListOptimizationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOptimizationJobsOutput`) public func listOptimizationJobs(input: ListOptimizationJobsInput) async throws -> ListOptimizationJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18676,7 +18407,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOptimizationJobsOutput.httpOutput(from:), ListOptimizationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18711,9 +18441,9 @@ extension SageMakerClient { /// /// Lists all of the SageMaker Partner AI Apps in an account. /// - /// - Parameter ListPartnerAppsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPartnerAppsInput`) /// - /// - Returns: `ListPartnerAppsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPartnerAppsOutput`) public func listPartnerApps(input: ListPartnerAppsInput) async throws -> ListPartnerAppsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -18740,7 +18470,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPartnerAppsOutput.httpOutput(from:), ListPartnerAppsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18775,9 +18504,9 @@ extension SageMakerClient { /// /// Gets a list of PipeLineExecutionStep objects. /// - /// - Parameter ListPipelineExecutionStepsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipelineExecutionStepsInput`) /// - /// - Returns: `ListPipelineExecutionStepsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipelineExecutionStepsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18809,7 +18538,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelineExecutionStepsOutput.httpOutput(from:), ListPipelineExecutionStepsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18844,9 +18572,9 @@ extension SageMakerClient { /// /// Gets a list of the pipeline executions. /// - /// - Parameter ListPipelineExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipelineExecutionsInput`) /// - /// - Returns: `ListPipelineExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipelineExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18878,7 +18606,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelineExecutionsOutput.httpOutput(from:), ListPipelineExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18913,9 +18640,9 @@ extension SageMakerClient { /// /// Gets a list of parameters for a pipeline execution. /// - /// - Parameter ListPipelineParametersForExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipelineParametersForExecutionInput`) /// - /// - Returns: `ListPipelineParametersForExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipelineParametersForExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -18947,7 +18674,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelineParametersForExecutionOutput.httpOutput(from:), ListPipelineParametersForExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -18982,9 +18708,9 @@ extension SageMakerClient { /// /// Gets a list of all versions of the pipeline. /// - /// - Parameter ListPipelineVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipelineVersionsInput`) /// - /// - Returns: `ListPipelineVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipelineVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19016,7 +18742,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelineVersionsOutput.httpOutput(from:), ListPipelineVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19051,9 +18776,9 @@ extension SageMakerClient { /// /// Gets a list of pipelines. /// - /// - Parameter ListPipelinesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPipelinesInput`) /// - /// - Returns: `ListPipelinesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPipelinesOutput`) public func listPipelines(input: ListPipelinesInput) async throws -> ListPipelinesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19080,7 +18805,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPipelinesOutput.httpOutput(from:), ListPipelinesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19115,9 +18839,9 @@ extension SageMakerClient { /// /// Lists processing jobs that satisfy various filters. /// - /// - Parameter ListProcessingJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProcessingJobsInput`) /// - /// - Returns: `ListProcessingJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProcessingJobsOutput`) public func listProcessingJobs(input: ListProcessingJobsInput) async throws -> ListProcessingJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19144,7 +18868,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProcessingJobsOutput.httpOutput(from:), ListProcessingJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19179,9 +18902,9 @@ extension SageMakerClient { /// /// Gets a list of the projects in an Amazon Web Services account. /// - /// - Parameter ListProjectsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProjectsInput`) /// - /// - Returns: `ListProjectsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProjectsOutput`) public func listProjects(input: ListProjectsInput) async throws -> ListProjectsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19208,7 +18931,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProjectsOutput.httpOutput(from:), ListProjectsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19243,9 +18965,9 @@ extension SageMakerClient { /// /// Lists Amazon SageMaker Catalogs based on given filters and orders. The maximum number of ResourceCatalogs viewable is 1000. /// - /// - Parameter ListResourceCatalogsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceCatalogsInput`) /// - /// - Returns: `ListResourceCatalogsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceCatalogsOutput`) public func listResourceCatalogs(input: ListResourceCatalogsInput) async throws -> ListResourceCatalogsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19272,7 +18994,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceCatalogsOutput.httpOutput(from:), ListResourceCatalogsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19307,9 +19028,9 @@ extension SageMakerClient { /// /// Lists spaces. /// - /// - Parameter ListSpacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSpacesInput`) /// - /// - Returns: `ListSpacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSpacesOutput`) public func listSpaces(input: ListSpacesInput) async throws -> ListSpacesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19336,7 +19057,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSpacesOutput.httpOutput(from:), ListSpacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19371,9 +19091,9 @@ extension SageMakerClient { /// /// Lists devices allocated to the stage, containing detailed device information and deployment status. /// - /// - Parameter ListStageDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStageDevicesInput`) /// - /// - Returns: `ListStageDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStageDevicesOutput`) public func listStageDevices(input: ListStageDevicesInput) async throws -> ListStageDevicesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19400,7 +19120,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStageDevicesOutput.httpOutput(from:), ListStageDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19435,9 +19154,9 @@ extension SageMakerClient { /// /// Lists the Amazon SageMaker AI Studio Lifecycle Configurations in your Amazon Web Services Account. /// - /// - Parameter ListStudioLifecycleConfigsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStudioLifecycleConfigsInput`) /// - /// - Returns: `ListStudioLifecycleConfigsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStudioLifecycleConfigsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19469,7 +19188,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStudioLifecycleConfigsOutput.httpOutput(from:), ListStudioLifecycleConfigsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19504,9 +19222,9 @@ extension SageMakerClient { /// /// Gets a list of the work teams that you are subscribed to in the Amazon Web Services Marketplace. The list may be empty if no work team satisfies the filter specified in the NameContains parameter. /// - /// - Parameter ListSubscribedWorkteamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscribedWorkteamsInput`) /// - /// - Returns: `ListSubscribedWorkteamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscribedWorkteamsOutput`) public func listSubscribedWorkteams(input: ListSubscribedWorkteamsInput) async throws -> ListSubscribedWorkteamsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19533,7 +19251,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscribedWorkteamsOutput.httpOutput(from:), ListSubscribedWorkteamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19568,9 +19285,9 @@ extension SageMakerClient { /// /// Returns the tags for the specified SageMaker resource. /// - /// - Parameter ListTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsInput`) /// - /// - Returns: `ListTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsOutput`) public func listTags(input: ListTagsInput) async throws -> ListTagsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19597,7 +19314,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsOutput.httpOutput(from:), ListTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19632,9 +19348,9 @@ extension SageMakerClient { /// /// Lists training jobs. When StatusEquals and MaxResults are set at the same time, the MaxResults number of training jobs are first retrieved ignoring the StatusEquals parameter and then they are filtered by the StatusEquals parameter, which is returned as a response. For example, if ListTrainingJobs is invoked with the following parameters: { ... MaxResults: 100, StatusEquals: InProgress ... } First, 100 trainings jobs with any status, including those other than InProgress, are selected (sorted according to the creation time, from the most current to the oldest). Next, those with a status of InProgress are returned. You can quickly test the API using the following Amazon Web Services CLI code. aws sagemaker list-training-jobs --max-results 100 --status-equals InProgress /// - /// - Parameter ListTrainingJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrainingJobsInput`) /// - /// - Returns: `ListTrainingJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrainingJobsOutput`) public func listTrainingJobs(input: ListTrainingJobsInput) async throws -> ListTrainingJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19661,7 +19377,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrainingJobsOutput.httpOutput(from:), ListTrainingJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19696,9 +19411,9 @@ extension SageMakerClient { /// /// Gets a list of [TrainingJobSummary](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_TrainingJobSummary.html) objects that describe the training jobs that a hyperparameter tuning job launched. /// - /// - Parameter ListTrainingJobsForHyperParameterTuningJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrainingJobsForHyperParameterTuningJobInput`) /// - /// - Returns: `ListTrainingJobsForHyperParameterTuningJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrainingJobsForHyperParameterTuningJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19730,7 +19445,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrainingJobsForHyperParameterTuningJobOutput.httpOutput(from:), ListTrainingJobsForHyperParameterTuningJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19765,9 +19479,9 @@ extension SageMakerClient { /// /// Retrieves a list of training plans for the current account. /// - /// - Parameter ListTrainingPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrainingPlansInput`) /// - /// - Returns: `ListTrainingPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrainingPlansOutput`) public func listTrainingPlans(input: ListTrainingPlansInput) async throws -> ListTrainingPlansOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19794,7 +19508,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrainingPlansOutput.httpOutput(from:), ListTrainingPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19829,9 +19542,9 @@ extension SageMakerClient { /// /// Lists transform jobs. /// - /// - Parameter ListTransformJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTransformJobsInput`) /// - /// - Returns: `ListTransformJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTransformJobsOutput`) public func listTransformJobs(input: ListTransformJobsInput) async throws -> ListTransformJobsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -19858,7 +19571,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTransformJobsOutput.httpOutput(from:), ListTransformJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19899,9 +19611,9 @@ extension SageMakerClient { /// /// * TrialName /// - /// - Parameter ListTrialComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrialComponentsInput`) /// - /// - Returns: `ListTrialComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrialComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -19933,7 +19645,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrialComponentsOutput.httpOutput(from:), ListTrialComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -19968,9 +19679,9 @@ extension SageMakerClient { /// /// Lists the trials in your account. Specify an experiment name to limit the list to the trials that are part of that experiment. Specify a trial component name to limit the list to the trials that associated with that trial component. The list can be filtered to show only trials that were created in a specific time range. The list can be sorted by trial name or creation time. /// - /// - Parameter ListTrialsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrialsInput`) /// - /// - Returns: `ListTrialsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20002,7 +19713,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrialsOutput.httpOutput(from:), ListTrialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20037,9 +19747,9 @@ extension SageMakerClient { /// /// Lists all UltraServers that are part of a specified reserved capacity. /// - /// - Parameter ListUltraServersByReservedCapacityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUltraServersByReservedCapacityInput`) /// - /// - Returns: `ListUltraServersByReservedCapacityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUltraServersByReservedCapacityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20071,7 +19781,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUltraServersByReservedCapacityOutput.httpOutput(from:), ListUltraServersByReservedCapacityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20106,9 +19815,9 @@ extension SageMakerClient { /// /// Lists user profiles. /// - /// - Parameter ListUserProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUserProfilesInput`) /// - /// - Returns: `ListUserProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUserProfilesOutput`) public func listUserProfiles(input: ListUserProfilesInput) async throws -> ListUserProfilesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20135,7 +19844,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserProfilesOutput.httpOutput(from:), ListUserProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20170,9 +19878,9 @@ extension SageMakerClient { /// /// Use this operation to list all private and vendor workforces in an Amazon Web Services Region. Note that you can only have one private workforce per Amazon Web Services Region. /// - /// - Parameter ListWorkforcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkforcesInput`) /// - /// - Returns: `ListWorkforcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkforcesOutput`) public func listWorkforces(input: ListWorkforcesInput) async throws -> ListWorkforcesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20199,7 +19907,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkforcesOutput.httpOutput(from:), ListWorkforcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20234,9 +19941,9 @@ extension SageMakerClient { /// /// Gets a list of private work teams that you have defined in a region. The list may be empty if no work team satisfies the filter specified in the NameContains parameter. /// - /// - Parameter ListWorkteamsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkteamsInput`) /// - /// - Returns: `ListWorkteamsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkteamsOutput`) public func listWorkteams(input: ListWorkteamsInput) async throws -> ListWorkteamsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20263,7 +19970,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkteamsOutput.httpOutput(from:), ListWorkteamsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20298,9 +20004,9 @@ extension SageMakerClient { /// /// Adds a resouce policy to control access to a model group. For information about resoure policies, see [Identity-based policies and resource-based policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_identity-vs-resource.html) in the Amazon Web Services Identity and Access Management User Guide.. /// - /// - Parameter PutModelPackageGroupPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutModelPackageGroupPolicyInput`) /// - /// - Returns: `PutModelPackageGroupPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutModelPackageGroupPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20332,7 +20038,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutModelPackageGroupPolicyOutput.httpOutput(from:), PutModelPackageGroupPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20367,9 +20072,9 @@ extension SageMakerClient { /// /// Use this action to inspect your lineage and discover relationships between entities. For more information, see [ Querying Lineage Entities](https://docs.aws.amazon.com/sagemaker/latest/dg/querying-lineage-entities.html) in the Amazon SageMaker Developer Guide. /// - /// - Parameter QueryLineageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `QueryLineageInput`) /// - /// - Returns: `QueryLineageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `QueryLineageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20401,7 +20106,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QueryLineageOutput.httpOutput(from:), QueryLineageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20436,9 +20140,9 @@ extension SageMakerClient { /// /// Register devices. /// - /// - Parameter RegisterDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterDevicesInput`) /// - /// - Returns: `RegisterDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20470,7 +20174,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterDevicesOutput.httpOutput(from:), RegisterDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20505,9 +20208,9 @@ extension SageMakerClient { /// /// Renders the UI template so that you can preview the worker's experience. /// - /// - Parameter RenderUiTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RenderUiTemplateInput`) /// - /// - Returns: `RenderUiTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RenderUiTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20539,7 +20242,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RenderUiTemplateOutput.httpOutput(from:), RenderUiTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20574,9 +20276,9 @@ extension SageMakerClient { /// /// Retry the execution of the pipeline. /// - /// - Parameter RetryPipelineExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RetryPipelineExecutionInput`) /// - /// - Returns: `RetryPipelineExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RetryPipelineExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20611,7 +20313,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetryPipelineExecutionOutput.httpOutput(from:), RetryPipelineExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20646,9 +20347,9 @@ extension SageMakerClient { /// /// Finds SageMaker resources that match a search query. Matching resources are returned as a list of SearchRecord objects in the response. You can sort the search results by any resource property in a ascending or descending order. You can query against the following value types: numeric, text, Boolean, and timestamp. The Search API may provide access to otherwise restricted data. See [Amazon SageMaker API Permissions: Actions, Permissions, and Resources Reference](https://docs.aws.amazon.com/sagemaker/latest/dg/api-permissions-reference.html) for more information. /// - /// - Parameter SearchInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchInput`) /// - /// - Returns: `SearchOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchOutput`) public func search(input: SearchInput) async throws -> SearchOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20675,7 +20376,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchOutput.httpOutput(from:), SearchOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20717,9 +20417,9 @@ extension SageMakerClient { /// /// For more information about how to reserve GPU capacity for your SageMaker training jobs or SageMaker HyperPod clusters using Amazon SageMaker Training Plan , see [CreateTrainingPlan](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateTrainingPlan.html). /// - /// - Parameter SearchTrainingPlanOfferingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchTrainingPlanOfferingsInput`) /// - /// - Returns: `SearchTrainingPlanOfferingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchTrainingPlanOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20751,7 +20451,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchTrainingPlanOfferingsOutput.httpOutput(from:), SearchTrainingPlanOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20786,9 +20485,9 @@ extension SageMakerClient { /// /// Notifies the pipeline that the execution of a callback step failed, along with a message describing why. When a callback step is run, the pipeline generates a callback token and includes the token in a message sent to Amazon Simple Queue Service (Amazon SQS). /// - /// - Parameter SendPipelineExecutionStepFailureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendPipelineExecutionStepFailureInput`) /// - /// - Returns: `SendPipelineExecutionStepFailureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendPipelineExecutionStepFailureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20823,7 +20522,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendPipelineExecutionStepFailureOutput.httpOutput(from:), SendPipelineExecutionStepFailureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20858,9 +20556,9 @@ extension SageMakerClient { /// /// Notifies the pipeline that the execution of a callback step succeeded and provides a list of the step's output parameters. When a callback step is run, the pipeline generates a callback token and includes the token in a message sent to Amazon Simple Queue Service (Amazon SQS). /// - /// - Parameter SendPipelineExecutionStepSuccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendPipelineExecutionStepSuccessInput`) /// - /// - Returns: `SendPipelineExecutionStepSuccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendPipelineExecutionStepSuccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -20895,7 +20593,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendPipelineExecutionStepSuccessOutput.httpOutput(from:), SendPipelineExecutionStepSuccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20930,9 +20627,9 @@ extension SageMakerClient { /// /// Starts a stage in an edge deployment plan. /// - /// - Parameter StartEdgeDeploymentStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEdgeDeploymentStageInput`) /// - /// - Returns: `StartEdgeDeploymentStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEdgeDeploymentStageOutput`) public func startEdgeDeploymentStage(input: StartEdgeDeploymentStageInput) async throws -> StartEdgeDeploymentStageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -20959,7 +20656,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEdgeDeploymentStageOutput.httpOutput(from:), StartEdgeDeploymentStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -20994,9 +20690,9 @@ extension SageMakerClient { /// /// Starts an inference experiment. /// - /// - Parameter StartInferenceExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartInferenceExperimentInput`) /// - /// - Returns: `StartInferenceExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartInferenceExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21029,7 +20725,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartInferenceExperimentOutput.httpOutput(from:), StartInferenceExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21064,9 +20759,9 @@ extension SageMakerClient { /// /// Programmatically start an MLflow Tracking Server. /// - /// - Parameter StartMlflowTrackingServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMlflowTrackingServerInput`) /// - /// - Returns: `StartMlflowTrackingServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMlflowTrackingServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21099,7 +20794,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMlflowTrackingServerOutput.httpOutput(from:), StartMlflowTrackingServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21134,9 +20828,9 @@ extension SageMakerClient { /// /// Starts a previously stopped monitoring schedule. By default, when you successfully create a new schedule, the status of a monitoring schedule is scheduled. /// - /// - Parameter StartMonitoringScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMonitoringScheduleInput`) /// - /// - Returns: `StartMonitoringScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMonitoringScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21168,7 +20862,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMonitoringScheduleOutput.httpOutput(from:), StartMonitoringScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21203,9 +20896,9 @@ extension SageMakerClient { /// /// Launches an ML compute instance with the latest version of the libraries and attaches your ML storage volume. After configuring the notebook instance, SageMaker AI sets the notebook instance status to InService. A notebook instance's status must be InService before you can connect to your Jupyter notebook. /// - /// - Parameter StartNotebookInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartNotebookInstanceInput`) /// - /// - Returns: `StartNotebookInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartNotebookInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21237,7 +20930,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartNotebookInstanceOutput.httpOutput(from:), StartNotebookInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21272,9 +20964,9 @@ extension SageMakerClient { /// /// Starts a pipeline execution. /// - /// - Parameter StartPipelineExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartPipelineExecutionInput`) /// - /// - Returns: `StartPipelineExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartPipelineExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21309,7 +21001,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartPipelineExecutionOutput.httpOutput(from:), StartPipelineExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21344,9 +21035,9 @@ extension SageMakerClient { /// /// Initiates a remote connection session between a local integrated development environments (IDEs) and a remote SageMaker space. /// - /// - Parameter StartSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSessionInput`) /// - /// - Returns: `StartSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21379,7 +21070,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSessionOutput.httpOutput(from:), StartSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21414,9 +21104,9 @@ extension SageMakerClient { /// /// A method for forcing a running job to shut down. /// - /// - Parameter StopAutoMLJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopAutoMLJobInput`) /// - /// - Returns: `StopAutoMLJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopAutoMLJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21448,7 +21138,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopAutoMLJobOutput.httpOutput(from:), StopAutoMLJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21483,9 +21172,9 @@ extension SageMakerClient { /// /// Stops a model compilation job. To stop a job, Amazon SageMaker AI sends the algorithm the SIGTERM signal. This gracefully shuts the job down. If the job hasn't stopped, it sends the SIGKILL signal. When it receives a StopCompilationJob request, Amazon SageMaker AI changes the CompilationJobStatus of the job to Stopping. After Amazon SageMaker stops the job, it sets the CompilationJobStatus to Stopped. /// - /// - Parameter StopCompilationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopCompilationJobInput`) /// - /// - Returns: `StopCompilationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopCompilationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21517,7 +21206,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopCompilationJobOutput.httpOutput(from:), StopCompilationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21552,9 +21240,9 @@ extension SageMakerClient { /// /// Stops a stage in an edge deployment plan. /// - /// - Parameter StopEdgeDeploymentStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopEdgeDeploymentStageInput`) /// - /// - Returns: `StopEdgeDeploymentStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopEdgeDeploymentStageOutput`) public func stopEdgeDeploymentStage(input: StopEdgeDeploymentStageInput) async throws -> StopEdgeDeploymentStageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21581,7 +21269,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopEdgeDeploymentStageOutput.httpOutput(from:), StopEdgeDeploymentStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21616,9 +21303,9 @@ extension SageMakerClient { /// /// Request to stop an edge packaging job. /// - /// - Parameter StopEdgePackagingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopEdgePackagingJobInput`) /// - /// - Returns: `StopEdgePackagingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopEdgePackagingJobOutput`) public func stopEdgePackagingJob(input: StopEdgePackagingJobInput) async throws -> StopEdgePackagingJobOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -21645,7 +21332,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopEdgePackagingJobOutput.httpOutput(from:), StopEdgePackagingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21680,9 +21366,9 @@ extension SageMakerClient { /// /// Stops a running hyperparameter tuning job and all running training jobs that the tuning job launched. All model artifacts output from the training jobs are stored in Amazon Simple Storage Service (Amazon S3). All data that the training jobs write to Amazon CloudWatch Logs are still available in CloudWatch. After the tuning job moves to the Stopped state, it releases all reserved resources for the tuning job. /// - /// - Parameter StopHyperParameterTuningJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopHyperParameterTuningJobInput`) /// - /// - Returns: `StopHyperParameterTuningJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopHyperParameterTuningJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21714,7 +21400,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopHyperParameterTuningJobOutput.httpOutput(from:), StopHyperParameterTuningJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21749,9 +21434,9 @@ extension SageMakerClient { /// /// Stops an inference experiment. /// - /// - Parameter StopInferenceExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopInferenceExperimentInput`) /// - /// - Returns: `StopInferenceExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopInferenceExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21784,7 +21469,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopInferenceExperimentOutput.httpOutput(from:), StopInferenceExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21819,9 +21503,9 @@ extension SageMakerClient { /// /// Stops an Inference Recommender job. /// - /// - Parameter StopInferenceRecommendationsJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopInferenceRecommendationsJobInput`) /// - /// - Returns: `StopInferenceRecommendationsJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopInferenceRecommendationsJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21853,7 +21537,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopInferenceRecommendationsJobOutput.httpOutput(from:), StopInferenceRecommendationsJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21888,9 +21571,9 @@ extension SageMakerClient { /// /// Stops a running labeling job. A job that is stopped cannot be restarted. Any results obtained before the job is stopped are placed in the Amazon S3 output bucket. /// - /// - Parameter StopLabelingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopLabelingJobInput`) /// - /// - Returns: `StopLabelingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopLabelingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21922,7 +21605,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopLabelingJobOutput.httpOutput(from:), StopLabelingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -21957,9 +21639,9 @@ extension SageMakerClient { /// /// Programmatically stop an MLflow Tracking Server. /// - /// - Parameter StopMlflowTrackingServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopMlflowTrackingServerInput`) /// - /// - Returns: `StopMlflowTrackingServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopMlflowTrackingServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -21992,7 +21674,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopMlflowTrackingServerOutput.httpOutput(from:), StopMlflowTrackingServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22027,9 +21708,9 @@ extension SageMakerClient { /// /// Stops a previously started monitoring schedule. /// - /// - Parameter StopMonitoringScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopMonitoringScheduleInput`) /// - /// - Returns: `StopMonitoringScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopMonitoringScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22061,7 +21742,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopMonitoringScheduleOutput.httpOutput(from:), StopMonitoringScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22096,9 +21776,9 @@ extension SageMakerClient { /// /// Terminates the ML compute instance. Before terminating the instance, SageMaker AI disconnects the ML storage volume from it. SageMaker AI preserves the ML storage volume. SageMaker AI stops charging you for the ML compute instance when you call StopNotebookInstance. To access data on the ML storage volume for a notebook instance that has been terminated, call the StartNotebookInstance API. StartNotebookInstance launches another ML compute instance, configures it, and attaches the preserved ML storage volume so you can continue your work. /// - /// - Parameter StopNotebookInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopNotebookInstanceInput`) /// - /// - Returns: `StopNotebookInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopNotebookInstanceOutput`) public func stopNotebookInstance(input: StopNotebookInstanceInput) async throws -> StopNotebookInstanceOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -22125,7 +21805,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopNotebookInstanceOutput.httpOutput(from:), StopNotebookInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22160,9 +21839,9 @@ extension SageMakerClient { /// /// Ends a running inference optimization job. /// - /// - Parameter StopOptimizationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopOptimizationJobInput`) /// - /// - Returns: `StopOptimizationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopOptimizationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22194,7 +21873,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopOptimizationJobOutput.httpOutput(from:), StopOptimizationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22229,9 +21907,9 @@ extension SageMakerClient { /// /// Stops a pipeline execution. Callback Step A pipeline execution won't stop while a callback step is running. When you call StopPipelineExecution on a pipeline execution with a running callback step, SageMaker Pipelines sends an additional Amazon SQS message to the specified SQS queue. The body of the SQS message contains a "Status" field which is set to "Stopping". You should add logic to your Amazon SQS message consumer to take any needed action (for example, resource cleanup) upon receipt of the message followed by a call to SendPipelineExecutionStepSuccess or SendPipelineExecutionStepFailure. Only when SageMaker Pipelines receives one of these calls will it stop the pipeline execution. Lambda Step A pipeline execution can't be stopped while a lambda step is running because the Lambda function invoked by the lambda step can't be stopped. If you attempt to stop the execution while the Lambda function is running, the pipeline waits for the Lambda function to finish or until the timeout is hit, whichever occurs first, and then stops. If the Lambda function finishes, the pipeline execution status is Stopped. If the timeout is hit the pipeline execution status is Failed. /// - /// - Parameter StopPipelineExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopPipelineExecutionInput`) /// - /// - Returns: `StopPipelineExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopPipelineExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22265,7 +21943,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopPipelineExecutionOutput.httpOutput(from:), StopPipelineExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22300,9 +21977,9 @@ extension SageMakerClient { /// /// Stops a processing job. /// - /// - Parameter StopProcessingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopProcessingJobInput`) /// - /// - Returns: `StopProcessingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopProcessingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22334,7 +22011,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopProcessingJobOutput.httpOutput(from:), StopProcessingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22369,9 +22045,9 @@ extension SageMakerClient { /// /// Stops a training job. To stop a job, SageMaker sends the algorithm the SIGTERM signal, which delays job termination for 120 seconds. Algorithms might use this 120-second window to save the model artifacts, so the results of the training is not lost. When it receives a StopTrainingJob request, SageMaker changes the status of the job to Stopping. After SageMaker stops the job, it sets the status to Stopped. /// - /// - Parameter StopTrainingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopTrainingJobInput`) /// - /// - Returns: `StopTrainingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopTrainingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22403,7 +22079,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopTrainingJobOutput.httpOutput(from:), StopTrainingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22438,9 +22113,9 @@ extension SageMakerClient { /// /// Stops a batch transform job. When Amazon SageMaker receives a StopTransformJob request, the status of the job changes to Stopping. After Amazon SageMaker stops the job, the status is set to Stopped. When you stop a batch transform job before it is completed, Amazon SageMaker doesn't store the job's output in Amazon S3. /// - /// - Parameter StopTransformJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopTransformJobInput`) /// - /// - Returns: `StopTransformJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopTransformJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22472,7 +22147,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopTransformJobOutput.httpOutput(from:), StopTransformJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22507,9 +22181,9 @@ extension SageMakerClient { /// /// Updates an action. /// - /// - Parameter UpdateActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateActionInput`) /// - /// - Returns: `UpdateActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22542,7 +22216,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateActionOutput.httpOutput(from:), UpdateActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22577,9 +22250,9 @@ extension SageMakerClient { /// /// Updates the properties of an AppImageConfig. /// - /// - Parameter UpdateAppImageConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAppImageConfigInput`) /// - /// - Returns: `UpdateAppImageConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAppImageConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22611,7 +22284,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAppImageConfigOutput.httpOutput(from:), UpdateAppImageConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22646,9 +22318,9 @@ extension SageMakerClient { /// /// Updates an artifact. /// - /// - Parameter UpdateArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateArtifactInput`) /// - /// - Returns: `UpdateArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22681,7 +22353,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateArtifactOutput.httpOutput(from:), UpdateArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22716,9 +22387,9 @@ extension SageMakerClient { /// /// Updates a SageMaker HyperPod cluster. /// - /// - Parameter UpdateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterInput`) /// - /// - Returns: `UpdateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22752,7 +22423,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterOutput.httpOutput(from:), UpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22787,9 +22457,9 @@ extension SageMakerClient { /// /// Update the cluster policy configuration. /// - /// - Parameter UpdateClusterSchedulerConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterSchedulerConfigInput`) /// - /// - Returns: `UpdateClusterSchedulerConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterSchedulerConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22823,7 +22493,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterSchedulerConfigOutput.httpOutput(from:), UpdateClusterSchedulerConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22858,9 +22527,9 @@ extension SageMakerClient { /// /// Updates the platform software of a SageMaker HyperPod cluster for security patching. To learn how to use this API, see [Update the SageMaker HyperPod platform software of a cluster](https://docs.aws.amazon.com/sagemaker/latest/dg/sagemaker-hyperpod-operate.html#sagemaker-hyperpod-operate-cli-command-update-cluster-software). The UpgradeClusterSoftware API call may impact your SageMaker HyperPod cluster uptime and availability. Plan accordingly to mitigate potential disruptions to your workloads. /// - /// - Parameter UpdateClusterSoftwareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterSoftwareInput`) /// - /// - Returns: `UpdateClusterSoftwareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterSoftwareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22893,7 +22562,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterSoftwareOutput.httpOutput(from:), UpdateClusterSoftwareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22928,9 +22596,9 @@ extension SageMakerClient { /// /// Updates the specified Git repository with the specified values. /// - /// - Parameter UpdateCodeRepositoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCodeRepositoryInput`) /// - /// - Returns: `UpdateCodeRepositoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCodeRepositoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -22962,7 +22630,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCodeRepositoryOutput.httpOutput(from:), UpdateCodeRepositoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -22997,9 +22664,9 @@ extension SageMakerClient { /// /// Update the compute allocation definition. /// - /// - Parameter UpdateComputeQuotaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateComputeQuotaInput`) /// - /// - Returns: `UpdateComputeQuotaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateComputeQuotaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23033,7 +22700,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateComputeQuotaOutput.httpOutput(from:), UpdateComputeQuotaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23068,9 +22734,9 @@ extension SageMakerClient { /// /// Updates a context. /// - /// - Parameter UpdateContextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContextInput`) /// - /// - Returns: `UpdateContextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23103,7 +22769,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContextOutput.httpOutput(from:), UpdateContextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23138,9 +22803,9 @@ extension SageMakerClient { /// /// Updates a fleet of devices. /// - /// - Parameter UpdateDeviceFleetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDeviceFleetInput`) /// - /// - Returns: `UpdateDeviceFleetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDeviceFleetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23172,7 +22837,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeviceFleetOutput.httpOutput(from:), UpdateDeviceFleetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23207,9 +22871,9 @@ extension SageMakerClient { /// /// Updates one or more devices in a fleet. /// - /// - Parameter UpdateDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDevicesInput`) /// - /// - Returns: `UpdateDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDevicesOutput`) public func updateDevices(input: UpdateDevicesInput) async throws -> UpdateDevicesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -23236,7 +22900,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDevicesOutput.httpOutput(from:), UpdateDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23271,9 +22934,9 @@ extension SageMakerClient { /// /// Updates the default settings for new user profiles in the domain. /// - /// - Parameter UpdateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDomainInput`) /// - /// - Returns: `UpdateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23307,7 +22970,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainOutput.httpOutput(from:), UpdateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23342,9 +23004,9 @@ extension SageMakerClient { /// /// Deploys the EndpointConfig specified in the request to a new fleet of instances. SageMaker shifts endpoint traffic to the new instances with the updated endpoint configuration and then deletes the old instances using the previous EndpointConfig (there is no availability loss). For more information about how to control the update and traffic shifting process, see [ Update models in production](https://docs.aws.amazon.com/sagemaker/latest/dg/deployment-guardrails.html). When SageMaker receives the request, it sets the endpoint status to Updating. After updating the endpoint, it sets the status to InService. To check the status of an endpoint, use the [DescribeEndpoint](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeEndpoint.html) API. You must not delete an EndpointConfig in use by an endpoint that is live or while the UpdateEndpoint or CreateEndpoint operations are being performed on the endpoint. To update an endpoint, you must create a new EndpointConfig. If you delete the EndpointConfig of an endpoint that is active or being created or updated you may lose visibility into the instance type the endpoint is using. The endpoint must be deleted in order to stop incurring charges. /// - /// - Parameter UpdateEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEndpointInput`) /// - /// - Returns: `UpdateEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23376,7 +23038,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEndpointOutput.httpOutput(from:), UpdateEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23411,9 +23072,9 @@ extension SageMakerClient { /// /// Updates variant weight of one or more variants associated with an existing endpoint, or capacity of one variant associated with an existing endpoint. When it receives the request, SageMaker sets the endpoint status to Updating. After updating the endpoint, it sets the status to InService. To check the status of an endpoint, use the [DescribeEndpoint](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeEndpoint.html) API. /// - /// - Parameter UpdateEndpointWeightsAndCapacitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEndpointWeightsAndCapacitiesInput`) /// - /// - Returns: `UpdateEndpointWeightsAndCapacitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEndpointWeightsAndCapacitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23445,7 +23106,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEndpointWeightsAndCapacitiesOutput.httpOutput(from:), UpdateEndpointWeightsAndCapacitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23480,9 +23140,9 @@ extension SageMakerClient { /// /// Adds, updates, or removes the description of an experiment. Updates the display name of an experiment. /// - /// - Parameter UpdateExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateExperimentInput`) /// - /// - Returns: `UpdateExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23515,7 +23175,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateExperimentOutput.httpOutput(from:), UpdateExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23550,9 +23209,9 @@ extension SageMakerClient { /// /// Updates the feature group by either adding features or updating the online store configuration. Use one of the following request parameters at a time while using the UpdateFeatureGroup API. You can add features for your feature group using the FeatureAdditions request parameter. Features cannot be removed from a feature group. You can update the online store configuration by using the OnlineStoreConfig request parameter. If a TtlDuration is specified, the default TtlDuration applies for all records added to the feature group after the feature group is updated. If a record level TtlDuration exists from using the PutRecord API, the record level TtlDuration applies to that record instead of the default TtlDuration. To remove the default TtlDuration from an existing feature group, use the UpdateFeatureGroup API and set the TtlDurationUnit and Value to null. /// - /// - Parameter UpdateFeatureGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFeatureGroupInput`) /// - /// - Returns: `UpdateFeatureGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFeatureGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23585,7 +23244,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFeatureGroupOutput.httpOutput(from:), UpdateFeatureGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23620,9 +23278,9 @@ extension SageMakerClient { /// /// Updates the description and parameters of the feature group. /// - /// - Parameter UpdateFeatureMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFeatureMetadataInput`) /// - /// - Returns: `UpdateFeatureMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFeatureMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23654,7 +23312,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFeatureMetadataOutput.httpOutput(from:), UpdateFeatureMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23689,9 +23346,9 @@ extension SageMakerClient { /// /// Update a hub. /// - /// - Parameter UpdateHubInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHubInput`) /// - /// - Returns: `UpdateHubOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHubOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23723,7 +23380,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHubOutput.httpOutput(from:), UpdateHubOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23771,9 +23427,9 @@ extension SageMakerClient { /// /// For more information about hubs, see [Private curated hubs for foundation model access control in JumpStart](https://docs.aws.amazon.com/sagemaker/latest/dg/jumpstart-curated-hubs.html). If you want to update a ModelReference resource in your hub, use the UpdateHubContentResource API instead. /// - /// - Parameter UpdateHubContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHubContentInput`) /// - /// - Returns: `UpdateHubContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHubContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23806,7 +23462,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHubContentOutput.httpOutput(from:), UpdateHubContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23841,9 +23496,9 @@ extension SageMakerClient { /// /// Updates the contents of a SageMaker hub for a ModelReference resource. A ModelReference allows you to access public SageMaker JumpStart models from within your private hub. When using this API, you can update the MinVersion field for additional flexibility in the model version. You shouldn't update any additional fields when using this API, because the metadata in your private hub should match the public JumpStart model's metadata. If you want to update a Model or Notebook resource in your hub, use the UpdateHubContent API instead. For more information about adding model references to your hub, see [ Add models to a private hub](https://docs.aws.amazon.com/sagemaker/latest/dg/jumpstart-curated-hubs-admin-guide-add-models.html). /// - /// - Parameter UpdateHubContentReferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHubContentReferenceInput`) /// - /// - Returns: `UpdateHubContentReferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHubContentReferenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23876,7 +23531,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHubContentReferenceOutput.httpOutput(from:), UpdateHubContentReferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23911,9 +23565,9 @@ extension SageMakerClient { /// /// Updates the properties of a SageMaker AI image. To change the image's tags, use the [AddTags](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_AddTags.html) and [DeleteTags](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DeleteTags.html) APIs. /// - /// - Parameter UpdateImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateImageInput`) /// - /// - Returns: `UpdateImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -23946,7 +23600,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateImageOutput.httpOutput(from:), UpdateImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -23981,9 +23634,9 @@ extension SageMakerClient { /// /// Updates the properties of a SageMaker AI image version. /// - /// - Parameter UpdateImageVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateImageVersionInput`) /// - /// - Returns: `UpdateImageVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateImageVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24016,7 +23669,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateImageVersionOutput.httpOutput(from:), UpdateImageVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24051,9 +23703,9 @@ extension SageMakerClient { /// /// Updates an inference component. /// - /// - Parameter UpdateInferenceComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInferenceComponentInput`) /// - /// - Returns: `UpdateInferenceComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInferenceComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24085,7 +23737,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInferenceComponentOutput.httpOutput(from:), UpdateInferenceComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24120,9 +23771,9 @@ extension SageMakerClient { /// /// Runtime settings for a model that is deployed with an inference component. /// - /// - Parameter UpdateInferenceComponentRuntimeConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInferenceComponentRuntimeConfigInput`) /// - /// - Returns: `UpdateInferenceComponentRuntimeConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInferenceComponentRuntimeConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24154,7 +23805,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInferenceComponentRuntimeConfigOutput.httpOutput(from:), UpdateInferenceComponentRuntimeConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24189,9 +23839,9 @@ extension SageMakerClient { /// /// Updates an inference experiment that you created. The status of the inference experiment has to be either Created, Running. For more information on the status of an inference experiment, see [DescribeInferenceExperiment](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeInferenceExperiment.html). /// - /// - Parameter UpdateInferenceExperimentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInferenceExperimentInput`) /// - /// - Returns: `UpdateInferenceExperimentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInferenceExperimentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24224,7 +23874,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInferenceExperimentOutput.httpOutput(from:), UpdateInferenceExperimentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24259,9 +23908,9 @@ extension SageMakerClient { /// /// Updates properties of an existing MLflow Tracking Server. /// - /// - Parameter UpdateMlflowTrackingServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMlflowTrackingServerInput`) /// - /// - Returns: `UpdateMlflowTrackingServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMlflowTrackingServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24295,7 +23944,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMlflowTrackingServerOutput.httpOutput(from:), UpdateMlflowTrackingServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24330,9 +23978,9 @@ extension SageMakerClient { /// /// Update an Amazon SageMaker Model Card. You cannot update both model card content and model card status in a single call. /// - /// - Parameter UpdateModelCardInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateModelCardInput`) /// - /// - Returns: `UpdateModelCardOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateModelCardOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24366,7 +24014,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateModelCardOutput.httpOutput(from:), UpdateModelCardOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24401,9 +24048,9 @@ extension SageMakerClient { /// /// Updates a versioned model. /// - /// - Parameter UpdateModelPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateModelPackageInput`) /// - /// - Returns: `UpdateModelPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateModelPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24435,7 +24082,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateModelPackageOutput.httpOutput(from:), UpdateModelPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24470,9 +24116,9 @@ extension SageMakerClient { /// /// Update the parameters of a model monitor alert. /// - /// - Parameter UpdateMonitoringAlertInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMonitoringAlertInput`) /// - /// - Returns: `UpdateMonitoringAlertOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMonitoringAlertOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24505,7 +24151,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMonitoringAlertOutput.httpOutput(from:), UpdateMonitoringAlertOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24540,9 +24185,9 @@ extension SageMakerClient { /// /// Updates a previously created schedule. /// - /// - Parameter UpdateMonitoringScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMonitoringScheduleInput`) /// - /// - Returns: `UpdateMonitoringScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMonitoringScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24575,7 +24220,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMonitoringScheduleOutput.httpOutput(from:), UpdateMonitoringScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24610,9 +24254,9 @@ extension SageMakerClient { /// /// Updates a notebook instance. NotebookInstance updates include upgrading or downgrading the ML compute instance used for your notebook instance to accommodate changes in your workload requirements. /// - /// - Parameter UpdateNotebookInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNotebookInstanceInput`) /// - /// - Returns: `UpdateNotebookInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNotebookInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24644,7 +24288,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNotebookInstanceOutput.httpOutput(from:), UpdateNotebookInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24679,9 +24322,9 @@ extension SageMakerClient { /// /// Updates a notebook instance lifecycle configuration created with the [CreateNotebookInstanceLifecycleConfig](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_CreateNotebookInstanceLifecycleConfig.html) API. /// - /// - Parameter UpdateNotebookInstanceLifecycleConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNotebookInstanceLifecycleConfigInput`) /// - /// - Returns: `UpdateNotebookInstanceLifecycleConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNotebookInstanceLifecycleConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24713,7 +24356,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNotebookInstanceLifecycleConfigOutput.httpOutput(from:), UpdateNotebookInstanceLifecycleConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24748,9 +24390,9 @@ extension SageMakerClient { /// /// Updates all of the SageMaker Partner AI Apps in an account. /// - /// - Parameter UpdatePartnerAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePartnerAppInput`) /// - /// - Returns: `UpdatePartnerAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePartnerAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24784,7 +24426,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePartnerAppOutput.httpOutput(from:), UpdatePartnerAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24819,9 +24460,9 @@ extension SageMakerClient { /// /// Updates a pipeline. /// - /// - Parameter UpdatePipelineInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePipelineInput`) /// - /// - Returns: `UpdatePipelineOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePipelineOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24854,7 +24495,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePipelineOutput.httpOutput(from:), UpdatePipelineOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24889,9 +24529,9 @@ extension SageMakerClient { /// /// Updates a pipeline execution. /// - /// - Parameter UpdatePipelineExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePipelineExecutionInput`) /// - /// - Returns: `UpdatePipelineExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePipelineExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24924,7 +24564,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePipelineExecutionOutput.httpOutput(from:), UpdatePipelineExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -24959,9 +24598,9 @@ extension SageMakerClient { /// /// Updates a pipeline version. /// - /// - Parameter UpdatePipelineVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePipelineVersionInput`) /// - /// - Returns: `UpdatePipelineVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePipelineVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -24994,7 +24633,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePipelineVersionOutput.httpOutput(from:), UpdatePipelineVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25029,9 +24667,9 @@ extension SageMakerClient { /// /// Updates a machine learning (ML) project that is created from a template that sets up an ML pipeline from training to deploying an approved model. You must not update a project that is in use. If you update the ServiceCatalogProvisioningUpdateDetails of a project that is active or being created, or updated, you may lose resources already created by the project. /// - /// - Parameter UpdateProjectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProjectInput`) /// - /// - Returns: `UpdateProjectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProjectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -25063,7 +24701,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProjectOutput.httpOutput(from:), UpdateProjectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25098,9 +24735,9 @@ extension SageMakerClient { /// /// Updates the settings of a space. You can't edit the app type of a space in the SpaceSettings. /// - /// - Parameter UpdateSpaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSpaceInput`) /// - /// - Returns: `UpdateSpaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSpaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -25134,7 +24771,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSpaceOutput.httpOutput(from:), UpdateSpaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25169,9 +24805,9 @@ extension SageMakerClient { /// /// Update a model training job to request a new Debugger profiling configuration or to change warm pool retention length. /// - /// - Parameter UpdateTrainingJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrainingJobInput`) /// - /// - Returns: `UpdateTrainingJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrainingJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -25204,7 +24840,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrainingJobOutput.httpOutput(from:), UpdateTrainingJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25239,9 +24874,9 @@ extension SageMakerClient { /// /// Updates the display name of a trial. /// - /// - Parameter UpdateTrialInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrialInput`) /// - /// - Returns: `UpdateTrialOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrialOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -25274,7 +24909,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrialOutput.httpOutput(from:), UpdateTrialOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25309,9 +24943,9 @@ extension SageMakerClient { /// /// Updates one or more properties of a trial component. /// - /// - Parameter UpdateTrialComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrialComponentInput`) /// - /// - Returns: `UpdateTrialComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrialComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -25344,7 +24978,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrialComponentOutput.httpOutput(from:), UpdateTrialComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25379,9 +25012,9 @@ extension SageMakerClient { /// /// Updates a user profile. /// - /// - Parameter UpdateUserProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserProfileInput`) /// - /// - Returns: `UpdateUserProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -25415,7 +25048,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserProfileOutput.httpOutput(from:), UpdateUserProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25450,9 +25082,9 @@ extension SageMakerClient { /// /// Use this operation to update your workforce. You can use this operation to require that workers use specific IP addresses to work on tasks and to update your OpenID Connect (OIDC) Identity Provider (IdP) workforce configuration. The worker portal is now supported in VPC and public internet. Use SourceIpConfig to restrict worker access to tasks to a specific range of IP addresses. You specify allowed IP addresses by creating a list of up to ten [CIDRs](https://docs.aws.amazon.com/vpc/latest/userguide/VPC_Subnets.html). By default, a workforce isn't restricted to specific IP addresses. If you specify a range of IP addresses, workers who attempt to access tasks using any IP address outside the specified range are denied and get a Not Found error message on the worker portal. To restrict public internet access for all workers, configure the SourceIpConfig CIDR value. For example, when using SourceIpConfig with an IpAddressType of IPv4, you can restrict access to the IPv4 CIDR block "10.0.0.0/16". When using an IpAddressType of dualstack, you can specify both the IPv4 and IPv6 CIDR blocks, such as "10.0.0.0/16" for IPv4 only, "2001:db8:1234:1a00::/56" for IPv6 only, or "10.0.0.0/16" and "2001:db8:1234:1a00::/56" for dual stack. Amazon SageMaker does not support Source Ip restriction for worker portals in VPC. Use OidcConfig to update the configuration of a workforce created using your own OIDC IdP. You can only update your OIDC IdP configuration when there are no work teams associated with your workforce. You can delete work teams using the [DeleteWorkteam](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DeleteWorkteam.html) operation. After restricting access to a range of IP addresses or updating your OIDC IdP configuration with this operation, you can view details about your update workforce using the [DescribeWorkforce](https://docs.aws.amazon.com/sagemaker/latest/APIReference/API_DescribeWorkforce.html) operation. This operation only applies to private workforces. /// - /// - Parameter UpdateWorkforceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkforceInput`) /// - /// - Returns: `UpdateWorkforceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkforceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -25484,7 +25116,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkforceOutput.httpOutput(from:), UpdateWorkforceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -25519,9 +25150,9 @@ extension SageMakerClient { /// /// Updates an existing work team with new member definitions or description. /// - /// - Parameter UpdateWorkteamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkteamInput`) /// - /// - Returns: `UpdateWorkteamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkteamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -25553,7 +25184,6 @@ extension SageMakerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkteamOutput.httpOutput(from:), UpdateWorkteamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSageMakerA2IRuntime/Sources/AWSSageMakerA2IRuntime/SageMakerA2IRuntimeClient.swift b/Sources/Services/AWSSageMakerA2IRuntime/Sources/AWSSageMakerA2IRuntime/SageMakerA2IRuntimeClient.swift index 5f7da8fda2c..af4c4a7322c 100644 --- a/Sources/Services/AWSSageMakerA2IRuntime/Sources/AWSSageMakerA2IRuntime/SageMakerA2IRuntimeClient.swift +++ b/Sources/Services/AWSSageMakerA2IRuntime/Sources/AWSSageMakerA2IRuntime/SageMakerA2IRuntimeClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SageMakerA2IRuntimeClient: ClientRuntime.Client { public static let clientName = "SageMakerA2IRuntimeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SageMakerA2IRuntimeClient.SageMakerA2IRuntimeClientConfiguration let serviceName = "SageMaker A2I Runtime" @@ -374,9 +373,9 @@ extension SageMakerA2IRuntimeClient { /// /// Deletes the specified human loop for a flow definition. If the human loop was deleted, this operation will return a ResourceNotFoundException. /// - /// - Parameter DeleteHumanLoopInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHumanLoopInput`) /// - /// - Returns: `DeleteHumanLoopOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHumanLoopOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension SageMakerA2IRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHumanLoopOutput.httpOutput(from:), DeleteHumanLoopOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension SageMakerA2IRuntimeClient { /// /// Returns information about the specified human loop. If the human loop was deleted, this operation will return a ResourceNotFoundException error. /// - /// - Parameter DescribeHumanLoopInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHumanLoopInput`) /// - /// - Returns: `DescribeHumanLoopOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHumanLoopOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -478,7 +476,6 @@ extension SageMakerA2IRuntimeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHumanLoopOutput.httpOutput(from:), DescribeHumanLoopOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -510,9 +507,9 @@ extension SageMakerA2IRuntimeClient { /// /// Returns information about human loops, given the specified parameters. If a human loop was deleted, it will not be included. /// - /// - Parameter ListHumanLoopsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHumanLoopsInput`) /// - /// - Returns: `ListHumanLoopsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHumanLoopsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -547,7 +544,6 @@ extension SageMakerA2IRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListHumanLoopsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHumanLoopsOutput.httpOutput(from:), ListHumanLoopsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -579,9 +575,9 @@ extension SageMakerA2IRuntimeClient { /// /// Starts a human loop, provided that at least one activation condition is met. /// - /// - Parameter StartHumanLoopInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartHumanLoopInput`) /// - /// - Returns: `StartHumanLoopOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartHumanLoopOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -619,7 +615,6 @@ extension SageMakerA2IRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartHumanLoopOutput.httpOutput(from:), StartHumanLoopOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -651,9 +646,9 @@ extension SageMakerA2IRuntimeClient { /// /// Stops the specified human loop. /// - /// - Parameter StopHumanLoopInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopHumanLoopInput`) /// - /// - Returns: `StopHumanLoopOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopHumanLoopOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -690,7 +685,6 @@ extension SageMakerA2IRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopHumanLoopOutput.httpOutput(from:), StopHumanLoopOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSageMakerFeatureStoreRuntime/Sources/AWSSageMakerFeatureStoreRuntime/SageMakerFeatureStoreRuntimeClient.swift b/Sources/Services/AWSSageMakerFeatureStoreRuntime/Sources/AWSSageMakerFeatureStoreRuntime/SageMakerFeatureStoreRuntimeClient.swift index 1ee791450ca..61aeae6070e 100644 --- a/Sources/Services/AWSSageMakerFeatureStoreRuntime/Sources/AWSSageMakerFeatureStoreRuntime/SageMakerFeatureStoreRuntimeClient.swift +++ b/Sources/Services/AWSSageMakerFeatureStoreRuntime/Sources/AWSSageMakerFeatureStoreRuntime/SageMakerFeatureStoreRuntimeClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SageMakerFeatureStoreRuntimeClient: ClientRuntime.Client { public static let clientName = "SageMakerFeatureStoreRuntimeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SageMakerFeatureStoreRuntimeClient.SageMakerFeatureStoreRuntimeClientConfiguration let serviceName = "SageMaker FeatureStore Runtime" @@ -373,9 +372,9 @@ extension SageMakerFeatureStoreRuntimeClient { /// /// Retrieves a batch of Records from a FeatureGroup. /// - /// - Parameter BatchGetRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetRecordInput`) /// - /// - Returns: `BatchGetRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension SageMakerFeatureStoreRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetRecordOutput.httpOutput(from:), BatchGetRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension SageMakerFeatureStoreRuntimeClient { /// /// When a record is deleted from the OnlineStore, the deleted record marker is appended to the OfflineStore. If you have the Iceberg table format enabled for your OfflineStore, you can remove all history of a record from the OfflineStore using Amazon Athena or Apache Spark. For information on how to hard delete a record from the OfflineStore with the Iceberg table format enabled, see [Delete records from the offline store](https://docs.aws.amazon.com/sagemaker/latest/dg/feature-store-delete-records-offline-store.html#feature-store-delete-records-offline-store). /// - /// - Parameter DeleteRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRecordInput`) /// - /// - Returns: `DeleteRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension SageMakerFeatureStoreRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteRecordInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRecordOutput.httpOutput(from:), DeleteRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension SageMakerFeatureStoreRuntimeClient { /// /// Use for OnlineStore serving from a FeatureStore. Only the latest records stored in the OnlineStore can be retrieved. If no Record with RecordIdentifierValue is found, then an empty result is returned. /// - /// - Parameter GetRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecordInput`) /// - /// - Returns: `GetRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension SageMakerFeatureStoreRuntimeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRecordInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecordOutput.httpOutput(from:), GetRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension SageMakerFeatureStoreRuntimeClient { /// /// The PutRecord API is used to ingest a list of Records into your feature group. If a new record’s EventTime is greater, the new record is written to both the OnlineStore and OfflineStore. Otherwise, the record is a historic record and it is written only to the OfflineStore. You can specify the ingestion to be applied to the OnlineStore, OfflineStore, or both by using the TargetStores request parameter. You can set the ingested record to expire at a given time to live (TTL) duration after the record’s event time, ExpiresAt = EventTime + TtlDuration, by specifying the TtlDuration parameter. A record level TtlDuration is set when specifying the TtlDuration parameter using the PutRecord API call. If the input TtlDuration is null or unspecified, TtlDuration is set to the default feature group level TtlDuration. A record level TtlDuration supersedes the group level TtlDuration. /// - /// - Parameter PutRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRecordInput`) /// - /// - Returns: `PutRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -629,7 +625,6 @@ extension SageMakerFeatureStoreRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRecordOutput.httpOutput(from:), PutRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSageMakerGeospatial/Sources/AWSSageMakerGeospatial/SageMakerGeospatialClient.swift b/Sources/Services/AWSSageMakerGeospatial/Sources/AWSSageMakerGeospatial/SageMakerGeospatialClient.swift index 8b9814e4a4b..3ddbd437f73 100644 --- a/Sources/Services/AWSSageMakerGeospatial/Sources/AWSSageMakerGeospatial/SageMakerGeospatialClient.swift +++ b/Sources/Services/AWSSageMakerGeospatial/Sources/AWSSageMakerGeospatial/SageMakerGeospatialClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SageMakerGeospatialClient: ClientRuntime.Client { public static let clientName = "SageMakerGeospatialClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SageMakerGeospatialClient.SageMakerGeospatialClientConfiguration let serviceName = "SageMaker Geospatial" @@ -376,9 +375,9 @@ extension SageMakerGeospatialClient { /// /// Use this operation to delete an Earth Observation job. /// - /// - Parameter DeleteEarthObservationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEarthObservationJobInput`) /// - /// - Returns: `DeleteEarthObservationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEarthObservationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEarthObservationJobOutput.httpOutput(from:), DeleteEarthObservationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension SageMakerGeospatialClient { /// /// Use this operation to delete a Vector Enrichment job. /// - /// - Parameter DeleteVectorEnrichmentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVectorEnrichmentJobInput`) /// - /// - Returns: `DeleteVectorEnrichmentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVectorEnrichmentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -484,7 +482,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVectorEnrichmentJobOutput.httpOutput(from:), DeleteVectorEnrichmentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension SageMakerGeospatialClient { /// /// Use this operation to export results of an Earth Observation job and optionally source images used as input to the EOJ to an Amazon S3 location. /// - /// - Parameter ExportEarthObservationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportEarthObservationJobInput`) /// - /// - Returns: `ExportEarthObservationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportEarthObservationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -559,7 +556,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportEarthObservationJobOutput.httpOutput(from:), ExportEarthObservationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -591,9 +587,9 @@ extension SageMakerGeospatialClient { /// /// Use this operation to copy results of a Vector Enrichment job to an Amazon S3 location. /// - /// - Parameter ExportVectorEnrichmentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportVectorEnrichmentJobInput`) /// - /// - Returns: `ExportVectorEnrichmentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportVectorEnrichmentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportVectorEnrichmentJobOutput.httpOutput(from:), ExportVectorEnrichmentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension SageMakerGeospatialClient { /// /// Get the details for a previously initiated Earth Observation job. /// - /// - Parameter GetEarthObservationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEarthObservationJobInput`) /// - /// - Returns: `GetEarthObservationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEarthObservationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -703,7 +698,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEarthObservationJobOutput.httpOutput(from:), GetEarthObservationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -735,9 +729,9 @@ extension SageMakerGeospatialClient { /// /// Use this operation to get details of a specific raster data collection. /// - /// - Parameter GetRasterDataCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRasterDataCollectionInput`) /// - /// - Returns: `GetRasterDataCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRasterDataCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -772,7 +766,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRasterDataCollectionOutput.httpOutput(from:), GetRasterDataCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -804,9 +797,9 @@ extension SageMakerGeospatialClient { /// /// Gets a web mercator tile for the given Earth Observation job. /// - /// - Parameter GetTileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTileInput`) /// - /// - Returns: `GetTileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension SageMakerGeospatialClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTileOutput.httpOutput(from:), GetTileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -874,9 +866,9 @@ extension SageMakerGeospatialClient { /// /// Retrieves details of a Vector Enrichment Job for a given job Amazon Resource Name (ARN). /// - /// - Parameter GetVectorEnrichmentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVectorEnrichmentJobInput`) /// - /// - Returns: `GetVectorEnrichmentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVectorEnrichmentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -911,7 +903,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVectorEnrichmentJobOutput.httpOutput(from:), GetVectorEnrichmentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -943,9 +934,9 @@ extension SageMakerGeospatialClient { /// /// Use this operation to get a list of the Earth Observation jobs associated with the calling Amazon Web Services account. /// - /// - Parameter ListEarthObservationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEarthObservationJobsInput`) /// - /// - Returns: `ListEarthObservationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEarthObservationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -983,7 +974,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEarthObservationJobsOutput.httpOutput(from:), ListEarthObservationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1015,9 +1005,9 @@ extension SageMakerGeospatialClient { /// /// Use this operation to get raster data collections. /// - /// - Parameter ListRasterDataCollectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRasterDataCollectionsInput`) /// - /// - Returns: `ListRasterDataCollectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRasterDataCollectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1053,7 +1043,6 @@ extension SageMakerGeospatialClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRasterDataCollectionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRasterDataCollectionsOutput.httpOutput(from:), ListRasterDataCollectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1085,9 +1074,9 @@ extension SageMakerGeospatialClient { /// /// Lists the tags attached to the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1122,7 +1111,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1154,9 +1142,9 @@ extension SageMakerGeospatialClient { /// /// Retrieves a list of vector enrichment jobs. /// - /// - Parameter ListVectorEnrichmentJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVectorEnrichmentJobsInput`) /// - /// - Returns: `ListVectorEnrichmentJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVectorEnrichmentJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1194,7 +1182,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVectorEnrichmentJobsOutput.httpOutput(from:), ListVectorEnrichmentJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1226,9 +1213,9 @@ extension SageMakerGeospatialClient { /// /// Allows you run image query on a specific raster data collection to get a list of the satellite imagery matching the selected filters. /// - /// - Parameter SearchRasterDataCollectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchRasterDataCollectionInput`) /// - /// - Returns: `SearchRasterDataCollectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchRasterDataCollectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1266,7 +1253,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchRasterDataCollectionOutput.httpOutput(from:), SearchRasterDataCollectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1298,9 +1284,9 @@ extension SageMakerGeospatialClient { /// /// Use this operation to create an Earth observation job. /// - /// - Parameter StartEarthObservationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartEarthObservationJobInput`) /// - /// - Returns: `StartEarthObservationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartEarthObservationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1341,7 +1327,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartEarthObservationJobOutput.httpOutput(from:), StartEarthObservationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1373,9 +1358,9 @@ extension SageMakerGeospatialClient { /// /// Creates a Vector Enrichment job for the supplied job type. Currently, there are two supported job types: reverse geocoding and map matching. /// - /// - Parameter StartVectorEnrichmentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartVectorEnrichmentJobInput`) /// - /// - Returns: `StartVectorEnrichmentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartVectorEnrichmentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1416,7 +1401,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartVectorEnrichmentJobOutput.httpOutput(from:), StartVectorEnrichmentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1448,9 +1432,9 @@ extension SageMakerGeospatialClient { /// /// Use this operation to stop an existing earth observation job. /// - /// - Parameter StopEarthObservationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopEarthObservationJobInput`) /// - /// - Returns: `StopEarthObservationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopEarthObservationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1473,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopEarthObservationJobOutput.httpOutput(from:), StopEarthObservationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1521,9 +1504,9 @@ extension SageMakerGeospatialClient { /// /// Stops the Vector Enrichment job for a given job ARN. /// - /// - Parameter StopVectorEnrichmentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopVectorEnrichmentJobInput`) /// - /// - Returns: `StopVectorEnrichmentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopVectorEnrichmentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1562,7 +1545,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopVectorEnrichmentJobOutput.httpOutput(from:), StopVectorEnrichmentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1594,9 +1576,9 @@ extension SageMakerGeospatialClient { /// /// The resource you want to tag. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1634,7 +1616,6 @@ extension SageMakerGeospatialClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1666,9 +1647,9 @@ extension SageMakerGeospatialClient { /// /// The resource you want to untag. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1704,7 +1685,6 @@ extension SageMakerGeospatialClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSageMakerMetrics/Sources/AWSSageMakerMetrics/SageMakerMetricsClient.swift b/Sources/Services/AWSSageMakerMetrics/Sources/AWSSageMakerMetrics/SageMakerMetricsClient.swift index 5aa63168faf..d8b5e5e90b6 100644 --- a/Sources/Services/AWSSageMakerMetrics/Sources/AWSSageMakerMetrics/SageMakerMetricsClient.swift +++ b/Sources/Services/AWSSageMakerMetrics/Sources/AWSSageMakerMetrics/SageMakerMetricsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SageMakerMetricsClient: ClientRuntime.Client { public static let clientName = "SageMakerMetricsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SageMakerMetricsClient.SageMakerMetricsClientConfiguration let serviceName = "SageMaker Metrics" @@ -372,9 +371,9 @@ extension SageMakerMetricsClient { /// /// Used to retrieve training metrics from SageMaker. /// - /// - Parameter BatchGetMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetMetricsInput`) /// - /// - Returns: `BatchGetMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetMetricsOutput`) public func batchGetMetrics(input: BatchGetMetricsInput) async throws -> BatchGetMetricsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -403,7 +402,6 @@ extension SageMakerMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetMetricsOutput.httpOutput(from:), BatchGetMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -435,9 +433,9 @@ extension SageMakerMetricsClient { /// /// Used to ingest training metrics into SageMaker. These metrics can be visualized in SageMaker Studio. /// - /// - Parameter BatchPutMetricsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutMetricsInput`) /// - /// - Returns: `BatchPutMetricsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutMetricsOutput`) public func batchPutMetrics(input: BatchPutMetricsInput) async throws -> BatchPutMetricsOutput { let context = Smithy.ContextBuilder() .withMethod(value: .put) @@ -466,7 +464,6 @@ extension SageMakerMetricsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutMetricsOutput.httpOutput(from:), BatchPutMetricsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSageMakerRuntime/Sources/AWSSageMakerRuntime/SageMakerRuntimeClient.swift b/Sources/Services/AWSSageMakerRuntime/Sources/AWSSageMakerRuntime/SageMakerRuntimeClient.swift index 9701fe20a3e..2cf10983fc4 100644 --- a/Sources/Services/AWSSageMakerRuntime/Sources/AWSSageMakerRuntime/SageMakerRuntimeClient.swift +++ b/Sources/Services/AWSSageMakerRuntime/Sources/AWSSageMakerRuntime/SageMakerRuntimeClient.swift @@ -22,7 +22,6 @@ import class Smithy.Context import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SageMakerRuntimeClient: ClientRuntime.Client { public static let clientName = "SageMakerRuntimeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SageMakerRuntimeClient.SageMakerRuntimeClientConfiguration let serviceName = "SageMaker Runtime" @@ -373,9 +372,9 @@ extension SageMakerRuntimeClient { /// /// After you deploy a model into production using Amazon SageMaker AI hosting services, your client applications use this API to get inferences from the model hosted at the specified endpoint. For an overview of Amazon SageMaker AI, see [How It Works](https://docs.aws.amazon.com/sagemaker/latest/dg/how-it-works.html). Amazon SageMaker AI strips all POST headers except those supported by the API. Amazon SageMaker AI might add additional headers. You should not rely on the behavior of headers outside those enumerated in the request syntax. Calls to InvokeEndpoint are authenticated by using Amazon Web Services Signature Version 4. For information, see [Authenticating Requests (Amazon Web Services Signature Version 4)](https://docs.aws.amazon.com/AmazonS3/latest/API/sig-v4-authenticating-requests.html) in the Amazon S3 API Reference. A customer's model containers must respond to requests within 60 seconds. The model itself can have a maximum processing time of 60 seconds before responding to invocations. If your model is going to take 50-60 seconds of processing time, the SDK socket timeout should be set to be 70 seconds. Endpoints are scoped to an individual account, and are not public. The URL does not contain the account ID, but Amazon SageMaker AI determines the account ID from the authentication token that is supplied by the caller. /// - /// - Parameter InvokeEndpointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeEndpointInput`) /// - /// - Returns: `InvokeEndpointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeEndpointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension SageMakerRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeEndpointOutput.httpOutput(from:), InvokeEndpointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension SageMakerRuntimeClient { /// /// After you deploy a model into production using Amazon SageMaker AI hosting services, your client applications use this API to get inferences from the model hosted at the specified endpoint in an asynchronous manner. Inference requests sent to this API are enqueued for asynchronous processing. The processing of the inference request may or may not complete before you receive a response from this API. The response from this API will not contain the result of the inference request but contain information about where you can locate it. Amazon SageMaker AI strips all POST headers except those supported by the API. Amazon SageMaker AI might add additional headers. You should not rely on the behavior of headers outside those enumerated in the request syntax. Calls to InvokeEndpointAsync are authenticated by using Amazon Web Services Signature Version 4. For information, see [Authenticating Requests (Amazon Web Services Signature Version 4)](https://docs.aws.amazon.com/AmazonS3/latest/API/sig-v4-authenticating-requests.html) in the Amazon S3 API Reference. /// - /// - Parameter InvokeEndpointAsyncInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeEndpointAsyncInput`) /// - /// - Returns: `InvokeEndpointAsyncOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeEndpointAsyncOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension SageMakerRuntimeClient { builder.serialize(ClientRuntime.HeaderMiddleware(InvokeEndpointAsyncInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeEndpointAsyncOutput.httpOutput(from:), InvokeEndpointAsyncOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension SageMakerRuntimeClient { /// /// Before you can use this operation, your IAM permissions must allow the sagemaker:InvokeEndpoint action. For more information about Amazon SageMaker AI actions for IAM policies, see [Actions, resources, and condition keys for Amazon SageMaker AI](https://docs.aws.amazon.com/service-authorization/latest/reference/list_amazonsagemaker.html) in the IAM Service Authorization Reference. Amazon SageMaker AI strips all POST headers except those supported by the API. Amazon SageMaker AI might add additional headers. You should not rely on the behavior of headers outside those enumerated in the request syntax. Calls to InvokeEndpointWithResponseStream are authenticated by using Amazon Web Services Signature Version 4. For information, see [Authenticating Requests (Amazon Web Services Signature Version 4)](https://docs.aws.amazon.com/AmazonS3/latest/API/sig-v4-authenticating-requests.html) in the Amazon S3 API Reference. /// - /// - Parameter InvokeEndpointWithResponseStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InvokeEndpointWithResponseStreamInput`) /// - /// - Returns: `InvokeEndpointWithResponseStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InvokeEndpointWithResponseStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +561,6 @@ extension SageMakerRuntimeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InvokeEndpointWithResponseStreamOutput.httpOutput(from:), InvokeEndpointWithResponseStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSagemakerEdge/Sources/AWSSagemakerEdge/SagemakerEdgeClient.swift b/Sources/Services/AWSSagemakerEdge/Sources/AWSSagemakerEdge/SagemakerEdgeClient.swift index 523fd09b1ed..68952a3846a 100644 --- a/Sources/Services/AWSSagemakerEdge/Sources/AWSSagemakerEdge/SagemakerEdgeClient.swift +++ b/Sources/Services/AWSSagemakerEdge/Sources/AWSSagemakerEdge/SagemakerEdgeClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SagemakerEdgeClient: ClientRuntime.Client { public static let clientName = "SagemakerEdgeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SagemakerEdgeClient.SagemakerEdgeClientConfiguration let serviceName = "Sagemaker Edge" @@ -372,9 +371,9 @@ extension SagemakerEdgeClient { /// /// Use to get the active deployments from a device. /// - /// - Parameter GetDeploymentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeploymentsInput`) /// - /// - Returns: `GetDeploymentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeploymentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -408,7 +407,6 @@ extension SagemakerEdgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeploymentsOutput.httpOutput(from:), GetDeploymentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -440,9 +438,9 @@ extension SagemakerEdgeClient { /// /// Use to check if a device is registered with SageMaker Edge Manager. /// - /// - Parameter GetDeviceRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeviceRegistrationInput`) /// - /// - Returns: `GetDeviceRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeviceRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -476,7 +474,6 @@ extension SagemakerEdgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceRegistrationOutput.httpOutput(from:), GetDeviceRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -508,9 +505,9 @@ extension SagemakerEdgeClient { /// /// Use to get the current status of devices registered on SageMaker Edge Manager. /// - /// - Parameter SendHeartbeatInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendHeartbeatInput`) /// - /// - Returns: `SendHeartbeatOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendHeartbeatOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -544,7 +541,6 @@ extension SagemakerEdgeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendHeartbeatOutput.httpOutput(from:), SendHeartbeatOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSavingsplans/Sources/AWSSavingsplans/SavingsplansClient.swift b/Sources/Services/AWSSavingsplans/Sources/AWSSavingsplans/SavingsplansClient.swift index 8a0d4698b43..14eb1dd7f77 100644 --- a/Sources/Services/AWSSavingsplans/Sources/AWSSavingsplans/SavingsplansClient.swift +++ b/Sources/Services/AWSSavingsplans/Sources/AWSSavingsplans/SavingsplansClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SavingsplansClient: ClientRuntime.Client { public static let clientName = "SavingsplansClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SavingsplansClient.SavingsplansClientConfiguration let serviceName = "savingsplans" @@ -374,9 +373,9 @@ extension SavingsplansClient { /// /// Creates a Savings Plan. /// - /// - Parameter CreateSavingsPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSavingsPlanInput`) /// - /// - Returns: `CreateSavingsPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSavingsPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension SavingsplansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSavingsPlanOutput.httpOutput(from:), CreateSavingsPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension SavingsplansClient { /// /// Deletes the queued purchase for the specified Savings Plan. /// - /// - Parameter DeleteQueuedSavingsPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQueuedSavingsPlanInput`) /// - /// - Returns: `DeleteQueuedSavingsPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQueuedSavingsPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension SavingsplansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQueuedSavingsPlanOutput.httpOutput(from:), DeleteQueuedSavingsPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension SavingsplansClient { /// /// Describes the rates for the specified Savings Plan. /// - /// - Parameter DescribeSavingsPlanRatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSavingsPlanRatesInput`) /// - /// - Returns: `DescribeSavingsPlanRatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSavingsPlanRatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension SavingsplansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSavingsPlanRatesOutput.httpOutput(from:), DescribeSavingsPlanRatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension SavingsplansClient { /// /// Describes the specified Savings Plans. /// - /// - Parameter DescribeSavingsPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSavingsPlansInput`) /// - /// - Returns: `DescribeSavingsPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSavingsPlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -623,7 +619,6 @@ extension SavingsplansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSavingsPlansOutput.httpOutput(from:), DescribeSavingsPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -655,9 +650,9 @@ extension SavingsplansClient { /// /// Describes the offering rates for the specified Savings Plans. /// - /// - Parameter DescribeSavingsPlansOfferingRatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSavingsPlansOfferingRatesInput`) /// - /// - Returns: `DescribeSavingsPlansOfferingRatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSavingsPlansOfferingRatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -692,7 +687,6 @@ extension SavingsplansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSavingsPlansOfferingRatesOutput.httpOutput(from:), DescribeSavingsPlansOfferingRatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -724,9 +718,9 @@ extension SavingsplansClient { /// /// Describes the offerings for the specified Savings Plans. /// - /// - Parameter DescribeSavingsPlansOfferingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSavingsPlansOfferingsInput`) /// - /// - Returns: `DescribeSavingsPlansOfferingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSavingsPlansOfferingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -761,7 +755,6 @@ extension SavingsplansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSavingsPlansOfferingsOutput.httpOutput(from:), DescribeSavingsPlansOfferingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -793,9 +786,9 @@ extension SavingsplansClient { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -831,7 +824,6 @@ extension SavingsplansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -863,9 +855,9 @@ extension SavingsplansClient { /// /// Returns the specified Savings Plan. /// - /// - Parameter ReturnSavingsPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReturnSavingsPlanInput`) /// - /// - Returns: `ReturnSavingsPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReturnSavingsPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -903,7 +895,6 @@ extension SavingsplansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReturnSavingsPlanOutput.httpOutput(from:), ReturnSavingsPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -935,9 +926,9 @@ extension SavingsplansClient { /// /// Adds the specified tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -974,7 +965,6 @@ extension SavingsplansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1006,9 +996,9 @@ extension SavingsplansClient { /// /// Removes the specified tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1044,7 +1034,6 @@ extension SavingsplansClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSScheduler/Sources/AWSScheduler/SchedulerClient.swift b/Sources/Services/AWSScheduler/Sources/AWSScheduler/SchedulerClient.swift index 16654cacc06..09a7ac0b26c 100644 --- a/Sources/Services/AWSScheduler/Sources/AWSScheduler/SchedulerClient.swift +++ b/Sources/Services/AWSScheduler/Sources/AWSScheduler/SchedulerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SchedulerClient: ClientRuntime.Client { public static let clientName = "SchedulerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SchedulerClient.SchedulerClientConfiguration let serviceName = "Scheduler" @@ -375,9 +374,9 @@ extension SchedulerClient { /// /// Creates the specified schedule. /// - /// - Parameter CreateScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScheduleInput`) /// - /// - Returns: `CreateScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension SchedulerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScheduleOutput.httpOutput(from:), CreateScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension SchedulerClient { /// /// Creates the specified schedule group. /// - /// - Parameter CreateScheduleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScheduleGroupInput`) /// - /// - Returns: `CreateScheduleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScheduleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension SchedulerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScheduleGroupOutput.httpOutput(from:), CreateScheduleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension SchedulerClient { /// /// Deletes the specified schedule. /// - /// - Parameter DeleteScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScheduleInput`) /// - /// - Returns: `DeleteScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension SchedulerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteScheduleInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScheduleOutput.httpOutput(from:), DeleteScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension SchedulerClient { /// /// Deletes the specified schedule group. Deleting a schedule group results in EventBridge Scheduler deleting all schedules associated with the group. When you delete a group, it remains in a DELETING state until all of its associated schedules are deleted. Schedules associated with the group that are set to run while the schedule group is in the process of being deleted might continue to invoke their targets until the schedule group and its associated schedules are deleted. This operation is eventually consistent. /// - /// - Parameter DeleteScheduleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScheduleGroupInput`) /// - /// - Returns: `DeleteScheduleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScheduleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -632,7 +628,6 @@ extension SchedulerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteScheduleGroupInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScheduleGroupOutput.httpOutput(from:), DeleteScheduleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -664,9 +659,9 @@ extension SchedulerClient { /// /// Retrieves the specified schedule. /// - /// - Parameter GetScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetScheduleInput`) /// - /// - Returns: `GetScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension SchedulerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetScheduleInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetScheduleOutput.httpOutput(from:), GetScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -733,9 +727,9 @@ extension SchedulerClient { /// /// Retrieves the specified schedule group. /// - /// - Parameter GetScheduleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetScheduleGroupInput`) /// - /// - Returns: `GetScheduleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetScheduleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -769,7 +763,6 @@ extension SchedulerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetScheduleGroupOutput.httpOutput(from:), GetScheduleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -801,9 +794,9 @@ extension SchedulerClient { /// /// Returns a paginated list of your schedule groups. /// - /// - Parameter ListScheduleGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListScheduleGroupsInput`) /// - /// - Returns: `ListScheduleGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListScheduleGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -837,7 +830,6 @@ extension SchedulerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListScheduleGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScheduleGroupsOutput.httpOutput(from:), ListScheduleGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -869,9 +861,9 @@ extension SchedulerClient { /// /// Returns a paginated list of your EventBridge Scheduler schedules. /// - /// - Parameter ListSchedulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchedulesInput`) /// - /// - Returns: `ListSchedulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchedulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -906,7 +898,6 @@ extension SchedulerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSchedulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchedulesOutput.httpOutput(from:), ListSchedulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -938,9 +929,9 @@ extension SchedulerClient { /// /// Lists the tags associated with the Scheduler resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -974,7 +965,6 @@ extension SchedulerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1006,9 +996,9 @@ extension SchedulerClient { /// /// Assigns one or more tags (key-value pairs) to the specified EventBridge Scheduler resource. You can only assign tags to schedule groups. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1046,7 +1036,6 @@ extension SchedulerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1078,9 +1067,9 @@ extension SchedulerClient { /// /// Removes one or more tags from the specified EventBridge Scheduler schedule group. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1116,7 +1105,6 @@ extension SchedulerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1148,9 +1136,9 @@ extension SchedulerClient { /// /// Updates the specified schedule. When you call UpdateSchedule, EventBridge Scheduler uses all values, including empty values, specified in the request and overrides the existing schedule. This is by design. This means that if you do not set an optional field in your request, that field will be set to its system-default value after the update. Before calling this operation, we recommend that you call the GetSchedule API operation and make a note of all optional parameters for your UpdateSchedule call. /// - /// - Parameter UpdateScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScheduleInput`) /// - /// - Returns: `UpdateScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1189,7 +1177,6 @@ extension SchedulerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScheduleOutput.httpOutput(from:), UpdateScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSchemas/Sources/AWSSchemas/SchemasClient.swift b/Sources/Services/AWSSchemas/Sources/AWSSchemas/SchemasClient.swift index 95054f9eb57..26da5b348f8 100644 --- a/Sources/Services/AWSSchemas/Sources/AWSSchemas/SchemasClient.swift +++ b/Sources/Services/AWSSchemas/Sources/AWSSchemas/SchemasClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SchemasClient: ClientRuntime.Client { public static let clientName = "SchemasClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SchemasClient.SchemasClientConfiguration let serviceName = "schemas" @@ -375,9 +374,9 @@ extension SchemasClient { /// /// Creates a discoverer. /// - /// - Parameter CreateDiscovererInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDiscovererInput`) /// - /// - Returns: `CreateDiscovererOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDiscovererOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDiscovererOutput.httpOutput(from:), CreateDiscovererOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension SchemasClient { /// /// Creates a registry. /// - /// - Parameter CreateRegistryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegistryInput`) /// - /// - Returns: `CreateRegistryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegistryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegistryOutput.httpOutput(from:), CreateRegistryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension SchemasClient { /// /// Creates a schema definition. Inactive schemas will be deleted after two years. /// - /// - Parameter CreateSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSchemaInput`) /// - /// - Returns: `CreateSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSchemaOutput.httpOutput(from:), CreateSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension SchemasClient { /// /// Deletes a discoverer. /// - /// - Parameter DeleteDiscovererInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDiscovererInput`) /// - /// - Returns: `DeleteDiscovererOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDiscovererOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -630,7 +626,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDiscovererOutput.httpOutput(from:), DeleteDiscovererOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -662,9 +657,9 @@ extension SchemasClient { /// /// Deletes a Registry. /// - /// - Parameter DeleteRegistryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegistryInput`) /// - /// - Returns: `DeleteRegistryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegistryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -700,7 +695,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegistryOutput.httpOutput(from:), DeleteRegistryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -732,9 +726,9 @@ extension SchemasClient { /// /// Delete the resource-based policy attached to the specified registry. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteResourcePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension SchemasClient { /// /// Delete a schema definition. /// - /// - Parameter DeleteSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSchemaInput`) /// - /// - Returns: `DeleteSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -841,7 +834,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSchemaOutput.httpOutput(from:), DeleteSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -873,9 +865,9 @@ extension SchemasClient { /// /// Delete the schema version definition /// - /// - Parameter DeleteSchemaVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSchemaVersionInput`) /// - /// - Returns: `DeleteSchemaVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSchemaVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -911,7 +903,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSchemaVersionOutput.httpOutput(from:), DeleteSchemaVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -943,9 +934,9 @@ extension SchemasClient { /// /// Describe the code binding URI. /// - /// - Parameter DescribeCodeBindingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCodeBindingInput`) /// - /// - Returns: `DescribeCodeBindingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCodeBindingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -982,7 +973,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeCodeBindingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCodeBindingOutput.httpOutput(from:), DescribeCodeBindingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1014,9 +1004,9 @@ extension SchemasClient { /// /// Describes the discoverer. /// - /// - Parameter DescribeDiscovererInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDiscovererInput`) /// - /// - Returns: `DescribeDiscovererOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDiscovererOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1052,7 +1042,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDiscovererOutput.httpOutput(from:), DescribeDiscovererOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1084,9 +1073,9 @@ extension SchemasClient { /// /// Describes the registry. /// - /// - Parameter DescribeRegistryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRegistryInput`) /// - /// - Returns: `DescribeRegistryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRegistryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1122,7 +1111,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRegistryOutput.httpOutput(from:), DescribeRegistryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1154,9 +1142,9 @@ extension SchemasClient { /// /// Retrieve the schema definition. /// - /// - Parameter DescribeSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSchemaInput`) /// - /// - Returns: `DescribeSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1193,7 +1181,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeSchemaInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSchemaOutput.httpOutput(from:), DescribeSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1224,9 +1211,9 @@ extension SchemasClient { /// Performs the `ExportSchema` operation on the `Schemas` service. /// /// - /// - Parameter ExportSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportSchemaInput`) /// - /// - Returns: `ExportSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1264,7 +1251,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ExportSchemaInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportSchemaOutput.httpOutput(from:), ExportSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1296,9 +1282,9 @@ extension SchemasClient { /// /// Get the code binding source URI. /// - /// - Parameter GetCodeBindingSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCodeBindingSourceInput`) /// - /// - Returns: `GetCodeBindingSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCodeBindingSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1335,7 +1321,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCodeBindingSourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCodeBindingSourceOutput.httpOutput(from:), GetCodeBindingSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1367,9 +1352,9 @@ extension SchemasClient { /// /// Get the discovered schema that was generated based on sampled events. /// - /// - Parameter GetDiscoveredSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDiscoveredSchemaInput`) /// - /// - Returns: `GetDiscoveredSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDiscoveredSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1407,7 +1392,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDiscoveredSchemaOutput.httpOutput(from:), GetDiscoveredSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1439,9 +1423,9 @@ extension SchemasClient { /// /// Retrieves the resource-based policy attached to a given registry. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1478,7 +1462,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResourcePolicyInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1510,9 +1493,9 @@ extension SchemasClient { /// /// List the discoverers. /// - /// - Parameter ListDiscoverersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDiscoverersInput`) /// - /// - Returns: `ListDiscoverersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDiscoverersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1548,7 +1531,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDiscoverersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDiscoverersOutput.httpOutput(from:), ListDiscoverersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1580,9 +1562,9 @@ extension SchemasClient { /// /// List the registries. /// - /// - Parameter ListRegistriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegistriesInput`) /// - /// - Returns: `ListRegistriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegistriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1618,7 +1600,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRegistriesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegistriesOutput.httpOutput(from:), ListRegistriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1650,9 +1631,9 @@ extension SchemasClient { /// /// Provides a list of the schema versions and related information. /// - /// - Parameter ListSchemaVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchemaVersionsInput`) /// - /// - Returns: `ListSchemaVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchemaVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1689,7 +1670,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSchemaVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchemaVersionsOutput.httpOutput(from:), ListSchemaVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1721,9 +1701,9 @@ extension SchemasClient { /// /// List the schemas. /// - /// - Parameter ListSchemasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSchemasInput`) /// - /// - Returns: `ListSchemasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSchemasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1759,7 +1739,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSchemasInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSchemasOutput.httpOutput(from:), ListSchemasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1791,9 +1770,9 @@ extension SchemasClient { /// /// Get tags for resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1827,7 +1806,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1859,9 +1837,9 @@ extension SchemasClient { /// /// Put code binding URI /// - /// - Parameter PutCodeBindingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutCodeBindingInput`) /// - /// - Returns: `PutCodeBindingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutCodeBindingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1899,7 +1877,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(PutCodeBindingInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutCodeBindingOutput.httpOutput(from:), PutCodeBindingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1931,9 +1908,9 @@ extension SchemasClient { /// /// The name of the policy. /// - /// - Parameter PutResourcePolicyInput : The name of the policy. + /// - Parameter input: The name of the policy. (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1974,7 +1951,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2006,9 +1982,9 @@ extension SchemasClient { /// /// Search the schemas /// - /// - Parameter SearchSchemasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchSchemasInput`) /// - /// - Returns: `SearchSchemasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchSchemasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2044,7 +2020,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(SearchSchemasInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchSchemasOutput.httpOutput(from:), SearchSchemasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2076,9 +2051,9 @@ extension SchemasClient { /// /// Starts the discoverer /// - /// - Parameter StartDiscovererInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDiscovererInput`) /// - /// - Returns: `StartDiscovererOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDiscovererOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2114,7 +2089,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDiscovererOutput.httpOutput(from:), StartDiscovererOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2146,9 +2120,9 @@ extension SchemasClient { /// /// Stops the discoverer /// - /// - Parameter StopDiscovererInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopDiscovererInput`) /// - /// - Returns: `StopDiscovererOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopDiscovererOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2184,7 +2158,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopDiscovererOutput.httpOutput(from:), StopDiscovererOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2216,9 +2189,9 @@ extension SchemasClient { /// /// Add tags to a resource. /// - /// - Parameter TagResourceInput : + /// - Parameter input: (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2255,7 +2228,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2287,9 +2259,9 @@ extension SchemasClient { /// /// Removes tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2324,7 +2296,6 @@ extension SchemasClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2356,9 +2327,9 @@ extension SchemasClient { /// /// Updates the discoverer /// - /// - Parameter UpdateDiscovererInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDiscovererInput`) /// - /// - Returns: `UpdateDiscovererOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDiscovererOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2397,7 +2368,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDiscovererOutput.httpOutput(from:), UpdateDiscovererOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2429,9 +2399,9 @@ extension SchemasClient { /// /// Updates a registry. /// - /// - Parameter UpdateRegistryInput : Updates the registry. + /// - Parameter input: Updates the registry. (Type: `UpdateRegistryInput`) /// - /// - Returns: `UpdateRegistryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRegistryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2470,7 +2440,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRegistryOutput.httpOutput(from:), UpdateRegistryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2502,9 +2471,9 @@ extension SchemasClient { /// /// Updates the schema definition Inactive schemas will be deleted after two years. /// - /// - Parameter UpdateSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSchemaInput`) /// - /// - Returns: `UpdateSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2543,7 +2512,6 @@ extension SchemasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSchemaOutput.httpOutput(from:), UpdateSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSecretsManager/Sources/AWSSecretsManager/SecretsManagerClient.swift b/Sources/Services/AWSSecretsManager/Sources/AWSSecretsManager/SecretsManagerClient.swift index e27ac443fd6..cb4c00f2181 100644 --- a/Sources/Services/AWSSecretsManager/Sources/AWSSecretsManager/SecretsManagerClient.swift +++ b/Sources/Services/AWSSecretsManager/Sources/AWSSecretsManager/SecretsManagerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SecretsManagerClient: ClientRuntime.Client { public static let clientName = "SecretsManagerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SecretsManagerClient.SecretsManagerClientConfiguration let serviceName = "Secrets Manager" @@ -375,9 +374,9 @@ extension SecretsManagerClient { /// /// Retrieves the contents of the encrypted fields SecretString or SecretBinary for up to 20 secrets. To retrieve a single secret, call [GetSecretValue]. To choose which secrets to retrieve, you can specify a list of secrets by name or ARN, or you can use filters. If Secrets Manager encounters errors such as AccessDeniedException while attempting to retrieve any of the secrets, you can see the errors in Errors in the response. Secrets Manager generates CloudTrail GetSecretValue log entries for each secret you request when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:BatchGetSecretValue, and you must have secretsmanager:GetSecretValue for each secret. If you use filters, you must also have secretsmanager:ListSecrets. If the secrets are encrypted using customer-managed keys instead of the Amazon Web Services managed key aws/secretsmanager, then you also need kms:Decrypt permissions for the keys. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter BatchGetSecretValueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetSecretValueInput`) /// - /// - Returns: `BatchGetSecretValueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetSecretValueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -420,7 +419,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetSecretValueOutput.httpOutput(from:), BatchGetSecretValueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -455,9 +453,9 @@ extension SecretsManagerClient { /// /// Turns off automatic rotation, and if a rotation is currently in progress, cancels the rotation. If you cancel a rotation in progress, it can leave the VersionStage labels in an unexpected state. You might need to remove the staging label AWSPENDING from the partially created version. You also need to determine whether to roll back to the previous version of the secret by moving the staging label AWSCURRENT to the version that has AWSPENDING. To determine which version has a specific staging label, call [ListSecretVersionIds]. Then use [UpdateSecretVersionStage] to change staging labels. For more information, see [How rotation works](https://docs.aws.amazon.com/secretsmanager/latest/userguide/rotate-secrets_how.html). To turn on automatic rotation again, call [RotateSecret]. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:CancelRotateSecret. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter CancelRotateSecretInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelRotateSecretInput`) /// - /// - Returns: `CancelRotateSecretOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelRotateSecretOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -498,7 +496,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelRotateSecretOutput.httpOutput(from:), CancelRotateSecretOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -533,9 +530,9 @@ extension SecretsManagerClient { /// /// Creates a new secret. A secret can be a password, a set of credentials such as a user name and password, an OAuth token, or other secret information that you store in an encrypted form in Secrets Manager. The secret also includes the connection information to access a database or other service, which Secrets Manager doesn't encrypt. A secret in Secrets Manager consists of both the protected secret data and the important information needed to manage the secret. For secrets that use managed rotation, you need to create the secret through the managing service. For more information, see [Secrets Manager secrets managed by other Amazon Web Services services](https://docs.aws.amazon.com/secretsmanager/latest/userguide/service-linked-secrets.html). For information about creating a secret in the console, see [Create a secret](https://docs.aws.amazon.com/secretsmanager/latest/userguide/manage_create-basic-secret.html). To create a secret, you can provide the secret value to be encrypted in either the SecretString parameter or the SecretBinary parameter, but not both. If you include SecretString or SecretBinary then Secrets Manager creates an initial secret version and automatically attaches the staging label AWSCURRENT to it. For database credentials you want to rotate, for Secrets Manager to be able to rotate the secret, you must make sure the JSON you store in the SecretString matches the [JSON structure of a database secret](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_secret_json_structure.html). If you don't specify an KMS encryption key, Secrets Manager uses the Amazon Web Services managed key aws/secretsmanager. If this key doesn't already exist in your account, then Secrets Manager creates it for you automatically. All users and roles in the Amazon Web Services account automatically have access to use aws/secretsmanager. Creating aws/secretsmanager can result in a one-time significant delay in returning the result. If the secret is in a different Amazon Web Services account from the credentials calling the API, then you can't use aws/secretsmanager to encrypt the secret, and you must create and use a customer managed KMS key. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters except SecretBinary or SecretString because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:CreateSecret. If you include tags in the secret, you also need secretsmanager:TagResource. To add replica Regions, you must also have secretsmanager:ReplicateSecretToRegions. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). To encrypt the secret with a KMS key other than aws/secretsmanager, you need kms:GenerateDataKey and kms:Decrypt permission to the key. When you enter commands in a command shell, there is a risk of the command history being accessed or utilities having access to your command parameters. This is a concern if the command includes the value of a secret. Learn how to [Mitigate the risks of using command-line tools to store Secrets Manager secrets](https://docs.aws.amazon.com/secretsmanager/latest/userguide/security_cli-exposure-risks.html). /// - /// - Parameter CreateSecretInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSecretInput`) /// - /// - Returns: `CreateSecretOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSecretOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -583,7 +580,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSecretOutput.httpOutput(from:), CreateSecretOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -618,9 +614,9 @@ extension SecretsManagerClient { /// /// Deletes the resource-based permission policy attached to the secret. To attach a policy to a secret, use [PutResourcePolicy]. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:DeleteResourcePolicy. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -661,7 +657,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -696,9 +691,9 @@ extension SecretsManagerClient { /// /// Deletes a secret and all of its versions. You can specify a recovery window during which you can restore the secret. The minimum recovery window is 7 days. The default recovery window is 30 days. Secrets Manager attaches a DeletionDate stamp to the secret that specifies the end of the recovery window. At the end of the recovery window, Secrets Manager deletes the secret permanently. You can't delete a primary secret that is replicated to other Regions. You must first delete the replicas using [RemoveRegionsFromReplication], and then delete the primary secret. When you delete a replica, it is deleted immediately. You can't directly delete a version of a secret. Instead, you remove all staging labels from the version using [UpdateSecretVersionStage]. This marks the version as deprecated, and then Secrets Manager can automatically delete the version in the background. To determine whether an application still uses a secret, you can create an Amazon CloudWatch alarm to alert you to any attempts to access a secret during the recovery window. For more information, see [ Monitor secrets scheduled for deletion](https://docs.aws.amazon.com/secretsmanager/latest/userguide/monitoring_cloudwatch_deleted-secrets.html). Secrets Manager performs the permanent secret deletion at the end of the waiting period as a background task with low priority. There is no guarantee of a specific time after the recovery window for the permanent delete to occur. At any time before recovery window ends, you can use [RestoreSecret] to remove the DeletionDate and cancel the deletion of the secret. When a secret is scheduled for deletion, you cannot retrieve the secret value. You must first cancel the deletion with [RestoreSecret] and then you can retrieve the secret. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:DeleteSecret. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter DeleteSecretInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSecretInput`) /// - /// - Returns: `DeleteSecretOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSecretOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -739,7 +734,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSecretOutput.httpOutput(from:), DeleteSecretOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -774,9 +768,9 @@ extension SecretsManagerClient { /// /// Retrieves the details of a secret. It does not include the encrypted secret value. Secrets Manager only returns fields that have a value in the response. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:DescribeSecret. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter DescribeSecretInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecretInput`) /// - /// - Returns: `DescribeSecretOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecretOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -810,7 +804,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecretOutput.httpOutput(from:), DescribeSecretOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -845,9 +838,9 @@ extension SecretsManagerClient { /// /// Generates a random password. We recommend that you specify the maximum length and include every character type that the system you are generating a password for can support. By default, Secrets Manager uses uppercase and lowercase letters, numbers, and the following characters in passwords: !\"#$%&'()*+,-./:;<=>?@[\\]^_`{|}~ Secrets Manager generates a CloudTrail log entry when you call this action. Required permissions: secretsmanager:GetRandomPassword. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter GetRandomPasswordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRandomPasswordInput`) /// - /// - Returns: `GetRandomPasswordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRandomPasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -887,7 +880,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRandomPasswordOutput.httpOutput(from:), GetRandomPasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -922,9 +914,9 @@ extension SecretsManagerClient { /// /// Retrieves the JSON text of the resource-based policy document attached to the secret. For more information about permissions policies attached to a secret, see [Permissions policies attached to a secret](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access_resource-policies.html). Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:GetResourcePolicy. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -965,7 +957,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1000,9 +991,9 @@ extension SecretsManagerClient { /// /// Retrieves the contents of the encrypted fields SecretString or SecretBinary from the specified version of a secret, whichever contains content. To retrieve the values for a group of secrets, call [BatchGetSecretValue]. We recommend that you cache your secret values by using client-side caching. Caching secrets improves speed and reduces your costs. For more information, see [Cache secrets for your applications](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieving-secrets.html). To retrieve the previous version of a secret, use VersionStage and specify AWSPREVIOUS. To revert to the previous version of a secret, call [UpdateSecretVersionStage](https://docs.aws.amazon.com/cli/latest/reference/secretsmanager/update-secret-version-stage.html). Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:GetSecretValue. If the secret is encrypted using a customer-managed key instead of the Amazon Web Services managed key aws/secretsmanager, then you also need kms:Decrypt permissions for that key. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter GetSecretValueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSecretValueInput`) /// - /// - Returns: `GetSecretValueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSecretValueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1044,7 +1035,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSecretValueOutput.httpOutput(from:), GetSecretValueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1079,9 +1069,9 @@ extension SecretsManagerClient { /// /// Lists the versions of a secret. Secrets Manager uses staging labels to indicate the different versions of a secret. For more information, see [ Secrets Manager concepts: Versions](https://docs.aws.amazon.com/secretsmanager/latest/userguide/getting-started.html#term_version). To list the secrets in the account, use [ListSecrets]. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:ListSecretVersionIds. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter ListSecretVersionIdsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecretVersionIdsInput`) /// - /// - Returns: `ListSecretVersionIdsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecretVersionIdsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1116,7 +1106,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecretVersionIdsOutput.httpOutput(from:), ListSecretVersionIdsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1151,9 +1140,9 @@ extension SecretsManagerClient { /// /// Lists the secrets that are stored by Secrets Manager in the Amazon Web Services account, not including secrets that are marked for deletion. To see secrets marked for deletion, use the Secrets Manager console. All Secrets Manager operations are eventually consistent. ListSecrets might not reflect changes from the last five minutes. You can get more recent information for a specific secret by calling [DescribeSecret]. To list the versions of a secret, use [ListSecretVersionIds]. To retrieve the values for the secrets, call [BatchGetSecretValue] or [GetSecretValue]. For information about finding secrets in the console, see [Find secrets in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/manage_search-secret.html). Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:ListSecrets. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter ListSecretsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecretsInput`) /// - /// - Returns: `ListSecretsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecretsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1194,7 +1183,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecretsOutput.httpOutput(from:), ListSecretsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1229,9 +1217,9 @@ extension SecretsManagerClient { /// /// Attaches a resource-based permission policy to a secret. A resource-based policy is optional. For more information, see [Authentication and access control for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html) For information about attaching a policy in the console, see [Attach a permissions policy to a secret](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access_resource-based-policies.html). Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:PutResourcePolicy. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1274,7 +1262,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1309,9 +1296,9 @@ extension SecretsManagerClient { /// /// Creates a new version with a new encrypted secret value and attaches it to the secret. The version can contain a new SecretString value or a new SecretBinary value. We recommend you avoid calling PutSecretValue at a sustained rate of more than once every 10 minutes. When you update the secret value, Secrets Manager creates a new version of the secret. Secrets Manager removes outdated versions when there are more than 100, but it does not remove versions created less than 24 hours ago. If you call PutSecretValue more than once every 10 minutes, you create more versions than Secrets Manager removes, and you will reach the quota for secret versions. You can specify the staging labels to attach to the new version in VersionStages. If you don't include VersionStages, then Secrets Manager automatically moves the staging label AWSCURRENT to this version. If this operation creates the first version for the secret, then Secrets Manager automatically attaches the staging label AWSCURRENT to it. If this operation moves the staging label AWSCURRENT from another version to this version, then Secrets Manager also automatically moves the staging label AWSPREVIOUS to the version that AWSCURRENT was removed from. This operation is idempotent. If you call this operation with a ClientRequestToken that matches an existing version's VersionId, and you specify the same secret data, the operation succeeds but does nothing. However, if the secret data is different, then the operation fails because you can't modify an existing version; you can only create new ones. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters except SecretBinary, SecretString, or RotationToken because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:PutSecretValue. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). When you enter commands in a command shell, there is a risk of the command history being accessed or utilities having access to your command parameters. This is a concern if the command includes the value of a secret. Learn how to [Mitigate the risks of using command-line tools to store Secrets Manager secrets](https://docs.aws.amazon.com/secretsmanager/latest/userguide/security_cli-exposure-risks.html). /// - /// - Parameter PutSecretValueInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSecretValueInput`) /// - /// - Returns: `PutSecretValueOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSecretValueOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1357,7 +1344,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSecretValueOutput.httpOutput(from:), PutSecretValueOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1392,9 +1378,9 @@ extension SecretsManagerClient { /// /// For a secret that is replicated to other Regions, deletes the secret replicas from the Regions you specify. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:RemoveRegionsFromReplication. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter RemoveRegionsFromReplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveRegionsFromReplicationInput`) /// - /// - Returns: `RemoveRegionsFromReplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveRegionsFromReplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1435,7 +1421,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveRegionsFromReplicationOutput.httpOutput(from:), RemoveRegionsFromReplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1470,9 +1455,9 @@ extension SecretsManagerClient { /// /// Replicates the secret to a new Regions. See [Multi-Region secrets](https://docs.aws.amazon.com/secretsmanager/latest/userguide/create-manage-multi-region-secrets.html). Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:ReplicateSecretToRegions. If the primary secret is encrypted with a KMS key other than aws/secretsmanager, you also need kms:Decrypt permission to the key. To encrypt the replicated secret with a KMS key other than aws/secretsmanager, you need kms:GenerateDataKey and kms:Encrypt to the key. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter ReplicateSecretToRegionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ReplicateSecretToRegionsInput`) /// - /// - Returns: `ReplicateSecretToRegionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ReplicateSecretToRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1513,7 +1498,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ReplicateSecretToRegionsOutput.httpOutput(from:), ReplicateSecretToRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1548,9 +1532,9 @@ extension SecretsManagerClient { /// /// Cancels the scheduled deletion of a secret by removing the DeletedDate time stamp. You can access a secret again after it has been restored. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:RestoreSecret. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter RestoreSecretInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreSecretInput`) /// - /// - Returns: `RestoreSecretOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreSecretOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1591,7 +1575,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreSecretOutput.httpOutput(from:), RestoreSecretOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1626,9 +1609,9 @@ extension SecretsManagerClient { /// /// Configures and starts the asynchronous process of rotating the secret. For information about rotation, see [Rotate secrets](https://docs.aws.amazon.com/secretsmanager/latest/userguide/rotating-secrets.html) in the Secrets Manager User Guide. If you include the configuration parameters, the operation sets the values for the secret and then immediately starts a rotation. If you don't include the configuration parameters, the operation starts a rotation with the values already stored in the secret. When rotation is successful, the AWSPENDING staging label might be attached to the same version as the AWSCURRENT version, or it might not be attached to any version. If the AWSPENDING staging label is present but not attached to the same version as AWSCURRENT, then any later invocation of RotateSecret assumes that a previous rotation request is still in progress and returns an error. When rotation is unsuccessful, the AWSPENDING staging label might be attached to an empty secret version. For more information, see [Troubleshoot rotation](https://docs.aws.amazon.com/secretsmanager/latest/userguide/troubleshoot_rotation.html) in the Secrets Manager User Guide. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:RotateSecret. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). You also need lambda:InvokeFunction permissions on the rotation function. For more information, see [ Permissions for rotation](https://docs.aws.amazon.com/secretsmanager/latest/userguide/rotating-secrets-required-permissions-function.html). /// - /// - Parameter RotateSecretInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RotateSecretInput`) /// - /// - Returns: `RotateSecretOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RotateSecretOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1670,7 +1653,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RotateSecretOutput.httpOutput(from:), RotateSecretOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1705,9 +1687,9 @@ extension SecretsManagerClient { /// /// Removes the link between the replica secret and the primary secret and promotes the replica to a primary secret in the replica Region. You must call this operation from the Region in which you want to promote the replica to a primary secret. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:StopReplicationToReplica. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter StopReplicationToReplicaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopReplicationToReplicaInput`) /// - /// - Returns: `StopReplicationToReplicaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopReplicationToReplicaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1748,7 +1730,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopReplicationToReplicaOutput.httpOutput(from:), StopReplicationToReplicaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1783,9 +1764,9 @@ extension SecretsManagerClient { /// /// Attaches tags to a secret. Tags consist of a key name and a value. Tags are part of the secret's metadata. They are not associated with specific versions of the secret. This operation appends tags to the existing list of tags. For tag quotas and naming restrictions, see [Service quotas for Tagging](https://docs.aws.amazon.com/general/latest/gr/arg.html#taged-reference-quotas) in the Amazon Web Services General Reference guide. If you use tags as part of your security strategy, then adding or removing a tag can change permissions. If successfully completing this operation would result in you losing your permissions for this secret, then the operation is blocked and returns an Access Denied error. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:TagResource. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1826,7 +1807,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1861,9 +1841,9 @@ extension SecretsManagerClient { /// /// Removes specific tags from a secret. This operation is idempotent. If a requested tag is not attached to the secret, no error is returned and the secret metadata is unchanged. If you use tags as part of your security strategy, then removing a tag can change permissions. If successfully completing this operation would result in you losing your permissions for this secret, then the operation is blocked and returns an Access Denied error. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:UntagResource. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1904,7 +1884,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1939,9 +1918,9 @@ extension SecretsManagerClient { /// /// Modifies the details of a secret, including metadata and the secret value. To change the secret value, you can also use [PutSecretValue]. To change the rotation configuration of a secret, use [RotateSecret] instead. To change a secret so that it is managed by another service, you need to recreate the secret in that service. See [Secrets Manager secrets managed by other Amazon Web Services services](https://docs.aws.amazon.com/secretsmanager/latest/userguide/service-linked-secrets.html). We recommend you avoid calling UpdateSecret at a sustained rate of more than once every 10 minutes. When you call UpdateSecret to update the secret value, Secrets Manager creates a new version of the secret. Secrets Manager removes outdated versions when there are more than 100, but it does not remove versions created less than 24 hours ago. If you update the secret value more than once every 10 minutes, you create more versions than Secrets Manager removes, and you will reach the quota for secret versions. If you include SecretString or SecretBinary to create a new secret version, Secrets Manager automatically moves the staging label AWSCURRENT to the new version. Then it attaches the label AWSPREVIOUS to the version that AWSCURRENT was removed from. If you call this operation with a ClientRequestToken that matches an existing version's VersionId, the operation results in an error. You can't modify an existing version, you can only create a new version. To remove a version, remove all staging labels from it. See [UpdateSecretVersionStage]. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters except SecretBinary or SecretString because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:UpdateSecret. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). If you use a customer managed key, you must also have kms:GenerateDataKey, kms:Encrypt, and kms:Decrypt permissions on the key. If you change the KMS key and you don't have kms:Encrypt permission to the new key, Secrets Manager does not re-encrypt existing secret versions with the new key. For more information, see [ Secret encryption and decryption](https://docs.aws.amazon.com/secretsmanager/latest/userguide/security-encryption.html). When you enter commands in a command shell, there is a risk of the command history being accessed or utilities having access to your command parameters. This is a concern if the command includes the value of a secret. Learn how to [Mitigate the risks of using command-line tools to store Secrets Manager secrets](https://docs.aws.amazon.com/secretsmanager/latest/userguide/security_cli-exposure-risks.html). /// - /// - Parameter UpdateSecretInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecretInput`) /// - /// - Returns: `UpdateSecretOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecretOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1989,7 +1968,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecretOutput.httpOutput(from:), UpdateSecretOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2024,9 +2002,9 @@ extension SecretsManagerClient { /// /// Modifies the staging labels attached to a version of a secret. Secrets Manager uses staging labels to track a version as it progresses through the secret rotation process. Each staging label can be attached to only one version at a time. To add a staging label to a version when it is already attached to another version, Secrets Manager first removes it from the other version first and then attaches it to this one. For more information about versions and staging labels, see [Concepts: Version](https://docs.aws.amazon.com/secretsmanager/latest/userguide/getting-started.html#term_version). The staging labels that you specify in the VersionStage parameter are added to the existing list of staging labels for the version. You can move the AWSCURRENT staging label to this version by including it in this call. Whenever you move AWSCURRENT, Secrets Manager automatically moves the label AWSPREVIOUS to the version that AWSCURRENT was removed from. If this action results in the last label being removed from a version, then the version is considered to be 'deprecated' and can be deleted by Secrets Manager. Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:UpdateSecretVersionStage. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter UpdateSecretVersionStageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecretVersionStageInput`) /// - /// - Returns: `UpdateSecretVersionStageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecretVersionStageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2068,7 +2046,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecretVersionStageOutput.httpOutput(from:), UpdateSecretVersionStageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2112,9 +2089,9 @@ extension SecretsManagerClient { /// /// Secrets Manager generates a CloudTrail log entry when you call this action. Do not include sensitive information in request parameters because it might be logged. For more information, see [Logging Secrets Manager events with CloudTrail](https://docs.aws.amazon.com/secretsmanager/latest/userguide/retrieve-ct-entries.html). Required permissions: secretsmanager:ValidateResourcePolicy and secretsmanager:PutResourcePolicy. For more information, see [ IAM policy actions for Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/reference_iam-permissions.html#reference_iam-permissions_actions) and [Authentication and access control in Secrets Manager](https://docs.aws.amazon.com/secretsmanager/latest/userguide/auth-and-access.html). /// - /// - Parameter ValidateResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidateResourcePolicyInput`) /// - /// - Returns: `ValidateResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidateResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2156,7 +2133,6 @@ extension SecretsManagerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateResourcePolicyOutput.httpOutput(from:), ValidateResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSecurityHub/Sources/AWSSecurityHub/SecurityHubClient.swift b/Sources/Services/AWSSecurityHub/Sources/AWSSecurityHub/SecurityHubClient.swift index 27197adf5ea..a210047d1ef 100644 --- a/Sources/Services/AWSSecurityHub/Sources/AWSSecurityHub/SecurityHubClient.swift +++ b/Sources/Services/AWSSecurityHub/Sources/AWSSecurityHub/SecurityHubClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -70,7 +69,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SecurityHubClient: ClientRuntime.Client { public static let clientName = "SecurityHubClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SecurityHubClient.SecurityHubClientConfiguration let serviceName = "SecurityHub" @@ -376,9 +375,9 @@ extension SecurityHubClient { /// /// We recommend using Organizations instead of Security Hub invitations to manage your member accounts. For information, see [Managing Security Hub administrator and member accounts with Organizations](https://docs.aws.amazon.com/securityhub/latest/userguide/securityhub-accounts-orgs.html) in the Security Hub User Guide. Accepts the invitation to be a member account and be monitored by the Security Hub administrator account that the invitation was sent from. This operation is only used by member accounts that are not added through Organizations. When the member account accepts the invitation, permission is granted to the administrator account to view findings generated in the member account. /// - /// - Parameter AcceptAdministratorInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptAdministratorInvitationInput`) /// - /// - Returns: `AcceptAdministratorInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptAdministratorInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptAdministratorInvitationOutput.httpOutput(from:), AcceptAdministratorInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension SecurityHubClient { /// This method is deprecated. Instead, use AcceptAdministratorInvitation. The Security Hub console continues to use AcceptInvitation. It will eventually change to use AcceptAdministratorInvitation. Any IAM policies that specifically control access to this function must continue to use AcceptInvitation. You should also add AcceptAdministratorInvitation to your policies to ensure that the correct permissions are in place after the console begins to use AcceptAdministratorInvitation. Accepts the invitation to be a member account and be monitored by the Security Hub administrator account that the invitation was sent from. This operation is only used by member accounts that are not added through Organizations. When the member account accepts the invitation, permission is granted to the administrator account to view findings generated in the member account. @available(*, deprecated, message: "This API has been deprecated, use AcceptAdministratorInvitation API instead.") /// - /// - Parameter AcceptInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptInvitationInput`) /// - /// - Returns: `AcceptInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptInvitationOutput.httpOutput(from:), AcceptInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension SecurityHubClient { /// /// Deletes one or more automation rules. /// - /// - Parameter BatchDeleteAutomationRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteAutomationRulesInput`) /// - /// - Returns: `BatchDeleteAutomationRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteAutomationRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteAutomationRulesOutput.httpOutput(from:), BatchDeleteAutomationRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension SecurityHubClient { /// /// Disables the standards specified by the provided StandardsSubscriptionArns. For more information, see [Security Standards](https://docs.aws.amazon.com/securityhub/latest/userguide/securityhub-standards.html) section of the Security Hub User Guide. /// - /// - Parameter BatchDisableStandardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisableStandardsInput`) /// - /// - Returns: `BatchDisableStandardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisableStandardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisableStandardsOutput.httpOutput(from:), BatchDisableStandardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension SecurityHubClient { /// /// Enables the standards specified by the provided StandardsArn. To obtain the ARN for a standard, use the DescribeStandards operation. For more information, see the [Security Standards](https://docs.aws.amazon.com/securityhub/latest/userguide/securityhub-standards.html) section of the Security Hub User Guide. /// - /// - Parameter BatchEnableStandardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchEnableStandardsInput`) /// - /// - Returns: `BatchEnableStandardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchEnableStandardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchEnableStandardsOutput.httpOutput(from:), BatchEnableStandardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -737,9 +731,9 @@ extension SecurityHubClient { /// /// Retrieves a list of details for automation rules based on rule Amazon Resource Names (ARNs). /// - /// - Parameter BatchGetAutomationRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetAutomationRulesInput`) /// - /// - Returns: `BatchGetAutomationRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetAutomationRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -778,7 +772,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetAutomationRulesOutput.httpOutput(from:), BatchGetAutomationRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -810,9 +803,9 @@ extension SecurityHubClient { /// /// Returns associations between an Security Hub configuration and a batch of target accounts, organizational units, or the root. Only the Security Hub delegated administrator can invoke this operation from the home Region. A configuration can refer to a configuration policy or to a self-managed configuration. /// - /// - Parameter BatchGetConfigurationPolicyAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetConfigurationPolicyAssociationsInput`) /// - /// - Returns: `BatchGetConfigurationPolicyAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetConfigurationPolicyAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -851,7 +844,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetConfigurationPolicyAssociationsOutput.httpOutput(from:), BatchGetConfigurationPolicyAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -883,9 +875,9 @@ extension SecurityHubClient { /// /// Provides details about a batch of security controls for the current Amazon Web Services account and Amazon Web Services Region. /// - /// - Parameter BatchGetSecurityControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetSecurityControlsInput`) /// - /// - Returns: `BatchGetSecurityControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetSecurityControlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -922,7 +914,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetSecurityControlsOutput.httpOutput(from:), BatchGetSecurityControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -954,9 +945,9 @@ extension SecurityHubClient { /// /// For a batch of security controls and standards, identifies whether each control is currently enabled or disabled in a standard. Calls to this operation return a RESOURCE_NOT_FOUND_EXCEPTION error when the standard subscription for the association has a NOT_READY_FOR_UPDATES value for StandardsControlsUpdatable. /// - /// - Parameter BatchGetStandardsControlAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetStandardsControlAssociationsInput`) /// - /// - Returns: `BatchGetStandardsControlAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetStandardsControlAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -993,7 +984,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetStandardsControlAssociationsOutput.httpOutput(from:), BatchGetStandardsControlAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1056,9 +1046,9 @@ extension SecurityHubClient { /// /// Instead, finding providers use FindingProviderFields to provide values for these attributes. /// - /// - Parameter BatchImportFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchImportFindingsInput`) /// - /// - Returns: `BatchImportFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchImportFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1095,7 +1085,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchImportFindingsOutput.httpOutput(from:), BatchImportFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1127,9 +1116,9 @@ extension SecurityHubClient { /// /// Updates one or more automation rules based on rule Amazon Resource Names (ARNs) and input parameters. /// - /// - Parameter BatchUpdateAutomationRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateAutomationRulesInput`) /// - /// - Returns: `BatchUpdateAutomationRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateAutomationRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1167,7 +1156,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateAutomationRulesOutput.httpOutput(from:), BatchUpdateAutomationRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1220,9 +1208,9 @@ extension SecurityHubClient { /// /// If you use this operation to update a finding, your updates don’t affect the value for the UpdatedAt field of the finding. Also note that it can take several minutes for Security Hub to process your request and update each finding specified in the request. You can configure IAM policies to restrict access to fields and field values. For example, you might not want member accounts to be able to suppress findings or change the finding severity. For more information see [Configuring access to BatchUpdateFindings](https://docs.aws.amazon.com/securityhub/latest/userguide/finding-update-batchupdatefindings.html#batchupdatefindings-configure-access) in the Security Hub User Guide. /// - /// - Parameter BatchUpdateFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateFindingsInput`) /// - /// - Returns: `BatchUpdateFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1259,7 +1247,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateFindingsOutput.httpOutput(from:), BatchUpdateFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1291,9 +1278,9 @@ extension SecurityHubClient { /// /// Used by customers to update information about their investigation into a finding. Requested by delegated administrator accounts or member accounts. Delegated administrator accounts can update findings for their account and their member accounts. Member accounts can update findings for their account. BatchUpdateFindings and BatchUpdateFindingV2 both use securityhub:BatchUpdateFindings in the Action element of an IAM policy statement. You must have permission to perform the securityhub:BatchUpdateFindings action. Updates from BatchUpdateFindingsV2 don't affect the value of finding_info.modified_time, finding_info.modified_time_dt, time, time_dt for a finding. This API is in private preview and subject to change. /// - /// - Parameter BatchUpdateFindingsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateFindingsV2Input`) /// - /// - Returns: `BatchUpdateFindingsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateFindingsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1331,7 +1318,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateFindingsV2Output.httpOutput(from:), BatchUpdateFindingsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1363,9 +1349,9 @@ extension SecurityHubClient { /// /// For a batch of security controls and standards, this operation updates the enablement status of a control in a standard. /// - /// - Parameter BatchUpdateStandardsControlAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateStandardsControlAssociationsInput`) /// - /// - Returns: `BatchUpdateStandardsControlAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateStandardsControlAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1403,7 +1389,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateStandardsControlAssociationsOutput.httpOutput(from:), BatchUpdateStandardsControlAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1435,9 +1420,9 @@ extension SecurityHubClient { /// /// Grants permission to complete the authorization based on input parameters. This API is in preview release and subject to change. /// - /// - Parameter ConnectorRegistrationsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ConnectorRegistrationsV2Input`) /// - /// - Returns: `ConnectorRegistrationsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ConnectorRegistrationsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1476,7 +1461,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ConnectorRegistrationsV2Output.httpOutput(from:), ConnectorRegistrationsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1508,9 +1492,9 @@ extension SecurityHubClient { /// /// Creates a custom action target in Security Hub. You can use custom actions on findings and insights in Security Hub to trigger target actions in Amazon CloudWatch Events. /// - /// - Parameter CreateActionTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateActionTargetInput`) /// - /// - Returns: `CreateActionTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateActionTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1548,7 +1532,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateActionTargetOutput.httpOutput(from:), CreateActionTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1580,9 +1563,9 @@ extension SecurityHubClient { /// /// Enables aggregation across Amazon Web Services Regions. This API is in private preview and subject to change. /// - /// - Parameter CreateAggregatorV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAggregatorV2Input`) /// - /// - Returns: `CreateAggregatorV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAggregatorV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1622,7 +1605,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAggregatorV2Output.httpOutput(from:), CreateAggregatorV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1654,9 +1636,9 @@ extension SecurityHubClient { /// /// Creates an automation rule based on input parameters. /// - /// - Parameter CreateAutomationRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAutomationRuleInput`) /// - /// - Returns: `CreateAutomationRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAutomationRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1694,7 +1676,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAutomationRuleOutput.httpOutput(from:), CreateAutomationRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1726,9 +1707,9 @@ extension SecurityHubClient { /// /// Creates a V2 automation rule. This API is in private preview and subject to change. /// - /// - Parameter CreateAutomationRuleV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAutomationRuleV2Input`) /// - /// - Returns: `CreateAutomationRuleV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAutomationRuleV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1767,7 +1748,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAutomationRuleV2Output.httpOutput(from:), CreateAutomationRuleV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1799,9 +1779,9 @@ extension SecurityHubClient { /// /// Creates a configuration policy with the defined configuration. Only the Security Hub delegated administrator can invoke this operation from the home Region. /// - /// - Parameter CreateConfigurationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConfigurationPolicyInput`) /// - /// - Returns: `CreateConfigurationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConfigurationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1840,7 +1820,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConfigurationPolicyOutput.httpOutput(from:), CreateConfigurationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1872,9 +1851,9 @@ extension SecurityHubClient { /// /// Grants permission to create a connectorV2 based on input parameters. This API is in preview release and subject to change. /// - /// - Parameter CreateConnectorV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectorV2Input`) /// - /// - Returns: `CreateConnectorV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectorV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1914,7 +1893,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectorV2Output.httpOutput(from:), CreateConnectorV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1946,9 +1924,9 @@ extension SecurityHubClient { /// /// The aggregation Region is now called the home Region. Used to enable cross-Region aggregation. This operation can be invoked from the home Region only. For information about how cross-Region aggregation works, see [Understanding cross-Region aggregation in Security Hub](https://docs.aws.amazon.com/securityhub/latest/userguide/finding-aggregation.html) in the Security Hub User Guide. /// - /// - Parameter CreateFindingAggregatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFindingAggregatorInput`) /// - /// - Returns: `CreateFindingAggregatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFindingAggregatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1986,7 +1964,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFindingAggregatorOutput.httpOutput(from:), CreateFindingAggregatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2018,9 +1995,9 @@ extension SecurityHubClient { /// /// Creates a custom insight in Security Hub. An insight is a consolidation of findings that relate to a security issue that requires attention or remediation. To group the related findings in the insight, use the GroupByAttribute. /// - /// - Parameter CreateInsightInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateInsightInput`) /// - /// - Returns: `CreateInsightOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateInsightOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2058,7 +2035,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInsightOutput.httpOutput(from:), CreateInsightOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2104,9 +2080,9 @@ extension SecurityHubClient { /// /// A permissions policy is added that permits the administrator account to view the findings generated in the member account. To remove the association between the administrator and member accounts, use the DisassociateFromMasterAccount or DisassociateMembers operation. /// - /// - Parameter CreateMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMembersInput`) /// - /// - Returns: `CreateMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2145,7 +2121,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMembersOutput.httpOutput(from:), CreateMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2177,9 +2152,9 @@ extension SecurityHubClient { /// /// Grants permission to create a ticket in the chosen ITSM based on finding information for the provided finding metadata UID. This API is in preview release and subject to change. /// - /// - Parameter CreateTicketV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTicketV2Input`) /// - /// - Returns: `CreateTicketV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTicketV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2219,7 +2194,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTicketV2Output.httpOutput(from:), CreateTicketV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2251,9 +2225,9 @@ extension SecurityHubClient { /// /// We recommend using Organizations instead of Security Hub invitations to manage your member accounts. For information, see [Managing Security Hub administrator and member accounts with Organizations](https://docs.aws.amazon.com/securityhub/latest/userguide/securityhub-accounts-orgs.html) in the Security Hub User Guide. Declines invitations to become a Security Hub member account. A prospective member account uses this operation to decline an invitation to become a member. Only member accounts that aren't part of an Amazon Web Services organization should use this operation. Organization accounts don't receive invitations. /// - /// - Parameter DeclineInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeclineInvitationsInput`) /// - /// - Returns: `DeclineInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeclineInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2290,7 +2264,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeclineInvitationsOutput.httpOutput(from:), DeclineInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2322,9 +2295,9 @@ extension SecurityHubClient { /// /// Deletes a custom action target from Security Hub. Deleting a custom action target does not affect any findings or insights that were already sent to Amazon CloudWatch Events using the custom action. /// - /// - Parameter DeleteActionTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteActionTargetInput`) /// - /// - Returns: `DeleteActionTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteActionTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2358,7 +2331,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteActionTargetOutput.httpOutput(from:), DeleteActionTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2390,9 +2362,9 @@ extension SecurityHubClient { /// /// Deletes the Aggregator V2. This API is in private preview and subject to change. /// - /// - Parameter DeleteAggregatorV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAggregatorV2Input`) /// - /// - Returns: `DeleteAggregatorV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAggregatorV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2428,7 +2400,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAggregatorV2Output.httpOutput(from:), DeleteAggregatorV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2460,9 +2431,9 @@ extension SecurityHubClient { /// /// Deletes a V2 automation rule. This API is in private preview and subject to change. /// - /// - Parameter DeleteAutomationRuleV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAutomationRuleV2Input`) /// - /// - Returns: `DeleteAutomationRuleV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAutomationRuleV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2498,7 +2469,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAutomationRuleV2Output.httpOutput(from:), DeleteAutomationRuleV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2530,9 +2500,9 @@ extension SecurityHubClient { /// /// Deletes a configuration policy. Only the Security Hub delegated administrator can invoke this operation from the home Region. For the deletion to succeed, you must first disassociate a configuration policy from target accounts, organizational units, or the root by invoking the StartConfigurationPolicyDisassociation operation. /// - /// - Parameter DeleteConfigurationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConfigurationPolicyInput`) /// - /// - Returns: `DeleteConfigurationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConfigurationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2569,7 +2539,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConfigurationPolicyOutput.httpOutput(from:), DeleteConfigurationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2601,9 +2570,9 @@ extension SecurityHubClient { /// /// Grants permission to delete a connectorV2. This API is in preview release and subject to change. /// - /// - Parameter DeleteConnectorV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectorV2Input`) /// - /// - Returns: `DeleteConnectorV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectorV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2639,7 +2608,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectorV2Output.httpOutput(from:), DeleteConnectorV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2671,9 +2639,9 @@ extension SecurityHubClient { /// /// The aggregation Region is now called the home Region. Deletes a finding aggregator. When you delete the finding aggregator, you stop cross-Region aggregation. Finding replication stops occurring from the linked Regions to the home Region. When you stop cross-Region aggregation, findings that were already replicated and sent to the home Region are still visible from the home Region. However, new findings and finding updates are no longer replicated and sent to the home Region. /// - /// - Parameter DeleteFindingAggregatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFindingAggregatorInput`) /// - /// - Returns: `DeleteFindingAggregatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFindingAggregatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2709,7 +2677,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFindingAggregatorOutput.httpOutput(from:), DeleteFindingAggregatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2741,9 +2708,9 @@ extension SecurityHubClient { /// /// Deletes the insight specified by the InsightArn. /// - /// - Parameter DeleteInsightInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInsightInput`) /// - /// - Returns: `DeleteInsightOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInsightOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2778,7 +2745,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInsightOutput.httpOutput(from:), DeleteInsightOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2810,9 +2776,9 @@ extension SecurityHubClient { /// /// We recommend using Organizations instead of Security Hub invitations to manage your member accounts. For information, see [Managing Security Hub administrator and member accounts with Organizations](https://docs.aws.amazon.com/securityhub/latest/userguide/securityhub-accounts-orgs.html) in the Security Hub User Guide. Deletes invitations to become a Security Hub member account. A Security Hub administrator account can use this operation to delete invitations sent to one or more prospective member accounts. This operation is only used to delete invitations that are sent to prospective member accounts that aren't part of an Amazon Web Services organization. Organization accounts don't receive invitations. /// - /// - Parameter DeleteInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteInvitationsInput`) /// - /// - Returns: `DeleteInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2850,7 +2816,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInvitationsOutput.httpOutput(from:), DeleteInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2882,9 +2847,9 @@ extension SecurityHubClient { /// /// Deletes the specified member accounts from Security Hub. You can invoke this API only to delete accounts that became members through invitation. You can't invoke this API to delete accounts that belong to an Organizations organization. /// - /// - Parameter DeleteMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMembersInput`) /// - /// - Returns: `DeleteMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2922,7 +2887,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMembersOutput.httpOutput(from:), DeleteMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2954,9 +2918,9 @@ extension SecurityHubClient { /// /// Returns a list of the custom action targets in Security Hub in your account. /// - /// - Parameter DescribeActionTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeActionTargetsInput`) /// - /// - Returns: `DescribeActionTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeActionTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2993,7 +2957,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeActionTargetsOutput.httpOutput(from:), DescribeActionTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3025,9 +2988,9 @@ extension SecurityHubClient { /// /// Returns details about the Hub resource in your account, including the HubArn and the time when you enabled Security Hub. /// - /// - Parameter DescribeHubInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHubInput`) /// - /// - Returns: `DescribeHubOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHubOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3063,7 +3026,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeHubInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHubOutput.httpOutput(from:), DescribeHubOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3095,9 +3057,9 @@ extension SecurityHubClient { /// /// Returns information about the way your organization is configured in Security Hub. Only the Security Hub administrator account can invoke this operation. /// - /// - Parameter DescribeOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationConfigurationInput`) /// - /// - Returns: `DescribeOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3131,7 +3093,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationConfigurationOutput.httpOutput(from:), DescribeOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3163,9 +3124,9 @@ extension SecurityHubClient { /// /// Returns information about product integrations in Security Hub. You can optionally provide an integration ARN. If you provide an integration ARN, then the results only include that integration. If you don't provide an integration ARN, then the results include all of the available product integrations. /// - /// - Parameter DescribeProductsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProductsInput`) /// - /// - Returns: `DescribeProductsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProductsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3200,7 +3161,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeProductsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProductsOutput.httpOutput(from:), DescribeProductsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3232,9 +3192,9 @@ extension SecurityHubClient { /// /// Gets information about the product integration. This API is in private preview and subject to change. /// - /// - Parameter DescribeProductsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProductsV2Input`) /// - /// - Returns: `DescribeProductsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProductsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3270,7 +3230,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeProductsV2Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProductsV2Output.httpOutput(from:), DescribeProductsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3302,9 +3261,9 @@ extension SecurityHubClient { /// /// Returns details about the service resource in your account. This API is in private preview and subject to change. /// - /// - Parameter DescribeSecurityHubV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecurityHubV2Input`) /// - /// - Returns: `DescribeSecurityHubV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecurityHubV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3338,7 +3297,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecurityHubV2Output.httpOutput(from:), DescribeSecurityHubV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3370,9 +3328,9 @@ extension SecurityHubClient { /// /// Returns a list of the available standards in Security Hub. For each standard, the results include the standard ARN, the name, and a description. /// - /// - Parameter DescribeStandardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStandardsInput`) /// - /// - Returns: `DescribeStandardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStandardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3406,7 +3364,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeStandardsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStandardsOutput.httpOutput(from:), DescribeStandardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3438,9 +3395,9 @@ extension SecurityHubClient { /// /// Returns a list of security standards controls. For each control, the results include information about whether it is currently enabled, the severity, and a link to remediation information. This operation returns an empty list for standard subscriptions where StandardsControlsUpdatable has value NOT_READY_FOR_UPDATES. /// - /// - Parameter DescribeStandardsControlsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeStandardsControlsInput`) /// - /// - Returns: `DescribeStandardsControlsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStandardsControlsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3475,7 +3432,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeStandardsControlsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStandardsControlsOutput.httpOutput(from:), DescribeStandardsControlsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3507,9 +3463,9 @@ extension SecurityHubClient { /// /// Disables the integration of the specified product with Security Hub. After the integration is disabled, findings from that product are no longer sent to Security Hub. /// - /// - Parameter DisableImportFindingsForProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableImportFindingsForProductInput`) /// - /// - Returns: `DisableImportFindingsForProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableImportFindingsForProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3544,7 +3500,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableImportFindingsForProductOutput.httpOutput(from:), DisableImportFindingsForProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3576,9 +3531,9 @@ extension SecurityHubClient { /// /// Disables a Security Hub administrator account. Can only be called by the organization management account. /// - /// - Parameter DisableOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableOrganizationAdminAccountInput`) /// - /// - Returns: `DisableOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3616,7 +3571,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableOrganizationAdminAccountOutput.httpOutput(from:), DisableOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3648,9 +3602,9 @@ extension SecurityHubClient { /// /// Disables Security Hub in your account only in the current Amazon Web Services Region. To disable Security Hub in all Regions, you must submit one request per Region where you have enabled Security Hub. You can't disable Security Hub in an account that is currently the Security Hub administrator. When you disable Security Hub, your existing findings and insights and any Security Hub configuration settings are deleted after 90 days and cannot be recovered. Any standards that were enabled are disabled, and your administrator and member account associations are removed. If you want to save your existing findings, you must export them before you disable Security Hub. /// - /// - Parameter DisableSecurityHubInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableSecurityHubInput`) /// - /// - Returns: `DisableSecurityHubOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableSecurityHubOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3685,7 +3639,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableSecurityHubOutput.httpOutput(from:), DisableSecurityHubOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3717,9 +3670,9 @@ extension SecurityHubClient { /// /// Disable the service for the current Amazon Web Services Region or specified Amazon Web Services Region. This API is in private preview and subject to change. /// - /// - Parameter DisableSecurityHubV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableSecurityHubV2Input`) /// - /// - Returns: `DisableSecurityHubV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableSecurityHubV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3753,7 +3706,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableSecurityHubV2Output.httpOutput(from:), DisableSecurityHubV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3785,9 +3737,9 @@ extension SecurityHubClient { /// /// Disassociates the current Security Hub member account from the associated administrator account. This operation is only used by accounts that are not part of an organization. For organization accounts, only the administrator account can disassociate a member account. /// - /// - Parameter DisassociateFromAdministratorAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFromAdministratorAccountInput`) /// - /// - Returns: `DisassociateFromAdministratorAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFromAdministratorAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3822,7 +3774,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFromAdministratorAccountOutput.httpOutput(from:), DisassociateFromAdministratorAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3855,9 +3806,9 @@ extension SecurityHubClient { /// This method is deprecated. Instead, use DisassociateFromAdministratorAccount. The Security Hub console continues to use DisassociateFromMasterAccount. It will eventually change to use DisassociateFromAdministratorAccount. Any IAM policies that specifically control access to this function must continue to use DisassociateFromMasterAccount. You should also add DisassociateFromAdministratorAccount to your policies to ensure that the correct permissions are in place after the console begins to use DisassociateFromAdministratorAccount. Disassociates the current Security Hub member account from the associated administrator account. This operation is only used by accounts that are not part of an organization. For organization accounts, only the administrator account can disassociate a member account. @available(*, deprecated, message: "This API has been deprecated, use DisassociateFromAdministratorAccount API instead.") /// - /// - Parameter DisassociateFromMasterAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFromMasterAccountInput`) /// - /// - Returns: `DisassociateFromMasterAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFromMasterAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3892,7 +3843,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFromMasterAccountOutput.httpOutput(from:), DisassociateFromMasterAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3924,9 +3874,9 @@ extension SecurityHubClient { /// /// Disassociates the specified member accounts from the associated administrator account. Can be used to disassociate both accounts that are managed using Organizations and accounts that were invited manually. /// - /// - Parameter DisassociateMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMembersInput`) /// - /// - Returns: `DisassociateMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3965,7 +3915,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMembersOutput.httpOutput(from:), DisassociateMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3997,9 +3946,9 @@ extension SecurityHubClient { /// /// Enables the integration of a partner product with Security Hub. Integrated products send findings to Security Hub. When you enable a product integration, a permissions policy that grants permission for the product to send findings to Security Hub is applied. /// - /// - Parameter EnableImportFindingsForProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableImportFindingsForProductInput`) /// - /// - Returns: `EnableImportFindingsForProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableImportFindingsForProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4037,7 +3986,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableImportFindingsForProductOutput.httpOutput(from:), EnableImportFindingsForProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4069,9 +4017,9 @@ extension SecurityHubClient { /// /// Designates the Security Hub administrator account for an organization. Can only be called by the organization management account. /// - /// - Parameter EnableOrganizationAdminAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableOrganizationAdminAccountInput`) /// - /// - Returns: `EnableOrganizationAdminAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableOrganizationAdminAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4109,7 +4057,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableOrganizationAdminAccountOutput.httpOutput(from:), EnableOrganizationAdminAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4148,9 +4095,9 @@ extension SecurityHubClient { /// /// Other standards are not automatically enabled. To opt out of automatically enabled standards, set EnableDefaultStandards to false. After you enable Security Hub, to enable a standard, use the BatchEnableStandards operation. To disable a standard, use the BatchDisableStandards operation. To learn more, see the [setup information](https://docs.aws.amazon.com/securityhub/latest/userguide/securityhub-settingup.html) in the Security Hub User Guide. /// - /// - Parameter EnableSecurityHubInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableSecurityHubInput`) /// - /// - Returns: `EnableSecurityHubOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableSecurityHubOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4188,7 +4135,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableSecurityHubOutput.httpOutput(from:), EnableSecurityHubOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4220,9 +4166,9 @@ extension SecurityHubClient { /// /// Enables the service in account for the current Amazon Web Services Region or specified Amazon Web Services Region. This API is in private preview and subject to change. /// - /// - Parameter EnableSecurityHubV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableSecurityHubV2Input`) /// - /// - Returns: `EnableSecurityHubV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableSecurityHubV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4259,7 +4205,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableSecurityHubV2Output.httpOutput(from:), EnableSecurityHubV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4291,9 +4236,9 @@ extension SecurityHubClient { /// /// Provides the details for the Security Hub administrator account for the current member account. Can be used by both member accounts that are managed using Organizations and accounts that were invited manually. /// - /// - Parameter GetAdministratorAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAdministratorAccountInput`) /// - /// - Returns: `GetAdministratorAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAdministratorAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4328,7 +4273,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAdministratorAccountOutput.httpOutput(from:), GetAdministratorAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4360,9 +4304,9 @@ extension SecurityHubClient { /// /// Returns the configuration of the specified Aggregator V2. This API is in private preview and subject to change. /// - /// - Parameter GetAggregatorV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAggregatorV2Input`) /// - /// - Returns: `GetAggregatorV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAggregatorV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4398,7 +4342,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAggregatorV2Output.httpOutput(from:), GetAggregatorV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4430,9 +4373,9 @@ extension SecurityHubClient { /// /// Returns an automation rule for the V2 service. This API is in private preview and subject to change. /// - /// - Parameter GetAutomationRuleV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAutomationRuleV2Input`) /// - /// - Returns: `GetAutomationRuleV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAutomationRuleV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4468,7 +4411,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAutomationRuleV2Output.httpOutput(from:), GetAutomationRuleV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4500,9 +4442,9 @@ extension SecurityHubClient { /// /// Provides information about a configuration policy. Only the Security Hub delegated administrator can invoke this operation from the home Region. /// - /// - Parameter GetConfigurationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigurationPolicyInput`) /// - /// - Returns: `GetConfigurationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfigurationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4538,7 +4480,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationPolicyOutput.httpOutput(from:), GetConfigurationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4570,9 +4511,9 @@ extension SecurityHubClient { /// /// Returns the association between a configuration and a target account, organizational unit, or the root. The configuration can be a configuration policy or self-managed behavior. Only the Security Hub delegated administrator can invoke this operation from the home Region. /// - /// - Parameter GetConfigurationPolicyAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigurationPolicyAssociationInput`) /// - /// - Returns: `GetConfigurationPolicyAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfigurationPolicyAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4611,7 +4552,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationPolicyAssociationOutput.httpOutput(from:), GetConfigurationPolicyAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4643,9 +4583,9 @@ extension SecurityHubClient { /// /// Grants permission to retrieve details for a connectorV2 based on connector id. This API is in preview release and subject to change. /// - /// - Parameter GetConnectorV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConnectorV2Input`) /// - /// - Returns: `GetConnectorV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConnectorV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4681,7 +4621,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConnectorV2Output.httpOutput(from:), GetConnectorV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4713,9 +4652,9 @@ extension SecurityHubClient { /// /// Returns a list of the standards that are currently enabled. /// - /// - Parameter GetEnabledStandardsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnabledStandardsInput`) /// - /// - Returns: `GetEnabledStandardsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnabledStandardsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4752,7 +4691,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnabledStandardsOutput.httpOutput(from:), GetEnabledStandardsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4784,9 +4722,9 @@ extension SecurityHubClient { /// /// The aggregation Region is now called the home Region. Returns the current configuration in the calling account for cross-Region aggregation. A finding aggregator is a resource that establishes the home Region and any linked Regions. /// - /// - Parameter GetFindingAggregatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingAggregatorInput`) /// - /// - Returns: `GetFindingAggregatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingAggregatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4822,7 +4760,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingAggregatorOutput.httpOutput(from:), GetFindingAggregatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4854,9 +4791,9 @@ extension SecurityHubClient { /// /// Returns the history of a Security Hub finding. The history includes changes made to any fields in the Amazon Web Services Security Finding Format (ASFF) except top-level timestamp fields, such as the CreatedAt and UpdatedAt fields. This operation might return fewer results than the maximum number of results (MaxResults) specified in a request, even when more results are available. If this occurs, the response includes a NextToken value, which you should use to retrieve the next set of results in the response. The presence of a NextToken value in a response doesn't necessarily indicate that the results are incomplete. However, you should continue to specify a NextToken value until you receive a response that doesn't include this value. /// - /// - Parameter GetFindingHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingHistoryInput`) /// - /// - Returns: `GetFindingHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4893,7 +4830,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingHistoryOutput.httpOutput(from:), GetFindingHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4925,9 +4861,9 @@ extension SecurityHubClient { /// /// Returns aggregated statistical data about findings. GetFindingStatisticsV2 use securityhub:GetAdhocInsightResults in the Action element of an IAM policy statement. You must have permission to perform the s action. This API is in private preview and subject to change. /// - /// - Parameter GetFindingStatisticsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingStatisticsV2Input`) /// - /// - Returns: `GetFindingStatisticsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingStatisticsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4965,7 +4901,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingStatisticsV2Output.httpOutput(from:), GetFindingStatisticsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4997,9 +4932,9 @@ extension SecurityHubClient { /// /// Returns a list of findings that match the specified criteria. If cross-Region aggregation is enabled, then when you call GetFindings from the home Region, the results include all of the matching findings from both the home Region and linked Regions. /// - /// - Parameter GetFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingsInput`) /// - /// - Returns: `GetFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5036,7 +4971,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsOutput.httpOutput(from:), GetFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5068,9 +5002,9 @@ extension SecurityHubClient { /// /// Return a list of findings that match the specified criteria. GetFindings and GetFindingsV2 both use securityhub:GetFindings in the Action element of an IAM policy statement. You must have permission to perform the securityhub:GetFindings action. This API is in private preview and subject to change. /// - /// - Parameter GetFindingsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFindingsV2Input`) /// - /// - Returns: `GetFindingsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFindingsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5108,7 +5042,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFindingsV2Output.httpOutput(from:), GetFindingsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5140,9 +5073,9 @@ extension SecurityHubClient { /// /// Lists the results of the Security Hub insight specified by the insight ARN. /// - /// - Parameter GetInsightResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInsightResultsInput`) /// - /// - Returns: `GetInsightResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInsightResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5177,7 +5110,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInsightResultsOutput.httpOutput(from:), GetInsightResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5209,9 +5141,9 @@ extension SecurityHubClient { /// /// Lists and describes insights for the specified insight ARNs. /// - /// - Parameter GetInsightsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInsightsInput`) /// - /// - Returns: `GetInsightsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInsightsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5249,7 +5181,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInsightsOutput.httpOutput(from:), GetInsightsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5281,9 +5212,9 @@ extension SecurityHubClient { /// /// We recommend using Organizations instead of Security Hub invitations to manage your member accounts. For information, see [Managing Security Hub administrator and member accounts with Organizations](https://docs.aws.amazon.com/securityhub/latest/userguide/securityhub-accounts-orgs.html) in the Security Hub User Guide. Returns the count of all Security Hub membership invitations that were sent to the calling member account, not including the currently accepted invitation. /// - /// - Parameter GetInvitationsCountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInvitationsCountInput`) /// - /// - Returns: `GetInvitationsCountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInvitationsCountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5317,7 +5248,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInvitationsCountOutput.httpOutput(from:), GetInvitationsCountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5350,9 +5280,9 @@ extension SecurityHubClient { /// This method is deprecated. Instead, use GetAdministratorAccount. The Security Hub console continues to use GetMasterAccount. It will eventually change to use GetAdministratorAccount. Any IAM policies that specifically control access to this function must continue to use GetMasterAccount. You should also add GetAdministratorAccount to your policies to ensure that the correct permissions are in place after the console begins to use GetAdministratorAccount. Provides the details for the Security Hub administrator account for the current member account. Can be used by both member accounts that are managed using Organizations and accounts that were invited manually. @available(*, deprecated, message: "This API has been deprecated, use GetAdministratorAccount API instead.") /// - /// - Parameter GetMasterAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMasterAccountInput`) /// - /// - Returns: `GetMasterAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMasterAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5387,7 +5317,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMasterAccountOutput.httpOutput(from:), GetMasterAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5419,9 +5348,9 @@ extension SecurityHubClient { /// /// Returns the details for the Security Hub member accounts for the specified account IDs. An administrator account can be either the delegated Security Hub administrator account for an organization or an administrator account that enabled Security Hub manually. The results include both member accounts that are managed using Organizations and accounts that were invited manually. /// - /// - Parameter GetMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMembersInput`) /// - /// - Returns: `GetMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5459,7 +5388,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMembersOutput.httpOutput(from:), GetMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5491,9 +5419,9 @@ extension SecurityHubClient { /// /// Retrieves statistical information about Amazon Web Services resources and their associated security findings. This API is in private preview and subject to change. /// - /// - Parameter GetResourcesStatisticsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcesStatisticsV2Input`) /// - /// - Returns: `GetResourcesStatisticsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcesStatisticsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5532,7 +5460,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcesStatisticsV2Output.httpOutput(from:), GetResourcesStatisticsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5564,9 +5491,9 @@ extension SecurityHubClient { /// /// Returns a list of resources. This API is in private preview and subject to change. /// - /// - Parameter GetResourcesV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcesV2Input`) /// - /// - Returns: `GetResourcesV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcesV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5605,7 +5532,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcesV2Output.httpOutput(from:), GetResourcesV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5637,9 +5563,9 @@ extension SecurityHubClient { /// /// Retrieves the definition of a security control. The definition includes the control title, description, Region availability, parameter definitions, and other details. /// - /// - Parameter GetSecurityControlDefinitionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSecurityControlDefinitionInput`) /// - /// - Returns: `GetSecurityControlDefinitionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSecurityControlDefinitionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5675,7 +5601,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSecurityControlDefinitionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSecurityControlDefinitionOutput.httpOutput(from:), GetSecurityControlDefinitionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5707,9 +5632,9 @@ extension SecurityHubClient { /// /// We recommend using Organizations instead of Security Hub invitations to manage your member accounts. For information, see [Managing Security Hub administrator and member accounts with Organizations](https://docs.aws.amazon.com/securityhub/latest/userguide/securityhub-accounts-orgs.html) in the Security Hub User Guide. Invites other Amazon Web Services accounts to become member accounts for the Security Hub administrator account that the invitation is sent from. This operation is only used to invite accounts that don't belong to an Amazon Web Services organization. Organization accounts don't receive invitations. Before you can use this action to invite a member, you must first use the CreateMembers action to create the member account in Security Hub. When the account owner enables Security Hub and accepts the invitation to become a member account, the administrator account can view the findings generated in the member account. /// - /// - Parameter InviteMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InviteMembersInput`) /// - /// - Returns: `InviteMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InviteMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5747,7 +5672,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InviteMembersOutput.httpOutput(from:), InviteMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5779,9 +5703,9 @@ extension SecurityHubClient { /// /// Retrieves a list of V2 aggregators. This API is in private preview and subject to change. /// - /// - Parameter ListAggregatorsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAggregatorsV2Input`) /// - /// - Returns: `ListAggregatorsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAggregatorsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5818,7 +5742,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAggregatorsV2Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAggregatorsV2Output.httpOutput(from:), ListAggregatorsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5850,9 +5773,9 @@ extension SecurityHubClient { /// /// A list of automation rules and their metadata for the calling account. /// - /// - Parameter ListAutomationRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutomationRulesInput`) /// - /// - Returns: `ListAutomationRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutomationRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5888,7 +5811,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAutomationRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutomationRulesOutput.httpOutput(from:), ListAutomationRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5920,9 +5842,9 @@ extension SecurityHubClient { /// /// Returns a list of automation rules and metadata for the calling account. This API is in private preview and subject to change. /// - /// - Parameter ListAutomationRulesV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutomationRulesV2Input`) /// - /// - Returns: `ListAutomationRulesV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutomationRulesV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5958,7 +5880,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAutomationRulesV2Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutomationRulesV2Output.httpOutput(from:), ListAutomationRulesV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5990,9 +5911,9 @@ extension SecurityHubClient { /// /// Lists the configuration policies that the Security Hub delegated administrator has created for your organization. Only the delegated administrator can invoke this operation from the home Region. /// - /// - Parameter ListConfigurationPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationPoliciesInput`) /// - /// - Returns: `ListConfigurationPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6028,7 +5949,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConfigurationPoliciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationPoliciesOutput.httpOutput(from:), ListConfigurationPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6060,9 +5980,9 @@ extension SecurityHubClient { /// /// Provides information about the associations for your configuration policies and self-managed behavior. Only the Security Hub delegated administrator can invoke this operation from the home Region. /// - /// - Parameter ListConfigurationPolicyAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationPolicyAssociationsInput`) /// - /// - Returns: `ListConfigurationPolicyAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationPolicyAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6100,7 +6020,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationPolicyAssociationsOutput.httpOutput(from:), ListConfigurationPolicyAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6132,9 +6051,9 @@ extension SecurityHubClient { /// /// Grants permission to retrieve a list of connectorsV2 and their metadata for the calling account. This API is in preview release and subject to change. /// - /// - Parameter ListConnectorsV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorsV2Input`) /// - /// - Returns: `ListConnectorsV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorsV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6171,7 +6090,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListConnectorsV2Input.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorsV2Output.httpOutput(from:), ListConnectorsV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6203,9 +6121,9 @@ extension SecurityHubClient { /// /// Lists all findings-generating solutions (products) that you are subscribed to receive findings from in Security Hub. /// - /// - Parameter ListEnabledProductsForImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnabledProductsForImportInput`) /// - /// - Returns: `ListEnabledProductsForImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnabledProductsForImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6239,7 +6157,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnabledProductsForImportInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnabledProductsForImportOutput.httpOutput(from:), ListEnabledProductsForImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6271,9 +6188,9 @@ extension SecurityHubClient { /// /// If cross-Region aggregation is enabled, then ListFindingAggregators returns the Amazon Resource Name (ARN) of the finding aggregator. You can run this operation from any Amazon Web Services Region. /// - /// - Parameter ListFindingAggregatorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFindingAggregatorsInput`) /// - /// - Returns: `ListFindingAggregatorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFindingAggregatorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6309,7 +6226,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListFindingAggregatorsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFindingAggregatorsOutput.httpOutput(from:), ListFindingAggregatorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6341,9 +6257,9 @@ extension SecurityHubClient { /// /// We recommend using Organizations instead of Security Hub invitations to manage your member accounts. For information, see [Managing Security Hub administrator and member accounts with Organizations](https://docs.aws.amazon.com/securityhub/latest/userguide/securityhub-accounts-orgs.html) in the Security Hub User Guide. Lists all Security Hub membership invitations that were sent to the calling account. Only accounts that are managed by invitation can use this operation. Accounts that are managed using the integration with Organizations don't receive invitations. /// - /// - Parameter ListInvitationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInvitationsInput`) /// - /// - Returns: `ListInvitationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6378,7 +6294,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInvitationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInvitationsOutput.httpOutput(from:), ListInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6410,9 +6325,9 @@ extension SecurityHubClient { /// /// Lists details about all member accounts for the current Security Hub administrator account. The results include both member accounts that belong to an organization and member accounts that were invited manually. /// - /// - Parameter ListMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMembersInput`) /// - /// - Returns: `ListMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6447,7 +6362,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListMembersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMembersOutput.httpOutput(from:), ListMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6479,9 +6393,9 @@ extension SecurityHubClient { /// /// Lists the Security Hub administrator accounts. Can only be called by the organization management account. /// - /// - Parameter ListOrganizationAdminAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationAdminAccountsInput`) /// - /// - Returns: `ListOrganizationAdminAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationAdminAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6516,7 +6430,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOrganizationAdminAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationAdminAccountsOutput.httpOutput(from:), ListOrganizationAdminAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6548,9 +6461,9 @@ extension SecurityHubClient { /// /// Lists all of the security controls that apply to a specified standard. /// - /// - Parameter ListSecurityControlDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityControlDefinitionsInput`) /// - /// - Returns: `ListSecurityControlDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityControlDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6585,7 +6498,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSecurityControlDefinitionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityControlDefinitionsOutput.httpOutput(from:), ListSecurityControlDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6617,9 +6529,9 @@ extension SecurityHubClient { /// /// Specifies whether a control is currently enabled or disabled in each enabled standard in the calling account. This operation omits standards control associations for standard subscriptions where StandardsControlsUpdatable has value NOT_READY_FOR_UPDATES. /// - /// - Parameter ListStandardsControlAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStandardsControlAssociationsInput`) /// - /// - Returns: `ListStandardsControlAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStandardsControlAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6654,7 +6566,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListStandardsControlAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStandardsControlAssociationsOutput.httpOutput(from:), ListStandardsControlAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6686,9 +6597,9 @@ extension SecurityHubClient { /// /// Returns a list of tags associated with a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6721,7 +6632,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6753,9 +6663,9 @@ extension SecurityHubClient { /// /// Associates a target account, organizational unit, or the root with a specified configuration. The target can be associated with a configuration policy or self-managed behavior. Only the Security Hub delegated administrator can invoke this operation from the home Region. /// - /// - Parameter StartConfigurationPolicyAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartConfigurationPolicyAssociationInput`) /// - /// - Returns: `StartConfigurationPolicyAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartConfigurationPolicyAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6794,7 +6704,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartConfigurationPolicyAssociationOutput.httpOutput(from:), StartConfigurationPolicyAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6826,9 +6735,9 @@ extension SecurityHubClient { /// /// Disassociates a target account, organizational unit, or the root from a specified configuration. When you disassociate a configuration from its target, the target inherits the configuration of the closest parent. If there’s no configuration to inherit, the target retains its settings but becomes a self-managed account. A target can be disassociated from a configuration policy or self-managed behavior. Only the Security Hub delegated administrator can invoke this operation from the home Region. /// - /// - Parameter StartConfigurationPolicyDisassociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartConfigurationPolicyDisassociationInput`) /// - /// - Returns: `StartConfigurationPolicyDisassociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartConfigurationPolicyDisassociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6867,7 +6776,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartConfigurationPolicyDisassociationOutput.httpOutput(from:), StartConfigurationPolicyDisassociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6899,9 +6807,9 @@ extension SecurityHubClient { /// /// Adds one or more tags to a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6937,7 +6845,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6969,9 +6876,9 @@ extension SecurityHubClient { /// /// Removes one or more tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7005,7 +6912,6 @@ extension SecurityHubClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7037,9 +6943,9 @@ extension SecurityHubClient { /// /// Updates the name and description of a custom action target in Security Hub. /// - /// - Parameter UpdateActionTargetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateActionTargetInput`) /// - /// - Returns: `UpdateActionTargetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateActionTargetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7076,7 +6982,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateActionTargetOutput.httpOutput(from:), UpdateActionTargetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7108,9 +7013,9 @@ extension SecurityHubClient { /// /// Udpates the configuration for the Aggregator V2. This API is in private preview and subject to change. /// - /// - Parameter UpdateAggregatorV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAggregatorV2Input`) /// - /// - Returns: `UpdateAggregatorV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAggregatorV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7149,7 +7054,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAggregatorV2Output.httpOutput(from:), UpdateAggregatorV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7181,9 +7085,9 @@ extension SecurityHubClient { /// /// Updates a V2 automation rule. This API is in private preview and subject to change. /// - /// - Parameter UpdateAutomationRuleV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAutomationRuleV2Input`) /// - /// - Returns: `UpdateAutomationRuleV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAutomationRuleV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7222,7 +7126,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAutomationRuleV2Output.httpOutput(from:), UpdateAutomationRuleV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7254,9 +7157,9 @@ extension SecurityHubClient { /// /// Updates a configuration policy. Only the Security Hub delegated administrator can invoke this operation from the home Region. /// - /// - Parameter UpdateConfigurationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConfigurationPolicyInput`) /// - /// - Returns: `UpdateConfigurationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConfigurationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7296,7 +7199,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConfigurationPolicyOutput.httpOutput(from:), UpdateConfigurationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7328,9 +7230,9 @@ extension SecurityHubClient { /// /// Grants permission to update a connectorV2 based on its id and input parameters. This API is in preview release and subject to change. /// - /// - Parameter UpdateConnectorV2Input : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectorV2Input`) /// - /// - Returns: `UpdateConnectorV2Output` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectorV2Output`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7369,7 +7271,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectorV2Output.httpOutput(from:), UpdateConnectorV2OutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7401,9 +7302,9 @@ extension SecurityHubClient { /// /// The aggregation Region is now called the home Region. Updates cross-Region aggregation settings. You can use this operation to update the Region linking mode and the list of included or excluded Amazon Web Services Regions. However, you can't use this operation to change the home Region. You can invoke this operation from the current home Region only. /// - /// - Parameter UpdateFindingAggregatorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFindingAggregatorInput`) /// - /// - Returns: `UpdateFindingAggregatorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFindingAggregatorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7442,7 +7343,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFindingAggregatorOutput.httpOutput(from:), UpdateFindingAggregatorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7474,9 +7374,9 @@ extension SecurityHubClient { /// /// UpdateFindings is a deprecated operation. Instead of UpdateFindings, use the BatchUpdateFindings operation. The UpdateFindings operation updates the Note and RecordState of the Security Hub aggregated findings that the filter attributes specify. Any member account that can view the finding can also see the update to the finding. Finding updates made with UpdateFindings aren't persisted if the same finding is later updated by the finding provider through the BatchImportFindings operation. In addition, Security Hub doesn't record updates made with UpdateFindings in the finding history. /// - /// - Parameter UpdateFindingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFindingsInput`) /// - /// - Returns: `UpdateFindingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFindingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7514,7 +7414,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFindingsOutput.httpOutput(from:), UpdateFindingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7546,9 +7445,9 @@ extension SecurityHubClient { /// /// Updates the Security Hub insight identified by the specified insight ARN. /// - /// - Parameter UpdateInsightInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInsightInput`) /// - /// - Returns: `UpdateInsightOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInsightOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7586,7 +7485,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInsightOutput.httpOutput(from:), UpdateInsightOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7618,9 +7516,9 @@ extension SecurityHubClient { /// /// Updates the configuration of your organization in Security Hub. Only the Security Hub administrator account can invoke this operation. /// - /// - Parameter UpdateOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOrganizationConfigurationInput`) /// - /// - Returns: `UpdateOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7660,7 +7558,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOrganizationConfigurationOutput.httpOutput(from:), UpdateOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7692,9 +7589,9 @@ extension SecurityHubClient { /// /// Updates the properties of a security control. /// - /// - Parameter UpdateSecurityControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecurityControlInput`) /// - /// - Returns: `UpdateSecurityControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecurityControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7734,7 +7631,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecurityControlOutput.httpOutput(from:), UpdateSecurityControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7766,9 +7662,9 @@ extension SecurityHubClient { /// /// Updates configuration options for Security Hub. /// - /// - Parameter UpdateSecurityHubConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSecurityHubConfigurationInput`) /// - /// - Returns: `UpdateSecurityHubConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSecurityHubConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7807,7 +7703,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSecurityHubConfigurationOutput.httpOutput(from:), UpdateSecurityHubConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7839,9 +7734,9 @@ extension SecurityHubClient { /// /// Used to control whether an individual security standard control is enabled or disabled. Calls to this operation return a RESOURCE_NOT_FOUND_EXCEPTION error when the standard subscription for the control has StandardsControlsUpdatable value NOT_READY_FOR_UPDATES. /// - /// - Parameter UpdateStandardsControlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateStandardsControlInput`) /// - /// - Returns: `UpdateStandardsControlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateStandardsControlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7879,7 +7774,6 @@ extension SecurityHubClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateStandardsControlOutput.httpOutput(from:), UpdateStandardsControlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSecurityIR/Sources/AWSSecurityIR/SecurityIRClient.swift b/Sources/Services/AWSSecurityIR/Sources/AWSSecurityIR/SecurityIRClient.swift index b7d40b759e1..e432c822497 100644 --- a/Sources/Services/AWSSecurityIR/Sources/AWSSecurityIR/SecurityIRClient.swift +++ b/Sources/Services/AWSSecurityIR/Sources/AWSSecurityIR/SecurityIRClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SecurityIRClient: ClientRuntime.Client { public static let clientName = "SecurityIRClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SecurityIRClient.SecurityIRClientConfiguration let serviceName = "Security IR" @@ -375,9 +374,9 @@ extension SecurityIRClient { /// /// Provides information on whether the supplied account IDs are associated with a membership. AWS account ID's may appear less than 12 characters and need to be zero-prepended. An example would be 123123123 which is nine digits, and with zero-prepend would be 000123123123. Not zero-prepending to 12 digits could result in errors. /// - /// - Parameter BatchGetMemberAccountDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetMemberAccountDetailsInput`) /// - /// - Returns: `BatchGetMemberAccountDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetMemberAccountDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -419,7 +418,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetMemberAccountDetailsOutput.httpOutput(from:), BatchGetMemberAccountDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension SecurityIRClient { /// /// Cancels an existing membership. /// - /// - Parameter CancelMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMembershipInput`) /// - /// - Returns: `CancelMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMembershipOutput.httpOutput(from:), CancelMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension SecurityIRClient { /// /// Closes an existing case. /// - /// - Parameter CloseCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CloseCaseInput`) /// - /// - Returns: `CloseCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CloseCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CloseCaseOutput.httpOutput(from:), CloseCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension SecurityIRClient { /// /// Creates a new case. /// - /// - Parameter CreateCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCaseInput`) /// - /// - Returns: `CreateCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -642,7 +638,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCaseOutput.httpOutput(from:), CreateCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -674,9 +669,9 @@ extension SecurityIRClient { /// /// Adds a comment to an existing case. /// - /// - Parameter CreateCaseCommentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCaseCommentInput`) /// - /// - Returns: `CreateCaseCommentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCaseCommentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -719,7 +714,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCaseCommentOutput.httpOutput(from:), CreateCaseCommentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -751,9 +745,9 @@ extension SecurityIRClient { /// /// Creates a new membership. /// - /// - Parameter CreateMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMembershipInput`) /// - /// - Returns: `CreateMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -796,7 +790,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMembershipOutput.httpOutput(from:), CreateMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -828,9 +821,9 @@ extension SecurityIRClient { /// /// Returns the attributes of a case. /// - /// - Parameter GetCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCaseInput`) /// - /// - Returns: `GetCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -869,7 +862,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCaseOutput.httpOutput(from:), GetCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +893,9 @@ extension SecurityIRClient { /// /// Returns a Pre-Signed URL for uploading attachments into a case. /// - /// - Parameter GetCaseAttachmentDownloadUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCaseAttachmentDownloadUrlInput`) /// - /// - Returns: `GetCaseAttachmentDownloadUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCaseAttachmentDownloadUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -942,7 +934,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCaseAttachmentDownloadUrlOutput.httpOutput(from:), GetCaseAttachmentDownloadUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -974,9 +965,9 @@ extension SecurityIRClient { /// /// Uploads an attachment to a case. /// - /// - Parameter GetCaseAttachmentUploadUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCaseAttachmentUploadUrlInput`) /// - /// - Returns: `GetCaseAttachmentUploadUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCaseAttachmentUploadUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1019,7 +1010,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCaseAttachmentUploadUrlOutput.httpOutput(from:), GetCaseAttachmentUploadUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1051,9 +1041,9 @@ extension SecurityIRClient { /// /// Returns the attributes of a membership. /// - /// - Parameter GetMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMembershipInput`) /// - /// - Returns: `GetMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1092,7 +1082,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMembershipOutput.httpOutput(from:), GetMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1124,9 +1113,9 @@ extension SecurityIRClient { /// /// Views the case history for edits made to a designated case. /// - /// - Parameter ListCaseEditsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCaseEditsInput`) /// - /// - Returns: `ListCaseEditsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCaseEditsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1168,7 +1157,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCaseEditsOutput.httpOutput(from:), ListCaseEditsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1200,9 +1188,9 @@ extension SecurityIRClient { /// /// Lists all cases the requester has access to. /// - /// - Parameter ListCasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCasesInput`) /// - /// - Returns: `ListCasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1244,7 +1232,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCasesOutput.httpOutput(from:), ListCasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1276,9 +1263,9 @@ extension SecurityIRClient { /// /// Returns comments for a designated case. /// - /// - Parameter ListCommentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCommentsInput`) /// - /// - Returns: `ListCommentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCommentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1320,7 +1307,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCommentsOutput.httpOutput(from:), ListCommentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1352,9 +1338,9 @@ extension SecurityIRClient { /// /// Returns the memberships that the calling principal can access. /// - /// - Parameter ListMembershipsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMembershipsInput`) /// - /// - Returns: `ListMembershipsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMembershipsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1396,7 +1382,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMembershipsOutput.httpOutput(from:), ListMembershipsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1428,9 +1413,9 @@ extension SecurityIRClient { /// /// Returns currently configured tags on a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1469,7 +1454,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1501,9 +1485,9 @@ extension SecurityIRClient { /// /// Adds a tag(s) to a designated resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1545,7 +1529,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1577,9 +1560,9 @@ extension SecurityIRClient { /// /// Removes a tag(s) from a designate resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1619,7 +1602,6 @@ extension SecurityIRClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1651,9 +1633,9 @@ extension SecurityIRClient { /// /// Updates an existing case. /// - /// - Parameter UpdateCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCaseInput`) /// - /// - Returns: `UpdateCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1695,7 +1677,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCaseOutput.httpOutput(from:), UpdateCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1727,9 +1708,9 @@ extension SecurityIRClient { /// /// Updates an existing case comment. /// - /// - Parameter UpdateCaseCommentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCaseCommentInput`) /// - /// - Returns: `UpdateCaseCommentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCaseCommentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1771,7 +1752,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCaseCommentOutput.httpOutput(from:), UpdateCaseCommentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1822,9 +1802,9 @@ extension SecurityIRClient { /// /// AWS supported: You must use the CloseCase API to close. /// - /// - Parameter UpdateCaseStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCaseStatusInput`) /// - /// - Returns: `UpdateCaseStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCaseStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1866,7 +1846,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCaseStatusOutput.httpOutput(from:), UpdateCaseStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1898,9 +1877,9 @@ extension SecurityIRClient { /// /// Updates membership configuration. /// - /// - Parameter UpdateMembershipInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMembershipInput`) /// - /// - Returns: `UpdateMembershipOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMembershipOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1942,7 +1921,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMembershipOutput.httpOutput(from:), UpdateMembershipOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1974,9 +1952,9 @@ extension SecurityIRClient { /// /// Updates the resolver type for a case. This is a one-way action and cannot be reversed. /// - /// - Parameter UpdateResolverTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResolverTypeInput`) /// - /// - Returns: `UpdateResolverTypeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResolverTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2018,7 +1996,6 @@ extension SecurityIRClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResolverTypeOutput.httpOutput(from:), UpdateResolverTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSecurityLake/Sources/AWSSecurityLake/SecurityLakeClient.swift b/Sources/Services/AWSSecurityLake/Sources/AWSSecurityLake/SecurityLakeClient.swift index 8d215344d61..f28c1504c2a 100644 --- a/Sources/Services/AWSSecurityLake/Sources/AWSSecurityLake/SecurityLakeClient.swift +++ b/Sources/Services/AWSSecurityLake/Sources/AWSSecurityLake/SecurityLakeClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SecurityLakeClient: ClientRuntime.Client { public static let clientName = "SecurityLakeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SecurityLakeClient.SecurityLakeClientConfiguration let serviceName = "SecurityLake" @@ -373,9 +372,9 @@ extension SecurityLakeClient { /// /// Adds a natively supported Amazon Web Services service as an Amazon Security Lake source. Enables source types for member accounts in required Amazon Web Services Regions, based on the parameters you specify. You can choose any source type in any Region for either accounts that are part of a trusted organization or standalone accounts. Once you add an Amazon Web Services service as a source, Security Lake starts collecting logs and events from it. You can use this API only to enable natively supported Amazon Web Services services as a source. Use CreateCustomLogSource to enable data collection from a custom source. /// - /// - Parameter CreateAwsLogSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAwsLogSourceInput`) /// - /// - Returns: `CreateAwsLogSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAwsLogSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAwsLogSourceOutput.httpOutput(from:), CreateAwsLogSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension SecurityLakeClient { /// /// Adds a third-party custom source in Amazon Security Lake, from the Amazon Web Services Region where you want to create a custom source. Security Lake can collect logs and events from third-party custom sources. After creating the appropriate IAM role to invoke Glue crawler, use this API to add a custom source name in Security Lake. This operation creates a partition in the Amazon S3 bucket for Security Lake as the target location for log files from the custom source. In addition, this operation also creates an associated Glue table and an Glue crawler. /// - /// - Parameter CreateCustomLogSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomLogSourceInput`) /// - /// - Returns: `CreateCustomLogSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomLogSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomLogSourceOutput.httpOutput(from:), CreateCustomLogSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension SecurityLakeClient { /// /// Initializes an Amazon Security Lake instance with the provided (or default) configuration. You can enable Security Lake in Amazon Web Services Regions with customized settings before enabling log collection in Regions. To specify particular Regions, configure these Regions using the configurations parameter. If you have already enabled Security Lake in a Region when you call this command, the command will update the Region if you provide new configuration parameters. If you have not already enabled Security Lake in the Region when you call this API, it will set up the data lake in the Region with the specified configurations. When you enable Security Lake, it starts ingesting security data after the CreateAwsLogSource call and after you create subscribers using the CreateSubscriber API. This includes ingesting security data from sources, storing data, and making data accessible to subscribers. Security Lake also enables all the existing settings and resources that it stores or maintains for your Amazon Web Services account in the current Region, including security log and event data. For more information, see the [Amazon Security Lake User Guide](https://docs.aws.amazon.com/security-lake/latest/userguide/what-is-security-lake.html). /// - /// - Parameter CreateDataLakeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataLakeInput`) /// - /// - Returns: `CreateDataLakeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataLakeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataLakeOutput.httpOutput(from:), CreateDataLakeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension SecurityLakeClient { /// /// Creates the specified notification subscription in Amazon Security Lake for the organization you specify. The notification subscription is created for exceptions that cannot be resolved by Security Lake automatically. /// - /// - Parameter CreateDataLakeExceptionSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataLakeExceptionSubscriptionInput`) /// - /// - Returns: `CreateDataLakeExceptionSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataLakeExceptionSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataLakeExceptionSubscriptionOutput.httpOutput(from:), CreateDataLakeExceptionSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -665,9 +660,9 @@ extension SecurityLakeClient { /// /// Automatically enables Amazon Security Lake for new member accounts in your organization. Security Lake is not automatically enabled for any existing member accounts in your organization. This operation merges the new data lake organization configuration with the existing configuration for Security Lake in your organization. If you want to create a new data lake organization configuration, you must delete the existing one using [DeleteDataLakeOrganizationConfiguration](https://docs.aws.amazon.com/security-lake/latest/APIReference/API_DeleteDataLakeOrganizationConfiguration.html). /// - /// - Parameter CreateDataLakeOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataLakeOrganizationConfigurationInput`) /// - /// - Returns: `CreateDataLakeOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataLakeOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -706,7 +701,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataLakeOrganizationConfigurationOutput.httpOutput(from:), CreateDataLakeOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -738,9 +732,9 @@ extension SecurityLakeClient { /// /// Creates a subscriber for accounts that are already enabled in Amazon Security Lake. You can create a subscriber with access to data in the current Amazon Web Services Region. /// - /// - Parameter CreateSubscriberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubscriberInput`) /// - /// - Returns: `CreateSubscriberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubscriberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -779,7 +773,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubscriberOutput.httpOutput(from:), CreateSubscriberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -811,9 +804,9 @@ extension SecurityLakeClient { /// /// Notifies the subscriber when new data is written to the data lake for the sources that the subscriber consumes in Security Lake. You can create only one subscriber notification per subscriber. /// - /// - Parameter CreateSubscriberNotificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubscriberNotificationInput`) /// - /// - Returns: `CreateSubscriberNotificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubscriberNotificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubscriberNotificationOutput.httpOutput(from:), CreateSubscriberNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -884,9 +876,9 @@ extension SecurityLakeClient { /// /// Removes a natively supported Amazon Web Services service as an Amazon Security Lake source. You can remove a source for one or more Regions. When you remove the source, Security Lake stops collecting data from that source in the specified Regions and accounts, and subscribers can no longer consume new data from the source. However, subscribers can still consume data that Security Lake collected from the source before removal. You can choose any source type in any Amazon Web Services Region for either accounts that are part of a trusted organization or standalone accounts. /// - /// - Parameter DeleteAwsLogSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAwsLogSourceInput`) /// - /// - Returns: `DeleteAwsLogSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAwsLogSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +917,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAwsLogSourceOutput.httpOutput(from:), DeleteAwsLogSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension SecurityLakeClient { /// /// Removes a custom log source from Amazon Security Lake, to stop sending data from the custom source to Security Lake. /// - /// - Parameter DeleteCustomLogSourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomLogSourceInput`) /// - /// - Returns: `DeleteCustomLogSourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomLogSourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -996,7 +987,6 @@ extension SecurityLakeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteCustomLogSourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomLogSourceOutput.httpOutput(from:), DeleteCustomLogSourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1028,9 +1018,9 @@ extension SecurityLakeClient { /// /// When you disable Amazon Security Lake from your account, Security Lake is disabled in all Amazon Web Services Regions and it stops collecting data from your sources. Also, this API automatically takes steps to remove the account from Security Lake. However, Security Lake retains all of your existing settings and the resources that it created in your Amazon Web Services account in the current Amazon Web Services Region. The DeleteDataLake operation does not delete the data that is stored in your Amazon S3 bucket, which is owned by your Amazon Web Services account. For more information, see the [Amazon Security Lake User Guide](https://docs.aws.amazon.com/security-lake/latest/userguide/disable-security-lake.html). /// - /// - Parameter DeleteDataLakeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataLakeInput`) /// - /// - Returns: `DeleteDataLakeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataLakeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1069,7 +1059,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataLakeOutput.httpOutput(from:), DeleteDataLakeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1101,9 +1090,9 @@ extension SecurityLakeClient { /// /// Deletes the specified notification subscription in Amazon Security Lake for the organization you specify. /// - /// - Parameter DeleteDataLakeExceptionSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataLakeExceptionSubscriptionInput`) /// - /// - Returns: `DeleteDataLakeExceptionSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataLakeExceptionSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1139,7 +1128,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataLakeExceptionSubscriptionOutput.httpOutput(from:), DeleteDataLakeExceptionSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1171,9 +1159,9 @@ extension SecurityLakeClient { /// /// Turns off automatic enablement of Amazon Security Lake for member accounts that are added to an organization in Organizations. Only the delegated Security Lake administrator for an organization can perform this operation. If the delegated Security Lake administrator performs this operation, new member accounts won't automatically contribute data to the data lake. /// - /// - Parameter DeleteDataLakeOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataLakeOrganizationConfigurationInput`) /// - /// - Returns: `DeleteDataLakeOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataLakeOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1212,7 +1200,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataLakeOrganizationConfigurationOutput.httpOutput(from:), DeleteDataLakeOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1244,9 +1231,9 @@ extension SecurityLakeClient { /// /// Deletes the subscription permission and all notification settings for accounts that are already enabled in Amazon Security Lake. When you run DeleteSubscriber, the subscriber will no longer consume data from Security Lake and the subscriber is removed. This operation deletes the subscriber and removes access to data in the current Amazon Web Services Region. /// - /// - Parameter DeleteSubscriberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubscriberInput`) /// - /// - Returns: `DeleteSubscriberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubscriberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1282,7 +1269,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubscriberOutput.httpOutput(from:), DeleteSubscriberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1314,9 +1300,9 @@ extension SecurityLakeClient { /// /// Deletes the specified subscription notification in Amazon Security Lake for the organization you specify. /// - /// - Parameter DeleteSubscriberNotificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubscriberNotificationInput`) /// - /// - Returns: `DeleteSubscriberNotificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubscriberNotificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1352,7 +1338,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubscriberNotificationOutput.httpOutput(from:), DeleteSubscriberNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1384,9 +1369,9 @@ extension SecurityLakeClient { /// /// Deletes the Amazon Security Lake delegated administrator account for the organization. This API can only be called by the organization management account. The organization management account cannot be the delegated administrator account. /// - /// - Parameter DeregisterDataLakeDelegatedAdministratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterDataLakeDelegatedAdministratorInput`) /// - /// - Returns: `DeregisterDataLakeDelegatedAdministratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterDataLakeDelegatedAdministratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1422,7 +1407,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterDataLakeDelegatedAdministratorOutput.httpOutput(from:), DeregisterDataLakeDelegatedAdministratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1454,9 +1438,9 @@ extension SecurityLakeClient { /// /// Retrieves the protocol and endpoint that were provided when subscribing to Amazon SNS topics for exception notifications. /// - /// - Parameter GetDataLakeExceptionSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataLakeExceptionSubscriptionInput`) /// - /// - Returns: `GetDataLakeExceptionSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataLakeExceptionSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1492,7 +1476,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataLakeExceptionSubscriptionOutput.httpOutput(from:), GetDataLakeExceptionSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1524,9 +1507,9 @@ extension SecurityLakeClient { /// /// Retrieves the configuration that will be automatically set up for accounts added to the organization after the organization has onboarded to Amazon Security Lake. This API does not take input parameters. /// - /// - Parameter GetDataLakeOrganizationConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataLakeOrganizationConfigurationInput`) /// - /// - Returns: `GetDataLakeOrganizationConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataLakeOrganizationConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1562,7 +1545,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataLakeOrganizationConfigurationOutput.httpOutput(from:), GetDataLakeOrganizationConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1594,9 +1576,9 @@ extension SecurityLakeClient { /// /// Retrieves a snapshot of the current Region, including whether Amazon Security Lake is enabled for those accounts and which sources Security Lake is collecting data from. /// - /// - Parameter GetDataLakeSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataLakeSourcesInput`) /// - /// - Returns: `GetDataLakeSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataLakeSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1635,7 +1617,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataLakeSourcesOutput.httpOutput(from:), GetDataLakeSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1667,9 +1648,9 @@ extension SecurityLakeClient { /// /// Retrieves the subscription information for the specified subscription ID. You can get information about a specific subscriber. /// - /// - Parameter GetSubscriberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubscriberInput`) /// - /// - Returns: `GetSubscriberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubscriberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1705,7 +1686,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubscriberOutput.httpOutput(from:), GetSubscriberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1737,9 +1717,9 @@ extension SecurityLakeClient { /// /// Lists the Amazon Security Lake exceptions that you can use to find the source of problems and fix them. /// - /// - Parameter ListDataLakeExceptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataLakeExceptionsInput`) /// - /// - Returns: `ListDataLakeExceptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataLakeExceptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1778,7 +1758,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataLakeExceptionsOutput.httpOutput(from:), ListDataLakeExceptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1810,9 +1789,9 @@ extension SecurityLakeClient { /// /// Retrieves the Amazon Security Lake configuration object for the specified Amazon Web Services Regions. You can use this operation to determine whether Security Lake is enabled for a Region. /// - /// - Parameter ListDataLakesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataLakesInput`) /// - /// - Returns: `ListDataLakesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataLakesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1849,7 +1828,6 @@ extension SecurityLakeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataLakesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataLakesOutput.httpOutput(from:), ListDataLakesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1881,9 +1859,9 @@ extension SecurityLakeClient { /// /// Retrieves the log sources. /// - /// - Parameter ListLogSourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLogSourcesInput`) /// - /// - Returns: `ListLogSourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLogSourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1922,7 +1900,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLogSourcesOutput.httpOutput(from:), ListLogSourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1954,9 +1931,9 @@ extension SecurityLakeClient { /// /// Lists all subscribers for the specific Amazon Security Lake account ID. You can retrieve a list of subscriptions associated with a specific organization or Amazon Web Services account. /// - /// - Parameter ListSubscribersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscribersInput`) /// - /// - Returns: `ListSubscribersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscribersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1993,7 +1970,6 @@ extension SecurityLakeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSubscribersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscribersOutput.httpOutput(from:), ListSubscribersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2025,9 +2001,9 @@ extension SecurityLakeClient { /// /// Retrieves the tags (keys and values) that are associated with an Amazon Security Lake resource: a subscriber, or the data lake configuration for your Amazon Web Services account in a particular Amazon Web Services Region. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2063,7 +2039,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2095,9 +2070,9 @@ extension SecurityLakeClient { /// /// Designates the Amazon Security Lake delegated administrator account for the organization. This API can only be called by the organization management account. The organization management account cannot be the delegated administrator account. /// - /// - Parameter RegisterDataLakeDelegatedAdministratorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterDataLakeDelegatedAdministratorInput`) /// - /// - Returns: `RegisterDataLakeDelegatedAdministratorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterDataLakeDelegatedAdministratorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2136,7 +2111,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterDataLakeDelegatedAdministratorOutput.httpOutput(from:), RegisterDataLakeDelegatedAdministratorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2168,9 +2142,9 @@ extension SecurityLakeClient { /// /// Adds or updates one or more tags that are associated with an Amazon Security Lake resource: a subscriber, or the data lake configuration for your Amazon Web Services account in a particular Amazon Web Services Region. A tag is a label that you can define and associate with Amazon Web Services resources. Each tag consists of a required tag key and an associated tag value. A tag key is a general label that acts as a category for a more specific tag value. A tag value acts as a descriptor for a tag key. Tags can help you identify, categorize, and manage resources in different ways, such as by owner, environment, or other criteria. For more information, see [Tagging Amazon Security Lake resources](https://docs.aws.amazon.com/security-lake/latest/userguide/tagging-resources.html) in the Amazon Security Lake User Guide. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2209,7 +2183,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2241,9 +2214,9 @@ extension SecurityLakeClient { /// /// Removes one or more tags (keys and values) from an Amazon Security Lake resource: a subscriber, or the data lake configuration for your Amazon Web Services account in a particular Amazon Web Services Region. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2280,7 +2253,6 @@ extension SecurityLakeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2312,9 +2284,9 @@ extension SecurityLakeClient { /// /// You can use UpdateDataLake to specify where to store your security data, how it should be encrypted at rest and for how long. You can add a [Rollup Region](https://docs.aws.amazon.com/security-lake/latest/userguide/manage-regions.html#add-rollup-region) to consolidate data from multiple Amazon Web Services Regions, replace default encryption (SSE-S3) with [Customer Manged Key](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#customer-cmk), or specify transition and expiration actions through storage [Lifecycle management](https://docs.aws.amazon.com/security-lake/latest/userguide/lifecycle-management.html). The UpdateDataLake API works as an "upsert" operation that performs an insert if the specified item or record does not exist, or an update if it already exists. Security Lake securely stores your data at rest using Amazon Web Services encryption solutions. For more details, see [Data protection in Amazon Security Lake](https://docs.aws.amazon.com/security-lake/latest/userguide/data-protection.html). For example, omitting the key encryptionConfiguration from a Region that is included in an update call that currently uses KMS will leave that Region's KMS key in place, but specifying encryptionConfiguration: {kmsKeyId: 'S3_MANAGED_KEY'} for that same Region will reset the key to S3-managed. For more details about lifecycle management and how to update retention settings for one or more Regions after enabling Security Lake, see the [Amazon Security Lake User Guide](https://docs.aws.amazon.com/security-lake/latest/userguide/lifecycle-management.html). /// - /// - Parameter UpdateDataLakeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataLakeInput`) /// - /// - Returns: `UpdateDataLakeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataLakeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2353,7 +2325,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataLakeOutput.httpOutput(from:), UpdateDataLakeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2385,9 +2356,9 @@ extension SecurityLakeClient { /// /// Updates the specified notification subscription in Amazon Security Lake for the organization you specify. /// - /// - Parameter UpdateDataLakeExceptionSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataLakeExceptionSubscriptionInput`) /// - /// - Returns: `UpdateDataLakeExceptionSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataLakeExceptionSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2426,7 +2397,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataLakeExceptionSubscriptionOutput.httpOutput(from:), UpdateDataLakeExceptionSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2458,9 +2428,9 @@ extension SecurityLakeClient { /// /// Updates an existing subscription for the given Amazon Security Lake account ID. You can update a subscriber by changing the sources that the subscriber consumes data from. /// - /// - Parameter UpdateSubscriberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubscriberInput`) /// - /// - Returns: `UpdateSubscriberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubscriberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2499,7 +2469,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubscriberOutput.httpOutput(from:), UpdateSubscriberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2531,9 +2500,9 @@ extension SecurityLakeClient { /// /// Updates an existing notification method for the subscription (SQS or HTTPs endpoint) or switches the notification subscription endpoint for a subscriber. /// - /// - Parameter UpdateSubscriberNotificationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubscriberNotificationInput`) /// - /// - Returns: `UpdateSubscriberNotificationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubscriberNotificationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2541,6 @@ extension SecurityLakeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubscriberNotificationOutput.httpOutput(from:), UpdateSubscriberNotificationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSServerlessApplicationRepository/Sources/AWSServerlessApplicationRepository/ServerlessApplicationRepositoryClient.swift b/Sources/Services/AWSServerlessApplicationRepository/Sources/AWSServerlessApplicationRepository/ServerlessApplicationRepositoryClient.swift index 674be343ea3..0966cbe1767 100644 --- a/Sources/Services/AWSServerlessApplicationRepository/Sources/AWSServerlessApplicationRepository/ServerlessApplicationRepositoryClient.swift +++ b/Sources/Services/AWSServerlessApplicationRepository/Sources/AWSServerlessApplicationRepository/ServerlessApplicationRepositoryClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ServerlessApplicationRepositoryClient: ClientRuntime.Client { public static let clientName = "ServerlessApplicationRepositoryClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ServerlessApplicationRepositoryClient.ServerlessApplicationRepositoryClientConfiguration let serviceName = "ServerlessApplicationRepository" @@ -373,9 +372,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Creates an application, optionally including an AWS SAM file to create the first application version in the same call. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension ServerlessApplicationRepositoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Creates an application version. /// - /// - Parameter CreateApplicationVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationVersionInput`) /// - /// - Returns: `CreateApplicationVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension ServerlessApplicationRepositoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationVersionOutput.httpOutput(from:), CreateApplicationVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Creates an AWS CloudFormation change set for the given application. /// - /// - Parameter CreateCloudFormationChangeSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCloudFormationChangeSetInput`) /// - /// - Returns: `CreateCloudFormationChangeSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCloudFormationChangeSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension ServerlessApplicationRepositoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCloudFormationChangeSetOutput.httpOutput(from:), CreateCloudFormationChangeSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Creates an AWS CloudFormation template. /// - /// - Parameter CreateCloudFormationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCloudFormationTemplateInput`) /// - /// - Returns: `CreateCloudFormationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCloudFormationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -628,7 +624,6 @@ extension ServerlessApplicationRepositoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCloudFormationTemplateOutput.httpOutput(from:), CreateCloudFormationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +655,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Deletes the specified application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension ServerlessApplicationRepositoryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Gets the specified application. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -768,7 +762,6 @@ extension ServerlessApplicationRepositoryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetApplicationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -800,9 +793,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Retrieves the policy for the application. /// - /// - Parameter GetApplicationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationPolicyInput`) /// - /// - Returns: `GetApplicationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -837,7 +830,6 @@ extension ServerlessApplicationRepositoryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationPolicyOutput.httpOutput(from:), GetApplicationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -869,9 +861,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Gets the specified AWS CloudFormation template. /// - /// - Parameter GetCloudFormationTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCloudFormationTemplateInput`) /// - /// - Returns: `GetCloudFormationTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCloudFormationTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -906,7 +898,6 @@ extension ServerlessApplicationRepositoryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCloudFormationTemplateOutput.httpOutput(from:), GetCloudFormationTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -938,9 +929,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Retrieves the list of applications nested in the containing application. /// - /// - Parameter ListApplicationDependenciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationDependenciesInput`) /// - /// - Returns: `ListApplicationDependenciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationDependenciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -976,7 +967,6 @@ extension ServerlessApplicationRepositoryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationDependenciesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationDependenciesOutput.httpOutput(from:), ListApplicationDependenciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1008,9 +998,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Lists versions for the specified application. /// - /// - Parameter ListApplicationVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationVersionsInput`) /// - /// - Returns: `ListApplicationVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1046,7 +1036,6 @@ extension ServerlessApplicationRepositoryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationVersionsOutput.httpOutput(from:), ListApplicationVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1078,9 +1067,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Lists applications owned by the requester. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1115,7 +1104,6 @@ extension ServerlessApplicationRepositoryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1147,9 +1135,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Sets the permission policy for an application. For the list of actions supported for this operation, see [Application Permissions](https://docs.aws.amazon.com/serverlessrepo/latest/devguide/access-control-resource-based.html#application-permissions) . /// - /// - Parameter PutApplicationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutApplicationPolicyInput`) /// - /// - Returns: `PutApplicationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutApplicationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1187,7 +1175,6 @@ extension ServerlessApplicationRepositoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutApplicationPolicyOutput.httpOutput(from:), PutApplicationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1219,9 +1206,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Unshares an application from an AWS Organization.This operation can be called only from the organization's master account. /// - /// - Parameter UnshareApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UnshareApplicationInput`) /// - /// - Returns: `UnshareApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UnshareApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1259,7 +1246,6 @@ extension ServerlessApplicationRepositoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UnshareApplicationOutput.httpOutput(from:), UnshareApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1291,9 +1277,9 @@ extension ServerlessApplicationRepositoryClient { /// /// Updates the specified application. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1332,7 +1318,6 @@ extension ServerlessApplicationRepositoryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSServiceCatalog/Sources/AWSServiceCatalog/ServiceCatalogClient.swift b/Sources/Services/AWSServiceCatalog/Sources/AWSServiceCatalog/ServiceCatalogClient.swift index 2321440283b..f6165a68160 100644 --- a/Sources/Services/AWSServiceCatalog/Sources/AWSServiceCatalog/ServiceCatalogClient.swift +++ b/Sources/Services/AWSServiceCatalog/Sources/AWSServiceCatalog/ServiceCatalogClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ServiceCatalogClient: ClientRuntime.Client { public static let clientName = "ServiceCatalogClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ServiceCatalogClient.ServiceCatalogClientConfiguration let serviceName = "Service Catalog" @@ -374,9 +373,9 @@ extension ServiceCatalogClient { /// /// Accepts an offer to share the specified portfolio. /// - /// - Parameter AcceptPortfolioShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptPortfolioShareInput`) /// - /// - Returns: `AcceptPortfolioShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptPortfolioShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptPortfolioShareOutput.httpOutput(from:), AcceptPortfolioShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension ServiceCatalogClient { /// /// Associates the specified budget with the specified resource. /// - /// - Parameter AssociateBudgetWithResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateBudgetWithResourceInput`) /// - /// - Returns: `AssociateBudgetWithResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateBudgetWithResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -482,7 +480,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateBudgetWithResourceOutput.httpOutput(from:), AssociateBudgetWithResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension ServiceCatalogClient { /// /// Associates the specified principal ARN with the specified portfolio. If you share the portfolio with principal name sharing enabled, the PrincipalARN association is included in the share. The PortfolioID, PrincipalARN, and PrincipalType parameters are required. You can associate a maximum of 10 Principals with a portfolio using PrincipalType as IAM_PATTERN. When you associate a principal with portfolio, a potential privilege escalation path may occur when that portfolio is then shared with other accounts. For a user in a recipient account who is not an Service Catalog Admin, but still has the ability to create Principals (Users/Groups/Roles), that user could create a role that matches a principal name association for the portfolio. Although this user may not know which principal names are associated through Service Catalog, they may be able to guess the user. If this potential escalation path is a concern, then Service Catalog recommends using PrincipalType as IAM. With this configuration, the PrincipalARN must already exist in the recipient account before it can be associated. /// - /// - Parameter AssociatePrincipalWithPortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociatePrincipalWithPortfolioInput`) /// - /// - Returns: `AssociatePrincipalWithPortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociatePrincipalWithPortfolioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociatePrincipalWithPortfolioOutput.httpOutput(from:), AssociatePrincipalWithPortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension ServiceCatalogClient { /// /// Associates the specified product with the specified portfolio. A delegated admin is authorized to invoke this command. /// - /// - Parameter AssociateProductWithPortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateProductWithPortfolioInput`) /// - /// - Returns: `AssociateProductWithPortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateProductWithPortfolioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -624,7 +620,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateProductWithPortfolioOutput.httpOutput(from:), AssociateProductWithPortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension ServiceCatalogClient { /// /// Associates a self-service action with a provisioning artifact. /// - /// - Parameter AssociateServiceActionWithProvisioningArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateServiceActionWithProvisioningArtifactInput`) /// - /// - Returns: `AssociateServiceActionWithProvisioningArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateServiceActionWithProvisioningArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -697,7 +692,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateServiceActionWithProvisioningArtifactOutput.httpOutput(from:), AssociateServiceActionWithProvisioningArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -732,9 +726,9 @@ extension ServiceCatalogClient { /// /// Associate the specified TagOption with the specified portfolio or product. /// - /// - Parameter AssociateTagOptionWithResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTagOptionWithResourceInput`) /// - /// - Returns: `AssociateTagOptionWithResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTagOptionWithResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTagOptionWithResourceOutput.httpOutput(from:), AssociateTagOptionWithResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension ServiceCatalogClient { /// /// Associates multiple self-service actions with provisioning artifacts. /// - /// - Parameter BatchAssociateServiceActionWithProvisioningArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchAssociateServiceActionWithProvisioningArtifactInput`) /// - /// - Returns: `BatchAssociateServiceActionWithProvisioningArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchAssociateServiceActionWithProvisioningArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchAssociateServiceActionWithProvisioningArtifactOutput.httpOutput(from:), BatchAssociateServiceActionWithProvisioningArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -875,9 +867,9 @@ extension ServiceCatalogClient { /// /// Disassociates a batch of self-service actions from the specified provisioning artifact. /// - /// - Parameter BatchDisassociateServiceActionFromProvisioningArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDisassociateServiceActionFromProvisioningArtifactInput`) /// - /// - Returns: `BatchDisassociateServiceActionFromProvisioningArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDisassociateServiceActionFromProvisioningArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -909,7 +901,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDisassociateServiceActionFromProvisioningArtifactOutput.httpOutput(from:), BatchDisassociateServiceActionFromProvisioningArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -944,9 +935,9 @@ extension ServiceCatalogClient { /// /// Copies the specified source product to the specified target product or a new product. You can copy a product to the same account or another account. You can copy a product to the same Region or another Region. If you copy a product to another account, you must first share the product in a portfolio using [CreatePortfolioShare]. This operation is performed asynchronously. To track the progress of the operation, use [DescribeCopyProductStatus]. /// - /// - Parameter CopyProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyProductInput`) /// - /// - Returns: `CopyProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -980,7 +971,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyProductOutput.httpOutput(from:), CopyProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1015,9 +1005,9 @@ extension ServiceCatalogClient { /// /// Creates a constraint. A delegated admin is authorized to invoke this command. /// - /// - Parameter CreateConstraintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConstraintInput`) /// - /// - Returns: `CreateConstraintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConstraintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1053,7 +1043,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConstraintOutput.httpOutput(from:), CreateConstraintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1088,9 +1077,9 @@ extension ServiceCatalogClient { /// /// Creates a portfolio. A delegated admin is authorized to invoke this command. /// - /// - Parameter CreatePortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePortfolioInput`) /// - /// - Returns: `CreatePortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePortfolioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1125,7 +1114,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePortfolioOutput.httpOutput(from:), CreatePortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1160,9 +1148,9 @@ extension ServiceCatalogClient { /// /// Shares the specified portfolio with the specified account or organization node. Shares to an organization node can only be created by the management account of an organization or by a delegated administrator. You can share portfolios to an organization, an organizational unit, or a specific account. Note that if a delegated admin is de-registered, they can no longer create portfolio shares. AWSOrganizationsAccess must be enabled in order to create a portfolio share to an organization node. You can't share a shared resource, including portfolios that contain a shared product. If the portfolio share with the specified account or organization node already exists, this action will have no effect and will not return an error. To update an existing share, you must use the UpdatePortfolioShare API instead. When you associate a principal with portfolio, a potential privilege escalation path may occur when that portfolio is then shared with other accounts. For a user in a recipient account who is not an Service Catalog Admin, but still has the ability to create Principals (Users/Groups/Roles), that user could create a role that matches a principal name association for the portfolio. Although this user may not know which principal names are associated through Service Catalog, they may be able to guess the user. If this potential escalation path is a concern, then Service Catalog recommends using PrincipalType as IAM. With this configuration, the PrincipalARN must already exist in the recipient account before it can be associated. /// - /// - Parameter CreatePortfolioShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePortfolioShareInput`) /// - /// - Returns: `CreatePortfolioShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePortfolioShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1198,7 +1186,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePortfolioShareOutput.httpOutput(from:), CreatePortfolioShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1233,9 +1220,9 @@ extension ServiceCatalogClient { /// /// Creates a product. A delegated admin is authorized to invoke this command. The user or role that performs this operation must have the cloudformation:GetTemplate IAM policy permission. This policy permission is required when using the ImportFromPhysicalId template source in the information data section. /// - /// - Parameter CreateProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProductInput`) /// - /// - Returns: `CreateProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1270,7 +1257,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProductOutput.httpOutput(from:), CreateProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1305,9 +1291,9 @@ extension ServiceCatalogClient { /// /// Creates a plan. A plan includes the list of resources to be created (when provisioning a new product) or modified (when updating a provisioned product) when the plan is executed. You can create one plan for each provisioned product. To create a plan for an existing provisioned product, the product status must be AVAILABLE or TAINTED. To view the resource changes in the change set, use [DescribeProvisionedProductPlan]. To create or modify the provisioned product, use [ExecuteProvisionedProductPlan]. /// - /// - Parameter CreateProvisionedProductPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProvisionedProductPlanInput`) /// - /// - Returns: `CreateProvisionedProductPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProvisionedProductPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1342,7 +1328,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProvisionedProductPlanOutput.httpOutput(from:), CreateProvisionedProductPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1377,9 +1362,9 @@ extension ServiceCatalogClient { /// /// Creates a provisioning artifact (also known as a version) for the specified product. You cannot create a provisioning artifact for a product that was shared with you. The user or role that performs this operation must have the cloudformation:GetTemplate IAM policy permission. This policy permission is required when using the ImportFromPhysicalId template source in the information data section. /// - /// - Parameter CreateProvisioningArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProvisioningArtifactInput`) /// - /// - Returns: `CreateProvisioningArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProvisioningArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1414,7 +1399,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProvisioningArtifactOutput.httpOutput(from:), CreateProvisioningArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1449,9 +1433,9 @@ extension ServiceCatalogClient { /// /// Creates a self-service action. /// - /// - Parameter CreateServiceActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceActionInput`) /// - /// - Returns: `CreateServiceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1485,7 +1469,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceActionOutput.httpOutput(from:), CreateServiceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1520,9 +1503,9 @@ extension ServiceCatalogClient { /// /// Creates a TagOption. /// - /// - Parameter CreateTagOptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTagOptionInput`) /// - /// - Returns: `CreateTagOptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTagOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1556,7 +1539,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTagOptionOutput.httpOutput(from:), CreateTagOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1591,9 +1573,9 @@ extension ServiceCatalogClient { /// /// Deletes the specified constraint. A delegated admin is authorized to invoke this command. /// - /// - Parameter DeleteConstraintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConstraintInput`) /// - /// - Returns: `DeleteConstraintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConstraintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1626,7 +1608,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConstraintOutput.httpOutput(from:), DeleteConstraintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1661,9 +1642,9 @@ extension ServiceCatalogClient { /// /// Deletes the specified portfolio. You cannot delete a portfolio if it was shared with you or if it has associated products, users, constraints, or shared accounts. A delegated admin is authorized to invoke this command. /// - /// - Parameter DeletePortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePortfolioInput`) /// - /// - Returns: `DeletePortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePortfolioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1698,7 +1679,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePortfolioOutput.httpOutput(from:), DeletePortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1733,9 +1713,9 @@ extension ServiceCatalogClient { /// /// Stops sharing the specified portfolio with the specified account or organization node. Shares to an organization node can only be deleted by the management account of an organization or by a delegated administrator. Note that if a delegated admin is de-registered, portfolio shares created from that account are removed. /// - /// - Parameter DeletePortfolioShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePortfolioShareInput`) /// - /// - Returns: `DeletePortfolioShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePortfolioShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1770,7 +1750,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePortfolioShareOutput.httpOutput(from:), DeletePortfolioShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1805,9 +1784,9 @@ extension ServiceCatalogClient { /// /// Deletes the specified product. You cannot delete a product if it was shared with you or is associated with a portfolio. A delegated admin is authorized to invoke this command. /// - /// - Parameter DeleteProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProductInput`) /// - /// - Returns: `DeleteProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1842,7 +1821,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProductOutput.httpOutput(from:), DeleteProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1877,9 +1855,9 @@ extension ServiceCatalogClient { /// /// Deletes the specified plan. /// - /// - Parameter DeleteProvisionedProductPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProvisionedProductPlanInput`) /// - /// - Returns: `DeleteProvisionedProductPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProvisionedProductPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1912,7 +1890,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProvisionedProductPlanOutput.httpOutput(from:), DeleteProvisionedProductPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1947,9 +1924,9 @@ extension ServiceCatalogClient { /// /// Deletes the specified provisioning artifact (also known as a version) for the specified product. You cannot delete a provisioning artifact associated with a product that was shared with you. You cannot delete the last provisioning artifact for a product, because a product must have at least one provisioning artifact. /// - /// - Parameter DeleteProvisioningArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProvisioningArtifactInput`) /// - /// - Returns: `DeleteProvisioningArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProvisioningArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1983,7 +1960,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProvisioningArtifactOutput.httpOutput(from:), DeleteProvisioningArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2018,9 +1994,9 @@ extension ServiceCatalogClient { /// /// Deletes a self-service action. /// - /// - Parameter DeleteServiceActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceActionInput`) /// - /// - Returns: `DeleteServiceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2055,7 +2031,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceActionOutput.httpOutput(from:), DeleteServiceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2090,9 +2065,9 @@ extension ServiceCatalogClient { /// /// Deletes the specified TagOption. You cannot delete a TagOption if it is associated with a product or portfolio. /// - /// - Parameter DeleteTagOptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTagOptionInput`) /// - /// - Returns: `DeleteTagOptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2126,7 +2101,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagOptionOutput.httpOutput(from:), DeleteTagOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2161,9 +2135,9 @@ extension ServiceCatalogClient { /// /// Gets information about the specified constraint. /// - /// - Parameter DescribeConstraintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConstraintInput`) /// - /// - Returns: `DescribeConstraintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConstraintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2195,7 +2169,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConstraintOutput.httpOutput(from:), DescribeConstraintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2230,9 +2203,9 @@ extension ServiceCatalogClient { /// /// Gets the status of the specified copy product operation. /// - /// - Parameter DescribeCopyProductStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCopyProductStatusInput`) /// - /// - Returns: `DescribeCopyProductStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCopyProductStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2264,7 +2237,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCopyProductStatusOutput.httpOutput(from:), DescribeCopyProductStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2299,9 +2271,9 @@ extension ServiceCatalogClient { /// /// Gets information about the specified portfolio. A delegated admin is authorized to invoke this command. /// - /// - Parameter DescribePortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePortfolioInput`) /// - /// - Returns: `DescribePortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePortfolioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2333,7 +2305,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePortfolioOutput.httpOutput(from:), DescribePortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2368,9 +2339,9 @@ extension ServiceCatalogClient { /// /// Gets the status of the specified portfolio share operation. This API can only be called by the management account in the organization or by a delegated admin. /// - /// - Parameter DescribePortfolioShareStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePortfolioShareStatusInput`) /// - /// - Returns: `DescribePortfolioShareStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePortfolioShareStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2404,7 +2375,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePortfolioShareStatusOutput.httpOutput(from:), DescribePortfolioShareStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2439,9 +2409,9 @@ extension ServiceCatalogClient { /// /// Returns a summary of each of the portfolio shares that were created for the specified portfolio. You can use this API to determine which accounts or organizational nodes this portfolio have been shared, whether the recipient entity has imported the share, and whether TagOptions are included with the share. The PortfolioId and Type parameters are both required. /// - /// - Parameter DescribePortfolioSharesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribePortfolioSharesInput`) /// - /// - Returns: `DescribePortfolioSharesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribePortfolioSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2474,7 +2444,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribePortfolioSharesOutput.httpOutput(from:), DescribePortfolioSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2509,9 +2478,9 @@ extension ServiceCatalogClient { /// /// Gets information about the specified product. Running this operation with administrator access results in a failure. [DescribeProductAsAdmin] should be used instead. /// - /// - Parameter DescribeProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProductInput`) /// - /// - Returns: `DescribeProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2544,7 +2513,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProductOutput.httpOutput(from:), DescribeProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2579,9 +2547,9 @@ extension ServiceCatalogClient { /// /// Gets information about the specified product. This operation is run with administrator access. /// - /// - Parameter DescribeProductAsAdminInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProductAsAdminInput`) /// - /// - Returns: `DescribeProductAsAdminOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProductAsAdminOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2614,7 +2582,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProductAsAdminOutput.httpOutput(from:), DescribeProductAsAdminOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2649,9 +2616,9 @@ extension ServiceCatalogClient { /// /// Gets information about the specified product. /// - /// - Parameter DescribeProductViewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProductViewInput`) /// - /// - Returns: `DescribeProductViewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProductViewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2684,7 +2651,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProductViewOutput.httpOutput(from:), DescribeProductViewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2719,9 +2685,9 @@ extension ServiceCatalogClient { /// /// Gets information about the specified provisioned product. /// - /// - Parameter DescribeProvisionedProductInput : DescribeProvisionedProductAPI input structure. AcceptLanguage - [Optional] The language code for localization. Id - [Optional] The provisioned product identifier. Name - [Optional] Another provisioned product identifier. Customers must provide either Id or Name. + /// - Parameter input: DescribeProvisionedProductAPI input structure. AcceptLanguage - [Optional] The language code for localization. Id - [Optional] The provisioned product identifier. Name - [Optional] Another provisioned product identifier. Customers must provide either Id or Name. (Type: `DescribeProvisionedProductInput`) /// - /// - Returns: `DescribeProvisionedProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProvisionedProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2754,7 +2720,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProvisionedProductOutput.httpOutput(from:), DescribeProvisionedProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2789,9 +2754,9 @@ extension ServiceCatalogClient { /// /// Gets information about the resource changes for the specified plan. /// - /// - Parameter DescribeProvisionedProductPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProvisionedProductPlanInput`) /// - /// - Returns: `DescribeProvisionedProductPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProvisionedProductPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2824,7 +2789,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProvisionedProductPlanOutput.httpOutput(from:), DescribeProvisionedProductPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2859,9 +2823,9 @@ extension ServiceCatalogClient { /// /// Gets information about the specified provisioning artifact (also known as a version) for the specified product. /// - /// - Parameter DescribeProvisioningArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProvisioningArtifactInput`) /// - /// - Returns: `DescribeProvisioningArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProvisioningArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2894,7 +2858,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProvisioningArtifactOutput.httpOutput(from:), DescribeProvisioningArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2929,9 +2892,9 @@ extension ServiceCatalogClient { /// /// Gets information about the configuration required to provision the specified product using the specified provisioning artifact. If the output contains a TagOption key with an empty list of values, there is a TagOption conflict for that key. The end user cannot take action to fix the conflict, and launch is not blocked. In subsequent calls to [ProvisionProduct], do not include conflicted TagOption keys as tags, or this causes the error "Parameter validation failed: Missing required parameter in Tags[N]:Value". Tag the provisioned product with the value sc-tagoption-conflict-portfolioId-productId. /// - /// - Parameter DescribeProvisioningParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProvisioningParametersInput`) /// - /// - Returns: `DescribeProvisioningParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProvisioningParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2964,7 +2927,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProvisioningParametersOutput.httpOutput(from:), DescribeProvisioningParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2999,9 +2961,9 @@ extension ServiceCatalogClient { /// /// Gets information about the specified request operation. Use this operation after calling a request operation (for example, [ProvisionProduct], [TerminateProvisionedProduct], or [UpdateProvisionedProduct]). If a provisioned product was transferred to a new owner using [UpdateProvisionedProductProperties], the new owner will be able to describe all past records for that product. The previous owner will no longer be able to describe the records, but will be able to use [ListRecordHistory] to see the product's history from when he was the owner. /// - /// - Parameter DescribeRecordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRecordInput`) /// - /// - Returns: `DescribeRecordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRecordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3033,7 +2995,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRecordOutput.httpOutput(from:), DescribeRecordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3068,9 +3029,9 @@ extension ServiceCatalogClient { /// /// Describes a self-service action. /// - /// - Parameter DescribeServiceActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceActionInput`) /// - /// - Returns: `DescribeServiceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3102,7 +3063,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceActionOutput.httpOutput(from:), DescribeServiceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3137,9 +3097,9 @@ extension ServiceCatalogClient { /// /// Finds the default parameters for a specific self-service action on a specific provisioned product and returns a map of the results to the user. /// - /// - Parameter DescribeServiceActionExecutionParametersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServiceActionExecutionParametersInput`) /// - /// - Returns: `DescribeServiceActionExecutionParametersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServiceActionExecutionParametersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3172,7 +3132,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServiceActionExecutionParametersOutput.httpOutput(from:), DescribeServiceActionExecutionParametersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3207,9 +3166,9 @@ extension ServiceCatalogClient { /// /// Gets information about the specified TagOption. /// - /// - Parameter DescribeTagOptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTagOptionInput`) /// - /// - Returns: `DescribeTagOptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTagOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3242,7 +3201,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagOptionOutput.httpOutput(from:), DescribeTagOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3277,9 +3235,9 @@ extension ServiceCatalogClient { /// /// Disable portfolio sharing through the Organizations service. This command will not delete your current shares, but prevents you from creating new shares throughout your organization. Current shares are not kept in sync with your organization structure if the structure changes after calling this API. Only the management account in the organization can call this API. You cannot call this API if there are active delegated administrators in the organization. Note that a delegated administrator is not authorized to invoke DisableAWSOrganizationsAccess. If you share an Service Catalog portfolio in an organization within Organizations, and then disable Organizations access for Service Catalog, the portfolio access permissions will not sync with the latest changes to the organization structure. Specifically, accounts that you removed from the organization after disabling Service Catalog access will retain access to the previously shared portfolio. /// - /// - Parameter DisableAWSOrganizationsAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableAWSOrganizationsAccessInput`) /// - /// - Returns: `DisableAWSOrganizationsAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableAWSOrganizationsAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3313,7 +3271,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableAWSOrganizationsAccessOutput.httpOutput(from:), DisableAWSOrganizationsAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3348,9 +3305,9 @@ extension ServiceCatalogClient { /// /// Disassociates the specified budget from the specified resource. /// - /// - Parameter DisassociateBudgetFromResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateBudgetFromResourceInput`) /// - /// - Returns: `DisassociateBudgetFromResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateBudgetFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3382,7 +3339,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateBudgetFromResourceOutput.httpOutput(from:), DisassociateBudgetFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3417,9 +3373,9 @@ extension ServiceCatalogClient { /// /// Disassociates a previously associated principal ARN from a specified portfolio. The PrincipalType and PrincipalARN must match the AssociatePrincipalWithPortfolio call request details. For example, to disassociate an association created with a PrincipalARN of PrincipalType IAM you must use the PrincipalType IAM when calling DisassociatePrincipalFromPortfolio. For portfolios that have been shared with principal name sharing enabled: after disassociating a principal, share recipient accounts will no longer be able to provision products in this portfolio using a role matching the name of the associated principal. For more information, review [associate-principal-with-portfolio](https://docs.aws.amazon.com/cli/latest/reference/servicecatalog/associate-principal-with-portfolio.html#options) in the Amazon Web Services CLI Command Reference. If you disassociate a principal from a portfolio, with PrincipalType as IAM, the same principal will still have access to the portfolio if it matches one of the associated principals of type IAM_PATTERN. To fully remove access for a principal, verify all the associated Principals of type IAM_PATTERN, and then ensure you disassociate any IAM_PATTERN principals that match the principal whose access you are removing. /// - /// - Parameter DisassociatePrincipalFromPortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociatePrincipalFromPortfolioInput`) /// - /// - Returns: `DisassociatePrincipalFromPortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociatePrincipalFromPortfolioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3452,7 +3408,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociatePrincipalFromPortfolioOutput.httpOutput(from:), DisassociatePrincipalFromPortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3487,9 +3442,9 @@ extension ServiceCatalogClient { /// /// Disassociates the specified product from the specified portfolio. A delegated admin is authorized to invoke this command. /// - /// - Parameter DisassociateProductFromPortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateProductFromPortfolioInput`) /// - /// - Returns: `DisassociateProductFromPortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateProductFromPortfolioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3523,7 +3478,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateProductFromPortfolioOutput.httpOutput(from:), DisassociateProductFromPortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3558,9 +3512,9 @@ extension ServiceCatalogClient { /// /// Disassociates the specified self-service action association from the specified provisioning artifact. /// - /// - Parameter DisassociateServiceActionFromProvisioningArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateServiceActionFromProvisioningArtifactInput`) /// - /// - Returns: `DisassociateServiceActionFromProvisioningArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateServiceActionFromProvisioningArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3594,7 +3548,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateServiceActionFromProvisioningArtifactOutput.httpOutput(from:), DisassociateServiceActionFromProvisioningArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3629,9 +3582,9 @@ extension ServiceCatalogClient { /// /// Disassociates the specified TagOption from the specified resource. /// - /// - Parameter DisassociateTagOptionFromResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTagOptionFromResourceInput`) /// - /// - Returns: `DisassociateTagOptionFromResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTagOptionFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3664,7 +3617,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTagOptionFromResourceOutput.httpOutput(from:), DisassociateTagOptionFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3699,9 +3651,9 @@ extension ServiceCatalogClient { /// /// Enable portfolio sharing feature through Organizations. This API will allow Service Catalog to receive updates on your organization in order to sync your shares with the current structure. This API can only be called by the management account in the organization. When you call this API, Service Catalog calls organizations:EnableAWSServiceAccess on your behalf so that your shares stay in sync with any changes in your Organizations structure. Note that a delegated administrator is not authorized to invoke EnableAWSOrganizationsAccess. If you have previously disabled Organizations access for Service Catalog, and then enable access again, the portfolio access permissions might not sync with the latest changes to the organization structure. Specifically, accounts that you removed from the organization after disabling Service Catalog access, and before you enabled access again, can retain access to the previously shared portfolio. As a result, an account that has been removed from the organization might still be able to create or manage Amazon Web Services resources when it is no longer authorized to do so. Amazon Web Services is working to resolve this issue. /// - /// - Parameter EnableAWSOrganizationsAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableAWSOrganizationsAccessInput`) /// - /// - Returns: `EnableAWSOrganizationsAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableAWSOrganizationsAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3735,7 +3687,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableAWSOrganizationsAccessOutput.httpOutput(from:), EnableAWSOrganizationsAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3770,9 +3721,9 @@ extension ServiceCatalogClient { /// /// Provisions or modifies a product based on the resource changes for the specified plan. /// - /// - Parameter ExecuteProvisionedProductPlanInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteProvisionedProductPlanInput`) /// - /// - Returns: `ExecuteProvisionedProductPlanOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteProvisionedProductPlanOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3807,7 +3758,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteProvisionedProductPlanOutput.httpOutput(from:), ExecuteProvisionedProductPlanOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3842,9 +3792,9 @@ extension ServiceCatalogClient { /// /// Executes a self-service action against a provisioned product. /// - /// - Parameter ExecuteProvisionedProductServiceActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteProvisionedProductServiceActionInput`) /// - /// - Returns: `ExecuteProvisionedProductServiceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteProvisionedProductServiceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3879,7 +3829,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteProvisionedProductServiceActionOutput.httpOutput(from:), ExecuteProvisionedProductServiceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3914,9 +3863,9 @@ extension ServiceCatalogClient { /// /// Get the Access Status for Organizations portfolio share feature. This API can only be called by the management account in the organization or by a delegated admin. /// - /// - Parameter GetAWSOrganizationsAccessStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAWSOrganizationsAccessStatusInput`) /// - /// - Returns: `GetAWSOrganizationsAccessStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAWSOrganizationsAccessStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3949,7 +3898,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAWSOrganizationsAccessStatusOutput.httpOutput(from:), GetAWSOrganizationsAccessStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3984,9 +3932,9 @@ extension ServiceCatalogClient { /// /// This API takes either a ProvisonedProductId or a ProvisionedProductName, along with a list of one or more output keys, and responds with the key/value pairs of those outputs. /// - /// - Parameter GetProvisionedProductOutputsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProvisionedProductOutputsInput`) /// - /// - Returns: `GetProvisionedProductOutputsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProvisionedProductOutputsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4019,7 +3967,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProvisionedProductOutputsOutput.httpOutput(from:), GetProvisionedProductOutputsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4054,9 +4001,9 @@ extension ServiceCatalogClient { /// /// Requests the import of a resource as an Service Catalog provisioned product that is associated to an Service Catalog product and provisioning artifact. Once imported, all supported governance actions are supported on the provisioned product. Resource import only supports CloudFormation stack ARNs. CloudFormation StackSets, and non-root nested stacks, are not supported. The CloudFormation stack must have one of the following statuses to be imported: CREATE_COMPLETE, UPDATE_COMPLETE, UPDATE_ROLLBACK_COMPLETE, IMPORT_COMPLETE, and IMPORT_ROLLBACK_COMPLETE. Import of the resource requires that the CloudFormation stack template matches the associated Service Catalog product provisioning artifact. When you import an existing CloudFormation stack into a portfolio, Service Catalog does not apply the product's associated constraints during the import process. Service Catalog applies the constraints after you call UpdateProvisionedProduct for the provisioned product. The user or role that performs this operation must have the cloudformation:GetTemplate and cloudformation:DescribeStacks IAM policy permissions. You can only import one provisioned product at a time. The product's CloudFormation stack must have the IMPORT_COMPLETE status before you import another. /// - /// - Parameter ImportAsProvisionedProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportAsProvisionedProductInput`) /// - /// - Returns: `ImportAsProvisionedProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportAsProvisionedProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4092,7 +4039,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportAsProvisionedProductOutput.httpOutput(from:), ImportAsProvisionedProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4127,9 +4073,9 @@ extension ServiceCatalogClient { /// /// Lists all imported portfolios for which account-to-account shares were accepted by this account. By specifying the PortfolioShareType, you can list portfolios for which organizational shares were accepted by this account. /// - /// - Parameter ListAcceptedPortfolioSharesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAcceptedPortfolioSharesInput`) /// - /// - Returns: `ListAcceptedPortfolioSharesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAcceptedPortfolioSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4162,7 +4108,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAcceptedPortfolioSharesOutput.httpOutput(from:), ListAcceptedPortfolioSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4197,9 +4142,9 @@ extension ServiceCatalogClient { /// /// Lists all the budgets associated to the specified resource. /// - /// - Parameter ListBudgetsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBudgetsForResourceInput`) /// - /// - Returns: `ListBudgetsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBudgetsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4232,7 +4177,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBudgetsForResourceOutput.httpOutput(from:), ListBudgetsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4267,9 +4211,9 @@ extension ServiceCatalogClient { /// /// Lists the constraints for the specified portfolio and product. /// - /// - Parameter ListConstraintsForPortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConstraintsForPortfolioInput`) /// - /// - Returns: `ListConstraintsForPortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConstraintsForPortfolioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4302,7 +4246,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConstraintsForPortfolioOutput.httpOutput(from:), ListConstraintsForPortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4337,9 +4280,9 @@ extension ServiceCatalogClient { /// /// Lists the paths to the specified product. A path describes how the user gets access to a specified product and is necessary when provisioning a product. A path also determines the constraints that are put on a product. A path is dependent on a specific product, porfolio, and principal. When provisioning a product that's been added to a portfolio, you must grant your user, group, or role access to the portfolio. For more information, see [Granting users access](https://docs.aws.amazon.com/servicecatalog/latest/adminguide/catalogs_portfolios_users.html) in the Service Catalog User Guide. /// - /// - Parameter ListLaunchPathsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLaunchPathsInput`) /// - /// - Returns: `ListLaunchPathsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLaunchPathsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4372,7 +4315,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLaunchPathsOutput.httpOutput(from:), ListLaunchPathsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4407,9 +4349,9 @@ extension ServiceCatalogClient { /// /// Lists the organization nodes that have access to the specified portfolio. This API can only be called by the management account in the organization or by a delegated admin. If a delegated admin is de-registered, they can no longer perform this operation. /// - /// - Parameter ListOrganizationPortfolioAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationPortfolioAccessInput`) /// - /// - Returns: `ListOrganizationPortfolioAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationPortfolioAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4443,7 +4385,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationPortfolioAccessOutput.httpOutput(from:), ListOrganizationPortfolioAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4478,9 +4419,9 @@ extension ServiceCatalogClient { /// /// Lists the account IDs that have access to the specified portfolio. A delegated admin can list the accounts that have access to the shared portfolio. Note that if a delegated admin is de-registered, they can no longer perform this operation. /// - /// - Parameter ListPortfolioAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPortfolioAccessInput`) /// - /// - Returns: `ListPortfolioAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPortfolioAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4513,7 +4454,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPortfolioAccessOutput.httpOutput(from:), ListPortfolioAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4548,9 +4488,9 @@ extension ServiceCatalogClient { /// /// Lists all portfolios in the catalog. /// - /// - Parameter ListPortfoliosInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPortfoliosInput`) /// - /// - Returns: `ListPortfoliosOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPortfoliosOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4582,7 +4522,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPortfoliosOutput.httpOutput(from:), ListPortfoliosOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4617,9 +4556,9 @@ extension ServiceCatalogClient { /// /// Lists all portfolios that the specified product is associated with. /// - /// - Parameter ListPortfoliosForProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPortfoliosForProductInput`) /// - /// - Returns: `ListPortfoliosForProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPortfoliosForProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4652,7 +4591,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPortfoliosForProductOutput.httpOutput(from:), ListPortfoliosForProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4687,9 +4625,9 @@ extension ServiceCatalogClient { /// /// Lists all PrincipalARNs and corresponding PrincipalTypes associated with the specified portfolio. /// - /// - Parameter ListPrincipalsForPortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPrincipalsForPortfolioInput`) /// - /// - Returns: `ListPrincipalsForPortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPrincipalsForPortfolioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4722,7 +4660,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPrincipalsForPortfolioOutput.httpOutput(from:), ListPrincipalsForPortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4757,9 +4694,9 @@ extension ServiceCatalogClient { /// /// Lists the plans for the specified provisioned product or all plans to which the user has access. /// - /// - Parameter ListProvisionedProductPlansInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProvisionedProductPlansInput`) /// - /// - Returns: `ListProvisionedProductPlansOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProvisionedProductPlansOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4792,7 +4729,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProvisionedProductPlansOutput.httpOutput(from:), ListProvisionedProductPlansOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4827,9 +4763,9 @@ extension ServiceCatalogClient { /// /// Lists all provisioning artifacts (also known as versions) for the specified product. /// - /// - Parameter ListProvisioningArtifactsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProvisioningArtifactsInput`) /// - /// - Returns: `ListProvisioningArtifactsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProvisioningArtifactsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4862,7 +4798,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProvisioningArtifactsOutput.httpOutput(from:), ListProvisioningArtifactsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4897,9 +4832,9 @@ extension ServiceCatalogClient { /// /// Lists all provisioning artifacts (also known as versions) for the specified self-service action. /// - /// - Parameter ListProvisioningArtifactsForServiceActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProvisioningArtifactsForServiceActionInput`) /// - /// - Returns: `ListProvisioningArtifactsForServiceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProvisioningArtifactsForServiceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4932,7 +4867,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProvisioningArtifactsForServiceActionOutput.httpOutput(from:), ListProvisioningArtifactsForServiceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4967,9 +4901,9 @@ extension ServiceCatalogClient { /// /// Lists the specified requests or all performed requests. /// - /// - Parameter ListRecordHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecordHistoryInput`) /// - /// - Returns: `ListRecordHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecordHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5001,7 +4935,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecordHistoryOutput.httpOutput(from:), ListRecordHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5036,9 +4969,9 @@ extension ServiceCatalogClient { /// /// Lists the resources associated with the specified TagOption. /// - /// - Parameter ListResourcesForTagOptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcesForTagOptionInput`) /// - /// - Returns: `ListResourcesForTagOptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcesForTagOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5072,7 +5005,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcesForTagOptionOutput.httpOutput(from:), ListResourcesForTagOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5107,9 +5039,9 @@ extension ServiceCatalogClient { /// /// Lists all self-service actions. /// - /// - Parameter ListServiceActionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceActionsInput`) /// - /// - Returns: `ListServiceActionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceActionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5141,7 +5073,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceActionsOutput.httpOutput(from:), ListServiceActionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5176,9 +5107,9 @@ extension ServiceCatalogClient { /// /// Returns a paginated list of self-service actions associated with the specified Product ID and Provisioning Artifact ID. /// - /// - Parameter ListServiceActionsForProvisioningArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceActionsForProvisioningArtifactInput`) /// - /// - Returns: `ListServiceActionsForProvisioningArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceActionsForProvisioningArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5211,7 +5142,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceActionsForProvisioningArtifactOutput.httpOutput(from:), ListServiceActionsForProvisioningArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5246,9 +5176,9 @@ extension ServiceCatalogClient { /// /// Returns summary information about stack instances that are associated with the specified CFN_STACKSET type provisioned product. You can filter for stack instances that are associated with a specific Amazon Web Services account name or Region. /// - /// - Parameter ListStackInstancesForProvisionedProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListStackInstancesForProvisionedProductInput`) /// - /// - Returns: `ListStackInstancesForProvisionedProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListStackInstancesForProvisionedProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5281,7 +5211,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListStackInstancesForProvisionedProductOutput.httpOutput(from:), ListStackInstancesForProvisionedProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5316,9 +5245,9 @@ extension ServiceCatalogClient { /// /// Lists the specified TagOptions or all TagOptions. /// - /// - Parameter ListTagOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagOptionsInput`) /// - /// - Returns: `ListTagOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5351,7 +5280,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagOptionsOutput.httpOutput(from:), ListTagOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5386,9 +5314,9 @@ extension ServiceCatalogClient { /// /// Notifies the result of the provisioning engine execution. /// - /// - Parameter NotifyProvisionProductEngineWorkflowResultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `NotifyProvisionProductEngineWorkflowResultInput`) /// - /// - Returns: `NotifyProvisionProductEngineWorkflowResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `NotifyProvisionProductEngineWorkflowResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5422,7 +5350,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NotifyProvisionProductEngineWorkflowResultOutput.httpOutput(from:), NotifyProvisionProductEngineWorkflowResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5457,9 +5384,9 @@ extension ServiceCatalogClient { /// /// Notifies the result of the terminate engine execution. /// - /// - Parameter NotifyTerminateProvisionedProductEngineWorkflowResultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `NotifyTerminateProvisionedProductEngineWorkflowResultInput`) /// - /// - Returns: `NotifyTerminateProvisionedProductEngineWorkflowResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `NotifyTerminateProvisionedProductEngineWorkflowResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5493,7 +5420,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NotifyTerminateProvisionedProductEngineWorkflowResultOutput.httpOutput(from:), NotifyTerminateProvisionedProductEngineWorkflowResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5528,9 +5454,9 @@ extension ServiceCatalogClient { /// /// Notifies the result of the update engine execution. /// - /// - Parameter NotifyUpdateProvisionedProductEngineWorkflowResultInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `NotifyUpdateProvisionedProductEngineWorkflowResultInput`) /// - /// - Returns: `NotifyUpdateProvisionedProductEngineWorkflowResultOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `NotifyUpdateProvisionedProductEngineWorkflowResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5564,7 +5490,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NotifyUpdateProvisionedProductEngineWorkflowResultOutput.httpOutput(from:), NotifyUpdateProvisionedProductEngineWorkflowResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5599,9 +5524,9 @@ extension ServiceCatalogClient { /// /// Provisions the specified product. A provisioned product is a resourced instance of a product. For example, provisioning a product that's based on an CloudFormation template launches an CloudFormation stack and its underlying resources. You can check the status of this request using [DescribeRecord]. If the request contains a tag key with an empty list of values, there's a tag conflict for that key. Don't include conflicted keys as tags, or this will cause the error "Parameter validation failed: Missing required parameter in Tags[N]:Value". When provisioning a product that's been added to a portfolio, you must grant your user, group, or role access to the portfolio. For more information, see [Granting users access](https://docs.aws.amazon.com/servicecatalog/latest/adminguide/catalogs_portfolios_users.html) in the Service Catalog User Guide. /// - /// - Parameter ProvisionProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ProvisionProductInput`) /// - /// - Returns: `ProvisionProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ProvisionProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5636,7 +5561,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ProvisionProductOutput.httpOutput(from:), ProvisionProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5671,9 +5595,9 @@ extension ServiceCatalogClient { /// /// Rejects an offer to share the specified portfolio. /// - /// - Parameter RejectPortfolioShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectPortfolioShareInput`) /// - /// - Returns: `RejectPortfolioShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectPortfolioShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5705,7 +5629,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectPortfolioShareOutput.httpOutput(from:), RejectPortfolioShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5740,9 +5663,9 @@ extension ServiceCatalogClient { /// /// Lists the provisioned products that are available (not terminated). To use additional filtering, see [SearchProvisionedProducts]. /// - /// - Parameter ScanProvisionedProductsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ScanProvisionedProductsInput`) /// - /// - Returns: `ScanProvisionedProductsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ScanProvisionedProductsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5774,7 +5697,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ScanProvisionedProductsOutput.httpOutput(from:), ScanProvisionedProductsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5809,9 +5731,9 @@ extension ServiceCatalogClient { /// /// Gets information about the products to which the caller has access. /// - /// - Parameter SearchProductsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchProductsInput`) /// - /// - Returns: `SearchProductsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchProductsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5843,7 +5765,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchProductsOutput.httpOutput(from:), SearchProductsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5878,9 +5799,9 @@ extension ServiceCatalogClient { /// /// Gets information about the products for the specified portfolio or all products. /// - /// - Parameter SearchProductsAsAdminInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchProductsAsAdminInput`) /// - /// - Returns: `SearchProductsAsAdminOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchProductsAsAdminOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5913,7 +5834,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchProductsAsAdminOutput.httpOutput(from:), SearchProductsAsAdminOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5948,9 +5868,9 @@ extension ServiceCatalogClient { /// /// Gets information about the provisioned products that meet the specified criteria. /// - /// - Parameter SearchProvisionedProductsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchProvisionedProductsInput`) /// - /// - Returns: `SearchProvisionedProductsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchProvisionedProductsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5982,7 +5902,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchProvisionedProductsOutput.httpOutput(from:), SearchProvisionedProductsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6017,9 +5936,9 @@ extension ServiceCatalogClient { /// /// Terminates the specified provisioned product. This operation does not delete any records associated with the provisioned product. You can check the status of this request using [DescribeRecord]. /// - /// - Parameter TerminateProvisionedProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateProvisionedProductInput`) /// - /// - Returns: `TerminateProvisionedProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateProvisionedProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6052,7 +5971,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateProvisionedProductOutput.httpOutput(from:), TerminateProvisionedProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6087,9 +6005,9 @@ extension ServiceCatalogClient { /// /// Updates the specified constraint. /// - /// - Parameter UpdateConstraintInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConstraintInput`) /// - /// - Returns: `UpdateConstraintOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConstraintOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6122,7 +6040,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConstraintOutput.httpOutput(from:), UpdateConstraintOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6157,9 +6074,9 @@ extension ServiceCatalogClient { /// /// Updates the specified portfolio. You cannot update a product that was shared with you. /// - /// - Parameter UpdatePortfolioInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePortfolioInput`) /// - /// - Returns: `UpdatePortfolioOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePortfolioOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6194,7 +6111,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePortfolioOutput.httpOutput(from:), UpdatePortfolioOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6229,9 +6145,9 @@ extension ServiceCatalogClient { /// /// Updates the specified portfolio share. You can use this API to enable or disable TagOptions sharing or Principal sharing for an existing portfolio share. The portfolio share cannot be updated if the CreatePortfolioShare operation is IN_PROGRESS, as the share is not available to recipient entities. In this case, you must wait for the portfolio share to be completed. You must provide the accountId or organization node in the input, but not both. If the portfolio is shared to both an external account and an organization node, and both shares need to be updated, you must invoke UpdatePortfolioShare separately for each share type. This API cannot be used for removing the portfolio share. You must use DeletePortfolioShare API for that action. When you associate a principal with portfolio, a potential privilege escalation path may occur when that portfolio is then shared with other accounts. For a user in a recipient account who is not an Service Catalog Admin, but still has the ability to create Principals (Users/Groups/Roles), that user could create a role that matches a principal name association for the portfolio. Although this user may not know which principal names are associated through Service Catalog, they may be able to guess the user. If this potential escalation path is a concern, then Service Catalog recommends using PrincipalType as IAM. With this configuration, the PrincipalARN must already exist in the recipient account before it can be associated. /// - /// - Parameter UpdatePortfolioShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePortfolioShareInput`) /// - /// - Returns: `UpdatePortfolioShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePortfolioShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6266,7 +6182,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePortfolioShareOutput.httpOutput(from:), UpdatePortfolioShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6301,9 +6216,9 @@ extension ServiceCatalogClient { /// /// Updates the specified product. /// - /// - Parameter UpdateProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProductInput`) /// - /// - Returns: `UpdateProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6337,7 +6252,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProductOutput.httpOutput(from:), UpdateProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6372,9 +6286,9 @@ extension ServiceCatalogClient { /// /// Requests updates to the configuration of the specified provisioned product. If there are tags associated with the object, they cannot be updated or added. Depending on the specific updates requested, this operation can update with no interruption, with some interruption, or replace the provisioned product entirely. You can check the status of this request using [DescribeRecord]. /// - /// - Parameter UpdateProvisionedProductInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProvisionedProductInput`) /// - /// - Returns: `UpdateProvisionedProductOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProvisionedProductOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6408,7 +6322,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProvisionedProductOutput.httpOutput(from:), UpdateProvisionedProductOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6443,9 +6356,9 @@ extension ServiceCatalogClient { /// /// Requests updates to the properties of the specified provisioned product. /// - /// - Parameter UpdateProvisionedProductPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProvisionedProductPropertiesInput`) /// - /// - Returns: `UpdateProvisionedProductPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProvisionedProductPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6480,7 +6393,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProvisionedProductPropertiesOutput.httpOutput(from:), UpdateProvisionedProductPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6515,9 +6427,9 @@ extension ServiceCatalogClient { /// /// Updates the specified provisioning artifact (also known as a version) for the specified product. You cannot update a provisioning artifact for a product that was shared with you. /// - /// - Parameter UpdateProvisioningArtifactInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProvisioningArtifactInput`) /// - /// - Returns: `UpdateProvisioningArtifactOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProvisioningArtifactOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6550,7 +6462,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProvisioningArtifactOutput.httpOutput(from:), UpdateProvisioningArtifactOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6585,9 +6496,9 @@ extension ServiceCatalogClient { /// /// Updates a self-service action. /// - /// - Parameter UpdateServiceActionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceActionInput`) /// - /// - Returns: `UpdateServiceActionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceActionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6620,7 +6531,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceActionOutput.httpOutput(from:), UpdateServiceActionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6655,9 +6565,9 @@ extension ServiceCatalogClient { /// /// Updates the specified TagOption. /// - /// - Parameter UpdateTagOptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTagOptionInput`) /// - /// - Returns: `UpdateTagOptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTagOptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6692,7 +6602,6 @@ extension ServiceCatalogClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTagOptionOutput.httpOutput(from:), UpdateTagOptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSServiceCatalogAppRegistry/Sources/AWSServiceCatalogAppRegistry/ServiceCatalogAppRegistryClient.swift b/Sources/Services/AWSServiceCatalogAppRegistry/Sources/AWSServiceCatalogAppRegistry/ServiceCatalogAppRegistryClient.swift index 9ef553f6589..682f9fd069c 100644 --- a/Sources/Services/AWSServiceCatalogAppRegistry/Sources/AWSServiceCatalogAppRegistry/ServiceCatalogAppRegistryClient.swift +++ b/Sources/Services/AWSServiceCatalogAppRegistry/Sources/AWSServiceCatalogAppRegistry/ServiceCatalogAppRegistryClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ServiceCatalogAppRegistryClient: ClientRuntime.Client { public static let clientName = "ServiceCatalogAppRegistryClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ServiceCatalogAppRegistryClient.ServiceCatalogAppRegistryClientConfiguration let serviceName = "Service Catalog AppRegistry" @@ -375,9 +374,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Associates an attribute group with an application to augment the application's metadata with the group's attributes. This feature enables applications to be described with user-defined details that are machine-readable, such as third-party integrations. /// - /// - Parameter AssociateAttributeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateAttributeGroupInput`) /// - /// - Returns: `AssociateAttributeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateAttributeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateAttributeGroupOutput.httpOutput(from:), AssociateAttributeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -460,9 +458,9 @@ extension ServiceCatalogAppRegistryClient { /// /// In addition, you must have the tagging permission defined by the Amazon Web Services service that creates the resource. For more information, see [TagResources](https://docs.aws.amazon.com/resourcegroupstagging/latest/APIReference/API_TagResources.html) in the Resource Groups Tagging API Reference. /// - /// - Parameter AssociateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateResourceInput`) /// - /// - Returns: `AssociateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -501,7 +499,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateResourceOutput.httpOutput(from:), AssociateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -533,9 +530,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Creates a new application that is the top-level node in a hierarchy of related cloud resource abstractions. /// - /// - Parameter CreateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateApplicationInput`) /// - /// - Returns: `CreateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -574,7 +571,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateApplicationOutput.httpOutput(from:), CreateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -606,9 +602,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Creates a new attribute group as a container for user-defined attributes. This feature enables users to have full control over their cloud application's metadata in a rich machine-readable format to facilitate integration with automated workflows and third-party tools. /// - /// - Parameter CreateAttributeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAttributeGroupInput`) /// - /// - Returns: `CreateAttributeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAttributeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -646,7 +642,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAttributeGroupOutput.httpOutput(from:), CreateAttributeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -678,9 +673,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Deletes an application that is specified either by its application ID, name, or ARN. All associated attribute groups and resources must be disassociated from it before deleting an application. /// - /// - Parameter DeleteApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteApplicationInput`) /// - /// - Returns: `DeleteApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -713,7 +708,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteApplicationOutput.httpOutput(from:), DeleteApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -745,9 +739,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Deletes an attribute group, specified either by its attribute group ID, name, or ARN. /// - /// - Parameter DeleteAttributeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAttributeGroupInput`) /// - /// - Returns: `DeleteAttributeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAttributeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -780,7 +774,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAttributeGroupOutput.httpOutput(from:), DeleteAttributeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -812,9 +805,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Disassociates an attribute group from an application to remove the extra attributes contained in the attribute group from the application's metadata. This operation reverts AssociateAttributeGroup. /// - /// - Parameter DisassociateAttributeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateAttributeGroupInput`) /// - /// - Returns: `DisassociateAttributeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateAttributeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -847,7 +840,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateAttributeGroupOutput.httpOutput(from:), DisassociateAttributeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -895,9 +887,9 @@ extension ServiceCatalogAppRegistryClient { /// /// In addition, you must have the tagging permission defined by the Amazon Web Services service that creates the resource. For more information, see [UntagResources](https://docs.aws.amazon.com/resourcegroupstagging/latest/APIReference/API_UntTagResources.html) in the Resource Groups Tagging API Reference. /// - /// - Parameter DisassociateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateResourceInput`) /// - /// - Returns: `DisassociateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -931,7 +923,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateResourceOutput.httpOutput(from:), DisassociateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -963,9 +954,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Retrieves metadata information about one of your applications. The application can be specified by its ARN, ID, or name (which is unique within one account in one region at a given point in time). Specify by ARN or ID in automated workflows if you want to make sure that the exact same application is returned or a ResourceNotFoundException is thrown, avoiding the ABA addressing problem. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -999,7 +990,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1031,9 +1021,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Gets the resource associated with the application. /// - /// - Parameter GetAssociatedResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssociatedResourceInput`) /// - /// - Returns: `GetAssociatedResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssociatedResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1067,7 +1057,6 @@ extension ServiceCatalogAppRegistryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAssociatedResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssociatedResourceOutput.httpOutput(from:), GetAssociatedResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1099,9 +1088,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Retrieves an attribute group by its ARN, ID, or name. The attribute group can be specified by its ARN, ID, or name. /// - /// - Parameter GetAttributeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAttributeGroupInput`) /// - /// - Returns: `GetAttributeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAttributeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1135,7 +1124,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAttributeGroupOutput.httpOutput(from:), GetAttributeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1167,9 +1155,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Retrieves a TagKey configuration from an account. /// - /// - Parameter GetConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigurationInput`) /// - /// - Returns: `GetConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1200,7 +1188,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationOutput.httpOutput(from:), GetConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1232,9 +1219,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Retrieves a list of all of your applications. Results are paginated. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1267,7 +1254,6 @@ extension ServiceCatalogAppRegistryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListApplicationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1299,9 +1285,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Lists all attribute groups that are associated with specified application. Results are paginated. /// - /// - Parameter ListAssociatedAttributeGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedAttributeGroupsInput`) /// - /// - Returns: `ListAssociatedAttributeGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedAttributeGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1335,7 +1321,6 @@ extension ServiceCatalogAppRegistryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssociatedAttributeGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedAttributeGroupsOutput.httpOutput(from:), ListAssociatedAttributeGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1367,9 +1352,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Lists all of the resources that are associated with the specified application. Results are paginated. If you share an application, and a consumer account associates a tag query to the application, all of the users who can access the application can also view the tag values in all accounts that are associated with it using this API. /// - /// - Parameter ListAssociatedResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedResourcesInput`) /// - /// - Returns: `ListAssociatedResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1403,7 +1388,6 @@ extension ServiceCatalogAppRegistryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssociatedResourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedResourcesOutput.httpOutput(from:), ListAssociatedResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1435,9 +1419,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Lists all attribute groups which you have access to. Results are paginated. /// - /// - Parameter ListAttributeGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttributeGroupsInput`) /// - /// - Returns: `ListAttributeGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAttributeGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1470,7 +1454,6 @@ extension ServiceCatalogAppRegistryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAttributeGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttributeGroupsOutput.httpOutput(from:), ListAttributeGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1502,9 +1485,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Lists the details of all attribute groups associated with a specific application. The results display in pages. /// - /// - Parameter ListAttributeGroupsForApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttributeGroupsForApplicationInput`) /// - /// - Returns: `ListAttributeGroupsForApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAttributeGroupsForApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1538,7 +1521,6 @@ extension ServiceCatalogAppRegistryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAttributeGroupsForApplicationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttributeGroupsForApplicationOutput.httpOutput(from:), ListAttributeGroupsForApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1570,9 +1552,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Lists all of the tags on the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1605,7 +1587,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1637,9 +1618,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Associates a TagKey configuration to an account. /// - /// - Parameter PutConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutConfigurationInput`) /// - /// - Returns: `PutConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1675,7 +1656,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutConfigurationOutput.httpOutput(from:), PutConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1707,9 +1687,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Syncs the resource with current AppRegistry records. Specifically, the resource’s AppRegistry system tags sync with its associated application. We remove the resource's AppRegistry system tags if it does not associate with the application. The caller must have permissions to read and update the resource. /// - /// - Parameter SyncResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SyncResourceInput`) /// - /// - Returns: `SyncResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SyncResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1744,7 +1724,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SyncResourceOutput.httpOutput(from:), SyncResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1776,9 +1755,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Assigns one or more tags (key-value pairs) to the specified resource. Each tag consists of a key and an optional value. If a tag with the same key is already associated with the resource, this action updates its value. This operation returns an empty response if the call was successful. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1814,7 +1793,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1846,9 +1824,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Removes tags from a resource. This operation returns an empty response if the call was successful. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1882,7 +1860,6 @@ extension ServiceCatalogAppRegistryClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1914,9 +1891,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Updates an existing application with new attributes. /// - /// - Parameter UpdateApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationInput`) /// - /// - Returns: `UpdateApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1954,7 +1931,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationOutput.httpOutput(from:), UpdateApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1986,9 +1962,9 @@ extension ServiceCatalogAppRegistryClient { /// /// Updates an existing attribute group with new details. /// - /// - Parameter UpdateAttributeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAttributeGroupInput`) /// - /// - Returns: `UpdateAttributeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAttributeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2025,7 +2001,6 @@ extension ServiceCatalogAppRegistryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAttributeGroupOutput.httpOutput(from:), UpdateAttributeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSServiceDiscovery/Sources/AWSServiceDiscovery/ServiceDiscoveryClient.swift b/Sources/Services/AWSServiceDiscovery/Sources/AWSServiceDiscovery/ServiceDiscoveryClient.swift index 64d2abd892d..154fd991db6 100644 --- a/Sources/Services/AWSServiceDiscovery/Sources/AWSServiceDiscovery/ServiceDiscoveryClient.swift +++ b/Sources/Services/AWSServiceDiscovery/Sources/AWSServiceDiscovery/ServiceDiscoveryClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ServiceDiscoveryClient: ClientRuntime.Client { public static let clientName = "ServiceDiscoveryClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ServiceDiscoveryClient.ServiceDiscoveryClientConfiguration let serviceName = "ServiceDiscovery" @@ -374,9 +373,9 @@ extension ServiceDiscoveryClient { /// /// Creates an HTTP namespace. Service instances registered using an HTTP namespace can be discovered using a DiscoverInstances request but can't be discovered using DNS. For the current quota on the number of namespaces that you can create using the same Amazon Web Services account, see [Cloud Map quotas](https://docs.aws.amazon.com/cloud-map/latest/dg/cloud-map-limits.html) in the Cloud Map Developer Guide. /// - /// - Parameter CreateHttpNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateHttpNamespaceInput`) /// - /// - Returns: `CreateHttpNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateHttpNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateHttpNamespaceOutput.httpOutput(from:), CreateHttpNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension ServiceDiscoveryClient { /// /// Creates a private namespace based on DNS, which is visible only inside a specified Amazon VPC. The namespace defines your service naming scheme. For example, if you name your namespace example.com and name your service backend, the resulting DNS name for the service is backend.example.com. Service instances that are registered using a private DNS namespace can be discovered using either a DiscoverInstances request or using DNS. For the current quota on the number of namespaces that you can create using the same Amazon Web Services account, see [Cloud Map quotas](https://docs.aws.amazon.com/cloud-map/latest/dg/cloud-map-limits.html) in the Cloud Map Developer Guide. /// - /// - Parameter CreatePrivateDnsNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePrivateDnsNamespaceInput`) /// - /// - Returns: `CreatePrivateDnsNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePrivateDnsNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePrivateDnsNamespaceOutput.httpOutput(from:), CreatePrivateDnsNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension ServiceDiscoveryClient { /// /// Creates a public namespace based on DNS, which is visible on the internet. The namespace defines your service naming scheme. For example, if you name your namespace example.com and name your service backend, the resulting DNS name for the service is backend.example.com. You can discover instances that were registered with a public DNS namespace by using either a DiscoverInstances request or using DNS. For the current quota on the number of namespaces that you can create using the same Amazon Web Services account, see [Cloud Map quotas](https://docs.aws.amazon.com/cloud-map/latest/dg/cloud-map-limits.html) in the Cloud Map Developer Guide. The CreatePublicDnsNamespace API operation is not supported in the Amazon Web Services GovCloud (US) Regions. /// - /// - Parameter CreatePublicDnsNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePublicDnsNamespaceInput`) /// - /// - Returns: `CreatePublicDnsNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePublicDnsNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePublicDnsNamespaceOutput.httpOutput(from:), CreatePublicDnsNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -616,9 +612,9 @@ extension ServiceDiscoveryClient { /// /// After you create the service, you can submit a [RegisterInstance](https://docs.aws.amazon.com/cloud-map/latest/api/API_RegisterInstance.html) request, and Cloud Map uses the values in the configuration to create the specified entities. For the current quota on the number of instances that you can register using the same namespace and using the same service, see [Cloud Map quotas](https://docs.aws.amazon.com/cloud-map/latest/dg/cloud-map-limits.html) in the Cloud Map Developer Guide. /// - /// - Parameter CreateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceInput`) /// - /// - Returns: `CreateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -655,7 +651,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceOutput.httpOutput(from:), CreateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -690,9 +685,9 @@ extension ServiceDiscoveryClient { /// /// Deletes a namespace from the current account. If the namespace still contains one or more services, the request fails. /// - /// - Parameter DeleteNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNamespaceInput`) /// - /// - Returns: `DeleteNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -727,7 +722,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNamespaceOutput.httpOutput(from:), DeleteNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -762,9 +756,9 @@ extension ServiceDiscoveryClient { /// /// Deletes a specified service and all associated service attributes. If the service still contains one or more registered instances, the request fails. /// - /// - Parameter DeleteServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceInput`) /// - /// - Returns: `DeleteServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -798,7 +792,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceOutput.httpOutput(from:), DeleteServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -833,9 +826,9 @@ extension ServiceDiscoveryClient { /// /// Deletes specific attributes associated with a service. /// - /// - Parameter DeleteServiceAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceAttributesInput`) /// - /// - Returns: `DeleteServiceAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -868,7 +861,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceAttributesOutput.httpOutput(from:), DeleteServiceAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -903,9 +895,9 @@ extension ServiceDiscoveryClient { /// /// Deletes the Amazon Route 53 DNS records and health check, if any, that Cloud Map created for the specified instance. /// - /// - Parameter DeregisterInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterInstanceInput`) /// - /// - Returns: `DeregisterInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -941,7 +933,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterInstanceOutput.httpOutput(from:), DeregisterInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -976,9 +967,9 @@ extension ServiceDiscoveryClient { /// /// Discovers registered instances for a specified namespace and service. You can use DiscoverInstances to discover instances for any type of namespace. DiscoverInstances returns a randomized list of instances allowing customers to distribute traffic evenly across instances. For public and private DNS namespaces, you can also use DNS queries to discover instances. /// - /// - Parameter DiscoverInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DiscoverInstancesInput`) /// - /// - Returns: `DiscoverInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DiscoverInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1013,7 +1004,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DiscoverInstancesOutput.httpOutput(from:), DiscoverInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1048,9 +1038,9 @@ extension ServiceDiscoveryClient { /// /// Discovers the increasing revision associated with an instance. /// - /// - Parameter DiscoverInstancesRevisionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DiscoverInstancesRevisionInput`) /// - /// - Returns: `DiscoverInstancesRevisionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DiscoverInstancesRevisionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1085,7 +1075,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DiscoverInstancesRevisionOutput.httpOutput(from:), DiscoverInstancesRevisionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1120,9 +1109,9 @@ extension ServiceDiscoveryClient { /// /// Gets information about a specified instance. /// - /// - Parameter GetInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstanceInput`) /// - /// - Returns: `GetInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1156,7 +1145,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceOutput.httpOutput(from:), GetInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1191,9 +1179,9 @@ extension ServiceDiscoveryClient { /// /// Gets the current health status (Healthy, Unhealthy, or Unknown) of one or more instances that are associated with a specified service. There's a brief delay between when you register an instance and when the health status for the instance is available. /// - /// - Parameter GetInstancesHealthStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInstancesHealthStatusInput`) /// - /// - Returns: `GetInstancesHealthStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInstancesHealthStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1227,7 +1215,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstancesHealthStatusOutput.httpOutput(from:), GetInstancesHealthStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1262,9 +1249,9 @@ extension ServiceDiscoveryClient { /// /// Gets information about a namespace. /// - /// - Parameter GetNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNamespaceInput`) /// - /// - Returns: `GetNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1297,7 +1284,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNamespaceOutput.httpOutput(from:), GetNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1332,9 +1318,9 @@ extension ServiceDiscoveryClient { /// /// Gets information about any operation that returns an operation ID in the response, such as a CreateHttpNamespace request. To get a list of operations that match specified criteria, see [ListOperations](https://docs.aws.amazon.com/cloud-map/latest/api/API_ListOperations.html). /// - /// - Parameter GetOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOperationInput`) /// - /// - Returns: `GetOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1367,7 +1353,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOperationOutput.httpOutput(from:), GetOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1402,9 +1387,9 @@ extension ServiceDiscoveryClient { /// /// Gets the settings for a specified service. /// - /// - Parameter GetServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceInput`) /// - /// - Returns: `GetServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1437,7 +1422,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceOutput.httpOutput(from:), GetServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1472,9 +1456,9 @@ extension ServiceDiscoveryClient { /// /// Returns the attributes associated with a specified service. /// - /// - Parameter GetServiceAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceAttributesInput`) /// - /// - Returns: `GetServiceAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1507,7 +1491,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceAttributesOutput.httpOutput(from:), GetServiceAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1542,9 +1525,9 @@ extension ServiceDiscoveryClient { /// /// Lists summary information about the instances that you registered by using a specified service. /// - /// - Parameter ListInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListInstancesInput`) /// - /// - Returns: `ListInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1577,7 +1560,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstancesOutput.httpOutput(from:), ListInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1612,9 +1594,9 @@ extension ServiceDiscoveryClient { /// /// Lists summary information about the namespaces that were created by the current Amazon Web Services account and shared with the current Amazon Web Services account. /// - /// - Parameter ListNamespacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNamespacesInput`) /// - /// - Returns: `ListNamespacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNamespacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1646,7 +1628,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNamespacesOutput.httpOutput(from:), ListNamespacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1681,9 +1662,9 @@ extension ServiceDiscoveryClient { /// /// Lists operations that match the criteria that you specify. /// - /// - Parameter ListOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOperationsInput`) /// - /// - Returns: `ListOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1715,7 +1696,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOperationsOutput.httpOutput(from:), ListOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1750,9 +1730,9 @@ extension ServiceDiscoveryClient { /// /// Lists summary information for all the services that are associated with one or more namespaces. /// - /// - Parameter ListServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicesInput`) /// - /// - Returns: `ListServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1784,7 +1764,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicesOutput.httpOutput(from:), ListServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1819,9 +1798,9 @@ extension ServiceDiscoveryClient { /// /// Lists tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1854,7 +1833,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1907,9 +1885,9 @@ extension ServiceDiscoveryClient { /// /// For the current quota on the number of instances that you can register using the same namespace and using the same service, see [Cloud Map quotas](https://docs.aws.amazon.com/cloud-map/latest/dg/cloud-map-limits.html) in the Cloud Map Developer Guide. /// - /// - Parameter RegisterInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterInstanceInput`) /// - /// - Returns: `RegisterInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1946,7 +1924,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterInstanceOutput.httpOutput(from:), RegisterInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1981,9 +1958,9 @@ extension ServiceDiscoveryClient { /// /// Adds one or more tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2017,7 +1994,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2052,9 +2028,9 @@ extension ServiceDiscoveryClient { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2087,7 +2063,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2122,9 +2097,9 @@ extension ServiceDiscoveryClient { /// /// Updates an HTTP namespace. /// - /// - Parameter UpdateHttpNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHttpNamespaceInput`) /// - /// - Returns: `UpdateHttpNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHttpNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2160,7 +2135,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHttpNamespaceOutput.httpOutput(from:), UpdateHttpNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2195,9 +2169,9 @@ extension ServiceDiscoveryClient { /// /// Submits a request to change the health status of a custom health check to healthy or unhealthy. You can use UpdateInstanceCustomHealthStatus to change the status only for custom health checks, which you define using HealthCheckCustomConfig when you create a service. You can't use it to change the status for Route 53 health checks, which you define using HealthCheckConfig. For more information, see [HealthCheckCustomConfig](https://docs.aws.amazon.com/cloud-map/latest/api/API_HealthCheckCustomConfig.html). /// - /// - Parameter UpdateInstanceCustomHealthStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateInstanceCustomHealthStatusInput`) /// - /// - Returns: `UpdateInstanceCustomHealthStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateInstanceCustomHealthStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2232,7 +2206,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInstanceCustomHealthStatusOutput.httpOutput(from:), UpdateInstanceCustomHealthStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2267,9 +2240,9 @@ extension ServiceDiscoveryClient { /// /// Updates a private DNS namespace. /// - /// - Parameter UpdatePrivateDnsNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePrivateDnsNamespaceInput`) /// - /// - Returns: `UpdatePrivateDnsNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePrivateDnsNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2305,7 +2278,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePrivateDnsNamespaceOutput.httpOutput(from:), UpdatePrivateDnsNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2340,9 +2312,9 @@ extension ServiceDiscoveryClient { /// /// Updates a public DNS namespace. /// - /// - Parameter UpdatePublicDnsNamespaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePublicDnsNamespaceInput`) /// - /// - Returns: `UpdatePublicDnsNamespaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePublicDnsNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2378,7 +2350,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePublicDnsNamespaceOutput.httpOutput(from:), UpdatePublicDnsNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2434,9 +2405,9 @@ extension ServiceDiscoveryClient { /// /// When you update settings for a service, Cloud Map also updates the corresponding settings in all the records and health checks that were created by using the specified service. /// - /// - Parameter UpdateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceInput`) /// - /// - Returns: `UpdateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2470,7 +2441,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceOutput.httpOutput(from:), UpdateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2505,9 +2475,9 @@ extension ServiceDiscoveryClient { /// /// Submits a request to update a specified service to add service-level attributes. /// - /// - Parameter UpdateServiceAttributesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceAttributesInput`) /// - /// - Returns: `UpdateServiceAttributesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceAttributesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2541,7 +2511,6 @@ extension ServiceDiscoveryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceAttributesOutput.httpOutput(from:), UpdateServiceAttributesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSServiceQuotas/Sources/AWSServiceQuotas/ServiceQuotasClient.swift b/Sources/Services/AWSServiceQuotas/Sources/AWSServiceQuotas/ServiceQuotasClient.swift index 0654d906ae1..6787c488f70 100644 --- a/Sources/Services/AWSServiceQuotas/Sources/AWSServiceQuotas/ServiceQuotasClient.swift +++ b/Sources/Services/AWSServiceQuotas/Sources/AWSServiceQuotas/ServiceQuotasClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ServiceQuotasClient: ClientRuntime.Client { public static let clientName = "ServiceQuotasClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ServiceQuotasClient.ServiceQuotasClientConfiguration let serviceName = "Service Quotas" @@ -373,9 +372,9 @@ extension ServiceQuotasClient { /// /// Associates your quota request template with your organization. When a new Amazon Web Services account is created in your organization, the quota increase requests in the template are automatically applied to the account. You can add a quota increase request for any adjustable quota to your template. /// - /// - Parameter AssociateServiceQuotaTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateServiceQuotaTemplateInput`) /// - /// - Returns: `AssociateServiceQuotaTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateServiceQuotaTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateServiceQuotaTemplateOutput.httpOutput(from:), AssociateServiceQuotaTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension ServiceQuotasClient { /// /// Creates a Support case for an existing quota increase request. This call only creates a Support case if the request has a Pending status. /// - /// - Parameter CreateSupportCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSupportCaseInput`) /// - /// - Returns: `CreateSupportCaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSupportCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSupportCaseOutput.httpOutput(from:), CreateSupportCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension ServiceQuotasClient { /// /// Deletes the quota increase request for the specified quota from your quota request template. /// - /// - Parameter DeleteServiceQuotaIncreaseRequestFromTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceQuotaIncreaseRequestFromTemplateInput`) /// - /// - Returns: `DeleteServiceQuotaIncreaseRequestFromTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceQuotaIncreaseRequestFromTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceQuotaIncreaseRequestFromTemplateOutput.httpOutput(from:), DeleteServiceQuotaIncreaseRequestFromTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -602,9 +598,9 @@ extension ServiceQuotasClient { /// /// Disables your quota request template. After a template is disabled, the quota increase requests in the template are not applied to new Amazon Web Services accounts in your organization. Disabling a quota request template does not apply its quota increase requests. /// - /// - Parameter DisassociateServiceQuotaTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateServiceQuotaTemplateInput`) /// - /// - Returns: `DisassociateServiceQuotaTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateServiceQuotaTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -643,7 +639,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateServiceQuotaTemplateOutput.httpOutput(from:), DisassociateServiceQuotaTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -678,9 +673,9 @@ extension ServiceQuotasClient { /// /// Retrieves the default value for the specified quota. The default value does not reflect any quota increases. /// - /// - Parameter GetAWSDefaultServiceQuotaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAWSDefaultServiceQuotaInput`) /// - /// - Returns: `GetAWSDefaultServiceQuotaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAWSDefaultServiceQuotaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -716,7 +711,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAWSDefaultServiceQuotaOutput.httpOutput(from:), GetAWSDefaultServiceQuotaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -751,9 +745,9 @@ extension ServiceQuotasClient { /// /// Retrieves the status of the association for the quota request template. /// - /// - Parameter GetAssociationForServiceQuotaTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssociationForServiceQuotaTemplateInput`) /// - /// - Returns: `GetAssociationForServiceQuotaTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssociationForServiceQuotaTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -792,7 +786,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssociationForServiceQuotaTemplateOutput.httpOutput(from:), GetAssociationForServiceQuotaTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -827,9 +820,9 @@ extension ServiceQuotasClient { /// /// Retrieves information about the specified quota increase request. /// - /// - Parameter GetRequestedServiceQuotaChangeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRequestedServiceQuotaChangeInput`) /// - /// - Returns: `GetRequestedServiceQuotaChangeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRequestedServiceQuotaChangeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -865,7 +858,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRequestedServiceQuotaChangeOutput.httpOutput(from:), GetRequestedServiceQuotaChangeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -900,9 +892,9 @@ extension ServiceQuotasClient { /// /// Retrieves the applied quota value for the specified account-level or resource-level quota. For some quotas, only the default values are available. If the applied quota value is not available for a quota, the quota is not retrieved. /// - /// - Parameter GetServiceQuotaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceQuotaInput`) /// - /// - Returns: `GetServiceQuotaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceQuotaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -938,7 +930,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceQuotaOutput.httpOutput(from:), GetServiceQuotaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -973,9 +964,9 @@ extension ServiceQuotasClient { /// /// Retrieves information about the specified quota increase request in your quota request template. /// - /// - Parameter GetServiceQuotaIncreaseRequestFromTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceQuotaIncreaseRequestFromTemplateInput`) /// - /// - Returns: `GetServiceQuotaIncreaseRequestFromTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceQuotaIncreaseRequestFromTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1015,7 +1006,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceQuotaIncreaseRequestFromTemplateOutput.httpOutput(from:), GetServiceQuotaIncreaseRequestFromTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1050,9 +1040,9 @@ extension ServiceQuotasClient { /// /// Lists the default values for the quotas for the specified Amazon Web Services service. A default value does not reflect any quota increases. /// - /// - Parameter ListAWSDefaultServiceQuotasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAWSDefaultServiceQuotasInput`) /// - /// - Returns: `ListAWSDefaultServiceQuotasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAWSDefaultServiceQuotasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1089,7 +1079,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAWSDefaultServiceQuotasOutput.httpOutput(from:), ListAWSDefaultServiceQuotasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1124,9 +1113,9 @@ extension ServiceQuotasClient { /// /// Retrieves the quota increase requests for the specified Amazon Web Services service. Filter responses to return quota requests at either the account level, resource level, or all levels. Responses include any open or closed requests within 90 days. /// - /// - Parameter ListRequestedServiceQuotaChangeHistoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRequestedServiceQuotaChangeHistoryInput`) /// - /// - Returns: `ListRequestedServiceQuotaChangeHistoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRequestedServiceQuotaChangeHistoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1163,7 +1152,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRequestedServiceQuotaChangeHistoryOutput.httpOutput(from:), ListRequestedServiceQuotaChangeHistoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1198,9 +1186,9 @@ extension ServiceQuotasClient { /// /// Retrieves the quota increase requests for the specified quota. Filter responses to return quota requests at either the account level, resource level, or all levels. /// - /// - Parameter ListRequestedServiceQuotaChangeHistoryByQuotaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRequestedServiceQuotaChangeHistoryByQuotaInput`) /// - /// - Returns: `ListRequestedServiceQuotaChangeHistoryByQuotaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRequestedServiceQuotaChangeHistoryByQuotaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1237,7 +1225,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRequestedServiceQuotaChangeHistoryByQuotaOutput.httpOutput(from:), ListRequestedServiceQuotaChangeHistoryByQuotaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1272,9 +1259,9 @@ extension ServiceQuotasClient { /// /// Lists the quota increase requests in the specified quota request template. /// - /// - Parameter ListServiceQuotaIncreaseRequestsInTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceQuotaIncreaseRequestsInTemplateInput`) /// - /// - Returns: `ListServiceQuotaIncreaseRequestsInTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceQuotaIncreaseRequestsInTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1313,7 +1300,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceQuotaIncreaseRequestsInTemplateOutput.httpOutput(from:), ListServiceQuotaIncreaseRequestsInTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1348,9 +1334,9 @@ extension ServiceQuotasClient { /// /// Lists the applied quota values for the specified Amazon Web Services service. For some quotas, only the default values are available. If the applied quota value is not available for a quota, the quota is not retrieved. Filter responses to return applied quota values at either the account level, resource level, or all levels. /// - /// - Parameter ListServiceQuotasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceQuotasInput`) /// - /// - Returns: `ListServiceQuotasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceQuotasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1387,7 +1373,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceQuotasOutput.httpOutput(from:), ListServiceQuotasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1422,9 +1407,9 @@ extension ServiceQuotasClient { /// /// Lists the names and codes for the Amazon Web Services services integrated with Service Quotas. /// - /// - Parameter ListServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicesInput`) /// - /// - Returns: `ListServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1460,7 +1445,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicesOutput.httpOutput(from:), ListServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1495,9 +1479,9 @@ extension ServiceQuotasClient { /// /// Returns a list of the tags assigned to the specified applied quota. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1533,7 +1517,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1568,9 +1551,9 @@ extension ServiceQuotasClient { /// /// Adds a quota increase request to your quota request template. /// - /// - Parameter PutServiceQuotaIncreaseRequestIntoTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutServiceQuotaIncreaseRequestIntoTemplateInput`) /// - /// - Returns: `PutServiceQuotaIncreaseRequestIntoTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutServiceQuotaIncreaseRequestIntoTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1611,7 +1594,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutServiceQuotaIncreaseRequestIntoTemplateOutput.httpOutput(from:), PutServiceQuotaIncreaseRequestIntoTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1646,9 +1628,9 @@ extension ServiceQuotasClient { /// /// Submits a quota increase request for the specified quota at the account or resource level. /// - /// - Parameter RequestServiceQuotaIncreaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RequestServiceQuotaIncreaseInput`) /// - /// - Returns: `RequestServiceQuotaIncreaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RequestServiceQuotaIncreaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1688,7 +1670,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RequestServiceQuotaIncreaseOutput.httpOutput(from:), RequestServiceQuotaIncreaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1723,9 +1704,9 @@ extension ServiceQuotasClient { /// /// Adds tags to the specified applied quota. You can include one or more tags to add to the quota. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1763,7 +1744,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1798,9 +1778,9 @@ extension ServiceQuotasClient { /// /// Removes tags from the specified applied quota. You can specify one or more tags to remove. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1836,7 +1816,6 @@ extension ServiceQuotasClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSShield/Sources/AWSShield/ShieldClient.swift b/Sources/Services/AWSShield/Sources/AWSShield/ShieldClient.swift index 0e0dd011e8c..fe30c4b2f76 100644 --- a/Sources/Services/AWSShield/Sources/AWSShield/ShieldClient.swift +++ b/Sources/Services/AWSShield/Sources/AWSShield/ShieldClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class ShieldClient: ClientRuntime.Client { public static let clientName = "ShieldClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: ShieldClient.ShieldClientConfiguration let serviceName = "Shield" @@ -373,9 +372,9 @@ extension ShieldClient { /// /// Authorizes the Shield Response Team (SRT) to access the specified Amazon S3 bucket containing log data such as Application Load Balancer access logs, CloudFront logs, or logs from third party sources. You can associate up to 10 Amazon S3 buckets with your subscription. To use the services of the SRT and make an AssociateDRTLogBucket request, you must be subscribed to the [Business Support plan](http://aws.amazon.com/premiumsupport/business-support/) or the [Enterprise Support plan](http://aws.amazon.com/premiumsupport/enterprise-support/). /// - /// - Parameter AssociateDRTLogBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDRTLogBucketInput`) /// - /// - Returns: `AssociateDRTLogBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDRTLogBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDRTLogBucketOutput.httpOutput(from:), AssociateDRTLogBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension ShieldClient { /// /// Authorizes the Shield Response Team (SRT) using the specified role, to access your Amazon Web Services account to assist with DDoS attack mitigation during potential attacks. This enables the SRT to inspect your WAF configuration and create or update WAF rules and web ACLs. You can associate only one RoleArn with your subscription. If you submit an AssociateDRTRole request for an account that already has an associated role, the new RoleArn will replace the existing RoleArn. Prior to making the AssociateDRTRole request, you must attach the AWSShieldDRTAccessPolicy managed policy to the role that you'll specify in the request. You can access this policy in the IAM console at [AWSShieldDRTAccessPolicy](https://console.aws.amazon.com/iam/home?#/policies/arn:aws:iam::aws:policy/service-role/AWSShieldDRTAccessPolicy). For more information see [Adding and removing IAM identity permissions](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies_manage-attach-detach.html). The role must also trust the service principal drt.shield.amazonaws.com. For more information, see [IAM JSON policy elements: Principal](https://docs.aws.amazon.com/IAM/latest/UserGuide/reference_policies_elements_principal.html). The SRT will have access only to your WAF and Shield resources. By submitting this request, you authorize the SRT to inspect your WAF and Shield configuration and create and update WAF rules and web ACLs on your behalf. The SRT takes these actions only if explicitly authorized by you. You must have the iam:PassRole permission to make an AssociateDRTRole request. For more information, see [Granting a user permissions to pass a role to an Amazon Web Services service](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_roles_use_passrole.html). To use the services of the SRT and make an AssociateDRTRole request, you must be subscribed to the [Business Support plan](http://aws.amazon.com/premiumsupport/business-support/) or the [Enterprise Support plan](http://aws.amazon.com/premiumsupport/enterprise-support/). /// - /// - Parameter AssociateDRTRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDRTRoleInput`) /// - /// - Returns: `AssociateDRTRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDRTRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDRTRoleOutput.httpOutput(from:), AssociateDRTRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension ShieldClient { /// /// Adds health-based detection to the Shield Advanced protection for a resource. Shield Advanced health-based detection uses the health of your Amazon Web Services resource to improve responsiveness and accuracy in attack detection and response. You define the health check in Route 53 and then associate it with your Shield Advanced protection. For more information, see [Shield Advanced Health-Based Detection](https://docs.aws.amazon.com/waf/latest/developerguide/ddos-overview.html#ddos-advanced-health-check-option) in the WAF Developer Guide. /// - /// - Parameter AssociateHealthCheckInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateHealthCheckInput`) /// - /// - Returns: `AssociateHealthCheckOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateHealthCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateHealthCheckOutput.httpOutput(from:), AssociateHealthCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension ShieldClient { /// /// Initializes proactive engagement and sets the list of contacts for the Shield Response Team (SRT) to use. You must provide at least one phone number in the emergency contact list. After you have initialized proactive engagement using this call, to disable or enable proactive engagement, use the calls DisableProactiveEngagement and EnableProactiveEngagement. This call defines the list of email addresses and phone numbers that the SRT can use to contact you for escalations to the SRT and to initiate proactive customer support. The contacts that you provide in the request replace any contacts that were already defined. If you already have contacts defined and want to use them, retrieve the list using DescribeEmergencyContactSettings and then provide it to this call. /// - /// - Parameter AssociateProactiveEngagementDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateProactiveEngagementDetailsInput`) /// - /// - Returns: `AssociateProactiveEngagementDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateProactiveEngagementDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateProactiveEngagementDetailsOutput.httpOutput(from:), AssociateProactiveEngagementDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension ShieldClient { /// /// Enables Shield Advanced for a specific Amazon Web Services resource. The resource can be an Amazon CloudFront distribution, Amazon Route 53 hosted zone, Global Accelerator standard accelerator, Elastic IP Address, Application Load Balancer, or a Classic Load Balancer. You can protect Amazon EC2 instances and Network Load Balancers by association with protected Amazon EC2 Elastic IP addresses. You can add protection to only a single resource with each CreateProtection request. You can add protection to multiple resources at once through the Shield Advanced console at [https://console.aws.amazon.com/wafv2/shieldv2#/](https://console.aws.amazon.com/wafv2/shieldv2#/). For more information see [Getting Started with Shield Advanced](https://docs.aws.amazon.com/waf/latest/developerguide/getting-started-ddos.html) and [Adding Shield Advanced protection to Amazon Web Services resources](https://docs.aws.amazon.com/waf/latest/developerguide/configure-new-protection.html). /// - /// - Parameter CreateProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProtectionInput`) /// - /// - Returns: `CreateProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProtectionOutput.httpOutput(from:), CreateProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -746,9 +740,9 @@ extension ShieldClient { /// /// Creates a grouping of protected resources so they can be handled as a collective. This resource grouping improves the accuracy of detection and reduces false positives. /// - /// - Parameter CreateProtectionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProtectionGroupInput`) /// - /// - Returns: `CreateProtectionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProtectionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -785,7 +779,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProtectionGroupOutput.httpOutput(from:), CreateProtectionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -820,9 +813,9 @@ extension ShieldClient { /// /// Activates Shield Advanced for an account. For accounts that are members of an Organizations organization, Shield Advanced subscriptions are billed against the organization's payer account, regardless of whether the payer account itself is subscribed. When you initially create a subscription, your subscription is set to be automatically renewed at the end of the existing subscription period. You can change this by submitting an UpdateSubscription request. /// - /// - Parameter CreateSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSubscriptionInput`) /// - /// - Returns: `CreateSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -855,7 +848,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSubscriptionOutput.httpOutput(from:), CreateSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -890,9 +882,9 @@ extension ShieldClient { /// /// Deletes an Shield Advanced [Protection]. /// - /// - Parameter DeleteProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProtectionInput`) /// - /// - Returns: `DeleteProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -926,7 +918,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProtectionOutput.httpOutput(from:), DeleteProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -961,9 +952,9 @@ extension ShieldClient { /// /// Removes the specified protection group. /// - /// - Parameter DeleteProtectionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProtectionGroupInput`) /// - /// - Returns: `DeleteProtectionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProtectionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +988,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProtectionGroupOutput.httpOutput(from:), DeleteProtectionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1033,9 +1023,9 @@ extension ShieldClient { /// Removes Shield Advanced from an account. Shield Advanced requires a 1-year subscription commitment. You cannot delete a subscription prior to the completion of that commitment. @available(*, deprecated) /// - /// - Parameter DeleteSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSubscriptionInput`) /// - /// - Returns: `DeleteSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1069,7 +1059,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSubscriptionOutput.httpOutput(from:), DeleteSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1104,9 +1093,9 @@ extension ShieldClient { /// /// Describes the details of a DDoS attack. /// - /// - Parameter DescribeAttackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAttackInput`) /// - /// - Returns: `DescribeAttackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAttackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1139,7 +1128,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAttackOutput.httpOutput(from:), DescribeAttackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1174,9 +1162,9 @@ extension ShieldClient { /// /// Provides information about the number and type of attacks Shield has detected in the last year for all resources that belong to your account, regardless of whether you've defined Shield protections for them. This operation is available to Shield customers as well as to Shield Advanced customers. The operation returns data for the time range of midnight UTC, one year ago, to midnight UTC, today. For example, if the current time is 2020-10-26 15:39:32 PDT, equal to 2020-10-26 22:39:32 UTC, then the time range for the attack data returned is from 2019-10-26 00:00:00 UTC to 2020-10-26 00:00:00 UTC. The time range indicates the period covered by the attack statistics data items. /// - /// - Parameter DescribeAttackStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAttackStatisticsInput`) /// - /// - Returns: `DescribeAttackStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAttackStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1208,7 +1196,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAttackStatisticsOutput.httpOutput(from:), DescribeAttackStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1243,9 +1230,9 @@ extension ShieldClient { /// /// Returns the current role and list of Amazon S3 log buckets used by the Shield Response Team (SRT) to access your Amazon Web Services account while assisting with attack mitigation. /// - /// - Parameter DescribeDRTAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDRTAccessInput`) /// - /// - Returns: `DescribeDRTAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDRTAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1278,7 +1265,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDRTAccessOutput.httpOutput(from:), DescribeDRTAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1313,9 +1299,9 @@ extension ShieldClient { /// /// A list of email addresses and phone numbers that the Shield Response Team (SRT) can use to contact you if you have proactive engagement enabled, for escalations to the SRT and to initiate proactive customer support. /// - /// - Parameter DescribeEmergencyContactSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEmergencyContactSettingsInput`) /// - /// - Returns: `DescribeEmergencyContactSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEmergencyContactSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1348,7 +1334,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEmergencyContactSettingsOutput.httpOutput(from:), DescribeEmergencyContactSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1383,9 +1368,9 @@ extension ShieldClient { /// /// Lists the details of a [Protection] object. /// - /// - Parameter DescribeProtectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProtectionInput`) /// - /// - Returns: `DescribeProtectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProtectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1419,7 +1404,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProtectionOutput.httpOutput(from:), DescribeProtectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1454,9 +1438,9 @@ extension ShieldClient { /// /// Returns the specification for the specified protection group. /// - /// - Parameter DescribeProtectionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProtectionGroupInput`) /// - /// - Returns: `DescribeProtectionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProtectionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1489,7 +1473,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProtectionGroupOutput.httpOutput(from:), DescribeProtectionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1524,9 +1507,9 @@ extension ShieldClient { /// /// Provides details about the Shield Advanced subscription for an account. /// - /// - Parameter DescribeSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSubscriptionInput`) /// - /// - Returns: `DescribeSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1559,7 +1542,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSubscriptionOutput.httpOutput(from:), DescribeSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1594,9 +1576,9 @@ extension ShieldClient { /// /// Disable the Shield Advanced automatic application layer DDoS mitigation feature for the protected resource. This stops Shield Advanced from creating, verifying, and applying WAF rules for attacks that it detects for the resource. /// - /// - Parameter DisableApplicationLayerAutomaticResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableApplicationLayerAutomaticResponseInput`) /// - /// - Returns: `DisableApplicationLayerAutomaticResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableApplicationLayerAutomaticResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1632,7 +1614,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableApplicationLayerAutomaticResponseOutput.httpOutput(from:), DisableApplicationLayerAutomaticResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1667,9 +1648,9 @@ extension ShieldClient { /// /// Removes authorization from the Shield Response Team (SRT) to notify contacts about escalations to the SRT and to initiate proactive customer support. /// - /// - Parameter DisableProactiveEngagementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisableProactiveEngagementInput`) /// - /// - Returns: `DisableProactiveEngagementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisableProactiveEngagementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1705,7 +1686,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableProactiveEngagementOutput.httpOutput(from:), DisableProactiveEngagementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1740,9 +1720,9 @@ extension ShieldClient { /// /// Removes the Shield Response Team's (SRT) access to the specified Amazon S3 bucket containing the logs that you shared previously. /// - /// - Parameter DisassociateDRTLogBucketInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateDRTLogBucketInput`) /// - /// - Returns: `DisassociateDRTLogBucketOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateDRTLogBucketOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1779,7 +1759,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateDRTLogBucketOutput.httpOutput(from:), DisassociateDRTLogBucketOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1814,9 +1793,9 @@ extension ShieldClient { /// /// Removes the Shield Response Team's (SRT) access to your Amazon Web Services account. /// - /// - Parameter DisassociateDRTRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateDRTRoleInput`) /// - /// - Returns: `DisassociateDRTRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateDRTRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1851,7 +1830,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateDRTRoleOutput.httpOutput(from:), DisassociateDRTRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1886,9 +1864,9 @@ extension ShieldClient { /// /// Removes health-based detection from the Shield Advanced protection for a resource. Shield Advanced health-based detection uses the health of your Amazon Web Services resource to improve responsiveness and accuracy in attack detection and response. You define the health check in Route 53 and then associate or disassociate it with your Shield Advanced protection. For more information, see [Shield Advanced Health-Based Detection](https://docs.aws.amazon.com/waf/latest/developerguide/ddos-overview.html#ddos-advanced-health-check-option) in the WAF Developer Guide. /// - /// - Parameter DisassociateHealthCheckInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateHealthCheckInput`) /// - /// - Returns: `DisassociateHealthCheckOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateHealthCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1924,7 +1902,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateHealthCheckOutput.httpOutput(from:), DisassociateHealthCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1959,9 +1936,9 @@ extension ShieldClient { /// /// Enable the Shield Advanced automatic application layer DDoS mitigation for the protected resource. This feature is available for Amazon CloudFront distributions and Application Load Balancers only. This causes Shield Advanced to create, verify, and apply WAF rules for DDoS attacks that it detects for the resource. Shield Advanced applies the rules in a Shield rule group inside the web ACL that you've associated with the resource. For information about how automatic mitigation works and the requirements for using it, see [Shield Advanced automatic application layer DDoS mitigation](https://docs.aws.amazon.com/waf/latest/developerguide/ddos-advanced-automatic-app-layer-response.html). Don't use this action to make changes to automatic mitigation settings when it's already enabled for a resource. Instead, use [UpdateApplicationLayerAutomaticResponse]. To use this feature, you must associate a web ACL with the protected resource. The web ACL must be created using the latest version of WAF (v2). You can associate the web ACL through the Shield Advanced console at [https://console.aws.amazon.com/wafv2/shieldv2#/](https://console.aws.amazon.com/wafv2/shieldv2#/). For more information, see [Getting Started with Shield Advanced](https://docs.aws.amazon.com/waf/latest/developerguide/getting-started-ddos.html). You can also associate the web ACL to the resource through the WAF console or the WAF API, but you must manage Shield Advanced automatic mitigation through Shield Advanced. For information about WAF, see [WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter EnableApplicationLayerAutomaticResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableApplicationLayerAutomaticResponseInput`) /// - /// - Returns: `EnableApplicationLayerAutomaticResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableApplicationLayerAutomaticResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1998,7 +1975,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableApplicationLayerAutomaticResponseOutput.httpOutput(from:), EnableApplicationLayerAutomaticResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2033,9 +2009,9 @@ extension ShieldClient { /// /// Authorizes the Shield Response Team (SRT) to use email and phone to notify contacts about escalations to the SRT and to initiate proactive customer support. /// - /// - Parameter EnableProactiveEngagementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EnableProactiveEngagementInput`) /// - /// - Returns: `EnableProactiveEngagementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EnableProactiveEngagementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2071,7 +2047,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EnableProactiveEngagementOutput.httpOutput(from:), EnableProactiveEngagementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2106,9 +2081,9 @@ extension ShieldClient { /// /// Returns the SubscriptionState, either Active or Inactive. /// - /// - Parameter GetSubscriptionStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSubscriptionStateInput`) /// - /// - Returns: `GetSubscriptionStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSubscriptionStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2140,7 +2115,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSubscriptionStateOutput.httpOutput(from:), GetSubscriptionStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2175,9 +2149,9 @@ extension ShieldClient { /// /// Returns all ongoing DDoS attacks or all DDoS attacks during a specified time period. /// - /// - Parameter ListAttacksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAttacksInput`) /// - /// - Returns: `ListAttacksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAttacksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2211,7 +2185,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAttacksOutput.httpOutput(from:), ListAttacksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2246,9 +2219,9 @@ extension ShieldClient { /// /// Retrieves [ProtectionGroup] objects for the account. You can retrieve all protection groups or you can provide filtering criteria and retrieve just the subset of protection groups that match the criteria. /// - /// - Parameter ListProtectionGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProtectionGroupsInput`) /// - /// - Returns: `ListProtectionGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProtectionGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2282,7 +2255,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProtectionGroupsOutput.httpOutput(from:), ListProtectionGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2317,9 +2289,9 @@ extension ShieldClient { /// /// Retrieves [Protection] objects for the account. You can retrieve all protections or you can provide filtering criteria and retrieve just the subset of protections that match the criteria. /// - /// - Parameter ListProtectionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProtectionsInput`) /// - /// - Returns: `ListProtectionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProtectionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2353,7 +2325,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProtectionsOutput.httpOutput(from:), ListProtectionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2388,9 +2359,9 @@ extension ShieldClient { /// /// Retrieves the resources that are included in the protection group. /// - /// - Parameter ListResourcesInProtectionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcesInProtectionGroupInput`) /// - /// - Returns: `ListResourcesInProtectionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcesInProtectionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2424,7 +2395,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcesInProtectionGroupOutput.httpOutput(from:), ListResourcesInProtectionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2459,9 +2429,9 @@ extension ShieldClient { /// /// Gets information about Amazon Web Services tags for a specified Amazon Resource Name (ARN) in Shield. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2495,7 +2465,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2530,9 +2499,9 @@ extension ShieldClient { /// /// Adds or updates tags for a resource in Shield. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2567,7 +2536,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2602,9 +2570,9 @@ extension ShieldClient { /// /// Removes tags from a resource in Shield. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2639,7 +2607,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2674,9 +2641,9 @@ extension ShieldClient { /// /// Updates an existing Shield Advanced automatic application layer DDoS mitigation configuration for the specified resource. /// - /// - Parameter UpdateApplicationLayerAutomaticResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationLayerAutomaticResponseInput`) /// - /// - Returns: `UpdateApplicationLayerAutomaticResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationLayerAutomaticResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2712,7 +2679,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationLayerAutomaticResponseOutput.httpOutput(from:), UpdateApplicationLayerAutomaticResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2747,9 +2713,9 @@ extension ShieldClient { /// /// Updates the details of the list of email addresses and phone numbers that the Shield Response Team (SRT) can use to contact you if you have proactive engagement enabled, for escalations to the SRT and to initiate proactive customer support. /// - /// - Parameter UpdateEmergencyContactSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEmergencyContactSettingsInput`) /// - /// - Returns: `UpdateEmergencyContactSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEmergencyContactSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2784,7 +2750,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEmergencyContactSettingsOutput.httpOutput(from:), UpdateEmergencyContactSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2819,9 +2784,9 @@ extension ShieldClient { /// /// Updates an existing protection group. A protection group is a grouping of protected resources so they can be handled as a collective. This resource grouping improves the accuracy of detection and reduces false positives. /// - /// - Parameter UpdateProtectionGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProtectionGroupInput`) /// - /// - Returns: `UpdateProtectionGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProtectionGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2856,7 +2821,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProtectionGroupOutput.httpOutput(from:), UpdateProtectionGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2891,9 +2855,9 @@ extension ShieldClient { /// /// Updates the details of an existing subscription. Only enter values for parameters you want to change. Empty parameters are not updated. For accounts that are members of an Organizations organization, Shield Advanced subscriptions are billed against the organization's payer account, regardless of whether the payer account itself is subscribed. /// - /// - Parameter UpdateSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSubscriptionInput`) /// - /// - Returns: `UpdateSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2929,7 +2893,6 @@ extension ShieldClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSubscriptionOutput.httpOutput(from:), UpdateSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSigner/Sources/AWSSigner/SignerClient.swift b/Sources/Services/AWSSigner/Sources/AWSSigner/SignerClient.swift index 35b8b91de38..ccb69ef40dd 100644 --- a/Sources/Services/AWSSigner/Sources/AWSSigner/SignerClient.swift +++ b/Sources/Services/AWSSigner/Sources/AWSSigner/SignerClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SignerClient: ClientRuntime.Client { public static let clientName = "SignerClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SignerClient.SignerClientConfiguration let serviceName = "signer" @@ -375,9 +374,9 @@ extension SignerClient { /// /// Adds cross-account permissions to a signing profile. /// - /// - Parameter AddProfilePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddProfilePermissionInput`) /// - /// - Returns: `AddProfilePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddProfilePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddProfilePermissionOutput.httpOutput(from:), AddProfilePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension SignerClient { /// /// Changes the state of an ACTIVE signing profile to CANCELED. A canceled profile is still viewable with the ListSigningProfiles operation, but it cannot perform new signing jobs, and is deleted two years after cancelation. /// - /// - Parameter CancelSigningProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelSigningProfileInput`) /// - /// - Returns: `CancelSigningProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelSigningProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSigningProfileOutput.httpOutput(from:), CancelSigningProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension SignerClient { /// /// Returns information about a specific code signing job. You specify the job by using the jobId value that is returned by the [StartSigningJob] operation. /// - /// - Parameter DescribeSigningJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSigningJobInput`) /// - /// - Returns: `DescribeSigningJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSigningJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -553,7 +550,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSigningJobOutput.httpOutput(from:), DescribeSigningJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -585,9 +581,9 @@ extension SignerClient { /// /// Retrieves the revocation status of one or more of the signing profile, signing job, and signing certificate. /// - /// - Parameter GetRevocationStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRevocationStatusInput`) /// - /// - Returns: `GetRevocationStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRevocationStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -622,7 +618,6 @@ extension SignerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRevocationStatusInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRevocationStatusOutput.httpOutput(from:), GetRevocationStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -654,9 +649,9 @@ extension SignerClient { /// /// Returns information on a specific signing platform. /// - /// - Parameter GetSigningPlatformInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSigningPlatformInput`) /// - /// - Returns: `GetSigningPlatformOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSigningPlatformOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -690,7 +685,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSigningPlatformOutput.httpOutput(from:), GetSigningPlatformOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -722,9 +716,9 @@ extension SignerClient { /// /// Returns information on a specific signing profile. /// - /// - Parameter GetSigningProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSigningProfileInput`) /// - /// - Returns: `GetSigningProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSigningProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -759,7 +753,6 @@ extension SignerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetSigningProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSigningProfileOutput.httpOutput(from:), GetSigningProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -791,9 +784,9 @@ extension SignerClient { /// /// Lists the cross-account permissions associated with a signing profile. /// - /// - Parameter ListProfilePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfilePermissionsInput`) /// - /// - Returns: `ListProfilePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfilePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -829,7 +822,6 @@ extension SignerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfilePermissionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfilePermissionsOutput.httpOutput(from:), ListProfilePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -861,9 +853,9 @@ extension SignerClient { /// /// Lists all your signing jobs. You can use the maxResults parameter to limit the number of signing jobs that are returned in the response. If additional jobs remain to be listed, AWS Signer returns a nextToken value. Use this value in subsequent calls to ListSigningJobs to fetch the remaining values. You can continue calling ListSigningJobs with your maxResults parameter and with new values that Signer returns in the nextToken parameter until all of your signing jobs have been returned. /// - /// - Parameter ListSigningJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSigningJobsInput`) /// - /// - Returns: `ListSigningJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSigningJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -898,7 +890,6 @@ extension SignerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSigningJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSigningJobsOutput.httpOutput(from:), ListSigningJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -930,9 +921,9 @@ extension SignerClient { /// /// Lists all signing platforms available in AWS Signer that match the request parameters. If additional jobs remain to be listed, Signer returns a nextToken value. Use this value in subsequent calls to ListSigningJobs to fetch the remaining values. You can continue calling ListSigningJobs with your maxResults parameter and with new values that Signer returns in the nextToken parameter until all of your signing jobs have been returned. /// - /// - Parameter ListSigningPlatformsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSigningPlatformsInput`) /// - /// - Returns: `ListSigningPlatformsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSigningPlatformsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -967,7 +958,6 @@ extension SignerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSigningPlatformsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSigningPlatformsOutput.httpOutput(from:), ListSigningPlatformsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -999,9 +989,9 @@ extension SignerClient { /// /// Lists all available signing profiles in your AWS account. Returns only profiles with an ACTIVE status unless the includeCanceled request field is set to true. If additional jobs remain to be listed, AWS Signer returns a nextToken value. Use this value in subsequent calls to ListSigningJobs to fetch the remaining values. You can continue calling ListSigningJobs with your maxResults parameter and with new values that Signer returns in the nextToken parameter until all of your signing jobs have been returned. /// - /// - Parameter ListSigningProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSigningProfilesInput`) /// - /// - Returns: `ListSigningProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSigningProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1035,7 +1025,6 @@ extension SignerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSigningProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSigningProfilesOutput.httpOutput(from:), ListSigningProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1067,9 +1056,9 @@ extension SignerClient { /// /// Returns a list of the tags associated with a signing profile resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1103,7 +1092,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1135,9 +1123,9 @@ extension SignerClient { /// /// Creates a signing profile. A signing profile is a code-signing template that can be used to carry out a pre-defined signing job. /// - /// - Parameter PutSigningProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSigningProfileInput`) /// - /// - Returns: `PutSigningProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSigningProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1175,7 +1163,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSigningProfileOutput.httpOutput(from:), PutSigningProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1207,9 +1194,9 @@ extension SignerClient { /// /// Removes cross-account permissions from a signing profile. /// - /// - Parameter RemoveProfilePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveProfilePermissionInput`) /// - /// - Returns: `RemoveProfilePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveProfilePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1246,7 +1233,6 @@ extension SignerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RemoveProfilePermissionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveProfilePermissionOutput.httpOutput(from:), RemoveProfilePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1278,9 +1264,9 @@ extension SignerClient { /// /// Changes the state of a signing job to REVOKED. This indicates that the signature is no longer valid. /// - /// - Parameter RevokeSignatureInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeSignatureInput`) /// - /// - Returns: `RevokeSignatureOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeSignatureOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1318,7 +1304,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeSignatureOutput.httpOutput(from:), RevokeSignatureOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1350,9 +1335,9 @@ extension SignerClient { /// /// Changes the state of a signing profile to REVOKED. This indicates that signatures generated using the signing profile after an effective start date are no longer valid. /// - /// - Parameter RevokeSigningProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeSigningProfileInput`) /// - /// - Returns: `RevokeSigningProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeSigningProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1390,7 +1375,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeSigningProfileOutput.httpOutput(from:), RevokeSigningProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1422,9 +1406,9 @@ extension SignerClient { /// /// Signs a binary payload and returns a signature envelope. /// - /// - Parameter SignPayloadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SignPayloadInput`) /// - /// - Returns: `SignPayloadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SignPayloadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1462,7 +1446,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SignPayloadOutput.httpOutput(from:), SignPayloadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1509,9 +1492,9 @@ extension SignerClient { /// /// You can call the [DescribeSigningJob] and the [ListSigningJobs] actions after you call StartSigningJob. For a Java example that shows how to use this action, see [StartSigningJob](https://docs.aws.amazon.com/signer/latest/developerguide/api-startsigningjob.html). /// - /// - Parameter StartSigningJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSigningJobInput`) /// - /// - Returns: `StartSigningJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSigningJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1551,7 +1534,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSigningJobOutput.httpOutput(from:), StartSigningJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1583,9 +1565,9 @@ extension SignerClient { /// /// Adds one or more tags to a signing profile. Tags are labels that you can use to identify and organize your AWS resources. Each tag consists of a key and an optional value. To specify the signing profile, use its Amazon Resource Name (ARN). To specify the tag, use a key-value pair. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1622,7 +1604,6 @@ extension SignerClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1654,9 +1635,9 @@ extension SignerClient { /// /// Removes one or more tags from a signing profile. To remove the tags, specify a list of tag keys. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1691,7 +1672,6 @@ extension SignerClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSimSpaceWeaver/Sources/AWSSimSpaceWeaver/SimSpaceWeaverClient.swift b/Sources/Services/AWSSimSpaceWeaver/Sources/AWSSimSpaceWeaver/SimSpaceWeaverClient.swift index 6e5b0730d79..cd2e597621b 100644 --- a/Sources/Services/AWSSimSpaceWeaver/Sources/AWSSimSpaceWeaver/SimSpaceWeaverClient.swift +++ b/Sources/Services/AWSSimSpaceWeaver/Sources/AWSSimSpaceWeaver/SimSpaceWeaverClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SimSpaceWeaverClient: ClientRuntime.Client { public static let clientName = "SimSpaceWeaverClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SimSpaceWeaverClient.SimSpaceWeaverClientConfiguration let serviceName = "SimSpaceWeaver" @@ -387,9 +386,9 @@ extension SimSpaceWeaverClient { /// /// * ss is the 2-digit seconds /// - /// - Parameter CreateSnapshotInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSnapshotInput`) /// - /// - Returns: `CreateSnapshotOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -427,7 +426,6 @@ extension SimSpaceWeaverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotOutput.httpOutput(from:), CreateSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -459,9 +457,9 @@ extension SimSpaceWeaverClient { /// /// Deletes the instance of the given custom app. /// - /// - Parameter DeleteAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAppInput`) /// - /// - Returns: `DeleteAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -497,7 +495,6 @@ extension SimSpaceWeaverClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteAppInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAppOutput.httpOutput(from:), DeleteAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -529,9 +526,9 @@ extension SimSpaceWeaverClient { /// /// Deletes all SimSpace Weaver resources assigned to the given simulation. Your simulation uses resources in other Amazon Web Services. This API operation doesn't delete resources in other Amazon Web Services. /// - /// - Parameter DeleteSimulationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSimulationInput`) /// - /// - Returns: `DeleteSimulationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSimulationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension SimSpaceWeaverClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteSimulationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSimulationOutput.httpOutput(from:), DeleteSimulationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension SimSpaceWeaverClient { /// /// Returns the state of the given custom app. /// - /// - Parameter DescribeAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAppInput`) /// - /// - Returns: `DescribeAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -636,7 +632,6 @@ extension SimSpaceWeaverClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeAppInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAppOutput.httpOutput(from:), DescribeAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -668,9 +663,9 @@ extension SimSpaceWeaverClient { /// /// Returns the current state of the given simulation. /// - /// - Parameter DescribeSimulationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSimulationInput`) /// - /// - Returns: `DescribeSimulationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSimulationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -705,7 +700,6 @@ extension SimSpaceWeaverClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeSimulationInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSimulationOutput.httpOutput(from:), DescribeSimulationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -737,9 +731,9 @@ extension SimSpaceWeaverClient { /// /// Lists all custom apps or service apps for the given simulation and domain. /// - /// - Parameter ListAppsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAppsInput`) /// - /// - Returns: `ListAppsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAppsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -774,7 +768,6 @@ extension SimSpaceWeaverClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAppsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAppsOutput.httpOutput(from:), ListAppsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -806,9 +799,9 @@ extension SimSpaceWeaverClient { /// /// Lists the SimSpace Weaver simulations in the Amazon Web Services account used to make the API call. /// - /// - Parameter ListSimulationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSimulationsInput`) /// - /// - Returns: `ListSimulationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSimulationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension SimSpaceWeaverClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSimulationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSimulationsOutput.httpOutput(from:), ListSimulationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -874,9 +866,9 @@ extension SimSpaceWeaverClient { /// /// Lists all tags on a SimSpace Weaver resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -908,7 +900,6 @@ extension SimSpaceWeaverClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -940,9 +931,9 @@ extension SimSpaceWeaverClient { /// /// Starts a custom app with the configuration specified in the simulation schema. /// - /// - Parameter StartAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAppInput`) /// - /// - Returns: `StartAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -981,7 +972,6 @@ extension SimSpaceWeaverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAppOutput.httpOutput(from:), StartAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1013,9 +1003,9 @@ extension SimSpaceWeaverClient { /// /// Starts the simulation clock. /// - /// - Parameter StartClockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartClockInput`) /// - /// - Returns: `StartClockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartClockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1053,7 +1043,6 @@ extension SimSpaceWeaverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartClockOutput.httpOutput(from:), StartClockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1085,9 +1074,9 @@ extension SimSpaceWeaverClient { /// /// Starts a simulation with the given name. You must choose to start your simulation from a schema or from a snapshot. For more information about the schema, see the [schema reference](https://docs.aws.amazon.com/simspaceweaver/latest/userguide/schema-reference.html) in the SimSpace Weaver User Guide. For more information about snapshots, see [Snapshots](https://docs.aws.amazon.com/simspaceweaver/latest/userguide/working-with_snapshots.html) in the SimSpace Weaver User Guide. /// - /// - Parameter StartSimulationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSimulationInput`) /// - /// - Returns: `StartSimulationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSimulationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1126,7 +1115,6 @@ extension SimSpaceWeaverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSimulationOutput.httpOutput(from:), StartSimulationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1158,9 +1146,9 @@ extension SimSpaceWeaverClient { /// /// Stops the given custom app and shuts down all of its allocated compute resources. /// - /// - Parameter StopAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopAppInput`) /// - /// - Returns: `StopAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1198,7 +1186,6 @@ extension SimSpaceWeaverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopAppOutput.httpOutput(from:), StopAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1230,9 +1217,9 @@ extension SimSpaceWeaverClient { /// /// Stops the simulation clock. /// - /// - Parameter StopClockInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopClockInput`) /// - /// - Returns: `StopClockOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopClockOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1270,7 +1257,6 @@ extension SimSpaceWeaverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopClockOutput.httpOutput(from:), StopClockOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1302,9 +1288,9 @@ extension SimSpaceWeaverClient { /// /// Stops the given simulation. You can't restart a simulation after you stop it. If you want to restart a simulation, then you must stop it, delete it, and start a new instance of it. /// - /// - Parameter StopSimulationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopSimulationInput`) /// - /// - Returns: `StopSimulationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopSimulationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1342,7 +1328,6 @@ extension SimSpaceWeaverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopSimulationOutput.httpOutput(from:), StopSimulationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1374,9 +1359,9 @@ extension SimSpaceWeaverClient { /// /// Adds tags to a SimSpace Weaver resource. For more information about tags, see [Tagging Amazon Web Services resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html) in the Amazon Web Services General Reference. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1412,7 +1397,6 @@ extension SimSpaceWeaverClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1444,9 +1428,9 @@ extension SimSpaceWeaverClient { /// /// Removes tags from a SimSpace Weaver resource. For more information about tags, see [Tagging Amazon Web Services resources](https://docs.aws.amazon.com/general/latest/gr/aws_tagging.html) in the Amazon Web Services General Reference. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1479,7 +1463,6 @@ extension SimSpaceWeaverClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSnowDeviceManagement/Sources/AWSSnowDeviceManagement/SnowDeviceManagementClient.swift b/Sources/Services/AWSSnowDeviceManagement/Sources/AWSSnowDeviceManagement/SnowDeviceManagementClient.swift index 37314a2d4d0..637127fa29a 100644 --- a/Sources/Services/AWSSnowDeviceManagement/Sources/AWSSnowDeviceManagement/SnowDeviceManagementClient.swift +++ b/Sources/Services/AWSSnowDeviceManagement/Sources/AWSSnowDeviceManagement/SnowDeviceManagementClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SnowDeviceManagementClient: ClientRuntime.Client { public static let clientName = "SnowDeviceManagementClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SnowDeviceManagementClient.SnowDeviceManagementClientConfiguration let serviceName = "Snow Device Management" @@ -375,9 +374,9 @@ extension SnowDeviceManagementClient { /// /// Sends a cancel request for a specified task. You can cancel a task only if it's still in a QUEUED state. Tasks that are already running can't be cancelled. A task might still run if it's processed from the queue before the CancelTask operation changes the task's state. /// - /// - Parameter CancelTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelTaskInput`) /// - /// - Returns: `CancelTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension SnowDeviceManagementClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelTaskOutput.httpOutput(from:), CancelTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -444,9 +442,9 @@ extension SnowDeviceManagementClient { /// /// Instructs one or more devices to start a task, such as unlocking or rebooting. /// - /// - Parameter CreateTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTaskInput`) /// - /// - Returns: `CreateTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension SnowDeviceManagementClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTaskOutput.httpOutput(from:), CreateTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -518,9 +515,9 @@ extension SnowDeviceManagementClient { /// /// Checks device-specific information, such as the device type, software version, IP addresses, and lock status. /// - /// - Parameter DescribeDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeviceInput`) /// - /// - Returns: `DescribeDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -555,7 +552,6 @@ extension SnowDeviceManagementClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeviceOutput.httpOutput(from:), DescribeDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -587,9 +583,9 @@ extension SnowDeviceManagementClient { /// /// Checks the current state of the Amazon EC2 instances. The output is similar to describeDevice, but the results are sourced from the device cache in the Amazon Web Services Cloud and include a subset of the available fields. /// - /// - Parameter DescribeDeviceEc2InstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDeviceEc2InstancesInput`) /// - /// - Returns: `DescribeDeviceEc2InstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDeviceEc2InstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension SnowDeviceManagementClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDeviceEc2InstancesOutput.httpOutput(from:), DescribeDeviceEc2InstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension SnowDeviceManagementClient { /// /// Checks the status of a remote task running on one or more target devices. /// - /// - Parameter DescribeExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExecutionInput`) /// - /// - Returns: `DescribeExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -696,7 +691,6 @@ extension SnowDeviceManagementClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExecutionOutput.httpOutput(from:), DescribeExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -728,9 +722,9 @@ extension SnowDeviceManagementClient { /// /// Checks the metadata for a given task on a device. /// - /// - Parameter DescribeTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTaskInput`) /// - /// - Returns: `DescribeTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -765,7 +759,6 @@ extension SnowDeviceManagementClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTaskOutput.httpOutput(from:), DescribeTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -797,9 +790,9 @@ extension SnowDeviceManagementClient { /// /// Returns a list of the Amazon Web Services resources available for a device. Currently, Amazon EC2 instances are the only supported resource type. /// - /// - Parameter ListDeviceResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDeviceResourcesInput`) /// - /// - Returns: `ListDeviceResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDeviceResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -835,7 +828,6 @@ extension SnowDeviceManagementClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDeviceResourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDeviceResourcesOutput.httpOutput(from:), ListDeviceResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -867,9 +859,9 @@ extension SnowDeviceManagementClient { /// /// Returns a list of all devices on your Amazon Web Services account that have Amazon Web Services Snow Device Management enabled in the Amazon Web Services Region where the command is run. /// - /// - Parameter ListDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevicesInput`) /// - /// - Returns: `ListDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -904,7 +896,6 @@ extension SnowDeviceManagementClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDevicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevicesOutput.httpOutput(from:), ListDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -936,9 +927,9 @@ extension SnowDeviceManagementClient { /// /// Returns the status of tasks for one or more target devices. /// - /// - Parameter ListExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExecutionsInput`) /// - /// - Returns: `ListExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -974,7 +965,6 @@ extension SnowDeviceManagementClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListExecutionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExecutionsOutput.httpOutput(from:), ListExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1006,9 +996,9 @@ extension SnowDeviceManagementClient { /// /// Returns a list of tags for a managed device or task. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1041,7 +1031,6 @@ extension SnowDeviceManagementClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1073,9 +1062,9 @@ extension SnowDeviceManagementClient { /// /// Returns a list of tasks that can be filtered by state. /// - /// - Parameter ListTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTasksInput`) /// - /// - Returns: `ListTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1110,7 +1099,6 @@ extension SnowDeviceManagementClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTasksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTasksOutput.httpOutput(from:), ListTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1142,9 +1130,9 @@ extension SnowDeviceManagementClient { /// /// Adds or replaces tags on a device or task. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1180,7 +1168,6 @@ extension SnowDeviceManagementClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1212,9 +1199,9 @@ extension SnowDeviceManagementClient { /// /// Removes a tag from a device or task. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1248,7 +1235,6 @@ extension SnowDeviceManagementClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSnowball/Sources/AWSSnowball/SnowballClient.swift b/Sources/Services/AWSSnowball/Sources/AWSSnowball/SnowballClient.swift index 003b699cc3b..fda28bf72a6 100644 --- a/Sources/Services/AWSSnowball/Sources/AWSSnowball/SnowballClient.swift +++ b/Sources/Services/AWSSnowball/Sources/AWSSnowball/SnowballClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SnowballClient: ClientRuntime.Client { public static let clientName = "SnowballClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SnowballClient.SnowballClientConfiguration let serviceName = "Snowball" @@ -374,9 +373,9 @@ extension SnowballClient { /// /// Cancels a cluster job. You can only cancel a cluster job while it's in the AwaitingQuorum status. You'll have at least an hour after creating a cluster job to cancel it. /// - /// - Parameter CancelClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelClusterInput`) /// - /// - Returns: `CancelClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelClusterOutput.httpOutput(from:), CancelClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension SnowballClient { /// /// Cancels the specified job. You can only cancel a job before its JobState value changes to PreparingAppliance. Requesting the ListJobs or DescribeJob action returns a job's JobState as part of the response element data returned. /// - /// - Parameter CancelJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelJobInput`) /// - /// - Returns: `CancelJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelJobOutput.httpOutput(from:), CancelJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -516,9 +513,9 @@ extension SnowballClient { /// /// Creates an address for a Snow device to be shipped to. In most regions, addresses are validated at the time of creation. The address you provide must be located within the serviceable area of your region. If the address is invalid or unsupported, then an exception is thrown. If providing an address as a JSON file through the cli-input-json option, include the full file path. For example, --cli-input-json file://create-address.json. /// - /// - Parameter CreateAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAddressInput`) /// - /// - Returns: `CreateAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -551,7 +548,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAddressOutput.httpOutput(from:), CreateAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -586,9 +582,9 @@ extension SnowballClient { /// /// Creates an empty cluster. Each cluster supports five nodes. You use the [CreateJob] action separately to create the jobs for each of these nodes. The cluster does not ship until these five node jobs have been created. /// - /// - Parameter CreateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateClusterInput`) /// - /// - Returns: `CreateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -623,7 +619,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateClusterOutput.httpOutput(from:), CreateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -745,9 +740,9 @@ extension SnowballClient { /// /// * Description: Snowball Edge Storage Optimized 210TB /// - /// - Parameter CreateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateJobInput`) /// - /// - Returns: `CreateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -783,7 +778,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateJobOutput.httpOutput(from:), CreateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -818,9 +812,9 @@ extension SnowballClient { /// /// Creates a job with the long-term usage option for a device. The long-term usage is a 1-year or 3-year long-term pricing type for the device. You are billed upfront, and Amazon Web Services provides discounts for long-term pricing. /// - /// - Parameter CreateLongTermPricingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLongTermPricingInput`) /// - /// - Returns: `CreateLongTermPricingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLongTermPricingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +846,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLongTermPricingOutput.httpOutput(from:), CreateLongTermPricingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -887,9 +880,9 @@ extension SnowballClient { /// /// Creates a shipping label that will be used to return the Snow device to Amazon Web Services. /// - /// - Parameter CreateReturnShippingLabelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReturnShippingLabelInput`) /// - /// - Returns: `CreateReturnShippingLabelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReturnShippingLabelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +918,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReturnShippingLabelOutput.httpOutput(from:), CreateReturnShippingLabelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -960,9 +952,9 @@ extension SnowballClient { /// /// Takes an AddressId and returns specific details about that address in the form of an Address object. /// - /// - Parameter DescribeAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAddressInput`) /// - /// - Returns: `DescribeAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -994,7 +986,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAddressOutput.httpOutput(from:), DescribeAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1029,9 +1020,9 @@ extension SnowballClient { /// /// Returns a specified number of ADDRESS objects. Calling this API in one of the US regions will return addresses from the list of all addresses associated with this account in all US regions. /// - /// - Parameter DescribeAddressesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAddressesInput`) /// - /// - Returns: `DescribeAddressesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAddressesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1064,7 +1055,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAddressesOutput.httpOutput(from:), DescribeAddressesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1099,9 +1089,9 @@ extension SnowballClient { /// /// Returns information about a specific cluster including shipping information, cluster status, and other important metadata. /// - /// - Parameter DescribeClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClusterInput`) /// - /// - Returns: `DescribeClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1133,7 +1123,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClusterOutput.httpOutput(from:), DescribeClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1168,9 +1157,9 @@ extension SnowballClient { /// /// Returns information about a specific job including shipping information, job status, and other important metadata. /// - /// - Parameter DescribeJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeJobInput`) /// - /// - Returns: `DescribeJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1202,7 +1191,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeJobOutput.httpOutput(from:), DescribeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1237,9 +1225,9 @@ extension SnowballClient { /// /// Information on the shipping label of a Snow device that is being returned to Amazon Web Services. /// - /// - Parameter DescribeReturnShippingLabelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeReturnShippingLabelInput`) /// - /// - Returns: `DescribeReturnShippingLabelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeReturnShippingLabelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1273,7 +1261,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeReturnShippingLabelOutput.httpOutput(from:), DescribeReturnShippingLabelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1308,9 +1295,9 @@ extension SnowballClient { /// /// Returns a link to an Amazon S3 presigned URL for the manifest file associated with the specified JobId value. You can access the manifest file for up to 60 minutes after this request has been made. To access the manifest file after 60 minutes have passed, you'll have to make another call to the GetJobManifest action. The manifest is an encrypted file that you can download after your job enters the WithCustomer status. This is the only valid status for calling this API as the manifest and UnlockCode code value are used for securing your device and should only be used when you have the device. The manifest is decrypted by using the UnlockCode code value, when you pass both values to the Snow device through the Snowball client when the client is started for the first time. As a best practice, we recommend that you don't save a copy of an UnlockCode value in the same location as the manifest file for that job. Saving these separately helps prevent unauthorized parties from gaining access to the Snow device associated with that job. The credentials of a given job, including its manifest file and unlock code, expire 360 days after the job is created. /// - /// - Parameter GetJobManifestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobManifestInput`) /// - /// - Returns: `GetJobManifestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobManifestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1343,7 +1330,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobManifestOutput.httpOutput(from:), GetJobManifestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1378,9 +1364,9 @@ extension SnowballClient { /// /// Returns the UnlockCode code value for the specified job. A particular UnlockCode value can be accessed for up to 360 days after the associated job has been created. The UnlockCode value is a 29-character code with 25 alphanumeric characters and 4 hyphens. This code is used to decrypt the manifest file when it is passed along with the manifest to the Snow device through the Snowball client when the client is started for the first time. The only valid status for calling this API is WithCustomer as the manifest and Unlock code values are used for securing your device and should only be used when you have the device. As a best practice, we recommend that you don't save a copy of the UnlockCode in the same location as the manifest file for that job. Saving these separately helps prevent unauthorized parties from gaining access to the Snow device associated with that job. /// - /// - Parameter GetJobUnlockCodeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetJobUnlockCodeInput`) /// - /// - Returns: `GetJobUnlockCodeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetJobUnlockCodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1413,7 +1399,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetJobUnlockCodeOutput.httpOutput(from:), GetJobUnlockCodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1448,9 +1433,9 @@ extension SnowballClient { /// /// Returns information about the Snow Family service limit for your account, and also the number of Snow devices your account has in use. The default service limit for the number of Snow devices that you can have at one time is 1. If you want to increase your service limit, contact Amazon Web Services Support. /// - /// - Parameter GetSnowballUsageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSnowballUsageInput`) /// - /// - Returns: `GetSnowballUsageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSnowballUsageOutput`) public func getSnowballUsage(input: GetSnowballUsageInput) async throws -> GetSnowballUsageOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -1477,7 +1462,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSnowballUsageOutput.httpOutput(from:), GetSnowballUsageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1512,9 +1496,9 @@ extension SnowballClient { /// /// Returns an Amazon S3 presigned URL for an update file associated with a specified JobId. /// - /// - Parameter GetSoftwareUpdatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSoftwareUpdatesInput`) /// - /// - Returns: `GetSoftwareUpdatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSoftwareUpdatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1547,7 +1531,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSoftwareUpdatesOutput.httpOutput(from:), GetSoftwareUpdatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1582,9 +1565,9 @@ extension SnowballClient { /// /// Returns an array of JobListEntry objects of the specified length. Each JobListEntry object is for a job in the specified cluster and contains a job's state, a job's ID, and other information. /// - /// - Parameter ListClusterJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClusterJobsInput`) /// - /// - Returns: `ListClusterJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClusterJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1617,7 +1600,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClusterJobsOutput.httpOutput(from:), ListClusterJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1652,9 +1634,9 @@ extension SnowballClient { /// /// Returns an array of ClusterListEntry objects of the specified length. Each ClusterListEntry object contains a cluster's state, a cluster's ID, and other important status information. /// - /// - Parameter ListClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListClustersInput`) /// - /// - Returns: `ListClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1686,7 +1668,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListClustersOutput.httpOutput(from:), ListClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1721,9 +1702,9 @@ extension SnowballClient { /// /// This action returns a list of the different Amazon EC2-compatible Amazon Machine Images (AMIs) that are owned by your Amazon Web Services accountthat would be supported for use on a Snow device. Currently, supported AMIs are based on the Amazon Linux-2, Ubuntu 20.04 LTS - Focal, or Ubuntu 22.04 LTS - Jammy images, available on the Amazon Web Services Marketplace. Ubuntu 16.04 LTS - Xenial (HVM) images are no longer supported in the Market, but still supported for use on devices through Amazon EC2 VM Import/Export and running locally in AMIs. /// - /// - Parameter ListCompatibleImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCompatibleImagesInput`) /// - /// - Returns: `ListCompatibleImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCompatibleImagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1756,7 +1737,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCompatibleImagesOutput.httpOutput(from:), ListCompatibleImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1791,9 +1771,9 @@ extension SnowballClient { /// /// Returns an array of JobListEntry objects of the specified length. Each JobListEntry object contains a job's state, a job's ID, and a value that indicates whether the job is a job part, in the case of export jobs. Calling this API action in one of the US regions will return jobs from the list of all jobs associated with this account in all US regions. /// - /// - Parameter ListJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListJobsInput`) /// - /// - Returns: `ListJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1825,7 +1805,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListJobsOutput.httpOutput(from:), ListJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1860,9 +1839,9 @@ extension SnowballClient { /// /// Lists all long-term pricing types. /// - /// - Parameter ListLongTermPricingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLongTermPricingInput`) /// - /// - Returns: `ListLongTermPricingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLongTermPricingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1895,7 +1874,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLongTermPricingOutput.httpOutput(from:), ListLongTermPricingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1930,9 +1908,9 @@ extension SnowballClient { /// /// A list of locations from which the customer can choose to pickup a device. /// - /// - Parameter ListPickupLocationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPickupLocationsInput`) /// - /// - Returns: `ListPickupLocationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPickupLocationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1964,7 +1942,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPickupLocationsOutput.httpOutput(from:), ListPickupLocationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1999,9 +1976,9 @@ extension SnowballClient { /// /// Lists all supported versions for Snow on-device services. Returns an array of ServiceVersion object containing the supported versions for a particular service. /// - /// - Parameter ListServiceVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceVersionsInput`) /// - /// - Returns: `ListServiceVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2034,7 +2011,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceVersionsOutput.httpOutput(from:), ListServiceVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2069,9 +2045,9 @@ extension SnowballClient { /// /// While a cluster's ClusterState value is in the AwaitingQuorum state, you can update some of the information associated with a cluster. Once the cluster changes to a different job state, usually 60 minutes after the cluster being created, this action is no longer available. /// - /// - Parameter UpdateClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateClusterInput`) /// - /// - Returns: `UpdateClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2107,7 +2083,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateClusterOutput.httpOutput(from:), UpdateClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2142,9 +2117,9 @@ extension SnowballClient { /// /// While a job's JobState value is New, you can update some of the information associated with a job. Once the job changes to a different job state, usually within 60 minutes of the job being created, this action is no longer available. /// - /// - Parameter UpdateJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJobInput`) /// - /// - Returns: `UpdateJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2181,7 +2156,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobOutput.httpOutput(from:), UpdateJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2216,9 +2190,9 @@ extension SnowballClient { /// /// Updates the state when a shipment state changes to a different state. /// - /// - Parameter UpdateJobShipmentStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateJobShipmentStateInput`) /// - /// - Returns: `UpdateJobShipmentStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateJobShipmentStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2251,7 +2225,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateJobShipmentStateOutput.httpOutput(from:), UpdateJobShipmentStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2286,9 +2259,9 @@ extension SnowballClient { /// /// Updates the long-term pricing type. /// - /// - Parameter UpdateLongTermPricingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateLongTermPricingInput`) /// - /// - Returns: `UpdateLongTermPricingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateLongTermPricingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2320,7 +2293,6 @@ extension SnowballClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLongTermPricingOutput.httpOutput(from:), UpdateLongTermPricingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSocialMessaging/Sources/AWSSocialMessaging/SocialMessagingClient.swift b/Sources/Services/AWSSocialMessaging/Sources/AWSSocialMessaging/SocialMessagingClient.swift index 92c49b21a23..c0f1f8d656e 100644 --- a/Sources/Services/AWSSocialMessaging/Sources/AWSSocialMessaging/SocialMessagingClient.swift +++ b/Sources/Services/AWSSocialMessaging/Sources/AWSSocialMessaging/SocialMessagingClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SocialMessagingClient: ClientRuntime.Client { public static let clientName = "SocialMessagingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SocialMessagingClient.SocialMessagingClientConfiguration let serviceName = "SocialMessaging" @@ -374,9 +373,9 @@ extension SocialMessagingClient { /// /// This is only used through the Amazon Web Services console during sign-up to associate your WhatsApp Business Account to your Amazon Web Services account. /// - /// - Parameter AssociateWhatsAppBusinessAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateWhatsAppBusinessAccountInput`) /// - /// - Returns: `AssociateWhatsAppBusinessAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateWhatsAppBusinessAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateWhatsAppBusinessAccountOutput.httpOutput(from:), AssociateWhatsAppBusinessAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension SocialMessagingClient { /// /// Creates a new WhatsApp message template from a custom definition. /// - /// - Parameter CreateWhatsAppMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWhatsAppMessageTemplateInput`) /// - /// - Returns: `CreateWhatsAppMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWhatsAppMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWhatsAppMessageTemplateOutput.httpOutput(from:), CreateWhatsAppMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension SocialMessagingClient { /// /// Creates a new WhatsApp message template using a template from Meta's template library. /// - /// - Parameter CreateWhatsAppMessageTemplateFromLibraryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWhatsAppMessageTemplateFromLibraryInput`) /// - /// - Returns: `CreateWhatsAppMessageTemplateFromLibraryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWhatsAppMessageTemplateFromLibraryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWhatsAppMessageTemplateFromLibraryOutput.httpOutput(from:), CreateWhatsAppMessageTemplateFromLibraryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension SocialMessagingClient { /// /// Uploads media for use in a WhatsApp message template. /// - /// - Parameter CreateWhatsAppMessageTemplateMediaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWhatsAppMessageTemplateMediaInput`) /// - /// - Returns: `CreateWhatsAppMessageTemplateMediaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWhatsAppMessageTemplateMediaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWhatsAppMessageTemplateMediaOutput.httpOutput(from:), CreateWhatsAppMessageTemplateMediaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -669,9 +664,9 @@ extension SocialMessagingClient { /// /// Delete a media object from the WhatsApp service. If the object is still in an Amazon S3 bucket you should delete it from there too. /// - /// - Parameter DeleteWhatsAppMessageMediaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWhatsAppMessageMediaInput`) /// - /// - Returns: `DeleteWhatsAppMessageMediaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWhatsAppMessageMediaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -710,7 +705,6 @@ extension SocialMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteWhatsAppMessageMediaInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWhatsAppMessageMediaOutput.httpOutput(from:), DeleteWhatsAppMessageMediaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -742,9 +736,9 @@ extension SocialMessagingClient { /// /// Deletes a WhatsApp message template. /// - /// - Parameter DeleteWhatsAppMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWhatsAppMessageTemplateInput`) /// - /// - Returns: `DeleteWhatsAppMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWhatsAppMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -782,7 +776,6 @@ extension SocialMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteWhatsAppMessageTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWhatsAppMessageTemplateOutput.httpOutput(from:), DeleteWhatsAppMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -814,9 +807,9 @@ extension SocialMessagingClient { /// /// Disassociate a WhatsApp Business Account (WABA) from your Amazon Web Services account. /// - /// - Parameter DisassociateWhatsAppBusinessAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateWhatsAppBusinessAccountInput`) /// - /// - Returns: `DisassociateWhatsAppBusinessAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateWhatsAppBusinessAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -853,7 +846,6 @@ extension SocialMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DisassociateWhatsAppBusinessAccountInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateWhatsAppBusinessAccountOutput.httpOutput(from:), DisassociateWhatsAppBusinessAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -885,9 +877,9 @@ extension SocialMessagingClient { /// /// Get the details of your linked WhatsApp Business Account. /// - /// - Parameter GetLinkedWhatsAppBusinessAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLinkedWhatsAppBusinessAccountInput`) /// - /// - Returns: `GetLinkedWhatsAppBusinessAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLinkedWhatsAppBusinessAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -925,7 +917,6 @@ extension SocialMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLinkedWhatsAppBusinessAccountInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLinkedWhatsAppBusinessAccountOutput.httpOutput(from:), GetLinkedWhatsAppBusinessAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension SocialMessagingClient { /// /// Use your WhatsApp phone number id to get the WABA account id and phone number details. /// - /// - Parameter GetLinkedWhatsAppBusinessAccountPhoneNumberInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLinkedWhatsAppBusinessAccountPhoneNumberInput`) /// - /// - Returns: `GetLinkedWhatsAppBusinessAccountPhoneNumberOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLinkedWhatsAppBusinessAccountPhoneNumberOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -997,7 +988,6 @@ extension SocialMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLinkedWhatsAppBusinessAccountPhoneNumberInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLinkedWhatsAppBusinessAccountPhoneNumberOutput.httpOutput(from:), GetLinkedWhatsAppBusinessAccountPhoneNumberOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1029,9 +1019,9 @@ extension SocialMessagingClient { /// /// Get a media file from the WhatsApp service. On successful completion the media file is retrieved from Meta and stored in the specified Amazon S3 bucket. Use either destinationS3File or destinationS3PresignedUrl for the destination. If both are used then an InvalidParameterException is returned. /// - /// - Parameter GetWhatsAppMessageMediaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWhatsAppMessageMediaInput`) /// - /// - Returns: `GetWhatsAppMessageMediaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWhatsAppMessageMediaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1072,7 +1062,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWhatsAppMessageMediaOutput.httpOutput(from:), GetWhatsAppMessageMediaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1104,9 +1093,9 @@ extension SocialMessagingClient { /// /// Retrieves a specific WhatsApp message template. /// - /// - Parameter GetWhatsAppMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWhatsAppMessageTemplateInput`) /// - /// - Returns: `GetWhatsAppMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWhatsAppMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1144,7 +1133,6 @@ extension SocialMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetWhatsAppMessageTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWhatsAppMessageTemplateOutput.httpOutput(from:), GetWhatsAppMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1176,9 +1164,9 @@ extension SocialMessagingClient { /// /// List all WhatsApp Business Accounts linked to your Amazon Web Services account. /// - /// - Parameter ListLinkedWhatsAppBusinessAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLinkedWhatsAppBusinessAccountsInput`) /// - /// - Returns: `ListLinkedWhatsAppBusinessAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLinkedWhatsAppBusinessAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1215,7 +1203,6 @@ extension SocialMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLinkedWhatsAppBusinessAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLinkedWhatsAppBusinessAccountsOutput.httpOutput(from:), ListLinkedWhatsAppBusinessAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1247,9 +1234,9 @@ extension SocialMessagingClient { /// /// List all tags associated with a resource, such as a phone number or WABA. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1285,7 +1272,6 @@ extension SocialMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTagsForResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1317,9 +1303,9 @@ extension SocialMessagingClient { /// /// Lists WhatsApp message templates for a specific WhatsApp Business Account. /// - /// - Parameter ListWhatsAppMessageTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWhatsAppMessageTemplatesInput`) /// - /// - Returns: `ListWhatsAppMessageTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWhatsAppMessageTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1357,7 +1343,6 @@ extension SocialMessagingClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWhatsAppMessageTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWhatsAppMessageTemplatesOutput.httpOutput(from:), ListWhatsAppMessageTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1389,9 +1374,9 @@ extension SocialMessagingClient { /// /// Lists templates available in Meta's template library for WhatsApp messaging. /// - /// - Parameter ListWhatsAppTemplateLibraryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWhatsAppTemplateLibraryInput`) /// - /// - Returns: `ListWhatsAppTemplateLibraryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWhatsAppTemplateLibraryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1432,7 +1417,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWhatsAppTemplateLibraryOutput.httpOutput(from:), ListWhatsAppTemplateLibraryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1464,9 +1448,9 @@ extension SocialMessagingClient { /// /// Upload a media file to the WhatsApp service. Only the specified originationPhoneNumberId has the permissions to send the media file when using [SendWhatsAppMessage](https://docs.aws.amazon.com/social-messaging/latest/APIReference/API_SendWhatsAppMessage.html). You must use either sourceS3File or sourceS3PresignedUrl for the source. If both or neither are specified then an InvalidParameterException is returned. /// - /// - Parameter PostWhatsAppMessageMediaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PostWhatsAppMessageMediaInput`) /// - /// - Returns: `PostWhatsAppMessageMediaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PostWhatsAppMessageMediaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1507,7 +1491,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PostWhatsAppMessageMediaOutput.httpOutput(from:), PostWhatsAppMessageMediaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1539,9 +1522,9 @@ extension SocialMessagingClient { /// /// Add an event destination to log event data from WhatsApp for a WhatsApp Business Account (WABA). A WABA can only have one event destination at a time. All resources associated with the WABA use the same event destination. /// - /// - Parameter PutWhatsAppBusinessAccountEventDestinationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutWhatsAppBusinessAccountEventDestinationsInput`) /// - /// - Returns: `PutWhatsAppBusinessAccountEventDestinationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutWhatsAppBusinessAccountEventDestinationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1579,7 +1562,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutWhatsAppBusinessAccountEventDestinationsOutput.httpOutput(from:), PutWhatsAppBusinessAccountEventDestinationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1611,9 +1593,9 @@ extension SocialMessagingClient { /// /// Send a WhatsApp message. For examples of sending a message using the Amazon Web Services CLI, see [Sending messages](https://docs.aws.amazon.com/social-messaging/latest/userguide/send-message.html) in the Amazon Web Services End User Messaging Social User Guide . /// - /// - Parameter SendWhatsAppMessageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendWhatsAppMessageInput`) /// - /// - Returns: `SendWhatsAppMessageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendWhatsAppMessageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1653,7 +1635,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendWhatsAppMessageOutput.httpOutput(from:), SendWhatsAppMessageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1685,9 +1666,9 @@ extension SocialMessagingClient { /// /// 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. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1725,7 +1706,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1757,9 +1737,9 @@ extension SocialMessagingClient { /// /// Removes the specified tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1797,7 +1777,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1829,9 +1808,9 @@ extension SocialMessagingClient { /// /// Updates an existing WhatsApp message template. /// - /// - Parameter UpdateWhatsAppMessageTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWhatsAppMessageTemplateInput`) /// - /// - Returns: `UpdateWhatsAppMessageTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWhatsAppMessageTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1871,7 +1850,6 @@ extension SocialMessagingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWhatsAppMessageTemplateOutput.httpOutput(from:), UpdateWhatsAppMessageTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSsmSap/Sources/AWSSsmSap/SsmSapClient.swift b/Sources/Services/AWSSsmSap/Sources/AWSSsmSap/SsmSapClient.swift index d608fc64460..f47fe4c3d4b 100644 --- a/Sources/Services/AWSSsmSap/Sources/AWSSsmSap/SsmSapClient.swift +++ b/Sources/Services/AWSSsmSap/Sources/AWSSsmSap/SsmSapClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SsmSapClient: ClientRuntime.Client { public static let clientName = "SsmSapClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SsmSapClient.SsmSapClientConfiguration let serviceName = "Ssm Sap" @@ -373,9 +372,9 @@ extension SsmSapClient { /// /// Removes permissions associated with the target database. /// - /// - Parameter DeleteResourcePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePermissionInput`) /// - /// - Returns: `DeleteResourcePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -411,7 +410,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePermissionOutput.httpOutput(from:), DeleteResourcePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -443,9 +441,9 @@ extension SsmSapClient { /// /// Deregister an SAP application with AWS Systems Manager for SAP. This action does not affect the existing setup of your SAP workloads on Amazon EC2. /// - /// - Parameter DeregisterApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterApplicationInput`) /// - /// - Returns: `DeregisterApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -481,7 +479,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterApplicationOutput.httpOutput(from:), DeregisterApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -513,9 +510,9 @@ extension SsmSapClient { /// /// Gets an application registered with AWS Systems Manager for SAP. It also returns the components of the application. /// - /// - Parameter GetApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetApplicationInput`) /// - /// - Returns: `GetApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -550,7 +547,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetApplicationOutput.httpOutput(from:), GetApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -582,9 +578,9 @@ extension SsmSapClient { /// /// Gets the component of an application registered with AWS Systems Manager for SAP. /// - /// - Parameter GetComponentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetComponentInput`) /// - /// - Returns: `GetComponentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetComponentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -620,7 +616,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetComponentOutput.httpOutput(from:), GetComponentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -652,9 +647,9 @@ extension SsmSapClient { /// /// Gets the details of a configuration check operation by specifying the operation ID. /// - /// - Parameter GetConfigurationCheckOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConfigurationCheckOperationInput`) /// - /// - Returns: `GetConfigurationCheckOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConfigurationCheckOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -689,7 +684,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConfigurationCheckOperationOutput.httpOutput(from:), GetConfigurationCheckOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -721,9 +715,9 @@ extension SsmSapClient { /// /// Gets the SAP HANA database of an application registered with AWS Systems Manager for SAP. /// - /// - Parameter GetDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDatabaseInput`) /// - /// - Returns: `GetDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -758,7 +752,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDatabaseOutput.httpOutput(from:), GetDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -790,9 +783,9 @@ extension SsmSapClient { /// /// Gets the details of an operation by specifying the operation ID. /// - /// - Parameter GetOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOperationInput`) /// - /// - Returns: `GetOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -827,7 +820,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOperationOutput.httpOutput(from:), GetOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -859,9 +851,9 @@ extension SsmSapClient { /// /// Gets permissions associated with the target database. /// - /// - Parameter GetResourcePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePermissionInput`) /// - /// - Returns: `GetResourcePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -897,7 +889,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePermissionOutput.httpOutput(from:), GetResourcePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -929,9 +920,9 @@ extension SsmSapClient { /// /// Lists all the applications registered with AWS Systems Manager for SAP. /// - /// - Parameter ListApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListApplicationsInput`) /// - /// - Returns: `ListApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -967,7 +958,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListApplicationsOutput.httpOutput(from:), ListApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -999,9 +989,9 @@ extension SsmSapClient { /// /// Lists all the components registered with AWS Systems Manager for SAP. /// - /// - Parameter ListComponentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListComponentsInput`) /// - /// - Returns: `ListComponentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListComponentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1038,7 +1028,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListComponentsOutput.httpOutput(from:), ListComponentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1070,9 +1059,9 @@ extension SsmSapClient { /// /// Lists all configuration check types supported by AWS Systems Manager for SAP. /// - /// - Parameter ListConfigurationCheckDefinitionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationCheckDefinitionsInput`) /// - /// - Returns: `ListConfigurationCheckDefinitionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationCheckDefinitionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1107,7 +1096,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationCheckDefinitionsOutput.httpOutput(from:), ListConfigurationCheckDefinitionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1139,9 +1127,9 @@ extension SsmSapClient { /// /// Lists the configuration check operations performed by AWS Systems Manager for SAP. /// - /// - Parameter ListConfigurationCheckOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConfigurationCheckOperationsInput`) /// - /// - Returns: `ListConfigurationCheckOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConfigurationCheckOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1177,7 +1165,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConfigurationCheckOperationsOutput.httpOutput(from:), ListConfigurationCheckOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1209,9 +1196,9 @@ extension SsmSapClient { /// /// Lists the SAP HANA databases of an application registered with AWS Systems Manager for SAP. /// - /// - Parameter ListDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatabasesInput`) /// - /// - Returns: `ListDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1247,7 +1234,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatabasesOutput.httpOutput(from:), ListDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1279,9 +1265,9 @@ extension SsmSapClient { /// /// Returns a list of operations events. Available parameters include OperationID, as well as optional parameters MaxResults, NextToken, and Filters. /// - /// - Parameter ListOperationEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOperationEventsInput`) /// - /// - Returns: `ListOperationEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOperationEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1316,7 +1302,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOperationEventsOutput.httpOutput(from:), ListOperationEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1348,9 +1333,9 @@ extension SsmSapClient { /// /// Lists the operations performed by AWS Systems Manager for SAP. /// - /// - Parameter ListOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOperationsInput`) /// - /// - Returns: `ListOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1385,7 +1370,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOperationsOutput.httpOutput(from:), ListOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1417,9 +1401,9 @@ extension SsmSapClient { /// /// Lists the sub-check results of a specified configuration check operation. /// - /// - Parameter ListSubCheckResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubCheckResultsInput`) /// - /// - Returns: `ListSubCheckResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubCheckResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1454,7 +1438,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubCheckResultsOutput.httpOutput(from:), ListSubCheckResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1486,9 +1469,9 @@ extension SsmSapClient { /// /// Lists the rules of a specified sub-check belonging to a configuration check operation. /// - /// - Parameter ListSubCheckRuleResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubCheckRuleResultsInput`) /// - /// - Returns: `ListSubCheckRuleResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubCheckRuleResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1523,7 +1506,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubCheckRuleResultsOutput.httpOutput(from:), ListSubCheckRuleResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1555,9 +1537,9 @@ extension SsmSapClient { /// /// Lists all tags on an SAP HANA application and/or database registered with AWS Systems Manager for SAP. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1590,7 +1572,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1622,9 +1603,9 @@ extension SsmSapClient { /// /// Adds permissions to the target database. /// - /// - Parameter PutResourcePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePermissionInput`) /// - /// - Returns: `PutResourcePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1660,7 +1641,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePermissionOutput.httpOutput(from:), PutResourcePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1692,9 +1672,9 @@ extension SsmSapClient { /// /// Register an SAP application with AWS Systems Manager for SAP. You must meet the following requirements before registering. The SAP application you want to register with AWS Systems Manager for SAP is running on Amazon EC2. AWS Systems Manager Agent must be setup on an Amazon EC2 instance along with the required IAM permissions. Amazon EC2 instance(s) must have access to the secrets created in AWS Secrets Manager to manage SAP applications and components. /// - /// - Parameter RegisterApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterApplicationInput`) /// - /// - Returns: `RegisterApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1731,7 +1711,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterApplicationOutput.httpOutput(from:), RegisterApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1763,9 +1742,9 @@ extension SsmSapClient { /// /// Request is an operation which starts an application. Parameter ApplicationId is required. /// - /// - Parameter StartApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartApplicationInput`) /// - /// - Returns: `StartApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1802,7 +1781,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartApplicationOutput.httpOutput(from:), StartApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1834,9 +1812,9 @@ extension SsmSapClient { /// /// Refreshes a registered application. /// - /// - Parameter StartApplicationRefreshInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartApplicationRefreshInput`) /// - /// - Returns: `StartApplicationRefreshOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartApplicationRefreshOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1874,7 +1852,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartApplicationRefreshOutput.httpOutput(from:), StartApplicationRefreshOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1906,9 +1883,9 @@ extension SsmSapClient { /// /// Initiates configuration check operations against a specified application. /// - /// - Parameter StartConfigurationChecksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartConfigurationChecksInput`) /// - /// - Returns: `StartConfigurationChecksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartConfigurationChecksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1945,7 +1922,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartConfigurationChecksOutput.httpOutput(from:), StartConfigurationChecksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1977,9 +1953,9 @@ extension SsmSapClient { /// /// Request is an operation to stop an application. Parameter ApplicationId is required. Parameters StopConnectedEntity and IncludeEc2InstanceShutdown are optional. /// - /// - Parameter StopApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopApplicationInput`) /// - /// - Returns: `StopApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2016,7 +1992,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopApplicationOutput.httpOutput(from:), StopApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2048,9 +2023,9 @@ extension SsmSapClient { /// /// Creates tag for a resource by specifying the ARN. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2086,7 +2061,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2118,9 +2092,9 @@ extension SsmSapClient { /// /// Delete the tags for a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2154,7 +2128,6 @@ extension SsmSapClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2186,9 +2159,9 @@ extension SsmSapClient { /// /// Updates the settings of an application registered with AWS Systems Manager for SAP. /// - /// - Parameter UpdateApplicationSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateApplicationSettingsInput`) /// - /// - Returns: `UpdateApplicationSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateApplicationSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2226,7 +2199,6 @@ extension SsmSapClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateApplicationSettingsOutput.httpOutput(from:), UpdateApplicationSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSStorageGateway/Sources/AWSStorageGateway/StorageGatewayClient.swift b/Sources/Services/AWSStorageGateway/Sources/AWSStorageGateway/StorageGatewayClient.swift index 61027701207..0cb78f3933c 100644 --- a/Sources/Services/AWSStorageGateway/Sources/AWSStorageGateway/StorageGatewayClient.swift +++ b/Sources/Services/AWSStorageGateway/Sources/AWSStorageGateway/StorageGatewayClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class StorageGatewayClient: ClientRuntime.Client { public static let clientName = "StorageGatewayClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: StorageGatewayClient.StorageGatewayClientConfiguration let serviceName = "Storage Gateway" @@ -374,7 +373,7 @@ extension StorageGatewayClient { /// /// Activates the gateway you previously deployed on your host. In the activation process, you specify information such as the Amazon Web Services Region that you want to use for storing snapshots or tapes, the time zone for scheduled snapshots the gateway snapshot schedule window, an activation key, and a name for your gateway. The activation process also associates your gateway with your account. For more information, see [UpdateGatewayInformation]. You must turn on the gateway VM before you can activate your gateway. /// - /// - Parameter ActivateGatewayInput : A JSON object containing one or more of the following fields: + /// - Parameter input: A JSON object containing one or more of the following fields: /// /// * [ActivateGatewayInput$ActivationKey] /// @@ -390,7 +389,10 @@ extension StorageGatewayClient { /// /// * [ActivateGatewayInput$TapeDriveType] /// - /// - Returns: `ActivateGatewayOutput` : Storage Gateway returns the Amazon Resource Name (ARN) of the activated gateway. It is a string made of information such as your account, gateway name, and Amazon Web Services Region. This ARN is used to reference the gateway in other API operations as well as resource-based authorization. For gateways activated prior to September 02, 2015, the gateway ARN contains the gateway name rather than the gateway ID. Changing the name of the gateway has no effect on the gateway ARN. + /// + /// (Type: `ActivateGatewayInput`) + /// + /// - Returns: Storage Gateway returns the Amazon Resource Name (ARN) of the activated gateway. It is a string made of information such as your account, gateway name, and Amazon Web Services Region. This ARN is used to reference the gateway in other API operations as well as resource-based authorization. For gateways activated prior to September 02, 2015, the gateway ARN contains the gateway name rather than the gateway ID. Changing the name of the gateway has no effect on the gateway ARN. (Type: `ActivateGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -423,7 +425,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateGatewayOutput.httpOutput(from:), ActivateGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -458,9 +459,9 @@ extension StorageGatewayClient { /// /// Configures one or more gateway local disks as cache for a gateway. This operation is only supported in the cached volume, tape, and file gateway type (see [How Storage Gateway works (architecture)](https://docs.aws.amazon.com/storagegateway/latest/userguide/StorageGatewayConcepts.html). In the request, you specify the gateway Amazon Resource Name (ARN) to which you want to add cache, and one or more disk IDs that you want to configure as cache. /// - /// - Parameter AddCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddCacheInput`) /// - /// - Returns: `AddCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -493,7 +494,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddCacheOutput.httpOutput(from:), AddCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -541,9 +541,9 @@ extension StorageGatewayClient { /// /// You can create a maximum of 50 tags for each resource. Virtual tapes and storage volumes that are recovered to a new gateway maintain their tags. /// - /// - Parameter AddTagsToResourceInput : AddTagsToResourceInput + /// - Parameter input: AddTagsToResourceInput (Type: `AddTagsToResourceInput`) /// - /// - Returns: `AddTagsToResourceOutput` : AddTagsToResourceOutput + /// - Returns: AddTagsToResourceOutput (Type: `AddTagsToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -576,7 +576,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddTagsToResourceOutput.httpOutput(from:), AddTagsToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -611,9 +610,9 @@ extension StorageGatewayClient { /// /// Configures one or more gateway local disks as upload buffer for a specified gateway. This operation is supported for the stored volume, cached volume, and tape gateway types. In the request, you specify the gateway Amazon Resource Name (ARN) to which you want to add upload buffer, and one or more disk IDs that you want to configure as upload buffer. /// - /// - Parameter AddUploadBufferInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddUploadBufferInput`) /// - /// - Returns: `AddUploadBufferOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddUploadBufferOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -646,7 +645,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddUploadBufferOutput.httpOutput(from:), AddUploadBufferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -681,11 +679,14 @@ extension StorageGatewayClient { /// /// Configures one or more gateway local disks as working storage for a gateway. This operation is only supported in the stored volume gateway type. This operation is deprecated in cached volume API version 20120630. Use [AddUploadBuffer] instead. Working storage is also referred to as upload buffer. You can also use the [AddUploadBuffer] operation to add upload buffer to a stored volume gateway. In the request, you specify the gateway Amazon Resource Name (ARN) to which you want to add working storage, and one or more disk IDs that you want to configure as working storage. /// - /// - Parameter AddWorkingStorageInput : A JSON object containing one or more of the following fields: + /// - Parameter input: A JSON object containing one or more of the following fields: /// /// * [AddWorkingStorageInput$DiskIds] /// - /// - Returns: `AddWorkingStorageOutput` : A JSON object containing the Amazon Resource Name (ARN) of the gateway for which working storage was configured. + /// + /// (Type: `AddWorkingStorageInput`) + /// + /// - Returns: A JSON object containing the Amazon Resource Name (ARN) of the gateway for which working storage was configured. (Type: `AddWorkingStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -718,7 +719,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddWorkingStorageOutput.httpOutput(from:), AddWorkingStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -753,9 +753,9 @@ extension StorageGatewayClient { /// /// Assigns a tape to a tape pool for archiving. The tape assigned to a pool is archived in the S3 storage class that is associated with the pool. When you use your backup application to eject the tape, the tape is archived directly into the S3 storage class (S3 Glacier or S3 Glacier Deep Archive) that corresponds to the pool. /// - /// - Parameter AssignTapePoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssignTapePoolInput`) /// - /// - Returns: `AssignTapePoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssignTapePoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +788,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssignTapePoolOutput.httpOutput(from:), AssignTapePoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -823,9 +822,9 @@ extension StorageGatewayClient { /// /// Associate an Amazon FSx file system with the FSx File Gateway. After the association process is complete, the file shares on the Amazon FSx file system are available for access through the gateway. This operation only supports the FSx File Gateway type. /// - /// - Parameter AssociateFileSystemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateFileSystemInput`) /// - /// - Returns: `AssociateFileSystemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateFileSystemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -858,7 +857,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateFileSystemOutput.httpOutput(from:), AssociateFileSystemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -893,9 +891,9 @@ extension StorageGatewayClient { /// /// Connects a volume to an iSCSI connection and then attaches the volume to the specified gateway. Detaching and attaching a volume enables you to recover your data from one gateway to a different gateway without creating a snapshot. It also makes it easier to move your volumes from an on-premises gateway to a gateway hosted on an Amazon EC2 instance. /// - /// - Parameter AttachVolumeInput : AttachVolumeInput + /// - Parameter input: AttachVolumeInput (Type: `AttachVolumeInput`) /// - /// - Returns: `AttachVolumeOutput` : AttachVolumeOutput + /// - Returns: AttachVolumeOutput (Type: `AttachVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -928,7 +926,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AttachVolumeOutput.httpOutput(from:), AttachVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -963,9 +960,9 @@ extension StorageGatewayClient { /// /// Cancels archiving of a virtual tape to the virtual tape shelf (VTS) after the archiving process is initiated. This operation is only supported in the tape gateway type. /// - /// - Parameter CancelArchivalInput : CancelArchivalInput + /// - Parameter input: CancelArchivalInput (Type: `CancelArchivalInput`) /// - /// - Returns: `CancelArchivalOutput` : CancelArchivalOutput + /// - Returns: CancelArchivalOutput (Type: `CancelArchivalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -998,7 +995,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelArchivalOutput.httpOutput(from:), CancelArchivalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1033,9 +1029,9 @@ extension StorageGatewayClient { /// /// Cancels generation of a specified cache report. You can use this operation to manually cancel an IN-PROGRESS report for any reason. This action changes the report status from IN-PROGRESS to CANCELLED. You can only cancel in-progress reports. If the the report you attempt to cancel is in FAILED, ERROR, or COMPLETED state, the cancel operation returns an error. /// - /// - Parameter CancelCacheReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelCacheReportInput`) /// - /// - Returns: `CancelCacheReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelCacheReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1068,7 +1064,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelCacheReportOutput.httpOutput(from:), CancelCacheReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1103,9 +1098,9 @@ extension StorageGatewayClient { /// /// Cancels retrieval of a virtual tape from the virtual tape shelf (VTS) to a gateway after the retrieval process is initiated. The virtual tape is returned to the VTS. This operation is only supported in the tape gateway type. /// - /// - Parameter CancelRetrievalInput : CancelRetrievalInput + /// - Parameter input: CancelRetrievalInput (Type: `CancelRetrievalInput`) /// - /// - Returns: `CancelRetrievalOutput` : CancelRetrievalOutput + /// - Returns: CancelRetrievalOutput (Type: `CancelRetrievalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1138,7 +1133,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelRetrievalOutput.httpOutput(from:), CancelRetrievalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1173,9 +1167,9 @@ extension StorageGatewayClient { /// /// Creates a cached volume on a specified cached volume gateway. This operation is only supported in the cached volume gateway type. Cache storage must be allocated to the gateway before you can create a cached volume. Use the [AddCache] operation to add cache storage to a gateway. In the request, you must specify the gateway, size of the volume in bytes, the iSCSI target name, an IP address on which to expose the target, and a unique client token. In response, the gateway creates the volume and returns information about it. This information includes the volume Amazon Resource Name (ARN), its size, and the iSCSI target ARN that initiators can use to connect to the volume target. Optionally, you can provide the ARN for an existing volume as the SourceVolumeARN for this cached volume, which creates an exact copy of the existing volume’s latest recovery point. The VolumeSizeInBytes value must be equal to or larger than the size of the copied volume, in bytes. /// - /// - Parameter CreateCachediSCSIVolumeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCachediSCSIVolumeInput`) /// - /// - Returns: `CreateCachediSCSIVolumeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCachediSCSIVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1208,7 +1202,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCachediSCSIVolumeOutput.httpOutput(from:), CreateCachediSCSIVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1243,9 +1236,9 @@ extension StorageGatewayClient { /// /// Creates a Network File System (NFS) file share on an existing S3 File Gateway. In Storage Gateway, a file share is a file system mount point backed by Amazon S3 cloud storage. Storage Gateway exposes file shares using an NFS interface. This operation is only supported for S3 File Gateways. S3 File gateway requires Security Token Service (Amazon Web Services STS) to be activated to enable you to create a file share. Make sure Amazon Web Services STS is activated in the Amazon Web Services Region you are creating your S3 File Gateway in. If Amazon Web Services STS is not activated in the Amazon Web Services Region, activate it. For information about how to activate Amazon Web Services STS, see [Activating and deactivating Amazon Web Services STS in an Amazon Web Services Region](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_temp_enable-regions.html) in the Identity and Access Management User Guide. S3 File Gateways do not support creating hard or symbolic links on a file share. /// - /// - Parameter CreateNFSFileShareInput : CreateNFSFileShareInput + /// - Parameter input: CreateNFSFileShareInput (Type: `CreateNFSFileShareInput`) /// - /// - Returns: `CreateNFSFileShareOutput` : CreateNFSFileShareOutput + /// - Returns: CreateNFSFileShareOutput (Type: `CreateNFSFileShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1278,7 +1271,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNFSFileShareOutput.httpOutput(from:), CreateNFSFileShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1313,9 +1305,9 @@ extension StorageGatewayClient { /// /// Creates a Server Message Block (SMB) file share on an existing S3 File Gateway. In Storage Gateway, a file share is a file system mount point backed by Amazon S3 cloud storage. Storage Gateway exposes file shares using an SMB interface. This operation is only supported for S3 File Gateways. S3 File Gateways require Security Token Service (Amazon Web Services STS) to be activated to enable you to create a file share. Make sure that Amazon Web Services STS is activated in the Amazon Web Services Region you are creating your S3 File Gateway in. If Amazon Web Services STS is not activated in this Amazon Web Services Region, activate it. For information about how to activate Amazon Web Services STS, see [Activating and deactivating Amazon Web Services STS in an Amazon Web Services Region](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_temp_enable-regions.html) in the Identity and Access Management User Guide. File gateways don't support creating hard or symbolic links on a file share. /// - /// - Parameter CreateSMBFileShareInput : CreateSMBFileShareInput + /// - Parameter input: CreateSMBFileShareInput (Type: `CreateSMBFileShareInput`) /// - /// - Returns: `CreateSMBFileShareOutput` : CreateSMBFileShareOutput + /// - Returns: CreateSMBFileShareOutput (Type: `CreateSMBFileShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1348,7 +1340,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSMBFileShareOutput.httpOutput(from:), CreateSMBFileShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1383,13 +1374,16 @@ extension StorageGatewayClient { /// /// Initiates a snapshot of a volume. Storage Gateway provides the ability to back up point-in-time snapshots of your data to Amazon Simple Storage (Amazon S3) for durable off-site recovery, and also import the data to an Amazon Elastic Block Store (EBS) volume in Amazon Elastic Compute Cloud (EC2). You can take snapshots of your gateway volume on a scheduled or ad hoc basis. This API enables you to take an ad hoc snapshot. For more information, see [Editing a snapshot schedule](https://docs.aws.amazon.com/storagegateway/latest/userguide/managing-volumes.html#SchedulingSnapshot). In the CreateSnapshot request, you identify the volume by providing its Amazon Resource Name (ARN). You must also provide description for the snapshot. When Storage Gateway takes the snapshot of specified volume, the snapshot and description appears in the Storage Gateway console. In response, Storage Gateway returns you a snapshot ID. You can use this snapshot ID to check the snapshot progress or later use it when you want to create a volume from a snapshot. This operation is only supported in stored and cached volume gateway type. To list or delete a snapshot, you must use the Amazon EC2 API. For more information, see [DescribeSnapshots](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeSnapshots.html) or [DeleteSnapshot](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DeleteSnapshot.html) in the Amazon Elastic Compute Cloud API Reference. Volume and snapshot IDs are changing to a longer length ID format. For more information, see the important note on the [Welcome](https://docs.aws.amazon.com/storagegateway/latest/APIReference/Welcome.html) page. /// - /// - Parameter CreateSnapshotInput : A JSON object containing one or more of the following fields: + /// - Parameter input: A JSON object containing one or more of the following fields: /// /// * [CreateSnapshotInput$SnapshotDescription] /// /// * [CreateSnapshotInput$VolumeARN] /// - /// - Returns: `CreateSnapshotOutput` : A JSON object containing the following fields: + /// + /// (Type: `CreateSnapshotInput`) + /// + /// - Returns: A JSON object containing the following fields: (Type: `CreateSnapshotOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1423,7 +1417,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotOutput.httpOutput(from:), CreateSnapshotOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1458,9 +1451,9 @@ extension StorageGatewayClient { /// /// Initiates a snapshot of a gateway from a volume recovery point. This operation is only supported in the cached volume gateway type. A volume recovery point is a point in time at which all data of the volume is consistent and from which you can create a snapshot. To get a list of volume recovery point for cached volume gateway, use [ListVolumeRecoveryPoints]. In the CreateSnapshotFromVolumeRecoveryPoint request, you identify the volume by providing its Amazon Resource Name (ARN). You must also provide a description for the snapshot. When the gateway takes a snapshot of the specified volume, the snapshot and its description appear in the Storage Gateway console. In response, the gateway returns you a snapshot ID. You can use this snapshot ID to check the snapshot progress or later use it when you want to create a volume from a snapshot. To list or delete a snapshot, you must use the Amazon EC2 API. For more information, see [DescribeSnapshots](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeSnapshots.html) or [DeleteSnapshot](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DeleteSnapshot.html) in the Amazon Elastic Compute Cloud API Reference. /// - /// - Parameter CreateSnapshotFromVolumeRecoveryPointInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSnapshotFromVolumeRecoveryPointInput`) /// - /// - Returns: `CreateSnapshotFromVolumeRecoveryPointOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSnapshotFromVolumeRecoveryPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1494,7 +1487,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSnapshotFromVolumeRecoveryPointOutput.httpOutput(from:), CreateSnapshotFromVolumeRecoveryPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1529,7 +1521,7 @@ extension StorageGatewayClient { /// /// Creates a volume on a specified gateway. This operation is only supported in the stored volume gateway type. The size of the volume to create is inferred from the disk size. You can choose to preserve existing data on the disk, create volume from an existing snapshot, or create an empty volume. If you choose to create an empty gateway volume, then any existing data on the disk is erased. In the request, you must specify the gateway and the disk information on which you are creating the volume. In response, the gateway creates the volume and returns volume information such as the volume Amazon Resource Name (ARN), its size, and the iSCSI target ARN that initiators can use to connect to the volume target. /// - /// - Parameter CreateStorediSCSIVolumeInput : A JSON object containing one or more of the following fields: + /// - Parameter input: A JSON object containing one or more of the following fields: /// /// * [CreateStorediSCSIVolumeInput$DiskId] /// @@ -1541,7 +1533,10 @@ extension StorageGatewayClient { /// /// * [CreateStorediSCSIVolumeInput$TargetName] /// - /// - Returns: `CreateStorediSCSIVolumeOutput` : A JSON object containing the following fields: + /// + /// (Type: `CreateStorediSCSIVolumeInput`) + /// + /// - Returns: A JSON object containing the following fields: (Type: `CreateStorediSCSIVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1574,7 +1569,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStorediSCSIVolumeOutput.httpOutput(from:), CreateStorediSCSIVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1609,9 +1603,9 @@ extension StorageGatewayClient { /// /// Creates a new custom tape pool. You can use custom tape pool to enable tape retention lock on tapes that are archived in the custom pool. /// - /// - Parameter CreateTapePoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTapePoolInput`) /// - /// - Returns: `CreateTapePoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTapePoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1644,7 +1638,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTapePoolOutput.httpOutput(from:), CreateTapePoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1679,9 +1672,9 @@ extension StorageGatewayClient { /// /// Creates a virtual tape by using your own barcode. You write data to the virtual tape and then archive the tape. A barcode is unique and cannot be reused if it has already been used on a tape. This applies to barcodes used on deleted tapes. This operation is only supported in the tape gateway type. Cache storage must be allocated to the gateway before you can create a virtual tape. Use the [AddCache] operation to add cache storage to a gateway. /// - /// - Parameter CreateTapeWithBarcodeInput : CreateTapeWithBarcodeInput + /// - Parameter input: CreateTapeWithBarcodeInput (Type: `CreateTapeWithBarcodeInput`) /// - /// - Returns: `CreateTapeWithBarcodeOutput` : CreateTapeOutput + /// - Returns: CreateTapeOutput (Type: `CreateTapeWithBarcodeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1714,7 +1707,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTapeWithBarcodeOutput.httpOutput(from:), CreateTapeWithBarcodeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1749,9 +1741,9 @@ extension StorageGatewayClient { /// /// Creates one or more virtual tapes. You write data to the virtual tapes and then archive the tapes. This operation is only supported in the tape gateway type. Cache storage must be allocated to the gateway before you can create virtual tapes. Use the [AddCache] operation to add cache storage to a gateway. /// - /// - Parameter CreateTapesInput : CreateTapesInput + /// - Parameter input: CreateTapesInput (Type: `CreateTapesInput`) /// - /// - Returns: `CreateTapesOutput` : CreateTapeOutput + /// - Returns: CreateTapeOutput (Type: `CreateTapesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1784,7 +1776,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTapesOutput.httpOutput(from:), CreateTapesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1819,9 +1810,9 @@ extension StorageGatewayClient { /// /// Deletes the automatic tape creation policy of a gateway. If you delete this policy, new virtual tapes must be created manually. Use the Amazon Resource Name (ARN) of the gateway in your request to remove the policy. /// - /// - Parameter DeleteAutomaticTapeCreationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAutomaticTapeCreationPolicyInput`) /// - /// - Returns: `DeleteAutomaticTapeCreationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAutomaticTapeCreationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1854,7 +1845,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAutomaticTapeCreationPolicyOutput.httpOutput(from:), DeleteAutomaticTapeCreationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1889,11 +1879,14 @@ extension StorageGatewayClient { /// /// Deletes the bandwidth rate limits of a gateway. You can delete either the upload and download bandwidth rate limit, or you can delete both. If you delete only one of the limits, the other limit remains unchanged. To specify which gateway to work with, use the Amazon Resource Name (ARN) of the gateway in your request. This operation is supported only for the stored volume, cached volume, and tape gateway types. /// - /// - Parameter DeleteBandwidthRateLimitInput : A JSON object containing the following fields: + /// - Parameter input: A JSON object containing the following fields: /// /// * [DeleteBandwidthRateLimitInput$BandwidthType] /// - /// - Returns: `DeleteBandwidthRateLimitOutput` : A JSON object containing the Amazon Resource Name (ARN) of the gateway whose bandwidth rate information was deleted. + /// + /// (Type: `DeleteBandwidthRateLimitInput`) + /// + /// - Returns: A JSON object containing the Amazon Resource Name (ARN) of the gateway whose bandwidth rate information was deleted. (Type: `DeleteBandwidthRateLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1926,7 +1919,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBandwidthRateLimitOutput.httpOutput(from:), DeleteBandwidthRateLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1961,9 +1953,9 @@ extension StorageGatewayClient { /// /// Deletes the specified cache report and any associated tags from the Storage Gateway database. You can only delete completed reports. If the status of the report you attempt to delete still IN-PROGRESS, the delete operation returns an error. You can use CancelCacheReport to cancel an IN-PROGRESS report. DeleteCacheReport does not delete the report object from your Amazon S3 bucket. /// - /// - Parameter DeleteCacheReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCacheReportInput`) /// - /// - Returns: `DeleteCacheReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCacheReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1996,7 +1988,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCacheReportOutput.httpOutput(from:), DeleteCacheReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2031,13 +2022,16 @@ extension StorageGatewayClient { /// /// Deletes Challenge-Handshake Authentication Protocol (CHAP) credentials for a specified iSCSI target and initiator pair. This operation is supported in volume and tape gateway types. /// - /// - Parameter DeleteChapCredentialsInput : A JSON object containing one or more of the following fields: + /// - Parameter input: A JSON object containing one or more of the following fields: /// /// * [DeleteChapCredentialsInput$InitiatorName] /// /// * [DeleteChapCredentialsInput$TargetARN] /// - /// - Returns: `DeleteChapCredentialsOutput` : A JSON object containing the following fields: + /// + /// (Type: `DeleteChapCredentialsInput`) + /// + /// - Returns: A JSON object containing the following fields: (Type: `DeleteChapCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2070,7 +2064,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteChapCredentialsOutput.httpOutput(from:), DeleteChapCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2105,9 +2098,9 @@ extension StorageGatewayClient { /// /// Deletes a file share from an S3 File Gateway. This operation is only supported for S3 File Gateways. /// - /// - Parameter DeleteFileShareInput : DeleteFileShareInput + /// - Parameter input: DeleteFileShareInput (Type: `DeleteFileShareInput`) /// - /// - Returns: `DeleteFileShareOutput` : DeleteFileShareOutput + /// - Returns: DeleteFileShareOutput (Type: `DeleteFileShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2140,7 +2133,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFileShareOutput.httpOutput(from:), DeleteFileShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2175,9 +2167,9 @@ extension StorageGatewayClient { /// /// Deletes a gateway. To specify which gateway to delete, use the Amazon Resource Name (ARN) of the gateway in your request. The operation deletes the gateway; however, it does not delete the gateway virtual machine (VM) from your host computer. After you delete a gateway, you cannot reactivate it. Completed snapshots of the gateway volumes are not deleted upon deleting the gateway, however, pending snapshots will not complete. After you delete a gateway, your next step is to remove it from your environment. You no longer pay software charges after the gateway is deleted; however, your existing Amazon EBS snapshots persist and you will continue to be billed for these snapshots. You can choose to remove all remaining Amazon EBS snapshots by canceling your Amazon EC2 subscription. If you prefer not to cancel your Amazon EC2 subscription, you can delete your snapshots using the Amazon EC2 console. For more information, see the [Storage Gateway detail page](http://aws.amazon.com/storagegateway). /// - /// - Parameter DeleteGatewayInput : A JSON object containing the ID of the gateway to delete. + /// - Parameter input: A JSON object containing the ID of the gateway to delete. (Type: `DeleteGatewayInput`) /// - /// - Returns: `DeleteGatewayOutput` : A JSON object containing the ID of the deleted gateway. + /// - Returns: A JSON object containing the ID of the deleted gateway. (Type: `DeleteGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2210,7 +2202,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGatewayOutput.httpOutput(from:), DeleteGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2245,9 +2236,9 @@ extension StorageGatewayClient { /// /// Deletes a snapshot of a volume. You can take snapshots of your gateway volumes on a scheduled or ad hoc basis. This API action enables you to delete a snapshot schedule for a volume. For more information, see [Backing up your volumes](https://docs.aws.amazon.com/storagegateway/latest/userguide/backing-up-volumes.html). In the DeleteSnapshotSchedule request, you identify the volume by providing its Amazon Resource Name (ARN). This operation is only supported for cached volume gateway types. To list or delete a snapshot, you must use the Amazon EC2 API. For more information, go to [DescribeSnapshots](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/API_DescribeSnapshots.html) in the Amazon Elastic Compute Cloud API Reference. /// - /// - Parameter DeleteSnapshotScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSnapshotScheduleInput`) /// - /// - Returns: `DeleteSnapshotScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSnapshotScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2280,7 +2271,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSnapshotScheduleOutput.httpOutput(from:), DeleteSnapshotScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2315,9 +2305,9 @@ extension StorageGatewayClient { /// /// Deletes the specified virtual tape. This operation is only supported in the tape gateway type. /// - /// - Parameter DeleteTapeInput : DeleteTapeInput + /// - Parameter input: DeleteTapeInput (Type: `DeleteTapeInput`) /// - /// - Returns: `DeleteTapeOutput` : DeleteTapeOutput + /// - Returns: DeleteTapeOutput (Type: `DeleteTapeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2350,7 +2340,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTapeOutput.httpOutput(from:), DeleteTapeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2385,9 +2374,9 @@ extension StorageGatewayClient { /// /// Deletes the specified virtual tape from the virtual tape shelf (VTS). This operation is only supported in the tape gateway type. /// - /// - Parameter DeleteTapeArchiveInput : DeleteTapeArchiveInput + /// - Parameter input: DeleteTapeArchiveInput (Type: `DeleteTapeArchiveInput`) /// - /// - Returns: `DeleteTapeArchiveOutput` : DeleteTapeArchiveOutput + /// - Returns: DeleteTapeArchiveOutput (Type: `DeleteTapeArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2420,7 +2409,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTapeArchiveOutput.httpOutput(from:), DeleteTapeArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2455,9 +2443,9 @@ extension StorageGatewayClient { /// /// Delete a custom tape pool. A custom tape pool can only be deleted if there are no tapes in the pool and if there are no automatic tape creation policies that reference the custom tape pool. /// - /// - Parameter DeleteTapePoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTapePoolInput`) /// - /// - Returns: `DeleteTapePoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTapePoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2490,7 +2478,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTapePoolOutput.httpOutput(from:), DeleteTapePoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2525,9 +2512,9 @@ extension StorageGatewayClient { /// /// Deletes the specified storage volume that you previously created using the [CreateCachediSCSIVolume] or [CreateStorediSCSIVolume] API. This operation is only supported in the cached volume and stored volume types. For stored volume gateways, the local disk that was configured as the storage volume is not deleted. You can reuse the local disk to create another storage volume. Before you delete a volume, make sure there are no iSCSI connections to the volume you are deleting. You should also make sure there is no snapshot in progress. You can use the Amazon Elastic Compute Cloud (Amazon EC2) API to query snapshots on the volume you are deleting and check the snapshot status. For more information, go to [DescribeSnapshots](https://docs.aws.amazon.com/AWSEC2/latest/APIReference/ApiReference-query-DescribeSnapshots.html) in the Amazon Elastic Compute Cloud API Reference. In the request, you must provide the Amazon Resource Name (ARN) of the storage volume you want to delete. /// - /// - Parameter DeleteVolumeInput : A JSON object containing the [DeleteVolumeInput$VolumeARN] to delete. + /// - Parameter input: A JSON object containing the [DeleteVolumeInput$VolumeARN] to delete. (Type: `DeleteVolumeInput`) /// - /// - Returns: `DeleteVolumeOutput` : A JSON object containing the Amazon Resource Name (ARN) of the storage volume that was deleted. + /// - Returns: A JSON object containing the Amazon Resource Name (ARN) of the storage volume that was deleted. (Type: `DeleteVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2560,7 +2547,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVolumeOutput.httpOutput(from:), DeleteVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2595,9 +2581,9 @@ extension StorageGatewayClient { /// /// Returns information about the most recent high availability monitoring test that was performed on the host in a cluster. If a test isn't performed, the status and start time in the response would be null. /// - /// - Parameter DescribeAvailabilityMonitorTestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAvailabilityMonitorTestInput`) /// - /// - Returns: `DescribeAvailabilityMonitorTestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAvailabilityMonitorTestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2630,7 +2616,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAvailabilityMonitorTestOutput.httpOutput(from:), DescribeAvailabilityMonitorTestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2665,9 +2650,9 @@ extension StorageGatewayClient { /// /// Returns the bandwidth rate limits of a gateway. By default, these limits are not set, which means no bandwidth rate limiting is in effect. This operation is supported only for the stored volume, cached volume, and tape gateway types. To describe bandwidth rate limits for S3 file gateways, use [DescribeBandwidthRateLimitSchedule]. This operation returns a value for a bandwidth rate limit only if the limit is set. If no limits are set for the gateway, then this operation returns only the gateway ARN in the response body. To specify which gateway to describe, use the Amazon Resource Name (ARN) of the gateway in your request. /// - /// - Parameter DescribeBandwidthRateLimitInput : A JSON object containing the Amazon Resource Name (ARN) of the gateway. + /// - Parameter input: A JSON object containing the Amazon Resource Name (ARN) of the gateway. (Type: `DescribeBandwidthRateLimitInput`) /// - /// - Returns: `DescribeBandwidthRateLimitOutput` : A JSON object containing the following fields: + /// - Returns: A JSON object containing the following fields: (Type: `DescribeBandwidthRateLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2700,7 +2685,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBandwidthRateLimitOutput.httpOutput(from:), DescribeBandwidthRateLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2735,9 +2719,9 @@ extension StorageGatewayClient { /// /// Returns information about the bandwidth rate limit schedule of a gateway. By default, gateways do not have bandwidth rate limit schedules, which means no bandwidth rate limiting is in effect. This operation is supported only for volume, tape and S3 file gateways. FSx file gateways do not support bandwidth rate limits. This operation returns information about a gateway's bandwidth rate limit schedule. A bandwidth rate limit schedule consists of one or more bandwidth rate limit intervals. A bandwidth rate limit interval defines a period of time on one or more days of the week, during which bandwidth rate limits are specified for uploading, downloading, or both. A bandwidth rate limit interval consists of one or more days of the week, a start hour and minute, an ending hour and minute, and bandwidth rate limits for uploading and downloading If no bandwidth rate limit schedule intervals are set for the gateway, this operation returns an empty response. To specify which gateway to describe, use the Amazon Resource Name (ARN) of the gateway in your request. /// - /// - Parameter DescribeBandwidthRateLimitScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBandwidthRateLimitScheduleInput`) /// - /// - Returns: `DescribeBandwidthRateLimitScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBandwidthRateLimitScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2770,7 +2754,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBandwidthRateLimitScheduleOutput.httpOutput(from:), DescribeBandwidthRateLimitScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2805,9 +2788,9 @@ extension StorageGatewayClient { /// /// Returns information about the cache of a gateway. This operation is only supported in the cached volume, tape, and file gateway types. The response includes disk IDs that are configured as cache, and it includes the amount of cache allocated and used. /// - /// - Parameter DescribeCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCacheInput`) /// - /// - Returns: `DescribeCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2840,7 +2823,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCacheOutput.httpOutput(from:), DescribeCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2875,9 +2857,9 @@ extension StorageGatewayClient { /// /// Returns information about the specified cache report, including completion status and generation progress. /// - /// - Parameter DescribeCacheReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCacheReportInput`) /// - /// - Returns: `DescribeCacheReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCacheReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2910,7 +2892,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCacheReportOutput.httpOutput(from:), DescribeCacheReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2945,9 +2926,9 @@ extension StorageGatewayClient { /// /// Returns a description of the gateway volumes specified in the request. This operation is only supported in the cached volume gateway types. The list of gateway volumes in the request must be from one gateway. In the response, Storage Gateway returns volume information sorted by volume Amazon Resource Name (ARN). /// - /// - Parameter DescribeCachediSCSIVolumesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCachediSCSIVolumesInput`) /// - /// - Returns: `DescribeCachediSCSIVolumesOutput` : A JSON object containing the following fields: + /// - Returns: A JSON object containing the following fields: (Type: `DescribeCachediSCSIVolumesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2980,7 +2961,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCachediSCSIVolumesOutput.httpOutput(from:), DescribeCachediSCSIVolumesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3015,9 +2995,9 @@ extension StorageGatewayClient { /// /// Returns an array of Challenge-Handshake Authentication Protocol (CHAP) credentials information for a specified iSCSI target, one for each target-initiator pair. This operation is supported in the volume and tape gateway types. /// - /// - Parameter DescribeChapCredentialsInput : A JSON object containing the Amazon Resource Name (ARN) of the iSCSI volume target. + /// - Parameter input: A JSON object containing the Amazon Resource Name (ARN) of the iSCSI volume target. (Type: `DescribeChapCredentialsInput`) /// - /// - Returns: `DescribeChapCredentialsOutput` : A JSON object containing the following fields: + /// - Returns: A JSON object containing the following fields: (Type: `DescribeChapCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3050,7 +3030,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeChapCredentialsOutput.httpOutput(from:), DescribeChapCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3085,9 +3064,9 @@ extension StorageGatewayClient { /// /// Gets the file system association information. This operation is only supported for FSx File Gateways. /// - /// - Parameter DescribeFileSystemAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFileSystemAssociationsInput`) /// - /// - Returns: `DescribeFileSystemAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFileSystemAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3120,7 +3099,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFileSystemAssociationsOutput.httpOutput(from:), DescribeFileSystemAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3155,9 +3133,9 @@ extension StorageGatewayClient { /// /// Returns metadata about a gateway such as its name, network interfaces, time zone, status, and software version. To specify which gateway to describe, use the Amazon Resource Name (ARN) of the gateway in your request. /// - /// - Parameter DescribeGatewayInformationInput : A JSON object containing the ID of the gateway. + /// - Parameter input: A JSON object containing the ID of the gateway. (Type: `DescribeGatewayInformationInput`) /// - /// - Returns: `DescribeGatewayInformationOutput` : A JSON object containing the following fields: + /// - Returns: A JSON object containing the following fields: (Type: `DescribeGatewayInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3190,7 +3168,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGatewayInformationOutput.httpOutput(from:), DescribeGatewayInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3225,9 +3202,9 @@ extension StorageGatewayClient { /// /// Returns your gateway's maintenance window schedule information, with values for monthly or weekly cadence, specific day and time to begin maintenance, and which types of updates to apply. Time values returned are for the gateway's time zone. /// - /// - Parameter DescribeMaintenanceStartTimeInput : A JSON object containing the Amazon Resource Name (ARN) of the gateway. + /// - Parameter input: A JSON object containing the Amazon Resource Name (ARN) of the gateway. (Type: `DescribeMaintenanceStartTimeInput`) /// - /// - Returns: `DescribeMaintenanceStartTimeOutput` : A JSON object containing the following fields: + /// - Returns: A JSON object containing the following fields: /// /// * [DescribeMaintenanceStartTimeOutput$SoftwareUpdatePreferences] /// @@ -3241,6 +3218,9 @@ extension StorageGatewayClient { /// /// * [DescribeMaintenanceStartTimeOutput$Timezone] /// + /// + /// (Type: `DescribeMaintenanceStartTimeOutput`) + /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ @@ -3272,7 +3252,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMaintenanceStartTimeOutput.httpOutput(from:), DescribeMaintenanceStartTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3307,9 +3286,9 @@ extension StorageGatewayClient { /// /// Gets a description for one or more Network File System (NFS) file shares from an S3 File Gateway. This operation is only supported for S3 File Gateways. /// - /// - Parameter DescribeNFSFileSharesInput : DescribeNFSFileSharesInput + /// - Parameter input: DescribeNFSFileSharesInput (Type: `DescribeNFSFileSharesInput`) /// - /// - Returns: `DescribeNFSFileSharesOutput` : DescribeNFSFileSharesOutput + /// - Returns: DescribeNFSFileSharesOutput (Type: `DescribeNFSFileSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3342,7 +3321,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNFSFileSharesOutput.httpOutput(from:), DescribeNFSFileSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3377,9 +3355,9 @@ extension StorageGatewayClient { /// /// Gets a description for one or more Server Message Block (SMB) file shares from a S3 File Gateway. This operation is only supported for S3 File Gateways. /// - /// - Parameter DescribeSMBFileSharesInput : DescribeSMBFileSharesInput + /// - Parameter input: DescribeSMBFileSharesInput (Type: `DescribeSMBFileSharesInput`) /// - /// - Returns: `DescribeSMBFileSharesOutput` : DescribeSMBFileSharesOutput + /// - Returns: DescribeSMBFileSharesOutput (Type: `DescribeSMBFileSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3412,7 +3390,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSMBFileSharesOutput.httpOutput(from:), DescribeSMBFileSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3447,9 +3424,9 @@ extension StorageGatewayClient { /// /// Gets a description of a Server Message Block (SMB) file share settings from a file gateway. This operation is only supported for file gateways. /// - /// - Parameter DescribeSMBSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSMBSettingsInput`) /// - /// - Returns: `DescribeSMBSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSMBSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3482,7 +3459,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSMBSettingsOutput.httpOutput(from:), DescribeSMBSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3517,9 +3493,9 @@ extension StorageGatewayClient { /// /// Describes the snapshot schedule for the specified gateway volume. The snapshot schedule information includes intervals at which snapshots are automatically initiated on the volume. This operation is only supported in the cached volume and stored volume types. /// - /// - Parameter DescribeSnapshotScheduleInput : A JSON object containing the [DescribeSnapshotScheduleInput$VolumeARN] of the volume. + /// - Parameter input: A JSON object containing the [DescribeSnapshotScheduleInput$VolumeARN] of the volume. (Type: `DescribeSnapshotScheduleInput`) /// - /// - Returns: `DescribeSnapshotScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSnapshotScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3552,7 +3528,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSnapshotScheduleOutput.httpOutput(from:), DescribeSnapshotScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3587,9 +3562,9 @@ extension StorageGatewayClient { /// /// Returns the description of the gateway volumes specified in the request. The list of gateway volumes in the request must be from one gateway. In the response, Storage Gateway returns volume information sorted by volume ARNs. This operation is only supported in stored volume gateway type. /// - /// - Parameter DescribeStorediSCSIVolumesInput : A JSON object containing a list of [DescribeStorediSCSIVolumesInput$VolumeARNs]. + /// - Parameter input: A JSON object containing a list of [DescribeStorediSCSIVolumesInput$VolumeARNs]. (Type: `DescribeStorediSCSIVolumesInput`) /// - /// - Returns: `DescribeStorediSCSIVolumesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeStorediSCSIVolumesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3622,7 +3597,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeStorediSCSIVolumesOutput.httpOutput(from:), DescribeStorediSCSIVolumesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3657,9 +3631,9 @@ extension StorageGatewayClient { /// /// Returns a description of specified virtual tapes in the virtual tape shelf (VTS). This operation is only supported in the tape gateway type. If a specific TapeARN is not specified, Storage Gateway returns a description of all virtual tapes found in the VTS associated with your account. /// - /// - Parameter DescribeTapeArchivesInput : DescribeTapeArchivesInput + /// - Parameter input: DescribeTapeArchivesInput (Type: `DescribeTapeArchivesInput`) /// - /// - Returns: `DescribeTapeArchivesOutput` : DescribeTapeArchivesOutput + /// - Returns: DescribeTapeArchivesOutput (Type: `DescribeTapeArchivesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3692,7 +3666,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTapeArchivesOutput.httpOutput(from:), DescribeTapeArchivesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3727,9 +3700,9 @@ extension StorageGatewayClient { /// /// Returns a list of virtual tape recovery points that are available for the specified tape gateway. A recovery point is a point-in-time view of a virtual tape at which all the data on the virtual tape is consistent. If your gateway crashes, virtual tapes that have recovery points can be recovered to a new gateway. This operation is only supported in the tape gateway type. /// - /// - Parameter DescribeTapeRecoveryPointsInput : DescribeTapeRecoveryPointsInput + /// - Parameter input: DescribeTapeRecoveryPointsInput (Type: `DescribeTapeRecoveryPointsInput`) /// - /// - Returns: `DescribeTapeRecoveryPointsOutput` : DescribeTapeRecoveryPointsOutput + /// - Returns: DescribeTapeRecoveryPointsOutput (Type: `DescribeTapeRecoveryPointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3762,7 +3735,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTapeRecoveryPointsOutput.httpOutput(from:), DescribeTapeRecoveryPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3797,9 +3769,9 @@ extension StorageGatewayClient { /// /// Returns a description of virtual tapes that correspond to the specified Amazon Resource Names (ARNs). If TapeARN is not specified, returns a description of the virtual tapes associated with the specified gateway. This operation is only supported for the tape gateway type. The operation supports pagination. By default, the operation returns a maximum of up to 100 tapes. You can optionally specify the Limit field in the body to limit the number of tapes in the response. If the number of tapes returned in the response is truncated, the response includes a Marker field. You can use this Marker value in your subsequent request to retrieve the next set of tapes. /// - /// - Parameter DescribeTapesInput : DescribeTapesInput + /// - Parameter input: DescribeTapesInput (Type: `DescribeTapesInput`) /// - /// - Returns: `DescribeTapesOutput` : DescribeTapesOutput + /// - Returns: DescribeTapesOutput (Type: `DescribeTapesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3832,7 +3804,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTapesOutput.httpOutput(from:), DescribeTapesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3867,9 +3838,9 @@ extension StorageGatewayClient { /// /// Returns information about the upload buffer of a gateway. This operation is supported for the stored volume, cached volume, and tape gateway types. The response includes disk IDs that are configured as upload buffer space, and it includes the amount of upload buffer space allocated and used. /// - /// - Parameter DescribeUploadBufferInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUploadBufferInput`) /// - /// - Returns: `DescribeUploadBufferOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUploadBufferOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3902,7 +3873,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUploadBufferOutput.httpOutput(from:), DescribeUploadBufferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3937,9 +3907,9 @@ extension StorageGatewayClient { /// /// Returns a description of virtual tape library (VTL) devices for the specified tape gateway. In the response, Storage Gateway returns VTL device information. This operation is only supported in the tape gateway type. /// - /// - Parameter DescribeVTLDevicesInput : DescribeVTLDevicesInput + /// - Parameter input: DescribeVTLDevicesInput (Type: `DescribeVTLDevicesInput`) /// - /// - Returns: `DescribeVTLDevicesOutput` : DescribeVTLDevicesOutput + /// - Returns: DescribeVTLDevicesOutput (Type: `DescribeVTLDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3972,7 +3942,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeVTLDevicesOutput.httpOutput(from:), DescribeVTLDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4007,9 +3976,9 @@ extension StorageGatewayClient { /// /// Returns information about the working storage of a gateway. This operation is only supported in the stored volumes gateway type. This operation is deprecated in cached volumes API version (20120630). Use DescribeUploadBuffer instead. Working storage is also referred to as upload buffer. You can also use the DescribeUploadBuffer operation to add upload buffer to a stored volume gateway. The response includes disk IDs that are configured as working storage, and it includes the amount of working storage allocated and used. /// - /// - Parameter DescribeWorkingStorageInput : A JSON object containing the Amazon Resource Name (ARN) of the gateway. + /// - Parameter input: A JSON object containing the Amazon Resource Name (ARN) of the gateway. (Type: `DescribeWorkingStorageInput`) /// - /// - Returns: `DescribeWorkingStorageOutput` : A JSON object containing the following fields: + /// - Returns: A JSON object containing the following fields: (Type: `DescribeWorkingStorageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4042,7 +4011,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkingStorageOutput.httpOutput(from:), DescribeWorkingStorageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4077,9 +4045,9 @@ extension StorageGatewayClient { /// /// Disconnects a volume from an iSCSI connection and then detaches the volume from the specified gateway. Detaching and attaching a volume enables you to recover your data from one gateway to a different gateway without creating a snapshot. It also makes it easier to move your volumes from an on-premises gateway to a gateway hosted on an Amazon EC2 instance. This operation is only supported in the volume gateway type. /// - /// - Parameter DetachVolumeInput : AttachVolumeInput + /// - Parameter input: AttachVolumeInput (Type: `DetachVolumeInput`) /// - /// - Returns: `DetachVolumeOutput` : AttachVolumeOutput + /// - Returns: AttachVolumeOutput (Type: `DetachVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4112,7 +4080,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetachVolumeOutput.httpOutput(from:), DetachVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4147,9 +4114,9 @@ extension StorageGatewayClient { /// /// Disables a tape gateway when the gateway is no longer functioning. For example, if your gateway VM is damaged, you can disable the gateway so you can recover virtual tapes. Use this operation for a tape gateway that is not reachable or not functioning. This operation is only supported in the tape gateway type. After a gateway is disabled, it cannot be enabled. /// - /// - Parameter DisableGatewayInput : DisableGatewayInput + /// - Parameter input: DisableGatewayInput (Type: `DisableGatewayInput`) /// - /// - Returns: `DisableGatewayOutput` : DisableGatewayOutput + /// - Returns: DisableGatewayOutput (Type: `DisableGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4182,7 +4149,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisableGatewayOutput.httpOutput(from:), DisableGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4217,9 +4183,9 @@ extension StorageGatewayClient { /// /// Disassociates an Amazon FSx file system from the specified gateway. After the disassociation process finishes, the gateway can no longer access the Amazon FSx file system. This operation is only supported in the FSx File Gateway type. /// - /// - Parameter DisassociateFileSystemInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFileSystemInput`) /// - /// - Returns: `DisassociateFileSystemOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFileSystemOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4252,7 +4218,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFileSystemOutput.httpOutput(from:), DisassociateFileSystemOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4287,9 +4252,9 @@ extension StorageGatewayClient { /// /// Starts a process that cleans the specified file share's cache of file entries that are failing upload to Amazon S3. This API operation reports success if the request is received with valid arguments, and there are no other cache clean operations currently in-progress for the specified file share. After a successful request, the cache clean operation occurs asynchronously and reports progress using CloudWatch logs and notifications. If ForceRemove is set to True, the cache clean operation will delete file data from the gateway which might otherwise be recoverable. We recommend using this operation only after all other methods to clear files failing upload have been exhausted, and if your business need outweighs the potential data loss. /// - /// - Parameter EvictFilesFailingUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EvictFilesFailingUploadInput`) /// - /// - Returns: `EvictFilesFailingUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EvictFilesFailingUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4322,7 +4287,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EvictFilesFailingUploadOutput.httpOutput(from:), EvictFilesFailingUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4357,9 +4321,9 @@ extension StorageGatewayClient { /// /// Adds a file gateway to an Active Directory domain. This operation is only supported for file gateways that support the SMB file protocol. Joining a domain creates an Active Directory computer account in the default organizational unit, using the gateway's Gateway ID as the account name (for example, SGW-1234ADE). If your Active Directory environment requires that you pre-stage accounts to facilitate the join domain process, you will need to create this account ahead of time. To create the gateway's computer account in an organizational unit other than the default, you must specify the organizational unit when joining the domain. /// - /// - Parameter JoinDomainInput : JoinDomainInput + /// - Parameter input: JoinDomainInput (Type: `JoinDomainInput`) /// - /// - Returns: `JoinDomainOutput` : JoinDomainOutput + /// - Returns: JoinDomainOutput (Type: `JoinDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4392,7 +4356,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(JoinDomainOutput.httpOutput(from:), JoinDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4427,9 +4390,9 @@ extension StorageGatewayClient { /// /// Lists the automatic tape creation policies for a gateway. If there are no automatic tape creation policies for the gateway, it returns an empty list. This operation is only supported for tape gateways. /// - /// - Parameter ListAutomaticTapeCreationPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAutomaticTapeCreationPoliciesInput`) /// - /// - Returns: `ListAutomaticTapeCreationPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAutomaticTapeCreationPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4462,7 +4425,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAutomaticTapeCreationPoliciesOutput.httpOutput(from:), ListAutomaticTapeCreationPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4497,9 +4459,9 @@ extension StorageGatewayClient { /// /// Returns a list of existing cache reports for all file shares associated with your Amazon Web Services account. This list includes all information provided by the DescribeCacheReport action, such as report name, status, completion progress, start time, end time, filters, and tags. /// - /// - Parameter ListCacheReportsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCacheReportsInput`) /// - /// - Returns: `ListCacheReportsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCacheReportsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4532,7 +4494,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCacheReportsOutput.httpOutput(from:), ListCacheReportsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4567,9 +4528,9 @@ extension StorageGatewayClient { /// /// Gets a list of the file shares for a specific S3 File Gateway, or the list of file shares that belong to the calling Amazon Web Services account. This operation is only supported for S3 File Gateways. /// - /// - Parameter ListFileSharesInput : ListFileShareInput + /// - Parameter input: ListFileShareInput (Type: `ListFileSharesInput`) /// - /// - Returns: `ListFileSharesOutput` : ListFileShareOutput + /// - Returns: ListFileShareOutput (Type: `ListFileSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4602,7 +4563,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFileSharesOutput.httpOutput(from:), ListFileSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4637,9 +4597,9 @@ extension StorageGatewayClient { /// /// Gets a list of FileSystemAssociationSummary objects. Each object contains a summary of a file system association. This operation is only supported for FSx File Gateways. /// - /// - Parameter ListFileSystemAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFileSystemAssociationsInput`) /// - /// - Returns: `ListFileSystemAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFileSystemAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4672,7 +4632,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFileSystemAssociationsOutput.httpOutput(from:), ListFileSystemAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4707,13 +4666,16 @@ extension StorageGatewayClient { /// /// Lists gateways owned by an Amazon Web Services account in an Amazon Web Services Region specified in the request. The returned list is ordered by gateway Amazon Resource Name (ARN). By default, the operation returns a maximum of 100 gateways. This operation supports pagination that allows you to optionally reduce the number of gateways returned in a response. If you have more gateways than are returned in a response (that is, the response returns only a truncated list of your gateways), the response contains a marker that you can specify in your next request to fetch the next page of gateways. /// - /// - Parameter ListGatewaysInput : A JSON object containing zero or more of the following fields: + /// - Parameter input: A JSON object containing zero or more of the following fields: /// /// * [ListGatewaysInput$Limit] /// /// * [ListGatewaysInput$Marker] /// - /// - Returns: `ListGatewaysOutput` : [no documentation found] + /// + /// (Type: `ListGatewaysInput`) + /// + /// - Returns: [no documentation found] (Type: `ListGatewaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4746,7 +4708,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGatewaysOutput.httpOutput(from:), ListGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4781,9 +4742,9 @@ extension StorageGatewayClient { /// /// Returns a list of the gateway's local disks. To specify which gateway to describe, you use the Amazon Resource Name (ARN) of the gateway in the body of the request. The request returns a list of all disks, specifying which are configured as working storage, cache storage, or stored volume or not configured at all. The response includes a DiskStatus field. This field can have a value of present (the disk is available to use), missing (the disk is no longer connected to the gateway), or mismatch (the disk node is occupied by a disk that has incorrect metadata or the disk content is corrupted). /// - /// - Parameter ListLocalDisksInput : A JSON object containing the Amazon Resource Name (ARN) of the gateway. + /// - Parameter input: A JSON object containing the Amazon Resource Name (ARN) of the gateway. (Type: `ListLocalDisksInput`) /// - /// - Returns: `ListLocalDisksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLocalDisksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4816,7 +4777,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLocalDisksOutput.httpOutput(from:), ListLocalDisksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4851,9 +4811,9 @@ extension StorageGatewayClient { /// /// Lists the tags that have been added to the specified resource. This operation is supported in storage gateways of all types. /// - /// - Parameter ListTagsForResourceInput : ListTagsForResourceInput + /// - Parameter input: ListTagsForResourceInput (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : ListTagsForResourceOutput + /// - Returns: ListTagsForResourceOutput (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4886,7 +4846,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4921,9 +4880,9 @@ extension StorageGatewayClient { /// /// Lists custom tape pools. You specify custom tape pools to list by specifying one or more custom tape pool Amazon Resource Names (ARNs). If you don't specify a custom tape pool ARN, the operation lists all custom tape pools. This operation supports pagination. You can optionally specify the Limit parameter in the body to limit the number of tape pools in the response. If the number of tape pools returned in the response is truncated, the response includes a Marker element that you can use in your subsequent request to retrieve the next set of tape pools. /// - /// - Parameter ListTapePoolsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTapePoolsInput`) /// - /// - Returns: `ListTapePoolsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTapePoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4956,7 +4915,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTapePoolsOutput.httpOutput(from:), ListTapePoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4991,7 +4949,7 @@ extension StorageGatewayClient { /// /// Lists virtual tapes in your virtual tape library (VTL) and your virtual tape shelf (VTS). You specify the tapes to list by specifying one or more tape Amazon Resource Names (ARNs). If you don't specify a tape ARN, the operation lists all virtual tapes in both your VTL and VTS. This operation supports pagination. By default, the operation returns a maximum of up to 100 tapes. You can optionally specify the Limit parameter in the body to limit the number of tapes in the response. If the number of tapes returned in the response is truncated, the response includes a Marker element that you can use in your subsequent request to retrieve the next set of tapes. This operation is only supported in the tape gateway type. /// - /// - Parameter ListTapesInput : A JSON object that contains one or more of the following fields: + /// - Parameter input: A JSON object that contains one or more of the following fields: /// /// * [ListTapesInput$Limit] /// @@ -4999,12 +4957,18 @@ extension StorageGatewayClient { /// /// * [ListTapesInput$TapeARNs] /// - /// - Returns: `ListTapesOutput` : A JSON object containing the following fields: + /// + /// (Type: `ListTapesInput`) + /// + /// - Returns: A JSON object containing the following fields: /// /// * [ListTapesOutput$Marker] /// /// * [ListTapesOutput$VolumeInfos] /// + /// + /// (Type: `ListTapesOutput`) + /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ @@ -5036,7 +5000,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTapesOutput.httpOutput(from:), ListTapesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5071,9 +5034,9 @@ extension StorageGatewayClient { /// /// Lists iSCSI initiators that are connected to a volume. You can use this operation to determine whether a volume is being used or not. This operation is only supported in the cached volume and stored volume gateway types. /// - /// - Parameter ListVolumeInitiatorsInput : ListVolumeInitiatorsInput + /// - Parameter input: ListVolumeInitiatorsInput (Type: `ListVolumeInitiatorsInput`) /// - /// - Returns: `ListVolumeInitiatorsOutput` : ListVolumeInitiatorsOutput + /// - Returns: ListVolumeInitiatorsOutput (Type: `ListVolumeInitiatorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5106,7 +5069,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVolumeInitiatorsOutput.httpOutput(from:), ListVolumeInitiatorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5141,9 +5103,9 @@ extension StorageGatewayClient { /// /// Lists the recovery points for a specified gateway. This operation is only supported in the cached volume gateway type. Each cache volume has one recovery point. A volume recovery point is a point in time at which all data of the volume is consistent and from which you can create a snapshot or clone a new cached volume from a source volume. To create a snapshot from a volume recovery point use the [CreateSnapshotFromVolumeRecoveryPoint] operation. /// - /// - Parameter ListVolumeRecoveryPointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVolumeRecoveryPointsInput`) /// - /// - Returns: `ListVolumeRecoveryPointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVolumeRecoveryPointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5176,7 +5138,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVolumeRecoveryPointsOutput.httpOutput(from:), ListVolumeRecoveryPointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5211,18 +5172,24 @@ extension StorageGatewayClient { /// /// Lists the iSCSI stored volumes of a gateway. Results are sorted by volume ARN. The response includes only the volume ARNs. If you want additional volume information, use the [DescribeStorediSCSIVolumes] or the [DescribeCachediSCSIVolumes] API. The operation supports pagination. By default, the operation returns a maximum of up to 100 volumes. You can optionally specify the Limit field in the body to limit the number of volumes in the response. If the number of volumes returned in the response is truncated, the response includes a Marker field. You can use this Marker value in your subsequent request to retrieve the next set of volumes. This operation is only supported in the cached volume and stored volume gateway types. /// - /// - Parameter ListVolumesInput : A JSON object that contains one or more of the following fields: + /// - Parameter input: A JSON object that contains one or more of the following fields: /// /// * [ListVolumesInput$Limit] /// /// * [ListVolumesInput$Marker] /// - /// - Returns: `ListVolumesOutput` : A JSON object containing the following fields: + /// + /// (Type: `ListVolumesInput`) + /// + /// - Returns: A JSON object containing the following fields: /// /// * [ListVolumesOutput$Marker] /// /// * [ListVolumesOutput$VolumeInfos] /// + /// + /// (Type: `ListVolumesOutput`) + /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// /// __Possible Exceptions:__ @@ -5254,7 +5221,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVolumesOutput.httpOutput(from:), ListVolumesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5289,9 +5255,9 @@ extension StorageGatewayClient { /// /// Sends you notification through Amazon EventBridge when all files written to your file share have been uploaded to Amazon S3. Storage Gateway can send a notification through Amazon EventBridge when all files written to your file share up to that point in time have been uploaded to Amazon S3. These files include files written to the file share up to the time that you make a request for notification. When the upload is done, Storage Gateway sends you notification through EventBridge. You can configure EventBridge to send the notification through event targets such as Amazon SNS or Lambda function. This operation is only supported for S3 File Gateways. For more information, see [Getting file upload notification](https://docs.aws.amazon.com/filegateway/latest/files3/monitoring-file-gateway.html#get-notification) in the Amazon S3 File Gateway User Guide. /// - /// - Parameter NotifyWhenUploadedInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `NotifyWhenUploadedInput`) /// - /// - Returns: `NotifyWhenUploadedOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `NotifyWhenUploadedOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5324,7 +5290,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NotifyWhenUploadedOutput.httpOutput(from:), NotifyWhenUploadedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5366,9 +5331,9 @@ extension StorageGatewayClient { /// /// The S3 bucket name does not need to be included when entering the list of folders in the FolderList parameter. For more information, see [Getting notified about file operations](https://docs.aws.amazon.com/filegateway/latest/files3/monitoring-file-gateway.html#get-notification) in the Amazon S3 File Gateway User Guide. /// - /// - Parameter RefreshCacheInput : RefreshCacheInput + /// - Parameter input: RefreshCacheInput (Type: `RefreshCacheInput`) /// - /// - Returns: `RefreshCacheOutput` : RefreshCacheOutput + /// - Returns: RefreshCacheOutput (Type: `RefreshCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5401,7 +5366,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RefreshCacheOutput.httpOutput(from:), RefreshCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5436,9 +5400,9 @@ extension StorageGatewayClient { /// /// Removes one or more tags from the specified resource. This operation is supported in storage gateways of all types. /// - /// - Parameter RemoveTagsFromResourceInput : RemoveTagsFromResourceInput + /// - Parameter input: RemoveTagsFromResourceInput (Type: `RemoveTagsFromResourceInput`) /// - /// - Returns: `RemoveTagsFromResourceOutput` : RemoveTagsFromResourceOutput + /// - Returns: RemoveTagsFromResourceOutput (Type: `RemoveTagsFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5471,7 +5435,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveTagsFromResourceOutput.httpOutput(from:), RemoveTagsFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5506,9 +5469,9 @@ extension StorageGatewayClient { /// /// Resets all cache disks that have encountered an error and makes the disks available for reconfiguration as cache storage. If your cache disk encounters an error, the gateway prevents read and write operations on virtual tapes in the gateway. For example, an error can occur when a disk is corrupted or removed from the gateway. When a cache is reset, the gateway loses its cache storage. At this point, you can reconfigure the disks as cache disks. This operation is only supported in the cached volume and tape types. If the cache disk you are resetting contains data that has not been uploaded to Amazon S3 yet, that data can be lost. After you reset cache disks, there will be no configured cache disks left in the gateway, so you must configure at least one new cache disk for your gateway to function properly. /// - /// - Parameter ResetCacheInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetCacheInput`) /// - /// - Returns: `ResetCacheOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetCacheOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5541,7 +5504,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetCacheOutput.httpOutput(from:), ResetCacheOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5576,9 +5538,9 @@ extension StorageGatewayClient { /// /// Retrieves an archived virtual tape from the virtual tape shelf (VTS) to a tape gateway. Virtual tapes archived in the VTS are not associated with any gateway. However after a tape is retrieved, it is associated with a gateway, even though it is also listed in the VTS, that is, archive. This operation is only supported in the tape gateway type. Once a tape is successfully retrieved to a gateway, it cannot be retrieved again to another gateway. You must archive the tape again before you can retrieve it to another gateway. This operation is only supported in the tape gateway type. /// - /// - Parameter RetrieveTapeArchiveInput : RetrieveTapeArchiveInput + /// - Parameter input: RetrieveTapeArchiveInput (Type: `RetrieveTapeArchiveInput`) /// - /// - Returns: `RetrieveTapeArchiveOutput` : RetrieveTapeArchiveOutput + /// - Returns: RetrieveTapeArchiveOutput (Type: `RetrieveTapeArchiveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5611,7 +5573,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetrieveTapeArchiveOutput.httpOutput(from:), RetrieveTapeArchiveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5646,9 +5607,9 @@ extension StorageGatewayClient { /// /// Retrieves the recovery point for the specified virtual tape. This operation is only supported in the tape gateway type. A recovery point is a point in time view of a virtual tape at which all the data on the tape is consistent. If your gateway crashes, virtual tapes that have recovery points can be recovered to a new gateway. The virtual tape can be retrieved to only one gateway. The retrieved tape is read-only. The virtual tape can be retrieved to only a tape gateway. There is no charge for retrieving recovery points. /// - /// - Parameter RetrieveTapeRecoveryPointInput : RetrieveTapeRecoveryPointInput + /// - Parameter input: RetrieveTapeRecoveryPointInput (Type: `RetrieveTapeRecoveryPointInput`) /// - /// - Returns: `RetrieveTapeRecoveryPointOutput` : RetrieveTapeRecoveryPointOutput + /// - Returns: RetrieveTapeRecoveryPointOutput (Type: `RetrieveTapeRecoveryPointOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5681,7 +5642,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RetrieveTapeRecoveryPointOutput.httpOutput(from:), RetrieveTapeRecoveryPointOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5716,9 +5676,9 @@ extension StorageGatewayClient { /// /// Sets the password for your VM local console. When you log in to the local console for the first time, you log in to the VM with the default credentials. We recommend that you set a new password. You don't need to know the default password to set a new password. /// - /// - Parameter SetLocalConsolePasswordInput : SetLocalConsolePasswordInput + /// - Parameter input: SetLocalConsolePasswordInput (Type: `SetLocalConsolePasswordInput`) /// - /// - Returns: `SetLocalConsolePasswordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetLocalConsolePasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5751,7 +5711,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetLocalConsolePasswordOutput.httpOutput(from:), SetLocalConsolePasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5786,9 +5745,9 @@ extension StorageGatewayClient { /// /// Sets the password for the guest user smbguest. The smbguest user is the user when the authentication method for the file share is set to GuestAccess. This operation only supported for S3 File Gateways /// - /// - Parameter SetSMBGuestPasswordInput : SetSMBGuestPasswordInput + /// - Parameter input: SetSMBGuestPasswordInput (Type: `SetSMBGuestPasswordInput`) /// - /// - Returns: `SetSMBGuestPasswordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SetSMBGuestPasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5821,7 +5780,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SetSMBGuestPasswordOutput.httpOutput(from:), SetSMBGuestPasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5856,9 +5814,9 @@ extension StorageGatewayClient { /// /// Shuts down a Tape Gateway or Volume Gateway. To specify which gateway to shut down, use the Amazon Resource Name (ARN) of the gateway in the body of your request. This API action cannot be used to shut down S3 File Gateway or FSx File Gateway. The operation shuts down the gateway service component running in the gateway's virtual machine (VM) and not the host VM. If you want to shut down the VM, it is recommended that you first shut down the gateway component in the VM to avoid unpredictable conditions. After the gateway is shutdown, you cannot call any other API except [StartGateway], [DescribeGatewayInformation], and [ListGateways]. For more information, see [ActivateGateway]. Your applications cannot read from or write to the gateway's storage volumes, and there are no snapshots taken. When you make a shutdown request, you will get a 200 OK success response immediately. However, it might take some time for the gateway to shut down. You can call the [DescribeGatewayInformation] API to check the status. For more information, see [ActivateGateway]. If do not intend to use the gateway again, you must delete the gateway (using [DeleteGateway]) to no longer pay software charges associated with the gateway. /// - /// - Parameter ShutdownGatewayInput : A JSON object containing the Amazon Resource Name (ARN) of the gateway to shut down. + /// - Parameter input: A JSON object containing the Amazon Resource Name (ARN) of the gateway to shut down. (Type: `ShutdownGatewayInput`) /// - /// - Returns: `ShutdownGatewayOutput` : A JSON object containing the Amazon Resource Name (ARN) of the gateway that was shut down. + /// - Returns: A JSON object containing the Amazon Resource Name (ARN) of the gateway that was shut down. (Type: `ShutdownGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5891,7 +5849,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ShutdownGatewayOutput.httpOutput(from:), ShutdownGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5926,9 +5883,9 @@ extension StorageGatewayClient { /// /// Start a test that verifies that the specified gateway is configured for High Availability monitoring in your host environment. This request only initiates the test and that a successful response only indicates that the test was started. It doesn't indicate that the test passed. For the status of the test, invoke the DescribeAvailabilityMonitorTest API. Starting this test will cause your gateway to go offline for a brief period. /// - /// - Parameter StartAvailabilityMonitorTestInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartAvailabilityMonitorTestInput`) /// - /// - Returns: `StartAvailabilityMonitorTestOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartAvailabilityMonitorTestOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5961,7 +5918,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartAvailabilityMonitorTestOutput.httpOutput(from:), StartAvailabilityMonitorTestOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6008,9 +5964,9 @@ extension StorageGatewayClient { /// /// * You must specify at least one value for InclusionFilters or ExclusionFilters in the request. /// - /// - Parameter StartCacheReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCacheReportInput`) /// - /// - Returns: `StartCacheReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCacheReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6043,7 +5999,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCacheReportOutput.httpOutput(from:), StartCacheReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6078,9 +6033,9 @@ extension StorageGatewayClient { /// /// Starts a gateway that you previously shut down (see [ShutdownGateway]). After the gateway starts, you can then make other API calls, your applications can read from or write to the gateway's storage volumes and you will be able to take snapshot backups. When you make a request, you will get a 200 OK success response immediately. However, it might take some time for the gateway to be ready. You should call [DescribeGatewayInformation] and check the status before making any additional API calls. For more information, see [ActivateGateway]. To specify which gateway to start, use the Amazon Resource Name (ARN) of the gateway in your request. /// - /// - Parameter StartGatewayInput : A JSON object containing the Amazon Resource Name (ARN) of the gateway to start. + /// - Parameter input: A JSON object containing the Amazon Resource Name (ARN) of the gateway to start. (Type: `StartGatewayInput`) /// - /// - Returns: `StartGatewayOutput` : A JSON object containing the Amazon Resource Name (ARN) of the gateway that was restarted. + /// - Returns: A JSON object containing the Amazon Resource Name (ARN) of the gateway that was restarted. (Type: `StartGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6113,7 +6068,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartGatewayOutput.httpOutput(from:), StartGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6148,9 +6102,9 @@ extension StorageGatewayClient { /// /// Updates the automatic tape creation policy of a gateway. Use this to update the policy with a new set of automatic tape creation rules. This is only supported for tape gateways. By default, there is no automatic tape creation policy. A gateway can have only one automatic tape creation policy. /// - /// - Parameter UpdateAutomaticTapeCreationPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAutomaticTapeCreationPolicyInput`) /// - /// - Returns: `UpdateAutomaticTapeCreationPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAutomaticTapeCreationPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6183,7 +6137,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAutomaticTapeCreationPolicyOutput.httpOutput(from:), UpdateAutomaticTapeCreationPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6218,13 +6171,16 @@ extension StorageGatewayClient { /// /// Updates the bandwidth rate limits of a gateway. You can update both the upload and download bandwidth rate limit or specify only one of the two. If you don't set a bandwidth rate limit, the existing rate limit remains. This operation is supported only for the stored volume, cached volume, and tape gateway types. To update bandwidth rate limits for S3 file gateways, use [UpdateBandwidthRateLimitSchedule]. By default, a gateway's bandwidth rate limits are not set. If you don't set any limit, the gateway does not have any limitations on its bandwidth usage and could potentially use the maximum available bandwidth. To specify which gateway to update, use the Amazon Resource Name (ARN) of the gateway in your request. /// - /// - Parameter UpdateBandwidthRateLimitInput : A JSON object containing one or more of the following fields: + /// - Parameter input: A JSON object containing one or more of the following fields: /// /// * [UpdateBandwidthRateLimitInput$AverageDownloadRateLimitInBitsPerSec] /// /// * [UpdateBandwidthRateLimitInput$AverageUploadRateLimitInBitsPerSec] /// - /// - Returns: `UpdateBandwidthRateLimitOutput` : A JSON object containing the Amazon Resource Name (ARN) of the gateway whose throttle information was updated. + /// + /// (Type: `UpdateBandwidthRateLimitInput`) + /// + /// - Returns: A JSON object containing the Amazon Resource Name (ARN) of the gateway whose throttle information was updated. (Type: `UpdateBandwidthRateLimitOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6257,7 +6213,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBandwidthRateLimitOutput.httpOutput(from:), UpdateBandwidthRateLimitOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6292,9 +6247,9 @@ extension StorageGatewayClient { /// /// Updates the bandwidth rate limit schedule for a specified gateway. By default, gateways do not have bandwidth rate limit schedules, which means no bandwidth rate limiting is in effect. Use this to initiate or update a gateway's bandwidth rate limit schedule. This operation is supported for volume, tape, and S3 file gateways. S3 file gateways support bandwidth rate limits for upload only. FSx file gateways do not support bandwidth rate limits. /// - /// - Parameter UpdateBandwidthRateLimitScheduleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBandwidthRateLimitScheduleInput`) /// - /// - Returns: `UpdateBandwidthRateLimitScheduleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBandwidthRateLimitScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6327,7 +6282,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBandwidthRateLimitScheduleOutput.httpOutput(from:), UpdateBandwidthRateLimitScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6362,7 +6316,7 @@ extension StorageGatewayClient { /// /// Updates the Challenge-Handshake Authentication Protocol (CHAP) credentials for a specified iSCSI target. By default, a gateway does not have CHAP enabled; however, for added security, you might use it. This operation is supported in the volume and tape gateway types. When you update CHAP credentials, all existing connections on the target are closed and initiators must reconnect with the new credentials. /// - /// - Parameter UpdateChapCredentialsInput : A JSON object containing one or more of the following fields: + /// - Parameter input: A JSON object containing one or more of the following fields: /// /// * [UpdateChapCredentialsInput$InitiatorName] /// @@ -6372,7 +6326,10 @@ extension StorageGatewayClient { /// /// * [UpdateChapCredentialsInput$TargetARN] /// - /// - Returns: `UpdateChapCredentialsOutput` : A JSON object containing the following fields: + /// + /// (Type: `UpdateChapCredentialsInput`) + /// + /// - Returns: A JSON object containing the following fields: (Type: `UpdateChapCredentialsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6405,7 +6362,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateChapCredentialsOutput.httpOutput(from:), UpdateChapCredentialsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6440,9 +6396,9 @@ extension StorageGatewayClient { /// /// Updates a file system association. This operation is only supported in the FSx File Gateways. /// - /// - Parameter UpdateFileSystemAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFileSystemAssociationInput`) /// - /// - Returns: `UpdateFileSystemAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFileSystemAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6475,7 +6431,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFileSystemAssociationOutput.httpOutput(from:), UpdateFileSystemAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6510,9 +6465,9 @@ extension StorageGatewayClient { /// /// Updates a gateway's metadata, which includes the gateway's name, time zone, and metadata cache size. To specify which gateway to update, use the Amazon Resource Name (ARN) of the gateway in your request. For gateways activated after September 2, 2015, the gateway's ARN contains the gateway ID rather than the gateway name. However, changing the name of the gateway has no effect on the gateway's ARN. /// - /// - Parameter UpdateGatewayInformationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGatewayInformationInput`) /// - /// - Returns: `UpdateGatewayInformationOutput` : A JSON object containing the Amazon Resource Name (ARN) of the gateway that was updated. + /// - Returns: A JSON object containing the Amazon Resource Name (ARN) of the gateway that was updated. (Type: `UpdateGatewayInformationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6545,7 +6500,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewayInformationOutput.httpOutput(from:), UpdateGatewayInformationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6580,9 +6534,9 @@ extension StorageGatewayClient { /// /// Updates the gateway virtual machine (VM) software. The request immediately triggers the software update. When you make this request, you get a 200 OK success response immediately. However, it might take some time for the update to complete. You can call [DescribeGatewayInformation] to verify the gateway is in the STATE_RUNNING state. A software update forces a system restart of your gateway. You can minimize the chance of any disruption to your applications by increasing your iSCSI Initiators' timeouts. For more information about increasing iSCSI Initiator timeouts for Windows and Linux, see [Customizing your Windows iSCSI settings](https://docs.aws.amazon.com/storagegateway/latest/userguide/ConfiguringiSCSIClientInitiatorWindowsClient.html#CustomizeWindowsiSCSISettings) and [Customizing your Linux iSCSI settings](https://docs.aws.amazon.com/storagegateway/latest/userguide/ConfiguringiSCSIClientInitiatorRedHatClient.html#CustomizeLinuxiSCSISettings), respectively. /// - /// - Parameter UpdateGatewaySoftwareNowInput : A JSON object containing the Amazon Resource Name (ARN) of the gateway to update. + /// - Parameter input: A JSON object containing the Amazon Resource Name (ARN) of the gateway to update. (Type: `UpdateGatewaySoftwareNowInput`) /// - /// - Returns: `UpdateGatewaySoftwareNowOutput` : A JSON object containing the Amazon Resource Name (ARN) of the gateway that was updated. + /// - Returns: A JSON object containing the Amazon Resource Name (ARN) of the gateway that was updated. (Type: `UpdateGatewaySoftwareNowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6615,7 +6569,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGatewaySoftwareNowOutput.httpOutput(from:), UpdateGatewaySoftwareNowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6650,7 +6603,7 @@ extension StorageGatewayClient { /// /// Updates a gateway's maintenance window schedule, with settings for monthly or weekly cadence, specific day and time to begin maintenance, and which types of updates to apply. Time configuration uses the gateway's time zone. You can pass values for a complete maintenance schedule, or update policy, or both. Previous values will persist for whichever setting you choose not to modify. If an incomplete or invalid maintenance schedule is passed, the entire request will be rejected with an error and no changes will occur. A complete maintenance schedule must include values for both MinuteOfHour and HourOfDay, and either DayOfMonth or DayOfWeek. We recommend keeping maintenance updates turned on, except in specific use cases where the brief disruptions caused by updating the gateway could critically impact your deployment. /// - /// - Parameter UpdateMaintenanceStartTimeInput : A JSON object containing the following fields: + /// - Parameter input: A JSON object containing the following fields: /// /// * [UpdateMaintenanceStartTimeInput$SoftwareUpdatePreferences] /// @@ -6662,7 +6615,10 @@ extension StorageGatewayClient { /// /// * [UpdateMaintenanceStartTimeInput$MinuteOfHour] /// - /// - Returns: `UpdateMaintenanceStartTimeOutput` : A JSON object containing the Amazon Resource Name (ARN) of the gateway whose maintenance start time is updated. + /// + /// (Type: `UpdateMaintenanceStartTimeInput`) + /// + /// - Returns: A JSON object containing the Amazon Resource Name (ARN) of the gateway whose maintenance start time is updated. (Type: `UpdateMaintenanceStartTimeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6695,7 +6651,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMaintenanceStartTimeOutput.httpOutput(from:), UpdateMaintenanceStartTimeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6740,9 +6695,9 @@ extension StorageGatewayClient { /// /// * Write status of your file share /// - /// - Parameter UpdateNFSFileShareInput : UpdateNFSFileShareInput + /// - Parameter input: UpdateNFSFileShareInput (Type: `UpdateNFSFileShareInput`) /// - /// - Returns: `UpdateNFSFileShareOutput` : UpdateNFSFileShareOutput + /// - Returns: UpdateNFSFileShareOutput (Type: `UpdateNFSFileShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6775,7 +6730,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNFSFileShareOutput.httpOutput(from:), UpdateNFSFileShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6810,9 +6764,9 @@ extension StorageGatewayClient { /// /// Updates a Server Message Block (SMB) file share. This operation is only supported for S3 File Gateways. To leave a file share field unchanged, set the corresponding input field to null. File gateways require Security Token Service (Amazon Web Services STS) to be activated to enable you to create a file share. Make sure that Amazon Web Services STS is activated in the Amazon Web Services Region you are creating your file gateway in. If Amazon Web Services STS is not activated in this Amazon Web Services Region, activate it. For information about how to activate Amazon Web Services STS, see [Activating and deactivating Amazon Web Services STS in an Amazon Web Services Region](https://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_temp_enable-regions.html) in the Identity and Access Management User Guide. File gateways don't support creating hard or symbolic links on a file share. /// - /// - Parameter UpdateSMBFileShareInput : UpdateSMBFileShareInput + /// - Parameter input: UpdateSMBFileShareInput (Type: `UpdateSMBFileShareInput`) /// - /// - Returns: `UpdateSMBFileShareOutput` : UpdateSMBFileShareOutput + /// - Returns: UpdateSMBFileShareOutput (Type: `UpdateSMBFileShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6845,7 +6799,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSMBFileShareOutput.httpOutput(from:), UpdateSMBFileShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6880,9 +6833,9 @@ extension StorageGatewayClient { /// /// Controls whether the shares on an S3 File Gateway are visible in a net view or browse list. The operation is only supported for S3 File Gateways. /// - /// - Parameter UpdateSMBFileShareVisibilityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSMBFileShareVisibilityInput`) /// - /// - Returns: `UpdateSMBFileShareVisibilityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSMBFileShareVisibilityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6915,7 +6868,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSMBFileShareVisibilityOutput.httpOutput(from:), UpdateSMBFileShareVisibilityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6950,9 +6902,9 @@ extension StorageGatewayClient { /// /// Updates the list of Active Directory users and groups that have special permissions for SMB file shares on the gateway. /// - /// - Parameter UpdateSMBLocalGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSMBLocalGroupsInput`) /// - /// - Returns: `UpdateSMBLocalGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSMBLocalGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6985,7 +6937,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSMBLocalGroupsOutput.httpOutput(from:), UpdateSMBLocalGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7020,9 +6971,9 @@ extension StorageGatewayClient { /// /// Updates the SMB security strategy level for an Amazon S3 file gateway. This action is only supported for Amazon S3 file gateways. For information about configuring this setting using the Amazon Web Services console, see [Setting a security level for your gateway](https://docs.aws.amazon.com/filegateway/latest/files3/security-strategy.html) in the Amazon S3 File Gateway User Guide. A higher security strategy level can affect performance of the gateway. /// - /// - Parameter UpdateSMBSecurityStrategyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSMBSecurityStrategyInput`) /// - /// - Returns: `UpdateSMBSecurityStrategyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSMBSecurityStrategyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7055,7 +7006,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSMBSecurityStrategyOutput.httpOutput(from:), UpdateSMBSecurityStrategyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7090,7 +7040,7 @@ extension StorageGatewayClient { /// /// Updates a snapshot schedule configured for a gateway volume. This operation is only supported in the cached volume and stored volume gateway types. The default snapshot schedule for volume is once every 24 hours, starting at the creation time of the volume. You can use this API to change the snapshot schedule configured for the volume. In the request you must identify the gateway volume whose snapshot schedule you want to update, and the schedule information, including when you want the snapshot to begin on a day and the frequency (in hours) of snapshots. /// - /// - Parameter UpdateSnapshotScheduleInput : A JSON object containing one or more of the following fields: + /// - Parameter input: A JSON object containing one or more of the following fields: /// /// * [UpdateSnapshotScheduleInput$Description] /// @@ -7100,7 +7050,10 @@ extension StorageGatewayClient { /// /// * [UpdateSnapshotScheduleInput$VolumeARN] /// - /// - Returns: `UpdateSnapshotScheduleOutput` : A JSON object containing the Amazon Resource Name (ARN) of the updated storage volume. + /// + /// (Type: `UpdateSnapshotScheduleInput`) + /// + /// - Returns: A JSON object containing the Amazon Resource Name (ARN) of the updated storage volume. (Type: `UpdateSnapshotScheduleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7133,7 +7086,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSnapshotScheduleOutput.httpOutput(from:), UpdateSnapshotScheduleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7168,9 +7120,9 @@ extension StorageGatewayClient { /// /// Updates the type of medium changer in a tape gateway. When you activate a tape gateway, you select a medium changer type for the tape gateway. This operation enables you to select a different type of medium changer after a tape gateway is activated. This operation is only supported in the tape gateway type. /// - /// - Parameter UpdateVTLDeviceTypeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVTLDeviceTypeInput`) /// - /// - Returns: `UpdateVTLDeviceTypeOutput` : UpdateVTLDeviceTypeOutput + /// - Returns: UpdateVTLDeviceTypeOutput (Type: `UpdateVTLDeviceTypeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7203,7 +7155,6 @@ extension StorageGatewayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVTLDeviceTypeOutput.httpOutput(from:), UpdateVTLDeviceTypeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSupplyChain/Sources/AWSSupplyChain/SupplyChainClient.swift b/Sources/Services/AWSSupplyChain/Sources/AWSSupplyChain/SupplyChainClient.swift index 8d117b38653..1f92745dc72 100644 --- a/Sources/Services/AWSSupplyChain/Sources/AWSSupplyChain/SupplyChainClient.swift +++ b/Sources/Services/AWSSupplyChain/Sources/AWSSupplyChain/SupplyChainClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SupplyChainClient: ClientRuntime.Client { public static let clientName = "SupplyChainClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SupplyChainClient.SupplyChainClientConfiguration let serviceName = "SupplyChain" @@ -375,9 +374,9 @@ extension SupplyChainClient { /// /// CreateBillOfMaterialsImportJob creates an import job for the Product Bill Of Materials (BOM) entity. For information on the product_bom entity, see the AWS Supply Chain User Guide. The CSV file must be located in an Amazon S3 location accessible to AWS Supply Chain. It is recommended to use the same Amazon S3 bucket created during your AWS Supply Chain instance creation. /// - /// - Parameter CreateBillOfMaterialsImportJobInput : The request parameters for CreateBillOfMaterialsImportJob. + /// - Parameter input: The request parameters for CreateBillOfMaterialsImportJob. (Type: `CreateBillOfMaterialsImportJobInput`) /// - /// - Returns: `CreateBillOfMaterialsImportJobOutput` : The response parameters of CreateBillOfMaterialsImportJob. + /// - Returns: The response parameters of CreateBillOfMaterialsImportJob. (Type: `CreateBillOfMaterialsImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -418,7 +417,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBillOfMaterialsImportJobOutput.httpOutput(from:), CreateBillOfMaterialsImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -450,9 +448,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically create a data pipeline to ingest data from source systems such as Amazon S3 buckets, to a predefined Amazon Web Services Supply Chain dataset (product, inbound_order) or a temporary dataset along with the data transformation query provided with the API. /// - /// - Parameter CreateDataIntegrationFlowInput : The request parameters for CreateDataIntegrationFlow. + /// - Parameter input: The request parameters for CreateDataIntegrationFlow. (Type: `CreateDataIntegrationFlowInput`) /// - /// - Returns: `CreateDataIntegrationFlowOutput` : The response parameters for CreateDataIntegrationFlow. + /// - Returns: The response parameters for CreateDataIntegrationFlow. (Type: `CreateDataIntegrationFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataIntegrationFlowOutput.httpOutput(from:), CreateDataIntegrationFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically create an Amazon Web Services Supply Chain data lake dataset. Developers can create the datasets using their pre-defined or custom schema for a given instance ID, namespace, and dataset name. /// - /// - Parameter CreateDataLakeDatasetInput : The request parameters for CreateDataLakeDataset. + /// - Parameter input: The request parameters for CreateDataLakeDataset. (Type: `CreateDataLakeDatasetInput`) /// - /// - Returns: `CreateDataLakeDatasetOutput` : The response parameters of CreateDataLakeDataset. + /// - Returns: The response parameters of CreateDataLakeDataset. (Type: `CreateDataLakeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -566,7 +563,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataLakeDatasetOutput.httpOutput(from:), CreateDataLakeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -598,9 +594,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically create an Amazon Web Services Supply Chain data lake namespace. Developers can create the namespaces for a given instance ID. /// - /// - Parameter CreateDataLakeNamespaceInput : The request parameters for CreateDataLakeNamespace. + /// - Parameter input: The request parameters for CreateDataLakeNamespace. (Type: `CreateDataLakeNamespaceInput`) /// - /// - Returns: `CreateDataLakeNamespaceOutput` : The response parameters of CreateDataLakeNamespace. + /// - Returns: The response parameters of CreateDataLakeNamespace. (Type: `CreateDataLakeNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -640,7 +636,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataLakeNamespaceOutput.httpOutput(from:), CreateDataLakeNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically create an Amazon Web Services Supply Chain instance by applying KMS keys and relevant information associated with the API without using the Amazon Web Services console. This is an asynchronous operation. Upon receiving a CreateInstance request, Amazon Web Services Supply Chain immediately returns the instance resource, instance ID, and the initializing state while simultaneously creating all required Amazon Web Services resources for an instance creation. You can use GetInstance to check the status of the instance. If the instance results in an unhealthy state, you need to check the error message, delete the current instance, and recreate a new one based on the mitigation from the error message. /// - /// - Parameter CreateInstanceInput : The request parameters for CreateInstance. + /// - Parameter input: The request parameters for CreateInstance. (Type: `CreateInstanceInput`) /// - /// - Returns: `CreateInstanceOutput` : The response parameters for CreateInstance. + /// - Returns: The response parameters for CreateInstance. (Type: `CreateInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -715,7 +710,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateInstanceOutput.httpOutput(from:), CreateInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -747,9 +741,9 @@ extension SupplyChainClient { /// /// Enable you to programmatically delete an existing data pipeline for the provided Amazon Web Services Supply Chain instance and DataIntegrationFlow name. /// - /// - Parameter DeleteDataIntegrationFlowInput : The request parameters for DeleteDataIntegrationFlow. + /// - Parameter input: The request parameters for DeleteDataIntegrationFlow. (Type: `DeleteDataIntegrationFlowInput`) /// - /// - Returns: `DeleteDataIntegrationFlowOutput` : The response parameters for DeleteDataIntegrationFlow. + /// - Returns: The response parameters for DeleteDataIntegrationFlow. (Type: `DeleteDataIntegrationFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -786,7 +780,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataIntegrationFlowOutput.httpOutput(from:), DeleteDataIntegrationFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -818,9 +811,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically delete an Amazon Web Services Supply Chain data lake dataset. Developers can delete the existing datasets for a given instance ID, namespace, and instance name. /// - /// - Parameter DeleteDataLakeDatasetInput : The request parameters of DeleteDataLakeDataset. + /// - Parameter input: The request parameters of DeleteDataLakeDataset. (Type: `DeleteDataLakeDatasetInput`) /// - /// - Returns: `DeleteDataLakeDatasetOutput` : The response parameters of DeleteDataLakeDataset. + /// - Returns: The response parameters of DeleteDataLakeDataset. (Type: `DeleteDataLakeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -857,7 +850,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataLakeDatasetOutput.httpOutput(from:), DeleteDataLakeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -889,9 +881,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically delete an Amazon Web Services Supply Chain data lake namespace and its underling datasets. Developers can delete the existing namespaces for a given instance ID and namespace name. /// - /// - Parameter DeleteDataLakeNamespaceInput : The request parameters of DeleteDataLakeNamespace. + /// - Parameter input: The request parameters of DeleteDataLakeNamespace. (Type: `DeleteDataLakeNamespaceInput`) /// - /// - Returns: `DeleteDataLakeNamespaceOutput` : The response parameters of DeleteDataLakeNamespace. + /// - Returns: The response parameters of DeleteDataLakeNamespace. (Type: `DeleteDataLakeNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -928,7 +920,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataLakeNamespaceOutput.httpOutput(from:), DeleteDataLakeNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -960,9 +951,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically delete an Amazon Web Services Supply Chain instance by deleting the KMS keys and relevant information associated with the API without using the Amazon Web Services console. This is an asynchronous operation. Upon receiving a DeleteInstance request, Amazon Web Services Supply Chain immediately returns a response with the instance resource, delete state while cleaning up all Amazon Web Services resources created during the instance creation process. You can use the GetInstance action to check the instance status. /// - /// - Parameter DeleteInstanceInput : The request parameters for DeleteInstance. + /// - Parameter input: The request parameters for DeleteInstance. (Type: `DeleteInstanceInput`) /// - /// - Returns: `DeleteInstanceOutput` : The response parameters for DeleteInstance. + /// - Returns: The response parameters for DeleteInstance. (Type: `DeleteInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -999,7 +990,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteInstanceOutput.httpOutput(from:), DeleteInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1031,9 +1021,9 @@ extension SupplyChainClient { /// /// Get status and details of a BillOfMaterialsImportJob. /// - /// - Parameter GetBillOfMaterialsImportJobInput : The request parameters for GetBillOfMaterialsImportJob. + /// - Parameter input: The request parameters for GetBillOfMaterialsImportJob. (Type: `GetBillOfMaterialsImportJobInput`) /// - /// - Returns: `GetBillOfMaterialsImportJobOutput` : The response parameters for GetBillOfMaterialsImportJob. + /// - Returns: The response parameters for GetBillOfMaterialsImportJob. (Type: `GetBillOfMaterialsImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1070,7 +1060,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBillOfMaterialsImportJobOutput.httpOutput(from:), GetBillOfMaterialsImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1102,9 +1091,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically view an Amazon Web Services Supply Chain Data Integration Event. Developers can view the eventType, eventGroupId, eventTimestamp, datasetTarget, datasetLoadExecution. /// - /// - Parameter GetDataIntegrationEventInput : The request parameters for GetDataIntegrationEvent. + /// - Parameter input: The request parameters for GetDataIntegrationEvent. (Type: `GetDataIntegrationEventInput`) /// - /// - Returns: `GetDataIntegrationEventOutput` : The response parameters for GetDataIntegrationEvent. + /// - Returns: The response parameters for GetDataIntegrationEvent. (Type: `GetDataIntegrationEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1141,7 +1130,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataIntegrationEventOutput.httpOutput(from:), GetDataIntegrationEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1173,9 +1161,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically view a specific data pipeline for the provided Amazon Web Services Supply Chain instance and DataIntegrationFlow name. /// - /// - Parameter GetDataIntegrationFlowInput : The request parameters for GetDataIntegrationFlow. + /// - Parameter input: The request parameters for GetDataIntegrationFlow. (Type: `GetDataIntegrationFlowInput`) /// - /// - Returns: `GetDataIntegrationFlowOutput` : The response parameters for GetDataIntegrationFlow. + /// - Returns: The response parameters for GetDataIntegrationFlow. (Type: `GetDataIntegrationFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1212,7 +1200,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataIntegrationFlowOutput.httpOutput(from:), GetDataIntegrationFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1244,9 +1231,9 @@ extension SupplyChainClient { /// /// Get the flow execution. /// - /// - Parameter GetDataIntegrationFlowExecutionInput : The request parameters of GetFlowExecution. + /// - Parameter input: The request parameters of GetFlowExecution. (Type: `GetDataIntegrationFlowExecutionInput`) /// - /// - Returns: `GetDataIntegrationFlowExecutionOutput` : The response parameters of GetFlowExecution. + /// - Returns: The response parameters of GetFlowExecution. (Type: `GetDataIntegrationFlowExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1283,7 +1270,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataIntegrationFlowExecutionOutput.httpOutput(from:), GetDataIntegrationFlowExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1315,9 +1301,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically view an Amazon Web Services Supply Chain data lake dataset. Developers can view the data lake dataset information such as namespace, schema, and so on for a given instance ID, namespace, and dataset name. /// - /// - Parameter GetDataLakeDatasetInput : The request parameters for GetDataLakeDataset. + /// - Parameter input: The request parameters for GetDataLakeDataset. (Type: `GetDataLakeDatasetInput`) /// - /// - Returns: `GetDataLakeDatasetOutput` : The response parameters for GetDataLakeDataset. + /// - Returns: The response parameters for GetDataLakeDataset. (Type: `GetDataLakeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1354,7 +1340,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataLakeDatasetOutput.httpOutput(from:), GetDataLakeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1386,9 +1371,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically view an Amazon Web Services Supply Chain data lake namespace. Developers can view the data lake namespace information such as description for a given instance ID and namespace name. /// - /// - Parameter GetDataLakeNamespaceInput : The request parameters for GetDataLakeNamespace. + /// - Parameter input: The request parameters for GetDataLakeNamespace. (Type: `GetDataLakeNamespaceInput`) /// - /// - Returns: `GetDataLakeNamespaceOutput` : The response parameters for GetDataLakeNamespace. + /// - Returns: The response parameters for GetDataLakeNamespace. (Type: `GetDataLakeNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1425,7 +1410,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataLakeNamespaceOutput.httpOutput(from:), GetDataLakeNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1457,9 +1441,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically retrieve the information related to an Amazon Web Services Supply Chain instance ID. /// - /// - Parameter GetInstanceInput : The request parameters for GetInstance. + /// - Parameter input: The request parameters for GetInstance. (Type: `GetInstanceInput`) /// - /// - Returns: `GetInstanceOutput` : The response parameters for GetInstance. + /// - Returns: The response parameters for GetInstance. (Type: `GetInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1496,7 +1480,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInstanceOutput.httpOutput(from:), GetInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1528,9 +1511,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically list all data integration events for the provided Amazon Web Services Supply Chain instance. /// - /// - Parameter ListDataIntegrationEventsInput : The request parameters for ListDataIntegrationEvents. + /// - Parameter input: The request parameters for ListDataIntegrationEvents. (Type: `ListDataIntegrationEventsInput`) /// - /// - Returns: `ListDataIntegrationEventsOutput` : The response parameters for ListDataIntegrationEvents. + /// - Returns: The response parameters for ListDataIntegrationEvents. (Type: `ListDataIntegrationEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1568,7 +1551,6 @@ extension SupplyChainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataIntegrationEventsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataIntegrationEventsOutput.httpOutput(from:), ListDataIntegrationEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1600,9 +1582,9 @@ extension SupplyChainClient { /// /// List flow executions. /// - /// - Parameter ListDataIntegrationFlowExecutionsInput : The request parameters of ListFlowExecutions. + /// - Parameter input: The request parameters of ListFlowExecutions. (Type: `ListDataIntegrationFlowExecutionsInput`) /// - /// - Returns: `ListDataIntegrationFlowExecutionsOutput` : The response parameters of ListFlowExecutions. + /// - Returns: The response parameters of ListFlowExecutions. (Type: `ListDataIntegrationFlowExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1640,7 +1622,6 @@ extension SupplyChainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataIntegrationFlowExecutionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataIntegrationFlowExecutionsOutput.httpOutput(from:), ListDataIntegrationFlowExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1672,9 +1653,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically list all data pipelines for the provided Amazon Web Services Supply Chain instance. /// - /// - Parameter ListDataIntegrationFlowsInput : The request parameters for ListDataIntegrationFlows. + /// - Parameter input: The request parameters for ListDataIntegrationFlows. (Type: `ListDataIntegrationFlowsInput`) /// - /// - Returns: `ListDataIntegrationFlowsOutput` : The response parameters for ListDataIntegrationFlows. + /// - Returns: The response parameters for ListDataIntegrationFlows. (Type: `ListDataIntegrationFlowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1712,7 +1693,6 @@ extension SupplyChainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataIntegrationFlowsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataIntegrationFlowsOutput.httpOutput(from:), ListDataIntegrationFlowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1744,9 +1724,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically view the list of Amazon Web Services Supply Chain data lake datasets. Developers can view the datasets and the corresponding information such as namespace, schema, and so on for a given instance ID and namespace. /// - /// - Parameter ListDataLakeDatasetsInput : The request parameters of ListDataLakeDatasets. + /// - Parameter input: The request parameters of ListDataLakeDatasets. (Type: `ListDataLakeDatasetsInput`) /// - /// - Returns: `ListDataLakeDatasetsOutput` : The response parameters of ListDataLakeDatasets. + /// - Returns: The response parameters of ListDataLakeDatasets. (Type: `ListDataLakeDatasetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1784,7 +1764,6 @@ extension SupplyChainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataLakeDatasetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataLakeDatasetsOutput.httpOutput(from:), ListDataLakeDatasetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1816,9 +1795,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically view the list of Amazon Web Services Supply Chain data lake namespaces. Developers can view the namespaces and the corresponding information such as description for a given instance ID. Note that this API only return custom namespaces, instance pre-defined namespaces are not included. /// - /// - Parameter ListDataLakeNamespacesInput : The request parameters of ListDataLakeNamespaces. + /// - Parameter input: The request parameters of ListDataLakeNamespaces. (Type: `ListDataLakeNamespacesInput`) /// - /// - Returns: `ListDataLakeNamespacesOutput` : The response parameters of ListDataLakeNamespaces. + /// - Returns: The response parameters of ListDataLakeNamespaces. (Type: `ListDataLakeNamespacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1856,7 +1835,6 @@ extension SupplyChainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataLakeNamespacesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataLakeNamespacesOutput.httpOutput(from:), ListDataLakeNamespacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1888,9 +1866,9 @@ extension SupplyChainClient { /// /// List all Amazon Web Services Supply Chain instances for a specific account. Enables you to programmatically list all Amazon Web Services Supply Chain instances based on their account ID, instance name, and state of the instance (active or delete). /// - /// - Parameter ListInstancesInput : The request parameters for ListInstances. + /// - Parameter input: The request parameters for ListInstances. (Type: `ListInstancesInput`) /// - /// - Returns: `ListInstancesOutput` : The response parameters for ListInstances. + /// - Returns: The response parameters for ListInstances. (Type: `ListInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1928,7 +1906,6 @@ extension SupplyChainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstancesOutput.httpOutput(from:), ListInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1960,9 +1937,9 @@ extension SupplyChainClient { /// /// List all the tags for an Amazon Web ServicesSupply Chain resource. You can list all the tags added to a resource. By listing the tags, developers can view the tag level information on a resource and perform actions such as, deleting a resource associated with a particular tag. /// - /// - Parameter ListTagsForResourceInput : The request parameters of ListTagsForResource. + /// - Parameter input: The request parameters of ListTagsForResource. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : The response parameters of ListTagsForResource. + /// - Returns: The response parameters of ListTagsForResource. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1999,7 +1976,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2031,9 +2007,9 @@ extension SupplyChainClient { /// /// Send the data payload for the event with real-time data for analysis or monitoring. The real-time data events are stored in an Amazon Web Services service before being processed and stored in data lake. /// - /// - Parameter SendDataIntegrationEventInput : The request parameters for SendDataIntegrationEvent. + /// - Parameter input: The request parameters for SendDataIntegrationEvent. (Type: `SendDataIntegrationEventInput`) /// - /// - Returns: `SendDataIntegrationEventOutput` : The response parameters for SendDataIntegrationEvent. + /// - Returns: The response parameters for SendDataIntegrationEvent. (Type: `SendDataIntegrationEventOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2074,7 +2050,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendDataIntegrationEventOutput.httpOutput(from:), SendDataIntegrationEventOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2106,9 +2081,9 @@ extension SupplyChainClient { /// /// You can create tags during or after creating a resource such as instance, data flow, or dataset in AWS Supply chain. During the data ingestion process, you can add tags such as dev, test, or prod to data flows created during the data ingestion process in the AWS Supply Chain datasets. You can use these tags to identify a group of resources or a single resource used by the developer. /// - /// - Parameter TagResourceInput : The request parameters of TagResource. + /// - Parameter input: The request parameters of TagResource. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : The response parameters for TagResource. + /// - Returns: The response parameters for TagResource. (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2148,7 +2123,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2180,9 +2154,9 @@ extension SupplyChainClient { /// /// You can delete tags for an Amazon Web Services Supply chain resource such as instance, data flow, or dataset in AWS Supply Chain. During the data ingestion process, you can delete tags such as dev, test, or prod to data flows created during the data ingestion process in the AWS Supply Chain datasets. /// - /// - Parameter UntagResourceInput : The request parameters of UntagResource. + /// - Parameter input: The request parameters of UntagResource. (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : The response parameters of UntagResource. + /// - Returns: The response parameters of UntagResource. (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2220,7 +2194,6 @@ extension SupplyChainClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2252,9 +2225,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically update an existing data pipeline to ingest data from the source systems such as, Amazon S3 buckets, to a predefined Amazon Web Services Supply Chain dataset (product, inbound_order) or a temporary dataset along with the data transformation query provided with the API. /// - /// - Parameter UpdateDataIntegrationFlowInput : The request parameters for UpdateDataIntegrationFlow. + /// - Parameter input: The request parameters for UpdateDataIntegrationFlow. (Type: `UpdateDataIntegrationFlowInput`) /// - /// - Returns: `UpdateDataIntegrationFlowOutput` : The response parameters for UpdateDataIntegrationFlow. + /// - Returns: The response parameters for UpdateDataIntegrationFlow. (Type: `UpdateDataIntegrationFlowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2294,7 +2267,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataIntegrationFlowOutput.httpOutput(from:), UpdateDataIntegrationFlowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2326,9 +2298,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically update an Amazon Web Services Supply Chain data lake dataset. Developers can update the description of a data lake dataset for a given instance ID, namespace, and dataset name. /// - /// - Parameter UpdateDataLakeDatasetInput : The request parameters of UpdateDataLakeDataset. + /// - Parameter input: The request parameters of UpdateDataLakeDataset. (Type: `UpdateDataLakeDatasetInput`) /// - /// - Returns: `UpdateDataLakeDatasetOutput` : The response parameters of UpdateDataLakeDataset. + /// - Returns: The response parameters of UpdateDataLakeDataset. (Type: `UpdateDataLakeDatasetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2368,7 +2340,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataLakeDatasetOutput.httpOutput(from:), UpdateDataLakeDatasetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2400,9 +2371,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically update an Amazon Web Services Supply Chain data lake namespace. Developers can update the description of a data lake namespace for a given instance ID and namespace name. /// - /// - Parameter UpdateDataLakeNamespaceInput : The request parameters of UpdateDataLakeNamespace. + /// - Parameter input: The request parameters of UpdateDataLakeNamespace. (Type: `UpdateDataLakeNamespaceInput`) /// - /// - Returns: `UpdateDataLakeNamespaceOutput` : The response parameters of UpdateDataLakeNamespace. + /// - Returns: The response parameters of UpdateDataLakeNamespace. (Type: `UpdateDataLakeNamespaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2442,7 +2413,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataLakeNamespaceOutput.httpOutput(from:), UpdateDataLakeNamespaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2474,9 +2444,9 @@ extension SupplyChainClient { /// /// Enables you to programmatically update an Amazon Web Services Supply Chain instance description by providing all the relevant information such as account ID, instance ID and so on without using the AWS console. /// - /// - Parameter UpdateInstanceInput : The request parameters for UpdateInstance. + /// - Parameter input: The request parameters for UpdateInstance. (Type: `UpdateInstanceInput`) /// - /// - Returns: `UpdateInstanceOutput` : The response parameters for UpdateInstance. + /// - Returns: The response parameters for UpdateInstance. (Type: `UpdateInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2516,7 +2486,6 @@ extension SupplyChainClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateInstanceOutput.httpOutput(from:), UpdateInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSupport/Sources/AWSSupport/SupportClient.swift b/Sources/Services/AWSSupport/Sources/AWSSupport/SupportClient.swift index 95567c7adaf..7ec8b308ace 100644 --- a/Sources/Services/AWSSupport/Sources/AWSSupport/SupportClient.swift +++ b/Sources/Services/AWSSupport/Sources/AWSSupport/SupportClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SupportClient: ClientRuntime.Client { public static let clientName = "SupportClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SupportClient.SupportClientConfiguration let serviceName = "Support" @@ -377,9 +376,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter AddAttachmentsToSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddAttachmentsToSetInput`) /// - /// - Returns: `AddAttachmentsToSetOutput` : The ID and expiry time of the attachment set returned by the [AddAttachmentsToSet] operation. + /// - Returns: The ID and expiry time of the attachment set returned by the [AddAttachmentsToSet] operation. (Type: `AddAttachmentsToSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddAttachmentsToSetOutput.httpOutput(from:), AddAttachmentsToSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -454,9 +452,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter AddCommunicationToCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddCommunicationToCaseInput`) /// - /// - Returns: `AddCommunicationToCaseOutput` : The result of the [AddCommunicationToCase] operation. + /// - Returns: The result of the [AddCommunicationToCase] operation. (Type: `AddCommunicationToCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddCommunicationToCaseOutput.httpOutput(from:), AddCommunicationToCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -537,9 +534,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter CreateCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCaseInput`) /// - /// - Returns: `CreateCaseOutput` : The support case ID returned by a successful completion of the [CreateCase] operation. + /// - Returns: The support case ID returned by a successful completion of the [CreateCase] operation. (Type: `CreateCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -574,7 +571,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCaseOutput.httpOutput(from:), CreateCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -613,9 +609,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter DescribeAttachmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAttachmentInput`) /// - /// - Returns: `DescribeAttachmentOutput` : The content and file name of the attachment returned by the [DescribeAttachment] operation. + /// - Returns: The content and file name of the attachment returned by the [DescribeAttachment] operation. (Type: `DescribeAttachmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -649,7 +645,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAttachmentOutput.httpOutput(from:), DescribeAttachmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -695,9 +690,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter DescribeCasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCasesInput`) /// - /// - Returns: `DescribeCasesOutput` : Returns an array of [CaseDetails](https://docs.aws.amazon.com/awssupport/latest/APIReference/API_CaseDetails.html) objects and a nextToken that defines a point for pagination in the result set. + /// - Returns: Returns an array of [CaseDetails](https://docs.aws.amazon.com/awssupport/latest/APIReference/API_CaseDetails.html) objects and a nextToken that defines a point for pagination in the result set. (Type: `DescribeCasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -730,7 +725,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCasesOutput.httpOutput(from:), DescribeCasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -769,9 +763,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter DescribeCommunicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCommunicationsInput`) /// - /// - Returns: `DescribeCommunicationsOutput` : The communications returned by the [DescribeCommunications] operation. + /// - Returns: The communications returned by the [DescribeCommunications] operation. (Type: `DescribeCommunicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -804,7 +798,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCommunicationsOutput.httpOutput(from:), DescribeCommunicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -843,9 +836,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter DescribeCreateCaseOptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCreateCaseOptionsInput`) /// - /// - Returns: `DescribeCreateCaseOptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCreateCaseOptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -878,7 +871,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCreateCaseOptionsOutput.httpOutput(from:), DescribeCreateCaseOptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -917,9 +909,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter DescribeServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServicesInput`) /// - /// - Returns: `DescribeServicesOutput` : The list of Amazon Web Services services returned by the [DescribeServices] operation. + /// - Returns: The list of Amazon Web Services services returned by the [DescribeServices] operation. (Type: `DescribeServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -951,7 +943,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServicesOutput.httpOutput(from:), DescribeServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -990,9 +981,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter DescribeSeverityLevelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSeverityLevelsInput`) /// - /// - Returns: `DescribeSeverityLevelsOutput` : The list of severity levels returned by the [DescribeSeverityLevels] operation. + /// - Returns: The list of severity levels returned by the [DescribeSeverityLevels] operation. (Type: `DescribeSeverityLevelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1024,7 +1015,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSeverityLevelsOutput.httpOutput(from:), DescribeSeverityLevelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1063,9 +1053,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter DescribeSupportedLanguagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSupportedLanguagesInput`) /// - /// - Returns: `DescribeSupportedLanguagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSupportedLanguagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1098,7 +1088,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSupportedLanguagesOutput.httpOutput(from:), DescribeSupportedLanguagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1140,9 +1129,9 @@ extension SupportClient { /// /// To call the Trusted Advisor operations in the Amazon Web Services Support API, you must use the US East (N. Virginia) endpoint. Currently, the US West (Oregon) and Europe (Ireland) endpoints don't support the Trusted Advisor operations. For more information, see [About the Amazon Web Services Support API](https://docs.aws.amazon.com/awssupport/latest/user/about-support-api.html#endpoint) in the Amazon Web Services Support User Guide. /// - /// - Parameter DescribeTrustedAdvisorCheckRefreshStatusesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrustedAdvisorCheckRefreshStatusesInput`) /// - /// - Returns: `DescribeTrustedAdvisorCheckRefreshStatusesOutput` : The statuses of the Trusted Advisor checks returned by the [DescribeTrustedAdvisorCheckRefreshStatuses] operation. + /// - Returns: The statuses of the Trusted Advisor checks returned by the [DescribeTrustedAdvisorCheckRefreshStatuses] operation. (Type: `DescribeTrustedAdvisorCheckRefreshStatusesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1175,7 +1164,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrustedAdvisorCheckRefreshStatusesOutput.httpOutput(from:), DescribeTrustedAdvisorCheckRefreshStatusesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1235,9 +1223,9 @@ extension SupportClient { /// /// To call the Trusted Advisor operations in the Amazon Web Services Support API, you must use the US East (N. Virginia) endpoint. Currently, the US West (Oregon) and Europe (Ireland) endpoints don't support the Trusted Advisor operations. For more information, see [About the Amazon Web Services Support API](https://docs.aws.amazon.com/awssupport/latest/user/about-support-api.html#endpoint) in the Amazon Web Services Support User Guide. /// - /// - Parameter DescribeTrustedAdvisorCheckResultInput : + /// - Parameter input: (Type: `DescribeTrustedAdvisorCheckResultInput`) /// - /// - Returns: `DescribeTrustedAdvisorCheckResultOutput` : The result of the Trusted Advisor check returned by the [DescribeTrustedAdvisorCheckResult] operation. + /// - Returns: The result of the Trusted Advisor check returned by the [DescribeTrustedAdvisorCheckResult] operation. (Type: `DescribeTrustedAdvisorCheckResultOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1270,7 +1258,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrustedAdvisorCheckResultOutput.httpOutput(from:), DescribeTrustedAdvisorCheckResultOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1312,9 +1299,9 @@ extension SupportClient { /// /// To call the Trusted Advisor operations in the Amazon Web Services Support API, you must use the US East (N. Virginia) endpoint. Currently, the US West (Oregon) and Europe (Ireland) endpoints don't support the Trusted Advisor operations. For more information, see [About the Amazon Web Services Support API](https://docs.aws.amazon.com/awssupport/latest/user/about-support-api.html#endpoint) in the Amazon Web Services Support User Guide. /// - /// - Parameter DescribeTrustedAdvisorCheckSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrustedAdvisorCheckSummariesInput`) /// - /// - Returns: `DescribeTrustedAdvisorCheckSummariesOutput` : The summaries of the Trusted Advisor checks returned by the [DescribeTrustedAdvisorCheckSummaries] operation. + /// - Returns: The summaries of the Trusted Advisor checks returned by the [DescribeTrustedAdvisorCheckSummaries] operation. (Type: `DescribeTrustedAdvisorCheckSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1347,7 +1334,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrustedAdvisorCheckSummariesOutput.httpOutput(from:), DescribeTrustedAdvisorCheckSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1391,9 +1377,9 @@ extension SupportClient { /// /// To call the Trusted Advisor operations in the Amazon Web Services Support API, you must use the US East (N. Virginia) endpoint. Currently, the US West (Oregon) and Europe (Ireland) endpoints don't support the Trusted Advisor operations. For more information, see [About the Amazon Web Services Support API](https://docs.aws.amazon.com/awssupport/latest/user/about-support-api.html#endpoint) in the Amazon Web Services Support User Guide. /// - /// - Parameter DescribeTrustedAdvisorChecksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTrustedAdvisorChecksInput`) /// - /// - Returns: `DescribeTrustedAdvisorChecksOutput` : Information about the Trusted Advisor checks returned by the [DescribeTrustedAdvisorChecks] operation. + /// - Returns: Information about the Trusted Advisor checks returned by the [DescribeTrustedAdvisorChecks] operation. (Type: `DescribeTrustedAdvisorChecksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1426,7 +1412,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTrustedAdvisorChecksOutput.httpOutput(from:), DescribeTrustedAdvisorChecksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1468,9 +1453,9 @@ extension SupportClient { /// /// To call the Trusted Advisor operations in the Amazon Web Services Support API, you must use the US East (N. Virginia) endpoint. Currently, the US West (Oregon) and Europe (Ireland) endpoints don't support the Trusted Advisor operations. For more information, see [About the Amazon Web Services Support API](https://docs.aws.amazon.com/awssupport/latest/user/about-support-api.html#endpoint) in the Amazon Web Services Support User Guide. /// - /// - Parameter RefreshTrustedAdvisorCheckInput : + /// - Parameter input: (Type: `RefreshTrustedAdvisorCheckInput`) /// - /// - Returns: `RefreshTrustedAdvisorCheckOutput` : The current refresh status of a Trusted Advisor check. + /// - Returns: The current refresh status of a Trusted Advisor check. (Type: `RefreshTrustedAdvisorCheckOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1502,7 +1487,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RefreshTrustedAdvisorCheckOutput.httpOutput(from:), RefreshTrustedAdvisorCheckOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1541,9 +1525,9 @@ extension SupportClient { /// /// * If you call the Amazon Web Services Support API from an account that doesn't have a Business, Enterprise On-Ramp, or Enterprise Support plan, the SubscriptionRequiredException error message appears. For information about changing your support plan, see [Amazon Web Services Support](http://aws.amazon.com/premiumsupport/). /// - /// - Parameter ResolveCaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResolveCaseInput`) /// - /// - Returns: `ResolveCaseOutput` : The status of the case returned by the [ResolveCase] operation. + /// - Returns: The status of the case returned by the [ResolveCase] operation. (Type: `ResolveCaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1576,7 +1560,6 @@ extension SupportClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResolveCaseOutput.httpOutput(from:), ResolveCaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSupportApp/Sources/AWSSupportApp/SupportAppClient.swift b/Sources/Services/AWSSupportApp/Sources/AWSSupportApp/SupportAppClient.swift index e9df4d30feb..3c909e9aaa0 100644 --- a/Sources/Services/AWSSupportApp/Sources/AWSSupportApp/SupportAppClient.swift +++ b/Sources/Services/AWSSupportApp/Sources/AWSSupportApp/SupportAppClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SupportAppClient: ClientRuntime.Client { public static let clientName = "SupportAppClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SupportAppClient.SupportAppClientConfiguration let serviceName = "Support App" @@ -379,9 +378,9 @@ extension SupportAppClient { /// /// A Slack channel can have up to 100 Amazon Web Services accounts. This means that only 100 accounts can add the same Slack channel to the Amazon Web Services Support App. We recommend that you only add the accounts that you need to manage support cases for your organization. This can reduce the notifications about case updates that you receive in the Slack channel. We recommend that you choose a private Slack channel so that only members in that channel have read and write access to your support cases. Anyone in your Slack channel can create, update, or resolve support cases for your account. Users require an invitation to join private channels. /// - /// - Parameter CreateSlackChannelConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSlackChannelConfigurationInput`) /// - /// - Returns: `CreateSlackChannelConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSlackChannelConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -431,7 +430,6 @@ extension SupportAppClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSlackChannelConfigurationOutput.httpOutput(from:), CreateSlackChannelConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -463,9 +461,9 @@ extension SupportAppClient { /// /// Deletes an alias for an Amazon Web Services account ID. The alias appears in the Amazon Web Services Support App page of the Amazon Web Services Support Center. The alias also appears in Slack messages from the Amazon Web Services Support App. /// - /// - Parameter DeleteAccountAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountAliasInput`) /// - /// - Returns: `DeleteAccountAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -498,7 +496,6 @@ extension SupportAppClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountAliasOutput.httpOutput(from:), DeleteAccountAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -530,9 +527,9 @@ extension SupportAppClient { /// /// Deletes a Slack channel configuration from your Amazon Web Services account. This operation doesn't delete your Slack channel. /// - /// - Parameter DeleteSlackChannelConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSlackChannelConfigurationInput`) /// - /// - Returns: `DeleteSlackChannelConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSlackChannelConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -582,7 +579,6 @@ extension SupportAppClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSlackChannelConfigurationOutput.httpOutput(from:), DeleteSlackChannelConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -614,9 +610,9 @@ extension SupportAppClient { /// /// Deletes a Slack workspace configuration from your Amazon Web Services account. This operation doesn't delete your Slack workspace. /// - /// - Parameter DeleteSlackWorkspaceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSlackWorkspaceConfigurationInput`) /// - /// - Returns: `DeleteSlackWorkspaceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSlackWorkspaceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -666,7 +662,6 @@ extension SupportAppClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSlackWorkspaceConfigurationOutput.httpOutput(from:), DeleteSlackWorkspaceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -698,9 +693,9 @@ extension SupportAppClient { /// /// Retrieves the alias from an Amazon Web Services account ID. The alias appears in the Amazon Web Services Support App page of the Amazon Web Services Support Center. The alias also appears in Slack messages from the Amazon Web Services Support App. /// - /// - Parameter GetAccountAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountAliasInput`) /// - /// - Returns: `GetAccountAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -731,7 +726,6 @@ extension SupportAppClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountAliasOutput.httpOutput(from:), GetAccountAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -763,9 +757,9 @@ extension SupportAppClient { /// /// Lists the Slack channel configurations for an Amazon Web Services account. /// - /// - Parameter ListSlackChannelConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSlackChannelConfigurationsInput`) /// - /// - Returns: `ListSlackChannelConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSlackChannelConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -800,7 +794,6 @@ extension SupportAppClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSlackChannelConfigurationsOutput.httpOutput(from:), ListSlackChannelConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -832,9 +825,9 @@ extension SupportAppClient { /// /// Lists the Slack workspace configurations for an Amazon Web Services account. /// - /// - Parameter ListSlackWorkspaceConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSlackWorkspaceConfigurationsInput`) /// - /// - Returns: `ListSlackWorkspaceConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSlackWorkspaceConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -869,7 +862,6 @@ extension SupportAppClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSlackWorkspaceConfigurationsOutput.httpOutput(from:), ListSlackWorkspaceConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +893,9 @@ extension SupportAppClient { /// /// Creates or updates an individual alias for each Amazon Web Services account ID. The alias appears in the Amazon Web Services Support App page of the Amazon Web Services Support Center. The alias also appears in Slack messages from the Amazon Web Services Support App. /// - /// - Parameter PutAccountAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccountAliasInput`) /// - /// - Returns: `PutAccountAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccountAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -939,7 +931,6 @@ extension SupportAppClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccountAliasOutput.httpOutput(from:), PutAccountAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -982,9 +973,9 @@ extension SupportAppClient { /// /// * Configure a Slack channel to use the Amazon Web Services Support App for support cases for that account. For more information, see [Configuring a Slack channel](https://docs.aws.amazon.com/awssupport/latest/user/add-your-slack-channel.html). /// - /// - Parameter RegisterSlackWorkspaceForOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterSlackWorkspaceForOrganizationInput`) /// - /// - Returns: `RegisterSlackWorkspaceForOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterSlackWorkspaceForOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1034,7 +1025,6 @@ extension SupportAppClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterSlackWorkspaceForOrganizationOutput.httpOutput(from:), RegisterSlackWorkspaceForOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1066,9 +1056,9 @@ extension SupportAppClient { /// /// Updates the configuration for a Slack channel, such as case update notifications. /// - /// - Parameter UpdateSlackChannelConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSlackChannelConfigurationInput`) /// - /// - Returns: `UpdateSlackChannelConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSlackChannelConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1118,7 +1108,6 @@ extension SupportAppClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSlackChannelConfigurationOutput.httpOutput(from:), UpdateSlackChannelConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSSynthetics/Sources/AWSSynthetics/SyntheticsClient.swift b/Sources/Services/AWSSynthetics/Sources/AWSSynthetics/SyntheticsClient.swift index eb8477d83ad..fe7c9850ef6 100644 --- a/Sources/Services/AWSSynthetics/Sources/AWSSynthetics/SyntheticsClient.swift +++ b/Sources/Services/AWSSynthetics/Sources/AWSSynthetics/SyntheticsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class SyntheticsClient: ClientRuntime.Client { public static let clientName = "SyntheticsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: SyntheticsClient.SyntheticsClientConfiguration let serviceName = "synthetics" @@ -373,9 +372,9 @@ extension SyntheticsClient { /// /// Associates a canary with a group. Using groups can help you with managing and automating your canaries, and you can also view aggregated run results and statistics for all canaries in a group. You must run this operation in the Region where the canary exists. /// - /// - Parameter AssociateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateResourceInput`) /// - /// - Returns: `AssociateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateResourceOutput.httpOutput(from:), AssociateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -445,9 +443,9 @@ extension SyntheticsClient { /// /// Creates a canary. Canaries are scripts that monitor your endpoints and APIs from the outside-in. Canaries help you check the availability and latency of your web services and troubleshoot anomalies by investigating load time data, screenshots of the UI, logs, and metrics. You can set up a canary to run continuously or just once. Do not use CreateCanary to modify an existing canary. Use [UpdateCanary](https://docs.aws.amazon.com/AmazonSynthetics/latest/APIReference/API_UpdateCanary.html) instead. To create canaries, you must have the CloudWatchSyntheticsFullAccess policy. If you are creating a new IAM role for the canary, you also need the iam:CreateRole, iam:CreatePolicy and iam:AttachRolePolicy permissions. For more information, see [Necessary Roles and Permissions](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch_Synthetics_Canaries_Roles). Do not include secrets or proprietary information in your canary names. The canary name makes up part of the Amazon Resource Name (ARN) for the canary, and the ARN is included in outbound calls over the internet. For more information, see [Security Considerations for Synthetics Canaries](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/servicelens_canaries_security.html). /// - /// - Parameter CreateCanaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCanaryInput`) /// - /// - Returns: `CreateCanaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCanaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCanaryOutput.httpOutput(from:), CreateCanaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension SyntheticsClient { /// /// Creates a group which you can use to associate canaries with each other, including cross-Region canaries. Using groups can help you with managing and automating your canaries, and you can also view aggregated run results and statistics for all canaries in a group. Groups are global resources. When you create a group, it is replicated across Amazon Web Services Regions, and you can view it and add canaries to it from any Region. Although the group ARN format reflects the Region name where it was created, a group is not constrained to any Region. This means that you can put canaries from multiple Regions into the same group, and then use that group to view and manage all of those canaries in a single view. Groups are supported in all Regions except the Regions that are disabled by default. For more information about these Regions, see [Enabling a Region](https://docs.aws.amazon.com/general/latest/gr/rande-manage.html#rande-manage-enable). Each group can contain as many as 10 canaries. You can have as many as 20 groups in your account. Any single canary can be a member of up to 10 groups. /// - /// - Parameter CreateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupInput`) /// - /// - Returns: `CreateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -554,7 +551,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupOutput.httpOutput(from:), CreateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension SyntheticsClient { /// /// Before you delete a canary, you might want to use GetCanary to display the information about this canary. Make note of the information returned by this operation so that you can delete these resources after you delete the canary. /// - /// - Parameter DeleteCanaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCanaryInput`) /// - /// - Returns: `DeleteCanaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCanaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension SyntheticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteCanaryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCanaryOutput.httpOutput(from:), DeleteCanaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension SyntheticsClient { /// /// Deletes a group. The group doesn't need to be empty to be deleted. If there are canaries in the group, they are not deleted when you delete the group. Groups are a global resource that appear in all Regions, but the request to delete a group must be made from its home Region. You can find the home Region of a group within its ARN. /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -702,7 +697,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -734,9 +728,9 @@ extension SyntheticsClient { /// /// This operation returns a list of the canaries in your account, along with full details about each canary. This operation supports resource-level authorization using an IAM policy and the Names parameter. If you specify the Names parameter, the operation is successful only if you have authorization to view all the canaries that you specify in your request. If you do not have permission to view any of the canaries, the request fails with a 403 response. You are required to use the Names parameter if you are logged on to a user or role that has an IAM policy that restricts which canaries that you are allowed to view. For more information, see [ Limiting a user to viewing specific canaries](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch_Synthetics_Canaries_Restricted.html). /// - /// - Parameter DescribeCanariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCanariesInput`) /// - /// - Returns: `DescribeCanariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCanariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -771,7 +765,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCanariesOutput.httpOutput(from:), DescribeCanariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -803,9 +796,9 @@ extension SyntheticsClient { /// /// Use this operation to see information from the most recent run of each canary that you have created. This operation supports resource-level authorization using an IAM policy and the Names parameter. If you specify the Names parameter, the operation is successful only if you have authorization to view all the canaries that you specify in your request. If you do not have permission to view any of the canaries, the request fails with a 403 response. You are required to use the Names parameter if you are logged on to a user or role that has an IAM policy that restricts which canaries that you are allowed to view. For more information, see [ Limiting a user to viewing specific canaries](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch_Synthetics_Canaries_Restricted.html). /// - /// - Parameter DescribeCanariesLastRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCanariesLastRunInput`) /// - /// - Returns: `DescribeCanariesLastRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCanariesLastRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCanariesLastRunOutput.httpOutput(from:), DescribeCanariesLastRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -872,9 +864,9 @@ extension SyntheticsClient { /// /// Returns a list of Synthetics canary runtime versions. For more information, see [ Canary Runtime Versions](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch_Synthetics_Canaries_Library.html). /// - /// - Parameter DescribeRuntimeVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRuntimeVersionsInput`) /// - /// - Returns: `DescribeRuntimeVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRuntimeVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -909,7 +901,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRuntimeVersionsOutput.httpOutput(from:), DescribeRuntimeVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -941,9 +932,9 @@ extension SyntheticsClient { /// /// Removes a canary from a group. You must run this operation in the Region where the canary exists. /// - /// - Parameter DisassociateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateResourceInput`) /// - /// - Returns: `DisassociateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -980,7 +971,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateResourceOutput.httpOutput(from:), DisassociateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1012,9 +1002,9 @@ extension SyntheticsClient { /// /// Retrieves complete information about one canary. You must specify the name of the canary that you want. To get a list of canaries and their names, use [DescribeCanaries](https://docs.aws.amazon.com/AmazonSynthetics/latest/APIReference/API_DescribeCanaries.html). /// - /// - Parameter GetCanaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCanaryInput`) /// - /// - Returns: `GetCanaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCanaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1047,7 +1037,6 @@ extension SyntheticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetCanaryInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCanaryOutput.httpOutput(from:), GetCanaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1079,9 +1068,9 @@ extension SyntheticsClient { /// /// Retrieves a list of runs for a specified canary. /// - /// - Parameter GetCanaryRunsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCanaryRunsInput`) /// - /// - Returns: `GetCanaryRunsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCanaryRunsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1117,7 +1106,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCanaryRunsOutput.httpOutput(from:), GetCanaryRunsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1149,9 +1137,9 @@ extension SyntheticsClient { /// /// Returns information about one group. Groups are a global resource, so you can use this operation from any Region. /// - /// - Parameter GetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupInput`) /// - /// - Returns: `GetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1185,7 +1173,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupOutput.httpOutput(from:), GetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1217,9 +1204,9 @@ extension SyntheticsClient { /// /// Returns a list of the groups that the specified canary is associated with. The canary that you specify must be in the current Region. /// - /// - Parameter ListAssociatedGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssociatedGroupsInput`) /// - /// - Returns: `ListAssociatedGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssociatedGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1255,7 +1242,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssociatedGroupsOutput.httpOutput(from:), ListAssociatedGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1287,9 +1273,9 @@ extension SyntheticsClient { /// /// This operation returns a list of the ARNs of the canaries that are associated with the specified group. /// - /// - Parameter ListGroupResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupResourcesInput`) /// - /// - Returns: `ListGroupResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1326,7 +1312,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupResourcesOutput.httpOutput(from:), ListGroupResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1358,9 +1343,9 @@ extension SyntheticsClient { /// /// Returns a list of all groups in the account, displaying their names, unique IDs, and ARNs. The groups from all Regions are returned. /// - /// - Parameter ListGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsInput`) /// - /// - Returns: `ListGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1395,7 +1380,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOutput.httpOutput(from:), ListGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1427,9 +1411,9 @@ extension SyntheticsClient { /// /// Displays the tags associated with a canary or group. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1464,7 +1448,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1496,9 +1479,9 @@ extension SyntheticsClient { /// /// Use this operation to run a canary that has already been created. The frequency of the canary runs is determined by the value of the canary's Schedule. To see a canary's schedule, use [GetCanary](https://docs.aws.amazon.com/AmazonSynthetics/latest/APIReference/API_GetCanary.html). /// - /// - Parameter StartCanaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCanaryInput`) /// - /// - Returns: `StartCanaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCanaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1532,7 +1515,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCanaryOutput.httpOutput(from:), StartCanaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1564,9 +1546,9 @@ extension SyntheticsClient { /// /// Use this operation to start a dry run for a canary that has already been created /// - /// - Parameter StartCanaryDryRunInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCanaryDryRunInput`) /// - /// - Returns: `StartCanaryDryRunOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCanaryDryRunOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1604,7 +1586,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCanaryDryRunOutput.httpOutput(from:), StartCanaryDryRunOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1636,9 +1617,9 @@ extension SyntheticsClient { /// /// Stops the canary to prevent all future runs. If the canary is currently running,the run that is in progress completes on its own, publishes metrics, and uploads artifacts, but it is not recorded in Synthetics as a completed run. You can use StartCanary to start it running again with the canary’s current schedule at any point in the future. /// - /// - Parameter StopCanaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopCanaryInput`) /// - /// - Returns: `StopCanaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopCanaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1672,7 +1653,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopCanaryOutput.httpOutput(from:), StopCanaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1704,9 +1684,9 @@ extension SyntheticsClient { /// /// Assigns one or more tags (key-value pairs) to the specified canary or group. Tags can help you organize and categorize your resources. You can also use them to scope user permissions, by granting a user permission to access or change only resources with certain tag values. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with a resource that already has tags. If you specify a new tag key for the resource, this tag is appended to the list of tags associated with the resource. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a canary or group. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1744,7 +1724,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1776,9 +1755,9 @@ extension SyntheticsClient { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1814,7 +1793,6 @@ extension SyntheticsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1853,9 +1831,9 @@ extension SyntheticsClient { /// /// You can't use this operation to update the tags of an existing canary. To change the tags of an existing canary, use [TagResource](https://docs.aws.amazon.com/AmazonSynthetics/latest/APIReference/API_TagResource.html). When you use the dryRunId field when updating a canary, the only other field you can provide is the Schedule. Adding any other field will thrown an exception. /// - /// - Parameter UpdateCanaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCanaryInput`) /// - /// - Returns: `UpdateCanaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCanaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1894,7 +1872,6 @@ extension SyntheticsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCanaryOutput.httpOutput(from:), UpdateCanaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTaxSettings/Sources/AWSTaxSettings/TaxSettingsClient.swift b/Sources/Services/AWSTaxSettings/Sources/AWSTaxSettings/TaxSettingsClient.swift index b8e6490f4a8..0da1519d11b 100644 --- a/Sources/Services/AWSTaxSettings/Sources/AWSTaxSettings/TaxSettingsClient.swift +++ b/Sources/Services/AWSTaxSettings/Sources/AWSTaxSettings/TaxSettingsClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TaxSettingsClient: ClientRuntime.Client { public static let clientName = "TaxSettingsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TaxSettingsClient.TaxSettingsClientConfiguration let serviceName = "TaxSettings" @@ -372,9 +371,9 @@ extension TaxSettingsClient { /// /// Deletes tax registration for multiple accounts in batch. This can be used to delete tax registrations for up to five accounts in one batch. This API operation can't be used to delete your tax registration in Brazil. Use the [Payment preferences](https://console.aws.amazon.com/billing/home#/paymentpreferences/paymentmethods) page in the Billing and Cost Management console instead. /// - /// - Parameter BatchDeleteTaxRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchDeleteTaxRegistrationInput`) /// - /// - Returns: `BatchDeleteTaxRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchDeleteTaxRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchDeleteTaxRegistrationOutput.httpOutput(from:), BatchDeleteTaxRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension TaxSettingsClient { /// /// Get the active tax exemptions for a given list of accounts. The IAM action is tax:GetExemptions. /// - /// - Parameter BatchGetTaxExemptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetTaxExemptionsInput`) /// - /// - Returns: `BatchGetTaxExemptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetTaxExemptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetTaxExemptionsOutput.httpOutput(from:), BatchGetTaxExemptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -618,9 +615,9 @@ extension TaxSettingsClient { /// /// * The sector valid values are Business and Individual. /// - /// - Parameter BatchPutTaxRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchPutTaxRegistrationInput`) /// - /// - Returns: `BatchPutTaxRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchPutTaxRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -656,7 +653,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchPutTaxRegistrationOutput.httpOutput(from:), BatchPutTaxRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -688,9 +684,9 @@ extension TaxSettingsClient { /// /// Deletes a supplemental tax registration for a single account. /// - /// - Parameter DeleteSupplementalTaxRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSupplementalTaxRegistrationInput`) /// - /// - Returns: `DeleteSupplementalTaxRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSupplementalTaxRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -727,7 +723,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSupplementalTaxRegistrationOutput.httpOutput(from:), DeleteSupplementalTaxRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -759,9 +754,9 @@ extension TaxSettingsClient { /// /// Deletes tax registration for a single account. This API operation can't be used to delete your tax registration in Brazil. Use the [Payment preferences](https://console.aws.amazon.com/billing/home#/paymentpreferences/paymentmethods) page in the Billing and Cost Management console instead. /// - /// - Parameter DeleteTaxRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTaxRegistrationInput`) /// - /// - Returns: `DeleteTaxRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTaxRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -798,7 +793,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTaxRegistrationOutput.httpOutput(from:), DeleteTaxRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -830,9 +824,9 @@ extension TaxSettingsClient { /// /// Get supported tax exemption types. The IAM action is tax:GetExemptions. /// - /// - Parameter GetTaxExemptionTypesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTaxExemptionTypesInput`) /// - /// - Returns: `GetTaxExemptionTypesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTaxExemptionTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -865,7 +859,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTaxExemptionTypesOutput.httpOutput(from:), GetTaxExemptionTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -897,9 +890,9 @@ extension TaxSettingsClient { /// /// The get account tax inheritance status. /// - /// - Parameter GetTaxInheritanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTaxInheritanceInput`) /// - /// - Returns: `GetTaxInheritanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTaxInheritanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -932,7 +925,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTaxInheritanceOutput.httpOutput(from:), GetTaxInheritanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -964,9 +956,9 @@ extension TaxSettingsClient { /// /// Retrieves tax registration for a single account. /// - /// - Parameter GetTaxRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTaxRegistrationInput`) /// - /// - Returns: `GetTaxRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTaxRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1002,7 +994,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTaxRegistrationOutput.httpOutput(from:), GetTaxRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1034,9 +1025,9 @@ extension TaxSettingsClient { /// /// Downloads your tax documents to the Amazon S3 bucket that you specify in your request. /// - /// - Parameter GetTaxRegistrationDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTaxRegistrationDocumentInput`) /// - /// - Returns: `GetTaxRegistrationDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTaxRegistrationDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1071,7 +1062,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTaxRegistrationDocumentOutput.httpOutput(from:), GetTaxRegistrationDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1103,9 +1093,9 @@ extension TaxSettingsClient { /// /// Retrieves supplemental tax registrations for a single account. /// - /// - Parameter ListSupplementalTaxRegistrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSupplementalTaxRegistrationsInput`) /// - /// - Returns: `ListSupplementalTaxRegistrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSupplementalTaxRegistrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1141,7 +1131,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSupplementalTaxRegistrationsOutput.httpOutput(from:), ListSupplementalTaxRegistrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1173,9 +1162,9 @@ extension TaxSettingsClient { /// /// Retrieves the tax exemption of accounts listed in a consolidated billing family. The IAM action is tax:GetExemptions. /// - /// - Parameter ListTaxExemptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTaxExemptionsInput`) /// - /// - Returns: `ListTaxExemptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTaxExemptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1211,7 +1200,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTaxExemptionsOutput.httpOutput(from:), ListTaxExemptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1243,9 +1231,9 @@ extension TaxSettingsClient { /// /// Retrieves the tax registration of accounts listed in a consolidated billing family. This can be used to retrieve up to 100 accounts' tax registrations in one call (default 50). /// - /// - Parameter ListTaxRegistrationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTaxRegistrationsInput`) /// - /// - Returns: `ListTaxRegistrationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTaxRegistrationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1281,7 +1269,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTaxRegistrationsOutput.httpOutput(from:), ListTaxRegistrationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1313,9 +1300,9 @@ extension TaxSettingsClient { /// /// Stores supplemental tax registration for a single account. /// - /// - Parameter PutSupplementalTaxRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSupplementalTaxRegistrationInput`) /// - /// - Returns: `PutSupplementalTaxRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSupplementalTaxRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1351,7 +1338,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSupplementalTaxRegistrationOutput.httpOutput(from:), PutSupplementalTaxRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1383,9 +1369,9 @@ extension TaxSettingsClient { /// /// Adds the tax exemption for a single account or all accounts listed in a consolidated billing family. The IAM action is tax:UpdateExemptions. /// - /// - Parameter PutTaxExemptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTaxExemptionInput`) /// - /// - Returns: `PutTaxExemptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTaxExemptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1424,7 +1410,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTaxExemptionOutput.httpOutput(from:), PutTaxExemptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1456,9 +1441,9 @@ extension TaxSettingsClient { /// /// The updated tax inheritance status. /// - /// - Parameter PutTaxInheritanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTaxInheritanceInput`) /// - /// - Returns: `PutTaxInheritanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTaxInheritanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1495,7 +1480,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTaxInheritanceOutput.httpOutput(from:), PutTaxInheritanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1633,9 +1617,9 @@ extension TaxSettingsClient { /// /// * The sector valid values are Business and Individual. /// - /// - Parameter PutTaxRegistrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTaxRegistrationInput`) /// - /// - Returns: `PutTaxRegistrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTaxRegistrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1671,7 +1655,6 @@ extension TaxSettingsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTaxRegistrationOutput.httpOutput(from:), PutTaxRegistrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTextract/Sources/AWSTextract/TextractClient.swift b/Sources/Services/AWSTextract/Sources/AWSTextract/TextractClient.swift index 8fd9fcb1f9a..eabd2dc1ed6 100644 --- a/Sources/Services/AWSTextract/Sources/AWSTextract/TextractClient.swift +++ b/Sources/Services/AWSTextract/Sources/AWSTextract/TextractClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TextractClient: ClientRuntime.Client { public static let clientName = "TextractClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TextractClient.TextractClientConfiguration let serviceName = "Textract" @@ -390,9 +389,9 @@ extension TextractClient { /// /// Selection elements such as check boxes and option buttons (radio buttons) can be detected in form data and in tables. A SELECTION_ELEMENT Block object contains information about a selection element, including the selection status. You can choose which type of analysis to perform by specifying the FeatureTypes list. The output is returned in a list of Block objects. AnalyzeDocument is a synchronous operation. To analyze documents asynchronously, use [StartDocumentAnalysis]. For more information, see [Document Text Analysis](https://docs.aws.amazon.com/textract/latest/dg/how-it-works-analyzing.html). /// - /// - Parameter AnalyzeDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AnalyzeDocumentInput`) /// - /// - Returns: `AnalyzeDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AnalyzeDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -433,7 +432,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AnalyzeDocumentOutput.httpOutput(from:), AnalyzeDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -472,9 +470,9 @@ extension TextractClient { /// /// * SummaryFields- Contains all other information a receipt, such as header information or the vendors name. /// - /// - Parameter AnalyzeExpenseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AnalyzeExpenseInput`) /// - /// - Returns: `AnalyzeExpenseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AnalyzeExpenseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -514,7 +512,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AnalyzeExpenseOutput.httpOutput(from:), AnalyzeExpenseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -549,9 +546,9 @@ extension TextractClient { /// /// Analyzes identity documents for relevant information. This information is extracted and returned as IdentityDocumentFields, which records both the normalized field and value of the extracted text. Unlike other Amazon Textract operations, AnalyzeID doesn't return any Geometry data. /// - /// - Parameter AnalyzeIDInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AnalyzeIDInput`) /// - /// - Returns: `AnalyzeIDOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AnalyzeIDOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -591,7 +588,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AnalyzeIDOutput.httpOutput(from:), AnalyzeIDOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -626,9 +622,9 @@ extension TextractClient { /// /// Creates an adapter, which can be fine-tuned for enhanced performance on user provided documents. Takes an AdapterName and FeatureType. Currently the only supported feature type is QUERIES. You can also provide a Description, Tags, and a ClientRequestToken. You can choose whether or not the adapter should be AutoUpdated with the AutoUpdate argument. By default, AutoUpdate is set to DISABLED. /// - /// - Parameter CreateAdapterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAdapterInput`) /// - /// - Returns: `CreateAdapterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAdapterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -670,7 +666,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAdapterOutput.httpOutput(from:), CreateAdapterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -705,9 +700,9 @@ extension TextractClient { /// /// Creates a new version of an adapter. Operates on a provided AdapterId and a specified dataset provided via the DatasetConfig argument. Requires that you specify an Amazon S3 bucket with the OutputConfig argument. You can provide an optional KMSKeyId, an optional ClientRequestToken, and optional tags. /// - /// - Parameter CreateAdapterVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAdapterVersionInput`) /// - /// - Returns: `CreateAdapterVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAdapterVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -752,7 +747,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAdapterVersionOutput.httpOutput(from:), CreateAdapterVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -787,9 +781,9 @@ extension TextractClient { /// /// Deletes an Amazon Textract adapter. Takes an AdapterId and deletes the adapter specified by the ID. /// - /// - Parameter DeleteAdapterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAdapterInput`) /// - /// - Returns: `DeleteAdapterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAdapterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -828,7 +822,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAdapterOutput.httpOutput(from:), DeleteAdapterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -863,9 +856,9 @@ extension TextractClient { /// /// Deletes an Amazon Textract adapter version. Requires that you specify both an AdapterId and a AdapterVersion. Deletes the adapter version specified by the AdapterId and the AdapterVersion. /// - /// - Parameter DeleteAdapterVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAdapterVersionInput`) /// - /// - Returns: `DeleteAdapterVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAdapterVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -904,7 +897,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAdapterVersionOutput.httpOutput(from:), DeleteAdapterVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -939,9 +931,9 @@ extension TextractClient { /// /// Detects text in the input document. Amazon Textract can detect lines of text and the words that make up a line of text. The input document must be in one of the following image formats: JPEG, PNG, PDF, or TIFF. DetectDocumentText returns the detected text in an array of [Block] objects. Each document page has as an associated Block of type PAGE. Each PAGE Block object is the parent of LINE Block objects that represent the lines of detected text on a page. A LINE Block object is a parent for each word that makes up the line. Words are represented by Block objects of type WORD. DetectDocumentText is a synchronous operation. To analyze documents asynchronously, use [StartDocumentTextDetection]. For more information, see [Document Text Detection](https://docs.aws.amazon.com/textract/latest/dg/how-it-works-detecting.html). /// - /// - Parameter DetectDocumentTextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DetectDocumentTextInput`) /// - /// - Returns: `DetectDocumentTextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DetectDocumentTextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -981,7 +973,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DetectDocumentTextOutput.httpOutput(from:), DetectDocumentTextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1016,9 +1007,9 @@ extension TextractClient { /// /// Gets configuration information for an adapter specified by an AdapterId, returning information on AdapterName, Description, CreationTime, AutoUpdate status, and FeatureTypes. /// - /// - Parameter GetAdapterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAdapterInput`) /// - /// - Returns: `GetAdapterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAdapterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1056,7 +1047,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAdapterOutput.httpOutput(from:), GetAdapterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1091,9 +1081,9 @@ extension TextractClient { /// /// Gets configuration information for the specified adapter version, including: AdapterId, AdapterVersion, FeatureTypes, Status, StatusMessage, DatasetConfig, KMSKeyId, OutputConfig, Tags and EvaluationMetrics. /// - /// - Parameter GetAdapterVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAdapterVersionInput`) /// - /// - Returns: `GetAdapterVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAdapterVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1131,7 +1121,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAdapterVersionOutput.httpOutput(from:), GetAdapterVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1179,9 +1168,9 @@ extension TextractClient { /// /// While processing a document with queries, look out for INVALID_REQUEST_PARAMETERS output. This indicates that either the per page query limit has been exceeded or that the operation is trying to query a page in the document which doesn’t exist. Selection elements such as check boxes and option buttons (radio buttons) can be detected in form data and in tables. A SELECTION_ELEMENT Block object contains information about a selection element, including the selection status. Use the MaxResults parameter to limit the number of blocks that are returned. If there are more results than specified in MaxResults, the value of NextToken in the operation response contains a pagination token for getting the next set of results. To get the next page of results, call GetDocumentAnalysis, and populate the NextToken request parameter with the token value that's returned from the previous call to GetDocumentAnalysis. For more information, see [Document Text Analysis](https://docs.aws.amazon.com/textract/latest/dg/how-it-works-analyzing.html). /// - /// - Parameter GetDocumentAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDocumentAnalysisInput`) /// - /// - Returns: `GetDocumentAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDocumentAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1220,7 +1209,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentAnalysisOutput.httpOutput(from:), GetDocumentAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1255,9 +1243,9 @@ extension TextractClient { /// /// Gets the results for an Amazon Textract asynchronous operation that detects text in a document. Amazon Textract can detect lines of text and the words that make up a line of text. You start asynchronous text detection by calling [StartDocumentTextDetection], which returns a job identifier (JobId). When the text detection operation finishes, Amazon Textract publishes a completion status to the Amazon Simple Notification Service (Amazon SNS) topic that's registered in the initial call to StartDocumentTextDetection. To get the results of the text-detection operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call GetDocumentTextDetection, and pass the job identifier (JobId) from the initial call to StartDocumentTextDetection. GetDocumentTextDetection returns an array of [Block] objects. Each document page has as an associated Block of type PAGE. Each PAGE Block object is the parent of LINE Block objects that represent the lines of detected text on a page. A LINE Block object is a parent for each word that makes up the line. Words are represented by Block objects of type WORD. Use the MaxResults parameter to limit the number of blocks that are returned. If there are more results than specified in MaxResults, the value of NextToken in the operation response contains a pagination token for getting the next set of results. To get the next page of results, call GetDocumentTextDetection, and populate the NextToken request parameter with the token value that's returned from the previous call to GetDocumentTextDetection. For more information, see [Document Text Detection](https://docs.aws.amazon.com/textract/latest/dg/how-it-works-detecting.html). /// - /// - Parameter GetDocumentTextDetectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDocumentTextDetectionInput`) /// - /// - Returns: `GetDocumentTextDetectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDocumentTextDetectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1296,7 +1284,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentTextDetectionOutput.httpOutput(from:), GetDocumentTextDetectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1331,9 +1318,9 @@ extension TextractClient { /// /// Gets the results for an Amazon Textract asynchronous operation that analyzes invoices and receipts. Amazon Textract finds contact information, items purchased, and vendor name, from input invoices and receipts. You start asynchronous invoice/receipt analysis by calling [StartExpenseAnalysis], which returns a job identifier (JobId). Upon completion of the invoice/receipt analysis, Amazon Textract publishes the completion status to the Amazon Simple Notification Service (Amazon SNS) topic. This topic must be registered in the initial call to StartExpenseAnalysis. To get the results of the invoice/receipt analysis operation, first ensure that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call GetExpenseAnalysis, and pass the job identifier (JobId) from the initial call to StartExpenseAnalysis. Use the MaxResults parameter to limit the number of blocks that are returned. If there are more results than specified in MaxResults, the value of NextToken in the operation response contains a pagination token for getting the next set of results. To get the next page of results, call GetExpenseAnalysis, and populate the NextToken request parameter with the token value that's returned from the previous call to GetExpenseAnalysis. For more information, see [Analyzing Invoices and Receipts](https://docs.aws.amazon.com/textract/latest/dg/invoices-receipts.html). /// - /// - Parameter GetExpenseAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetExpenseAnalysisInput`) /// - /// - Returns: `GetExpenseAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetExpenseAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1372,7 +1359,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetExpenseAnalysisOutput.httpOutput(from:), GetExpenseAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1407,9 +1393,9 @@ extension TextractClient { /// /// Gets the results for an Amazon Textract asynchronous operation that analyzes text in a lending document. You start asynchronous text analysis by calling StartLendingAnalysis, which returns a job identifier (JobId). When the text analysis operation finishes, Amazon Textract publishes a completion status to the Amazon Simple Notification Service (Amazon SNS) topic that's registered in the initial call to StartLendingAnalysis. To get the results of the text analysis operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call GetLendingAnalysis, and pass the job identifier (JobId) from the initial call to StartLendingAnalysis. /// - /// - Parameter GetLendingAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLendingAnalysisInput`) /// - /// - Returns: `GetLendingAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLendingAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1448,7 +1434,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLendingAnalysisOutput.httpOutput(from:), GetLendingAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1483,9 +1468,9 @@ extension TextractClient { /// /// Gets summarized results for the StartLendingAnalysis operation, which analyzes text in a lending document. The returned summary consists of information about documents grouped together by a common document type. Information like detected signatures, page numbers, and split documents is returned with respect to the type of grouped document. You start asynchronous text analysis by calling StartLendingAnalysis, which returns a job identifier (JobId). When the text analysis operation finishes, Amazon Textract publishes a completion status to the Amazon Simple Notification Service (Amazon SNS) topic that's registered in the initial call to StartLendingAnalysis. To get the results of the text analysis operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call GetLendingAnalysisSummary, and pass the job identifier (JobId) from the initial call to StartLendingAnalysis. /// - /// - Parameter GetLendingAnalysisSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLendingAnalysisSummaryInput`) /// - /// - Returns: `GetLendingAnalysisSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLendingAnalysisSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1524,7 +1509,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLendingAnalysisSummaryOutput.httpOutput(from:), GetLendingAnalysisSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1559,9 +1543,9 @@ extension TextractClient { /// /// List all version of an adapter that meet the specified filtration criteria. /// - /// - Parameter ListAdapterVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAdapterVersionsInput`) /// - /// - Returns: `ListAdapterVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAdapterVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1599,7 +1583,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAdapterVersionsOutput.httpOutput(from:), ListAdapterVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1634,9 +1617,9 @@ extension TextractClient { /// /// Lists all adapters that match the specified filtration criteria. /// - /// - Parameter ListAdaptersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAdaptersInput`) /// - /// - Returns: `ListAdaptersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAdaptersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1673,7 +1656,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAdaptersOutput.httpOutput(from:), ListAdaptersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1708,9 +1690,9 @@ extension TextractClient { /// /// Lists all tags for an Amazon Textract resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1748,7 +1730,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1783,9 +1764,9 @@ extension TextractClient { /// /// Starts the asynchronous analysis of an input document for relationships between detected items such as key-value pairs, tables, and selection elements. StartDocumentAnalysis can analyze text in documents that are in JPEG, PNG, TIFF, and PDF format. The documents are stored in an Amazon S3 bucket. Use [DocumentLocation] to specify the bucket name and file name of the document. StartDocumentAnalysis returns a job identifier (JobId) that you use to get the results of the operation. When text analysis is finished, Amazon Textract publishes a completion status to the Amazon Simple Notification Service (Amazon SNS) topic that you specify in NotificationChannel. To get the results of the text analysis operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetDocumentAnalysis], and pass the job identifier (JobId) from the initial call to StartDocumentAnalysis. For more information, see [Document Text Analysis](https://docs.aws.amazon.com/textract/latest/dg/how-it-works-analyzing.html). /// - /// - Parameter StartDocumentAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDocumentAnalysisInput`) /// - /// - Returns: `StartDocumentAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDocumentAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1828,7 +1809,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDocumentAnalysisOutput.httpOutput(from:), StartDocumentAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1863,9 +1843,9 @@ extension TextractClient { /// /// Starts the asynchronous detection of text in a document. Amazon Textract can detect lines of text and the words that make up a line of text. StartDocumentTextDetection can analyze text in documents that are in JPEG, PNG, TIFF, and PDF format. The documents are stored in an Amazon S3 bucket. Use [DocumentLocation] to specify the bucket name and file name of the document. StartDocumentTextDetection returns a job identifier (JobId) that you use to get the results of the operation. When text detection is finished, Amazon Textract publishes a completion status to the Amazon Simple Notification Service (Amazon SNS) topic that you specify in NotificationChannel. To get the results of the text detection operation, first check that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetDocumentTextDetection], and pass the job identifier (JobId) from the initial call to StartDocumentTextDetection. For more information, see [Document Text Detection](https://docs.aws.amazon.com/textract/latest/dg/how-it-works-detecting.html). /// - /// - Parameter StartDocumentTextDetectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDocumentTextDetectionInput`) /// - /// - Returns: `StartDocumentTextDetectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDocumentTextDetectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1908,7 +1888,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDocumentTextDetectionOutput.httpOutput(from:), StartDocumentTextDetectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1943,9 +1922,9 @@ extension TextractClient { /// /// Starts the asynchronous analysis of invoices or receipts for data like contact information, items purchased, and vendor names. StartExpenseAnalysis can analyze text in documents that are in JPEG, PNG, and PDF format. The documents must be stored in an Amazon S3 bucket. Use the [DocumentLocation] parameter to specify the name of your S3 bucket and the name of the document in that bucket. StartExpenseAnalysis returns a job identifier (JobId) that you will provide to GetExpenseAnalysis to retrieve the results of the operation. When the analysis of the input invoices/receipts is finished, Amazon Textract publishes a completion status to the Amazon Simple Notification Service (Amazon SNS) topic that you provide to the NotificationChannel. To obtain the results of the invoice and receipt analysis operation, ensure that the status value published to the Amazon SNS topic is SUCCEEDED. If so, call [GetExpenseAnalysis], and pass the job identifier (JobId) that was returned by your call to StartExpenseAnalysis. For more information, see [Analyzing Invoices and Receipts](https://docs.aws.amazon.com/textract/latest/dg/invoice-receipts.html). /// - /// - Parameter StartExpenseAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartExpenseAnalysisInput`) /// - /// - Returns: `StartExpenseAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartExpenseAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1988,7 +1967,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartExpenseAnalysisOutput.httpOutput(from:), StartExpenseAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2029,9 +2007,9 @@ extension TextractClient { /// /// * splitDocuments (documents split across logical boundaries) /// - /// - Parameter StartLendingAnalysisInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartLendingAnalysisInput`) /// - /// - Returns: `StartLendingAnalysisOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartLendingAnalysisOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2074,7 +2052,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartLendingAnalysisOutput.httpOutput(from:), StartLendingAnalysisOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2109,9 +2086,9 @@ extension TextractClient { /// /// Adds one or more tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2150,7 +2127,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2185,9 +2161,9 @@ extension TextractClient { /// /// Removes any tags with the specified keys from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2225,7 +2201,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2260,9 +2235,9 @@ extension TextractClient { /// /// Update the configuration for an adapter. FeatureTypes configurations cannot be updated. At least one new parameter must be specified as an argument. /// - /// - Parameter UpdateAdapterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAdapterInput`) /// - /// - Returns: `UpdateAdapterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAdapterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2301,7 +2276,6 @@ extension TextractClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAdapterOutput.httpOutput(from:), UpdateAdapterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTimestreamInfluxDB/Sources/AWSTimestreamInfluxDB/TimestreamInfluxDBClient.swift b/Sources/Services/AWSTimestreamInfluxDB/Sources/AWSTimestreamInfluxDB/TimestreamInfluxDBClient.swift index 505f685ae09..7b4ad3f9943 100644 --- a/Sources/Services/AWSTimestreamInfluxDB/Sources/AWSTimestreamInfluxDB/TimestreamInfluxDBClient.swift +++ b/Sources/Services/AWSTimestreamInfluxDB/Sources/AWSTimestreamInfluxDB/TimestreamInfluxDBClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TimestreamInfluxDBClient: ClientRuntime.Client { public static let clientName = "TimestreamInfluxDBClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TimestreamInfluxDBClient.TimestreamInfluxDBClientConfiguration let serviceName = "Timestream InfluxDB" @@ -373,9 +372,9 @@ extension TimestreamInfluxDBClient { /// /// Creates a new Timestream for InfluxDB cluster. /// - /// - Parameter CreateDbClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDbClusterInput`) /// - /// - Returns: `CreateDbClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDbClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDbClusterOutput.httpOutput(from:), CreateDbClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension TimestreamInfluxDBClient { /// /// Creates a new Timestream for InfluxDB DB instance. /// - /// - Parameter CreateDbInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDbInstanceInput`) /// - /// - Returns: `CreateDbInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDbInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDbInstanceOutput.httpOutput(from:), CreateDbInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension TimestreamInfluxDBClient { /// /// Creates a new Timestream for InfluxDB DB parameter group to associate with DB instances. /// - /// - Parameter CreateDbParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDbParameterGroupInput`) /// - /// - Returns: `CreateDbParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDbParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDbParameterGroupOutput.httpOutput(from:), CreateDbParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -598,9 +594,9 @@ extension TimestreamInfluxDBClient { /// /// Deletes a Timestream for InfluxDB cluster. /// - /// - Parameter DeleteDbClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDbClusterInput`) /// - /// - Returns: `DeleteDbClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDbClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDbClusterOutput.httpOutput(from:), DeleteDbClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension TimestreamInfluxDBClient { /// /// Deletes a Timestream for InfluxDB DB instance. /// - /// - Parameter DeleteDbInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDbInstanceInput`) /// - /// - Returns: `DeleteDbInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDbInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDbInstanceOutput.httpOutput(from:), DeleteDbInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -746,9 +740,9 @@ extension TimestreamInfluxDBClient { /// /// Retrieves information about a Timestream for InfluxDB cluster. /// - /// - Parameter GetDbClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDbClusterInput`) /// - /// - Returns: `GetDbClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDbClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -784,7 +778,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDbClusterOutput.httpOutput(from:), GetDbClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -819,9 +812,9 @@ extension TimestreamInfluxDBClient { /// /// Returns a Timestream for InfluxDB DB instance. /// - /// - Parameter GetDbInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDbInstanceInput`) /// - /// - Returns: `GetDbInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDbInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -857,7 +850,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDbInstanceOutput.httpOutput(from:), GetDbInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -892,9 +884,9 @@ extension TimestreamInfluxDBClient { /// /// Returns a Timestream for InfluxDB DB parameter group. /// - /// - Parameter GetDbParameterGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDbParameterGroupInput`) /// - /// - Returns: `GetDbParameterGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDbParameterGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -930,7 +922,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDbParameterGroupOutput.httpOutput(from:), GetDbParameterGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -965,9 +956,9 @@ extension TimestreamInfluxDBClient { /// /// Returns a list of Timestream for InfluxDB DB clusters. /// - /// - Parameter ListDbClustersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDbClustersInput`) /// - /// - Returns: `ListDbClustersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDbClustersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1003,7 +994,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDbClustersOutput.httpOutput(from:), ListDbClustersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1038,9 +1028,9 @@ extension TimestreamInfluxDBClient { /// /// Returns a list of Timestream for InfluxDB DB instances. /// - /// - Parameter ListDbInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDbInstancesInput`) /// - /// - Returns: `ListDbInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDbInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1076,7 +1066,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDbInstancesOutput.httpOutput(from:), ListDbInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1111,9 +1100,9 @@ extension TimestreamInfluxDBClient { /// /// Returns a list of Timestream for InfluxDB clusters. /// - /// - Parameter ListDbInstancesForClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDbInstancesForClusterInput`) /// - /// - Returns: `ListDbInstancesForClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDbInstancesForClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1149,7 +1138,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDbInstancesForClusterOutput.httpOutput(from:), ListDbInstancesForClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1184,9 +1172,9 @@ extension TimestreamInfluxDBClient { /// /// Returns a list of Timestream for InfluxDB DB parameter groups. /// - /// - Parameter ListDbParameterGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDbParameterGroupsInput`) /// - /// - Returns: `ListDbParameterGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDbParameterGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1222,7 +1210,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDbParameterGroupsOutput.httpOutput(from:), ListDbParameterGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1257,9 +1244,9 @@ extension TimestreamInfluxDBClient { /// /// A list of tags applied to the resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1291,7 +1278,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1326,9 +1312,9 @@ extension TimestreamInfluxDBClient { /// /// Tags are composed of a Key/Value pairs. You can use tags to categorize and track your Timestream for InfluxDB resources. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1361,7 +1347,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1396,9 +1381,9 @@ extension TimestreamInfluxDBClient { /// /// Removes the tag from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1430,7 +1415,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1465,9 +1449,9 @@ extension TimestreamInfluxDBClient { /// /// Updates a Timestream for InfluxDB cluster. /// - /// - Parameter UpdateDbClusterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDbClusterInput`) /// - /// - Returns: `UpdateDbClusterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDbClusterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1504,7 +1488,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDbClusterOutput.httpOutput(from:), UpdateDbClusterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1539,9 +1522,9 @@ extension TimestreamInfluxDBClient { /// /// Updates a Timestream for InfluxDB DB instance. /// - /// - Parameter UpdateDbInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDbInstanceInput`) /// - /// - Returns: `UpdateDbInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDbInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1578,7 +1561,6 @@ extension TimestreamInfluxDBClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDbInstanceOutput.httpOutput(from:), UpdateDbInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTimestreamQuery/Sources/AWSTimestreamQuery/TimestreamQueryClient.swift b/Sources/Services/AWSTimestreamQuery/Sources/AWSTimestreamQuery/TimestreamQueryClient.swift index 737806cb629..360c09da75b 100644 --- a/Sources/Services/AWSTimestreamQuery/Sources/AWSTimestreamQuery/TimestreamQueryClient.swift +++ b/Sources/Services/AWSTimestreamQuery/Sources/AWSTimestreamQuery/TimestreamQueryClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TimestreamQueryClient: ClientRuntime.Client { public static let clientName = "TimestreamQueryClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TimestreamQueryClient.TimestreamQueryClientConfiguration let serviceName = "Timestream Query" @@ -375,9 +374,9 @@ extension TimestreamQueryClient { /// /// Cancels a query that has been issued. Cancellation is provided only if the query has not completed running before the cancellation request was issued. Because cancellation is an idempotent operation, subsequent cancellation requests will return a CancellationMessage, indicating that the query has already been canceled. See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.cancel-query.html) for details. /// - /// - Parameter CancelQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelQueryInput`) /// - /// - Returns: `CancelQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelQueryOutput.httpOutput(from:), CancelQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension TimestreamQueryClient { /// /// Create a scheduled query that will be run on your behalf at the configured schedule. Timestream assumes the execution role provided as part of the ScheduledQueryExecutionRoleArn parameter to run the query. You can use the NotificationConfiguration parameter to configure notification for your scheduled query operations. /// - /// - Parameter CreateScheduledQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateScheduledQueryInput`) /// - /// - Returns: `CreateScheduledQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateScheduledQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateScheduledQueryOutput.httpOutput(from:), CreateScheduledQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension TimestreamQueryClient { /// /// Deletes a given scheduled query. This is an irreversible operation. /// - /// - Parameter DeleteScheduledQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteScheduledQueryInput`) /// - /// - Returns: `DeleteScheduledQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteScheduledQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteScheduledQueryOutput.httpOutput(from:), DeleteScheduledQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -598,9 +594,9 @@ extension TimestreamQueryClient { /// /// Describes the settings for your account that include the query pricing model and the configured maximum TCUs the service can use for your query workload. You're charged only for the duration of compute units used for your workloads. /// - /// - Parameter DescribeAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountSettingsInput`) /// - /// - Returns: `DescribeAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountSettingsOutput.httpOutput(from:), DescribeAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -679,9 +674,9 @@ extension TimestreamQueryClient { /// /// For detailed information on how and when to use and implement DescribeEndpoints, see [The Endpoint Discovery Pattern](https://docs.aws.amazon.com/timestream/latest/developerguide/Using.API.html#Using-API.endpoint-discovery). /// - /// - Parameter DescribeEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointsInput`) /// - /// - Returns: `DescribeEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -715,7 +710,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointsOutput.httpOutput(from:), DescribeEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -750,9 +744,9 @@ extension TimestreamQueryClient { /// /// Provides detailed information about a scheduled query. /// - /// - Parameter DescribeScheduledQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeScheduledQueryInput`) /// - /// - Returns: `DescribeScheduledQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeScheduledQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -789,7 +783,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeScheduledQueryOutput.httpOutput(from:), DescribeScheduledQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -824,9 +817,9 @@ extension TimestreamQueryClient { /// /// You can use this API to run a scheduled query manually. If you enabled QueryInsights, this API also returns insights and metrics related to the query that you executed as part of an Amazon SNS notification. QueryInsights helps with performance tuning of your query. For more information about QueryInsights, see [Using query insights to optimize queries in Amazon Timestream](https://docs.aws.amazon.com/timestream/latest/developerguide/using-query-insights.html). /// - /// - Parameter ExecuteScheduledQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExecuteScheduledQueryInput`) /// - /// - Returns: `ExecuteScheduledQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExecuteScheduledQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -864,7 +857,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExecuteScheduledQueryOutput.httpOutput(from:), ExecuteScheduledQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -899,9 +891,9 @@ extension TimestreamQueryClient { /// /// Gets a list of all scheduled queries in the caller's Amazon account and Region. ListScheduledQueries is eventually consistent. /// - /// - Parameter ListScheduledQueriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListScheduledQueriesInput`) /// - /// - Returns: `ListScheduledQueriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListScheduledQueriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -937,7 +929,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListScheduledQueriesOutput.httpOutput(from:), ListScheduledQueriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -972,9 +963,9 @@ extension TimestreamQueryClient { /// /// List all tags on a Timestream query resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1009,7 +1000,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1044,9 +1034,9 @@ extension TimestreamQueryClient { /// /// A synchronous operation that allows you to submit a query with parameters to be stored by Timestream for later running. Timestream only supports using this operation with ValidateOnly set to true. /// - /// - Parameter PrepareQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PrepareQueryInput`) /// - /// - Returns: `PrepareQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PrepareQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1082,7 +1072,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PrepareQueryOutput.httpOutput(from:), PrepareQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1125,9 +1114,9 @@ extension TimestreamQueryClient { /// /// * If the IAM principal of the query initiator and the result reader are not the same and/or the query initiator and the result reader do not have the same query string in the query requests, the query will fail with an Invalid pagination token error. /// - /// - Parameter QueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `QueryInput`) /// - /// - Returns: `QueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `QueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1166,7 +1155,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QueryOutput.httpOutput(from:), QueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1201,9 +1189,9 @@ extension TimestreamQueryClient { /// /// Associate a set of tags with a Timestream resource. You can then activate these user-defined tags so that they appear on the Billing and Cost Management console for cost allocation tracking. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1239,7 +1227,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1274,9 +1261,9 @@ extension TimestreamQueryClient { /// /// Removes the association of tags from a Timestream query resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1311,7 +1298,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1346,9 +1332,9 @@ extension TimestreamQueryClient { /// /// Transitions your account to use TCUs for query pricing and modifies the maximum query compute units that you've configured. If you reduce the value of MaxQueryTCU to a desired configuration, the new value can take up to 24 hours to be effective. After you've transitioned your account to use TCUs for query pricing, you can't transition to using bytes scanned for query pricing. /// - /// - Parameter UpdateAccountSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccountSettingsInput`) /// - /// - Returns: `UpdateAccountSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccountSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1384,7 +1370,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccountSettingsOutput.httpOutput(from:), UpdateAccountSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1419,9 +1404,9 @@ extension TimestreamQueryClient { /// /// Update a scheduled query. /// - /// - Parameter UpdateScheduledQueryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateScheduledQueryInput`) /// - /// - Returns: `UpdateScheduledQueryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateScheduledQueryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1458,7 +1443,6 @@ extension TimestreamQueryClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateScheduledQueryOutput.httpOutput(from:), UpdateScheduledQueryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTimestreamWrite/Sources/AWSTimestreamWrite/TimestreamWriteClient.swift b/Sources/Services/AWSTimestreamWrite/Sources/AWSTimestreamWrite/TimestreamWriteClient.swift index 026512a9331..5ff62ddc07d 100644 --- a/Sources/Services/AWSTimestreamWrite/Sources/AWSTimestreamWrite/TimestreamWriteClient.swift +++ b/Sources/Services/AWSTimestreamWrite/Sources/AWSTimestreamWrite/TimestreamWriteClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TimestreamWriteClient: ClientRuntime.Client { public static let clientName = "TimestreamWriteClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TimestreamWriteClient.TimestreamWriteClientConfiguration let serviceName = "Timestream Write" @@ -374,9 +373,9 @@ extension TimestreamWriteClient { /// /// Creates a new Timestream batch load task. A batch load task processes data from a CSV source in an S3 location and writes to a Timestream table. A mapping from source to target is defined in a batch load task. Errors and events are written to a report at an S3 location. For the report, if the KMS key is not specified, the report will be encrypted with an S3 managed key when SSE_S3 is the option. Otherwise an error is thrown. For more information, see [Amazon Web Services managed keys](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk). [Service quotas apply](https://docs.aws.amazon.com/timestream/latest/developerguide/ts-limits.html). For details, see [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.create-batch-load.html). /// - /// - Parameter CreateBatchLoadTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBatchLoadTaskInput`) /// - /// - Returns: `CreateBatchLoadTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBatchLoadTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBatchLoadTaskOutput.httpOutput(from:), CreateBatchLoadTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -451,9 +449,9 @@ extension TimestreamWriteClient { /// /// Creates a new Timestream database. If the KMS key is not specified, the database will be encrypted with a Timestream managed KMS key located in your account. For more information, see [Amazon Web Services managed keys](https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#aws-managed-cmk). [Service quotas apply](https://docs.aws.amazon.com/timestream/latest/developerguide/ts-limits.html). For details, see [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.create-db.html). /// - /// - Parameter CreateDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDatabaseInput`) /// - /// - Returns: `CreateDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDatabaseOutput.httpOutput(from:), CreateDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -526,9 +523,9 @@ extension TimestreamWriteClient { /// /// Adds a new table to an existing database in your account. In an Amazon Web Services account, table names must be at least unique within each Region if they are in the same database. You might have identical table names in the same Region if the tables are in separate databases. While creating the table, you must specify the table name, database name, and the retention properties. [Service quotas apply](https://docs.aws.amazon.com/timestream/latest/developerguide/ts-limits.html). See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.create-table.html) for details. /// - /// - Parameter CreateTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTableInput`) /// - /// - Returns: `CreateTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -567,7 +564,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTableOutput.httpOutput(from:), CreateTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -602,9 +598,9 @@ extension TimestreamWriteClient { /// /// Deletes a given Timestream database. This is an irreversible operation. After a database is deleted, the time-series data from its tables cannot be recovered. All tables in the database must be deleted first, or a ValidationException error will be thrown. Due to the nature of distributed retries, the operation can return either success or a ResourceNotFoundException. Clients should consider them equivalent. See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.delete-db.html) for details. /// - /// - Parameter DeleteDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDatabaseInput`) /// - /// - Returns: `DeleteDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -641,7 +637,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDatabaseOutput.httpOutput(from:), DeleteDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -676,9 +671,9 @@ extension TimestreamWriteClient { /// /// Deletes a given Timestream table. This is an irreversible operation. After a Timestream database table is deleted, the time-series data stored in the table cannot be recovered. Due to the nature of distributed retries, the operation can return either success or a ResourceNotFoundException. Clients should consider them equivalent. See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.delete-table.html) for details. /// - /// - Parameter DeleteTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTableInput`) /// - /// - Returns: `DeleteTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -715,7 +710,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTableOutput.httpOutput(from:), DeleteTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -750,9 +744,9 @@ extension TimestreamWriteClient { /// /// Returns information about the batch load task, including configurations, mappings, progress, and other details. [Service quotas apply](https://docs.aws.amazon.com/timestream/latest/developerguide/ts-limits.html). See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.describe-batch-load.html) for details. /// - /// - Parameter DescribeBatchLoadTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBatchLoadTaskInput`) /// - /// - Returns: `DescribeBatchLoadTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBatchLoadTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +782,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBatchLoadTaskOutput.httpOutput(from:), DescribeBatchLoadTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -823,9 +816,9 @@ extension TimestreamWriteClient { /// /// Returns information about the database, including the database name, time that the database was created, and the total number of tables found within the database. [Service quotas apply](https://docs.aws.amazon.com/timestream/latest/developerguide/ts-limits.html). See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.describe-db.html) for details. /// - /// - Parameter DescribeDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDatabaseInput`) /// - /// - Returns: `DescribeDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -862,7 +855,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDatabaseOutput.httpOutput(from:), DescribeDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -906,9 +898,9 @@ extension TimestreamWriteClient { /// /// For detailed information on how and when to use and implement DescribeEndpoints, see [The Endpoint Discovery Pattern](https://docs.aws.amazon.com/timestream/latest/developerguide/Using.API.html#Using-API.endpoint-discovery). /// - /// - Parameter DescribeEndpointsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEndpointsInput`) /// - /// - Returns: `DescribeEndpointsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEndpointsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -942,7 +934,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEndpointsOutput.httpOutput(from:), DescribeEndpointsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -977,9 +968,9 @@ extension TimestreamWriteClient { /// /// Returns information about the table, including the table name, database name, retention duration of the memory store and the magnetic store. [Service quotas apply](https://docs.aws.amazon.com/timestream/latest/developerguide/ts-limits.html). See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.describe-table.html) for details. /// - /// - Parameter DescribeTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTableInput`) /// - /// - Returns: `DescribeTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1016,7 +1007,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTableOutput.httpOutput(from:), DescribeTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1051,9 +1041,9 @@ extension TimestreamWriteClient { /// /// Provides a list of batch load tasks, along with the name, status, when the task is resumable until, and other details. See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.list-batch-load-tasks.html) for details. /// - /// - Parameter ListBatchLoadTasksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBatchLoadTasksInput`) /// - /// - Returns: `ListBatchLoadTasksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBatchLoadTasksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1089,7 +1079,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBatchLoadTasksOutput.httpOutput(from:), ListBatchLoadTasksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1124,9 +1113,9 @@ extension TimestreamWriteClient { /// /// Returns a list of your Timestream databases. [Service quotas apply](https://docs.aws.amazon.com/timestream/latest/developerguide/ts-limits.html). See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.list-db.html) for details. /// - /// - Parameter ListDatabasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDatabasesInput`) /// - /// - Returns: `ListDatabasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDatabasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1162,7 +1151,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDatabasesOutput.httpOutput(from:), ListDatabasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1197,9 +1185,9 @@ extension TimestreamWriteClient { /// /// Provides a list of tables, along with the name, status, and retention properties of each table. See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.list-table.html) for details. /// - /// - Parameter ListTablesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTablesInput`) /// - /// - Returns: `ListTablesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTablesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1236,7 +1224,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTablesOutput.httpOutput(from:), ListTablesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1271,9 +1258,9 @@ extension TimestreamWriteClient { /// /// Lists all tags on a Timestream resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1308,7 +1295,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1343,9 +1329,9 @@ extension TimestreamWriteClient { /// /// /// - /// - Parameter ResumeBatchLoadTaskInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResumeBatchLoadTaskInput`) /// - /// - Returns: `ResumeBatchLoadTaskOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResumeBatchLoadTaskOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1382,7 +1368,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResumeBatchLoadTaskOutput.httpOutput(from:), ResumeBatchLoadTaskOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1417,9 +1402,9 @@ extension TimestreamWriteClient { /// /// Associates a set of tags with a Timestream resource. You can then activate these user-defined tags so that they appear on the Billing and Cost Management console for cost allocation tracking. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1455,7 +1440,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1490,9 +1474,9 @@ extension TimestreamWriteClient { /// /// Removes the association of tags from a Timestream resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1528,7 +1512,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1563,9 +1546,9 @@ extension TimestreamWriteClient { /// /// Modifies the KMS key for an existing database. While updating the database, you must specify the database name and the identifier of the new KMS key to be used (KmsKeyId). If there are any concurrent UpdateDatabase requests, first writer wins. See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.update-db.html) for details. /// - /// - Parameter UpdateDatabaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDatabaseInput`) /// - /// - Returns: `UpdateDatabaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDatabaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1603,7 +1586,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDatabaseOutput.httpOutput(from:), UpdateDatabaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1638,9 +1620,9 @@ extension TimestreamWriteClient { /// /// Modifies the retention duration of the memory store and magnetic store for your Timestream table. Note that the change in retention duration takes effect immediately. For example, if the retention period of the memory store was initially set to 2 hours and then changed to 24 hours, the memory store will be capable of holding 24 hours of data, but will be populated with 24 hours of data 22 hours after this change was made. Timestream does not retrieve data from the magnetic store to populate the memory store. See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.update-table.html) for details. /// - /// - Parameter UpdateTableInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTableInput`) /// - /// - Returns: `UpdateTableOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTableOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1677,7 +1659,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTableOutput.httpOutput(from:), UpdateTableOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1712,9 +1693,9 @@ extension TimestreamWriteClient { /// /// Enables you to write your time-series data into Timestream. You can specify a single data point or a batch of data points to be inserted into the system. Timestream offers you a flexible schema that auto detects the column names and data types for your Timestream tables based on the dimension names and data types of the data points you specify when invoking writes into the database. Timestream supports eventual consistency read semantics. This means that when you query data immediately after writing a batch of data into Timestream, the query results might not reflect the results of a recently completed write operation. The results may also include some stale data. If you repeat the query request after a short time, the results should return the latest data. [Service quotas apply](https://docs.aws.amazon.com/timestream/latest/developerguide/ts-limits.html). See [code sample](https://docs.aws.amazon.com/timestream/latest/developerguide/code-samples.write.html) for details. Upserts You can use the Version parameter in a WriteRecords request to update data points. Timestream tracks a version number with each record. Version defaults to 1 when it's not specified for the record in the request. Timestream updates an existing record’s measure value along with its Version when it receives a write request with a higher Version number for that record. When it receives an update request where the measure value is the same as that of the existing record, Timestream still updates Version, if it is greater than the existing value of Version. You can update a data point as many times as desired, as long as the value of Version continuously increases. For example, suppose you write a new record without indicating Version in the request. Timestream stores this record, and set Version to 1. Now, suppose you try to update this record with a WriteRecords request of the same record with a different measure value but, like before, do not provide Version. In this case, Timestream will reject this update with a RejectedRecordsException since the updated record’s version is not greater than the existing value of Version. However, if you were to resend the update request with Version set to 2, Timestream would then succeed in updating the record’s value, and the Version would be set to 2. Next, suppose you sent a WriteRecords request with this same record and an identical measure value, but with Version set to 3. In this case, Timestream would only update Version to 3. Any further updates would need to send a version number greater than 3, or the update requests would receive a RejectedRecordsException. /// - /// - Parameter WriteRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `WriteRecordsInput`) /// - /// - Returns: `WriteRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `WriteRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1768,7 +1749,6 @@ extension TimestreamWriteClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(WriteRecordsOutput.httpOutput(from:), WriteRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTnb/Sources/AWSTnb/TnbClient.swift b/Sources/Services/AWSTnb/Sources/AWSTnb/TnbClient.swift index 72611b89ea3..6d1b4abed31 100644 --- a/Sources/Services/AWSTnb/Sources/AWSTnb/TnbClient.swift +++ b/Sources/Services/AWSTnb/Sources/AWSTnb/TnbClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -72,7 +71,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TnbClient: ClientRuntime.Client { public static let clientName = "TnbClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TnbClient.TnbClientConfiguration let serviceName = "tnb" @@ -378,9 +377,9 @@ extension TnbClient { /// /// Cancels a network operation. A network operation is any operation that is done to your network, such as network instance instantiation or termination. /// - /// - Parameter CancelSolNetworkOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelSolNetworkOperationInput`) /// - /// - Returns: `CancelSolNetworkOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelSolNetworkOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelSolNetworkOperationOutput.httpOutput(from:), CancelSolNetworkOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension TnbClient { /// /// Creates a function package. A function package is a .zip file in CSAR (Cloud Service Archive) format that contains a network function (an ETSI standard telecommunication application) and function package descriptor that uses the TOSCA standard to describe how the network functions should run on your network. For more information, see [Function packages](https://docs.aws.amazon.com/tnb/latest/ug/function-packages.html) in the Amazon Web Services Telco Network Builder User Guide. Creating a function package is the first step for creating a network in AWS TNB. This request creates an empty container with an ID. The next step is to upload the actual CSAR zip file into that empty container. To upload function package content, see [PutSolFunctionPackageContent](https://docs.aws.amazon.com/tnb/latest/APIReference/API_PutSolFunctionPackageContent.html). /// - /// - Parameter CreateSolFunctionPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSolFunctionPackageInput`) /// - /// - Returns: `CreateSolFunctionPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSolFunctionPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -487,7 +485,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSolFunctionPackageOutput.httpOutput(from:), CreateSolFunctionPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -519,9 +516,9 @@ extension TnbClient { /// /// Creates a network instance. A network instance is a single network created in Amazon Web Services TNB that can be deployed and on which life-cycle operations (like terminate, update, and delete) can be performed. Creating a network instance is the third step after creating a network package. For more information about network instances, [Network instances](https://docs.aws.amazon.com/tnb/latest/ug/network-instances.html) in the Amazon Web Services Telco Network Builder User Guide. Once you create a network instance, you can instantiate it. To instantiate a network, see [InstantiateSolNetworkInstance](https://docs.aws.amazon.com/tnb/latest/APIReference/API_InstantiateSolNetworkInstance.html). /// - /// - Parameter CreateSolNetworkInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSolNetworkInstanceInput`) /// - /// - Returns: `CreateSolNetworkInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSolNetworkInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSolNetworkInstanceOutput.httpOutput(from:), CreateSolNetworkInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -592,9 +588,9 @@ extension TnbClient { /// /// Creates a network package. A network package is a .zip file in CSAR (Cloud Service Archive) format defines the function packages you want to deploy and the Amazon Web Services infrastructure you want to deploy them on. For more information, see [Network instances](https://docs.aws.amazon.com/tnb/latest/ug/network-instances.html) in the Amazon Web Services Telco Network Builder User Guide. A network package consists of a network service descriptor (NSD) file (required) and any additional files (optional), such as scripts specific to your needs. For example, if you have multiple function packages in your network package, you can use the NSD to define which network functions should run in certain VPCs, subnets, or EKS clusters. This request creates an empty network package container with an ID. Once you create a network package, you can upload the network package content using [PutSolNetworkPackageContent](https://docs.aws.amazon.com/tnb/latest/APIReference/API_PutSolNetworkPackageContent.html). /// - /// - Parameter CreateSolNetworkPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSolNetworkPackageInput`) /// - /// - Returns: `CreateSolNetworkPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSolNetworkPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -632,7 +628,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSolNetworkPackageOutput.httpOutput(from:), CreateSolNetworkPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -664,9 +659,9 @@ extension TnbClient { /// /// Deletes a function package. A function package is a .zip file in CSAR (Cloud Service Archive) format that contains a network function (an ETSI standard telecommunication application) and function package descriptor that uses the TOSCA standard to describe how the network functions should run on your network. To delete a function package, the package must be in a disabled state. To disable a function package, see [UpdateSolFunctionPackage](https://docs.aws.amazon.com/tnb/latest/APIReference/API_UpdateSolFunctionPackage.html). /// - /// - Parameter DeleteSolFunctionPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSolFunctionPackageInput`) /// - /// - Returns: `DeleteSolFunctionPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSolFunctionPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -701,7 +696,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSolFunctionPackageOutput.httpOutput(from:), DeleteSolFunctionPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -733,9 +727,9 @@ extension TnbClient { /// /// Deletes a network instance. A network instance is a single network created in Amazon Web Services TNB that can be deployed and on which life-cycle operations (like terminate, update, and delete) can be performed. To delete a network instance, the instance must be in a stopped or terminated state. To terminate a network instance, see [TerminateSolNetworkInstance](https://docs.aws.amazon.com/tnb/latest/APIReference/API_TerminateSolNetworkInstance.html). /// - /// - Parameter DeleteSolNetworkInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSolNetworkInstanceInput`) /// - /// - Returns: `DeleteSolNetworkInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSolNetworkInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -770,7 +764,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSolNetworkInstanceOutput.httpOutput(from:), DeleteSolNetworkInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -802,9 +795,9 @@ extension TnbClient { /// /// Deletes network package. A network package is a .zip file in CSAR (Cloud Service Archive) format defines the function packages you want to deploy and the Amazon Web Services infrastructure you want to deploy them on. To delete a network package, the package must be in a disable state. To disable a network package, see [UpdateSolNetworkPackage](https://docs.aws.amazon.com/tnb/latest/APIReference/API_UpdateSolNetworkPackage.html). /// - /// - Parameter DeleteSolNetworkPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSolNetworkPackageInput`) /// - /// - Returns: `DeleteSolNetworkPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSolNetworkPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -839,7 +832,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSolNetworkPackageOutput.httpOutput(from:), DeleteSolNetworkPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -871,9 +863,9 @@ extension TnbClient { /// /// Gets the details of a network function instance, including the instantiation state and metadata from the function package descriptor in the network function package. A network function instance is a function in a function package . /// - /// - Parameter GetSolFunctionInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSolFunctionInstanceInput`) /// - /// - Returns: `GetSolFunctionInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSolFunctionInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -908,7 +900,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSolFunctionInstanceOutput.httpOutput(from:), GetSolFunctionInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -940,9 +931,9 @@ extension TnbClient { /// /// Gets the details of an individual function package, such as the operational state and whether the package is in use. A function package is a .zip file in CSAR (Cloud Service Archive) format that contains a network function (an ETSI standard telecommunication application) and function package descriptor that uses the TOSCA standard to describe how the network functions should run on your network.. /// - /// - Parameter GetSolFunctionPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSolFunctionPackageInput`) /// - /// - Returns: `GetSolFunctionPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSolFunctionPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -977,7 +968,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSolFunctionPackageOutput.httpOutput(from:), GetSolFunctionPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1009,9 +999,9 @@ extension TnbClient { /// /// Gets the contents of a function package. A function package is a .zip file in CSAR (Cloud Service Archive) format that contains a network function (an ETSI standard telecommunication application) and function package descriptor that uses the TOSCA standard to describe how the network functions should run on your network. /// - /// - Parameter GetSolFunctionPackageContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSolFunctionPackageContentInput`) /// - /// - Returns: `GetSolFunctionPackageContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSolFunctionPackageContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1047,7 +1037,6 @@ extension TnbClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetSolFunctionPackageContentInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSolFunctionPackageContentOutput.httpOutput(from:), GetSolFunctionPackageContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1079,9 +1068,9 @@ extension TnbClient { /// /// Gets a function package descriptor in a function package. A function package descriptor is a .yaml file in a function package that uses the TOSCA standard to describe how the network function in the function package should run on your network. A function package is a .zip file in CSAR (Cloud Service Archive) format that contains a network function (an ETSI standard telecommunication application) and function package descriptor that uses the TOSCA standard to describe how the network functions should run on your network. /// - /// - Parameter GetSolFunctionPackageDescriptorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSolFunctionPackageDescriptorInput`) /// - /// - Returns: `GetSolFunctionPackageDescriptorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSolFunctionPackageDescriptorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1117,7 +1106,6 @@ extension TnbClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetSolFunctionPackageDescriptorInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSolFunctionPackageDescriptorOutput.httpOutput(from:), GetSolFunctionPackageDescriptorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1149,9 +1137,9 @@ extension TnbClient { /// /// Gets the details of the network instance. A network instance is a single network created in Amazon Web Services TNB that can be deployed and on which life-cycle operations (like terminate, update, and delete) can be performed. /// - /// - Parameter GetSolNetworkInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSolNetworkInstanceInput`) /// - /// - Returns: `GetSolNetworkInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSolNetworkInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1186,7 +1174,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSolNetworkInstanceOutput.httpOutput(from:), GetSolNetworkInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1218,9 +1205,9 @@ extension TnbClient { /// /// Gets the details of a network operation, including the tasks involved in the network operation and the status of the tasks. A network operation is any operation that is done to your network, such as network instance instantiation or termination. /// - /// - Parameter GetSolNetworkOperationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSolNetworkOperationInput`) /// - /// - Returns: `GetSolNetworkOperationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSolNetworkOperationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1255,7 +1242,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSolNetworkOperationOutput.httpOutput(from:), GetSolNetworkOperationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1287,9 +1273,9 @@ extension TnbClient { /// /// Gets the details of a network package. A network package is a .zip file in CSAR (Cloud Service Archive) format defines the function packages you want to deploy and the Amazon Web Services infrastructure you want to deploy them on. /// - /// - Parameter GetSolNetworkPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSolNetworkPackageInput`) /// - /// - Returns: `GetSolNetworkPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSolNetworkPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1324,7 +1310,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSolNetworkPackageOutput.httpOutput(from:), GetSolNetworkPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1356,9 +1341,9 @@ extension TnbClient { /// /// Gets the contents of a network package. A network package is a .zip file in CSAR (Cloud Service Archive) format defines the function packages you want to deploy and the Amazon Web Services infrastructure you want to deploy them on. /// - /// - Parameter GetSolNetworkPackageContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSolNetworkPackageContentInput`) /// - /// - Returns: `GetSolNetworkPackageContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSolNetworkPackageContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1394,7 +1379,6 @@ extension TnbClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetSolNetworkPackageContentInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSolNetworkPackageContentOutput.httpOutput(from:), GetSolNetworkPackageContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1426,9 +1410,9 @@ extension TnbClient { /// /// Gets the content of the network service descriptor. A network service descriptor is a .yaml file in a network package that uses the TOSCA standard to describe the network functions you want to deploy and the Amazon Web Services infrastructure you want to deploy the network functions on. /// - /// - Parameter GetSolNetworkPackageDescriptorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSolNetworkPackageDescriptorInput`) /// - /// - Returns: `GetSolNetworkPackageDescriptorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSolNetworkPackageDescriptorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1463,7 +1447,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSolNetworkPackageDescriptorOutput.httpOutput(from:), GetSolNetworkPackageDescriptorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1495,9 +1478,9 @@ extension TnbClient { /// /// Instantiates a network instance. A network instance is a single network created in Amazon Web Services TNB that can be deployed and on which life-cycle operations (like terminate, update, and delete) can be performed. Before you can instantiate a network instance, you have to create a network instance. For more information, see [CreateSolNetworkInstance](https://docs.aws.amazon.com/tnb/latest/APIReference/API_CreateSolNetworkInstance.html). /// - /// - Parameter InstantiateSolNetworkInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InstantiateSolNetworkInstanceInput`) /// - /// - Returns: `InstantiateSolNetworkInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InstantiateSolNetworkInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1537,7 +1520,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InstantiateSolNetworkInstanceOutput.httpOutput(from:), InstantiateSolNetworkInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1569,9 +1551,9 @@ extension TnbClient { /// /// Lists network function instances. A network function instance is a function in a function package . /// - /// - Parameter ListSolFunctionInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSolFunctionInstancesInput`) /// - /// - Returns: `ListSolFunctionInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSolFunctionInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1606,7 +1588,6 @@ extension TnbClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSolFunctionInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSolFunctionInstancesOutput.httpOutput(from:), ListSolFunctionInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1638,9 +1619,9 @@ extension TnbClient { /// /// Lists information about function packages. A function package is a .zip file in CSAR (Cloud Service Archive) format that contains a network function (an ETSI standard telecommunication application) and function package descriptor that uses the TOSCA standard to describe how the network functions should run on your network. /// - /// - Parameter ListSolFunctionPackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSolFunctionPackagesInput`) /// - /// - Returns: `ListSolFunctionPackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSolFunctionPackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1675,7 +1656,6 @@ extension TnbClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSolFunctionPackagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSolFunctionPackagesOutput.httpOutput(from:), ListSolFunctionPackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1707,9 +1687,9 @@ extension TnbClient { /// /// Lists your network instances. A network instance is a single network created in Amazon Web Services TNB that can be deployed and on which life-cycle operations (like terminate, update, and delete) can be performed. /// - /// - Parameter ListSolNetworkInstancesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSolNetworkInstancesInput`) /// - /// - Returns: `ListSolNetworkInstancesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSolNetworkInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1744,7 +1724,6 @@ extension TnbClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSolNetworkInstancesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSolNetworkInstancesOutput.httpOutput(from:), ListSolNetworkInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1776,9 +1755,9 @@ extension TnbClient { /// /// Lists details for a network operation, including when the operation started and the status of the operation. A network operation is any operation that is done to your network, such as network instance instantiation or termination. /// - /// - Parameter ListSolNetworkOperationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSolNetworkOperationsInput`) /// - /// - Returns: `ListSolNetworkOperationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSolNetworkOperationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1813,7 +1792,6 @@ extension TnbClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSolNetworkOperationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSolNetworkOperationsOutput.httpOutput(from:), ListSolNetworkOperationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1845,9 +1823,9 @@ extension TnbClient { /// /// Lists network packages. A network package is a .zip file in CSAR (Cloud Service Archive) format defines the function packages you want to deploy and the Amazon Web Services infrastructure you want to deploy them on. /// - /// - Parameter ListSolNetworkPackagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSolNetworkPackagesInput`) /// - /// - Returns: `ListSolNetworkPackagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSolNetworkPackagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1882,7 +1860,6 @@ extension TnbClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSolNetworkPackagesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSolNetworkPackagesOutput.httpOutput(from:), ListSolNetworkPackagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1914,9 +1891,9 @@ extension TnbClient { /// /// Lists tags for AWS TNB resources. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1951,7 +1928,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1983,9 +1959,9 @@ extension TnbClient { /// /// Uploads the contents of a function package. A function package is a .zip file in CSAR (Cloud Service Archive) format that contains a network function (an ETSI standard telecommunication application) and function package descriptor that uses the TOSCA standard to describe how the network functions should run on your network. /// - /// - Parameter PutSolFunctionPackageContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSolFunctionPackageContentInput`) /// - /// - Returns: `PutSolFunctionPackageContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSolFunctionPackageContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2024,7 +2000,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSolFunctionPackageContentOutput.httpOutput(from:), PutSolFunctionPackageContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2056,9 +2031,9 @@ extension TnbClient { /// /// Uploads the contents of a network package. A network package is a .zip file in CSAR (Cloud Service Archive) format defines the function packages you want to deploy and the Amazon Web Services infrastructure you want to deploy them on. /// - /// - Parameter PutSolNetworkPackageContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSolNetworkPackageContentInput`) /// - /// - Returns: `PutSolNetworkPackageContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSolNetworkPackageContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2097,7 +2072,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSolNetworkPackageContentOutput.httpOutput(from:), PutSolNetworkPackageContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2129,9 +2103,9 @@ extension TnbClient { /// /// Tags an AWS TNB resource. A tag is a label that you assign to an Amazon Web Services resource. Each tag consists of a key and an optional value. You can use tags to search and filter your resources or track your Amazon Web Services costs. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2169,7 +2143,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2201,9 +2174,9 @@ extension TnbClient { /// /// Terminates a network instance. A network instance is a single network created in Amazon Web Services TNB that can be deployed and on which life-cycle operations (like terminate, update, and delete) can be performed. You must terminate a network instance before you can delete it. /// - /// - Parameter TerminateSolNetworkInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateSolNetworkInstanceInput`) /// - /// - Returns: `TerminateSolNetworkInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateSolNetworkInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2242,7 +2215,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateSolNetworkInstanceOutput.httpOutput(from:), TerminateSolNetworkInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2274,9 +2246,9 @@ extension TnbClient { /// /// Untags an AWS TNB resource. A tag is a label that you assign to an Amazon Web Services resource. Each tag consists of a key and an optional value. You can use tags to search and filter your resources or track your Amazon Web Services costs. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2312,7 +2284,6 @@ extension TnbClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2344,9 +2315,9 @@ extension TnbClient { /// /// Updates the operational state of function package. A function package is a .zip file in CSAR (Cloud Service Archive) format that contains a network function (an ETSI standard telecommunication application) and function package descriptor that uses the TOSCA standard to describe how the network functions should run on your network. /// - /// - Parameter UpdateSolFunctionPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSolFunctionPackageInput`) /// - /// - Returns: `UpdateSolFunctionPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSolFunctionPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2384,7 +2355,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSolFunctionPackageOutput.httpOutput(from:), UpdateSolFunctionPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2416,9 +2386,9 @@ extension TnbClient { /// /// Update a network instance. A network instance is a single network created in Amazon Web Services TNB that can be deployed and on which life-cycle operations (like terminate, update, and delete) can be performed. Choose the updateType parameter to target the necessary update of the network instance. /// - /// - Parameter UpdateSolNetworkInstanceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSolNetworkInstanceInput`) /// - /// - Returns: `UpdateSolNetworkInstanceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSolNetworkInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2457,7 +2427,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSolNetworkInstanceOutput.httpOutput(from:), UpdateSolNetworkInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2489,9 +2458,9 @@ extension TnbClient { /// /// Updates the operational state of a network package. A network package is a .zip file in CSAR (Cloud Service Archive) format defines the function packages you want to deploy and the Amazon Web Services infrastructure you want to deploy them on. A network service descriptor is a .yaml file in a network package that uses the TOSCA standard to describe the network functions you want to deploy and the Amazon Web Services infrastructure you want to deploy the network functions on. /// - /// - Parameter UpdateSolNetworkPackageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSolNetworkPackageInput`) /// - /// - Returns: `UpdateSolNetworkPackageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSolNetworkPackageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2529,7 +2498,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSolNetworkPackageOutput.httpOutput(from:), UpdateSolNetworkPackageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2561,9 +2529,9 @@ extension TnbClient { /// /// Validates function package content. This can be used as a dry run before uploading function package content with [PutSolFunctionPackageContent](https://docs.aws.amazon.com/tnb/latest/APIReference/API_PutSolFunctionPackageContent.html). A function package is a .zip file in CSAR (Cloud Service Archive) format that contains a network function (an ETSI standard telecommunication application) and function package descriptor that uses the TOSCA standard to describe how the network functions should run on your network. /// - /// - Parameter ValidateSolFunctionPackageContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidateSolFunctionPackageContentInput`) /// - /// - Returns: `ValidateSolFunctionPackageContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidateSolFunctionPackageContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2602,7 +2570,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateSolFunctionPackageContentOutput.httpOutput(from:), ValidateSolFunctionPackageContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2634,9 +2601,9 @@ extension TnbClient { /// /// Validates network package content. This can be used as a dry run before uploading network package content with [PutSolNetworkPackageContent](https://docs.aws.amazon.com/tnb/latest/APIReference/API_PutSolNetworkPackageContent.html). A network package is a .zip file in CSAR (Cloud Service Archive) format defines the function packages you want to deploy and the Amazon Web Services infrastructure you want to deploy them on. /// - /// - Parameter ValidateSolNetworkPackageContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ValidateSolNetworkPackageContentInput`) /// - /// - Returns: `ValidateSolNetworkPackageContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ValidateSolNetworkPackageContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2675,7 +2642,6 @@ extension TnbClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ValidateSolNetworkPackageContentOutput.httpOutput(from:), ValidateSolNetworkPackageContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTranscribe/Sources/AWSTranscribe/TranscribeClient.swift b/Sources/Services/AWSTranscribe/Sources/AWSTranscribe/TranscribeClient.swift index 7425b09ae72..871a3a4b3f7 100644 --- a/Sources/Services/AWSTranscribe/Sources/AWSTranscribe/TranscribeClient.swift +++ b/Sources/Services/AWSTranscribe/Sources/AWSTranscribe/TranscribeClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TranscribeClient: ClientRuntime.Client { public static let clientName = "TranscribeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TranscribeClient.TranscribeClientConfiguration let serviceName = "Transcribe" @@ -375,9 +374,9 @@ extension TranscribeClient { /// /// Creates a new Call Analytics category. All categories are automatically applied to your Call Analytics transcriptions. Note that in order to apply categories to your transcriptions, you must create them before submitting your transcription request, as categories cannot be applied retroactively. When creating a new category, you can use the InputType parameter to label the category as a POST_CALL or a REAL_TIME category. POST_CALL categories can only be applied to post-call transcriptions and REAL_TIME categories can only be applied to real-time transcriptions. If you do not include InputType, your category is created as a POST_CALL category by default. Call Analytics categories are composed of rules. For each category, you must create between 1 and 20 rules. Rules can include these parameters: , , , and . To update an existing category, see . To learn more about Call Analytics categories, see [Creating categories for post-call transcriptions](https://docs.aws.amazon.com/transcribe/latest/dg/tca-categories-batch.html) and [Creating categories for real-time transcriptions](https://docs.aws.amazon.com/transcribe/latest/dg/tca-categories-stream.html). /// - /// - Parameter CreateCallAnalyticsCategoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCallAnalyticsCategoryInput`) /// - /// - Returns: `CreateCallAnalyticsCategoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCallAnalyticsCategoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCallAnalyticsCategoryOutput.httpOutput(from:), CreateCallAnalyticsCategoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -455,9 +453,9 @@ extension TranscribeClient { /// /// * A unique name for your model /// - /// - Parameter CreateLanguageModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLanguageModelInput`) /// - /// - Returns: `CreateLanguageModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLanguageModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -492,7 +490,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLanguageModelOutput.httpOutput(from:), CreateLanguageModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -527,9 +524,9 @@ extension TranscribeClient { /// /// Creates a new custom medical vocabulary. Before creating a new custom medical vocabulary, you must first upload a text file that contains your vocabulary table into an Amazon S3 bucket. Note that this differs from , where you can include a list of terms within your request using the Phrases flag; CreateMedicalVocabulary does not support the Phrases flag and only accepts vocabularies in table format. Each language has a character set that contains all allowed characters for that specific language. If you use unsupported characters, your custom vocabulary request fails. Refer to [Character Sets for Custom Vocabularies](https://docs.aws.amazon.com/transcribe/latest/dg/charsets.html) to get the character set for your language. For more information, see [Custom vocabularies](https://docs.aws.amazon.com/transcribe/latest/dg/custom-vocabulary.html). /// - /// - Parameter CreateMedicalVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMedicalVocabularyInput`) /// - /// - Returns: `CreateMedicalVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMedicalVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -564,7 +561,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMedicalVocabularyOutput.httpOutput(from:), CreateMedicalVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -599,9 +595,9 @@ extension TranscribeClient { /// /// Creates a new custom vocabulary. When creating a new custom vocabulary, you can either upload a text file that contains your new entries, phrases, and terms into an Amazon S3 bucket and include the URI in your request. Or you can include a list of terms directly in your request using the Phrases flag. Each language has a character set that contains all allowed characters for that specific language. If you use unsupported characters, your custom vocabulary request fails. Refer to [Character Sets for Custom Vocabularies](https://docs.aws.amazon.com/transcribe/latest/dg/charsets.html) to get the character set for your language. For more information, see [Custom vocabularies](https://docs.aws.amazon.com/transcribe/latest/dg/custom-vocabulary.html). /// - /// - Parameter CreateVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVocabularyInput`) /// - /// - Returns: `CreateVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -636,7 +632,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVocabularyOutput.httpOutput(from:), CreateVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -671,9 +666,9 @@ extension TranscribeClient { /// /// Creates a new custom vocabulary filter. You can use custom vocabulary filters to mask, delete, or flag specific words from your transcript. Custom vocabulary filters are commonly used to mask profanity in transcripts. Each language has a character set that contains all allowed characters for that specific language. If you use unsupported characters, your custom vocabulary filter request fails. Refer to [Character Sets for Custom Vocabularies](https://docs.aws.amazon.com/transcribe/latest/dg/charsets.html) to get the character set for your language. For more information, see [Vocabulary filtering](https://docs.aws.amazon.com/transcribe/latest/dg/vocabulary-filtering.html). /// - /// - Parameter CreateVocabularyFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateVocabularyFilterInput`) /// - /// - Returns: `CreateVocabularyFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateVocabularyFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -708,7 +703,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVocabularyFilterOutput.httpOutput(from:), CreateVocabularyFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension TranscribeClient { /// /// Deletes a Call Analytics category. To use this operation, specify the name of the category you want to delete using CategoryName. Category names are case sensitive. /// - /// - Parameter DeleteCallAnalyticsCategoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCallAnalyticsCategoryInput`) /// - /// - Returns: `DeleteCallAnalyticsCategoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCallAnalyticsCategoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -780,7 +774,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCallAnalyticsCategoryOutput.httpOutput(from:), DeleteCallAnalyticsCategoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -815,9 +808,9 @@ extension TranscribeClient { /// /// Deletes a Call Analytics job. To use this operation, specify the name of the job you want to delete using CallAnalyticsJobName. Job names are case sensitive. /// - /// - Parameter DeleteCallAnalyticsJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCallAnalyticsJobInput`) /// - /// - Returns: `DeleteCallAnalyticsJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCallAnalyticsJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -851,7 +844,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCallAnalyticsJobOutput.httpOutput(from:), DeleteCallAnalyticsJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -886,9 +878,9 @@ extension TranscribeClient { /// /// Deletes a custom language model. To use this operation, specify the name of the language model you want to delete using ModelName. custom language model names are case sensitive. /// - /// - Parameter DeleteLanguageModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLanguageModelInput`) /// - /// - Returns: `DeleteLanguageModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLanguageModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -922,7 +914,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLanguageModelOutput.httpOutput(from:), DeleteLanguageModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension TranscribeClient { /// /// Deletes a Medical Scribe job. To use this operation, specify the name of the job you want to delete using MedicalScribeJobName. Job names are case sensitive. /// - /// - Parameter DeleteMedicalScribeJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMedicalScribeJobInput`) /// - /// - Returns: `DeleteMedicalScribeJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMedicalScribeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -993,7 +984,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMedicalScribeJobOutput.httpOutput(from:), DeleteMedicalScribeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1028,9 +1018,9 @@ extension TranscribeClient { /// /// Deletes a medical transcription job. To use this operation, specify the name of the job you want to delete using MedicalTranscriptionJobName. Job names are case sensitive. /// - /// - Parameter DeleteMedicalTranscriptionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMedicalTranscriptionJobInput`) /// - /// - Returns: `DeleteMedicalTranscriptionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMedicalTranscriptionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1064,7 +1054,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMedicalTranscriptionJobOutput.httpOutput(from:), DeleteMedicalTranscriptionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1099,9 +1088,9 @@ extension TranscribeClient { /// /// Deletes a custom medical vocabulary. To use this operation, specify the name of the custom vocabulary you want to delete using VocabularyName. Custom vocabulary names are case sensitive. /// - /// - Parameter DeleteMedicalVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMedicalVocabularyInput`) /// - /// - Returns: `DeleteMedicalVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMedicalVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1136,7 +1125,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMedicalVocabularyOutput.httpOutput(from:), DeleteMedicalVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1171,9 +1159,9 @@ extension TranscribeClient { /// /// Deletes a transcription job. To use this operation, specify the name of the job you want to delete using TranscriptionJobName. Job names are case sensitive. /// - /// - Parameter DeleteTranscriptionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTranscriptionJobInput`) /// - /// - Returns: `DeleteTranscriptionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTranscriptionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1207,7 +1195,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTranscriptionJobOutput.httpOutput(from:), DeleteTranscriptionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1242,9 +1229,9 @@ extension TranscribeClient { /// /// Deletes a custom vocabulary. To use this operation, specify the name of the custom vocabulary you want to delete using VocabularyName. Custom vocabulary names are case sensitive. /// - /// - Parameter DeleteVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVocabularyInput`) /// - /// - Returns: `DeleteVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1279,7 +1266,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVocabularyOutput.httpOutput(from:), DeleteVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1314,9 +1300,9 @@ extension TranscribeClient { /// /// Deletes a custom vocabulary filter. To use this operation, specify the name of the custom vocabulary filter you want to delete using VocabularyFilterName. Custom vocabulary filter names are case sensitive. /// - /// - Parameter DeleteVocabularyFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteVocabularyFilterInput`) /// - /// - Returns: `DeleteVocabularyFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteVocabularyFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1351,7 +1337,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVocabularyFilterOutput.httpOutput(from:), DeleteVocabularyFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1386,9 +1371,9 @@ extension TranscribeClient { /// /// Provides information about the specified custom language model. This operation also shows if the base language model that you used to create your custom language model has been updated. If Amazon Transcribe has updated the base model, you can create a new custom language model using the updated base model. If you tried to create a new custom language model and the request wasn't successful, you can use DescribeLanguageModel to help identify the reason for this failure. /// - /// - Parameter DescribeLanguageModelInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeLanguageModelInput`) /// - /// - Returns: `DescribeLanguageModelOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeLanguageModelOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1423,7 +1408,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeLanguageModelOutput.httpOutput(from:), DescribeLanguageModelOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1458,9 +1442,9 @@ extension TranscribeClient { /// /// Provides information about the specified Call Analytics category. To get a list of your Call Analytics categories, use the operation. /// - /// - Parameter GetCallAnalyticsCategoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCallAnalyticsCategoryInput`) /// - /// - Returns: `GetCallAnalyticsCategoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCallAnalyticsCategoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1495,7 +1479,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCallAnalyticsCategoryOutput.httpOutput(from:), GetCallAnalyticsCategoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1530,9 +1513,9 @@ extension TranscribeClient { /// /// Provides information about the specified Call Analytics job. To view the job's status, refer to CallAnalyticsJobStatus. If the status is COMPLETED, the job is finished. You can find your completed transcript at the URI specified in TranscriptFileUri. If the status is FAILED, FailureReason provides details on why your transcription job failed. If you enabled personally identifiable information (PII) redaction, the redacted transcript appears at the location specified in RedactedTranscriptFileUri. If you chose to redact the audio in your media file, you can find your redacted media file at the location specified in RedactedMediaFileUri. To get a list of your Call Analytics jobs, use the operation. /// - /// - Parameter GetCallAnalyticsJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCallAnalyticsJobInput`) /// - /// - Returns: `GetCallAnalyticsJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCallAnalyticsJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1567,7 +1550,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCallAnalyticsJobOutput.httpOutput(from:), GetCallAnalyticsJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1602,9 +1584,9 @@ extension TranscribeClient { /// /// Provides information about the specified Medical Scribe job. To view the status of the specified medical transcription job, check the MedicalScribeJobStatus field. If the status is COMPLETED, the job is finished. You can find the results at the location specified in MedicalScribeOutput. If the status is FAILED, FailureReason provides details on why your Medical Scribe job failed. To get a list of your Medical Scribe jobs, use the operation. /// - /// - Parameter GetMedicalScribeJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMedicalScribeJobInput`) /// - /// - Returns: `GetMedicalScribeJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMedicalScribeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1639,7 +1621,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMedicalScribeJobOutput.httpOutput(from:), GetMedicalScribeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1674,9 +1655,9 @@ extension TranscribeClient { /// /// Provides information about the specified medical transcription job. To view the status of the specified medical transcription job, check the TranscriptionJobStatus field. If the status is COMPLETED, the job is finished. You can find the results at the location specified in TranscriptFileUri. If the status is FAILED, FailureReason provides details on why your transcription job failed. To get a list of your medical transcription jobs, use the operation. /// - /// - Parameter GetMedicalTranscriptionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMedicalTranscriptionJobInput`) /// - /// - Returns: `GetMedicalTranscriptionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMedicalTranscriptionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1711,7 +1692,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMedicalTranscriptionJobOutput.httpOutput(from:), GetMedicalTranscriptionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1746,9 +1726,9 @@ extension TranscribeClient { /// /// Provides information about the specified custom medical vocabulary. To view the status of the specified custom medical vocabulary, check the VocabularyState field. If the status is READY, your custom vocabulary is available to use. If the status is FAILED, FailureReason provides details on why your vocabulary failed. To get a list of your custom medical vocabularies, use the operation. /// - /// - Parameter GetMedicalVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMedicalVocabularyInput`) /// - /// - Returns: `GetMedicalVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMedicalVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1783,7 +1763,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMedicalVocabularyOutput.httpOutput(from:), GetMedicalVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1818,9 +1797,9 @@ extension TranscribeClient { /// /// Provides information about the specified transcription job. To view the status of the specified transcription job, check the TranscriptionJobStatus field. If the status is COMPLETED, the job is finished. You can find the results at the location specified in TranscriptFileUri. If the status is FAILED, FailureReason provides details on why your transcription job failed. If you enabled content redaction, the redacted transcript can be found at the location specified in RedactedTranscriptFileUri. To get a list of your transcription jobs, use the operation. /// - /// - Parameter GetTranscriptionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTranscriptionJobInput`) /// - /// - Returns: `GetTranscriptionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTranscriptionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1855,7 +1834,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTranscriptionJobOutput.httpOutput(from:), GetTranscriptionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1890,9 +1868,9 @@ extension TranscribeClient { /// /// Provides information about the specified custom vocabulary. To view the status of the specified custom vocabulary, check the VocabularyState field. If the status is READY, your custom vocabulary is available to use. If the status is FAILED, FailureReason provides details on why your custom vocabulary failed. To get a list of your custom vocabularies, use the operation. /// - /// - Parameter GetVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVocabularyInput`) /// - /// - Returns: `GetVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1927,7 +1905,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVocabularyOutput.httpOutput(from:), GetVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1962,9 +1939,9 @@ extension TranscribeClient { /// /// Provides information about the specified custom vocabulary filter. To get a list of your custom vocabulary filters, use the operation. /// - /// - Parameter GetVocabularyFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetVocabularyFilterInput`) /// - /// - Returns: `GetVocabularyFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetVocabularyFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1999,7 +1976,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetVocabularyFilterOutput.httpOutput(from:), GetVocabularyFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2034,9 +2010,9 @@ extension TranscribeClient { /// /// Provides a list of Call Analytics categories, including all rules that make up each category. To get detailed information about a specific Call Analytics category, use the operation. /// - /// - Parameter ListCallAnalyticsCategoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCallAnalyticsCategoriesInput`) /// - /// - Returns: `ListCallAnalyticsCategoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCallAnalyticsCategoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2071,7 +2047,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCallAnalyticsCategoriesOutput.httpOutput(from:), ListCallAnalyticsCategoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2106,9 +2081,9 @@ extension TranscribeClient { /// /// Provides a list of Call Analytics jobs that match the specified criteria. If no criteria are specified, all Call Analytics jobs are returned. To get detailed information about a specific Call Analytics job, use the operation. /// - /// - Parameter ListCallAnalyticsJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCallAnalyticsJobsInput`) /// - /// - Returns: `ListCallAnalyticsJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCallAnalyticsJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2143,7 +2118,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCallAnalyticsJobsOutput.httpOutput(from:), ListCallAnalyticsJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2178,9 +2152,9 @@ extension TranscribeClient { /// /// Provides a list of custom language models that match the specified criteria. If no criteria are specified, all custom language models are returned. To get detailed information about a specific custom language model, use the operation. /// - /// - Parameter ListLanguageModelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLanguageModelsInput`) /// - /// - Returns: `ListLanguageModelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLanguageModelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2215,7 +2189,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLanguageModelsOutput.httpOutput(from:), ListLanguageModelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2250,9 +2223,9 @@ extension TranscribeClient { /// /// Provides a list of Medical Scribe jobs that match the specified criteria. If no criteria are specified, all Medical Scribe jobs are returned. To get detailed information about a specific Medical Scribe job, use the operation. /// - /// - Parameter ListMedicalScribeJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMedicalScribeJobsInput`) /// - /// - Returns: `ListMedicalScribeJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMedicalScribeJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2287,7 +2260,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMedicalScribeJobsOutput.httpOutput(from:), ListMedicalScribeJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2322,9 +2294,9 @@ extension TranscribeClient { /// /// Provides a list of medical transcription jobs that match the specified criteria. If no criteria are specified, all medical transcription jobs are returned. To get detailed information about a specific medical transcription job, use the operation. /// - /// - Parameter ListMedicalTranscriptionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMedicalTranscriptionJobsInput`) /// - /// - Returns: `ListMedicalTranscriptionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMedicalTranscriptionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2359,7 +2331,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMedicalTranscriptionJobsOutput.httpOutput(from:), ListMedicalTranscriptionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2394,9 +2365,9 @@ extension TranscribeClient { /// /// Provides a list of custom medical vocabularies that match the specified criteria. If no criteria are specified, all custom medical vocabularies are returned. To get detailed information about a specific custom medical vocabulary, use the operation. /// - /// - Parameter ListMedicalVocabulariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMedicalVocabulariesInput`) /// - /// - Returns: `ListMedicalVocabulariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMedicalVocabulariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2431,7 +2402,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMedicalVocabulariesOutput.httpOutput(from:), ListMedicalVocabulariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2466,9 +2436,9 @@ extension TranscribeClient { /// /// Lists all tags associated with the specified transcription job, vocabulary, model, or resource. To learn more about using tags with Amazon Transcribe, refer to [Tagging resources](https://docs.aws.amazon.com/transcribe/latest/dg/tagging.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2503,7 +2473,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2538,9 +2507,9 @@ extension TranscribeClient { /// /// Provides a list of transcription jobs that match the specified criteria. If no criteria are specified, all transcription jobs are returned. To get detailed information about a specific transcription job, use the operation. /// - /// - Parameter ListTranscriptionJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTranscriptionJobsInput`) /// - /// - Returns: `ListTranscriptionJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTranscriptionJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2575,7 +2544,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTranscriptionJobsOutput.httpOutput(from:), ListTranscriptionJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2610,9 +2578,9 @@ extension TranscribeClient { /// /// Provides a list of custom vocabularies that match the specified criteria. If no criteria are specified, all custom vocabularies are returned. To get detailed information about a specific custom vocabulary, use the operation. /// - /// - Parameter ListVocabulariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVocabulariesInput`) /// - /// - Returns: `ListVocabulariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVocabulariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2647,7 +2615,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVocabulariesOutput.httpOutput(from:), ListVocabulariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2682,9 +2649,9 @@ extension TranscribeClient { /// /// Provides a list of custom vocabulary filters that match the specified criteria. If no criteria are specified, all custom vocabularies are returned. To get detailed information about a specific custom vocabulary filter, use the operation. /// - /// - Parameter ListVocabularyFiltersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListVocabularyFiltersInput`) /// - /// - Returns: `ListVocabularyFiltersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListVocabularyFiltersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2719,7 +2686,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListVocabularyFiltersOutput.httpOutput(from:), ListVocabularyFiltersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2763,9 +2729,9 @@ extension TranscribeClient { /// /// With Call Analytics, you can redact the audio contained in your media file by including RedactedMediaFileUri, instead of MediaFileUri, to specify the location of your input audio. If you choose to redact your audio, you can find your redacted media at the location specified in the RedactedMediaFileUri field of your response. /// - /// - Parameter StartCallAnalyticsJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCallAnalyticsJobInput`) /// - /// - Returns: `StartCallAnalyticsJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCallAnalyticsJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2800,7 +2766,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCallAnalyticsJobOutput.httpOutput(from:), StartCallAnalyticsJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2847,9 +2812,9 @@ extension TranscribeClient { /// /// * ChannelDefinitions: A MedicalScribeChannelDefinitions array should be set if and only if the ChannelIdentification value of Settings is set to true. /// - /// - Parameter StartMedicalScribeJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMedicalScribeJobInput`) /// - /// - Returns: `StartMedicalScribeJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMedicalScribeJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2884,7 +2849,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMedicalScribeJobOutput.httpOutput(from:), StartMedicalScribeJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2933,9 +2897,9 @@ extension TranscribeClient { /// /// * Type: Choose whether your audio is a conversation or a dictation. /// - /// - Parameter StartMedicalTranscriptionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMedicalTranscriptionJobInput`) /// - /// - Returns: `StartMedicalTranscriptionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMedicalTranscriptionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2970,7 +2934,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMedicalTranscriptionJobOutput.httpOutput(from:), StartMedicalTranscriptionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3013,9 +2976,9 @@ extension TranscribeClient { /// /// * One of LanguageCode, IdentifyLanguage, or IdentifyMultipleLanguages: If you know the language of your media file, specify it using the LanguageCode parameter; you can find all valid language codes in the [Supported languages](https://docs.aws.amazon.com/transcribe/latest/dg/supported-languages.html) table. If you do not know the languages spoken in your media, use either IdentifyLanguage or IdentifyMultipleLanguages and let Amazon Transcribe identify the languages for you. /// - /// - Parameter StartTranscriptionJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTranscriptionJobInput`) /// - /// - Returns: `StartTranscriptionJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTranscriptionJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3050,7 +3013,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTranscriptionJobOutput.httpOutput(from:), StartTranscriptionJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3085,9 +3047,9 @@ extension TranscribeClient { /// /// Adds one or more custom tags, each in the form of a key:value pair, to the specified resource. To learn more about using tags with Amazon Transcribe, refer to [Tagging resources](https://docs.aws.amazon.com/transcribe/latest/dg/tagging.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3123,7 +3085,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3158,9 +3119,9 @@ extension TranscribeClient { /// /// Removes the specified tags from the specified Amazon Transcribe resource. If you include UntagResource in your request, you must also include ResourceArn and TagKeys. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3196,7 +3157,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3231,9 +3191,9 @@ extension TranscribeClient { /// /// Updates the specified Call Analytics category with new rules. Note that the UpdateCallAnalyticsCategory operation overwrites all existing rules contained in the specified category. You cannot append additional rules onto an existing category. To create a new category, see . /// - /// - Parameter UpdateCallAnalyticsCategoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCallAnalyticsCategoryInput`) /// - /// - Returns: `UpdateCallAnalyticsCategoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCallAnalyticsCategoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3269,7 +3229,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCallAnalyticsCategoryOutput.httpOutput(from:), UpdateCallAnalyticsCategoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3304,9 +3263,9 @@ extension TranscribeClient { /// /// Updates an existing custom medical vocabulary with new values. This operation overwrites all existing information with your new values; you cannot append new terms onto an existing custom vocabulary. /// - /// - Parameter UpdateMedicalVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMedicalVocabularyInput`) /// - /// - Returns: `UpdateMedicalVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMedicalVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3342,7 +3301,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMedicalVocabularyOutput.httpOutput(from:), UpdateMedicalVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3377,9 +3335,9 @@ extension TranscribeClient { /// /// Updates an existing custom vocabulary with new values. This operation overwrites all existing information with your new values; you cannot append new terms onto an existing custom vocabulary. /// - /// - Parameter UpdateVocabularyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVocabularyInput`) /// - /// - Returns: `UpdateVocabularyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVocabularyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3415,7 +3373,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVocabularyOutput.httpOutput(from:), UpdateVocabularyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3450,9 +3407,9 @@ extension TranscribeClient { /// /// Updates an existing custom vocabulary filter with a new list of words. The new list you provide overwrites all previous entries; you cannot append new terms onto an existing custom vocabulary filter. /// - /// - Parameter UpdateVocabularyFilterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateVocabularyFilterInput`) /// - /// - Returns: `UpdateVocabularyFilterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateVocabularyFilterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3487,7 +3444,6 @@ extension TranscribeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateVocabularyFilterOutput.httpOutput(from:), UpdateVocabularyFilterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTranscribeStreaming/Sources/AWSTranscribeStreaming/TranscribeStreamingClient.swift b/Sources/Services/AWSTranscribeStreaming/Sources/AWSTranscribeStreaming/TranscribeStreamingClient.swift index dc45b1a0296..08dbea83c36 100644 --- a/Sources/Services/AWSTranscribeStreaming/Sources/AWSTranscribeStreaming/TranscribeStreamingClient.swift +++ b/Sources/Services/AWSTranscribeStreaming/Sources/AWSTranscribeStreaming/TranscribeStreamingClient.swift @@ -21,7 +21,6 @@ import class Smithy.Context import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -66,7 +65,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TranscribeStreamingClient: ClientRuntime.Client { public static let clientName = "TranscribeStreamingClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TranscribeStreamingClient.TranscribeStreamingClientConfiguration let serviceName = "Transcribe Streaming" @@ -372,9 +371,9 @@ extension TranscribeStreamingClient { /// /// Provides details about the specified Amazon Web Services HealthScribe streaming session. To view the status of the streaming session, check the StreamStatus field in the response. To get the details of post-stream analytics, including its status, check the PostStreamAnalyticsResult field in the response. /// - /// - Parameter GetMedicalScribeStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMedicalScribeStreamInput`) /// - /// - Returns: `GetMedicalScribeStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMedicalScribeStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -408,7 +407,6 @@ extension TranscribeStreamingClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMedicalScribeStreamOutput.httpOutput(from:), GetMedicalScribeStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension TranscribeStreamingClient { /// /// For more information on streaming with Amazon Transcribe, see [Transcribing streaming audio](https://docs.aws.amazon.com/transcribe/latest/dg/streaming.html). /// - /// - Parameter StartCallAnalyticsStreamTranscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartCallAnalyticsStreamTranscriptionInput`) /// - /// - Returns: `StartCallAnalyticsStreamTranscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartCallAnalyticsStreamTranscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -491,7 +489,6 @@ extension TranscribeStreamingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartCallAnalyticsStreamTranscriptionOutput.httpOutput(from:), StartCallAnalyticsStreamTranscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -532,9 +529,9 @@ extension TranscribeStreamingClient { /// /// For more information on streaming with Amazon Web Services HealthScribe, see [Amazon Web Services HealthScribe](https://docs.aws.amazon.com/transcribe/latest/dg/health-scribe-streaming.html). /// - /// - Parameter StartMedicalScribeStreamInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMedicalScribeStreamInput`) /// - /// - Returns: `StartMedicalScribeStreamOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMedicalScribeStreamOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -574,7 +571,6 @@ extension TranscribeStreamingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMedicalScribeStreamOutput.httpOutput(from:), StartMedicalScribeStreamOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -615,9 +611,9 @@ extension TranscribeStreamingClient { /// /// For more information on streaming with Amazon Transcribe Medical, see [Transcribing streaming audio](https://docs.aws.amazon.com/transcribe/latest/dg/streaming.html). /// - /// - Parameter StartMedicalStreamTranscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMedicalStreamTranscriptionInput`) /// - /// - Returns: `StartMedicalStreamTranscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMedicalStreamTranscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -657,7 +653,6 @@ extension TranscribeStreamingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMedicalStreamTranscriptionOutput.httpOutput(from:), StartMedicalStreamTranscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -698,9 +693,9 @@ extension TranscribeStreamingClient { /// /// For more information on streaming with Amazon Transcribe, see [Transcribing streaming audio](https://docs.aws.amazon.com/transcribe/latest/dg/streaming.html). /// - /// - Parameter StartStreamTranscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartStreamTranscriptionInput`) /// - /// - Returns: `StartStreamTranscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartStreamTranscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -740,7 +735,6 @@ extension TranscribeStreamingClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartStreamTranscriptionOutput.httpOutput(from:), StartStreamTranscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTransfer/Sources/AWSTransfer/TransferClient.swift b/Sources/Services/AWSTransfer/Sources/AWSTransfer/TransferClient.swift index d47ad07abf2..e653085ea15 100644 --- a/Sources/Services/AWSTransfer/Sources/AWSTransfer/TransferClient.swift +++ b/Sources/Services/AWSTransfer/Sources/AWSTransfer/TransferClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TransferClient: ClientRuntime.Client { public static let clientName = "TransferClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TransferClient.TransferClientConfiguration let serviceName = "Transfer" @@ -374,9 +373,9 @@ extension TransferClient { /// /// Used by administrators to choose which groups in the directory should have access to upload and download files over the enabled protocols using Transfer Family. For example, a Microsoft Active Directory might contain 50,000 users, but only a small fraction might need the ability to transfer files to the server. An administrator can use CreateAccess to limit the access to the correct set of users who need this ability. /// - /// - Parameter CreateAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessInput`) /// - /// - Returns: `CreateAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessOutput.httpOutput(from:), CreateAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension TransferClient { /// /// Creates an agreement. An agreement is a bilateral trading partner agreement, or partnership, between an Transfer Family server and an AS2 process. The agreement defines the file and message transfer relationship between the server and the AS2 process. To define an agreement, Transfer Family combines a server, local profile, partner profile, certificate, and other attributes. The partner is identified with the PartnerProfileId, and the AS2 process is identified with the LocalProfileId. Specify either BaseDirectory or CustomDirectories, but not both. Specifying both causes the command to fail. /// - /// - Parameter CreateAgreementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAgreementInput`) /// - /// - Returns: `CreateAgreementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAgreementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAgreementOutput.httpOutput(from:), CreateAgreementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension TransferClient { /// /// Creates the connector, which captures the parameters for a connection for the AS2 or SFTP protocol. For AS2, the connector is required for sending files to an externally hosted AS2 server. For SFTP, the connector is required when sending files to an SFTP server or receiving files from an SFTP server. For more details about connectors, see [Configure AS2 connectors](https://docs.aws.amazon.com/transfer/latest/userguide/configure-as2-connector.html) and [Create SFTP connectors](https://docs.aws.amazon.com/transfer/latest/userguide/configure-sftp-connector.html). You must specify exactly one configuration object: either for AS2 (As2Config) or SFTP (SftpConfig). /// - /// - Parameter CreateConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectorInput`) /// - /// - Returns: `CreateConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectorOutput.httpOutput(from:), CreateConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension TransferClient { /// /// Creates the local or partner profile to use for AS2 transfers. /// - /// - Parameter CreateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProfileInput`) /// - /// - Returns: `CreateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -633,7 +629,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProfileOutput.httpOutput(from:), CreateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -668,9 +663,9 @@ extension TransferClient { /// /// Instantiates an auto-scaling virtual server based on the selected file transfer protocol in Amazon Web Services. When you make updates to your file transfer protocol-enabled server or when you work with users, use the service-generated ServerId property that is assigned to the newly created server. /// - /// - Parameter CreateServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServerInput`) /// - /// - Returns: `CreateServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -708,7 +703,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServerOutput.httpOutput(from:), CreateServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -743,9 +737,9 @@ extension TransferClient { /// /// Creates a user and associates them with an existing file transfer protocol-enabled server. You can only create and associate users with servers that have the IdentityProviderType set to SERVICE_MANAGED. Using parameters for CreateUser, you can specify the user name, set the home directory, store the user's public key, and assign the user's Identity and Access Management (IAM) role. You can also optionally add a session policy, and assign metadata with tags that can be used to group and search for users. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -781,7 +775,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -816,9 +809,9 @@ extension TransferClient { /// /// Creates a web app based on specified parameters, and returns the ID for the new web app. /// - /// - Parameter CreateWebAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWebAppInput`) /// - /// - Returns: `CreateWebAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWebAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -854,7 +847,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWebAppOutput.httpOutput(from:), CreateWebAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -889,9 +881,9 @@ extension TransferClient { /// /// Allows you to create a workflow with specified steps and step details the workflow invokes after file transfer completes. After creating a workflow, you can associate the workflow created with any transfer servers by specifying the workflow-details field in CreateServer and UpdateServer operations. /// - /// - Parameter CreateWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkflowInput`) /// - /// - Returns: `CreateWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -928,7 +920,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkflowOutput.httpOutput(from:), CreateWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -963,9 +954,9 @@ extension TransferClient { /// /// Allows you to delete the access specified in the ServerID and ExternalID parameters. /// - /// - Parameter DeleteAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessInput`) /// - /// - Returns: `DeleteAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1000,7 +991,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessOutput.httpOutput(from:), DeleteAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1035,9 +1025,9 @@ extension TransferClient { /// /// Delete the agreement that's specified in the provided AgreementId. /// - /// - Parameter DeleteAgreementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAgreementInput`) /// - /// - Returns: `DeleteAgreementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAgreementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1072,7 +1062,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAgreementOutput.httpOutput(from:), DeleteAgreementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1107,9 +1096,9 @@ extension TransferClient { /// /// Deletes the certificate that's specified in the CertificateId parameter. /// - /// - Parameter DeleteCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCertificateInput`) /// - /// - Returns: `DeleteCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1144,7 +1133,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCertificateOutput.httpOutput(from:), DeleteCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1179,9 +1167,9 @@ extension TransferClient { /// /// Deletes the connector that's specified in the provided ConnectorId. /// - /// - Parameter DeleteConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectorInput`) /// - /// - Returns: `DeleteConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1216,7 +1204,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectorOutput.httpOutput(from:), DeleteConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1251,9 +1238,9 @@ extension TransferClient { /// /// Deletes the host key that's specified in the HostKeyId parameter. /// - /// - Parameter DeleteHostKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteHostKeyInput`) /// - /// - Returns: `DeleteHostKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteHostKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1289,7 +1276,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteHostKeyOutput.httpOutput(from:), DeleteHostKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1324,9 +1310,9 @@ extension TransferClient { /// /// Deletes the profile that's specified in the ProfileId parameter. /// - /// - Parameter DeleteProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProfileInput`) /// - /// - Returns: `DeleteProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1361,7 +1347,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfileOutput.httpOutput(from:), DeleteProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1396,9 +1381,9 @@ extension TransferClient { /// /// Deletes the file transfer protocol-enabled server that you specify. No response returns from this operation. /// - /// - Parameter DeleteServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServerInput`) /// - /// - Returns: `DeleteServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1434,7 +1419,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServerOutput.httpOutput(from:), DeleteServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1469,9 +1453,9 @@ extension TransferClient { /// /// Deletes a user's Secure Shell (SSH) public key. /// - /// - Parameter DeleteSshPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSshPublicKeyInput`) /// - /// - Returns: `DeleteSshPublicKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSshPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1507,7 +1491,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSshPublicKeyOutput.httpOutput(from:), DeleteSshPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1542,9 +1525,9 @@ extension TransferClient { /// /// Deletes the user belonging to a file transfer protocol-enabled server you specify. No response returns from this operation. When you delete a user from a server, the user's information is lost. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1579,7 +1562,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1614,9 +1596,9 @@ extension TransferClient { /// /// Deletes the specified web app. /// - /// - Parameter DeleteWebAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWebAppInput`) /// - /// - Returns: `DeleteWebAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWebAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1652,7 +1634,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWebAppOutput.httpOutput(from:), DeleteWebAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1687,9 +1668,9 @@ extension TransferClient { /// /// Deletes the WebAppCustomization object that corresponds to the web app ID specified. /// - /// - Parameter DeleteWebAppCustomizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWebAppCustomizationInput`) /// - /// - Returns: `DeleteWebAppCustomizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWebAppCustomizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1726,7 +1707,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWebAppCustomizationOutput.httpOutput(from:), DeleteWebAppCustomizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1761,9 +1741,9 @@ extension TransferClient { /// /// Deletes the specified workflow. /// - /// - Parameter DeleteWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkflowInput`) /// - /// - Returns: `DeleteWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1799,7 +1779,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkflowOutput.httpOutput(from:), DeleteWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1834,9 +1813,9 @@ extension TransferClient { /// /// Describes the access that is assigned to the specific file transfer protocol-enabled server, as identified by its ServerId property and its ExternalId. The response from this call returns the properties of the access that is associated with the ServerId value that was specified. /// - /// - Parameter DescribeAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccessInput`) /// - /// - Returns: `DescribeAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1871,7 +1850,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccessOutput.httpOutput(from:), DescribeAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1906,9 +1884,9 @@ extension TransferClient { /// /// Describes the agreement that's identified by the AgreementId. /// - /// - Parameter DescribeAgreementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAgreementInput`) /// - /// - Returns: `DescribeAgreementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAgreementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1943,7 +1921,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAgreementOutput.httpOutput(from:), DescribeAgreementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1978,9 +1955,9 @@ extension TransferClient { /// /// Describes the certificate that's identified by the CertificateId. Transfer Family automatically publishes a Amazon CloudWatch metric called DaysUntilExpiry for imported certificates. This metric tracks the number of days until the certificate expires based on the InactiveDate. The metric is available in the AWS/Transfer namespace and includes the CertificateId as a dimension. /// - /// - Parameter DescribeCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCertificateInput`) /// - /// - Returns: `DescribeCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2015,7 +1992,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCertificateOutput.httpOutput(from:), DescribeCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2050,9 +2026,9 @@ extension TransferClient { /// /// Describes the connector that's identified by the ConnectorId. /// - /// - Parameter DescribeConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectorInput`) /// - /// - Returns: `DescribeConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2087,7 +2063,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectorOutput.httpOutput(from:), DescribeConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2122,9 +2097,9 @@ extension TransferClient { /// /// You can use DescribeExecution to check the details of the execution of the specified workflow. This API call only returns details for in-progress workflows. If you provide an ID for an execution that is not in progress, or if the execution doesn't match the specified workflow ID, you receive a ResourceNotFound exception. /// - /// - Parameter DescribeExecutionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeExecutionInput`) /// - /// - Returns: `DescribeExecutionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeExecutionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2159,7 +2134,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeExecutionOutput.httpOutput(from:), DescribeExecutionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2194,9 +2168,9 @@ extension TransferClient { /// /// Returns the details of the host key that's specified by the HostKeyId and ServerId. /// - /// - Parameter DescribeHostKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeHostKeyInput`) /// - /// - Returns: `DescribeHostKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeHostKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2231,7 +2205,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeHostKeyOutput.httpOutput(from:), DescribeHostKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2266,9 +2239,9 @@ extension TransferClient { /// /// Returns the details of the profile that's specified by the ProfileId. /// - /// - Parameter DescribeProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeProfileInput`) /// - /// - Returns: `DescribeProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2303,7 +2276,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeProfileOutput.httpOutput(from:), DescribeProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2338,9 +2310,9 @@ extension TransferClient { /// /// Describes the security policy that is attached to your server or SFTP connector. The response contains a description of the security policy's properties. For more information about security policies, see [Working with security policies for servers](https://docs.aws.amazon.com/transfer/latest/userguide/security-policies.html) or [Working with security policies for SFTP connectors](https://docs.aws.amazon.com/transfer/latest/userguide/security-policies-connectors.html). /// - /// - Parameter DescribeSecurityPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSecurityPolicyInput`) /// - /// - Returns: `DescribeSecurityPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSecurityPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2375,7 +2347,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSecurityPolicyOutput.httpOutput(from:), DescribeSecurityPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2410,9 +2381,9 @@ extension TransferClient { /// /// Describes a file transfer protocol-enabled server that you specify by passing the ServerId parameter. The response contains a description of a server's properties. When you set EndpointType to VPC, the response will contain the EndpointDetails. /// - /// - Parameter DescribeServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeServerInput`) /// - /// - Returns: `DescribeServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2447,7 +2418,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeServerOutput.httpOutput(from:), DescribeServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2482,9 +2452,9 @@ extension TransferClient { /// /// Describes the user assigned to the specific file transfer protocol-enabled server, as identified by its ServerId property. The response from this call returns the properties of the user associated with the ServerId value that was specified. /// - /// - Parameter DescribeUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserInput`) /// - /// - Returns: `DescribeUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2519,7 +2489,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserOutput.httpOutput(from:), DescribeUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2554,9 +2523,9 @@ extension TransferClient { /// /// Describes the web app that's identified by WebAppId. /// - /// - Parameter DescribeWebAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWebAppInput`) /// - /// - Returns: `DescribeWebAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWebAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2592,7 +2561,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWebAppOutput.httpOutput(from:), DescribeWebAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2627,9 +2595,9 @@ extension TransferClient { /// /// Describes the web app customization object that's identified by WebAppId. /// - /// - Parameter DescribeWebAppCustomizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWebAppCustomizationInput`) /// - /// - Returns: `DescribeWebAppCustomizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWebAppCustomizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2665,7 +2633,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWebAppCustomizationOutput.httpOutput(from:), DescribeWebAppCustomizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2700,9 +2667,9 @@ extension TransferClient { /// /// Describes the specified workflow. /// - /// - Parameter DescribeWorkflowInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkflowInput`) /// - /// - Returns: `DescribeWorkflowOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkflowOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2737,7 +2704,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkflowOutput.httpOutput(from:), DescribeWorkflowOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2780,9 +2746,9 @@ extension TransferClient { /// /// * Frequency: Published daily /// - /// - Parameter ImportCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportCertificateInput`) /// - /// - Returns: `ImportCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2817,7 +2783,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportCertificateOutput.httpOutput(from:), ImportCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2852,9 +2817,9 @@ extension TransferClient { /// /// Adds a host key to the server that's specified by the ServerId parameter. /// - /// - Parameter ImportHostKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportHostKeyInput`) /// - /// - Returns: `ImportHostKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportHostKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2891,7 +2856,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportHostKeyOutput.httpOutput(from:), ImportHostKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2926,9 +2890,9 @@ extension TransferClient { /// /// Adds a Secure Shell (SSH) public key to a Transfer Family user identified by a UserName value assigned to the specific file transfer protocol-enabled server, identified by ServerId. The response returns the UserName value, the ServerId value, and the name of the SshPublicKeyId. /// - /// - Parameter ImportSshPublicKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportSshPublicKeyInput`) /// - /// - Returns: `ImportSshPublicKeyOutput` : Identifies the user, the server they belong to, and the identifier of the SSH public key associated with that user. A user can have more than one key on each server that they are associated with. + /// - Returns: Identifies the user, the server they belong to, and the identifier of the SSH public key associated with that user. A user can have more than one key on each server that they are associated with. (Type: `ImportSshPublicKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2965,7 +2929,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportSshPublicKeyOutput.httpOutput(from:), ImportSshPublicKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3000,9 +2963,9 @@ extension TransferClient { /// /// Lists the details for all the accesses you have on your server. /// - /// - Parameter ListAccessesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessesInput`) /// - /// - Returns: `ListAccessesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3038,7 +3001,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessesOutput.httpOutput(from:), ListAccessesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3073,9 +3035,9 @@ extension TransferClient { /// /// Returns a list of the agreements for the server that's identified by the ServerId that you supply. If you want to limit the results to a certain number, supply a value for the MaxResults parameter. If you ran the command previously and received a value for NextToken, you can supply that value to continue listing agreements from where you left off. /// - /// - Parameter ListAgreementsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAgreementsInput`) /// - /// - Returns: `ListAgreementsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAgreementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3111,7 +3073,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAgreementsOutput.httpOutput(from:), ListAgreementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3146,9 +3107,9 @@ extension TransferClient { /// /// Returns a list of the current certificates that have been imported into Transfer Family. If you want to limit the results to a certain number, supply a value for the MaxResults parameter. If you ran the command previously and received a value for the NextToken parameter, you can supply that value to continue listing certificates from where you left off. /// - /// - Parameter ListCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCertificatesInput`) /// - /// - Returns: `ListCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3184,7 +3145,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCertificatesOutput.httpOutput(from:), ListCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3219,9 +3179,9 @@ extension TransferClient { /// /// Lists the connectors for the specified Region. /// - /// - Parameter ListConnectorsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListConnectorsInput`) /// - /// - Returns: `ListConnectorsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListConnectorsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3257,7 +3217,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListConnectorsOutput.httpOutput(from:), ListConnectorsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3292,9 +3251,9 @@ extension TransferClient { /// /// Lists all in-progress executions for the specified workflow. If the specified workflow ID cannot be found, ListExecutions returns a ResourceNotFound exception. /// - /// - Parameter ListExecutionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListExecutionsInput`) /// - /// - Returns: `ListExecutionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListExecutionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3330,7 +3289,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListExecutionsOutput.httpOutput(from:), ListExecutionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3365,9 +3323,9 @@ extension TransferClient { /// /// Returns real-time updates and detailed information on the status of each individual file being transferred in a specific file transfer operation. You specify the file transfer by providing its ConnectorId and its TransferId. File transfer results are available up to 7 days after an operation has been requested. /// - /// - Parameter ListFileTransferResultsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFileTransferResultsInput`) /// - /// - Returns: `ListFileTransferResultsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFileTransferResultsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3402,7 +3360,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFileTransferResultsOutput.httpOutput(from:), ListFileTransferResultsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3437,9 +3394,9 @@ extension TransferClient { /// /// Returns a list of host keys for the server that's specified by the ServerId parameter. /// - /// - Parameter ListHostKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListHostKeysInput`) /// - /// - Returns: `ListHostKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListHostKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3475,7 +3432,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListHostKeysOutput.httpOutput(from:), ListHostKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3510,9 +3466,9 @@ extension TransferClient { /// /// Returns a list of the profiles for your system. If you want to limit the results to a certain number, supply a value for the MaxResults parameter. If you ran the command previously and received a value for NextToken, you can supply that value to continue listing profiles from where you left off. /// - /// - Parameter ListProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfilesInput`) /// - /// - Returns: `ListProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3548,7 +3504,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfilesOutput.httpOutput(from:), ListProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3583,9 +3538,9 @@ extension TransferClient { /// /// Lists the security policies that are attached to your servers and SFTP connectors. For more information about security policies, see [Working with security policies for servers](https://docs.aws.amazon.com/transfer/latest/userguide/security-policies.html) or [Working with security policies for SFTP connectors](https://docs.aws.amazon.com/transfer/latest/userguide/security-policies-connectors.html). /// - /// - Parameter ListSecurityPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSecurityPoliciesInput`) /// - /// - Returns: `ListSecurityPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSecurityPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3620,7 +3575,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSecurityPoliciesOutput.httpOutput(from:), ListSecurityPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3655,9 +3609,9 @@ extension TransferClient { /// /// Lists the file transfer protocol-enabled servers that are associated with your Amazon Web Services account. /// - /// - Parameter ListServersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServersInput`) /// - /// - Returns: `ListServersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3692,7 +3646,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServersOutput.httpOutput(from:), ListServersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3727,9 +3680,9 @@ extension TransferClient { /// /// Lists all of the tags associated with the Amazon Resource Name (ARN) that you specify. The resource can be a user, server, or role. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3764,7 +3717,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3799,9 +3751,9 @@ extension TransferClient { /// /// Lists the users for a file transfer protocol-enabled server that you specify by passing the ServerId parameter. /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3837,7 +3789,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3872,9 +3823,9 @@ extension TransferClient { /// /// Lists all web apps associated with your Amazon Web Services account for your current region. /// - /// - Parameter ListWebAppsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWebAppsInput`) /// - /// - Returns: `ListWebAppsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWebAppsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3909,7 +3860,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWebAppsOutput.httpOutput(from:), ListWebAppsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3944,9 +3894,9 @@ extension TransferClient { /// /// Lists all workflows associated with your Amazon Web Services account for your current region. /// - /// - Parameter ListWorkflowsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWorkflowsInput`) /// - /// - Returns: `ListWorkflowsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWorkflowsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3981,7 +3931,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkflowsOutput.httpOutput(from:), ListWorkflowsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4016,9 +3965,9 @@ extension TransferClient { /// /// Sends a callback for asynchronous custom steps. The ExecutionId, WorkflowId, and Token are passed to the target resource during execution of a custom step of a workflow. You must include those with their callback as well as providing a status. /// - /// - Parameter SendWorkflowStepStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SendWorkflowStepStateInput`) /// - /// - Returns: `SendWorkflowStepStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SendWorkflowStepStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4055,7 +4004,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SendWorkflowStepStateOutput.httpOutput(from:), SendWorkflowStepStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4100,9 +4048,9 @@ extension TransferClient { /// /// * truncated: a flag indicating whether the list output contains all of the items contained in the remote directory or not. If your Truncated output value is true, you can increase the value provided in the optional max-items input attribute to be able to list more items (up to the maximum allowed list size of 10,000 items). /// - /// - Parameter StartDirectoryListingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartDirectoryListingInput`) /// - /// - Returns: `StartDirectoryListingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartDirectoryListingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4138,7 +4086,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartDirectoryListingOutput.httpOutput(from:), StartDirectoryListingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4181,9 +4128,9 @@ extension TransferClient { /// /// * If you are transferring file to a partner's SFTP server from Amazon Web Services storage, you specify one or more SendFilePaths to identify the files you want to transfer, and a RemoteDirectoryPath to specify the destination folder. /// - /// - Parameter StartFileTransferInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFileTransferInput`) /// - /// - Returns: `StartFileTransferOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFileTransferOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4219,7 +4166,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFileTransferOutput.httpOutput(from:), StartFileTransferOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4254,9 +4200,9 @@ extension TransferClient { /// /// Deletes a file or directory on the remote SFTP server. /// - /// - Parameter StartRemoteDeleteInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRemoteDeleteInput`) /// - /// - Returns: `StartRemoteDeleteOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRemoteDeleteOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4292,7 +4238,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRemoteDeleteOutput.httpOutput(from:), StartRemoteDeleteOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4327,9 +4272,9 @@ extension TransferClient { /// /// Moves or renames a file or directory on the remote SFTP server. /// - /// - Parameter StartRemoteMoveInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartRemoteMoveInput`) /// - /// - Returns: `StartRemoteMoveOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartRemoteMoveOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4365,7 +4310,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartRemoteMoveOutput.httpOutput(from:), StartRemoteMoveOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4400,9 +4344,9 @@ extension TransferClient { /// /// Changes the state of a file transfer protocol-enabled server from OFFLINE to ONLINE. It has no impact on a server that is already ONLINE. An ONLINE server can accept and process file transfer jobs. The state of STARTING indicates that the server is in an intermediate state, either not fully able to respond, or not fully online. The values of START_FAILED can indicate an error condition. No response is returned from this call. /// - /// - Parameter StartServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartServerInput`) /// - /// - Returns: `StartServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4438,7 +4382,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartServerOutput.httpOutput(from:), StartServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4473,9 +4416,9 @@ extension TransferClient { /// /// Changes the state of a file transfer protocol-enabled server from ONLINE to OFFLINE. An OFFLINE server cannot accept and process file transfer jobs. Information tied to your server, such as server and user properties, are not affected by stopping your server. Stopping the server does not reduce or impact your file transfer protocol endpoint billing; you must delete the server to stop being billed. The state of STOPPING indicates that the server is in an intermediate state, either not fully able to respond, or not fully offline. The values of STOP_FAILED can indicate an error condition. No response is returned from this call. /// - /// - Parameter StopServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopServerInput`) /// - /// - Returns: `StopServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4511,7 +4454,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopServerOutput.httpOutput(from:), StopServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4546,9 +4488,9 @@ extension TransferClient { /// /// Attaches a key-value pair to a resource, as identified by its Amazon Resource Name (ARN). Resources are users, servers, roles, and other entities. There is no response returned from this call. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4583,7 +4525,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4618,9 +4559,9 @@ extension TransferClient { /// /// Tests whether your SFTP connector is set up successfully. We highly recommend that you call this operation to test your ability to transfer files between local Amazon Web Services storage and a trading partner's SFTP server. /// - /// - Parameter TestConnectionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestConnectionInput`) /// - /// - Returns: `TestConnectionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestConnectionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4655,7 +4596,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestConnectionOutput.httpOutput(from:), TestConnectionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4702,9 +4642,9 @@ extension TransferClient { /// /// * If you enter a Server ID for the --server-id parameter that does not identify an actual Transfer server, you receive the following error: An error occurred (ResourceNotFoundException) when calling the TestIdentityProvider operation: Unknown server. It is possible your sever is in a different region. You can specify a region by adding the following: --region region-code, such as --region us-east-2 to specify a server in US East (Ohio). /// - /// - Parameter TestIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestIdentityProviderInput`) /// - /// - Returns: `TestIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4739,7 +4679,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestIdentityProviderOutput.httpOutput(from:), TestIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4774,9 +4713,9 @@ extension TransferClient { /// /// Detaches a key-value pair from a resource, as identified by its Amazon Resource Name (ARN). Resources are users, servers, roles, and other entities. No response is returned from this call. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4811,7 +4750,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4846,9 +4784,9 @@ extension TransferClient { /// /// Allows you to update parameters for the access specified in the ServerID and ExternalID parameters. /// - /// - Parameter UpdateAccessInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccessInput`) /// - /// - Returns: `UpdateAccessOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccessOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4885,7 +4823,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccessOutput.httpOutput(from:), UpdateAccessOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4920,9 +4857,9 @@ extension TransferClient { /// /// Updates some of the parameters for an existing agreement. Provide the AgreementId and the ServerId for the agreement that you want to update, along with the new values for the parameters to update. Specify either BaseDirectory or CustomDirectories, but not both. Specifying both causes the command to fail. If you update an agreement from using base directory to custom directories, the base directory is no longer used. Similarly, if you change from custom directories to a base directory, the custom directories are no longer used. /// - /// - Parameter UpdateAgreementInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAgreementInput`) /// - /// - Returns: `UpdateAgreementOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAgreementOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4959,7 +4896,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAgreementOutput.httpOutput(from:), UpdateAgreementOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4994,9 +4930,9 @@ extension TransferClient { /// /// Updates the active and inactive dates for a certificate. /// - /// - Parameter UpdateCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateCertificateInput`) /// - /// - Returns: `UpdateCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5032,7 +4968,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateCertificateOutput.httpOutput(from:), UpdateCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5067,9 +5002,9 @@ extension TransferClient { /// /// Updates some of the parameters for an existing connector. Provide the ConnectorId for the connector that you want to update, along with the new values for the parameters to update. /// - /// - Parameter UpdateConnectorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectorInput`) /// - /// - Returns: `UpdateConnectorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5106,7 +5041,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectorOutput.httpOutput(from:), UpdateConnectorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5141,9 +5075,9 @@ extension TransferClient { /// /// Updates the description for the host key that's specified by the ServerId and HostKeyId parameters. /// - /// - Parameter UpdateHostKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateHostKeyInput`) /// - /// - Returns: `UpdateHostKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateHostKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5179,7 +5113,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateHostKeyOutput.httpOutput(from:), UpdateHostKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5214,9 +5147,9 @@ extension TransferClient { /// /// Updates some of the parameters for an existing profile. Provide the ProfileId for the profile that you want to update, along with the new values for the parameters to update. /// - /// - Parameter UpdateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProfileInput`) /// - /// - Returns: `UpdateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5252,7 +5185,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProfileOutput.httpOutput(from:), UpdateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5287,9 +5219,9 @@ extension TransferClient { /// /// Updates the file transfer protocol-enabled server's properties after that server has been created. The UpdateServer call returns the ServerId of the server you updated. /// - /// - Parameter UpdateServerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServerInput`) /// - /// - Returns: `UpdateServerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5328,7 +5260,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServerOutput.httpOutput(from:), UpdateServerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5363,9 +5294,9 @@ extension TransferClient { /// /// Assigns new properties to a user. Parameters you pass modify any or all of the following: the home directory, role, and policy for the UserName and ServerId you specify. The response returns the ServerId and the UserName for the updated user. In the console, you can select Restricted when you create or update a user. This ensures that the user can't access anything outside of their home directory. The programmatic way to configure this behavior is to update the user. Set their HomeDirectoryType to LOGICAL, and specify HomeDirectoryMappings with Entry as root (/) and Target as their home directory. For example, if the user's home directory is /test/admin-user, the following command updates the user so that their configuration in the console shows the Restricted flag as selected. aws transfer update-user --server-id --user-name admin-user --home-directory-type LOGICAL --home-directory-mappings "[{\"Entry\":\"/\", \"Target\":\"/test/admin-user\"}]" /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : UpdateUserResponse returns the user name and identifier for the request to update a user's properties. + /// - Returns: UpdateUserResponse returns the user name and identifier for the request to update a user's properties. (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5401,7 +5332,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5436,9 +5366,9 @@ extension TransferClient { /// /// Assigns new properties to a web app. You can modify the access point, identity provider details, and the web app units. /// - /// - Parameter UpdateWebAppInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWebAppInput`) /// - /// - Returns: `UpdateWebAppOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWebAppOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5475,7 +5405,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWebAppOutput.httpOutput(from:), UpdateWebAppOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5510,9 +5439,9 @@ extension TransferClient { /// /// Assigns new customization properties to a web app. You can modify the icon file, logo file, and title. /// - /// - Parameter UpdateWebAppCustomizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWebAppCustomizationInput`) /// - /// - Returns: `UpdateWebAppCustomizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWebAppCustomizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5549,7 +5478,6 @@ extension TransferClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWebAppCustomizationOutput.httpOutput(from:), UpdateWebAppCustomizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTranslate/Sources/AWSTranslate/TranslateClient.swift b/Sources/Services/AWSTranslate/Sources/AWSTranslate/TranslateClient.swift index 602583e0af5..e3d0bb81c42 100644 --- a/Sources/Services/AWSTranslate/Sources/AWSTranslate/TranslateClient.swift +++ b/Sources/Services/AWSTranslate/Sources/AWSTranslate/TranslateClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TranslateClient: ClientRuntime.Client { public static let clientName = "TranslateClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TranslateClient.TranslateClientConfiguration let serviceName = "Translate" @@ -375,9 +374,9 @@ extension TranslateClient { /// /// Creates a parallel data resource in Amazon Translate by importing an input file from Amazon S3. Parallel data files contain examples that show how you want segments of text to be translated. By adding parallel data, you can influence the style, tone, and word choice in your translation output. /// - /// - Parameter CreateParallelDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateParallelDataInput`) /// - /// - Returns: `CreateParallelDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateParallelDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateParallelDataOutput.httpOutput(from:), CreateParallelDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -452,9 +450,9 @@ extension TranslateClient { /// /// Deletes a parallel data resource in Amazon Translate. /// - /// - Parameter DeleteParallelDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteParallelDataInput`) /// - /// - Returns: `DeleteParallelDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteParallelDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteParallelDataOutput.httpOutput(from:), DeleteParallelDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -524,9 +521,9 @@ extension TranslateClient { /// /// A synchronous action that deletes a custom terminology. /// - /// - Parameter DeleteTerminologyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTerminologyInput`) /// - /// - Returns: `DeleteTerminologyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTerminologyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTerminologyOutput.httpOutput(from:), DeleteTerminologyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -596,9 +592,9 @@ extension TranslateClient { /// /// Gets the properties associated with an asynchronous batch translation job including name, ID, status, source and target languages, input/output S3 buckets, and so on. /// - /// - Parameter DescribeTextTranslationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTextTranslationJobInput`) /// - /// - Returns: `DescribeTextTranslationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTextTranslationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -632,7 +628,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTextTranslationJobOutput.httpOutput(from:), DescribeTextTranslationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension TranslateClient { /// /// Provides information about a parallel data resource. /// - /// - Parameter GetParallelDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetParallelDataInput`) /// - /// - Returns: `GetParallelDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetParallelDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetParallelDataOutput.httpOutput(from:), GetParallelDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -739,9 +733,9 @@ extension TranslateClient { /// /// Retrieves a custom terminology. /// - /// - Parameter GetTerminologyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTerminologyInput`) /// - /// - Returns: `GetTerminologyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTerminologyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -776,7 +770,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTerminologyOutput.httpOutput(from:), GetTerminologyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -811,9 +804,9 @@ extension TranslateClient { /// /// Creates or updates a custom terminology, depending on whether one already exists for the given terminology name. Importing a terminology with the same name as an existing one will merge the terminologies based on the chosen merge strategy. The only supported merge strategy is OVERWRITE, where the imported terminology overwrites the existing terminology of the same name. If you import a terminology that overwrites an existing one, the new terminology takes up to 10 minutes to fully propagate. After that, translations have access to the new terminology. /// - /// - Parameter ImportTerminologyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportTerminologyInput`) /// - /// - Returns: `ImportTerminologyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportTerminologyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -850,7 +843,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportTerminologyOutput.httpOutput(from:), ImportTerminologyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -885,9 +877,9 @@ extension TranslateClient { /// /// Provides a list of languages (RFC-5646 codes and names) that Amazon Translate supports. /// - /// - Parameter ListLanguagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLanguagesInput`) /// - /// - Returns: `ListLanguagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLanguagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -922,7 +914,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLanguagesOutput.httpOutput(from:), ListLanguagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -957,9 +948,9 @@ extension TranslateClient { /// /// Provides a list of your parallel data resources in Amazon Translate. /// - /// - Parameter ListParallelDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListParallelDataInput`) /// - /// - Returns: `ListParallelDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListParallelDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -993,7 +984,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListParallelDataOutput.httpOutput(from:), ListParallelDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1028,9 +1018,9 @@ extension TranslateClient { /// /// Lists all tags associated with a given Amazon Translate resource. For more information, see [ Tagging your resources](https://docs.aws.amazon.com/translate/latest/dg/tagging.html). /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1064,7 +1054,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1099,9 +1088,9 @@ extension TranslateClient { /// /// Provides a list of custom terminologies associated with your account. /// - /// - Parameter ListTerminologiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTerminologiesInput`) /// - /// - Returns: `ListTerminologiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTerminologiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1135,7 +1124,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTerminologiesOutput.httpOutput(from:), ListTerminologiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1170,9 +1158,9 @@ extension TranslateClient { /// /// Gets a list of the batch translation jobs that you have submitted. /// - /// - Parameter ListTextTranslationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTextTranslationJobsInput`) /// - /// - Returns: `ListTextTranslationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTextTranslationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1207,7 +1195,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTextTranslationJobsOutput.httpOutput(from:), ListTextTranslationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1242,9 +1229,9 @@ extension TranslateClient { /// /// Starts an asynchronous batch translation job. Use batch translation jobs to translate large volumes of text across multiple documents at once. For batch translation, you can input documents with different source languages (specify auto as the source language). You can specify one or more target languages. Batch translation translates each input document into each of the target languages. For more information, see [Asynchronous batch processing](https://docs.aws.amazon.com/translate/latest/dg/async.html). Batch translation jobs can be described with the [DescribeTextTranslationJob] operation, listed with the [ListTextTranslationJobs] operation, and stopped with the [StopTextTranslationJob] operation. /// - /// - Parameter StartTextTranslationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTextTranslationJobInput`) /// - /// - Returns: `StartTextTranslationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTextTranslationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1282,7 +1269,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTextTranslationJobOutput.httpOutput(from:), StartTextTranslationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1317,9 +1303,9 @@ extension TranslateClient { /// /// Stops an asynchronous batch translation job that is in progress. If the job's state is IN_PROGRESS, the job will be marked for termination and put into the STOP_REQUESTED state. If the job completes before it can be stopped, it is put into the COMPLETED state. Otherwise, the job is put into the STOPPED state. Asynchronous batch translation jobs are started with the [StartTextTranslationJob] operation. You can use the [DescribeTextTranslationJob] or [ListTextTranslationJobs] operations to get a batch translation job's JobId. /// - /// - Parameter StopTextTranslationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopTextTranslationJobInput`) /// - /// - Returns: `StopTextTranslationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopTextTranslationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1353,7 +1339,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopTextTranslationJobOutput.httpOutput(from:), StopTextTranslationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1388,9 +1373,9 @@ extension TranslateClient { /// /// Associates a specific tag with a resource. A tag is a key-value pair that adds as a metadata to a resource. For more information, see [ Tagging your resources](https://docs.aws.amazon.com/translate/latest/dg/tagging.html). /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1426,7 +1411,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1461,9 +1445,9 @@ extension TranslateClient { /// /// Translates the input document from the source language to the target language. This synchronous operation supports text, HTML, or Word documents as the input document. TranslateDocument supports translations from English to any supported language, and from any supported language to English. Therefore, specify either the source language code or the target language code as “en” (English). If you set the Formality parameter, the request will fail if the target language does not support formality. For a list of target languages that support formality, see [Setting formality](https://docs.aws.amazon.com/translate/latest/dg/customizing-translations-formality.html). /// - /// - Parameter TranslateDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TranslateDocumentInput`) /// - /// - Returns: `TranslateDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TranslateDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1501,7 +1485,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TranslateDocumentOutput.httpOutput(from:), TranslateDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1536,9 +1519,9 @@ extension TranslateClient { /// /// Translates input text from the source language to the target language. For a list of available languages and language codes, see [Supported languages](https://docs.aws.amazon.com/translate/latest/dg/what-is-languages.html). /// - /// - Parameter TranslateTextInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TranslateTextInput`) /// - /// - Returns: `TranslateTextOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TranslateTextOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1577,7 +1560,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TranslateTextOutput.httpOutput(from:), TranslateTextOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1612,9 +1594,9 @@ extension TranslateClient { /// /// Removes a specific tag associated with an Amazon Translate resource. For more information, see [ Tagging your resources](https://docs.aws.amazon.com/translate/latest/dg/tagging.html). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1649,7 +1631,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1684,9 +1665,9 @@ extension TranslateClient { /// /// Updates a previously created parallel data resource by importing a new input file from Amazon S3. /// - /// - Parameter UpdateParallelDataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateParallelDataInput`) /// - /// - Returns: `UpdateParallelDataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateParallelDataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1726,7 +1707,6 @@ extension TranslateClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateParallelDataOutput.httpOutput(from:), UpdateParallelDataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSTrustedAdvisor/Sources/AWSTrustedAdvisor/TrustedAdvisorClient.swift b/Sources/Services/AWSTrustedAdvisor/Sources/AWSTrustedAdvisor/TrustedAdvisorClient.swift index 31bc907a593..c633e51fe89 100644 --- a/Sources/Services/AWSTrustedAdvisor/Sources/AWSTrustedAdvisor/TrustedAdvisorClient.swift +++ b/Sources/Services/AWSTrustedAdvisor/Sources/AWSTrustedAdvisor/TrustedAdvisorClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class TrustedAdvisorClient: ClientRuntime.Client { public static let clientName = "TrustedAdvisorClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: TrustedAdvisorClient.TrustedAdvisorClientConfiguration let serviceName = "TrustedAdvisor" @@ -374,9 +373,9 @@ extension TrustedAdvisorClient { /// /// Update one or more exclusion status for a list of recommendation resources /// - /// - Parameter BatchUpdateRecommendationResourceExclusionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateRecommendationResourceExclusionInput`) /// - /// - Returns: `BatchUpdateRecommendationResourceExclusionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateRecommendationResourceExclusionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension TrustedAdvisorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateRecommendationResourceExclusionOutput.httpOutput(from:), BatchUpdateRecommendationResourceExclusionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension TrustedAdvisorClient { /// /// Get a specific recommendation within an AWS Organizations organization. This API supports only prioritized recommendations. /// - /// - Parameter GetOrganizationRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetOrganizationRecommendationInput`) /// - /// - Returns: `GetOrganizationRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetOrganizationRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension TrustedAdvisorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetOrganizationRecommendationOutput.httpOutput(from:), GetOrganizationRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -515,9 +512,9 @@ extension TrustedAdvisorClient { /// /// Get a specific Recommendation /// - /// - Parameter GetRecommendationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecommendationInput`) /// - /// - Returns: `GetRecommendationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecommendationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -552,7 +549,6 @@ extension TrustedAdvisorClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommendationOutput.httpOutput(from:), GetRecommendationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -584,9 +580,9 @@ extension TrustedAdvisorClient { /// /// List a filterable set of Checks /// - /// - Parameter ListChecksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListChecksInput`) /// - /// - Returns: `ListChecksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListChecksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -621,7 +617,6 @@ extension TrustedAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListChecksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListChecksOutput.httpOutput(from:), ListChecksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -653,9 +648,9 @@ extension TrustedAdvisorClient { /// /// Lists the accounts that own the resources for an organization aggregate recommendation. This API only supports prioritized recommendations. /// - /// - Parameter ListOrganizationRecommendationAccountsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationRecommendationAccountsInput`) /// - /// - Returns: `ListOrganizationRecommendationAccountsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationRecommendationAccountsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -691,7 +686,6 @@ extension TrustedAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOrganizationRecommendationAccountsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationRecommendationAccountsOutput.httpOutput(from:), ListOrganizationRecommendationAccountsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -723,9 +717,9 @@ extension TrustedAdvisorClient { /// /// List Resources of a Recommendation within an Organization. This API only supports prioritized recommendations. /// - /// - Parameter ListOrganizationRecommendationResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationRecommendationResourcesInput`) /// - /// - Returns: `ListOrganizationRecommendationResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationRecommendationResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -761,7 +755,6 @@ extension TrustedAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOrganizationRecommendationResourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationRecommendationResourcesOutput.httpOutput(from:), ListOrganizationRecommendationResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -793,9 +786,9 @@ extension TrustedAdvisorClient { /// /// List a filterable set of Recommendations within an Organization. This API only supports prioritized recommendations. /// - /// - Parameter ListOrganizationRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationRecommendationsInput`) /// - /// - Returns: `ListOrganizationRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -830,7 +823,6 @@ extension TrustedAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListOrganizationRecommendationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationRecommendationsOutput.httpOutput(from:), ListOrganizationRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -862,9 +854,9 @@ extension TrustedAdvisorClient { /// /// List Resources of a Recommendation /// - /// - Parameter ListRecommendationResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendationResourcesInput`) /// - /// - Returns: `ListRecommendationResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendationResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -900,7 +892,6 @@ extension TrustedAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecommendationResourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendationResourcesOutput.httpOutput(from:), ListRecommendationResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -932,9 +923,9 @@ extension TrustedAdvisorClient { /// /// List a filterable set of Recommendations /// - /// - Parameter ListRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRecommendationsInput`) /// - /// - Returns: `ListRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -969,7 +960,6 @@ extension TrustedAdvisorClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRecommendationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRecommendationsOutput.httpOutput(from:), ListRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1001,9 +991,9 @@ extension TrustedAdvisorClient { /// /// Update the lifecycle of a Recommendation within an Organization. This API only supports prioritized recommendations. /// - /// - Parameter UpdateOrganizationRecommendationLifecycleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateOrganizationRecommendationLifecycleInput`) /// - /// - Returns: `UpdateOrganizationRecommendationLifecycleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateOrganizationRecommendationLifecycleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1042,7 +1032,6 @@ extension TrustedAdvisorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateOrganizationRecommendationLifecycleOutput.httpOutput(from:), UpdateOrganizationRecommendationLifecycleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1074,9 +1063,9 @@ extension TrustedAdvisorClient { /// /// Update the lifecyle of a Recommendation. This API only supports prioritized recommendations. /// - /// - Parameter UpdateRecommendationLifecycleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRecommendationLifecycleInput`) /// - /// - Returns: `UpdateRecommendationLifecycleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRecommendationLifecycleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1115,7 +1104,6 @@ extension TrustedAdvisorClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRecommendationLifecycleOutput.httpOutput(from:), UpdateRecommendationLifecycleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSVPCLattice/Sources/AWSVPCLattice/VPCLatticeClient.swift b/Sources/Services/AWSVPCLattice/Sources/AWSVPCLattice/VPCLatticeClient.swift index 327b6b68a40..32331e354a9 100644 --- a/Sources/Services/AWSVPCLattice/Sources/AWSVPCLattice/VPCLatticeClient.swift +++ b/Sources/Services/AWSVPCLattice/Sources/AWSVPCLattice/VPCLatticeClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class VPCLatticeClient: ClientRuntime.Client { public static let clientName = "VPCLatticeClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: VPCLatticeClient.VPCLatticeClientConfiguration let serviceName = "VPC Lattice" @@ -375,9 +374,9 @@ extension VPCLatticeClient { /// /// Updates the listener rules in a batch. You can use this operation to change the priority of listener rules. This can be useful when bulk updating or swapping rule priority. Required permissions: vpc-lattice:UpdateRule For more information, see [How Amazon VPC Lattice works with IAM](https://docs.aws.amazon.com/vpc-lattice/latest/ug/security_iam_service-with-iam.html) in the Amazon VPC Lattice User Guide. /// - /// - Parameter BatchUpdateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchUpdateRuleInput`) /// - /// - Returns: `BatchUpdateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchUpdateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -416,7 +415,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchUpdateRuleOutput.httpOutput(from:), BatchUpdateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension VPCLatticeClient { /// /// Enables access logs to be sent to Amazon CloudWatch, Amazon S3, and Amazon Kinesis Data Firehose. The service network owner can use the access logs to audit the services in the network. The service network owner can only see access logs from clients and services that are associated with their service network. Access log entries represent traffic originated from VPCs associated with that network. For more information, see [Access logs](https://docs.aws.amazon.com/vpc-lattice/latest/ug/monitoring-access-logs.html) in the Amazon VPC Lattice User Guide. /// - /// - Parameter CreateAccessLogSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccessLogSubscriptionInput`) /// - /// - Returns: `CreateAccessLogSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccessLogSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccessLogSubscriptionOutput.httpOutput(from:), CreateAccessLogSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -522,9 +519,9 @@ extension VPCLatticeClient { /// /// Creates a listener for a service. Before you start using your Amazon VPC Lattice service, you must add one or more listeners. A listener is a process that checks for connection requests to your services. For more information, see [Listeners](https://docs.aws.amazon.com/vpc-lattice/latest/ug/listeners.html) in the Amazon VPC Lattice User Guide. /// - /// - Parameter CreateListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateListenerInput`) /// - /// - Returns: `CreateListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -565,7 +562,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateListenerOutput.httpOutput(from:), CreateListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension VPCLatticeClient { /// /// Creates a resource configuration. A resource configuration defines a specific resource. You can associate a resource configuration with a service network or a VPC endpoint. /// - /// - Parameter CreateResourceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceConfigurationInput`) /// - /// - Returns: `CreateResourceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -640,7 +636,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceConfigurationOutput.httpOutput(from:), CreateResourceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension VPCLatticeClient { /// /// A resource gateway is a point of ingress into the VPC where a resource resides. It spans multiple Availability Zones. For your resource to be accessible from all Availability Zones, you should create your resource gateways to span as many Availability Zones as possible. A VPC can have multiple resource gateways. /// - /// - Parameter CreateResourceGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceGatewayInput`) /// - /// - Returns: `CreateResourceGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -715,7 +710,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceGatewayOutput.httpOutput(from:), CreateResourceGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -747,9 +741,9 @@ extension VPCLatticeClient { /// /// Creates a listener rule. Each listener has a default rule for checking connection requests, but you can define additional rules. Each rule consists of a priority, one or more actions, and one or more conditions. For more information, see [Listener rules](https://docs.aws.amazon.com/vpc-lattice/latest/ug/listeners.html#listener-rules) in the Amazon VPC Lattice User Guide. /// - /// - Parameter CreateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleInput`) /// - /// - Returns: `CreateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -790,7 +784,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleOutput.httpOutput(from:), CreateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -822,9 +815,9 @@ extension VPCLatticeClient { /// /// Creates a service. A service is any software application that can run on instances containers, or serverless functions within an account or virtual private cloud (VPC). For more information, see [Services](https://docs.aws.amazon.com/vpc-lattice/latest/ug/services.html) in the Amazon VPC Lattice User Guide. /// - /// - Parameter CreateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceInput`) /// - /// - Returns: `CreateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -865,7 +858,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceOutput.httpOutput(from:), CreateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -897,9 +889,9 @@ extension VPCLatticeClient { /// /// Creates a service network. A service network is a logical boundary for a collection of services. You can associate services and VPCs with a service network. For more information, see [Service networks](https://docs.aws.amazon.com/vpc-lattice/latest/ug/service-networks.html) in the Amazon VPC Lattice User Guide. /// - /// - Parameter CreateServiceNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceNetworkInput`) /// - /// - Returns: `CreateServiceNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -940,7 +932,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceNetworkOutput.httpOutput(from:), CreateServiceNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -972,9 +963,9 @@ extension VPCLatticeClient { /// /// Associates the specified service network with the specified resource configuration. This allows the resource configuration to receive connections through the service network, including through a service network VPC endpoint. /// - /// - Parameter CreateServiceNetworkResourceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceNetworkResourceAssociationInput`) /// - /// - Returns: `CreateServiceNetworkResourceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceNetworkResourceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1015,7 +1006,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceNetworkResourceAssociationOutput.httpOutput(from:), CreateServiceNetworkResourceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1047,9 +1037,9 @@ extension VPCLatticeClient { /// /// Associates the specified service with the specified service network. For more information, see [Manage service associations](https://docs.aws.amazon.com/vpc-lattice/latest/ug/service-network-associations.html#service-network-service-associations) in the Amazon VPC Lattice User Guide. You can't use this operation if the service and service network are already associated or if there is a disassociation or deletion in progress. If the association fails, you can retry the operation by deleting the association and recreating it. You cannot associate a service and service network that are shared with a caller. The caller must own either the service or the service network. As a result of this operation, the association is created in the service network account and the association owner account. /// - /// - Parameter CreateServiceNetworkServiceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceNetworkServiceAssociationInput`) /// - /// - Returns: `CreateServiceNetworkServiceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceNetworkServiceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1090,7 +1080,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceNetworkServiceAssociationOutput.httpOutput(from:), CreateServiceNetworkServiceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1122,9 +1111,9 @@ extension VPCLatticeClient { /// /// Associates a VPC with a service network. When you associate a VPC with the service network, it enables all the resources within that VPC to be clients and communicate with other services in the service network. For more information, see [Manage VPC associations](https://docs.aws.amazon.com/vpc-lattice/latest/ug/service-network-associations.html#service-network-vpc-associations) in the Amazon VPC Lattice User Guide. You can't use this operation if there is a disassociation in progress. If the association fails, retry by deleting the association and recreating it. As a result of this operation, the association gets created in the service network account and the VPC owner account. If you add a security group to the service network and VPC association, the association must continue to always have at least one security group. You can add or edit security groups at any time. However, to remove all security groups, you must first delete the association and recreate it without security groups. /// - /// - Parameter CreateServiceNetworkVpcAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateServiceNetworkVpcAssociationInput`) /// - /// - Returns: `CreateServiceNetworkVpcAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateServiceNetworkVpcAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1165,7 +1154,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateServiceNetworkVpcAssociationOutput.httpOutput(from:), CreateServiceNetworkVpcAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1197,9 +1185,9 @@ extension VPCLatticeClient { /// /// Creates a target group. A target group is a collection of targets, or compute resources, that run your application or service. A target group can only be used by a single service. For more information, see [Target groups](https://docs.aws.amazon.com/vpc-lattice/latest/ug/target-groups.html) in the Amazon VPC Lattice User Guide. /// - /// - Parameter CreateTargetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTargetGroupInput`) /// - /// - Returns: `CreateTargetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTargetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1240,7 +1228,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTargetGroupOutput.httpOutput(from:), CreateTargetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1272,9 +1259,9 @@ extension VPCLatticeClient { /// /// Deletes the specified access log subscription. /// - /// - Parameter DeleteAccessLogSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessLogSubscriptionInput`) /// - /// - Returns: `DeleteAccessLogSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessLogSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1309,7 +1296,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessLogSubscriptionOutput.httpOutput(from:), DeleteAccessLogSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1341,9 +1327,9 @@ extension VPCLatticeClient { /// /// Deletes the specified auth policy. If an auth is set to AWS_IAM and the auth policy is deleted, all requests are denied. If you are trying to remove the auth policy completely, you must set the auth type to NONE. If auth is enabled on the resource, but no auth policy is set, all requests are denied. /// - /// - Parameter DeleteAuthPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAuthPolicyInput`) /// - /// - Returns: `DeleteAuthPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAuthPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1378,7 +1364,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAuthPolicyOutput.httpOutput(from:), DeleteAuthPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1410,9 +1395,9 @@ extension VPCLatticeClient { /// /// Deletes the specified listener. /// - /// - Parameter DeleteListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteListenerInput`) /// - /// - Returns: `DeleteListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1448,7 +1433,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteListenerOutput.httpOutput(from:), DeleteListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1480,9 +1464,9 @@ extension VPCLatticeClient { /// /// Deletes the specified resource configuration. /// - /// - Parameter DeleteResourceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceConfigurationInput`) /// - /// - Returns: `DeleteResourceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1518,7 +1502,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceConfigurationOutput.httpOutput(from:), DeleteResourceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1550,9 +1533,9 @@ extension VPCLatticeClient { /// /// Disassociates the resource configuration from the resource VPC endpoint. /// - /// - Parameter DeleteResourceEndpointAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceEndpointAssociationInput`) /// - /// - Returns: `DeleteResourceEndpointAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceEndpointAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1587,7 +1570,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceEndpointAssociationOutput.httpOutput(from:), DeleteResourceEndpointAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1619,9 +1601,9 @@ extension VPCLatticeClient { /// /// Deletes the specified resource gateway. /// - /// - Parameter DeleteResourceGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceGatewayInput`) /// - /// - Returns: `DeleteResourceGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1657,7 +1639,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceGatewayOutput.httpOutput(from:), DeleteResourceGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1689,9 +1670,9 @@ extension VPCLatticeClient { /// /// Deletes the specified resource policy. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1726,7 +1707,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1758,9 +1738,9 @@ extension VPCLatticeClient { /// /// Deletes a listener rule. Each listener has a default rule for checking connection requests, but you can define additional rules. Each rule consists of a priority, one or more actions, and one or more conditions. You can delete additional listener rules, but you cannot delete the default rule. For more information, see [Listener rules](https://docs.aws.amazon.com/vpc-lattice/latest/ug/listeners.html#listener-rules) in the Amazon VPC Lattice User Guide. /// - /// - Parameter DeleteRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleInput`) /// - /// - Returns: `DeleteRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1796,7 +1776,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleOutput.httpOutput(from:), DeleteRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1828,9 +1807,9 @@ extension VPCLatticeClient { /// /// Deletes a service. A service can't be deleted if it's associated with a service network. If you delete a service, all resources related to the service, such as the resource policy, auth policy, listeners, listener rules, and access log subscriptions, are also deleted. For more information, see [Delete a service](https://docs.aws.amazon.com/vpc-lattice/latest/ug/services.html#delete-service) in the Amazon VPC Lattice User Guide. /// - /// - Parameter DeleteServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceInput`) /// - /// - Returns: `DeleteServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1866,7 +1845,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceOutput.httpOutput(from:), DeleteServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1898,9 +1876,9 @@ extension VPCLatticeClient { /// /// Deletes a service network. You can only delete the service network if there is no service or VPC associated with it. If you delete a service network, all resources related to the service network, such as the resource policy, auth policy, and access log subscriptions, are also deleted. For more information, see [Delete a service network](https://docs.aws.amazon.com/vpc-lattice/latest/ug/service-networks.html#delete-service-network) in the Amazon VPC Lattice User Guide. /// - /// - Parameter DeleteServiceNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceNetworkInput`) /// - /// - Returns: `DeleteServiceNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1936,7 +1914,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceNetworkOutput.httpOutput(from:), DeleteServiceNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1968,9 +1945,9 @@ extension VPCLatticeClient { /// /// Deletes the association between a service network and a resource configuration. /// - /// - Parameter DeleteServiceNetworkResourceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceNetworkResourceAssociationInput`) /// - /// - Returns: `DeleteServiceNetworkResourceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceNetworkResourceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2006,7 +1983,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceNetworkResourceAssociationOutput.httpOutput(from:), DeleteServiceNetworkResourceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2038,9 +2014,9 @@ extension VPCLatticeClient { /// /// Deletes the association between a service and a service network. This operation fails if an association is still in progress. /// - /// - Parameter DeleteServiceNetworkServiceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceNetworkServiceAssociationInput`) /// - /// - Returns: `DeleteServiceNetworkServiceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceNetworkServiceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2076,7 +2052,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceNetworkServiceAssociationOutput.httpOutput(from:), DeleteServiceNetworkServiceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2108,9 +2083,9 @@ extension VPCLatticeClient { /// /// Disassociates the VPC from the service network. You can't disassociate the VPC if there is a create or update association in progress. /// - /// - Parameter DeleteServiceNetworkVpcAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteServiceNetworkVpcAssociationInput`) /// - /// - Returns: `DeleteServiceNetworkVpcAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteServiceNetworkVpcAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2146,7 +2121,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteServiceNetworkVpcAssociationOutput.httpOutput(from:), DeleteServiceNetworkVpcAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2178,9 +2152,9 @@ extension VPCLatticeClient { /// /// Deletes a target group. You can't delete a target group if it is used in a listener rule or if the target group creation is in progress. /// - /// - Parameter DeleteTargetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTargetGroupInput`) /// - /// - Returns: `DeleteTargetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTargetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2215,7 +2189,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTargetGroupOutput.httpOutput(from:), DeleteTargetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2247,9 +2220,9 @@ extension VPCLatticeClient { /// /// Deregisters the specified targets from the specified target group. /// - /// - Parameter DeregisterTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterTargetsInput`) /// - /// - Returns: `DeregisterTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2288,7 +2261,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterTargetsOutput.httpOutput(from:), DeregisterTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2320,9 +2292,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified access log subscription. /// - /// - Parameter GetAccessLogSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessLogSubscriptionInput`) /// - /// - Returns: `GetAccessLogSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessLogSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2357,7 +2329,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessLogSubscriptionOutput.httpOutput(from:), GetAccessLogSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2389,9 +2360,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the auth policy for the specified service or service network. /// - /// - Parameter GetAuthPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAuthPolicyInput`) /// - /// - Returns: `GetAuthPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAuthPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2426,7 +2397,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAuthPolicyOutput.httpOutput(from:), GetAuthPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2458,9 +2428,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified listener for the specified service. /// - /// - Parameter GetListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetListenerInput`) /// - /// - Returns: `GetListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2495,7 +2465,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetListenerOutput.httpOutput(from:), GetListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2527,9 +2496,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified resource configuration. /// - /// - Parameter GetResourceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceConfigurationInput`) /// - /// - Returns: `GetResourceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2564,7 +2533,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceConfigurationOutput.httpOutput(from:), GetResourceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2596,9 +2564,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified resource gateway. /// - /// - Parameter GetResourceGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourceGatewayInput`) /// - /// - Returns: `GetResourceGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourceGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2633,7 +2601,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourceGatewayOutput.httpOutput(from:), GetResourceGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2665,9 +2632,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified resource policy. The resource policy is an IAM policy created on behalf of the resource owner when they share a resource. /// - /// - Parameter GetResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcePolicyInput`) /// - /// - Returns: `GetResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2702,7 +2669,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcePolicyOutput.httpOutput(from:), GetResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2734,9 +2700,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified listener rules. You can also retrieve information about the default listener rule. For more information, see [Listener rules](https://docs.aws.amazon.com/vpc-lattice/latest/ug/listeners.html#listener-rules) in the Amazon VPC Lattice User Guide. /// - /// - Parameter GetRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuleInput`) /// - /// - Returns: `GetRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2771,7 +2737,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuleOutput.httpOutput(from:), GetRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2803,9 +2768,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified service. /// - /// - Parameter GetServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceInput`) /// - /// - Returns: `GetServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2840,7 +2805,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceOutput.httpOutput(from:), GetServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2872,9 +2836,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified service network. /// - /// - Parameter GetServiceNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceNetworkInput`) /// - /// - Returns: `GetServiceNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2909,7 +2873,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceNetworkOutput.httpOutput(from:), GetServiceNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2941,9 +2904,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified association between a service network and a resource configuration. /// - /// - Parameter GetServiceNetworkResourceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceNetworkResourceAssociationInput`) /// - /// - Returns: `GetServiceNetworkResourceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceNetworkResourceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2978,7 +2941,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceNetworkResourceAssociationOutput.httpOutput(from:), GetServiceNetworkResourceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3010,9 +2972,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified association between a service network and a service. /// - /// - Parameter GetServiceNetworkServiceAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceNetworkServiceAssociationInput`) /// - /// - Returns: `GetServiceNetworkServiceAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceNetworkServiceAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3047,7 +3009,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceNetworkServiceAssociationOutput.httpOutput(from:), GetServiceNetworkServiceAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3079,9 +3040,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified association between a service network and a VPC. /// - /// - Parameter GetServiceNetworkVpcAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceNetworkVpcAssociationInput`) /// - /// - Returns: `GetServiceNetworkVpcAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceNetworkVpcAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3116,7 +3077,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceNetworkVpcAssociationOutput.httpOutput(from:), GetServiceNetworkVpcAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3148,9 +3108,9 @@ extension VPCLatticeClient { /// /// Retrieves information about the specified target group. /// - /// - Parameter GetTargetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTargetGroupInput`) /// - /// - Returns: `GetTargetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTargetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3185,7 +3145,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTargetGroupOutput.httpOutput(from:), GetTargetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3217,9 +3176,9 @@ extension VPCLatticeClient { /// /// Lists the access log subscriptions for the specified service network or service. /// - /// - Parameter ListAccessLogSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessLogSubscriptionsInput`) /// - /// - Returns: `ListAccessLogSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessLogSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3254,7 +3213,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAccessLogSubscriptionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessLogSubscriptionsOutput.httpOutput(from:), ListAccessLogSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3286,9 +3244,9 @@ extension VPCLatticeClient { /// /// Lists the listeners for the specified service. /// - /// - Parameter ListListenersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListListenersInput`) /// - /// - Returns: `ListListenersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListListenersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3324,7 +3282,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListListenersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListListenersOutput.httpOutput(from:), ListListenersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3356,9 +3313,9 @@ extension VPCLatticeClient { /// /// Lists the resource configurations owned by or shared with this account. /// - /// - Parameter ListResourceConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceConfigurationsInput`) /// - /// - Returns: `ListResourceConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3393,7 +3350,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourceConfigurationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceConfigurationsOutput.httpOutput(from:), ListResourceConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3425,9 +3381,9 @@ extension VPCLatticeClient { /// /// Lists the associations for the specified VPC endpoint. /// - /// - Parameter ListResourceEndpointAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceEndpointAssociationsInput`) /// - /// - Returns: `ListResourceEndpointAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceEndpointAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3462,7 +3418,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourceEndpointAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceEndpointAssociationsOutput.httpOutput(from:), ListResourceEndpointAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3494,9 +3449,9 @@ extension VPCLatticeClient { /// /// Lists the resource gateways that you own or that were shared with you. /// - /// - Parameter ListResourceGatewaysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceGatewaysInput`) /// - /// - Returns: `ListResourceGatewaysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceGatewaysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3531,7 +3486,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListResourceGatewaysInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceGatewaysOutput.httpOutput(from:), ListResourceGatewaysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3563,9 +3517,9 @@ extension VPCLatticeClient { /// /// Lists the rules for the specified listener. /// - /// - Parameter ListRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesInput`) /// - /// - Returns: `ListRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3601,7 +3555,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListRulesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesOutput.httpOutput(from:), ListRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3633,9 +3586,9 @@ extension VPCLatticeClient { /// /// Lists the associations between a service network and a resource configuration. /// - /// - Parameter ListServiceNetworkResourceAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceNetworkResourceAssociationsInput`) /// - /// - Returns: `ListServiceNetworkResourceAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceNetworkResourceAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3670,7 +3623,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServiceNetworkResourceAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceNetworkResourceAssociationsOutput.httpOutput(from:), ListServiceNetworkResourceAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3702,9 +3654,9 @@ extension VPCLatticeClient { /// /// Lists the associations between a service network and a service. You can filter the list either by service or service network. You must provide either the service network identifier or the service identifier. Every association in Amazon VPC Lattice has a unique Amazon Resource Name (ARN), such as when a service network is associated with a VPC or when a service is associated with a service network. If the association is for a resource is shared with another account, the association includes the local account ID as the prefix in the ARN. /// - /// - Parameter ListServiceNetworkServiceAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceNetworkServiceAssociationsInput`) /// - /// - Returns: `ListServiceNetworkServiceAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceNetworkServiceAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3739,7 +3691,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServiceNetworkServiceAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceNetworkServiceAssociationsOutput.httpOutput(from:), ListServiceNetworkServiceAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3771,9 +3722,9 @@ extension VPCLatticeClient { /// /// Lists the associations between a service network and a VPC. You can filter the list either by VPC or service network. You must provide either the ID of the service network identifier or the ID of the VPC. /// - /// - Parameter ListServiceNetworkVpcAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceNetworkVpcAssociationsInput`) /// - /// - Returns: `ListServiceNetworkVpcAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceNetworkVpcAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3808,7 +3759,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServiceNetworkVpcAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceNetworkVpcAssociationsOutput.httpOutput(from:), ListServiceNetworkVpcAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3840,9 +3790,9 @@ extension VPCLatticeClient { /// /// Lists the associations between a service network and a VPC endpoint. /// - /// - Parameter ListServiceNetworkVpcEndpointAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceNetworkVpcEndpointAssociationsInput`) /// - /// - Returns: `ListServiceNetworkVpcEndpointAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceNetworkVpcEndpointAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3877,7 +3827,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServiceNetworkVpcEndpointAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceNetworkVpcEndpointAssociationsOutput.httpOutput(from:), ListServiceNetworkVpcEndpointAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3909,9 +3858,9 @@ extension VPCLatticeClient { /// /// Lists the service networks owned by or shared with this account. The account ID in the ARN shows which account owns the service network. /// - /// - Parameter ListServiceNetworksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServiceNetworksInput`) /// - /// - Returns: `ListServiceNetworksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServiceNetworksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3946,7 +3895,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServiceNetworksInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServiceNetworksOutput.httpOutput(from:), ListServiceNetworksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3978,9 +3926,9 @@ extension VPCLatticeClient { /// /// Lists the services owned by the caller account or shared with the caller account. /// - /// - Parameter ListServicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListServicesInput`) /// - /// - Returns: `ListServicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListServicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4015,7 +3963,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListServicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListServicesOutput.httpOutput(from:), ListServicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4047,9 +3994,9 @@ extension VPCLatticeClient { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4083,7 +4030,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4115,9 +4061,9 @@ extension VPCLatticeClient { /// /// Lists your target groups. You can narrow your search by using the filters below in your request. /// - /// - Parameter ListTargetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetGroupsInput`) /// - /// - Returns: `ListTargetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4152,7 +4098,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTargetGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetGroupsOutput.httpOutput(from:), ListTargetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4184,9 +4129,9 @@ extension VPCLatticeClient { /// /// Lists the targets for the target group. By default, all targets are included. You can use this API to check the health status of targets. You can also filter the results by target. /// - /// - Parameter ListTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTargetsInput`) /// - /// - Returns: `ListTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4225,7 +4170,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTargetsOutput.httpOutput(from:), ListTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4257,9 +4201,9 @@ extension VPCLatticeClient { /// /// Creates or updates the auth policy. The policy string in JSON must not contain newlines or blank lines. For more information, see [Auth policies](https://docs.aws.amazon.com/vpc-lattice/latest/ug/auth-policies.html) in the Amazon VPC Lattice User Guide. /// - /// - Parameter PutAuthPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAuthPolicyInput`) /// - /// - Returns: `PutAuthPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAuthPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4297,7 +4241,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAuthPolicyOutput.httpOutput(from:), PutAuthPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4329,9 +4272,9 @@ extension VPCLatticeClient { /// /// Attaches a resource-based permission policy to a service or service network. The policy must contain the same actions and condition statements as the Amazon Web Services Resource Access Manager permission for sharing services and service networks. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4369,7 +4312,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4401,9 +4343,9 @@ extension VPCLatticeClient { /// /// Registers the targets with the target group. If it's a Lambda target, you can only have one target in a target group. /// - /// - Parameter RegisterTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterTargetsInput`) /// - /// - Returns: `RegisterTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4443,7 +4385,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterTargetsOutput.httpOutput(from:), RegisterTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4475,9 +4416,9 @@ extension VPCLatticeClient { /// /// Adds the specified tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4515,7 +4456,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4547,9 +4487,9 @@ extension VPCLatticeClient { /// /// Removes the specified tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4584,7 +4524,6 @@ extension VPCLatticeClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4616,9 +4555,9 @@ extension VPCLatticeClient { /// /// Updates the specified access log subscription. /// - /// - Parameter UpdateAccessLogSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAccessLogSubscriptionInput`) /// - /// - Returns: `UpdateAccessLogSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAccessLogSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4657,7 +4596,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAccessLogSubscriptionOutput.httpOutput(from:), UpdateAccessLogSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4689,9 +4627,9 @@ extension VPCLatticeClient { /// /// Updates the specified listener for the specified service. /// - /// - Parameter UpdateListenerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateListenerInput`) /// - /// - Returns: `UpdateListenerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateListenerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4731,7 +4669,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateListenerOutput.httpOutput(from:), UpdateListenerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4763,9 +4700,9 @@ extension VPCLatticeClient { /// /// Updates the specified resource configuration. /// - /// - Parameter UpdateResourceConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceConfigurationInput`) /// - /// - Returns: `UpdateResourceConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4804,7 +4741,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceConfigurationOutput.httpOutput(from:), UpdateResourceConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4836,9 +4772,9 @@ extension VPCLatticeClient { /// /// Updates the specified resource gateway. /// - /// - Parameter UpdateResourceGatewayInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceGatewayInput`) /// - /// - Returns: `UpdateResourceGatewayOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceGatewayOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4877,7 +4813,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceGatewayOutput.httpOutput(from:), UpdateResourceGatewayOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4909,9 +4844,9 @@ extension VPCLatticeClient { /// /// Updates a specified rule for the listener. You can't modify a default listener rule. To modify a default listener rule, use UpdateListener. /// - /// - Parameter UpdateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleInput`) /// - /// - Returns: `UpdateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4951,7 +4886,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleOutput.httpOutput(from:), UpdateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4983,9 +4917,9 @@ extension VPCLatticeClient { /// /// Updates the specified service. /// - /// - Parameter UpdateServiceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceInput`) /// - /// - Returns: `UpdateServiceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5025,7 +4959,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceOutput.httpOutput(from:), UpdateServiceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5057,9 +4990,9 @@ extension VPCLatticeClient { /// /// Updates the specified service network. /// - /// - Parameter UpdateServiceNetworkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceNetworkInput`) /// - /// - Returns: `UpdateServiceNetworkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceNetworkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5098,7 +5031,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceNetworkOutput.httpOutput(from:), UpdateServiceNetworkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5130,9 +5062,9 @@ extension VPCLatticeClient { /// /// Updates the service network and VPC association. If you add a security group to the service network and VPC association, the association must continue to have at least one security group. You can add or edit security groups at any time. However, to remove all security groups, you must first delete the association and then recreate it without security groups. /// - /// - Parameter UpdateServiceNetworkVpcAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateServiceNetworkVpcAssociationInput`) /// - /// - Returns: `UpdateServiceNetworkVpcAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateServiceNetworkVpcAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5171,7 +5103,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateServiceNetworkVpcAssociationOutput.httpOutput(from:), UpdateServiceNetworkVpcAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5203,9 +5134,9 @@ extension VPCLatticeClient { /// /// Updates the specified target group. /// - /// - Parameter UpdateTargetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTargetGroupInput`) /// - /// - Returns: `UpdateTargetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTargetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5245,7 +5176,6 @@ extension VPCLatticeClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTargetGroupOutput.httpOutput(from:), UpdateTargetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSVerifiedPermissions/Sources/AWSVerifiedPermissions/VerifiedPermissionsClient.swift b/Sources/Services/AWSVerifiedPermissions/Sources/AWSVerifiedPermissions/VerifiedPermissionsClient.swift index 6f2530eaa00..2473b66172b 100644 --- a/Sources/Services/AWSVerifiedPermissions/Sources/AWSVerifiedPermissions/VerifiedPermissionsClient.swift +++ b/Sources/Services/AWSVerifiedPermissions/Sources/AWSVerifiedPermissions/VerifiedPermissionsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class VerifiedPermissionsClient: ClientRuntime.Client { public static let clientName = "VerifiedPermissionsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: VerifiedPermissionsClient.VerifiedPermissionsClientConfiguration let serviceName = "VerifiedPermissions" @@ -375,9 +374,9 @@ extension VerifiedPermissionsClient { /// /// Retrieves information about a group (batch) of policies. The BatchGetPolicy operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission verifiedpermissions:GetPolicy in their IAM policies. /// - /// - Parameter BatchGetPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetPolicyInput`) /// - /// - Returns: `BatchGetPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -432,7 +431,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetPolicyOutput.httpOutput(from:), BatchGetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -467,9 +465,9 @@ extension VerifiedPermissionsClient { /// /// Makes a series of decisions about multiple authorization requests for one principal or resource. Each request contains the equivalent content of an IsAuthorized request: principal, action, resource, and context. Either the principal or the resource parameter must be identical across all requests. For example, Verified Permissions won't evaluate a pair of requests where bob views photo1 and alice views photo2. Authorization of bob to view photo1 and photo2, or bob and alice to view photo1, are valid batches. The request is evaluated against all policies in the specified policy store that match the entities that you declare. The result of the decisions is a series of Allow or Deny responses, along with the IDs of the policies that produced each decision. The entities of a BatchIsAuthorized API request can contain up to 100 principals and up to 100 resources. The requests of a BatchIsAuthorized API request can contain up to 30 requests. The BatchIsAuthorized operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission verifiedpermissions:IsAuthorized in their IAM policies. /// - /// - Parameter BatchIsAuthorizedInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchIsAuthorizedInput`) /// - /// - Returns: `BatchIsAuthorizedOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchIsAuthorizedOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -525,7 +523,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchIsAuthorizedOutput.httpOutput(from:), BatchIsAuthorizedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -560,9 +557,9 @@ extension VerifiedPermissionsClient { /// /// Makes a series of decisions about multiple authorization requests for one token. The principal in this request comes from an external identity source in the form of an identity or access token, formatted as a [JSON web token (JWT)](https://wikipedia.org/wiki/JSON_Web_Token). The information in the parameters can also define additional context that Verified Permissions can include in the evaluations. The request is evaluated against all policies in the specified policy store that match the entities that you provide in the entities declaration and in the token. The result of the decisions is a series of Allow or Deny responses, along with the IDs of the policies that produced each decision. The entities of a BatchIsAuthorizedWithToken API request can contain up to 100 resources and up to 99 user groups. The requests of a BatchIsAuthorizedWithToken API request can contain up to 30 requests. The BatchIsAuthorizedWithToken operation doesn't have its own IAM permission. To authorize this operation for Amazon Web Services principals, include the permission verifiedpermissions:IsAuthorizedWithToken in their IAM policies. /// - /// - Parameter BatchIsAuthorizedWithTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchIsAuthorizedWithTokenInput`) /// - /// - Returns: `BatchIsAuthorizedWithTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchIsAuthorizedWithTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -618,7 +615,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchIsAuthorizedWithTokenOutput.httpOutput(from:), BatchIsAuthorizedWithTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -660,9 +656,9 @@ extension VerifiedPermissionsClient { /// /// Verified Permissions is [eventually consistent](https://wikipedia.org/wiki/Eventual_consistency) . It can take a few seconds for a new or changed element to propagate through the service and be visible in the results of other Verified Permissions operations. /// - /// - Parameter CreateIdentitySourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIdentitySourceInput`) /// - /// - Returns: `CreateIdentitySourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIdentitySourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -721,7 +717,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIdentitySourceOutput.httpOutput(from:), CreateIdentitySourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -763,9 +758,9 @@ extension VerifiedPermissionsClient { /// /// Creating a policy causes it to be validated against the schema in the policy store. If the policy doesn't pass validation, the operation fails and the policy isn't stored. Verified Permissions is [eventually consistent](https://wikipedia.org/wiki/Eventual_consistency) . It can take a few seconds for a new or changed element to propagate through the service and be visible in the results of other Verified Permissions operations. /// - /// - Parameter CreatePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePolicyInput`) /// - /// - Returns: `CreatePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -824,7 +819,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePolicyOutput.httpOutput(from:), CreatePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -859,9 +853,9 @@ extension VerifiedPermissionsClient { /// /// Creates a policy store. A policy store is a container for policy resources. Although [Cedar supports multiple namespaces](https://docs.cedarpolicy.com/schema/schema.html#namespace), Verified Permissions currently supports only one namespace per policy store. Verified Permissions is [eventually consistent](https://wikipedia.org/wiki/Eventual_consistency) . It can take a few seconds for a new or changed element to propagate through the service and be visible in the results of other Verified Permissions operations. /// - /// - Parameter CreatePolicyStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePolicyStoreInput`) /// - /// - Returns: `CreatePolicyStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePolicyStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +913,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePolicyStoreOutput.httpOutput(from:), CreatePolicyStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -954,9 +947,9 @@ extension VerifiedPermissionsClient { /// /// Creates a policy template. A template can use placeholders for the principal and resource. A template must be instantiated into a policy by associating it with specific principals and resources to use for the placeholders. That instantiated policy can then be considered in authorization decisions. The instantiated policy works identically to any other policy, except that it is dynamically linked to the template. If the template changes, then any policies that are linked to that template are immediately updated as well. Verified Permissions is [eventually consistent](https://wikipedia.org/wiki/Eventual_consistency) . It can take a few seconds for a new or changed element to propagate through the service and be visible in the results of other Verified Permissions operations. /// - /// - Parameter CreatePolicyTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePolicyTemplateInput`) /// - /// - Returns: `CreatePolicyTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePolicyTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1015,7 +1008,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePolicyTemplateOutput.httpOutput(from:), CreatePolicyTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1050,9 +1042,9 @@ extension VerifiedPermissionsClient { /// /// Deletes an identity source that references an identity provider (IdP) such as Amazon Cognito. After you delete the identity source, you can no longer use tokens for identities from that identity source to represent principals in authorization queries made using [IsAuthorizedWithToken](https://docs.aws.amazon.com/verifiedpermissions/latest/apireference/API_IsAuthorizedWithToken.html). operations. /// - /// - Parameter DeleteIdentitySourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdentitySourceInput`) /// - /// - Returns: `DeleteIdentitySourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdentitySourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1109,7 +1101,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentitySourceOutput.httpOutput(from:), DeleteIdentitySourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1144,9 +1135,9 @@ extension VerifiedPermissionsClient { /// /// Deletes the specified policy from the policy store. This operation is idempotent; if you specify a policy that doesn't exist, the request response returns a successful HTTP 200 status code. /// - /// - Parameter DeletePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyInput`) /// - /// - Returns: `DeletePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1203,7 +1194,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyOutput.httpOutput(from:), DeletePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1238,9 +1228,9 @@ extension VerifiedPermissionsClient { /// /// Deletes the specified policy store. This operation is idempotent. If you specify a policy store that does not exist, the request response will still return a successful HTTP 200 status code. /// - /// - Parameter DeletePolicyStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyStoreInput`) /// - /// - Returns: `DeletePolicyStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1296,7 +1286,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyStoreOutput.httpOutput(from:), DeletePolicyStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1331,9 +1320,9 @@ extension VerifiedPermissionsClient { /// /// Deletes the specified policy template from the policy store. This operation also deletes any policies that were created from the specified policy template. Those policies are immediately removed from all future API responses, and are asynchronously deleted from the policy store. /// - /// - Parameter DeletePolicyTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePolicyTemplateInput`) /// - /// - Returns: `DeletePolicyTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePolicyTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1390,7 +1379,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePolicyTemplateOutput.httpOutput(from:), DeletePolicyTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1425,9 +1413,9 @@ extension VerifiedPermissionsClient { /// /// Retrieves the details about the specified identity source. /// - /// - Parameter GetIdentitySourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdentitySourceInput`) /// - /// - Returns: `GetIdentitySourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdentitySourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1483,7 +1471,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentitySourceOutput.httpOutput(from:), GetIdentitySourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1518,9 +1505,9 @@ extension VerifiedPermissionsClient { /// /// Retrieves information about the specified policy. /// - /// - Parameter GetPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyInput`) /// - /// - Returns: `GetPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1576,7 +1563,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyOutput.httpOutput(from:), GetPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1611,9 +1597,9 @@ extension VerifiedPermissionsClient { /// /// Retrieves details about a policy store. /// - /// - Parameter GetPolicyStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyStoreInput`) /// - /// - Returns: `GetPolicyStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPolicyStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1669,7 +1655,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyStoreOutput.httpOutput(from:), GetPolicyStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1704,9 +1689,9 @@ extension VerifiedPermissionsClient { /// /// Retrieve the details for the specified policy template in the specified policy store. /// - /// - Parameter GetPolicyTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPolicyTemplateInput`) /// - /// - Returns: `GetPolicyTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPolicyTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1762,7 +1747,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPolicyTemplateOutput.httpOutput(from:), GetPolicyTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1797,9 +1781,9 @@ extension VerifiedPermissionsClient { /// /// Retrieve the details for the specified schema in the specified policy store. /// - /// - Parameter GetSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSchemaInput`) /// - /// - Returns: `GetSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1855,7 +1839,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSchemaOutput.httpOutput(from:), GetSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1890,9 +1873,9 @@ extension VerifiedPermissionsClient { /// /// Makes an authorization decision about a service request described in the parameters. The information in the parameters can also define additional context that Verified Permissions can include in the evaluation. The request is evaluated against all matching policies in the specified policy store. The result of the decision is either Allow or Deny, along with a list of the policies that resulted in the decision. /// - /// - Parameter IsAuthorizedInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `IsAuthorizedInput`) /// - /// - Returns: `IsAuthorizedOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IsAuthorizedOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1948,7 +1931,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IsAuthorizedOutput.httpOutput(from:), IsAuthorizedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1983,9 +1965,9 @@ extension VerifiedPermissionsClient { /// /// Makes an authorization decision about a service request described in the parameters. The principal in this request comes from an external identity source in the form of an identity token formatted as a [JSON web token (JWT)](https://wikipedia.org/wiki/JSON_Web_Token). The information in the parameters can also define additional context that Verified Permissions can include in the evaluation. The request is evaluated against all matching policies in the specified policy store. The result of the decision is either Allow or Deny, along with a list of the policies that resulted in the decision. Verified Permissions validates each token that is specified in a request by checking its expiration date and its signature. Tokens from an identity source user continue to be usable until they expire. Token revocation and resource deletion have no effect on the validity of a token in your policy store /// - /// - Parameter IsAuthorizedWithTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `IsAuthorizedWithTokenInput`) /// - /// - Returns: `IsAuthorizedWithTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `IsAuthorizedWithTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2041,7 +2023,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(IsAuthorizedWithTokenOutput.httpOutput(from:), IsAuthorizedWithTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2076,9 +2057,9 @@ extension VerifiedPermissionsClient { /// /// Returns a paginated list of all of the identity sources defined in the specified policy store. /// - /// - Parameter ListIdentitySourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdentitySourcesInput`) /// - /// - Returns: `ListIdentitySourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdentitySourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2134,7 +2115,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentitySourcesOutput.httpOutput(from:), ListIdentitySourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2169,9 +2149,9 @@ extension VerifiedPermissionsClient { /// /// Returns a paginated list of all policies stored in the specified policy store. /// - /// - Parameter ListPoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPoliciesInput`) /// - /// - Returns: `ListPoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2227,7 +2207,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPoliciesOutput.httpOutput(from:), ListPoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2262,9 +2241,9 @@ extension VerifiedPermissionsClient { /// /// Returns a paginated list of all policy stores in the calling Amazon Web Services account. /// - /// - Parameter ListPolicyStoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPolicyStoresInput`) /// - /// - Returns: `ListPolicyStoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPolicyStoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2319,7 +2298,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPolicyStoresOutput.httpOutput(from:), ListPolicyStoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2354,9 +2332,9 @@ extension VerifiedPermissionsClient { /// /// Returns a paginated list of all policy templates in the specified policy store. /// - /// - Parameter ListPolicyTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPolicyTemplatesInput`) /// - /// - Returns: `ListPolicyTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPolicyTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2412,7 +2390,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPolicyTemplatesOutput.httpOutput(from:), ListPolicyTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2447,9 +2424,9 @@ extension VerifiedPermissionsClient { /// /// Returns the tags associated with the specified Amazon Verified Permissions resource. In Verified Permissions, policy stores can be tagged. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2505,7 +2482,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2540,9 +2516,9 @@ extension VerifiedPermissionsClient { /// /// Creates or updates the policy schema in the specified policy store. The schema is used to validate any Cedar policies and policy templates submitted to the policy store. Any changes to the schema validate only policies and templates submitted after the schema change. Existing policies and templates are not re-evaluated against the changed schema. If you later update a policy, then it is evaluated against the new schema at that time. Verified Permissions is [eventually consistent](https://wikipedia.org/wiki/Eventual_consistency) . It can take a few seconds for a new or changed element to propagate through the service and be visible in the results of other Verified Permissions operations. /// - /// - Parameter PutSchemaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutSchemaInput`) /// - /// - Returns: `PutSchemaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutSchemaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2600,7 +2576,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutSchemaOutput.httpOutput(from:), PutSchemaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2635,9 +2610,9 @@ extension VerifiedPermissionsClient { /// /// Assigns one or more tags (key-value pairs) to the specified Amazon Verified Permissions resource. Tags can help you organize and categorize your resources. You can also use them to scope user permissions by granting a user permission to access or change only resources with certain tag values. In Verified Permissions, policy stores can be tagged. Tags don't have any semantic meaning to Amazon Web Services and are interpreted strictly as strings of characters. You can use the TagResource action with a resource that already has tags. If you specify a new tag key, this tag is appended to the list of tags associated with the resource. If you specify a tag key that is already associated with the resource, the new tag value that you specify replaces the previous value for that tag. You can associate as many as 50 tags with a resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2694,7 +2669,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2729,9 +2703,9 @@ extension VerifiedPermissionsClient { /// /// Removes one or more tags from the specified Amazon Verified Permissions resource. In Verified Permissions, policy stores can be tagged. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2787,7 +2761,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2822,9 +2795,9 @@ extension VerifiedPermissionsClient { /// /// Updates the specified identity source to use a new identity provider (IdP), or to change the mapping of identities from the IdP to a different principal entity type. Verified Permissions is [eventually consistent](https://wikipedia.org/wiki/Eventual_consistency) . It can take a few seconds for a new or changed element to propagate through the service and be visible in the results of other Verified Permissions operations. /// - /// - Parameter UpdateIdentitySourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIdentitySourceInput`) /// - /// - Returns: `UpdateIdentitySourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIdentitySourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2881,7 +2854,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIdentitySourceOutput.httpOutput(from:), UpdateIdentitySourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2943,9 +2915,9 @@ extension VerifiedPermissionsClient { /// /// Verified Permissions is [eventually consistent](https://wikipedia.org/wiki/Eventual_consistency) . It can take a few seconds for a new or changed element to propagate through the service and be visible in the results of other Verified Permissions operations. /// - /// - Parameter UpdatePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePolicyInput`) /// - /// - Returns: `UpdatePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3003,7 +2975,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePolicyOutput.httpOutput(from:), UpdatePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3038,9 +3009,9 @@ extension VerifiedPermissionsClient { /// /// Modifies the validation setting for a policy store. Verified Permissions is [eventually consistent](https://wikipedia.org/wiki/Eventual_consistency) . It can take a few seconds for a new or changed element to propagate through the service and be visible in the results of other Verified Permissions operations. /// - /// - Parameter UpdatePolicyStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePolicyStoreInput`) /// - /// - Returns: `UpdatePolicyStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePolicyStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3097,7 +3068,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePolicyStoreOutput.httpOutput(from:), UpdatePolicyStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3132,9 +3102,9 @@ extension VerifiedPermissionsClient { /// /// Updates the specified policy template. You can update only the description and the some elements of the [policyBody](https://docs.aws.amazon.com/verifiedpermissions/latest/apireference/API_UpdatePolicyTemplate.html#amazonverifiedpermissions-UpdatePolicyTemplate-request-policyBody). Changes you make to the policy template content are immediately (within the constraints of eventual consistency) reflected in authorization decisions that involve all template-linked policies instantiated from this template. Verified Permissions is [eventually consistent](https://wikipedia.org/wiki/Eventual_consistency) . It can take a few seconds for a new or changed element to propagate through the service and be visible in the results of other Verified Permissions operations. /// - /// - Parameter UpdatePolicyTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePolicyTemplateInput`) /// - /// - Returns: `UpdatePolicyTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePolicyTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3191,7 +3161,6 @@ extension VerifiedPermissionsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePolicyTemplateOutput.httpOutput(from:), UpdatePolicyTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSVoiceID/Sources/AWSVoiceID/VoiceIDClient.swift b/Sources/Services/AWSVoiceID/Sources/AWSVoiceID/VoiceIDClient.swift index 4f7611ce430..1bdf5bf19da 100644 --- a/Sources/Services/AWSVoiceID/Sources/AWSVoiceID/VoiceIDClient.swift +++ b/Sources/Services/AWSVoiceID/Sources/AWSVoiceID/VoiceIDClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class VoiceIDClient: ClientRuntime.Client { public static let clientName = "VoiceIDClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: VoiceIDClient.VoiceIDClientConfiguration let serviceName = "Voice ID" @@ -374,9 +373,9 @@ extension VoiceIDClient { /// /// Associates the fraudsters with the watchlist specified in the same domain. /// - /// - Parameter AssociateFraudsterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateFraudsterInput`) /// - /// - Returns: `AssociateFraudsterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateFraudsterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateFraudsterOutput.httpOutput(from:), AssociateFraudsterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension VoiceIDClient { /// /// Creates a domain that contains all Amazon Connect Voice ID data, such as speakers, fraudsters, customer audio, and voiceprints. Every domain is created with a default watchlist that fraudsters can be a part of. /// - /// - Parameter CreateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDomainInput`) /// - /// - Returns: `CreateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDomainOutput.httpOutput(from:), CreateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension VoiceIDClient { /// /// Creates a watchlist that fraudsters can be a part of. /// - /// - Parameter CreateWatchlistInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWatchlistInput`) /// - /// - Returns: `CreateWatchlistOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWatchlistOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -566,7 +563,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWatchlistOutput.httpOutput(from:), CreateWatchlistOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension VoiceIDClient { /// /// Deletes the specified domain from Voice ID. /// - /// - Parameter DeleteDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDomainInput`) /// - /// - Returns: `DeleteDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -640,7 +636,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDomainOutput.httpOutput(from:), DeleteDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -675,9 +670,9 @@ extension VoiceIDClient { /// /// Deletes the specified fraudster from Voice ID. This action disassociates the fraudster from any watchlists it is a part of. /// - /// - Parameter DeleteFraudsterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFraudsterInput`) /// - /// - Returns: `DeleteFraudsterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFraudsterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -714,7 +709,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFraudsterOutput.httpOutput(from:), DeleteFraudsterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -749,9 +743,9 @@ extension VoiceIDClient { /// /// Deletes the specified speaker from Voice ID. /// - /// - Parameter DeleteSpeakerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSpeakerInput`) /// - /// - Returns: `DeleteSpeakerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSpeakerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +782,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSpeakerOutput.httpOutput(from:), DeleteSpeakerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -823,9 +816,9 @@ extension VoiceIDClient { /// /// Deletes the specified watchlist from Voice ID. This API throws an exception when there are fraudsters in the watchlist that you are trying to delete. You must delete the fraudsters, and then delete the watchlist. Every domain has a default watchlist which cannot be deleted. /// - /// - Parameter DeleteWatchlistInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWatchlistInput`) /// - /// - Returns: `DeleteWatchlistOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWatchlistOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -862,7 +855,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWatchlistOutput.httpOutput(from:), DeleteWatchlistOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -897,9 +889,9 @@ extension VoiceIDClient { /// /// Describes the specified domain. /// - /// - Parameter DescribeDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDomainInput`) /// - /// - Returns: `DescribeDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -935,7 +927,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDomainOutput.httpOutput(from:), DescribeDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -970,9 +961,9 @@ extension VoiceIDClient { /// /// Describes the specified fraudster. /// - /// - Parameter DescribeFraudsterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFraudsterInput`) /// - /// - Returns: `DescribeFraudsterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFraudsterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1008,7 +999,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFraudsterOutput.httpOutput(from:), DescribeFraudsterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1043,9 +1033,9 @@ extension VoiceIDClient { /// /// Describes the specified fraudster registration job. /// - /// - Parameter DescribeFraudsterRegistrationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFraudsterRegistrationJobInput`) /// - /// - Returns: `DescribeFraudsterRegistrationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFraudsterRegistrationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1081,7 +1071,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFraudsterRegistrationJobOutput.httpOutput(from:), DescribeFraudsterRegistrationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1116,9 +1105,9 @@ extension VoiceIDClient { /// /// Describes the specified speaker. /// - /// - Parameter DescribeSpeakerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSpeakerInput`) /// - /// - Returns: `DescribeSpeakerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSpeakerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1154,7 +1143,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSpeakerOutput.httpOutput(from:), DescribeSpeakerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1189,9 +1177,9 @@ extension VoiceIDClient { /// /// Describes the specified speaker enrollment job. /// - /// - Parameter DescribeSpeakerEnrollmentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeSpeakerEnrollmentJobInput`) /// - /// - Returns: `DescribeSpeakerEnrollmentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeSpeakerEnrollmentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1227,7 +1215,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeSpeakerEnrollmentJobOutput.httpOutput(from:), DescribeSpeakerEnrollmentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1262,9 +1249,9 @@ extension VoiceIDClient { /// /// Describes the specified watchlist. /// - /// - Parameter DescribeWatchlistInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWatchlistInput`) /// - /// - Returns: `DescribeWatchlistOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWatchlistOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1300,7 +1287,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWatchlistOutput.httpOutput(from:), DescribeWatchlistOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1335,9 +1321,9 @@ extension VoiceIDClient { /// /// Disassociates the fraudsters from the watchlist specified. Voice ID always expects a fraudster to be a part of at least one watchlist. If you try to disassociate a fraudster from its only watchlist, a ValidationException is thrown. /// - /// - Parameter DisassociateFraudsterInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateFraudsterInput`) /// - /// - Returns: `DisassociateFraudsterOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateFraudsterOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1374,7 +1360,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateFraudsterOutput.httpOutput(from:), DisassociateFraudsterOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1409,9 +1394,9 @@ extension VoiceIDClient { /// /// Evaluates a specified session based on audio data accumulated during a streaming Amazon Connect Voice ID call. /// - /// - Parameter EvaluateSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `EvaluateSessionInput`) /// - /// - Returns: `EvaluateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `EvaluateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1448,7 +1433,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(EvaluateSessionOutput.httpOutput(from:), EvaluateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1483,9 +1467,9 @@ extension VoiceIDClient { /// /// Lists all the domains in the Amazon Web Services account. /// - /// - Parameter ListDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDomainsInput`) /// - /// - Returns: `ListDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1520,7 +1504,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDomainsOutput.httpOutput(from:), ListDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1555,9 +1538,9 @@ extension VoiceIDClient { /// /// Lists all the fraudster registration jobs in the domain with the given JobStatus. If JobStatus is not provided, this lists all fraudster registration jobs in the given domain. /// - /// - Parameter ListFraudsterRegistrationJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFraudsterRegistrationJobsInput`) /// - /// - Returns: `ListFraudsterRegistrationJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFraudsterRegistrationJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1593,7 +1576,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFraudsterRegistrationJobsOutput.httpOutput(from:), ListFraudsterRegistrationJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1628,9 +1610,9 @@ extension VoiceIDClient { /// /// Lists all fraudsters in a specified watchlist or domain. /// - /// - Parameter ListFraudstersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListFraudstersInput`) /// - /// - Returns: `ListFraudstersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListFraudstersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1666,7 +1648,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListFraudstersOutput.httpOutput(from:), ListFraudstersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1701,9 +1682,9 @@ extension VoiceIDClient { /// /// Lists all the speaker enrollment jobs in the domain with the specified JobStatus. If JobStatus is not provided, this lists all jobs with all possible speaker enrollment job statuses. /// - /// - Parameter ListSpeakerEnrollmentJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSpeakerEnrollmentJobsInput`) /// - /// - Returns: `ListSpeakerEnrollmentJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSpeakerEnrollmentJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1739,7 +1720,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSpeakerEnrollmentJobsOutput.httpOutput(from:), ListSpeakerEnrollmentJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1774,9 +1754,9 @@ extension VoiceIDClient { /// /// Lists all speakers in a specified domain. /// - /// - Parameter ListSpeakersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSpeakersInput`) /// - /// - Returns: `ListSpeakersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSpeakersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1812,7 +1792,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSpeakersOutput.httpOutput(from:), ListSpeakersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1847,9 +1826,9 @@ extension VoiceIDClient { /// /// Lists all tags associated with a specified Voice ID resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1885,7 +1864,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1920,9 +1898,9 @@ extension VoiceIDClient { /// /// Lists all watchlists in a specified domain. /// - /// - Parameter ListWatchlistsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWatchlistsInput`) /// - /// - Returns: `ListWatchlistsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWatchlistsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1958,7 +1936,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWatchlistsOutput.httpOutput(from:), ListWatchlistsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1993,9 +1970,9 @@ extension VoiceIDClient { /// /// Opts out a speaker from Voice ID. A speaker can be opted out regardless of whether or not they already exist in Voice ID. If they don't yet exist, a new speaker is created in an opted out state. If they already exist, their existing status is overridden and they are opted out. Enrollment and evaluation authentication requests are rejected for opted out speakers, and opted out speakers have no voice embeddings stored in Voice ID. /// - /// - Parameter OptOutSpeakerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `OptOutSpeakerInput`) /// - /// - Returns: `OptOutSpeakerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `OptOutSpeakerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2033,7 +2010,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(OptOutSpeakerOutput.httpOutput(from:), OptOutSpeakerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2068,9 +2044,9 @@ extension VoiceIDClient { /// /// Starts a new batch fraudster registration job using provided details. /// - /// - Parameter StartFraudsterRegistrationJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartFraudsterRegistrationJobInput`) /// - /// - Returns: `StartFraudsterRegistrationJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartFraudsterRegistrationJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2109,7 +2085,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartFraudsterRegistrationJobOutput.httpOutput(from:), StartFraudsterRegistrationJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2144,9 +2119,9 @@ extension VoiceIDClient { /// /// Starts a new batch speaker enrollment job using specified details. /// - /// - Parameter StartSpeakerEnrollmentJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartSpeakerEnrollmentJobInput`) /// - /// - Returns: `StartSpeakerEnrollmentJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartSpeakerEnrollmentJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2185,7 +2160,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartSpeakerEnrollmentJobOutput.httpOutput(from:), StartSpeakerEnrollmentJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2220,9 +2194,9 @@ extension VoiceIDClient { /// /// Tags a Voice ID resource with the provided list of tags. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2259,7 +2233,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2294,9 +2267,9 @@ extension VoiceIDClient { /// /// Removes specified tags from a specified Amazon Connect Voice ID resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2333,7 +2306,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2368,9 +2340,9 @@ extension VoiceIDClient { /// /// Updates the specified domain. This API has clobber behavior, and clears and replaces all attributes. If an optional field, such as 'Description' is not provided, it is removed from the domain. /// - /// - Parameter UpdateDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDomainInput`) /// - /// - Returns: `UpdateDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2407,7 +2379,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDomainOutput.httpOutput(from:), UpdateDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2442,9 +2413,9 @@ extension VoiceIDClient { /// /// Updates the specified watchlist. Every domain has a default watchlist which cannot be updated. /// - /// - Parameter UpdateWatchlistInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWatchlistInput`) /// - /// - Returns: `UpdateWatchlistOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWatchlistOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2481,7 +2452,6 @@ extension VoiceIDClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWatchlistOutput.httpOutput(from:), UpdateWatchlistOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWAF/Sources/AWSWAF/WAFClient.swift b/Sources/Services/AWSWAF/Sources/AWSWAF/WAFClient.swift index 58154f1fec6..653896d89db 100644 --- a/Sources/Services/AWSWAF/Sources/AWSWAF/WAFClient.swift +++ b/Sources/Services/AWSWAF/Sources/AWSWAF/WAFClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WAFClient: ClientRuntime.Client { public static let clientName = "WAFClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WAFClient.WAFClientConfiguration let serviceName = "WAF" @@ -384,9 +383,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateByteMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateByteMatchSetInput`) /// - /// - Returns: `CreateByteMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateByteMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -441,7 +440,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateByteMatchSetOutput.httpOutput(from:), CreateByteMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -487,9 +485,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateGeoMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGeoMatchSetInput`) /// - /// - Returns: `CreateGeoMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGeoMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -544,7 +542,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGeoMatchSetOutput.httpOutput(from:), CreateGeoMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +587,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIPSetInput`) /// - /// - Returns: `CreateIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -647,7 +644,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIPSetOutput.httpOutput(from:), CreateIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -713,9 +709,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateRateBasedRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRateBasedRuleInput`) /// - /// - Returns: `CreateRateBasedRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRateBasedRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -772,7 +768,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRateBasedRuleOutput.httpOutput(from:), CreateRateBasedRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -818,9 +813,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateRegexMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegexMatchSetInput`) /// - /// - Returns: `CreateRegexMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegexMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -855,7 +850,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegexMatchSetOutput.httpOutput(from:), CreateRegexMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -901,9 +895,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegexPatternSetInput`) /// - /// - Returns: `CreateRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -938,7 +932,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegexPatternSetOutput.httpOutput(from:), CreateRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -995,9 +988,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleInput`) /// - /// - Returns: `CreateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1047,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleOutput.httpOutput(from:), CreateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1098,9 +1090,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleGroupInput`) /// - /// - Returns: `CreateRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1138,7 +1130,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleGroupOutput.httpOutput(from:), CreateRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1184,9 +1175,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateSizeConstraintSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSizeConstraintSetInput`) /// - /// - Returns: `CreateSizeConstraintSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSizeConstraintSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1241,7 +1232,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSizeConstraintSetOutput.httpOutput(from:), CreateSizeConstraintSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1287,9 +1277,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateSqlInjectionMatchSetInput : A request to create a [SqlInjectionMatchSet]. + /// - Parameter input: A request to create a [SqlInjectionMatchSet]. (Type: `CreateSqlInjectionMatchSetInput`) /// - /// - Returns: `CreateSqlInjectionMatchSetOutput` : The response to a CreateSqlInjectionMatchSet request. + /// - Returns: The response to a CreateSqlInjectionMatchSet request. (Type: `CreateSqlInjectionMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1344,7 +1334,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSqlInjectionMatchSetOutput.httpOutput(from:), CreateSqlInjectionMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1394,9 +1383,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWebACLInput`) /// - /// - Returns: `CreateWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1454,7 +1443,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWebACLOutput.httpOutput(from:), CreateWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1489,9 +1477,9 @@ extension WAFClient { /// /// Creates an AWS CloudFormation WAFV2 template for the specified web ACL in the specified Amazon S3 bucket. Then, in CloudFormation, you create a stack from the template, to create the web ACL and its resources in AWS WAFV2. Use this to migrate your AWS WAF Classic web ACL to the latest version of AWS WAF. This is part of a larger migration procedure for web ACLs from AWS WAF Classic to the latest version of AWS WAF. For the full procedure, including caveats and manual steps to complete the migration and switch over to the new web ACL, see [Migrating your AWS WAF Classic resources to AWS WAF](https://docs.aws.amazon.com/waf/latest/developerguide/waf-migrating-from-classic.html) in the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). /// - /// - Parameter CreateWebACLMigrationStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWebACLMigrationStackInput`) /// - /// - Returns: `CreateWebACLMigrationStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWebACLMigrationStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1569,7 +1557,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWebACLMigrationStackOutput.httpOutput(from:), CreateWebACLMigrationStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1615,9 +1602,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateXssMatchSetInput : A request to create an [XssMatchSet]. + /// - Parameter input: A request to create an [XssMatchSet]. (Type: `CreateXssMatchSetInput`) /// - /// - Returns: `CreateXssMatchSetOutput` : The response to a CreateXssMatchSet request. + /// - Returns: The response to a CreateXssMatchSet request. (Type: `CreateXssMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1672,7 +1659,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateXssMatchSetOutput.httpOutput(from:), CreateXssMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1713,9 +1699,9 @@ extension WAFClient { /// /// * Submit a DeleteByteMatchSet request. /// - /// - Parameter DeleteByteMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteByteMatchSetInput`) /// - /// - Returns: `DeleteByteMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteByteMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1764,7 +1750,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteByteMatchSetOutput.httpOutput(from:), DeleteByteMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1805,9 +1790,9 @@ extension WAFClient { /// /// * Submit a DeleteGeoMatchSet request. /// - /// - Parameter DeleteGeoMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGeoMatchSetInput`) /// - /// - Returns: `DeleteGeoMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGeoMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1856,7 +1841,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGeoMatchSetOutput.httpOutput(from:), DeleteGeoMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1897,9 +1881,9 @@ extension WAFClient { /// /// * Submit a DeleteIPSet request. /// - /// - Parameter DeleteIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIPSetInput`) /// - /// - Returns: `DeleteIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1948,7 +1932,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIPSetOutput.httpOutput(from:), DeleteIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1983,9 +1966,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Permanently deletes the [LoggingConfiguration] from the specified web ACL. /// - /// - Parameter DeleteLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLoggingConfigurationInput`) /// - /// - Returns: `DeleteLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2019,7 +2002,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoggingConfigurationOutput.httpOutput(from:), DeleteLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2054,9 +2036,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Permanently deletes an IAM policy from the specified RuleGroup. The user making the request must be the owner of the RuleGroup. /// - /// - Parameter DeletePermissionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePermissionPolicyInput`) /// - /// - Returns: `DeletePermissionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePermissionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2090,7 +2072,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePermissionPolicyOutput.httpOutput(from:), DeletePermissionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2131,9 +2112,9 @@ extension WAFClient { /// /// * Submit a DeleteRateBasedRule request. /// - /// - Parameter DeleteRateBasedRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRateBasedRuleInput`) /// - /// - Returns: `DeleteRateBasedRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRateBasedRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2184,7 +2165,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRateBasedRuleOutput.httpOutput(from:), DeleteRateBasedRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2225,9 +2205,9 @@ extension WAFClient { /// /// * Submit a DeleteRegexMatchSet request. /// - /// - Parameter DeleteRegexMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegexMatchSetInput`) /// - /// - Returns: `DeleteRegexMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegexMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2276,7 +2256,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegexMatchSetOutput.httpOutput(from:), DeleteRegexMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2311,9 +2290,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Permanently deletes a [RegexPatternSet]. You can't delete a RegexPatternSet if it's still used in any RegexMatchSet or if the RegexPatternSet is not empty. /// - /// - Parameter DeleteRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegexPatternSetInput`) /// - /// - Returns: `DeleteRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2362,7 +2341,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegexPatternSetOutput.httpOutput(from:), DeleteRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2403,9 +2381,9 @@ extension WAFClient { /// /// * Submit a DeleteRule request. /// - /// - Parameter DeleteRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleInput`) /// - /// - Returns: `DeleteRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2456,7 +2434,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleOutput.httpOutput(from:), DeleteRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2497,9 +2474,9 @@ extension WAFClient { /// /// * Submit a DeleteRuleGroup request. /// - /// - Parameter DeleteRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleGroupInput`) /// - /// - Returns: `DeleteRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2560,7 +2537,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleGroupOutput.httpOutput(from:), DeleteRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2601,9 +2577,9 @@ extension WAFClient { /// /// * Submit a DeleteSizeConstraintSet request. /// - /// - Parameter DeleteSizeConstraintSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSizeConstraintSetInput`) /// - /// - Returns: `DeleteSizeConstraintSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSizeConstraintSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2652,7 +2628,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSizeConstraintSetOutput.httpOutput(from:), DeleteSizeConstraintSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2693,9 +2668,9 @@ extension WAFClient { /// /// * Submit a DeleteSqlInjectionMatchSet request. /// - /// - Parameter DeleteSqlInjectionMatchSetInput : A request to delete a [SqlInjectionMatchSet] from AWS WAF. + /// - Parameter input: A request to delete a [SqlInjectionMatchSet] from AWS WAF. (Type: `DeleteSqlInjectionMatchSetInput`) /// - /// - Returns: `DeleteSqlInjectionMatchSetOutput` : The response to a request to delete a [SqlInjectionMatchSet] from AWS WAF. + /// - Returns: The response to a request to delete a [SqlInjectionMatchSet] from AWS WAF. (Type: `DeleteSqlInjectionMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2744,7 +2719,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSqlInjectionMatchSetOutput.httpOutput(from:), DeleteSqlInjectionMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2785,9 +2759,9 @@ extension WAFClient { /// /// * Submit a DeleteWebACL request. /// - /// - Parameter DeleteWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWebACLInput`) /// - /// - Returns: `DeleteWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2838,7 +2812,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWebACLOutput.httpOutput(from:), DeleteWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2879,9 +2852,9 @@ extension WAFClient { /// /// * Submit a DeleteXssMatchSet request. /// - /// - Parameter DeleteXssMatchSetInput : A request to delete an [XssMatchSet] from AWS WAF. + /// - Parameter input: A request to delete an [XssMatchSet] from AWS WAF. (Type: `DeleteXssMatchSetInput`) /// - /// - Returns: `DeleteXssMatchSetOutput` : The response to a request to delete an [XssMatchSet] from AWS WAF. + /// - Returns: The response to a request to delete an [XssMatchSet] from AWS WAF. (Type: `DeleteXssMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2930,7 +2903,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteXssMatchSetOutput.httpOutput(from:), DeleteXssMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2965,9 +2937,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [ByteMatchSet] specified by ByteMatchSetId. /// - /// - Parameter GetByteMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetByteMatchSetInput`) /// - /// - Returns: `GetByteMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetByteMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3001,7 +2973,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetByteMatchSetOutput.httpOutput(from:), GetByteMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3036,9 +3007,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. When you want to create, update, or delete AWS WAF objects, get a change token and include the change token in the create, update, or delete request. Change tokens ensure that your application doesn't submit conflicting requests to AWS WAF. Each create, update, or delete request must use a unique change token. If your application submits a GetChangeToken request and then submits a second GetChangeToken request before submitting a create, update, or delete request, the second GetChangeToken request returns the same value as the first GetChangeToken request. When you use a change token in a create, update, or delete request, the status of the change token changes to PENDING, which indicates that AWS WAF is propagating the change to all AWS WAF servers. Use GetChangeTokenStatus to determine the status of your change token. /// - /// - Parameter GetChangeTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChangeTokenInput`) /// - /// - Returns: `GetChangeTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChangeTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3070,7 +3041,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChangeTokenOutput.httpOutput(from:), GetChangeTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3111,9 +3081,9 @@ extension WAFClient { /// /// * INSYNC: Propagation is complete. /// - /// - Parameter GetChangeTokenStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChangeTokenStatusInput`) /// - /// - Returns: `GetChangeTokenStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChangeTokenStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3146,7 +3116,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChangeTokenStatusOutput.httpOutput(from:), GetChangeTokenStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3181,9 +3150,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [GeoMatchSet] that is specified by GeoMatchSetId. /// - /// - Parameter GetGeoMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGeoMatchSetInput`) /// - /// - Returns: `GetGeoMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGeoMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3217,7 +3186,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGeoMatchSetOutput.httpOutput(from:), GetGeoMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3252,9 +3220,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [IPSet] that is specified by IPSetId. /// - /// - Parameter GetIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIPSetInput`) /// - /// - Returns: `GetIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3288,7 +3256,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIPSetOutput.httpOutput(from:), GetIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3323,9 +3290,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [LoggingConfiguration] for the specified web ACL. /// - /// - Parameter GetLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoggingConfigurationInput`) /// - /// - Returns: `GetLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3358,7 +3325,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoggingConfigurationOutput.httpOutput(from:), GetLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3393,9 +3359,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the IAM policy attached to the RuleGroup. /// - /// - Parameter GetPermissionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPermissionPolicyInput`) /// - /// - Returns: `GetPermissionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPermissionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3428,7 +3394,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPermissionPolicyOutput.httpOutput(from:), GetPermissionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3463,9 +3428,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [RateBasedRule] that is specified by the RuleId that you included in the GetRateBasedRule request. /// - /// - Parameter GetRateBasedRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRateBasedRuleInput`) /// - /// - Returns: `GetRateBasedRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRateBasedRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3499,7 +3464,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRateBasedRuleOutput.httpOutput(from:), GetRateBasedRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3534,9 +3498,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of IP addresses currently being blocked by the [RateBasedRule] that is specified by the RuleId. The maximum number of managed keys that will be blocked is 10,000. If more than 10,000 addresses exceed the rate limit, the 10,000 addresses with the highest rates will be blocked. /// - /// - Parameter GetRateBasedRuleManagedKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRateBasedRuleManagedKeysInput`) /// - /// - Returns: `GetRateBasedRuleManagedKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRateBasedRuleManagedKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3589,7 +3553,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRateBasedRuleManagedKeysOutput.httpOutput(from:), GetRateBasedRuleManagedKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3624,9 +3587,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [RegexMatchSet] specified by RegexMatchSetId. /// - /// - Parameter GetRegexMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegexMatchSetInput`) /// - /// - Returns: `GetRegexMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegexMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3660,7 +3623,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegexMatchSetOutput.httpOutput(from:), GetRegexMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3695,9 +3657,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [RegexPatternSet] specified by RegexPatternSetId. /// - /// - Parameter GetRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegexPatternSetInput`) /// - /// - Returns: `GetRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3731,7 +3693,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegexPatternSetOutput.httpOutput(from:), GetRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3766,9 +3727,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [Rule] that is specified by the RuleId that you included in the GetRule request. /// - /// - Parameter GetRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuleInput`) /// - /// - Returns: `GetRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3802,7 +3763,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuleOutput.httpOutput(from:), GetRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3837,9 +3797,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [RuleGroup] that is specified by the RuleGroupId that you included in the GetRuleGroup request. To view the rules in a rule group, use [ListActivatedRulesInRuleGroup]. /// - /// - Parameter GetRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuleGroupInput`) /// - /// - Returns: `GetRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3872,7 +3832,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuleGroupOutput.httpOutput(from:), GetRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3907,9 +3866,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Gets detailed information about a specified number of requests--a sample--that AWS WAF randomly selects from among the first 5,000 requests that your AWS resource received during a time range that you choose. You can specify a sample size of up to 500 requests, and you can specify any time range in the previous three hours. GetSampledRequests returns a time range, which is usually the time range that you specified. However, if your resource (such as a CloudFront distribution) received 5,000 requests before the specified time range elapsed, GetSampledRequests returns an updated time range. This new time range indicates the actual period during which AWS WAF selected the requests in the sample. /// - /// - Parameter GetSampledRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSampledRequestsInput`) /// - /// - Returns: `GetSampledRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSampledRequestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3942,7 +3901,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSampledRequestsOutput.httpOutput(from:), GetSampledRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3977,9 +3935,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [SizeConstraintSet] specified by SizeConstraintSetId. /// - /// - Parameter GetSizeConstraintSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSizeConstraintSetInput`) /// - /// - Returns: `GetSizeConstraintSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSizeConstraintSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4013,7 +3971,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSizeConstraintSetOutput.httpOutput(from:), GetSizeConstraintSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4048,9 +4005,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [SqlInjectionMatchSet] that is specified by SqlInjectionMatchSetId. /// - /// - Parameter GetSqlInjectionMatchSetInput : A request to get a [SqlInjectionMatchSet]. + /// - Parameter input: A request to get a [SqlInjectionMatchSet]. (Type: `GetSqlInjectionMatchSetInput`) /// - /// - Returns: `GetSqlInjectionMatchSetOutput` : The response to a [GetSqlInjectionMatchSet] request. + /// - Returns: The response to a [GetSqlInjectionMatchSet] request. (Type: `GetSqlInjectionMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4084,7 +4041,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSqlInjectionMatchSetOutput.httpOutput(from:), GetSqlInjectionMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4119,9 +4075,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [WebACL] that is specified by WebACLId. /// - /// - Parameter GetWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWebACLInput`) /// - /// - Returns: `GetWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4155,7 +4111,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWebACLOutput.httpOutput(from:), GetWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4190,9 +4145,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [XssMatchSet] that is specified by XssMatchSetId. /// - /// - Parameter GetXssMatchSetInput : A request to get an [XssMatchSet]. + /// - Parameter input: A request to get an [XssMatchSet]. (Type: `GetXssMatchSetInput`) /// - /// - Returns: `GetXssMatchSetOutput` : The response to a [GetXssMatchSet] request. + /// - Returns: The response to a [GetXssMatchSet] request. (Type: `GetXssMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4226,7 +4181,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetXssMatchSetOutput.httpOutput(from:), GetXssMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4261,9 +4215,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [ActivatedRule] objects. /// - /// - Parameter ListActivatedRulesInRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListActivatedRulesInRuleGroupInput`) /// - /// - Returns: `ListActivatedRulesInRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListActivatedRulesInRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4315,7 +4269,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActivatedRulesInRuleGroupOutput.httpOutput(from:), ListActivatedRulesInRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4350,9 +4303,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [ByteMatchSetSummary] objects. /// - /// - Parameter ListByteMatchSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListByteMatchSetsInput`) /// - /// - Returns: `ListByteMatchSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListByteMatchSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4385,7 +4338,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListByteMatchSetsOutput.httpOutput(from:), ListByteMatchSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4420,9 +4372,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [GeoMatchSetSummary] objects in the response. /// - /// - Parameter ListGeoMatchSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGeoMatchSetsInput`) /// - /// - Returns: `ListGeoMatchSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGeoMatchSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4455,7 +4407,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGeoMatchSetsOutput.httpOutput(from:), ListGeoMatchSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4490,9 +4441,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [IPSetSummary] objects in the response. /// - /// - Parameter ListIPSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIPSetsInput`) /// - /// - Returns: `ListIPSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIPSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4525,7 +4476,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIPSetsOutput.httpOutput(from:), ListIPSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4560,9 +4510,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [LoggingConfiguration] objects. /// - /// - Parameter ListLoggingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLoggingConfigurationsInput`) /// - /// - Returns: `ListLoggingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLoggingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4614,7 +4564,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLoggingConfigurationsOutput.httpOutput(from:), ListLoggingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4649,9 +4598,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RuleSummary] objects. /// - /// - Parameter ListRateBasedRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRateBasedRulesInput`) /// - /// - Returns: `ListRateBasedRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRateBasedRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4684,7 +4633,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRateBasedRulesOutput.httpOutput(from:), ListRateBasedRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4719,9 +4667,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RegexMatchSetSummary] objects. /// - /// - Parameter ListRegexMatchSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegexMatchSetsInput`) /// - /// - Returns: `ListRegexMatchSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegexMatchSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4754,7 +4702,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegexMatchSetsOutput.httpOutput(from:), ListRegexMatchSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4789,9 +4736,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RegexPatternSetSummary] objects. /// - /// - Parameter ListRegexPatternSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegexPatternSetsInput`) /// - /// - Returns: `ListRegexPatternSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegexPatternSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4824,7 +4771,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegexPatternSetsOutput.httpOutput(from:), ListRegexPatternSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4859,9 +4805,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RuleGroup] objects. /// - /// - Parameter ListRuleGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRuleGroupsInput`) /// - /// - Returns: `ListRuleGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRuleGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4893,7 +4839,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleGroupsOutput.httpOutput(from:), ListRuleGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4928,9 +4873,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RuleSummary] objects. /// - /// - Parameter ListRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesInput`) /// - /// - Returns: `ListRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4963,7 +4908,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesOutput.httpOutput(from:), ListRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4998,9 +4942,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [SizeConstraintSetSummary] objects. /// - /// - Parameter ListSizeConstraintSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSizeConstraintSetsInput`) /// - /// - Returns: `ListSizeConstraintSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSizeConstraintSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5033,7 +4977,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSizeConstraintSetsOutput.httpOutput(from:), ListSizeConstraintSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5068,9 +5011,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [SqlInjectionMatchSet] objects. /// - /// - Parameter ListSqlInjectionMatchSetsInput : A request to list the [SqlInjectionMatchSet] objects created by the current AWS account. + /// - Parameter input: A request to list the [SqlInjectionMatchSet] objects created by the current AWS account. (Type: `ListSqlInjectionMatchSetsInput`) /// - /// - Returns: `ListSqlInjectionMatchSetsOutput` : The response to a [ListSqlInjectionMatchSets] request. + /// - Returns: The response to a [ListSqlInjectionMatchSets] request. (Type: `ListSqlInjectionMatchSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5103,7 +5046,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSqlInjectionMatchSetsOutput.httpOutput(from:), ListSqlInjectionMatchSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5138,9 +5080,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RuleGroup] objects that you are subscribed to. /// - /// - Parameter ListSubscribedRuleGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscribedRuleGroupsInput`) /// - /// - Returns: `ListSubscribedRuleGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscribedRuleGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5173,7 +5115,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscribedRuleGroupsOutput.httpOutput(from:), ListSubscribedRuleGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5208,9 +5149,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Retrieves the tags associated with the specified AWS resource. Tags are key:value pairs that you can use to categorize and manage your resources, for purposes like billing. For example, you might set the tag key to "customer" and the value to the customer name or ID. You can specify one or more tags to add to each AWS resource, up to 50 tags for a resource. Tagging is only available through the API, SDKs, and CLI. You can't manage or view tags through the AWS WAF Classic console. You can tag the AWS resources that you manage through AWS WAF Classic: web ACLs, rule groups, and rules. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5265,7 +5206,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5300,9 +5240,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [WebACLSummary] objects in the response. /// - /// - Parameter ListWebACLsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWebACLsInput`) /// - /// - Returns: `ListWebACLsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWebACLsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5335,7 +5275,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWebACLsOutput.httpOutput(from:), ListWebACLsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5370,9 +5309,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [XssMatchSet] objects. /// - /// - Parameter ListXssMatchSetsInput : A request to list the [XssMatchSet] objects created by the current AWS account. + /// - Parameter input: A request to list the [XssMatchSet] objects created by the current AWS account. (Type: `ListXssMatchSetsInput`) /// - /// - Returns: `ListXssMatchSetsOutput` : The response to a [ListXssMatchSets] request. + /// - Returns: The response to a [ListXssMatchSets] request. (Type: `ListXssMatchSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5405,7 +5344,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListXssMatchSetsOutput.httpOutput(from:), ListXssMatchSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5447,9 +5385,9 @@ extension WAFClient { /// /// When you successfully enable logging using a PutLoggingConfiguration request, AWS WAF will create a service linked role with the necessary permissions to write logs to the Amazon Kinesis Data Firehose. For more information, see [Logging Web ACL Traffic Information](https://docs.aws.amazon.com/waf/latest/developerguide/logging.html) in the AWS WAF Developer Guide. /// - /// - Parameter PutLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLoggingConfigurationInput`) /// - /// - Returns: `PutLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5484,7 +5422,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLoggingConfigurationOutput.httpOutput(from:), PutLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5541,9 +5478,9 @@ extension WAFClient { /// /// For more information, see [IAM Policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies.html). An example of a valid policy parameter is shown in the Examples section below. /// - /// - Parameter PutPermissionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPermissionPolicyInput`) /// - /// - Returns: `PutPermissionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPermissionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5594,7 +5531,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPermissionPolicyOutput.httpOutput(from:), PutPermissionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5629,9 +5565,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Associates tags with the specified AWS resource. Tags are key:value pairs that you can use to categorize and manage your resources, for purposes like billing. For example, you might set the tag key to "customer" and the value to the customer name or ID. You can specify one or more tags to add to each AWS resource, up to 50 tags for a resource. Tagging is only available through the API, SDKs, and CLI. You can't manage or view tags through the AWS WAF Classic console. You can use this action to tag the AWS resources that you manage through AWS WAF Classic: web ACLs, rule groups, and rules. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5687,7 +5623,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5722,9 +5657,9 @@ extension WAFClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5779,7 +5714,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5836,9 +5770,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateByteMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateByteMatchSetInput`) /// - /// - Returns: `UpdateByteMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateByteMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5913,7 +5847,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateByteMatchSetOutput.httpOutput(from:), UpdateByteMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5966,9 +5899,9 @@ extension WAFClient { /// /// When you update an GeoMatchSet, you specify the country that you want to add and/or the country that you want to delete. If you want to change a country, you delete the existing country and add the new one. For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateGeoMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGeoMatchSetInput`) /// - /// - Returns: `UpdateGeoMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGeoMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6048,7 +5981,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGeoMatchSetOutput.httpOutput(from:), UpdateGeoMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6112,9 +6044,9 @@ extension WAFClient { /// /// When you update an IPSet, you specify the IP addresses that you want to add and/or the IP addresses that you want to delete. If you want to change an IP address, you delete the existing IP address and add the new one. You can insert a maximum of 1000 addresses in a single request. For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIPSetInput`) /// - /// - Returns: `UpdateIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6194,7 +6126,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIPSetOutput.httpOutput(from:), UpdateIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6245,9 +6176,9 @@ extension WAFClient { /// /// Further, you specify a RateLimit of 1,000. By adding this RateBasedRule to a WebACL, you could limit requests to your login page without affecting the rest of your site. /// - /// - Parameter UpdateRateBasedRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRateBasedRuleInput`) /// - /// - Returns: `UpdateRateBasedRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRateBasedRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6327,7 +6258,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRateBasedRuleOutput.httpOutput(from:), UpdateRateBasedRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6382,9 +6312,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateRegexMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRegexMatchSetInput`) /// - /// - Returns: `UpdateRegexMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRegexMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6441,7 +6371,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRegexMatchSetOutput.httpOutput(from:), UpdateRegexMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6503,9 +6432,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRegexPatternSetInput`) /// - /// - Returns: `UpdateRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6562,7 +6491,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRegexPatternSetOutput.httpOutput(from:), UpdateRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6617,9 +6545,9 @@ extension WAFClient { /// /// If you want to replace one ByteMatchSet or IPSet with another, you delete the existing one and add the new one. For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleInput`) /// - /// - Returns: `UpdateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6699,7 +6627,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleOutput.httpOutput(from:), UpdateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6745,9 +6672,9 @@ extension WAFClient { /// /// If you want to replace one Rule with another, you delete the existing one and add the new one. For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleGroupInput`) /// - /// - Returns: `UpdateRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6821,7 +6748,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleGroupOutput.httpOutput(from:), UpdateRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6878,9 +6804,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateSizeConstraintSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSizeConstraintSetInput`) /// - /// - Returns: `UpdateSizeConstraintSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSizeConstraintSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6960,7 +6886,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSizeConstraintSetOutput.httpOutput(from:), UpdateSizeConstraintSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7013,9 +6938,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateSqlInjectionMatchSetInput : A request to update a [SqlInjectionMatchSet]. + /// - Parameter input: A request to update a [SqlInjectionMatchSet]. (Type: `UpdateSqlInjectionMatchSetInput`) /// - /// - Returns: `UpdateSqlInjectionMatchSetOutput` : The response to an [UpdateSqlInjectionMatchSets] request. + /// - Returns: The response to an [UpdateSqlInjectionMatchSets] request. (Type: `UpdateSqlInjectionMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7090,7 +7015,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSqlInjectionMatchSetOutput.httpOutput(from:), UpdateSqlInjectionMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7149,9 +7073,9 @@ extension WAFClient { /// /// Be aware that if you try to add a RATE_BASED rule to a web ACL without setting the rule type when first creating the rule, the [UpdateWebACL] request will fail because the request tries to add a REGULAR rule (the default rule type) with the specified ID, which does not exist. For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWebACLInput`) /// - /// - Returns: `UpdateWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7232,7 +7156,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWebACLOutput.httpOutput(from:), UpdateWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7285,9 +7208,9 @@ extension WAFClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateXssMatchSetInput : A request to update an [XssMatchSet]. + /// - Parameter input: A request to update an [XssMatchSet]. (Type: `UpdateXssMatchSetInput`) /// - /// - Returns: `UpdateXssMatchSetOutput` : The response to an [UpdateXssMatchSets] request. + /// - Returns: The response to an [UpdateXssMatchSets] request. (Type: `UpdateXssMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7362,7 +7285,6 @@ extension WAFClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateXssMatchSetOutput.httpOutput(from:), UpdateXssMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWAFRegional/Sources/AWSWAFRegional/WAFRegionalClient.swift b/Sources/Services/AWSWAFRegional/Sources/AWSWAFRegional/WAFRegionalClient.swift index 07136269055..05f40b53c94 100644 --- a/Sources/Services/AWSWAFRegional/Sources/AWSWAFRegional/WAFRegionalClient.swift +++ b/Sources/Services/AWSWAFRegional/Sources/AWSWAFRegional/WAFRegionalClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WAFRegionalClient: ClientRuntime.Client { public static let clientName = "WAFRegionalClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WAFRegionalClient.WAFRegionalClientConfiguration let serviceName = "WAF Regional" @@ -373,9 +372,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic Regional documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Associates a web ACL with a resource, either an application load balancer or Amazon API Gateway stage. /// - /// - Parameter AssociateWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateWebACLInput`) /// - /// - Returns: `AssociateWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -429,7 +428,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateWebACLOutput.httpOutput(from:), AssociateWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -475,9 +473,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateByteMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateByteMatchSetInput`) /// - /// - Returns: `CreateByteMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateByteMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -532,7 +530,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateByteMatchSetOutput.httpOutput(from:), CreateByteMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -578,9 +575,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateGeoMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGeoMatchSetInput`) /// - /// - Returns: `CreateGeoMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGeoMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +632,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGeoMatchSetOutput.httpOutput(from:), CreateGeoMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -681,9 +677,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIPSetInput`) /// - /// - Returns: `CreateIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -738,7 +734,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIPSetOutput.httpOutput(from:), CreateIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -804,9 +799,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateRateBasedRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRateBasedRuleInput`) /// - /// - Returns: `CreateRateBasedRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRateBasedRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -863,7 +858,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRateBasedRuleOutput.httpOutput(from:), CreateRateBasedRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -909,9 +903,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateRegexMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegexMatchSetInput`) /// - /// - Returns: `CreateRegexMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegexMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -946,7 +940,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegexMatchSetOutput.httpOutput(from:), CreateRegexMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -992,9 +985,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegexPatternSetInput`) /// - /// - Returns: `CreateRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1029,7 +1022,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegexPatternSetOutput.httpOutput(from:), CreateRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1078,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleInput`) /// - /// - Returns: `CreateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1145,7 +1137,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleOutput.httpOutput(from:), CreateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1189,9 +1180,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleGroupInput`) /// - /// - Returns: `CreateRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1229,7 +1220,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleGroupOutput.httpOutput(from:), CreateRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1275,9 +1265,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateSizeConstraintSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSizeConstraintSetInput`) /// - /// - Returns: `CreateSizeConstraintSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSizeConstraintSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1332,7 +1322,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSizeConstraintSetOutput.httpOutput(from:), CreateSizeConstraintSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1378,9 +1367,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateSqlInjectionMatchSetInput : A request to create a [SqlInjectionMatchSet]. + /// - Parameter input: A request to create a [SqlInjectionMatchSet]. (Type: `CreateSqlInjectionMatchSetInput`) /// - /// - Returns: `CreateSqlInjectionMatchSetOutput` : The response to a CreateSqlInjectionMatchSet request. + /// - Returns: The response to a CreateSqlInjectionMatchSet request. (Type: `CreateSqlInjectionMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1435,7 +1424,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSqlInjectionMatchSetOutput.httpOutput(from:), CreateSqlInjectionMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1485,9 +1473,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWebACLInput`) /// - /// - Returns: `CreateWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1545,7 +1533,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWebACLOutput.httpOutput(from:), CreateWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1580,9 +1567,9 @@ extension WAFRegionalClient { /// /// Creates an AWS CloudFormation WAFV2 template for the specified web ACL in the specified Amazon S3 bucket. Then, in CloudFormation, you create a stack from the template, to create the web ACL and its resources in AWS WAFV2. Use this to migrate your AWS WAF Classic web ACL to the latest version of AWS WAF. This is part of a larger migration procedure for web ACLs from AWS WAF Classic to the latest version of AWS WAF. For the full procedure, including caveats and manual steps to complete the migration and switch over to the new web ACL, see [Migrating your AWS WAF Classic resources to AWS WAF](https://docs.aws.amazon.com/waf/latest/developerguide/waf-migrating-from-classic.html) in the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). /// - /// - Parameter CreateWebACLMigrationStackInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWebACLMigrationStackInput`) /// - /// - Returns: `CreateWebACLMigrationStackOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWebACLMigrationStackOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1660,7 +1647,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWebACLMigrationStackOutput.httpOutput(from:), CreateWebACLMigrationStackOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1706,9 +1692,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter CreateXssMatchSetInput : A request to create an [XssMatchSet]. + /// - Parameter input: A request to create an [XssMatchSet]. (Type: `CreateXssMatchSetInput`) /// - /// - Returns: `CreateXssMatchSetOutput` : The response to a CreateXssMatchSet request. + /// - Returns: The response to a CreateXssMatchSet request. (Type: `CreateXssMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1763,7 +1749,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateXssMatchSetOutput.httpOutput(from:), CreateXssMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1804,9 +1789,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteByteMatchSet request. /// - /// - Parameter DeleteByteMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteByteMatchSetInput`) /// - /// - Returns: `DeleteByteMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteByteMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1855,7 +1840,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteByteMatchSetOutput.httpOutput(from:), DeleteByteMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1896,9 +1880,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteGeoMatchSet request. /// - /// - Parameter DeleteGeoMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGeoMatchSetInput`) /// - /// - Returns: `DeleteGeoMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGeoMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1947,7 +1931,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGeoMatchSetOutput.httpOutput(from:), DeleteGeoMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1988,9 +1971,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteIPSet request. /// - /// - Parameter DeleteIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIPSetInput`) /// - /// - Returns: `DeleteIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2039,7 +2022,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIPSetOutput.httpOutput(from:), DeleteIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2074,9 +2056,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Permanently deletes the [LoggingConfiguration] from the specified web ACL. /// - /// - Parameter DeleteLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLoggingConfigurationInput`) /// - /// - Returns: `DeleteLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2110,7 +2092,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoggingConfigurationOutput.httpOutput(from:), DeleteLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2145,9 +2126,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Permanently deletes an IAM policy from the specified RuleGroup. The user making the request must be the owner of the RuleGroup. /// - /// - Parameter DeletePermissionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePermissionPolicyInput`) /// - /// - Returns: `DeletePermissionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePermissionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2181,7 +2162,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePermissionPolicyOutput.httpOutput(from:), DeletePermissionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2222,9 +2202,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteRateBasedRule request. /// - /// - Parameter DeleteRateBasedRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRateBasedRuleInput`) /// - /// - Returns: `DeleteRateBasedRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRateBasedRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2275,7 +2255,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRateBasedRuleOutput.httpOutput(from:), DeleteRateBasedRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2316,9 +2295,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteRegexMatchSet request. /// - /// - Parameter DeleteRegexMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegexMatchSetInput`) /// - /// - Returns: `DeleteRegexMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegexMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2367,7 +2346,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegexMatchSetOutput.httpOutput(from:), DeleteRegexMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2402,9 +2380,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Permanently deletes a [RegexPatternSet]. You can't delete a RegexPatternSet if it's still used in any RegexMatchSet or if the RegexPatternSet is not empty. /// - /// - Parameter DeleteRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegexPatternSetInput`) /// - /// - Returns: `DeleteRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2453,7 +2431,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegexPatternSetOutput.httpOutput(from:), DeleteRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2494,9 +2471,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteRule request. /// - /// - Parameter DeleteRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleInput`) /// - /// - Returns: `DeleteRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2547,7 +2524,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleOutput.httpOutput(from:), DeleteRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2588,9 +2564,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteRuleGroup request. /// - /// - Parameter DeleteRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleGroupInput`) /// - /// - Returns: `DeleteRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2651,7 +2627,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleGroupOutput.httpOutput(from:), DeleteRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2692,9 +2667,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteSizeConstraintSet request. /// - /// - Parameter DeleteSizeConstraintSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSizeConstraintSetInput`) /// - /// - Returns: `DeleteSizeConstraintSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSizeConstraintSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2743,7 +2718,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSizeConstraintSetOutput.httpOutput(from:), DeleteSizeConstraintSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2784,9 +2758,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteSqlInjectionMatchSet request. /// - /// - Parameter DeleteSqlInjectionMatchSetInput : A request to delete a [SqlInjectionMatchSet] from AWS WAF. + /// - Parameter input: A request to delete a [SqlInjectionMatchSet] from AWS WAF. (Type: `DeleteSqlInjectionMatchSetInput`) /// - /// - Returns: `DeleteSqlInjectionMatchSetOutput` : The response to a request to delete a [SqlInjectionMatchSet] from AWS WAF. + /// - Returns: The response to a request to delete a [SqlInjectionMatchSet] from AWS WAF. (Type: `DeleteSqlInjectionMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2835,7 +2809,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSqlInjectionMatchSetOutput.httpOutput(from:), DeleteSqlInjectionMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2876,9 +2849,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteWebACL request. /// - /// - Parameter DeleteWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWebACLInput`) /// - /// - Returns: `DeleteWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2929,7 +2902,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWebACLOutput.httpOutput(from:), DeleteWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2970,9 +2942,9 @@ extension WAFRegionalClient { /// /// * Submit a DeleteXssMatchSet request. /// - /// - Parameter DeleteXssMatchSetInput : A request to delete an [XssMatchSet] from AWS WAF. + /// - Parameter input: A request to delete an [XssMatchSet] from AWS WAF. (Type: `DeleteXssMatchSetInput`) /// - /// - Returns: `DeleteXssMatchSetOutput` : The response to a request to delete an [XssMatchSet] from AWS WAF. + /// - Returns: The response to a request to delete an [XssMatchSet] from AWS WAF. (Type: `DeleteXssMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3021,7 +2993,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteXssMatchSetOutput.httpOutput(from:), DeleteXssMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3056,9 +3027,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic Regional documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Removes a web ACL from the specified resource, either an application load balancer or Amazon API Gateway stage. /// - /// - Parameter DisassociateWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateWebACLInput`) /// - /// - Returns: `DisassociateWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3111,7 +3082,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateWebACLOutput.httpOutput(from:), DisassociateWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3146,9 +3116,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [ByteMatchSet] specified by ByteMatchSetId. /// - /// - Parameter GetByteMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetByteMatchSetInput`) /// - /// - Returns: `GetByteMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetByteMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3182,7 +3152,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetByteMatchSetOutput.httpOutput(from:), GetByteMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3217,9 +3186,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. When you want to create, update, or delete AWS WAF objects, get a change token and include the change token in the create, update, or delete request. Change tokens ensure that your application doesn't submit conflicting requests to AWS WAF. Each create, update, or delete request must use a unique change token. If your application submits a GetChangeToken request and then submits a second GetChangeToken request before submitting a create, update, or delete request, the second GetChangeToken request returns the same value as the first GetChangeToken request. When you use a change token in a create, update, or delete request, the status of the change token changes to PENDING, which indicates that AWS WAF is propagating the change to all AWS WAF servers. Use GetChangeTokenStatus to determine the status of your change token. /// - /// - Parameter GetChangeTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChangeTokenInput`) /// - /// - Returns: `GetChangeTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChangeTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3251,7 +3220,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChangeTokenOutput.httpOutput(from:), GetChangeTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3292,9 +3260,9 @@ extension WAFRegionalClient { /// /// * INSYNC: Propagation is complete. /// - /// - Parameter GetChangeTokenStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetChangeTokenStatusInput`) /// - /// - Returns: `GetChangeTokenStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetChangeTokenStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3327,7 +3295,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetChangeTokenStatusOutput.httpOutput(from:), GetChangeTokenStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3362,9 +3329,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [GeoMatchSet] that is specified by GeoMatchSetId. /// - /// - Parameter GetGeoMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGeoMatchSetInput`) /// - /// - Returns: `GetGeoMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGeoMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3398,7 +3365,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGeoMatchSetOutput.httpOutput(from:), GetGeoMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3433,9 +3399,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [IPSet] that is specified by IPSetId. /// - /// - Parameter GetIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIPSetInput`) /// - /// - Returns: `GetIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3469,7 +3435,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIPSetOutput.httpOutput(from:), GetIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3504,9 +3469,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [LoggingConfiguration] for the specified web ACL. /// - /// - Parameter GetLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoggingConfigurationInput`) /// - /// - Returns: `GetLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3539,7 +3504,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoggingConfigurationOutput.httpOutput(from:), GetLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3574,9 +3538,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the IAM policy attached to the RuleGroup. /// - /// - Parameter GetPermissionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPermissionPolicyInput`) /// - /// - Returns: `GetPermissionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPermissionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3609,7 +3573,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPermissionPolicyOutput.httpOutput(from:), GetPermissionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3644,9 +3607,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [RateBasedRule] that is specified by the RuleId that you included in the GetRateBasedRule request. /// - /// - Parameter GetRateBasedRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRateBasedRuleInput`) /// - /// - Returns: `GetRateBasedRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRateBasedRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3680,7 +3643,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRateBasedRuleOutput.httpOutput(from:), GetRateBasedRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3715,9 +3677,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of IP addresses currently being blocked by the [RateBasedRule] that is specified by the RuleId. The maximum number of managed keys that will be blocked is 10,000. If more than 10,000 addresses exceed the rate limit, the 10,000 addresses with the highest rates will be blocked. /// - /// - Parameter GetRateBasedRuleManagedKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRateBasedRuleManagedKeysInput`) /// - /// - Returns: `GetRateBasedRuleManagedKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRateBasedRuleManagedKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3770,7 +3732,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRateBasedRuleManagedKeysOutput.httpOutput(from:), GetRateBasedRuleManagedKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3805,9 +3766,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [RegexMatchSet] specified by RegexMatchSetId. /// - /// - Parameter GetRegexMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegexMatchSetInput`) /// - /// - Returns: `GetRegexMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegexMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3841,7 +3802,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegexMatchSetOutput.httpOutput(from:), GetRegexMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3876,9 +3836,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [RegexPatternSet] specified by RegexPatternSetId. /// - /// - Parameter GetRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegexPatternSetInput`) /// - /// - Returns: `GetRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3912,7 +3872,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegexPatternSetOutput.httpOutput(from:), GetRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3947,9 +3906,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [Rule] that is specified by the RuleId that you included in the GetRule request. /// - /// - Parameter GetRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuleInput`) /// - /// - Returns: `GetRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3983,7 +3942,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuleOutput.httpOutput(from:), GetRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4018,9 +3976,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [RuleGroup] that is specified by the RuleGroupId that you included in the GetRuleGroup request. To view the rules in a rule group, use [ListActivatedRulesInRuleGroup]. /// - /// - Parameter GetRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuleGroupInput`) /// - /// - Returns: `GetRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4053,7 +4011,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuleGroupOutput.httpOutput(from:), GetRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4088,9 +4045,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Gets detailed information about a specified number of requests--a sample--that AWS WAF randomly selects from among the first 5,000 requests that your AWS resource received during a time range that you choose. You can specify a sample size of up to 500 requests, and you can specify any time range in the previous three hours. GetSampledRequests returns a time range, which is usually the time range that you specified. However, if your resource (such as a CloudFront distribution) received 5,000 requests before the specified time range elapsed, GetSampledRequests returns an updated time range. This new time range indicates the actual period during which AWS WAF selected the requests in the sample. /// - /// - Parameter GetSampledRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSampledRequestsInput`) /// - /// - Returns: `GetSampledRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSampledRequestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4123,7 +4080,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSampledRequestsOutput.httpOutput(from:), GetSampledRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4158,9 +4114,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [SizeConstraintSet] specified by SizeConstraintSetId. /// - /// - Parameter GetSizeConstraintSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSizeConstraintSetInput`) /// - /// - Returns: `GetSizeConstraintSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSizeConstraintSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4194,7 +4150,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSizeConstraintSetOutput.httpOutput(from:), GetSizeConstraintSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4229,9 +4184,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [SqlInjectionMatchSet] that is specified by SqlInjectionMatchSetId. /// - /// - Parameter GetSqlInjectionMatchSetInput : A request to get a [SqlInjectionMatchSet]. + /// - Parameter input: A request to get a [SqlInjectionMatchSet]. (Type: `GetSqlInjectionMatchSetInput`) /// - /// - Returns: `GetSqlInjectionMatchSetOutput` : The response to a [GetSqlInjectionMatchSet] request. + /// - Returns: The response to a [GetSqlInjectionMatchSet] request. (Type: `GetSqlInjectionMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4265,7 +4220,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSqlInjectionMatchSetOutput.httpOutput(from:), GetSqlInjectionMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4300,9 +4254,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [WebACL] that is specified by WebACLId. /// - /// - Parameter GetWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWebACLInput`) /// - /// - Returns: `GetWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4336,7 +4290,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWebACLOutput.httpOutput(from:), GetWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4371,9 +4324,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic Regional documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the web ACL for the specified resource, either an application load balancer or Amazon API Gateway stage. /// - /// - Parameter GetWebACLForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWebACLForResourceInput`) /// - /// - Returns: `GetWebACLForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWebACLForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4427,7 +4380,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWebACLForResourceOutput.httpOutput(from:), GetWebACLForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4462,9 +4414,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns the [XssMatchSet] that is specified by XssMatchSetId. /// - /// - Parameter GetXssMatchSetInput : A request to get an [XssMatchSet]. + /// - Parameter input: A request to get an [XssMatchSet]. (Type: `GetXssMatchSetInput`) /// - /// - Returns: `GetXssMatchSetOutput` : The response to a [GetXssMatchSet] request. + /// - Returns: The response to a [GetXssMatchSet] request. (Type: `GetXssMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4498,7 +4450,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetXssMatchSetOutput.httpOutput(from:), GetXssMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4533,9 +4484,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [ActivatedRule] objects. /// - /// - Parameter ListActivatedRulesInRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListActivatedRulesInRuleGroupInput`) /// - /// - Returns: `ListActivatedRulesInRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListActivatedRulesInRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4587,7 +4538,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListActivatedRulesInRuleGroupOutput.httpOutput(from:), ListActivatedRulesInRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4622,9 +4572,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [ByteMatchSetSummary] objects. /// - /// - Parameter ListByteMatchSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListByteMatchSetsInput`) /// - /// - Returns: `ListByteMatchSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListByteMatchSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4657,7 +4607,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListByteMatchSetsOutput.httpOutput(from:), ListByteMatchSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4692,9 +4641,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [GeoMatchSetSummary] objects in the response. /// - /// - Parameter ListGeoMatchSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGeoMatchSetsInput`) /// - /// - Returns: `ListGeoMatchSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGeoMatchSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4727,7 +4676,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGeoMatchSetsOutput.httpOutput(from:), ListGeoMatchSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4762,9 +4710,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [IPSetSummary] objects in the response. /// - /// - Parameter ListIPSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIPSetsInput`) /// - /// - Returns: `ListIPSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIPSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4797,7 +4745,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIPSetsOutput.httpOutput(from:), ListIPSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4832,9 +4779,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [LoggingConfiguration] objects. /// - /// - Parameter ListLoggingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLoggingConfigurationsInput`) /// - /// - Returns: `ListLoggingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLoggingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4886,7 +4833,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLoggingConfigurationsOutput.httpOutput(from:), ListLoggingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4921,9 +4867,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RuleSummary] objects. /// - /// - Parameter ListRateBasedRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRateBasedRulesInput`) /// - /// - Returns: `ListRateBasedRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRateBasedRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4956,7 +4902,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRateBasedRulesOutput.httpOutput(from:), ListRateBasedRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4991,9 +4936,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RegexMatchSetSummary] objects. /// - /// - Parameter ListRegexMatchSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegexMatchSetsInput`) /// - /// - Returns: `ListRegexMatchSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegexMatchSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5026,7 +4971,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegexMatchSetsOutput.httpOutput(from:), ListRegexMatchSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5061,9 +5005,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RegexPatternSetSummary] objects. /// - /// - Parameter ListRegexPatternSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegexPatternSetsInput`) /// - /// - Returns: `ListRegexPatternSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegexPatternSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5096,7 +5040,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegexPatternSetsOutput.httpOutput(from:), ListRegexPatternSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5131,9 +5074,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic Regional documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of resources associated with the specified web ACL. /// - /// - Parameter ListResourcesForWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcesForWebACLInput`) /// - /// - Returns: `ListResourcesForWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcesForWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5186,7 +5129,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcesForWebACLOutput.httpOutput(from:), ListResourcesForWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5221,9 +5163,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RuleGroup] objects. /// - /// - Parameter ListRuleGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRuleGroupsInput`) /// - /// - Returns: `ListRuleGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRuleGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5255,7 +5197,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleGroupsOutput.httpOutput(from:), ListRuleGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5290,9 +5231,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RuleSummary] objects. /// - /// - Parameter ListRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRulesInput`) /// - /// - Returns: `ListRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5325,7 +5266,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRulesOutput.httpOutput(from:), ListRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5360,9 +5300,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [SizeConstraintSetSummary] objects. /// - /// - Parameter ListSizeConstraintSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSizeConstraintSetsInput`) /// - /// - Returns: `ListSizeConstraintSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSizeConstraintSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5395,7 +5335,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSizeConstraintSetsOutput.httpOutput(from:), ListSizeConstraintSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5430,9 +5369,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [SqlInjectionMatchSet] objects. /// - /// - Parameter ListSqlInjectionMatchSetsInput : A request to list the [SqlInjectionMatchSet] objects created by the current AWS account. + /// - Parameter input: A request to list the [SqlInjectionMatchSet] objects created by the current AWS account. (Type: `ListSqlInjectionMatchSetsInput`) /// - /// - Returns: `ListSqlInjectionMatchSetsOutput` : The response to a [ListSqlInjectionMatchSets] request. + /// - Returns: The response to a [ListSqlInjectionMatchSets] request. (Type: `ListSqlInjectionMatchSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5465,7 +5404,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSqlInjectionMatchSetsOutput.httpOutput(from:), ListSqlInjectionMatchSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5500,9 +5438,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [RuleGroup] objects that you are subscribed to. /// - /// - Parameter ListSubscribedRuleGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSubscribedRuleGroupsInput`) /// - /// - Returns: `ListSubscribedRuleGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSubscribedRuleGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5535,7 +5473,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSubscribedRuleGroupsOutput.httpOutput(from:), ListSubscribedRuleGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5570,9 +5507,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Retrieves the tags associated with the specified AWS resource. Tags are key:value pairs that you can use to categorize and manage your resources, for purposes like billing. For example, you might set the tag key to "customer" and the value to the customer name or ID. You can specify one or more tags to add to each AWS resource, up to 50 tags for a resource. Tagging is only available through the API, SDKs, and CLI. You can't manage or view tags through the AWS WAF Classic console. You can tag the AWS resources that you manage through AWS WAF Classic: web ACLs, rule groups, and rules. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5627,7 +5564,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5662,9 +5598,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [WebACLSummary] objects in the response. /// - /// - Parameter ListWebACLsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWebACLsInput`) /// - /// - Returns: `ListWebACLsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWebACLsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5697,7 +5633,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWebACLsOutput.httpOutput(from:), ListWebACLsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5732,9 +5667,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Returns an array of [XssMatchSet] objects. /// - /// - Parameter ListXssMatchSetsInput : A request to list the [XssMatchSet] objects created by the current AWS account. + /// - Parameter input: A request to list the [XssMatchSet] objects created by the current AWS account. (Type: `ListXssMatchSetsInput`) /// - /// - Returns: `ListXssMatchSetsOutput` : The response to a [ListXssMatchSets] request. + /// - Returns: The response to a [ListXssMatchSets] request. (Type: `ListXssMatchSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5767,7 +5702,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListXssMatchSetsOutput.httpOutput(from:), ListXssMatchSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5809,9 +5743,9 @@ extension WAFRegionalClient { /// /// When you successfully enable logging using a PutLoggingConfiguration request, AWS WAF will create a service linked role with the necessary permissions to write logs to the Amazon Kinesis Data Firehose. For more information, see [Logging Web ACL Traffic Information](https://docs.aws.amazon.com/waf/latest/developerguide/logging.html) in the AWS WAF Developer Guide. /// - /// - Parameter PutLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLoggingConfigurationInput`) /// - /// - Returns: `PutLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5846,7 +5780,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLoggingConfigurationOutput.httpOutput(from:), PutLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5903,9 +5836,9 @@ extension WAFRegionalClient { /// /// For more information, see [IAM Policies](https://docs.aws.amazon.com/IAM/latest/UserGuide/access_policies.html). An example of a valid policy parameter is shown in the Examples section below. /// - /// - Parameter PutPermissionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPermissionPolicyInput`) /// - /// - Returns: `PutPermissionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPermissionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5956,7 +5889,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPermissionPolicyOutput.httpOutput(from:), PutPermissionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5991,9 +5923,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. Associates tags with the specified AWS resource. Tags are key:value pairs that you can use to categorize and manage your resources, for purposes like billing. For example, you might set the tag key to "customer" and the value to the customer name or ID. You can specify one or more tags to add to each AWS resource, up to 50 tags for a resource. Tagging is only available through the API, SDKs, and CLI. You can't manage or view tags through the AWS WAF Classic console. You can use this action to tag the AWS resources that you manage through AWS WAF Classic: web ACLs, rule groups, and rules. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6049,7 +5981,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6084,9 +6015,9 @@ extension WAFRegionalClient { /// /// This is AWS WAF Classic documentation. For more information, see [AWS WAF Classic](https://docs.aws.amazon.com/waf/latest/developerguide/classic-waf-chapter.html) in the developer guide. For the latest version of AWS WAF, use the AWS WAFV2 API and see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/waf-chapter.html). With the latest version, AWS WAF has a single set of endpoints for regional and global use. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6141,7 +6072,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6198,9 +6128,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateByteMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateByteMatchSetInput`) /// - /// - Returns: `UpdateByteMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateByteMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6275,7 +6205,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateByteMatchSetOutput.httpOutput(from:), UpdateByteMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6328,9 +6257,9 @@ extension WAFRegionalClient { /// /// When you update an GeoMatchSet, you specify the country that you want to add and/or the country that you want to delete. If you want to change a country, you delete the existing country and add the new one. For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateGeoMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGeoMatchSetInput`) /// - /// - Returns: `UpdateGeoMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGeoMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6410,7 +6339,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGeoMatchSetOutput.httpOutput(from:), UpdateGeoMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6474,9 +6402,9 @@ extension WAFRegionalClient { /// /// When you update an IPSet, you specify the IP addresses that you want to add and/or the IP addresses that you want to delete. If you want to change an IP address, you delete the existing IP address and add the new one. You can insert a maximum of 1000 addresses in a single request. For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIPSetInput`) /// - /// - Returns: `UpdateIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6556,7 +6484,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIPSetOutput.httpOutput(from:), UpdateIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6607,9 +6534,9 @@ extension WAFRegionalClient { /// /// Further, you specify a RateLimit of 1,000. By adding this RateBasedRule to a WebACL, you could limit requests to your login page without affecting the rest of your site. /// - /// - Parameter UpdateRateBasedRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRateBasedRuleInput`) /// - /// - Returns: `UpdateRateBasedRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRateBasedRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6689,7 +6616,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRateBasedRuleOutput.httpOutput(from:), UpdateRateBasedRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6744,9 +6670,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateRegexMatchSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRegexMatchSetInput`) /// - /// - Returns: `UpdateRegexMatchSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRegexMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6803,7 +6729,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRegexMatchSetOutput.httpOutput(from:), UpdateRegexMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6865,9 +6790,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRegexPatternSetInput`) /// - /// - Returns: `UpdateRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6924,7 +6849,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRegexPatternSetOutput.httpOutput(from:), UpdateRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6979,9 +6903,9 @@ extension WAFRegionalClient { /// /// If you want to replace one ByteMatchSet or IPSet with another, you delete the existing one and add the new one. For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleInput`) /// - /// - Returns: `UpdateRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7061,7 +6985,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleOutput.httpOutput(from:), UpdateRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7107,9 +7030,9 @@ extension WAFRegionalClient { /// /// If you want to replace one Rule with another, you delete the existing one and add the new one. For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleGroupInput`) /// - /// - Returns: `UpdateRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7183,7 +7106,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleGroupOutput.httpOutput(from:), UpdateRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7240,9 +7162,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateSizeConstraintSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSizeConstraintSetInput`) /// - /// - Returns: `UpdateSizeConstraintSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSizeConstraintSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7322,7 +7244,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSizeConstraintSetOutput.httpOutput(from:), UpdateSizeConstraintSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7375,9 +7296,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateSqlInjectionMatchSetInput : A request to update a [SqlInjectionMatchSet]. + /// - Parameter input: A request to update a [SqlInjectionMatchSet]. (Type: `UpdateSqlInjectionMatchSetInput`) /// - /// - Returns: `UpdateSqlInjectionMatchSetOutput` : The response to an [UpdateSqlInjectionMatchSets] request. + /// - Returns: The response to an [UpdateSqlInjectionMatchSets] request. (Type: `UpdateSqlInjectionMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7452,7 +7373,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSqlInjectionMatchSetOutput.httpOutput(from:), UpdateSqlInjectionMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7511,9 +7431,9 @@ extension WAFRegionalClient { /// /// Be aware that if you try to add a RATE_BASED rule to a web ACL without setting the rule type when first creating the rule, the [UpdateWebACL] request will fail because the request tries to add a REGULAR rule (the default rule type) with the specified ID, which does not exist. For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWebACLInput`) /// - /// - Returns: `UpdateWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7594,7 +7514,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWebACLOutput.httpOutput(from:), UpdateWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -7647,9 +7566,9 @@ extension WAFRegionalClient { /// /// For more information about how to use the AWS WAF API to allow or block HTTP requests, see the [AWS WAF Developer Guide](https://docs.aws.amazon.com/waf/latest/developerguide/). /// - /// - Parameter UpdateXssMatchSetInput : A request to update an [XssMatchSet]. + /// - Parameter input: A request to update an [XssMatchSet]. (Type: `UpdateXssMatchSetInput`) /// - /// - Returns: `UpdateXssMatchSetOutput` : The response to an [UpdateXssMatchSets] request. + /// - Returns: The response to an [UpdateXssMatchSets] request. (Type: `UpdateXssMatchSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7724,7 +7643,6 @@ extension WAFRegionalClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateXssMatchSetOutput.httpOutput(from:), UpdateXssMatchSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWAFV2/Sources/AWSWAFV2/WAFV2Client.swift b/Sources/Services/AWSWAFV2/Sources/AWSWAFV2/WAFV2Client.swift index dd351c9f921..eff5f349ff4 100644 --- a/Sources/Services/AWSWAFV2/Sources/AWSWAFV2/WAFV2Client.swift +++ b/Sources/Services/AWSWAFV2/Sources/AWSWAFV2/WAFV2Client.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WAFV2Client: ClientRuntime.Client { public static let clientName = "WAFV2Client" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WAFV2Client.WAFV2ClientConfiguration let serviceName = "WAFV2" @@ -382,9 +381,9 @@ extension WAFV2Client { /// /// * After you add an IP address to an IP set that is in use in a blocking rule, the new address might be blocked in one area while still allowed in another. /// - /// - Parameter AssociateWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateWebACLInput`) /// - /// - Returns: `AssociateWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -428,7 +427,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateWebACLOutput.httpOutput(from:), AssociateWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -463,9 +461,9 @@ extension WAFV2Client { /// /// Returns the web ACL capacity unit (WCU) requirements for a specified scope and set of rules. You can use this to check the capacity requirements for the rules you want to use in a [RuleGroup] or [WebACL]. WAF uses WCUs to calculate and control the operating resources that are used to run your rules, rule groups, and web ACLs. WAF calculates capacity differently for each rule type, to reflect the relative cost of each rule. Simple rules that cost little to run use fewer WCUs than more complex rules that use more processing power. Rule group capacity is fixed at creation, which helps users plan their web ACL WCU usage when they use a rule group. For more information, see [WAF web ACL capacity units (WCU)](https://docs.aws.amazon.com/waf/latest/developerguide/aws-waf-capacity-units.html) in the WAF Developer Guide. /// - /// - Parameter CheckCapacityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CheckCapacityInput`) /// - /// - Returns: `CheckCapacityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CheckCapacityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -513,7 +511,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CheckCapacityOutput.httpOutput(from:), CheckCapacityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -548,9 +545,9 @@ extension WAFV2Client { /// /// Creates an API key that contains a set of token domains. API keys are required for the integration of the CAPTCHA API in your JavaScript client applications. The API lets you customize the placement and characteristics of the CAPTCHA puzzle for your end users. For more information about the CAPTCHA JavaScript integration, see [WAF client application integration](https://docs.aws.amazon.com/waf/latest/developerguide/waf-application-integration.html) in the WAF Developer Guide. You can use a single key for up to 5 domains. After you generate a key, you can copy it for use in your JavaScript integration. /// - /// - Parameter CreateAPIKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAPIKeyInput`) /// - /// - Returns: `CreateAPIKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAPIKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -593,7 +590,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAPIKeyOutput.httpOutput(from:), CreateAPIKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -628,9 +624,9 @@ extension WAFV2Client { /// /// Creates an [IPSet], which you use to identify web requests that originate from specific IP addresses or ranges of IP addresses. For example, if you're receiving a lot of requests from a ranges of IP addresses, you can configure WAF to block them using an IPSet that lists those IP addresses. /// - /// - Parameter CreateIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIPSetInput`) /// - /// - Returns: `CreateIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -677,7 +673,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIPSetOutput.httpOutput(from:), CreateIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -712,9 +707,9 @@ extension WAFV2Client { /// /// Creates a [RegexPatternSet], which you reference in a [RegexPatternSetReferenceStatement], to have WAF inspect a web request component for the specified patterns. /// - /// - Parameter CreateRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRegexPatternSetInput`) /// - /// - Returns: `CreateRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -761,7 +756,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRegexPatternSetOutput.httpOutput(from:), CreateRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -796,9 +790,9 @@ extension WAFV2Client { /// /// Creates a [RuleGroup] per the specifications provided. A rule group defines a collection of rules to inspect and control web requests that you can use in a [WebACL]. When you create a rule group, you define an immutable capacity limit. If you update a rule group, you must stay within the capacity. This allows others to reuse the rule group with confidence in its capacity requirements. /// - /// - Parameter CreateRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateRuleGroupInput`) /// - /// - Returns: `CreateRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -848,7 +842,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateRuleGroupOutput.httpOutput(from:), CreateRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -883,9 +876,9 @@ extension WAFV2Client { /// /// Creates a [WebACL] per the specifications provided. A web ACL defines a collection of rules to use to inspect and control web requests. Each rule has a statement that defines what to look for in web requests and an action that WAF applies to requests that match the statement. In the web ACL, you assign a default action to take (allow, block) for any request that does not match any of the rules. The rules in a web ACL can be a combination of the types [Rule], [RuleGroup], and managed rule group. You can associate a web ACL with one or more Amazon Web Services resources to protect. The resource types include Amazon CloudFront distribution, Amazon API Gateway REST API, Application Load Balancer, AppSync GraphQL API, Amazon Cognito user pool, App Runner service, Amplify application, and Amazon Web Services Verified Access instance. /// - /// - Parameter CreateWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWebACLInput`) /// - /// - Returns: `CreateWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -938,7 +931,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWebACLOutput.httpOutput(from:), CreateWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -973,9 +965,9 @@ extension WAFV2Client { /// /// Deletes the specified API key. After you delete a key, it can take up to 24 hours for WAF to disallow use of the key in all regions. /// - /// - Parameter DeleteAPIKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAPIKeyInput`) /// - /// - Returns: `DeleteAPIKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAPIKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1019,7 +1011,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAPIKeyOutput.httpOutput(from:), DeleteAPIKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1054,9 +1045,9 @@ extension WAFV2Client { /// /// Deletes all rule groups that are managed by Firewall Manager from the specified [WebACL]. You can only use this if ManagedByFirewallManager and RetrofittedByFirewallManager are both false in the web ACL. /// - /// - Parameter DeleteFirewallManagerRuleGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFirewallManagerRuleGroupsInput`) /// - /// - Returns: `DeleteFirewallManagerRuleGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFirewallManagerRuleGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1100,7 +1091,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFirewallManagerRuleGroupsOutput.httpOutput(from:), DeleteFirewallManagerRuleGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1135,9 +1125,9 @@ extension WAFV2Client { /// /// Deletes the specified [IPSet]. /// - /// - Parameter DeleteIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIPSetInput`) /// - /// - Returns: `DeleteIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1184,7 +1174,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIPSetOutput.httpOutput(from:), DeleteIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1219,9 +1208,9 @@ extension WAFV2Client { /// /// Deletes the [LoggingConfiguration] from the specified web ACL. /// - /// - Parameter DeleteLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLoggingConfigurationInput`) /// - /// - Returns: `DeleteLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1265,7 +1254,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLoggingConfigurationOutput.httpOutput(from:), DeleteLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1300,9 +1288,9 @@ extension WAFV2Client { /// /// Permanently deletes an IAM policy from the specified rule group. You must be the owner of the rule group to perform this operation. /// - /// - Parameter DeletePermissionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePermissionPolicyInput`) /// - /// - Returns: `DeletePermissionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePermissionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1344,7 +1332,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePermissionPolicyOutput.httpOutput(from:), DeletePermissionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1379,9 +1366,9 @@ extension WAFV2Client { /// /// Deletes the specified [RegexPatternSet]. /// - /// - Parameter DeleteRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRegexPatternSetInput`) /// - /// - Returns: `DeleteRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1428,7 +1415,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRegexPatternSetOutput.httpOutput(from:), DeleteRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1463,9 +1449,9 @@ extension WAFV2Client { /// /// Deletes the specified [RuleGroup]. /// - /// - Parameter DeleteRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRuleGroupInput`) /// - /// - Returns: `DeleteRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1512,7 +1498,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRuleGroupOutput.httpOutput(from:), DeleteRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1562,9 +1547,9 @@ extension WAFV2Client { /// /// * For all other resources, call [DisassociateWebACL]. /// - /// - Parameter DeleteWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWebACLInput`) /// - /// - Returns: `DeleteWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1611,7 +1596,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWebACLOutput.httpOutput(from:), DeleteWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1646,9 +1630,9 @@ extension WAFV2Client { /// /// Provides high-level information for the Amazon Web Services Managed Rules rule groups and Amazon Web Services Marketplace managed rule groups. /// - /// - Parameter DescribeAllManagedProductsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAllManagedProductsInput`) /// - /// - Returns: `DescribeAllManagedProductsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAllManagedProductsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1690,7 +1674,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAllManagedProductsOutput.httpOutput(from:), DescribeAllManagedProductsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1725,9 +1708,9 @@ extension WAFV2Client { /// /// Provides high-level information for the managed rule groups owned by a specific vendor. /// - /// - Parameter DescribeManagedProductsByVendorInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeManagedProductsByVendorInput`) /// - /// - Returns: `DescribeManagedProductsByVendorOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeManagedProductsByVendorOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1769,7 +1752,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeManagedProductsByVendorOutput.httpOutput(from:), DescribeManagedProductsByVendorOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1804,9 +1786,9 @@ extension WAFV2Client { /// /// Provides high-level information for a managed rule group, including descriptions of the rules. /// - /// - Parameter DescribeManagedRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeManagedRuleGroupInput`) /// - /// - Returns: `DescribeManagedRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeManagedRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1851,7 +1833,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeManagedRuleGroupOutput.httpOutput(from:), DescribeManagedRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1886,9 +1867,9 @@ extension WAFV2Client { /// /// Disassociates the specified resource from its web ACL association, if it has one. Use this for all resource types except for Amazon CloudFront distributions. For Amazon CloudFront, call UpdateDistribution for the distribution and provide an empty web ACL ID. For information, see [UpdateDistribution](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_UpdateDistribution.html) in the Amazon CloudFront API Reference. Required permissions for customer-managed IAM policies This call requires permissions that are specific to the protected resource type. For details, see [Permissions for DisassociateWebACL](https://docs.aws.amazon.com/waf/latest/developerguide/security_iam_service-with-iam.html#security_iam_action-DisassociateWebACL) in the WAF Developer Guide. /// - /// - Parameter DisassociateWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateWebACLInput`) /// - /// - Returns: `DisassociateWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1931,7 +1912,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateWebACLOutput.httpOutput(from:), DisassociateWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1966,9 +1946,9 @@ extension WAFV2Client { /// /// Generates a presigned download URL for the specified release of the mobile SDK. The mobile SDK is not generally available. Customers who have access to the mobile SDK can use it to establish and manage WAF tokens for use in HTTP(S) requests from a mobile device to WAF. For more information, see [WAF client application integration](https://docs.aws.amazon.com/waf/latest/developerguide/waf-application-integration.html) in the WAF Developer Guide. /// - /// - Parameter GenerateMobileSdkReleaseUrlInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GenerateMobileSdkReleaseUrlInput`) /// - /// - Returns: `GenerateMobileSdkReleaseUrlOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GenerateMobileSdkReleaseUrlOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2011,7 +1991,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GenerateMobileSdkReleaseUrlOutput.httpOutput(from:), GenerateMobileSdkReleaseUrlOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2046,9 +2025,9 @@ extension WAFV2Client { /// /// Returns your API key in decrypted form. Use this to check the token domains that you have defined for the key. API keys are required for the integration of the CAPTCHA API in your JavaScript client applications. The API lets you customize the placement and characteristics of the CAPTCHA puzzle for your end users. For more information about the CAPTCHA JavaScript integration, see [WAF client application integration](https://docs.aws.amazon.com/waf/latest/developerguide/waf-application-integration.html) in the WAF Developer Guide. /// - /// - Parameter GetDecryptedAPIKeyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDecryptedAPIKeyInput`) /// - /// - Returns: `GetDecryptedAPIKeyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDecryptedAPIKeyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2092,7 +2071,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDecryptedAPIKeyOutput.httpOutput(from:), GetDecryptedAPIKeyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2127,9 +2105,9 @@ extension WAFV2Client { /// /// Retrieves the specified [IPSet]. /// - /// - Parameter GetIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIPSetInput`) /// - /// - Returns: `GetIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2172,7 +2150,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIPSetOutput.httpOutput(from:), GetIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2207,9 +2184,9 @@ extension WAFV2Client { /// /// Returns the [LoggingConfiguration] for the specified web ACL. /// - /// - Parameter GetLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLoggingConfigurationInput`) /// - /// - Returns: `GetLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2252,7 +2229,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLoggingConfigurationOutput.httpOutput(from:), GetLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2287,9 +2263,9 @@ extension WAFV2Client { /// /// Retrieves the specified managed rule set. This is intended for use only by vendors of managed rule sets. Vendors are Amazon Web Services and Amazon Web Services Marketplace sellers. Vendors, you can use the managed rule set APIs to provide controlled rollout of your versioned managed rule group offerings for your customers. The APIs are ListManagedRuleSets, GetManagedRuleSet, PutManagedRuleSetVersions, and UpdateManagedRuleSetVersionExpiryDate. /// - /// - Parameter GetManagedRuleSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetManagedRuleSetInput`) /// - /// - Returns: `GetManagedRuleSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetManagedRuleSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2332,7 +2308,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetManagedRuleSetOutput.httpOutput(from:), GetManagedRuleSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2367,9 +2342,9 @@ extension WAFV2Client { /// /// Retrieves information for the specified mobile SDK release, including release notes and tags. The mobile SDK is not generally available. Customers who have access to the mobile SDK can use it to establish and manage WAF tokens for use in HTTP(S) requests from a mobile device to WAF. For more information, see [WAF client application integration](https://docs.aws.amazon.com/waf/latest/developerguide/waf-application-integration.html) in the WAF Developer Guide. /// - /// - Parameter GetMobileSdkReleaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMobileSdkReleaseInput`) /// - /// - Returns: `GetMobileSdkReleaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMobileSdkReleaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2412,7 +2387,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMobileSdkReleaseOutput.httpOutput(from:), GetMobileSdkReleaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2447,9 +2421,9 @@ extension WAFV2Client { /// /// Returns the IAM policy that is attached to the specified rule group. You must be the owner of the rule group to perform this operation. /// - /// - Parameter GetPermissionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPermissionPolicyInput`) /// - /// - Returns: `GetPermissionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPermissionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2491,7 +2465,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPermissionPolicyOutput.httpOutput(from:), GetPermissionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2526,9 +2499,9 @@ extension WAFV2Client { /// /// Retrieves the IP addresses that are currently blocked by a rate-based rule instance. This is only available for rate-based rules that aggregate solely on the IP address or on the forwarded IP address. The maximum number of addresses that can be blocked for a single rate-based rule instance is 10,000. If more than 10,000 addresses exceed the rate limit, those with the highest rates are blocked. For a rate-based rule that you've defined inside a rule group, provide the name of the rule group reference statement in your request, in addition to the rate-based rule name and the web ACL name. WAF monitors web requests and manages keys independently for each unique combination of web ACL, optional rule group, and rate-based rule. For example, if you define a rate-based rule inside a rule group, and then use the rule group in a web ACL, WAF monitors web requests and manages keys for that web ACL, rule group reference statement, and rate-based rule instance. If you use the same rule group in a second web ACL, WAF monitors web requests and manages keys for this second usage completely independent of your first. /// - /// - Parameter GetRateBasedStatementManagedKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRateBasedStatementManagedKeysInput`) /// - /// - Returns: `GetRateBasedStatementManagedKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRateBasedStatementManagedKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2572,7 +2545,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRateBasedStatementManagedKeysOutput.httpOutput(from:), GetRateBasedStatementManagedKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2607,9 +2579,9 @@ extension WAFV2Client { /// /// Retrieves the specified [RegexPatternSet]. /// - /// - Parameter GetRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRegexPatternSetInput`) /// - /// - Returns: `GetRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2652,7 +2624,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRegexPatternSetOutput.httpOutput(from:), GetRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2687,9 +2658,9 @@ extension WAFV2Client { /// /// Retrieves the specified [RuleGroup]. /// - /// - Parameter GetRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRuleGroupInput`) /// - /// - Returns: `GetRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2732,7 +2703,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRuleGroupOutput.httpOutput(from:), GetRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2767,9 +2737,9 @@ extension WAFV2Client { /// /// Gets detailed information about a specified number of requests--a sample--that WAF randomly selects from among the first 5,000 requests that your Amazon Web Services resource received during a time range that you choose. You can specify a sample size of up to 500 requests, and you can specify any time range in the previous three hours. GetSampledRequests returns a time range, which is usually the time range that you specified. However, if your resource (such as a CloudFront distribution) received 5,000 requests before the specified time range elapsed, GetSampledRequests returns an updated time range. This new time range indicates the actual period during which WAF selected the requests in the sample. /// - /// - Parameter GetSampledRequestsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSampledRequestsInput`) /// - /// - Returns: `GetSampledRequestsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSampledRequestsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2811,7 +2781,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSampledRequestsOutput.httpOutput(from:), GetSampledRequestsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2846,9 +2815,9 @@ extension WAFV2Client { /// /// Retrieves the specified [WebACL]. /// - /// - Parameter GetWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWebACLInput`) /// - /// - Returns: `GetWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2891,7 +2860,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWebACLOutput.httpOutput(from:), GetWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2926,9 +2894,9 @@ extension WAFV2Client { /// /// Retrieves the [WebACL] for the specified resource. This call uses GetWebACL, to verify that your account has permission to access the retrieved web ACL. If you get an error that indicates that your account isn't authorized to perform wafv2:GetWebACL on the resource, that error won't be included in your CloudTrail event history. For Amazon CloudFront, don't use this call. Instead, call the CloudFront action GetDistributionConfig. For information, see [GetDistributionConfig](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_GetDistributionConfig.html) in the Amazon CloudFront API Reference. Required permissions for customer-managed IAM policies This call requires permissions that are specific to the protected resource type. For details, see [Permissions for GetWebACLForResource](https://docs.aws.amazon.com/waf/latest/developerguide/security_iam_service-with-iam.html#security_iam_action-GetWebACLForResource) in the WAF Developer Guide. /// - /// - Parameter GetWebACLForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetWebACLForResourceInput`) /// - /// - Returns: `GetWebACLForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetWebACLForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2972,7 +2940,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWebACLForResourceOutput.httpOutput(from:), GetWebACLForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3007,9 +2974,9 @@ extension WAFV2Client { /// /// Retrieves a list of the API keys that you've defined for the specified scope. API keys are required for the integration of the CAPTCHA API in your JavaScript client applications. The API lets you customize the placement and characteristics of the CAPTCHA puzzle for your end users. For more information about the CAPTCHA JavaScript integration, see [WAF client application integration](https://docs.aws.amazon.com/waf/latest/developerguide/waf-application-integration.html) in the WAF Developer Guide. /// - /// - Parameter ListAPIKeysInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAPIKeysInput`) /// - /// - Returns: `ListAPIKeysOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAPIKeysOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3052,7 +3019,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAPIKeysOutput.httpOutput(from:), ListAPIKeysOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3087,9 +3053,9 @@ extension WAFV2Client { /// /// Returns a list of the available versions for the specified managed rule group. /// - /// - Parameter ListAvailableManagedRuleGroupVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAvailableManagedRuleGroupVersionsInput`) /// - /// - Returns: `ListAvailableManagedRuleGroupVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAvailableManagedRuleGroupVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3132,7 +3098,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAvailableManagedRuleGroupVersionsOutput.httpOutput(from:), ListAvailableManagedRuleGroupVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3167,9 +3132,9 @@ extension WAFV2Client { /// /// Retrieves an array of managed rule groups that are available for you to use. This list includes all Amazon Web Services Managed Rules rule groups and all of the Amazon Web Services Marketplace managed rule groups that you're subscribed to. /// - /// - Parameter ListAvailableManagedRuleGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAvailableManagedRuleGroupsInput`) /// - /// - Returns: `ListAvailableManagedRuleGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAvailableManagedRuleGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3211,7 +3176,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAvailableManagedRuleGroupsOutput.httpOutput(from:), ListAvailableManagedRuleGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3246,9 +3210,9 @@ extension WAFV2Client { /// /// Retrieves an array of [IPSetSummary] objects for the IP sets that you manage. /// - /// - Parameter ListIPSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIPSetsInput`) /// - /// - Returns: `ListIPSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIPSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3290,7 +3254,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIPSetsOutput.httpOutput(from:), ListIPSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3325,9 +3288,9 @@ extension WAFV2Client { /// /// Retrieves an array of your [LoggingConfiguration] objects. /// - /// - Parameter ListLoggingConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLoggingConfigurationsInput`) /// - /// - Returns: `ListLoggingConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLoggingConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3369,7 +3332,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLoggingConfigurationsOutput.httpOutput(from:), ListLoggingConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3404,9 +3366,9 @@ extension WAFV2Client { /// /// Retrieves the managed rule sets that you own. This is intended for use only by vendors of managed rule sets. Vendors are Amazon Web Services and Amazon Web Services Marketplace sellers. Vendors, you can use the managed rule set APIs to provide controlled rollout of your versioned managed rule group offerings for your customers. The APIs are ListManagedRuleSets, GetManagedRuleSet, PutManagedRuleSetVersions, and UpdateManagedRuleSetVersionExpiryDate. /// - /// - Parameter ListManagedRuleSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListManagedRuleSetsInput`) /// - /// - Returns: `ListManagedRuleSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListManagedRuleSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3448,7 +3410,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListManagedRuleSetsOutput.httpOutput(from:), ListManagedRuleSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3483,9 +3444,9 @@ extension WAFV2Client { /// /// Retrieves a list of the available releases for the mobile SDK and the specified device platform. The mobile SDK is not generally available. Customers who have access to the mobile SDK can use it to establish and manage WAF tokens for use in HTTP(S) requests from a mobile device to WAF. For more information, see [WAF client application integration](https://docs.aws.amazon.com/waf/latest/developerguide/waf-application-integration.html) in the WAF Developer Guide. /// - /// - Parameter ListMobileSdkReleasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMobileSdkReleasesInput`) /// - /// - Returns: `ListMobileSdkReleasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMobileSdkReleasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3527,7 +3488,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMobileSdkReleasesOutput.httpOutput(from:), ListMobileSdkReleasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3562,9 +3522,9 @@ extension WAFV2Client { /// /// Retrieves an array of [RegexPatternSetSummary] objects for the regex pattern sets that you manage. /// - /// - Parameter ListRegexPatternSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRegexPatternSetsInput`) /// - /// - Returns: `ListRegexPatternSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRegexPatternSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3606,7 +3566,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegexPatternSetsOutput.httpOutput(from:), ListRegexPatternSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3641,9 +3600,9 @@ extension WAFV2Client { /// /// Retrieves an array of the Amazon Resource Names (ARNs) for the resources that are associated with the specified web ACL. For Amazon CloudFront, don't use this call. Instead, use the CloudFront call ListDistributionsByWebACLId. For information, see [ListDistributionsByWebACLId](https://docs.aws.amazon.com/cloudfront/latest/APIReference/API_ListDistributionsByWebACLId.html) in the Amazon CloudFront API Reference. Required permissions for customer-managed IAM policies This call requires permissions that are specific to the protected resource type. For details, see [Permissions for ListResourcesForWebACL](https://docs.aws.amazon.com/waf/latest/developerguide/security_iam_service-with-iam.html#security_iam_action-ListResourcesForWebACL) in the WAF Developer Guide. /// - /// - Parameter ListResourcesForWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcesForWebACLInput`) /// - /// - Returns: `ListResourcesForWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcesForWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3686,7 +3645,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcesForWebACLOutput.httpOutput(from:), ListResourcesForWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3721,9 +3679,9 @@ extension WAFV2Client { /// /// Retrieves an array of [RuleGroupSummary] objects for the rule groups that you manage. /// - /// - Parameter ListRuleGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRuleGroupsInput`) /// - /// - Returns: `ListRuleGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRuleGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3765,7 +3723,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRuleGroupsOutput.httpOutput(from:), ListRuleGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3800,9 +3757,9 @@ extension WAFV2Client { /// /// Retrieves the [TagInfoForResource] for the specified resource. Tags are key:value pairs that you can use to categorize and manage your resources, for purposes like billing. For example, you might set the tag key to "customer" and the value to the customer name or ID. You can specify one or more tags to add to each Amazon Web Services resource, up to 50 tags for a resource. You can tag the Amazon Web Services resources that you manage through WAF: web ACLs, rule groups, IP sets, and regex pattern sets. You can't manage or view tags through the WAF console. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3847,7 +3804,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3882,9 +3838,9 @@ extension WAFV2Client { /// /// Retrieves an array of [WebACLSummary] objects for the web ACLs that you manage. /// - /// - Parameter ListWebACLsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListWebACLsInput`) /// - /// - Returns: `ListWebACLsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListWebACLsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3926,7 +3882,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWebACLsOutput.httpOutput(from:), ListWebACLsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3977,9 +3932,9 @@ extension WAFV2Client { /// /// When you successfully enable logging using a PutLoggingConfiguration request, WAF creates an additional role or policy that is required to write logs to the logging destination. For an Amazon CloudWatch Logs log group, WAF creates a resource policy on the log group. For an Amazon S3 bucket, WAF creates a bucket policy. For an Amazon Kinesis Data Firehose, WAF creates a service-linked role. For additional information about web ACL logging, see [Logging web ACL traffic information](https://docs.aws.amazon.com/waf/latest/developerguide/logging.html) in the WAF Developer Guide. /// - /// - Parameter PutLoggingConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutLoggingConfigurationInput`) /// - /// - Returns: `PutLoggingConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutLoggingConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4026,7 +3981,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutLoggingConfigurationOutput.httpOutput(from:), PutLoggingConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4061,9 +4015,9 @@ extension WAFV2Client { /// /// Defines the versions of your managed rule set that you are offering to the customers. Customers see your offerings as managed rule groups with versioning. This is intended for use only by vendors of managed rule sets. Vendors are Amazon Web Services and Amazon Web Services Marketplace sellers. Vendors, you can use the managed rule set APIs to provide controlled rollout of your versioned managed rule group offerings for your customers. The APIs are ListManagedRuleSets, GetManagedRuleSet, PutManagedRuleSetVersions, and UpdateManagedRuleSetVersionExpiryDate. Customers retrieve their managed rule group list by calling [ListAvailableManagedRuleGroups]. The name that you provide here for your managed rule set is the name the customer sees for the corresponding managed rule group. Customers can retrieve the available versions for a managed rule group by calling [ListAvailableManagedRuleGroupVersions]. You provide a rule group specification for each version. For each managed rule set, you must specify a version that you recommend using. To initiate the expiration of a managed rule group version, use [UpdateManagedRuleSetVersionExpiryDate]. /// - /// - Parameter PutManagedRuleSetVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutManagedRuleSetVersionsInput`) /// - /// - Returns: `PutManagedRuleSetVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutManagedRuleSetVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4107,7 +4061,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutManagedRuleSetVersionsOutput.httpOutput(from:), PutManagedRuleSetVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4151,9 +4104,9 @@ extension WAFV2Client { /// /// If a rule group has been shared with your account, you can access it through the call GetRuleGroup, and you can reference it in CreateWebACL and UpdateWebACL. Rule groups that are shared with you don't appear in your WAF console rule groups listing. /// - /// - Parameter PutPermissionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutPermissionPolicyInput`) /// - /// - Returns: `PutPermissionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutPermissionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4209,7 +4162,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutPermissionPolicyOutput.httpOutput(from:), PutPermissionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4244,9 +4196,9 @@ extension WAFV2Client { /// /// Associates tags with the specified Amazon Web Services resource. Tags are key:value pairs that you can use to categorize and manage your resources, for purposes like billing. For example, you might set the tag key to "customer" and the value to the customer name or ID. You can specify one or more tags to add to each Amazon Web Services resource, up to 50 tags for a resource. You can tag the Amazon Web Services resources that you manage through WAF: web ACLs, rule groups, IP sets, and regex pattern sets. You can't manage or view tags through the WAF console. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4292,7 +4244,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4327,9 +4278,9 @@ extension WAFV2Client { /// /// Disassociates tags from an Amazon Web Services resource. Tags are key:value pairs that you can associate with Amazon Web Services resources. For example, the tag key might be "customer" and the tag value might be "companyA." You can specify one or more tags to add to each container. You can add up to 50 tags to each Amazon Web Services resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4374,7 +4325,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4426,9 +4376,9 @@ extension WAFV2Client { /// /// * After you add an IP address to an IP set that is in use in a blocking rule, the new address might be blocked in one area while still allowed in another. /// - /// - Parameter UpdateIPSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIPSetInput`) /// - /// - Returns: `UpdateIPSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIPSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4474,7 +4424,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIPSetOutput.httpOutput(from:), UpdateIPSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4509,9 +4458,9 @@ extension WAFV2Client { /// /// Updates the expiration information for your managed rule set. Use this to initiate the expiration of a managed rule group version. After you initiate expiration for a version, WAF excludes it from the response to [ListAvailableManagedRuleGroupVersions] for the managed rule group. This is intended for use only by vendors of managed rule sets. Vendors are Amazon Web Services and Amazon Web Services Marketplace sellers. Vendors, you can use the managed rule set APIs to provide controlled rollout of your versioned managed rule group offerings for your customers. The APIs are ListManagedRuleSets, GetManagedRuleSet, PutManagedRuleSetVersions, and UpdateManagedRuleSetVersionExpiryDate. /// - /// - Parameter UpdateManagedRuleSetVersionExpiryDateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateManagedRuleSetVersionExpiryDateInput`) /// - /// - Returns: `UpdateManagedRuleSetVersionExpiryDateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateManagedRuleSetVersionExpiryDateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4555,7 +4504,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateManagedRuleSetVersionExpiryDateOutput.httpOutput(from:), UpdateManagedRuleSetVersionExpiryDateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4607,9 +4555,9 @@ extension WAFV2Client { /// /// * After you add an IP address to an IP set that is in use in a blocking rule, the new address might be blocked in one area while still allowed in another. /// - /// - Parameter UpdateRegexPatternSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRegexPatternSetInput`) /// - /// - Returns: `UpdateRegexPatternSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRegexPatternSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4655,7 +4603,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRegexPatternSetOutput.httpOutput(from:), UpdateRegexPatternSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4707,9 +4654,9 @@ extension WAFV2Client { /// /// * After you add an IP address to an IP set that is in use in a blocking rule, the new address might be blocked in one area while still allowed in another. /// - /// - Parameter UpdateRuleGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRuleGroupInput`) /// - /// - Returns: `UpdateRuleGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRuleGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4758,7 +4705,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRuleGroupOutput.httpOutput(from:), UpdateRuleGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4810,9 +4756,9 @@ extension WAFV2Client { /// /// * After you add an IP address to an IP set that is in use in a blocking rule, the new address might be blocked in one area while still allowed in another. /// - /// - Parameter UpdateWebACLInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWebACLInput`) /// - /// - Returns: `UpdateWebACLOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWebACLOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4863,7 +4809,6 @@ extension WAFV2Client { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWebACLOutput.httpOutput(from:), UpdateWebACLOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWellArchitected/Sources/AWSWellArchitected/WellArchitectedClient.swift b/Sources/Services/AWSWellArchitected/Sources/AWSWellArchitected/WellArchitectedClient.swift index ec6aa40aa5b..fbc39adcb9a 100644 --- a/Sources/Services/AWSWellArchitected/Sources/AWSWellArchitected/WellArchitectedClient.swift +++ b/Sources/Services/AWSWellArchitected/Sources/AWSWellArchitected/WellArchitectedClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WellArchitectedClient: ClientRuntime.Client { public static let clientName = "WellArchitectedClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WellArchitectedClient.WellArchitectedClientConfiguration let serviceName = "WellArchitected" @@ -374,9 +373,9 @@ extension WellArchitectedClient { /// /// Associate a lens to a workload. Up to 10 lenses can be associated with a workload in a single API operation. A maximum of 20 lenses can be associated with a workload. Disclaimer By accessing and/or applying custom lenses created by another Amazon Web Services user or account, you acknowledge that custom lenses created by other users and shared with you are Third Party Content as defined in the Amazon Web Services Customer Agreement. /// - /// - Parameter AssociateLensesInput : Input to associate lens reviews. + /// - Parameter input: Input to associate lens reviews. (Type: `AssociateLensesInput`) /// - /// - Returns: `AssociateLensesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateLensesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateLensesOutput.httpOutput(from:), AssociateLensesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension WellArchitectedClient { /// /// Associate a profile with a workload. /// - /// - Parameter AssociateProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateProfilesInput`) /// - /// - Returns: `AssociateProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateProfilesOutput.httpOutput(from:), AssociateProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension WellArchitectedClient { /// /// Create a lens share. The owner of a lens can share it with other Amazon Web Services accounts, users, an organization, and organizational units (OUs) in the same Amazon Web Services Region. Lenses provided by Amazon Web Services (Amazon Web Services Official Content) cannot be shared. Shared access to a lens is not removed until the lens invitation is deleted. If you share a lens with an organization or OU, all accounts in the organization or OU are granted access to the lens. For more information, see [Sharing a custom lens](https://docs.aws.amazon.com/wellarchitected/latest/userguide/lenses-sharing.html) in the Well-Architected Tool User Guide. Disclaimer By sharing your custom lenses with other Amazon Web Services accounts, you acknowledge that Amazon Web Services will make your custom lenses available to those other accounts. Those other accounts may continue to access and use your shared custom lenses even if you delete the custom lenses from your own Amazon Web Services account or terminate your Amazon Web Services account. /// - /// - Parameter CreateLensShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLensShareInput`) /// - /// - Returns: `CreateLensShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLensShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLensShareOutput.httpOutput(from:), CreateLensShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension WellArchitectedClient { /// /// Create a new lens version. A lens can have up to 100 versions. Use this operation to publish a new lens version after you have imported a lens. The LensAlias is used to identify the lens to be published. The owner of a lens can share the lens with other Amazon Web Services accounts and users in the same Amazon Web Services Region. Only the owner of a lens can delete it. /// - /// - Parameter CreateLensVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLensVersionInput`) /// - /// - Returns: `CreateLensVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLensVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLensVersionOutput.httpOutput(from:), CreateLensVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension WellArchitectedClient { /// /// Create a milestone for an existing workload. /// - /// - Parameter CreateMilestoneInput : Input for milestone creation. + /// - Parameter input: Input for milestone creation. (Type: `CreateMilestoneInput`) /// - /// - Returns: `CreateMilestoneOutput` : Output of a create milestone call. + /// - Returns: Output of a create milestone call. (Type: `CreateMilestoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -713,7 +708,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMilestoneOutput.httpOutput(from:), CreateMilestoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -745,9 +739,9 @@ extension WellArchitectedClient { /// /// Create a profile. /// - /// - Parameter CreateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProfileInput`) /// - /// - Returns: `CreateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -787,7 +781,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProfileOutput.httpOutput(from:), CreateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -819,9 +812,9 @@ extension WellArchitectedClient { /// /// Create a profile share. /// - /// - Parameter CreateProfileShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateProfileShareInput`) /// - /// - Returns: `CreateProfileShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateProfileShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -862,7 +855,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateProfileShareOutput.httpOutput(from:), CreateProfileShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -894,9 +886,9 @@ extension WellArchitectedClient { /// /// Create a review template. Disclaimer Do not include or gather personal identifiable information (PII) of end users or other identifiable individuals in or via your review templates. If your review template or those shared with you and used in your account do include or collect PII you are responsible for: ensuring that the included PII is processed in accordance with applicable law, providing adequate privacy notices, and obtaining necessary consents for processing such data. /// - /// - Parameter CreateReviewTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateReviewTemplateInput`) /// - /// - Returns: `CreateReviewTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateReviewTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -937,7 +929,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateReviewTemplateOutput.httpOutput(from:), CreateReviewTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -969,9 +960,9 @@ extension WellArchitectedClient { /// /// Create a review template share. The owner of a review template can share it with other Amazon Web Services accounts, users, an organization, and organizational units (OUs) in the same Amazon Web Services Region. Shared access to a review template is not removed until the review template share invitation is deleted. If you share a review template with an organization or OU, all accounts in the organization or OU are granted access to the review template. Disclaimer By sharing your review template with other Amazon Web Services accounts, you acknowledge that Amazon Web Services will make your review template available to those other accounts. /// - /// - Parameter CreateTemplateShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTemplateShareInput`) /// - /// - Returns: `CreateTemplateShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTemplateShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1012,7 +1003,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTemplateShareOutput.httpOutput(from:), CreateTemplateShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1052,9 +1042,9 @@ extension WellArchitectedClient { /// /// * wellarchitected:GetReviewTemplateLensReview /// - /// - Parameter CreateWorkloadInput : Input for workload creation. + /// - Parameter input: Input for workload creation. (Type: `CreateWorkloadInput`) /// - /// - Returns: `CreateWorkloadOutput` : Output of a create workload call. + /// - Returns: Output of a create workload call. (Type: `CreateWorkloadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1095,7 +1085,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkloadOutput.httpOutput(from:), CreateWorkloadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1127,9 +1116,9 @@ extension WellArchitectedClient { /// /// Create a workload share. The owner of a workload can share it with other Amazon Web Services accounts and users in the same Amazon Web Services Region. Shared access to a workload is not removed until the workload invitation is deleted. If you share a workload with an organization or OU, all accounts in the organization or OU are granted access to the workload. For more information, see [Sharing a workload](https://docs.aws.amazon.com/wellarchitected/latest/userguide/workloads-sharing.html) in the Well-Architected Tool User Guide. /// - /// - Parameter CreateWorkloadShareInput : Input for Create Workload Share + /// - Parameter input: Input for Create Workload Share (Type: `CreateWorkloadShareInput`) /// - /// - Returns: `CreateWorkloadShareOutput` : Input for Create Workload Share + /// - Returns: Input for Create Workload Share (Type: `CreateWorkloadShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1170,7 +1159,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkloadShareOutput.httpOutput(from:), CreateWorkloadShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1202,9 +1190,9 @@ extension WellArchitectedClient { /// /// Delete an existing lens. Only the owner of a lens can delete it. After the lens is deleted, Amazon Web Services accounts and users that you shared the lens with can continue to use it, but they will no longer be able to apply it to new workloads. Disclaimer By sharing your custom lenses with other Amazon Web Services accounts, you acknowledge that Amazon Web Services will make your custom lenses available to those other accounts. Those other accounts may continue to access and use your shared custom lenses even if you delete the custom lenses from your own Amazon Web Services account or terminate your Amazon Web Services account. /// - /// - Parameter DeleteLensInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLensInput`) /// - /// - Returns: `DeleteLensOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLensOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1242,7 +1230,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteLensInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLensOutput.httpOutput(from:), DeleteLensOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1274,9 +1261,9 @@ extension WellArchitectedClient { /// /// Delete a lens share. After the lens share is deleted, Amazon Web Services accounts, users, organizations, and organizational units (OUs) that you shared the lens with can continue to use it, but they will no longer be able to apply it to new workloads. Disclaimer By sharing your custom lenses with other Amazon Web Services accounts, you acknowledge that Amazon Web Services will make your custom lenses available to those other accounts. Those other accounts may continue to access and use your shared custom lenses even if you delete the custom lenses from your own Amazon Web Services account or terminate your Amazon Web Services account. /// - /// - Parameter DeleteLensShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLensShareInput`) /// - /// - Returns: `DeleteLensShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLensShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1314,7 +1301,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteLensShareInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLensShareOutput.httpOutput(from:), DeleteLensShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1346,9 +1332,9 @@ extension WellArchitectedClient { /// /// Delete a profile. Disclaimer By sharing your profile with other Amazon Web Services accounts, you acknowledge that Amazon Web Services will make your profile available to those other accounts. Those other accounts may continue to access and use your shared profile even if you delete the profile from your own Amazon Web Services account or terminate your Amazon Web Services account. /// - /// - Parameter DeleteProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProfileInput`) /// - /// - Returns: `DeleteProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1386,7 +1372,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfileOutput.httpOutput(from:), DeleteProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1418,9 +1403,9 @@ extension WellArchitectedClient { /// /// Delete a profile share. /// - /// - Parameter DeleteProfileShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteProfileShareInput`) /// - /// - Returns: `DeleteProfileShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteProfileShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1458,7 +1443,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteProfileShareInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteProfileShareOutput.httpOutput(from:), DeleteProfileShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1490,9 +1474,9 @@ extension WellArchitectedClient { /// /// Delete a review template. Only the owner of a review template can delete it. After the review template is deleted, Amazon Web Services accounts, users, organizations, and organizational units (OUs) that you shared the review template with will no longer be able to apply it to new workloads. /// - /// - Parameter DeleteReviewTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteReviewTemplateInput`) /// - /// - Returns: `DeleteReviewTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteReviewTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1530,7 +1514,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteReviewTemplateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteReviewTemplateOutput.httpOutput(from:), DeleteReviewTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1562,9 +1545,9 @@ extension WellArchitectedClient { /// /// Delete a review template share. After the review template share is deleted, Amazon Web Services accounts, users, organizations, and organizational units (OUs) that you shared the review template with will no longer be able to apply it to new workloads. /// - /// - Parameter DeleteTemplateShareInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTemplateShareInput`) /// - /// - Returns: `DeleteTemplateShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTemplateShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1602,7 +1585,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteTemplateShareInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTemplateShareOutput.httpOutput(from:), DeleteTemplateShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1634,9 +1616,9 @@ extension WellArchitectedClient { /// /// Delete an existing workload. /// - /// - Parameter DeleteWorkloadInput : Input for workload deletion. + /// - Parameter input: Input for workload deletion. (Type: `DeleteWorkloadInput`) /// - /// - Returns: `DeleteWorkloadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkloadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1674,7 +1656,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteWorkloadInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkloadOutput.httpOutput(from:), DeleteWorkloadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1706,9 +1687,9 @@ extension WellArchitectedClient { /// /// Delete a workload share. /// - /// - Parameter DeleteWorkloadShareInput : Input for Delete Workload Share + /// - Parameter input: Input for Delete Workload Share (Type: `DeleteWorkloadShareInput`) /// - /// - Returns: `DeleteWorkloadShareOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkloadShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1746,7 +1727,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteWorkloadShareInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkloadShareOutput.httpOutput(from:), DeleteWorkloadShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1778,9 +1758,9 @@ extension WellArchitectedClient { /// /// Disassociate a lens from a workload. Up to 10 lenses can be disassociated from a workload in a single API operation. The Amazon Web Services Well-Architected Framework lens (wellarchitected) cannot be removed from a workload. /// - /// - Parameter DisassociateLensesInput : Input to disassociate lens reviews. + /// - Parameter input: Input to disassociate lens reviews. (Type: `DisassociateLensesInput`) /// - /// - Returns: `DisassociateLensesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateLensesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1819,7 +1799,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateLensesOutput.httpOutput(from:), DisassociateLensesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1851,9 +1830,9 @@ extension WellArchitectedClient { /// /// Disassociate a profile from a workload. /// - /// - Parameter DisassociateProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateProfilesInput`) /// - /// - Returns: `DisassociateProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1892,7 +1871,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateProfilesOutput.httpOutput(from:), DisassociateProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1924,9 +1902,9 @@ extension WellArchitectedClient { /// /// Export an existing lens. Only the owner of a lens can export it. Lenses provided by Amazon Web Services (Amazon Web Services Official Content) cannot be exported. Lenses are defined in JSON. For more information, see [JSON format specification](https://docs.aws.amazon.com/wellarchitected/latest/userguide/lenses-format-specification.html) in the Well-Architected Tool User Guide. Disclaimer Do not include or gather personal identifiable information (PII) of end users or other identifiable individuals in or via your custom lenses. If your custom lens or those shared with you and used in your account do include or collect PII you are responsible for: ensuring that the included PII is processed in accordance with applicable law, providing adequate privacy notices, and obtaining necessary consents for processing such data. /// - /// - Parameter ExportLensInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExportLensInput`) /// - /// - Returns: `ExportLensOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExportLensOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1962,7 +1940,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ExportLensInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExportLensOutput.httpOutput(from:), ExportLensOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1994,9 +1971,9 @@ extension WellArchitectedClient { /// /// Get the answer to a specific question in a workload review. /// - /// - Parameter GetAnswerInput : Input to get answer. + /// - Parameter input: Input to get answer. (Type: `GetAnswerInput`) /// - /// - Returns: `GetAnswerOutput` : Output of a get answer call. + /// - Returns: Output of a get answer call. (Type: `GetAnswerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2032,7 +2009,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetAnswerInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAnswerOutput.httpOutput(from:), GetAnswerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2064,9 +2040,9 @@ extension WellArchitectedClient { /// /// Get a consolidated report of your workloads. You can optionally choose to include workloads that have been shared with you. /// - /// - Parameter GetConsolidatedReportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetConsolidatedReportInput`) /// - /// - Returns: `GetConsolidatedReportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetConsolidatedReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2102,7 +2078,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetConsolidatedReportInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetConsolidatedReportOutput.httpOutput(from:), GetConsolidatedReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2134,9 +2109,9 @@ extension WellArchitectedClient { /// /// Global settings for all workloads. /// - /// - Parameter GetGlobalSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGlobalSettingsInput`) /// - /// - Returns: `GetGlobalSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGlobalSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2170,7 +2145,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGlobalSettingsOutput.httpOutput(from:), GetGlobalSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2202,9 +2176,9 @@ extension WellArchitectedClient { /// /// Get an existing lens. /// - /// - Parameter GetLensInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLensInput`) /// - /// - Returns: `GetLensOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLensOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2240,7 +2214,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLensInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLensOutput.httpOutput(from:), GetLensOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2272,9 +2245,9 @@ extension WellArchitectedClient { /// /// Get lens review. /// - /// - Parameter GetLensReviewInput : Input to get lens review. + /// - Parameter input: Input to get lens review. (Type: `GetLensReviewInput`) /// - /// - Returns: `GetLensReviewOutput` : Output of a get lens review call. + /// - Returns: Output of a get lens review call. (Type: `GetLensReviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2310,7 +2283,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLensReviewInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLensReviewOutput.httpOutput(from:), GetLensReviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2342,9 +2314,9 @@ extension WellArchitectedClient { /// /// Get lens review report. /// - /// - Parameter GetLensReviewReportInput : Input to get lens review report. + /// - Parameter input: Input to get lens review report. (Type: `GetLensReviewReportInput`) /// - /// - Returns: `GetLensReviewReportOutput` : Output of a get lens review report call. + /// - Returns: Output of a get lens review report call. (Type: `GetLensReviewReportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2380,7 +2352,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLensReviewReportInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLensReviewReportOutput.httpOutput(from:), GetLensReviewReportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2412,9 +2383,9 @@ extension WellArchitectedClient { /// /// Get lens version differences. /// - /// - Parameter GetLensVersionDifferenceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetLensVersionDifferenceInput`) /// - /// - Returns: `GetLensVersionDifferenceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetLensVersionDifferenceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2450,7 +2421,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetLensVersionDifferenceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetLensVersionDifferenceOutput.httpOutput(from:), GetLensVersionDifferenceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2482,9 +2452,9 @@ extension WellArchitectedClient { /// /// Get a milestone for an existing workload. /// - /// - Parameter GetMilestoneInput : Input to get a milestone. + /// - Parameter input: Input to get a milestone. (Type: `GetMilestoneInput`) /// - /// - Returns: `GetMilestoneOutput` : Output of a get milestone call. + /// - Returns: Output of a get milestone call. (Type: `GetMilestoneOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2519,7 +2489,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMilestoneOutput.httpOutput(from:), GetMilestoneOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2551,9 +2520,9 @@ extension WellArchitectedClient { /// /// Get profile information. /// - /// - Parameter GetProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProfileInput`) /// - /// - Returns: `GetProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2589,7 +2558,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetProfileInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileOutput.httpOutput(from:), GetProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2621,9 +2589,9 @@ extension WellArchitectedClient { /// /// Get profile template. /// - /// - Parameter GetProfileTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetProfileTemplateInput`) /// - /// - Returns: `GetProfileTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetProfileTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2658,7 +2626,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetProfileTemplateOutput.httpOutput(from:), GetProfileTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2690,9 +2657,9 @@ extension WellArchitectedClient { /// /// Get review template. /// - /// - Parameter GetReviewTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReviewTemplateInput`) /// - /// - Returns: `GetReviewTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReviewTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2727,7 +2694,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReviewTemplateOutput.httpOutput(from:), GetReviewTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2759,9 +2725,9 @@ extension WellArchitectedClient { /// /// Get review template answer. /// - /// - Parameter GetReviewTemplateAnswerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReviewTemplateAnswerInput`) /// - /// - Returns: `GetReviewTemplateAnswerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReviewTemplateAnswerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2796,7 +2762,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReviewTemplateAnswerOutput.httpOutput(from:), GetReviewTemplateAnswerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2828,9 +2793,9 @@ extension WellArchitectedClient { /// /// Get a lens review associated with a review template. /// - /// - Parameter GetReviewTemplateLensReviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetReviewTemplateLensReviewInput`) /// - /// - Returns: `GetReviewTemplateLensReviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetReviewTemplateLensReviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2865,7 +2830,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetReviewTemplateLensReviewOutput.httpOutput(from:), GetReviewTemplateLensReviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2897,9 +2861,9 @@ extension WellArchitectedClient { /// /// Get an existing workload. /// - /// - Parameter GetWorkloadInput : Input to get a workload. + /// - Parameter input: Input to get a workload. (Type: `GetWorkloadInput`) /// - /// - Returns: `GetWorkloadOutput` : Output of a get workload call. + /// - Returns: Output of a get workload call. (Type: `GetWorkloadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2934,7 +2898,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkloadOutput.httpOutput(from:), GetWorkloadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2966,9 +2929,9 @@ extension WellArchitectedClient { /// /// Import a new custom lens or update an existing custom lens. To update an existing custom lens, specify its ARN as the LensAlias. If no ARN is specified, a new custom lens is created. The new or updated lens will have a status of DRAFT. The lens cannot be applied to workloads or shared with other Amazon Web Services accounts until it's published with [CreateLensVersion]. Lenses are defined in JSON. For more information, see [JSON format specification](https://docs.aws.amazon.com/wellarchitected/latest/userguide/lenses-format-specification.html) in the Well-Architected Tool User Guide. A custom lens cannot exceed 500 KB in size. Disclaimer Do not include or gather personal identifiable information (PII) of end users or other identifiable individuals in or via your custom lenses. If your custom lens or those shared with you and used in your account do include or collect PII you are responsible for: ensuring that the included PII is processed in accordance with applicable law, providing adequate privacy notices, and obtaining necessary consents for processing such data. /// - /// - Parameter ImportLensInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportLensInput`) /// - /// - Returns: `ImportLensOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportLensOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3009,7 +2972,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportLensOutput.httpOutput(from:), ImportLensOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3041,9 +3003,9 @@ extension WellArchitectedClient { /// /// List of answers for a particular workload and lens. /// - /// - Parameter ListAnswersInput : Input to list answers. + /// - Parameter input: Input to list answers. (Type: `ListAnswersInput`) /// - /// - Returns: `ListAnswersOutput` : Output of a list answers call. + /// - Returns: Output of a list answers call. (Type: `ListAnswersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3079,7 +3041,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAnswersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAnswersOutput.httpOutput(from:), ListAnswersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3111,9 +3072,9 @@ extension WellArchitectedClient { /// /// List of Trusted Advisor check details by account related to the workload. /// - /// - Parameter ListCheckDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCheckDetailsInput`) /// - /// - Returns: `ListCheckDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCheckDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3151,7 +3112,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCheckDetailsOutput.httpOutput(from:), ListCheckDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3183,9 +3143,9 @@ extension WellArchitectedClient { /// /// List of Trusted Advisor checks summarized for all accounts related to the workload. /// - /// - Parameter ListCheckSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListCheckSummariesInput`) /// - /// - Returns: `ListCheckSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListCheckSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3223,7 +3183,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListCheckSummariesOutput.httpOutput(from:), ListCheckSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3255,9 +3214,9 @@ extension WellArchitectedClient { /// /// List the improvements of a particular lens review. /// - /// - Parameter ListLensReviewImprovementsInput : Input to list lens review improvements. + /// - Parameter input: Input to list lens review improvements. (Type: `ListLensReviewImprovementsInput`) /// - /// - Returns: `ListLensReviewImprovementsOutput` : Output of a list lens review improvements call. + /// - Returns: Output of a list lens review improvements call. (Type: `ListLensReviewImprovementsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3293,7 +3252,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLensReviewImprovementsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLensReviewImprovementsOutput.httpOutput(from:), ListLensReviewImprovementsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3325,9 +3283,9 @@ extension WellArchitectedClient { /// /// List lens reviews for a particular workload. /// - /// - Parameter ListLensReviewsInput : Input to list lens reviews. + /// - Parameter input: Input to list lens reviews. (Type: `ListLensReviewsInput`) /// - /// - Returns: `ListLensReviewsOutput` : Output of a list lens reviews call. + /// - Returns: Output of a list lens reviews call. (Type: `ListLensReviewsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3363,7 +3321,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLensReviewsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLensReviewsOutput.httpOutput(from:), ListLensReviewsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3395,9 +3352,9 @@ extension WellArchitectedClient { /// /// List the lens shares associated with the lens. /// - /// - Parameter ListLensSharesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListLensSharesInput`) /// - /// - Returns: `ListLensSharesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListLensSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3433,7 +3390,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLensSharesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLensSharesOutput.httpOutput(from:), ListLensSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3465,9 +3421,9 @@ extension WellArchitectedClient { /// /// List the available lenses. /// - /// - Parameter ListLensesInput : Input to list lenses. + /// - Parameter input: Input to list lenses. (Type: `ListLensesInput`) /// - /// - Returns: `ListLensesOutput` : Output of a list lenses call. + /// - Returns: Output of a list lenses call. (Type: `ListLensesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3502,7 +3458,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListLensesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListLensesOutput.httpOutput(from:), ListLensesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3534,9 +3489,9 @@ extension WellArchitectedClient { /// /// List all milestones for an existing workload. /// - /// - Parameter ListMilestonesInput : Input to list all milestones for a workload. + /// - Parameter input: Input to list all milestones for a workload. (Type: `ListMilestonesInput`) /// - /// - Returns: `ListMilestonesOutput` : Output of a list milestones call. + /// - Returns: Output of a list milestones call. (Type: `ListMilestonesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3574,7 +3529,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMilestonesOutput.httpOutput(from:), ListMilestonesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3606,9 +3560,9 @@ extension WellArchitectedClient { /// /// List lens notifications. /// - /// - Parameter ListNotificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNotificationsInput`) /// - /// - Returns: `ListNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3645,7 +3599,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNotificationsOutput.httpOutput(from:), ListNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3677,9 +3630,9 @@ extension WellArchitectedClient { /// /// List profile notifications. /// - /// - Parameter ListProfileNotificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfileNotificationsInput`) /// - /// - Returns: `ListProfileNotificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfileNotificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3714,7 +3667,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfileNotificationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfileNotificationsOutput.httpOutput(from:), ListProfileNotificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3746,9 +3698,9 @@ extension WellArchitectedClient { /// /// List profile shares. /// - /// - Parameter ListProfileSharesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfileSharesInput`) /// - /// - Returns: `ListProfileSharesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfileSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3784,7 +3736,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfileSharesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfileSharesOutput.httpOutput(from:), ListProfileSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3816,9 +3767,9 @@ extension WellArchitectedClient { /// /// List profiles. /// - /// - Parameter ListProfilesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListProfilesInput`) /// - /// - Returns: `ListProfilesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListProfilesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3853,7 +3804,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListProfilesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListProfilesOutput.httpOutput(from:), ListProfilesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3885,9 +3835,9 @@ extension WellArchitectedClient { /// /// List the answers of a review template. /// - /// - Parameter ListReviewTemplateAnswersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReviewTemplateAnswersInput`) /// - /// - Returns: `ListReviewTemplateAnswersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReviewTemplateAnswersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3923,7 +3873,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReviewTemplateAnswersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReviewTemplateAnswersOutput.httpOutput(from:), ListReviewTemplateAnswersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3955,9 +3904,9 @@ extension WellArchitectedClient { /// /// List review templates. /// - /// - Parameter ListReviewTemplatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListReviewTemplatesInput`) /// - /// - Returns: `ListReviewTemplatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListReviewTemplatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3992,7 +3941,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListReviewTemplatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListReviewTemplatesOutput.httpOutput(from:), ListReviewTemplatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4024,9 +3972,9 @@ extension WellArchitectedClient { /// /// List the share invitations. WorkloadNamePrefix, LensNamePrefix, ProfileNamePrefix, and TemplateNamePrefix are mutually exclusive. Use the parameter that matches your ShareResourceType. /// - /// - Parameter ListShareInvitationsInput : Input for List Share Invitations + /// - Parameter input: Input for List Share Invitations (Type: `ListShareInvitationsInput`) /// - /// - Returns: `ListShareInvitationsOutput` : Input for List Share Invitations + /// - Returns: Input for List Share Invitations (Type: `ListShareInvitationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4061,7 +4009,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListShareInvitationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListShareInvitationsOutput.httpOutput(from:), ListShareInvitationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4093,9 +4040,9 @@ extension WellArchitectedClient { /// /// List the tags for a resource. The WorkloadArn parameter can be a workload ARN, a custom lens ARN, a profile ARN, or review template ARN. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4127,7 +4074,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4159,9 +4105,9 @@ extension WellArchitectedClient { /// /// List review template shares. /// - /// - Parameter ListTemplateSharesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTemplateSharesInput`) /// - /// - Returns: `ListTemplateSharesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTemplateSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4197,7 +4143,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTemplateSharesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTemplateSharesOutput.httpOutput(from:), ListTemplateSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4229,9 +4174,9 @@ extension WellArchitectedClient { /// /// List the workload shares associated with the workload. /// - /// - Parameter ListWorkloadSharesInput : Input for List Workload Share + /// - Parameter input: Input for List Workload Share (Type: `ListWorkloadSharesInput`) /// - /// - Returns: `ListWorkloadSharesOutput` : Input for List Workload Share + /// - Returns: Input for List Workload Share (Type: `ListWorkloadSharesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4267,7 +4212,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListWorkloadSharesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkloadSharesOutput.httpOutput(from:), ListWorkloadSharesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4299,9 +4243,9 @@ extension WellArchitectedClient { /// /// Paginated list of workloads. /// - /// - Parameter ListWorkloadsInput : Input to list all workloads. + /// - Parameter input: Input to list all workloads. (Type: `ListWorkloadsInput`) /// - /// - Returns: `ListWorkloadsOutput` : Output of a list workloads call. + /// - Returns: Output of a list workloads call. (Type: `ListWorkloadsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4338,7 +4282,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkloadsOutput.httpOutput(from:), ListWorkloadsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4370,9 +4313,9 @@ extension WellArchitectedClient { /// /// Adds one or more tags to the specified resource. The WorkloadArn parameter can be a workload ARN, a custom lens ARN, a profile ARN, or review template ARN. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4407,7 +4350,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4439,9 +4381,9 @@ extension WellArchitectedClient { /// /// Deletes specified tags from a resource. The WorkloadArn parameter can be a workload ARN, a custom lens ARN, a profile ARN, or review template ARN. To specify multiple tags, use separate tagKeys parameters, for example: DELETE /tags/WorkloadArn?tagKeys=key1&tagKeys=key2 /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4474,7 +4416,6 @@ extension WellArchitectedClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4506,9 +4447,9 @@ extension WellArchitectedClient { /// /// Update the answer to a specific question in a workload review. /// - /// - Parameter UpdateAnswerInput : Input to update answer. + /// - Parameter input: Input to update answer. (Type: `UpdateAnswerInput`) /// - /// - Returns: `UpdateAnswerOutput` : Output of a update answer call. + /// - Returns: Output of a update answer call. (Type: `UpdateAnswerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4547,7 +4488,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAnswerOutput.httpOutput(from:), UpdateAnswerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4579,9 +4519,9 @@ extension WellArchitectedClient { /// /// Update whether the Amazon Web Services account is opted into organization sharing and discovery integration features. /// - /// - Parameter UpdateGlobalSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGlobalSettingsInput`) /// - /// - Returns: `UpdateGlobalSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGlobalSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4619,7 +4559,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGlobalSettingsOutput.httpOutput(from:), UpdateGlobalSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4651,9 +4590,9 @@ extension WellArchitectedClient { /// /// Update integration features. /// - /// - Parameter UpdateIntegrationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIntegrationInput`) /// - /// - Returns: `UpdateIntegrationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIntegrationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4693,7 +4632,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIntegrationOutput.httpOutput(from:), UpdateIntegrationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4725,9 +4663,9 @@ extension WellArchitectedClient { /// /// Update lens review for a particular workload. /// - /// - Parameter UpdateLensReviewInput : Input for update lens review. + /// - Parameter input: Input for update lens review. (Type: `UpdateLensReviewInput`) /// - /// - Returns: `UpdateLensReviewOutput` : Output of a update lens review call. + /// - Returns: Output of a update lens review call. (Type: `UpdateLensReviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4766,7 +4704,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateLensReviewOutput.httpOutput(from:), UpdateLensReviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4798,9 +4735,9 @@ extension WellArchitectedClient { /// /// Update a profile. /// - /// - Parameter UpdateProfileInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateProfileInput`) /// - /// - Returns: `UpdateProfileOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateProfileOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4839,7 +4776,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateProfileOutput.httpOutput(from:), UpdateProfileOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4871,9 +4807,9 @@ extension WellArchitectedClient { /// /// Update a review template. /// - /// - Parameter UpdateReviewTemplateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReviewTemplateInput`) /// - /// - Returns: `UpdateReviewTemplateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReviewTemplateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4912,7 +4848,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReviewTemplateOutput.httpOutput(from:), UpdateReviewTemplateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4944,9 +4879,9 @@ extension WellArchitectedClient { /// /// Update a review template answer. /// - /// - Parameter UpdateReviewTemplateAnswerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReviewTemplateAnswerInput`) /// - /// - Returns: `UpdateReviewTemplateAnswerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReviewTemplateAnswerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4985,7 +4920,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReviewTemplateAnswerOutput.httpOutput(from:), UpdateReviewTemplateAnswerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5017,9 +4951,9 @@ extension WellArchitectedClient { /// /// Update a lens review associated with a review template. /// - /// - Parameter UpdateReviewTemplateLensReviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateReviewTemplateLensReviewInput`) /// - /// - Returns: `UpdateReviewTemplateLensReviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateReviewTemplateLensReviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5058,7 +4992,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateReviewTemplateLensReviewOutput.httpOutput(from:), UpdateReviewTemplateLensReviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5090,9 +5023,9 @@ extension WellArchitectedClient { /// /// Update a workload or custom lens share invitation. This API operation can be called independently of any resource. Previous documentation implied that a workload ARN must be specified. /// - /// - Parameter UpdateShareInvitationInput : Input for Update Share Invitation + /// - Parameter input: Input for Update Share Invitation (Type: `UpdateShareInvitationInput`) /// - /// - Returns: `UpdateShareInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateShareInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5131,7 +5064,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateShareInvitationOutput.httpOutput(from:), UpdateShareInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5163,9 +5095,9 @@ extension WellArchitectedClient { /// /// Update an existing workload. /// - /// - Parameter UpdateWorkloadInput : Input to update a workload. + /// - Parameter input: Input to update a workload. (Type: `UpdateWorkloadInput`) /// - /// - Returns: `UpdateWorkloadOutput` : Output of an update workload call. + /// - Returns: Output of an update workload call. (Type: `UpdateWorkloadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5204,7 +5136,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkloadOutput.httpOutput(from:), UpdateWorkloadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5236,9 +5167,9 @@ extension WellArchitectedClient { /// /// Update a workload share. /// - /// - Parameter UpdateWorkloadShareInput : Input for Update Workload Share + /// - Parameter input: Input for Update Workload Share (Type: `UpdateWorkloadShareInput`) /// - /// - Returns: `UpdateWorkloadShareOutput` : Input for Update Workload Share + /// - Returns: Input for Update Workload Share (Type: `UpdateWorkloadShareOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5277,7 +5208,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkloadShareOutput.httpOutput(from:), UpdateWorkloadShareOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5309,9 +5239,9 @@ extension WellArchitectedClient { /// /// Upgrade lens review for a particular workload. /// - /// - Parameter UpgradeLensReviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpgradeLensReviewInput`) /// - /// - Returns: `UpgradeLensReviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpgradeLensReviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5351,7 +5281,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpgradeLensReviewOutput.httpOutput(from:), UpgradeLensReviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5383,9 +5312,9 @@ extension WellArchitectedClient { /// /// Upgrade a profile. /// - /// - Parameter UpgradeProfileVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpgradeProfileVersionInput`) /// - /// - Returns: `UpgradeProfileVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpgradeProfileVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5426,7 +5355,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpgradeProfileVersionOutput.httpOutput(from:), UpgradeProfileVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5458,9 +5386,9 @@ extension WellArchitectedClient { /// /// Upgrade the lens review of a review template. /// - /// - Parameter UpgradeReviewTemplateLensReviewInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpgradeReviewTemplateLensReviewInput`) /// - /// - Returns: `UpgradeReviewTemplateLensReviewOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpgradeReviewTemplateLensReviewOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5499,7 +5427,6 @@ extension WellArchitectedClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpgradeReviewTemplateLensReviewOutput.httpOutput(from:), UpgradeReviewTemplateLensReviewOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWisdom/Sources/AWSWisdom/WisdomClient.swift b/Sources/Services/AWSWisdom/Sources/AWSWisdom/WisdomClient.swift index adf3064dba5..0cb0711e111 100644 --- a/Sources/Services/AWSWisdom/Sources/AWSWisdom/WisdomClient.swift +++ b/Sources/Services/AWSWisdom/Sources/AWSWisdom/WisdomClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WisdomClient: ClientRuntime.Client { public static let clientName = "WisdomClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WisdomClient.WisdomClientConfiguration let serviceName = "Wisdom" @@ -375,9 +374,9 @@ extension WisdomClient { /// /// Creates an Amazon Connect Wisdom assistant. /// - /// - Parameter CreateAssistantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssistantInput`) /// - /// - Returns: `CreateAssistantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssistantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssistantOutput.httpOutput(from:), CreateAssistantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension WisdomClient { /// /// Creates an association between an Amazon Connect Wisdom assistant and another resource. Currently, the only supported association is with a knowledge base. An assistant can have only a single association. /// - /// - Parameter CreateAssistantAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAssistantAssociationInput`) /// - /// - Returns: `CreateAssistantAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAssistantAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAssistantAssociationOutput.httpOutput(from:), CreateAssistantAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -520,9 +517,9 @@ extension WisdomClient { /// /// Creates Wisdom content. Before to calling this API, use [StartContentUpload](https://docs.aws.amazon.com/wisdom/latest/APIReference/API_StartContentUpload.html) to upload an asset. /// - /// - Parameter CreateContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateContentInput`) /// - /// - Returns: `CreateContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateContentOutput.httpOutput(from:), CreateContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -601,9 +597,9 @@ extension WisdomClient { /// /// * Call CreateKnowledgeBase. /// - /// - Parameter CreateKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateKnowledgeBaseInput`) /// - /// - Returns: `CreateKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -641,7 +637,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateKnowledgeBaseOutput.httpOutput(from:), CreateKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -673,9 +668,9 @@ extension WisdomClient { /// /// Creates a Wisdom quick response. /// - /// - Parameter CreateQuickResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateQuickResponseInput`) /// - /// - Returns: `CreateQuickResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateQuickResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -714,7 +709,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateQuickResponseOutput.httpOutput(from:), CreateQuickResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -746,9 +740,9 @@ extension WisdomClient { /// /// Creates a session. A session is a contextual container used for generating recommendations. Amazon Connect creates a new Wisdom session for each contact on which Wisdom is enabled. /// - /// - Parameter CreateSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSessionInput`) /// - /// - Returns: `CreateSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -785,7 +779,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSessionOutput.httpOutput(from:), CreateSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -817,9 +810,9 @@ extension WisdomClient { /// /// Deletes an assistant. /// - /// - Parameter DeleteAssistantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssistantInput`) /// - /// - Returns: `DeleteAssistantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssistantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -852,7 +845,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssistantOutput.httpOutput(from:), DeleteAssistantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -884,9 +876,9 @@ extension WisdomClient { /// /// Deletes an assistant association. /// - /// - Parameter DeleteAssistantAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAssistantAssociationInput`) /// - /// - Returns: `DeleteAssistantAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAssistantAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -919,7 +911,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAssistantAssociationOutput.httpOutput(from:), DeleteAssistantAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -951,9 +942,9 @@ extension WisdomClient { /// /// Deletes the content. /// - /// - Parameter DeleteContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteContentInput`) /// - /// - Returns: `DeleteContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -986,7 +977,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteContentOutput.httpOutput(from:), DeleteContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1018,9 +1008,9 @@ extension WisdomClient { /// /// Deletes the quick response import job. /// - /// - Parameter DeleteImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImportJobInput`) /// - /// - Returns: `DeleteImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1054,7 +1044,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImportJobOutput.httpOutput(from:), DeleteImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1086,9 +1075,9 @@ extension WisdomClient { /// /// Deletes the knowledge base. When you use this API to delete an external knowledge base such as Salesforce or ServiceNow, you must also delete the [Amazon AppIntegrations](https://docs.aws.amazon.com/appintegrations/latest/APIReference/Welcome.html) DataIntegration. This is because you can't reuse the DataIntegration after it's been associated with an external knowledge base. However, you can delete and recreate it. See [DeleteDataIntegration](https://docs.aws.amazon.com/appintegrations/latest/APIReference/API_DeleteDataIntegration.html) and [CreateDataIntegration](https://docs.aws.amazon.com/appintegrations/latest/APIReference/API_CreateDataIntegration.html) in the Amazon AppIntegrations API Reference. /// - /// - Parameter DeleteKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteKnowledgeBaseInput`) /// - /// - Returns: `DeleteKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1122,7 +1111,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteKnowledgeBaseOutput.httpOutput(from:), DeleteKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1154,9 +1142,9 @@ extension WisdomClient { /// /// Deletes a quick response. /// - /// - Parameter DeleteQuickResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteQuickResponseInput`) /// - /// - Returns: `DeleteQuickResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteQuickResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1189,7 +1177,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteQuickResponseOutput.httpOutput(from:), DeleteQuickResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1221,9 +1208,9 @@ extension WisdomClient { /// /// Retrieves information about an assistant. /// - /// - Parameter GetAssistantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssistantInput`) /// - /// - Returns: `GetAssistantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssistantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1256,7 +1243,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssistantOutput.httpOutput(from:), GetAssistantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1288,9 +1274,9 @@ extension WisdomClient { /// /// Retrieves information about an assistant association. /// - /// - Parameter GetAssistantAssociationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAssistantAssociationInput`) /// - /// - Returns: `GetAssistantAssociationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAssistantAssociationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1323,7 +1309,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAssistantAssociationOutput.httpOutput(from:), GetAssistantAssociationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1355,9 +1340,9 @@ extension WisdomClient { /// /// Retrieves content, including a pre-signed URL to download the content. /// - /// - Parameter GetContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContentInput`) /// - /// - Returns: `GetContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1390,7 +1375,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContentOutput.httpOutput(from:), GetContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1422,9 +1406,9 @@ extension WisdomClient { /// /// Retrieves summary information about the content. /// - /// - Parameter GetContentSummaryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetContentSummaryInput`) /// - /// - Returns: `GetContentSummaryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetContentSummaryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1457,7 +1441,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetContentSummaryOutput.httpOutput(from:), GetContentSummaryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1489,9 +1472,9 @@ extension WisdomClient { /// /// Retrieves the started import job. /// - /// - Parameter GetImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImportJobInput`) /// - /// - Returns: `GetImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1524,7 +1507,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImportJobOutput.httpOutput(from:), GetImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1556,9 +1538,9 @@ extension WisdomClient { /// /// Retrieves information about the knowledge base. /// - /// - Parameter GetKnowledgeBaseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetKnowledgeBaseInput`) /// - /// - Returns: `GetKnowledgeBaseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetKnowledgeBaseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1591,7 +1573,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetKnowledgeBaseOutput.httpOutput(from:), GetKnowledgeBaseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1623,9 +1604,9 @@ extension WisdomClient { /// /// Retrieves the quick response. /// - /// - Parameter GetQuickResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetQuickResponseInput`) /// - /// - Returns: `GetQuickResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetQuickResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1658,7 +1639,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetQuickResponseOutput.httpOutput(from:), GetQuickResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1691,9 +1671,9 @@ extension WisdomClient { /// Retrieves recommendations for the specified session. To avoid retrieving the same recommendations in subsequent calls, use [NotifyRecommendationsReceived](https://docs.aws.amazon.com/wisdom/latest/APIReference/API_NotifyRecommendationsReceived.html). This API supports long-polling behavior with the waitTimeSeconds parameter. Short poll is the default behavior and only returns recommendations already available. To perform a manual query against an assistant, use [QueryAssistant](https://docs.aws.amazon.com/wisdom/latest/APIReference/API_QueryAssistant.html). @available(*, deprecated, message: "GetRecommendations API will be discontinued starting June 1, 2024. To receive generative responses after March 1, 2024 you will need to create a new Assistant in the Connect console and integrate the Amazon Q in Connect JavaScript library (amazon-q-connectjs) into your applications.") /// - /// - Parameter GetRecommendationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRecommendationsInput`) /// - /// - Returns: `GetRecommendationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRecommendationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1727,7 +1707,6 @@ extension WisdomClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetRecommendationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRecommendationsOutput.httpOutput(from:), GetRecommendationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1759,9 +1738,9 @@ extension WisdomClient { /// /// Retrieves information for a specified session. /// - /// - Parameter GetSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionInput`) /// - /// - Returns: `GetSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1794,7 +1773,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionOutput.httpOutput(from:), GetSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1826,9 +1804,9 @@ extension WisdomClient { /// /// Lists information about assistant associations. /// - /// - Parameter ListAssistantAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssistantAssociationsInput`) /// - /// - Returns: `ListAssistantAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssistantAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1862,7 +1840,6 @@ extension WisdomClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssistantAssociationsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssistantAssociationsOutput.httpOutput(from:), ListAssistantAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1894,9 +1871,9 @@ extension WisdomClient { /// /// Lists information about assistants. /// - /// - Parameter ListAssistantsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAssistantsInput`) /// - /// - Returns: `ListAssistantsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAssistantsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1929,7 +1906,6 @@ extension WisdomClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListAssistantsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAssistantsOutput.httpOutput(from:), ListAssistantsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1961,9 +1937,9 @@ extension WisdomClient { /// /// Lists the content. /// - /// - Parameter ListContentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListContentsInput`) /// - /// - Returns: `ListContentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListContentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1997,7 +1973,6 @@ extension WisdomClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListContentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListContentsOutput.httpOutput(from:), ListContentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2029,9 +2004,9 @@ extension WisdomClient { /// /// Lists information about import jobs. /// - /// - Parameter ListImportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImportJobsInput`) /// - /// - Returns: `ListImportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2064,7 +2039,6 @@ extension WisdomClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListImportJobsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImportJobsOutput.httpOutput(from:), ListImportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2096,9 +2070,9 @@ extension WisdomClient { /// /// Lists the knowledge bases. /// - /// - Parameter ListKnowledgeBasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListKnowledgeBasesInput`) /// - /// - Returns: `ListKnowledgeBasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListKnowledgeBasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2131,7 +2105,6 @@ extension WisdomClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListKnowledgeBasesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListKnowledgeBasesOutput.httpOutput(from:), ListKnowledgeBasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2163,9 +2136,9 @@ extension WisdomClient { /// /// Lists information about quick response. /// - /// - Parameter ListQuickResponsesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListQuickResponsesInput`) /// - /// - Returns: `ListQuickResponsesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListQuickResponsesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2199,7 +2172,6 @@ extension WisdomClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListQuickResponsesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListQuickResponsesOutput.httpOutput(from:), ListQuickResponsesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2231,9 +2203,9 @@ extension WisdomClient { /// /// Lists the tags for the specified resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2264,7 +2236,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2296,9 +2267,9 @@ extension WisdomClient { /// /// Removes the specified recommendations from the specified assistant's queue of newly available recommendations. You can use this API in conjunction with [GetRecommendations](https://docs.aws.amazon.com/wisdom/latest/APIReference/API_GetRecommendations.html) and a waitTimeSeconds input for long-polling behavior and avoiding duplicate recommendations. /// - /// - Parameter NotifyRecommendationsReceivedInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `NotifyRecommendationsReceivedInput`) /// - /// - Returns: `NotifyRecommendationsReceivedOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `NotifyRecommendationsReceivedOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2334,7 +2305,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(NotifyRecommendationsReceivedOutput.httpOutput(from:), NotifyRecommendationsReceivedOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2367,9 +2337,9 @@ extension WisdomClient { /// Performs a manual search against the specified assistant. To retrieve recommendations for an assistant, use [GetRecommendations](https://docs.aws.amazon.com/wisdom/latest/APIReference/API_GetRecommendations.html). @available(*, deprecated, message: "QueryAssistant API will be discontinued starting June 1, 2024. To receive generative responses after March 1, 2024 you will need to create a new Assistant in the Connect console and integrate the Amazon Q in Connect JavaScript library (amazon-q-connectjs) into your applications.") /// - /// - Parameter QueryAssistantInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `QueryAssistantInput`) /// - /// - Returns: `QueryAssistantOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `QueryAssistantOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2406,7 +2376,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(QueryAssistantOutput.httpOutput(from:), QueryAssistantOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2438,9 +2407,9 @@ extension WisdomClient { /// /// Removes a URI template from a knowledge base. /// - /// - Parameter RemoveKnowledgeBaseTemplateUriInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveKnowledgeBaseTemplateUriInput`) /// - /// - Returns: `RemoveKnowledgeBaseTemplateUriOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveKnowledgeBaseTemplateUriOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2473,7 +2442,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveKnowledgeBaseTemplateUriOutput.httpOutput(from:), RemoveKnowledgeBaseTemplateUriOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2505,9 +2473,9 @@ extension WisdomClient { /// /// Searches for content in a specified knowledge base. Can be used to get a specific content resource by its name. /// - /// - Parameter SearchContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchContentInput`) /// - /// - Returns: `SearchContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2544,7 +2512,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchContentOutput.httpOutput(from:), SearchContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2576,9 +2543,9 @@ extension WisdomClient { /// /// Searches existing Wisdom quick responses in a Wisdom knowledge base. /// - /// - Parameter SearchQuickResponsesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchQuickResponsesInput`) /// - /// - Returns: `SearchQuickResponsesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchQuickResponsesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2616,7 +2583,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchQuickResponsesOutput.httpOutput(from:), SearchQuickResponsesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2648,9 +2614,9 @@ extension WisdomClient { /// /// Searches for sessions. /// - /// - Parameter SearchSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchSessionsInput`) /// - /// - Returns: `SearchSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2687,7 +2653,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchSessionsOutput.httpOutput(from:), SearchSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2719,9 +2684,9 @@ extension WisdomClient { /// /// Get a URL to upload content to a knowledge base. To upload content, first make a PUT request to the returned URL with your file, making sure to include the required headers. Then use [CreateContent](https://docs.aws.amazon.com/wisdom/latest/APIReference/API_CreateContent.html) to finalize the content creation process or [UpdateContent](https://docs.aws.amazon.com/wisdom/latest/APIReference/API_UpdateContent.html) to modify an existing resource. You can only upload content to a knowledge base of type CUSTOM. /// - /// - Parameter StartContentUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartContentUploadInput`) /// - /// - Returns: `StartContentUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartContentUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2757,7 +2722,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartContentUploadOutput.httpOutput(from:), StartContentUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2791,9 +2755,9 @@ extension WisdomClient { /// /// * For importing Wisdom quick responses, you need to upload a csv file including the quick responses. For information about how to format the csv file for importing quick responses, see [Import quick responses](https://docs.aws.amazon.com/console/connect/quick-responses/add-data). /// - /// - Parameter StartImportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartImportJobInput`) /// - /// - Returns: `StartImportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartImportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2832,7 +2796,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartImportJobOutput.httpOutput(from:), StartImportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2864,9 +2827,9 @@ extension WisdomClient { /// /// Adds the specified tags to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2901,7 +2864,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2933,9 +2895,9 @@ extension WisdomClient { /// /// Removes the specified tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2967,7 +2929,6 @@ extension WisdomClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2999,9 +2960,9 @@ extension WisdomClient { /// /// Updates information about the content. /// - /// - Parameter UpdateContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateContentInput`) /// - /// - Returns: `UpdateContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3038,7 +2999,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateContentOutput.httpOutput(from:), UpdateContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3070,9 +3030,9 @@ extension WisdomClient { /// /// Updates the template URI of a knowledge base. This is only supported for knowledge bases of type EXTERNAL. Include a single variable in ${variable} format; this interpolated by Wisdom using ingested content. For example, if you ingest a Salesforce article, it has an Id value, and you can set the template URI to https://myInstanceName.lightning.force.com/lightning/r/Knowledge__kav/*${Id}*/view. /// - /// - Parameter UpdateKnowledgeBaseTemplateUriInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateKnowledgeBaseTemplateUriInput`) /// - /// - Returns: `UpdateKnowledgeBaseTemplateUriOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateKnowledgeBaseTemplateUriOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3108,7 +3068,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateKnowledgeBaseTemplateUriOutput.httpOutput(from:), UpdateKnowledgeBaseTemplateUriOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3140,9 +3099,9 @@ extension WisdomClient { /// /// Updates an existing Wisdom quick response. /// - /// - Parameter UpdateQuickResponseInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateQuickResponseInput`) /// - /// - Returns: `UpdateQuickResponseOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateQuickResponseOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3180,7 +3139,6 @@ extension WisdomClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateQuickResponseOutput.httpOutput(from:), UpdateQuickResponseOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWorkDocs/Sources/AWSWorkDocs/WorkDocsClient.swift b/Sources/Services/AWSWorkDocs/Sources/AWSWorkDocs/WorkDocsClient.swift index 5bd4c6324cb..546d7148591 100644 --- a/Sources/Services/AWSWorkDocs/Sources/AWSWorkDocs/WorkDocsClient.swift +++ b/Sources/Services/AWSWorkDocs/Sources/AWSWorkDocs/WorkDocsClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WorkDocsClient: ClientRuntime.Client { public static let clientName = "WorkDocsClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WorkDocsClient.WorkDocsClientConfiguration let serviceName = "WorkDocs" @@ -375,9 +374,9 @@ extension WorkDocsClient { /// /// Aborts the upload of the specified document version that was previously initiated by [InitiateDocumentVersionUpload]. The client should make this call only when it no longer intends to upload the document version, or fails to do so. /// - /// - Parameter AbortDocumentVersionUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AbortDocumentVersionUploadInput`) /// - /// - Returns: `AbortDocumentVersionUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AbortDocumentVersionUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -415,7 +414,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(AbortDocumentVersionUploadInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AbortDocumentVersionUploadOutput.httpOutput(from:), AbortDocumentVersionUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension WorkDocsClient { /// /// Activates the specified user. Only active users can access Amazon WorkDocs. /// - /// - Parameter ActivateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ActivateUserInput`) /// - /// - Returns: `ActivateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ActivateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(ActivateUserInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ActivateUserOutput.httpOutput(from:), ActivateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension WorkDocsClient { /// /// Creates a set of permissions for the specified folder or document. The resource permissions are overwritten if the principals already have different permissions. /// - /// - Parameter AddResourcePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AddResourcePermissionsInput`) /// - /// - Returns: `AddResourcePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AddResourcePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -558,7 +555,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AddResourcePermissionsOutput.httpOutput(from:), AddResourcePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -590,9 +586,9 @@ extension WorkDocsClient { /// /// Adds a new comment to the specified document version. /// - /// - Parameter CreateCommentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCommentInput`) /// - /// - Returns: `CreateCommentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCommentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -634,7 +630,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCommentOutput.httpOutput(from:), CreateCommentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -666,9 +661,9 @@ extension WorkDocsClient { /// /// Adds one or more custom properties to the specified resource (a folder, document, or version). /// - /// - Parameter CreateCustomMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateCustomMetadataInput`) /// - /// - Returns: `CreateCustomMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateCustomMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -710,7 +705,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateCustomMetadataOutput.httpOutput(from:), CreateCustomMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -742,9 +736,9 @@ extension WorkDocsClient { /// /// Creates a folder with the specified name and parent folder. /// - /// - Parameter CreateFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateFolderInput`) /// - /// - Returns: `CreateFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -788,7 +782,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateFolderOutput.httpOutput(from:), CreateFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -820,9 +813,9 @@ extension WorkDocsClient { /// /// Adds the specified list of labels to the given resource (a document or folder) /// - /// - Parameter CreateLabelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateLabelsInput`) /// - /// - Returns: `CreateLabelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateLabelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -862,7 +855,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateLabelsOutput.httpOutput(from:), CreateLabelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -894,9 +886,9 @@ extension WorkDocsClient { /// /// Configure Amazon WorkDocs to use Amazon SNS notifications. The endpoint receives a confirmation message, and must confirm the subscription. For more information, see [Setting up notifications for an IAM user or role](https://docs.aws.amazon.com/workdocs/latest/developerguide/manage-notifications.html) in the Amazon WorkDocs Developer Guide. /// - /// - Parameter CreateNotificationSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNotificationSubscriptionInput`) /// - /// - Returns: `CreateNotificationSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNotificationSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -933,7 +925,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNotificationSubscriptionOutput.httpOutput(from:), CreateNotificationSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -965,9 +956,9 @@ extension WorkDocsClient { /// /// Creates a user in a Simple AD or Microsoft AD directory. The status of a newly created user is "ACTIVE". New users can access Amazon WorkDocs. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1006,7 +997,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1038,9 +1028,9 @@ extension WorkDocsClient { /// /// Deactivates the specified user, which revokes the user's access to Amazon WorkDocs. /// - /// - Parameter DeactivateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeactivateUserInput`) /// - /// - Returns: `DeactivateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeactivateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1076,7 +1066,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeactivateUserInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeactivateUserOutput.httpOutput(from:), DeactivateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1108,9 +1097,9 @@ extension WorkDocsClient { /// /// Deletes the specified comment from the document version. /// - /// - Parameter DeleteCommentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCommentInput`) /// - /// - Returns: `DeleteCommentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCommentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1148,7 +1137,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteCommentInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCommentOutput.httpOutput(from:), DeleteCommentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1180,9 +1168,9 @@ extension WorkDocsClient { /// /// Deletes custom metadata from the specified resource. /// - /// - Parameter DeleteCustomMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteCustomMetadataInput`) /// - /// - Returns: `DeleteCustomMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteCustomMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1220,7 +1208,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteCustomMetadataInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteCustomMetadataOutput.httpOutput(from:), DeleteCustomMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1252,9 +1239,9 @@ extension WorkDocsClient { /// /// Permanently deletes the specified document and its associated metadata. /// - /// - Parameter DeleteDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDocumentInput`) /// - /// - Returns: `DeleteDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1294,7 +1281,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteDocumentInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDocumentOutput.httpOutput(from:), DeleteDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1326,9 +1312,9 @@ extension WorkDocsClient { /// /// Deletes a specific version of a document. /// - /// - Parameter DeleteDocumentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDocumentVersionInput`) /// - /// - Returns: `DeleteDocumentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDocumentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1368,7 +1354,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDocumentVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDocumentVersionOutput.httpOutput(from:), DeleteDocumentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1400,9 +1385,9 @@ extension WorkDocsClient { /// /// Permanently deletes the specified folder and its contents. /// - /// - Parameter DeleteFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFolderInput`) /// - /// - Returns: `DeleteFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1442,7 +1427,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteFolderInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFolderOutput.httpOutput(from:), DeleteFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1474,9 +1458,9 @@ extension WorkDocsClient { /// /// Deletes the contents of the specified folder. /// - /// - Parameter DeleteFolderContentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteFolderContentsInput`) /// - /// - Returns: `DeleteFolderContentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteFolderContentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1514,7 +1498,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteFolderContentsInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteFolderContentsOutput.httpOutput(from:), DeleteFolderContentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1546,9 +1529,9 @@ extension WorkDocsClient { /// /// Deletes the specified list of labels from a resource. /// - /// - Parameter DeleteLabelsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteLabelsInput`) /// - /// - Returns: `DeleteLabelsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteLabelsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1586,7 +1569,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteLabelsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteLabelsOutput.httpOutput(from:), DeleteLabelsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1618,9 +1600,9 @@ extension WorkDocsClient { /// /// Deletes the specified subscription from the specified organization. /// - /// - Parameter DeleteNotificationSubscriptionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNotificationSubscriptionInput`) /// - /// - Returns: `DeleteNotificationSubscriptionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNotificationSubscriptionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1654,7 +1636,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNotificationSubscriptionOutput.httpOutput(from:), DeleteNotificationSubscriptionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1686,9 +1667,9 @@ extension WorkDocsClient { /// /// Deletes the specified user from a Simple AD or Microsoft AD directory. Deleting a user immediately and permanently deletes all content in that user's folder structure. Site retention policies do NOT apply to this type of deletion. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1724,7 +1705,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(DeleteUserInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1756,9 +1736,9 @@ extension WorkDocsClient { /// /// Describes the user activities in a specified time period. /// - /// - Parameter DescribeActivitiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeActivitiesInput`) /// - /// - Returns: `DescribeActivitiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeActivitiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1795,7 +1775,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeActivitiesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeActivitiesOutput.httpOutput(from:), DescribeActivitiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1827,9 +1806,9 @@ extension WorkDocsClient { /// /// List all the comments for the specified document version. /// - /// - Parameter DescribeCommentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCommentsInput`) /// - /// - Returns: `DescribeCommentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCommentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1867,7 +1846,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeCommentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCommentsOutput.httpOutput(from:), DescribeCommentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1899,9 +1877,9 @@ extension WorkDocsClient { /// /// Retrieves the document versions for the specified document. By default, only active versions are returned. /// - /// - Parameter DescribeDocumentVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeDocumentVersionsInput`) /// - /// - Returns: `DescribeDocumentVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeDocumentVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1941,7 +1919,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeDocumentVersionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeDocumentVersionsOutput.httpOutput(from:), DescribeDocumentVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1973,9 +1950,9 @@ extension WorkDocsClient { /// /// Describes the contents of the specified folder, including its documents and subfolders. By default, Amazon WorkDocs returns the first 100 active document and folder metadata items. If there are more results, the response includes a marker that you can use to request the next set of results. You can also request initialized documents. /// - /// - Parameter DescribeFolderContentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeFolderContentsInput`) /// - /// - Returns: `DescribeFolderContentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeFolderContentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2013,7 +1990,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeFolderContentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeFolderContentsOutput.httpOutput(from:), DescribeFolderContentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2045,9 +2021,9 @@ extension WorkDocsClient { /// /// Describes the groups specified by the query. Groups are defined by the underlying Active Directory. /// - /// - Parameter DescribeGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGroupsInput`) /// - /// - Returns: `DescribeGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2083,7 +2059,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeGroupsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGroupsOutput.httpOutput(from:), DescribeGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2115,9 +2090,9 @@ extension WorkDocsClient { /// /// Lists the specified notification subscriptions. /// - /// - Parameter DescribeNotificationSubscriptionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeNotificationSubscriptionsInput`) /// - /// - Returns: `DescribeNotificationSubscriptionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeNotificationSubscriptionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2151,7 +2126,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeNotificationSubscriptionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeNotificationSubscriptionsOutput.httpOutput(from:), DescribeNotificationSubscriptionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2183,9 +2157,9 @@ extension WorkDocsClient { /// /// Describes the permissions of a specified resource. /// - /// - Parameter DescribeResourcePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourcePermissionsInput`) /// - /// - Returns: `DescribeResourcePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourcePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2222,7 +2196,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeResourcePermissionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourcePermissionsOutput.httpOutput(from:), DescribeResourcePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2254,9 +2227,9 @@ extension WorkDocsClient { /// /// Describes the current user's special folders; the RootFolder and the RecycleBin. RootFolder is the root of user's files and folders and RecycleBin is the root of recycled items. This is not a valid action for SigV4 (administrative API) clients. This action requires an authentication token. To get an authentication token, register an application with Amazon WorkDocs. For more information, see [Authentication and Access Control for User Applications](https://docs.aws.amazon.com/workdocs/latest/developerguide/wd-auth-user.html) in the Amazon WorkDocs Developer Guide. /// - /// - Parameter DescribeRootFoldersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeRootFoldersInput`) /// - /// - Returns: `DescribeRootFoldersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeRootFoldersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2293,7 +2266,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeRootFoldersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeRootFoldersOutput.httpOutput(from:), DescribeRootFoldersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2325,9 +2297,9 @@ extension WorkDocsClient { /// /// Describes the specified users. You can describe all users or filter the results (for example, by status or organization). By default, Amazon WorkDocs returns the first 24 active or pending users. If there are more results, the response includes a marker that you can use to request the next set of results. /// - /// - Parameter DescribeUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUsersInput`) /// - /// - Returns: `DescribeUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2366,7 +2338,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DescribeUsersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUsersOutput.httpOutput(from:), DescribeUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2398,9 +2369,9 @@ extension WorkDocsClient { /// /// Retrieves details of the current user for whom the authentication token was generated. This is not a valid action for SigV4 (administrative API) clients. This action requires an authentication token. To get an authentication token, register an application with Amazon WorkDocs. For more information, see [Authentication and Access Control for User Applications](https://docs.aws.amazon.com/workdocs/latest/developerguide/wd-auth-user.html) in the Amazon WorkDocs Developer Guide. /// - /// - Parameter GetCurrentUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetCurrentUserInput`) /// - /// - Returns: `GetCurrentUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetCurrentUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2436,7 +2407,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(GetCurrentUserInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetCurrentUserOutput.httpOutput(from:), GetCurrentUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2468,9 +2438,9 @@ extension WorkDocsClient { /// /// Retrieves details of a document. /// - /// - Parameter GetDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDocumentInput`) /// - /// - Returns: `GetDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2509,7 +2479,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDocumentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentOutput.httpOutput(from:), GetDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2541,9 +2510,9 @@ extension WorkDocsClient { /// /// Retrieves the path information (the hierarchy from the root folder) for the requested document. By default, Amazon WorkDocs returns a maximum of 100 levels upwards from the requested document and only includes the IDs of the parent folders in the path. You can limit the maximum number of levels. You can also request the names of the parent folders. /// - /// - Parameter GetDocumentPathInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDocumentPathInput`) /// - /// - Returns: `GetDocumentPathOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDocumentPathOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2580,7 +2549,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDocumentPathInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentPathOutput.httpOutput(from:), GetDocumentPathOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2612,9 +2580,9 @@ extension WorkDocsClient { /// /// Retrieves version metadata for the specified document. /// - /// - Parameter GetDocumentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDocumentVersionInput`) /// - /// - Returns: `GetDocumentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDocumentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2653,7 +2621,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetDocumentVersionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDocumentVersionOutput.httpOutput(from:), GetDocumentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2685,9 +2652,9 @@ extension WorkDocsClient { /// /// Retrieves the metadata of the specified folder. /// - /// - Parameter GetFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFolderInput`) /// - /// - Returns: `GetFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2726,7 +2693,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFolderInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFolderOutput.httpOutput(from:), GetFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2758,9 +2724,9 @@ extension WorkDocsClient { /// /// Retrieves the path information (the hierarchy from the root folder) for the specified folder. By default, Amazon WorkDocs returns a maximum of 100 levels upwards from the requested folder and only includes the IDs of the parent folders in the path. You can limit the maximum number of levels. You can also request the parent folder names. /// - /// - Parameter GetFolderPathInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetFolderPathInput`) /// - /// - Returns: `GetFolderPathOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetFolderPathOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2797,7 +2763,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetFolderPathInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetFolderPathOutput.httpOutput(from:), GetFolderPathOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2829,9 +2794,9 @@ extension WorkDocsClient { /// /// Retrieves a collection of resources, including folders and documents. The only CollectionType supported is SHARED_WITH_ME. /// - /// - Parameter GetResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetResourcesInput`) /// - /// - Returns: `GetResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2868,7 +2833,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetResourcesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetResourcesOutput.httpOutput(from:), GetResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2900,9 +2864,9 @@ extension WorkDocsClient { /// /// Creates a new document object and version object. The client specifies the parent folder ID and name of the document to upload. The ID is optionally specified when creating a new version of an existing document. This is the first step to upload a document. Next, upload the document to the URL returned from the call, and then call [UpdateDocumentVersion]. To cancel the document upload, call [AbortDocumentVersionUpload]. /// - /// - Parameter InitiateDocumentVersionUploadInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `InitiateDocumentVersionUploadInput`) /// - /// - Returns: `InitiateDocumentVersionUploadOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `InitiateDocumentVersionUploadOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2950,7 +2914,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(InitiateDocumentVersionUploadOutput.httpOutput(from:), InitiateDocumentVersionUploadOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2982,9 +2945,9 @@ extension WorkDocsClient { /// /// Removes all the permissions from the specified resource. /// - /// - Parameter RemoveAllResourcePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveAllResourcePermissionsInput`) /// - /// - Returns: `RemoveAllResourcePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveAllResourcePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3019,7 +2982,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(RemoveAllResourcePermissionsInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveAllResourcePermissionsOutput.httpOutput(from:), RemoveAllResourcePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3051,9 +3013,9 @@ extension WorkDocsClient { /// /// Removes the permission for the specified principal from the specified resource. /// - /// - Parameter RemoveResourcePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RemoveResourcePermissionInput`) /// - /// - Returns: `RemoveResourcePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RemoveResourcePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3089,7 +3051,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.QueryItemMiddleware(RemoveResourcePermissionInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RemoveResourcePermissionOutput.httpOutput(from:), RemoveResourcePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3121,9 +3082,9 @@ extension WorkDocsClient { /// /// Recovers a deleted version of an Amazon WorkDocs document. /// - /// - Parameter RestoreDocumentVersionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreDocumentVersionsInput`) /// - /// - Returns: `RestoreDocumentVersionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreDocumentVersionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3162,7 +3123,6 @@ extension WorkDocsClient { builder.serialize(ClientRuntime.HeaderMiddleware(RestoreDocumentVersionsInput.headerProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreDocumentVersionsOutput.httpOutput(from:), RestoreDocumentVersionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3194,9 +3154,9 @@ extension WorkDocsClient { /// /// Searches metadata and the content of folders, documents, document versions, and comments. /// - /// - Parameter SearchResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `SearchResourcesInput`) /// - /// - Returns: `SearchResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `SearchResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3234,7 +3194,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(SearchResourcesOutput.httpOutput(from:), SearchResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3266,9 +3225,9 @@ extension WorkDocsClient { /// /// Updates the specified attributes of a document. The user must have access to both the document and its parent folder, if applicable. /// - /// - Parameter UpdateDocumentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDocumentInput`) /// - /// - Returns: `UpdateDocumentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDocumentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3312,7 +3271,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDocumentOutput.httpOutput(from:), UpdateDocumentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3344,9 +3302,9 @@ extension WorkDocsClient { /// /// Changes the status of the document version to ACTIVE. Amazon WorkDocs also sets its document container to ACTIVE. This is the last step in a document upload, after the client uploads the document to an S3-presigned URL returned by [InitiateDocumentVersionUpload]. /// - /// - Parameter UpdateDocumentVersionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDocumentVersionInput`) /// - /// - Returns: `UpdateDocumentVersionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDocumentVersionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3388,7 +3346,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDocumentVersionOutput.httpOutput(from:), UpdateDocumentVersionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3420,9 +3377,9 @@ extension WorkDocsClient { /// /// Updates the specified attributes of the specified folder. The user must have access to both the folder and its parent folder, if applicable. /// - /// - Parameter UpdateFolderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateFolderInput`) /// - /// - Returns: `UpdateFolderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateFolderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3466,7 +3423,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateFolderOutput.httpOutput(from:), UpdateFolderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3498,9 +3454,9 @@ extension WorkDocsClient { /// /// Updates the specified attributes of the specified user, and grants or revokes administrative privileges to the Amazon WorkDocs site. /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3543,7 +3499,6 @@ extension WorkDocsClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWorkMail/Sources/AWSWorkMail/WorkMailClient.swift b/Sources/Services/AWSWorkMail/Sources/AWSWorkMail/WorkMailClient.swift index d8575510af5..93c30f6a23f 100644 --- a/Sources/Services/AWSWorkMail/Sources/AWSWorkMail/WorkMailClient.swift +++ b/Sources/Services/AWSWorkMail/Sources/AWSWorkMail/WorkMailClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WorkMailClient: ClientRuntime.Client { public static let clientName = "WorkMailClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WorkMailClient.WorkMailClientConfiguration let serviceName = "WorkMail" @@ -375,9 +374,9 @@ extension WorkMailClient { /// /// Adds a member (user or group) to the resource's set of delegates. /// - /// - Parameter AssociateDelegateToResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDelegateToResourceInput`) /// - /// - Returns: `AssociateDelegateToResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDelegateToResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDelegateToResourceOutput.httpOutput(from:), AssociateDelegateToResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension WorkMailClient { /// /// Adds a member (user or group) to the group's set. /// - /// - Parameter AssociateMemberToGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateMemberToGroupInput`) /// - /// - Returns: `AssociateMemberToGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateMemberToGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -490,7 +488,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateMemberToGroupOutput.httpOutput(from:), AssociateMemberToGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -525,9 +522,9 @@ extension WorkMailClient { /// /// Assumes an impersonation role for the given WorkMail organization. This method returns an authentication token you can use to make impersonated calls. /// - /// - Parameter AssumeImpersonationRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssumeImpersonationRoleInput`) /// - /// - Returns: `AssumeImpersonationRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssumeImpersonationRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -562,7 +559,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssumeImpersonationRoleOutput.httpOutput(from:), AssumeImpersonationRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -597,9 +593,9 @@ extension WorkMailClient { /// /// Cancels a mailbox export job. If the mailbox export job is near completion, it might not be possible to cancel it. /// - /// - Parameter CancelMailboxExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelMailboxExportJobInput`) /// - /// - Returns: `CancelMailboxExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelMailboxExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelMailboxExportJobOutput.httpOutput(from:), CancelMailboxExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -670,9 +665,9 @@ extension WorkMailClient { /// /// Adds an alias to the set of a given member (user or group) of WorkMail. /// - /// - Parameter CreateAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAliasInput`) /// - /// - Returns: `CreateAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -712,7 +707,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAliasOutput.httpOutput(from:), CreateAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -747,9 +741,9 @@ extension WorkMailClient { /// /// Creates an AvailabilityConfiguration for the given WorkMail organization and domain. /// - /// - Parameter CreateAvailabilityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAvailabilityConfigurationInput`) /// - /// - Returns: `CreateAvailabilityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAvailabilityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -786,7 +780,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAvailabilityConfigurationOutput.httpOutput(from:), CreateAvailabilityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -821,9 +814,9 @@ extension WorkMailClient { /// /// Creates a group that can be used in WorkMail by calling the [RegisterToWorkMail] operation. /// - /// - Parameter CreateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupInput`) /// - /// - Returns: `CreateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -862,7 +855,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupOutput.httpOutput(from:), CreateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -897,9 +889,9 @@ extension WorkMailClient { /// /// Creates the WorkMail application in IAM Identity Center that can be used later in the WorkMail - IdC integration. For more information, see PutIdentityProviderConfiguration. This action does not affect the authentication settings for any WorkMail organizations. /// - /// - Parameter CreateIdentityCenterApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIdentityCenterApplicationInput`) /// - /// - Returns: `CreateIdentityCenterApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIdentityCenterApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -932,7 +924,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIdentityCenterApplicationOutput.httpOutput(from:), CreateIdentityCenterApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -967,9 +958,9 @@ extension WorkMailClient { /// /// Creates an impersonation role for the given WorkMail organization. Idempotency ensures that an API request completes no more than one time. With an idempotent request, if the original request completes successfully, any subsequent retries also complete successfully without performing any further actions. /// - /// - Parameter CreateImpersonationRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateImpersonationRoleInput`) /// - /// - Returns: `CreateImpersonationRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateImpersonationRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1007,7 +998,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateImpersonationRoleOutput.httpOutput(from:), CreateImpersonationRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1042,9 +1032,9 @@ extension WorkMailClient { /// /// Creates a new mobile device access rule for the specified WorkMail organization. /// - /// - Parameter CreateMobileDeviceAccessRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateMobileDeviceAccessRuleInput`) /// - /// - Returns: `CreateMobileDeviceAccessRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateMobileDeviceAccessRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1080,7 +1070,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateMobileDeviceAccessRuleOutput.httpOutput(from:), CreateMobileDeviceAccessRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1115,9 +1104,9 @@ extension WorkMailClient { /// /// Creates a new WorkMail organization. Optionally, you can choose to associate an existing AWS Directory Service directory with your organization. If an AWS Directory Service directory ID is specified, the organization alias must match the directory alias. If you choose not to associate an existing directory with your organization, then we create a new WorkMail directory for you. For more information, see [Adding an organization](https://docs.aws.amazon.com/workmail/latest/adminguide/add_new_organization.html) in the WorkMail Administrator Guide. You can associate multiple email domains with an organization, then choose your default email domain from the WorkMail console. You can also associate a domain that is managed in an Amazon Route 53 public hosted zone. For more information, see [Adding a domain](https://docs.aws.amazon.com/workmail/latest/adminguide/add_domain.html) and [Choosing the default domain](https://docs.aws.amazon.com/workmail/latest/adminguide/default_domain.html) in the WorkMail Administrator Guide. Optionally, you can use a customer managed key from AWS Key Management Service (AWS KMS) to encrypt email for your organization. If you don't associate an AWS KMS key, WorkMail creates a default, AWS managed key for you. /// - /// - Parameter CreateOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateOrganizationInput`) /// - /// - Returns: `CreateOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1154,7 +1143,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateOrganizationOutput.httpOutput(from:), CreateOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1189,9 +1177,9 @@ extension WorkMailClient { /// /// Creates a new WorkMail resource. /// - /// - Parameter CreateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateResourceInput`) /// - /// - Returns: `CreateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1230,7 +1218,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateResourceOutput.httpOutput(from:), CreateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1265,9 +1252,9 @@ extension WorkMailClient { /// /// Creates a user who can be used in WorkMail by calling the [RegisterToWorkMail] operation. /// - /// - Parameter CreateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserInput`) /// - /// - Returns: `CreateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1307,7 +1294,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserOutput.httpOutput(from:), CreateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1342,9 +1328,9 @@ extension WorkMailClient { /// /// Deletes an access control rule for the specified WorkMail organization. Deleting already deleted and non-existing rules does not produce an error. In those cases, the service sends back an HTTP 200 response with an empty HTTP body. /// - /// - Parameter DeleteAccessControlRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccessControlRuleInput`) /// - /// - Returns: `DeleteAccessControlRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccessControlRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1377,7 +1363,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccessControlRuleOutput.httpOutput(from:), DeleteAccessControlRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1412,9 +1397,9 @@ extension WorkMailClient { /// /// Remove one or more specified aliases from a set of aliases for a given user. /// - /// - Parameter DeleteAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAliasInput`) /// - /// - Returns: `DeleteAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1450,7 +1435,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAliasOutput.httpOutput(from:), DeleteAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1485,9 +1469,9 @@ extension WorkMailClient { /// /// Deletes the AvailabilityConfiguration for the given WorkMail organization and domain. /// - /// - Parameter DeleteAvailabilityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAvailabilityConfigurationInput`) /// - /// - Returns: `DeleteAvailabilityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAvailabilityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1520,7 +1504,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAvailabilityConfigurationOutput.httpOutput(from:), DeleteAvailabilityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1555,9 +1538,9 @@ extension WorkMailClient { /// /// Deletes the email monitoring configuration for a specified organization. /// - /// - Parameter DeleteEmailMonitoringConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEmailMonitoringConfigurationInput`) /// - /// - Returns: `DeleteEmailMonitoringConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEmailMonitoringConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1591,7 +1574,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEmailMonitoringConfigurationOutput.httpOutput(from:), DeleteEmailMonitoringConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1626,9 +1608,9 @@ extension WorkMailClient { /// /// Deletes a group from WorkMail. /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1666,7 +1648,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1701,9 +1682,9 @@ extension WorkMailClient { /// /// Deletes the IAM Identity Center application from WorkMail. This action does not affect the authentication settings for any WorkMail organizations. /// - /// - Parameter DeleteIdentityCenterApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdentityCenterApplicationInput`) /// - /// - Returns: `DeleteIdentityCenterApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdentityCenterApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1736,7 +1717,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentityCenterApplicationOutput.httpOutput(from:), DeleteIdentityCenterApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1771,9 +1751,9 @@ extension WorkMailClient { /// /// Disables the integration between IdC and WorkMail. Authentication will continue with the directory as it was before the IdC integration. You might have to reset your directory passwords and reconfigure your desktop and mobile email clients. /// - /// - Parameter DeleteIdentityProviderConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdentityProviderConfigurationInput`) /// - /// - Returns: `DeleteIdentityProviderConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdentityProviderConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1807,7 +1787,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentityProviderConfigurationOutput.httpOutput(from:), DeleteIdentityProviderConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1842,9 +1821,9 @@ extension WorkMailClient { /// /// Deletes an impersonation role for the given WorkMail organization. /// - /// - Parameter DeleteImpersonationRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteImpersonationRoleInput`) /// - /// - Returns: `DeleteImpersonationRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteImpersonationRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1878,7 +1857,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteImpersonationRoleOutput.httpOutput(from:), DeleteImpersonationRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1913,9 +1891,9 @@ extension WorkMailClient { /// /// Deletes permissions granted to a member (user or group). /// - /// - Parameter DeleteMailboxPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMailboxPermissionsInput`) /// - /// - Returns: `DeleteMailboxPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMailboxPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1951,7 +1929,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMailboxPermissionsOutput.httpOutput(from:), DeleteMailboxPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1986,9 +1963,9 @@ extension WorkMailClient { /// /// Deletes the mobile device access override for the given WorkMail organization, user, and device. Deleting already deleted and non-existing overrides does not produce an error. In those cases, the service sends back an HTTP 200 response with an empty HTTP body. /// - /// - Parameter DeleteMobileDeviceAccessOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMobileDeviceAccessOverrideInput`) /// - /// - Returns: `DeleteMobileDeviceAccessOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMobileDeviceAccessOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2023,7 +2000,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMobileDeviceAccessOverrideOutput.httpOutput(from:), DeleteMobileDeviceAccessOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2058,9 +2034,9 @@ extension WorkMailClient { /// /// Deletes a mobile device access rule for the specified WorkMail organization. Deleting already deleted and non-existing rules does not produce an error. In those cases, the service sends back an HTTP 200 response with an empty HTTP body. /// - /// - Parameter DeleteMobileDeviceAccessRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteMobileDeviceAccessRuleInput`) /// - /// - Returns: `DeleteMobileDeviceAccessRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteMobileDeviceAccessRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2094,7 +2070,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteMobileDeviceAccessRuleOutput.httpOutput(from:), DeleteMobileDeviceAccessRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2129,9 +2104,9 @@ extension WorkMailClient { /// /// Deletes an WorkMail organization and all underlying AWS resources managed by WorkMail as part of the organization. You can choose whether to delete the associated directory. For more information, see [Removing an organization](https://docs.aws.amazon.com/workmail/latest/adminguide/remove_organization.html) in the WorkMail Administrator Guide. /// - /// - Parameter DeleteOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteOrganizationInput`) /// - /// - Returns: `DeleteOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2166,7 +2141,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteOrganizationOutput.httpOutput(from:), DeleteOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2201,9 +2175,9 @@ extension WorkMailClient { /// /// Deletes the Personal Access Token from the provided WorkMail Organization. /// - /// - Parameter DeletePersonalAccessTokenInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePersonalAccessTokenInput`) /// - /// - Returns: `DeletePersonalAccessTokenOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePersonalAccessTokenOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2237,7 +2211,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePersonalAccessTokenOutput.httpOutput(from:), DeletePersonalAccessTokenOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2272,9 +2245,9 @@ extension WorkMailClient { /// /// Deletes the specified resource. /// - /// - Parameter DeleteResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourceInput`) /// - /// - Returns: `DeleteResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2310,7 +2283,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourceOutput.httpOutput(from:), DeleteResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2345,9 +2317,9 @@ extension WorkMailClient { /// /// Deletes the specified retention policy from the specified organization. /// - /// - Parameter DeleteRetentionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteRetentionPolicyInput`) /// - /// - Returns: `DeleteRetentionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteRetentionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2381,7 +2353,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteRetentionPolicyOutput.httpOutput(from:), DeleteRetentionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2416,9 +2387,9 @@ extension WorkMailClient { /// /// Deletes a user from WorkMail and all subsequent systems. Before you can delete a user, the user state must be DISABLED. Use the [DescribeUser] action to confirm the user state. Deleting a user is permanent and cannot be undone. WorkMail archives user mailboxes for 30 days before they are permanently removed. /// - /// - Parameter DeleteUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserInput`) /// - /// - Returns: `DeleteUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2456,7 +2427,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserOutput.httpOutput(from:), DeleteUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2491,9 +2461,9 @@ extension WorkMailClient { /// /// Mark a user, group, or resource as no longer used in WorkMail. This action disassociates the mailbox and schedules it for clean-up. WorkMail keeps mailboxes for 30 days before they are permanently removed. The functionality in the console is Disable. /// - /// - Parameter DeregisterFromWorkMailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterFromWorkMailInput`) /// - /// - Returns: `DeregisterFromWorkMailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterFromWorkMailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2529,7 +2499,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterFromWorkMailOutput.httpOutput(from:), DeregisterFromWorkMailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2564,9 +2533,9 @@ extension WorkMailClient { /// /// Removes a domain from WorkMail, stops email routing to WorkMail, and removes the authorization allowing WorkMail use. SES keeps the domain because other applications may use it. You must first remove any email address used by WorkMail entities before you remove the domain. /// - /// - Parameter DeregisterMailDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterMailDomainInput`) /// - /// - Returns: `DeregisterMailDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterMailDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2602,7 +2571,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterMailDomainOutput.httpOutput(from:), DeregisterMailDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2637,9 +2605,9 @@ extension WorkMailClient { /// /// Describes the current email monitoring configuration for a specified organization. /// - /// - Parameter DescribeEmailMonitoringConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEmailMonitoringConfigurationInput`) /// - /// - Returns: `DescribeEmailMonitoringConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEmailMonitoringConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2674,7 +2642,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEmailMonitoringConfigurationOutput.httpOutput(from:), DescribeEmailMonitoringConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2709,9 +2676,9 @@ extension WorkMailClient { /// /// Returns basic details about an entity in WorkMail. /// - /// - Parameter DescribeEntityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeEntityInput`) /// - /// - Returns: `DescribeEntityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2746,7 +2713,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeEntityOutput.httpOutput(from:), DescribeEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2781,9 +2747,9 @@ extension WorkMailClient { /// /// Returns the data available for the group. /// - /// - Parameter DescribeGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeGroupInput`) /// - /// - Returns: `DescribeGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2818,7 +2784,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeGroupOutput.httpOutput(from:), DescribeGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2853,9 +2818,9 @@ extension WorkMailClient { /// /// Returns detailed information on the current IdC setup for the WorkMail organization. /// - /// - Parameter DescribeIdentityProviderConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIdentityProviderConfigurationInput`) /// - /// - Returns: `DescribeIdentityProviderConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIdentityProviderConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2890,7 +2855,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIdentityProviderConfigurationOutput.httpOutput(from:), DescribeIdentityProviderConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2925,9 +2889,9 @@ extension WorkMailClient { /// /// Lists the settings in a DMARC policy for a specified organization. /// - /// - Parameter DescribeInboundDmarcSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeInboundDmarcSettingsInput`) /// - /// - Returns: `DescribeInboundDmarcSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeInboundDmarcSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2960,7 +2924,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeInboundDmarcSettingsOutput.httpOutput(from:), DescribeInboundDmarcSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2995,9 +2958,9 @@ extension WorkMailClient { /// /// Describes the current status of a mailbox export job. /// - /// - Parameter DescribeMailboxExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeMailboxExportJobInput`) /// - /// - Returns: `DescribeMailboxExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeMailboxExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3032,7 +2995,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeMailboxExportJobOutput.httpOutput(from:), DescribeMailboxExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3067,9 +3029,9 @@ extension WorkMailClient { /// /// Provides more information regarding a given organization based on its identifier. /// - /// - Parameter DescribeOrganizationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeOrganizationInput`) /// - /// - Returns: `DescribeOrganizationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeOrganizationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3102,7 +3064,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeOrganizationOutput.httpOutput(from:), DescribeOrganizationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3137,9 +3098,9 @@ extension WorkMailClient { /// /// Returns the data available for the resource. /// - /// - Parameter DescribeResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeResourceInput`) /// - /// - Returns: `DescribeResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3175,7 +3136,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeResourceOutput.httpOutput(from:), DescribeResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3210,9 +3170,9 @@ extension WorkMailClient { /// /// Provides information regarding the user. /// - /// - Parameter DescribeUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeUserInput`) /// - /// - Returns: `DescribeUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3249,7 +3209,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeUserOutput.httpOutput(from:), DescribeUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3284,9 +3243,9 @@ extension WorkMailClient { /// /// Removes a member from the resource's set of delegates. /// - /// - Parameter DisassociateDelegateFromResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateDelegateFromResourceInput`) /// - /// - Returns: `DisassociateDelegateFromResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateDelegateFromResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3323,7 +3282,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateDelegateFromResourceOutput.httpOutput(from:), DisassociateDelegateFromResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3358,9 +3316,9 @@ extension WorkMailClient { /// /// Removes a member from a group. /// - /// - Parameter DisassociateMemberFromGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateMemberFromGroupInput`) /// - /// - Returns: `DisassociateMemberFromGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateMemberFromGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3399,7 +3357,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateMemberFromGroupOutput.httpOutput(from:), DisassociateMemberFromGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3434,9 +3391,9 @@ extension WorkMailClient { /// /// Gets the effects of an organization's access control rules as they apply to a specified IPv4 address, access protocol action, and user ID or impersonation role ID. You must provide either the user ID or impersonation role ID. Impersonation role ID can only be used with Action EWS. /// - /// - Parameter GetAccessControlEffectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccessControlEffectInput`) /// - /// - Returns: `GetAccessControlEffectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccessControlEffectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3472,7 +3429,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccessControlEffectOutput.httpOutput(from:), GetAccessControlEffectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3507,9 +3463,9 @@ extension WorkMailClient { /// /// Gets the default retention policy details for the specified organization. /// - /// - Parameter GetDefaultRetentionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDefaultRetentionPolicyInput`) /// - /// - Returns: `GetDefaultRetentionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDefaultRetentionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3544,7 +3500,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDefaultRetentionPolicyOutput.httpOutput(from:), GetDefaultRetentionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3579,9 +3534,9 @@ extension WorkMailClient { /// /// Gets the impersonation role details for the given WorkMail organization. /// - /// - Parameter GetImpersonationRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImpersonationRoleInput`) /// - /// - Returns: `GetImpersonationRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImpersonationRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3616,7 +3571,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImpersonationRoleOutput.httpOutput(from:), GetImpersonationRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3651,9 +3605,9 @@ extension WorkMailClient { /// /// Tests whether the given impersonation role can impersonate a target user. /// - /// - Parameter GetImpersonationRoleEffectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetImpersonationRoleEffectInput`) /// - /// - Returns: `GetImpersonationRoleEffectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetImpersonationRoleEffectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3690,7 +3644,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetImpersonationRoleEffectOutput.httpOutput(from:), GetImpersonationRoleEffectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3725,9 +3678,9 @@ extension WorkMailClient { /// /// Gets details for a mail domain, including domain records required to configure your domain with recommended security. /// - /// - Parameter GetMailDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMailDomainInput`) /// - /// - Returns: `GetMailDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMailDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3762,7 +3715,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMailDomainOutput.httpOutput(from:), GetMailDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3797,9 +3749,9 @@ extension WorkMailClient { /// /// Requests a user's mailbox details for a specified organization and user. /// - /// - Parameter GetMailboxDetailsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMailboxDetailsInput`) /// - /// - Returns: `GetMailboxDetailsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMailboxDetailsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3834,7 +3786,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMailboxDetailsOutput.httpOutput(from:), GetMailboxDetailsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3869,9 +3820,9 @@ extension WorkMailClient { /// /// Simulates the effect of the mobile device access rules for the given attributes of a sample access event. Use this method to test the effects of the current set of mobile device access rules for the WorkMail organization for a particular user's attributes. /// - /// - Parameter GetMobileDeviceAccessEffectInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMobileDeviceAccessEffectInput`) /// - /// - Returns: `GetMobileDeviceAccessEffectOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMobileDeviceAccessEffectOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3905,7 +3856,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMobileDeviceAccessEffectOutput.httpOutput(from:), GetMobileDeviceAccessEffectOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3940,9 +3890,9 @@ extension WorkMailClient { /// /// Gets the mobile device access override for the given WorkMail organization, user, and device. /// - /// - Parameter GetMobileDeviceAccessOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetMobileDeviceAccessOverrideInput`) /// - /// - Returns: `GetMobileDeviceAccessOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetMobileDeviceAccessOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3978,7 +3928,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetMobileDeviceAccessOverrideOutput.httpOutput(from:), GetMobileDeviceAccessOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4013,9 +3962,9 @@ extension WorkMailClient { /// /// Requests details of a specific Personal Access Token within the WorkMail organization. /// - /// - Parameter GetPersonalAccessTokenMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPersonalAccessTokenMetadataInput`) /// - /// - Returns: `GetPersonalAccessTokenMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPersonalAccessTokenMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4050,7 +3999,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPersonalAccessTokenMetadataOutput.httpOutput(from:), GetPersonalAccessTokenMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4085,9 +4033,9 @@ extension WorkMailClient { /// /// Lists the access control rules for the specified organization. /// - /// - Parameter ListAccessControlRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccessControlRulesInput`) /// - /// - Returns: `ListAccessControlRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccessControlRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4120,7 +4068,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccessControlRulesOutput.httpOutput(from:), ListAccessControlRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4155,9 +4102,9 @@ extension WorkMailClient { /// /// Creates a paginated call to list the aliases associated with a given entity. /// - /// - Parameter ListAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAliasesInput`) /// - /// - Returns: `ListAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4193,7 +4140,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAliasesOutput.httpOutput(from:), ListAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4228,9 +4174,9 @@ extension WorkMailClient { /// /// List all the AvailabilityConfiguration's for the given WorkMail organization. /// - /// - Parameter ListAvailabilityConfigurationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAvailabilityConfigurationsInput`) /// - /// - Returns: `ListAvailabilityConfigurationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAvailabilityConfigurationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4264,7 +4210,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAvailabilityConfigurationsOutput.httpOutput(from:), ListAvailabilityConfigurationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4299,9 +4244,9 @@ extension WorkMailClient { /// /// Returns an overview of the members of a group. Users and groups can be members of a group. /// - /// - Parameter ListGroupMembersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupMembersInput`) /// - /// - Returns: `ListGroupMembersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupMembersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4337,7 +4282,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupMembersOutput.httpOutput(from:), ListGroupMembersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4372,9 +4316,9 @@ extension WorkMailClient { /// /// Returns summaries of the organization's groups. /// - /// - Parameter ListGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsInput`) /// - /// - Returns: `ListGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4409,7 +4353,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsOutput.httpOutput(from:), ListGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4444,9 +4387,9 @@ extension WorkMailClient { /// /// Returns all the groups to which an entity belongs. /// - /// - Parameter ListGroupsForEntityInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListGroupsForEntityInput`) /// - /// - Returns: `ListGroupsForEntityOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListGroupsForEntityOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4482,7 +4425,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListGroupsForEntityOutput.httpOutput(from:), ListGroupsForEntityOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4517,9 +4459,9 @@ extension WorkMailClient { /// /// Lists all the impersonation roles for the given WorkMail organization. /// - /// - Parameter ListImpersonationRolesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListImpersonationRolesInput`) /// - /// - Returns: `ListImpersonationRolesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListImpersonationRolesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4553,7 +4495,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListImpersonationRolesOutput.httpOutput(from:), ListImpersonationRolesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4588,9 +4529,9 @@ extension WorkMailClient { /// /// Lists the mail domains in a given WorkMail organization. /// - /// - Parameter ListMailDomainsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMailDomainsInput`) /// - /// - Returns: `ListMailDomainsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMailDomainsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4624,7 +4565,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMailDomainsOutput.httpOutput(from:), ListMailDomainsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4659,9 +4599,9 @@ extension WorkMailClient { /// /// Lists the mailbox export jobs started for the specified organization within the last seven days. /// - /// - Parameter ListMailboxExportJobsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMailboxExportJobsInput`) /// - /// - Returns: `ListMailboxExportJobsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMailboxExportJobsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4695,7 +4635,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMailboxExportJobsOutput.httpOutput(from:), ListMailboxExportJobsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4730,9 +4669,9 @@ extension WorkMailClient { /// /// Lists the mailbox permissions associated with a user, group, or resource mailbox. /// - /// - Parameter ListMailboxPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMailboxPermissionsInput`) /// - /// - Returns: `ListMailboxPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMailboxPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4767,7 +4706,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMailboxPermissionsOutput.httpOutput(from:), ListMailboxPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4802,9 +4740,9 @@ extension WorkMailClient { /// /// Lists all the mobile device access overrides for any given combination of WorkMail organization, user, or device. /// - /// - Parameter ListMobileDeviceAccessOverridesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMobileDeviceAccessOverridesInput`) /// - /// - Returns: `ListMobileDeviceAccessOverridesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMobileDeviceAccessOverridesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4839,7 +4777,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMobileDeviceAccessOverridesOutput.httpOutput(from:), ListMobileDeviceAccessOverridesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4874,9 +4811,9 @@ extension WorkMailClient { /// /// Lists the mobile device access rules for the specified WorkMail organization. /// - /// - Parameter ListMobileDeviceAccessRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListMobileDeviceAccessRulesInput`) /// - /// - Returns: `ListMobileDeviceAccessRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListMobileDeviceAccessRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4910,7 +4847,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListMobileDeviceAccessRulesOutput.httpOutput(from:), ListMobileDeviceAccessRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4945,9 +4881,9 @@ extension WorkMailClient { /// /// Returns summaries of the customer's organizations. /// - /// - Parameter ListOrganizationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListOrganizationsInput`) /// - /// - Returns: `ListOrganizationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListOrganizationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4979,7 +4915,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListOrganizationsOutput.httpOutput(from:), ListOrganizationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5014,9 +4949,9 @@ extension WorkMailClient { /// /// Returns a summary of your Personal Access Tokens. /// - /// - Parameter ListPersonalAccessTokensInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPersonalAccessTokensInput`) /// - /// - Returns: `ListPersonalAccessTokensOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPersonalAccessTokensOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5052,7 +4987,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPersonalAccessTokensOutput.httpOutput(from:), ListPersonalAccessTokensOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5087,9 +5021,9 @@ extension WorkMailClient { /// /// Lists the delegates associated with a resource. Users and groups can be resource delegates and answer requests on behalf of the resource. /// - /// - Parameter ListResourceDelegatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourceDelegatesInput`) /// - /// - Returns: `ListResourceDelegatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourceDelegatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5126,7 +5060,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourceDelegatesOutput.httpOutput(from:), ListResourceDelegatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5161,9 +5094,9 @@ extension WorkMailClient { /// /// Returns summaries of the organization's resources. /// - /// - Parameter ListResourcesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcesInput`) /// - /// - Returns: `ListResourcesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5198,7 +5131,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcesOutput.httpOutput(from:), ListResourcesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5233,9 +5165,9 @@ extension WorkMailClient { /// /// Lists the tags applied to an WorkMail organization resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5267,7 +5199,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5302,9 +5233,9 @@ extension WorkMailClient { /// /// Returns summaries of the organization's users. /// - /// - Parameter ListUsersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUsersInput`) /// - /// - Returns: `ListUsersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUsersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5338,7 +5269,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUsersOutput.httpOutput(from:), ListUsersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5373,9 +5303,9 @@ extension WorkMailClient { /// /// Adds a new access control rule for the specified organization. The rule allows or denies access to the organization for the specified IPv4 addresses, access protocol actions, user IDs and impersonation IDs. Adding a new rule with the same name as an existing rule replaces the older rule. /// - /// - Parameter PutAccessControlRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutAccessControlRuleInput`) /// - /// - Returns: `PutAccessControlRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutAccessControlRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5412,7 +5342,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutAccessControlRuleOutput.httpOutput(from:), PutAccessControlRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5447,9 +5376,9 @@ extension WorkMailClient { /// /// Creates or updates the email monitoring configuration for a specified organization. /// - /// - Parameter PutEmailMonitoringConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEmailMonitoringConfigurationInput`) /// - /// - Returns: `PutEmailMonitoringConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEmailMonitoringConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5484,7 +5413,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEmailMonitoringConfigurationOutput.httpOutput(from:), PutEmailMonitoringConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5519,9 +5447,9 @@ extension WorkMailClient { /// /// Enables integration between IAM Identity Center (IdC) and WorkMail to proxy authentication requests for mailbox users. You can connect your IdC directory or your external directory to WorkMail through IdC and manage access to WorkMail mailboxes in a single place. For enhanced protection, you could enable Multifactor Authentication (MFA) and Personal Access Tokens. /// - /// - Parameter PutIdentityProviderConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutIdentityProviderConfigurationInput`) /// - /// - Returns: `PutIdentityProviderConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutIdentityProviderConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5556,7 +5484,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutIdentityProviderConfigurationOutput.httpOutput(from:), PutIdentityProviderConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5591,9 +5518,9 @@ extension WorkMailClient { /// /// Enables or disables a DMARC policy for a given organization. /// - /// - Parameter PutInboundDmarcSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutInboundDmarcSettingsInput`) /// - /// - Returns: `PutInboundDmarcSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutInboundDmarcSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5626,7 +5553,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutInboundDmarcSettingsOutput.httpOutput(from:), PutInboundDmarcSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5661,9 +5587,9 @@ extension WorkMailClient { /// /// Sets permissions for a user, group, or resource. This replaces any pre-existing permissions. /// - /// - Parameter PutMailboxPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMailboxPermissionsInput`) /// - /// - Returns: `PutMailboxPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMailboxPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5699,7 +5625,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMailboxPermissionsOutput.httpOutput(from:), PutMailboxPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5734,9 +5659,9 @@ extension WorkMailClient { /// /// Creates or updates a mobile device access override for the given WorkMail organization, user, and device. /// - /// - Parameter PutMobileDeviceAccessOverrideInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutMobileDeviceAccessOverrideInput`) /// - /// - Returns: `PutMobileDeviceAccessOverrideOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutMobileDeviceAccessOverrideOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5772,7 +5697,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutMobileDeviceAccessOverrideOutput.httpOutput(from:), PutMobileDeviceAccessOverrideOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5807,9 +5731,9 @@ extension WorkMailClient { /// /// Puts a retention policy to the specified organization. /// - /// - Parameter PutRetentionPolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRetentionPolicyInput`) /// - /// - Returns: `PutRetentionPolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRetentionPolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5844,7 +5768,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRetentionPolicyOutput.httpOutput(from:), PutRetentionPolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5879,9 +5802,9 @@ extension WorkMailClient { /// /// Registers a new domain in WorkMail and SES, and configures it for use by WorkMail. Emails received by SES for this domain are routed to the specified WorkMail organization, and WorkMail has permanent permission to use the specified domain for sending your users' emails. /// - /// - Parameter RegisterMailDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterMailDomainInput`) /// - /// - Returns: `RegisterMailDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterMailDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5918,7 +5841,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterMailDomainOutput.httpOutput(from:), RegisterMailDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5953,9 +5875,9 @@ extension WorkMailClient { /// /// Registers an existing and disabled user, group, or resource for WorkMail use by associating a mailbox and calendaring capabilities. It performs no change if the user, group, or resource is enabled and fails if the user, group, or resource is deleted. This operation results in the accumulation of costs. For more information, see [Pricing](https://aws.amazon.com/workmail/pricing). The equivalent console functionality for this operation is Enable. Users can either be created by calling the [CreateUser] API operation or they can be synchronized from your directory. For more information, see [DeregisterFromWorkMail]. /// - /// - Parameter RegisterToWorkMailInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterToWorkMailInput`) /// - /// - Returns: `RegisterToWorkMailOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterToWorkMailOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5998,7 +5920,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterToWorkMailOutput.httpOutput(from:), RegisterToWorkMailOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6033,9 +5954,9 @@ extension WorkMailClient { /// /// Allows the administrator to reset the password for a user. /// - /// - Parameter ResetPasswordInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ResetPasswordInput`) /// - /// - Returns: `ResetPasswordOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ResetPasswordOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6075,7 +5996,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ResetPasswordOutput.httpOutput(from:), ResetPasswordOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6110,9 +6030,9 @@ extension WorkMailClient { /// /// Starts a mailbox export job to export MIME-format email messages and calendar items from the specified mailbox to the specified Amazon Simple Storage Service (Amazon S3) bucket. For more information, see [Exporting mailbox content](https://docs.aws.amazon.com/workmail/latest/adminguide/mail-export.html) in the WorkMail Administrator Guide. /// - /// - Parameter StartMailboxExportJobInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartMailboxExportJobInput`) /// - /// - Returns: `StartMailboxExportJobOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartMailboxExportJobOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6149,7 +6069,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartMailboxExportJobOutput.httpOutput(from:), StartMailboxExportJobOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6184,9 +6103,9 @@ extension WorkMailClient { /// /// Applies the specified tags to the specified WorkMailorganization resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6221,7 +6140,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6256,9 +6174,9 @@ extension WorkMailClient { /// /// Performs a test on an availability provider to ensure that access is allowed. For EWS, it verifies the provided credentials can be used to successfully log in. For Lambda, it verifies that the Lambda function can be invoked and that the resource access policy was configured to deny anonymous access. An anonymous invocation is one done without providing either a SourceArn or SourceAccount header. The request must contain either one provider definition (EwsProvider or LambdaProvider) or the DomainName parameter. If the DomainName parameter is provided, the configuration stored under the DomainName will be tested. /// - /// - Parameter TestAvailabilityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TestAvailabilityConfigurationInput`) /// - /// - Returns: `TestAvailabilityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TestAvailabilityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6293,7 +6211,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TestAvailabilityConfigurationOutput.httpOutput(from:), TestAvailabilityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6328,9 +6245,9 @@ extension WorkMailClient { /// /// Untags the specified tags from the specified WorkMail organization resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6362,7 +6279,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6397,9 +6313,9 @@ extension WorkMailClient { /// /// Updates an existing AvailabilityConfiguration for the given WorkMail organization and domain. /// - /// - Parameter UpdateAvailabilityConfigurationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateAvailabilityConfigurationInput`) /// - /// - Returns: `UpdateAvailabilityConfigurationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateAvailabilityConfigurationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6434,7 +6350,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateAvailabilityConfigurationOutput.httpOutput(from:), UpdateAvailabilityConfigurationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6469,9 +6384,9 @@ extension WorkMailClient { /// /// Updates the default mail domain for an organization. The default mail domain is used by the WorkMail AWS Console to suggest an email address when enabling a mail user. You can only have one default domain. /// - /// - Parameter UpdateDefaultMailDomainInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDefaultMailDomainInput`) /// - /// - Returns: `UpdateDefaultMailDomainOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDefaultMailDomainOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6507,7 +6422,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDefaultMailDomainOutput.httpOutput(from:), UpdateDefaultMailDomainOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6542,9 +6456,9 @@ extension WorkMailClient { /// /// Updates attributes in a group. /// - /// - Parameter UpdateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupInput`) /// - /// - Returns: `UpdateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6581,7 +6495,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupOutput.httpOutput(from:), UpdateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6616,9 +6529,9 @@ extension WorkMailClient { /// /// Updates an impersonation role for the given WorkMail organization. /// - /// - Parameter UpdateImpersonationRoleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateImpersonationRoleInput`) /// - /// - Returns: `UpdateImpersonationRoleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateImpersonationRoleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6656,7 +6569,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateImpersonationRoleOutput.httpOutput(from:), UpdateImpersonationRoleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6691,9 +6603,9 @@ extension WorkMailClient { /// /// Updates a user's current mailbox quota for a specified organization and user. /// - /// - Parameter UpdateMailboxQuotaInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMailboxQuotaInput`) /// - /// - Returns: `UpdateMailboxQuotaOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMailboxQuotaOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6729,7 +6641,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMailboxQuotaOutput.httpOutput(from:), UpdateMailboxQuotaOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6764,9 +6675,9 @@ extension WorkMailClient { /// /// Updates a mobile device access rule for the specified WorkMail organization. /// - /// - Parameter UpdateMobileDeviceAccessRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateMobileDeviceAccessRuleInput`) /// - /// - Returns: `UpdateMobileDeviceAccessRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateMobileDeviceAccessRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6801,7 +6712,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateMobileDeviceAccessRuleOutput.httpOutput(from:), UpdateMobileDeviceAccessRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6836,9 +6746,9 @@ extension WorkMailClient { /// /// Updates the primary email for a user, group, or resource. The current email is moved into the list of aliases (or swapped between an existing alias and the current primary email), and the email provided in the input is promoted as the primary. /// - /// - Parameter UpdatePrimaryEmailAddressInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePrimaryEmailAddressInput`) /// - /// - Returns: `UpdatePrimaryEmailAddressOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePrimaryEmailAddressOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6880,7 +6790,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePrimaryEmailAddressOutput.httpOutput(from:), UpdatePrimaryEmailAddressOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6915,9 +6824,9 @@ extension WorkMailClient { /// /// Updates data for the resource. To have the latest information, it must be preceded by a [DescribeResource] call. The dataset in the request should be the one expected when performing another DescribeResource call. /// - /// - Parameter UpdateResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateResourceInput`) /// - /// - Returns: `UpdateResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6960,7 +6869,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateResourceOutput.httpOutput(from:), UpdateResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6995,9 +6903,9 @@ extension WorkMailClient { /// /// Updates data for the user. To have the latest information, it must be preceded by a [DescribeUser] call. The dataset in the request should be the one expected when performing another DescribeUser call. /// - /// - Parameter UpdateUserInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserInput`) /// - /// - Returns: `UpdateUserOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -7036,7 +6944,6 @@ extension WorkMailClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserOutput.httpOutput(from:), UpdateUserOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWorkMailMessageFlow/Sources/AWSWorkMailMessageFlow/WorkMailMessageFlowClient.swift b/Sources/Services/AWSWorkMailMessageFlow/Sources/AWSWorkMailMessageFlow/WorkMailMessageFlowClient.swift index 7fd09e4d045..45a60145361 100644 --- a/Sources/Services/AWSWorkMailMessageFlow/Sources/AWSWorkMailMessageFlow/WorkMailMessageFlowClient.swift +++ b/Sources/Services/AWSWorkMailMessageFlow/Sources/AWSWorkMailMessageFlow/WorkMailMessageFlowClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WorkMailMessageFlowClient: ClientRuntime.Client { public static let clientName = "WorkMailMessageFlowClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WorkMailMessageFlowClient.WorkMailMessageFlowClientConfiguration let serviceName = "WorkMailMessageFlow" @@ -373,9 +372,9 @@ extension WorkMailMessageFlowClient { /// /// Retrieves the raw content of an in-transit email message, in MIME format. /// - /// - Parameter GetRawMessageContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRawMessageContentInput`) /// - /// - Returns: `GetRawMessageContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRawMessageContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -406,7 +405,6 @@ extension WorkMailMessageFlowClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRawMessageContentOutput.httpOutput(from:), GetRawMessageContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -438,9 +436,9 @@ extension WorkMailMessageFlowClient { /// /// Updates the raw content of an in-transit email message, in MIME format. This example describes how to update in-transit email message. For more information and examples for using this API, see [ Updating message content with AWS Lambda](https://docs.aws.amazon.com/workmail/latest/adminguide/update-with-lambda.html). Updates to an in-transit message only appear when you call PutRawMessageContent from an AWS Lambda function configured with a synchronous [ Run Lambda](https://docs.aws.amazon.com/workmail/latest/adminguide/lambda.html#synchronous-rules) rule. If you call PutRawMessageContent on a delivered or sent message, the message remains unchanged, even though [GetRawMessageContent](https://docs.aws.amazon.com/workmail/latest/APIReference/API_messageflow_GetRawMessageContent.html) returns an updated message. /// - /// - Parameter PutRawMessageContentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutRawMessageContentInput`) /// - /// - Returns: `PutRawMessageContentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutRawMessageContentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -483,7 +481,6 @@ extension WorkMailMessageFlowClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutRawMessageContentOutput.httpOutput(from:), PutRawMessageContentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWorkSpaces/Sources/AWSWorkSpaces/WorkSpacesClient.swift b/Sources/Services/AWSWorkSpaces/Sources/AWSWorkSpaces/WorkSpacesClient.swift index 0fcbbcc9cac..11fb8345fb2 100644 --- a/Sources/Services/AWSWorkSpaces/Sources/AWSWorkSpaces/WorkSpacesClient.swift +++ b/Sources/Services/AWSWorkSpaces/Sources/AWSWorkSpaces/WorkSpacesClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WorkSpacesClient: ClientRuntime.Client { public static let clientName = "WorkSpacesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WorkSpacesClient.WorkSpacesClientConfiguration let serviceName = "WorkSpaces" @@ -374,9 +373,9 @@ extension WorkSpacesClient { /// /// Accepts the account link invitation. There's currently no unlinking capability after you accept the account linking invitation. /// - /// - Parameter AcceptAccountLinkInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AcceptAccountLinkInvitationInput`) /// - /// - Returns: `AcceptAccountLinkInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AcceptAccountLinkInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -412,7 +411,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AcceptAccountLinkInvitationOutput.httpOutput(from:), AcceptAccountLinkInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -447,9 +445,9 @@ extension WorkSpacesClient { /// /// Associates the specified connection alias with the specified directory to enable cross-Region redirection. For more information, see [ Cross-Region Redirection for Amazon WorkSpaces](https://docs.aws.amazon.com/workspaces/latest/adminguide/cross-region-redirection.html). Before performing this operation, call [ DescribeConnectionAliases](https://docs.aws.amazon.com/workspaces/latest/api/API_DescribeConnectionAliases.html) to make sure that the current state of the connection alias is CREATED. /// - /// - Parameter AssociateConnectionAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateConnectionAliasInput`) /// - /// - Returns: `AssociateConnectionAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateConnectionAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -486,7 +484,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateConnectionAliasOutput.httpOutput(from:), AssociateConnectionAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension WorkSpacesClient { /// /// Associates the specified IP access control group with the specified directory. /// - /// - Parameter AssociateIpGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateIpGroupsInput`) /// - /// - Returns: `AssociateIpGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateIpGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -560,7 +557,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateIpGroupsOutput.httpOutput(from:), AssociateIpGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -595,9 +591,9 @@ extension WorkSpacesClient { /// /// Associates the specified application to the specified WorkSpace. /// - /// - Parameter AssociateWorkspaceApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateWorkspaceApplicationInput`) /// - /// - Returns: `AssociateWorkspaceApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateWorkspaceApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -638,7 +634,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateWorkspaceApplicationOutput.httpOutput(from:), AssociateWorkspaceApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -673,9 +668,9 @@ extension WorkSpacesClient { /// /// Adds one or more rules to the specified IP access control group. This action gives users permission to access their WorkSpaces from the CIDR address ranges specified in the rules. /// - /// - Parameter AuthorizeIpRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AuthorizeIpRulesInput`) /// - /// - Returns: `AuthorizeIpRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AuthorizeIpRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AuthorizeIpRulesOutput.httpOutput(from:), AuthorizeIpRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -746,9 +740,9 @@ extension WorkSpacesClient { /// /// Copies the specified image from the specified Region to the current Region. For more information about copying images, see [ Copy a Custom WorkSpaces Image](https://docs.aws.amazon.com/workspaces/latest/adminguide/copy-custom-image.html). In the China (Ningxia) Region, you can copy images only within the same Region. In Amazon Web Services GovCloud (US), to copy images to and from other Regions, contact Amazon Web ServicesSupport. Before copying a shared image, be sure to verify that it has been shared from the correct Amazon Web Services account. To determine if an image has been shared and to see the ID of the Amazon Web Services account that owns an image, use the [DescribeWorkSpaceImages](https://docs.aws.amazon.com/workspaces/latest/api/API_DescribeWorkspaceImages.html) and [DescribeWorkspaceImagePermissions](https://docs.aws.amazon.com/workspaces/latest/api/API_DescribeWorkspaceImagePermissions.html) API operations. /// - /// - Parameter CopyWorkspaceImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CopyWorkspaceImageInput`) /// - /// - Returns: `CopyWorkspaceImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CopyWorkspaceImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -786,7 +780,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CopyWorkspaceImageOutput.httpOutput(from:), CopyWorkspaceImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -821,9 +814,9 @@ extension WorkSpacesClient { /// /// Creates the account link invitation. /// - /// - Parameter CreateAccountLinkInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateAccountLinkInvitationInput`) /// - /// - Returns: `CreateAccountLinkInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateAccountLinkInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -858,7 +851,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateAccountLinkInvitationOutput.httpOutput(from:), CreateAccountLinkInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -893,9 +885,9 @@ extension WorkSpacesClient { /// /// Creates a client-add-in for Amazon Connect within a directory. You can create only one Amazon Connect client add-in within a directory. This client add-in allows WorkSpaces users to seamlessly connect to Amazon Connect. /// - /// - Parameter CreateConnectClientAddInInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectClientAddInInput`) /// - /// - Returns: `CreateConnectClientAddInOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectClientAddInOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -931,7 +923,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectClientAddInOutput.httpOutput(from:), CreateConnectClientAddInOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -966,9 +957,9 @@ extension WorkSpacesClient { /// /// Creates the specified connection alias for use with cross-Region redirection. For more information, see [ Cross-Region Redirection for Amazon WorkSpaces](https://docs.aws.amazon.com/workspaces/latest/adminguide/cross-region-redirection.html). /// - /// - Parameter CreateConnectionAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateConnectionAliasInput`) /// - /// - Returns: `CreateConnectionAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateConnectionAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1005,7 +996,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateConnectionAliasOutput.httpOutput(from:), CreateConnectionAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1040,9 +1030,9 @@ extension WorkSpacesClient { /// /// Creates an IP access control group. An IP access control group provides you with the ability to control the IP addresses from which users are allowed to access their WorkSpaces. To specify the CIDR address ranges, add rules to your IP access control group and then associate the group with your directory. You can add rules when you create the group or at any time using [AuthorizeIpRules]. There is a default IP access control group associated with your directory. If you don't associate an IP access control group with your directory, the default group is used. The default group includes a default rule that allows users to access their WorkSpaces from anywhere. You cannot modify the default IP access control group for your directory. /// - /// - Parameter CreateIpGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIpGroupInput`) /// - /// - Returns: `CreateIpGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIpGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1078,7 +1068,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIpGroupOutput.httpOutput(from:), CreateIpGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1113,9 +1102,9 @@ extension WorkSpacesClient { /// /// Creates a standby WorkSpace in a secondary Region. /// - /// - Parameter CreateStandbyWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateStandbyWorkspacesInput`) /// - /// - Returns: `CreateStandbyWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateStandbyWorkspacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1151,7 +1140,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateStandbyWorkspacesOutput.httpOutput(from:), CreateStandbyWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1186,9 +1174,9 @@ extension WorkSpacesClient { /// /// Creates the specified tags for the specified WorkSpaces resource. /// - /// - Parameter CreateTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTagsInput`) /// - /// - Returns: `CreateTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1222,7 +1210,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTagsOutput.httpOutput(from:), CreateTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1263,9 +1250,9 @@ extension WorkSpacesClient { /// /// * The source WorkSpace image is not deleted. You can delete the source image after you've verified your new updated image and created a new bundle. /// - /// - Parameter CreateUpdatedWorkspaceImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUpdatedWorkspaceImageInput`) /// - /// - Returns: `CreateUpdatedWorkspaceImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUpdatedWorkspaceImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1303,7 +1290,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUpdatedWorkspaceImageOutput.httpOutput(from:), CreateUpdatedWorkspaceImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1338,9 +1324,9 @@ extension WorkSpacesClient { /// /// Creates the specified WorkSpace bundle. For more information about creating WorkSpace bundles, see [ Create a Custom WorkSpaces Image and Bundle](https://docs.aws.amazon.com/workspaces/latest/adminguide/create-custom-bundle.html). /// - /// - Parameter CreateWorkspaceBundleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkspaceBundleInput`) /// - /// - Returns: `CreateWorkspaceBundleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkspaceBundleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1377,7 +1363,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspaceBundleOutput.httpOutput(from:), CreateWorkspaceBundleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1412,9 +1397,9 @@ extension WorkSpacesClient { /// /// Creates a new WorkSpace image from an existing WorkSpace. /// - /// - Parameter CreateWorkspaceImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkspaceImageInput`) /// - /// - Returns: `CreateWorkspaceImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkspaceImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1452,7 +1437,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspaceImageOutput.httpOutput(from:), CreateWorkspaceImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1495,9 +1479,9 @@ extension WorkSpacesClient { /// /// * Review your running mode to ensure you are using one that is optimal for your needs and budget. For more information on switching running modes, see [ Can I switch between hourly and monthly billing?](http://aws.amazon.com/workspaces-family/workspaces/faqs/#:~:text=Can%20I%20switch%20between%20hourly%20and%20monthly%20billing%20on%20WorkSpaces%20Personal%3F) /// - /// - Parameter CreateWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkspacesInput`) /// - /// - Returns: `CreateWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkspacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1530,7 +1514,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspacesOutput.httpOutput(from:), CreateWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1565,9 +1548,9 @@ extension WorkSpacesClient { /// /// Creates a pool of WorkSpaces. /// - /// - Parameter CreateWorkspacesPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateWorkspacesPoolInput`) /// - /// - Returns: `CreateWorkspacesPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateWorkspacesPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1604,7 +1587,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspacesPoolOutput.httpOutput(from:), CreateWorkspacesPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1639,9 +1621,9 @@ extension WorkSpacesClient { /// /// Deletes the account link invitation. /// - /// - Parameter DeleteAccountLinkInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteAccountLinkInvitationInput`) /// - /// - Returns: `DeleteAccountLinkInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteAccountLinkInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1677,7 +1659,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteAccountLinkInvitationOutput.httpOutput(from:), DeleteAccountLinkInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1712,9 +1693,9 @@ extension WorkSpacesClient { /// /// Deletes customized client branding. Client branding allows you to customize your WorkSpace's client login portal. You can tailor your login portal company logo, the support email address, support link, link to reset password, and a custom message for users trying to sign in. After you delete your customized client branding, your login portal reverts to the default client branding. /// - /// - Parameter DeleteClientBrandingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteClientBrandingInput`) /// - /// - Returns: `DeleteClientBrandingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteClientBrandingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1748,7 +1729,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteClientBrandingOutput.httpOutput(from:), DeleteClientBrandingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1783,9 +1763,9 @@ extension WorkSpacesClient { /// /// Deletes a client-add-in for Amazon Connect that is configured within a directory. /// - /// - Parameter DeleteConnectClientAddInInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectClientAddInInput`) /// - /// - Returns: `DeleteConnectClientAddInOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectClientAddInOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1819,7 +1799,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectClientAddInOutput.httpOutput(from:), DeleteConnectClientAddInOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1854,9 +1833,9 @@ extension WorkSpacesClient { /// /// Deletes the specified connection alias. For more information, see [ Cross-Region Redirection for Amazon WorkSpaces](https://docs.aws.amazon.com/workspaces/latest/adminguide/cross-region-redirection.html). If you will no longer be using a fully qualified domain name (FQDN) as the registration code for your WorkSpaces users, you must take certain precautions to prevent potential security issues. For more information, see [ Security Considerations if You Stop Using Cross-Region Redirection](https://docs.aws.amazon.com/workspaces/latest/adminguide/cross-region-redirection.html#cross-region-redirection-security-considerations). To delete a connection alias that has been shared, the shared account must first disassociate the connection alias from any directories it has been associated with. Then you must unshare the connection alias from the account it has been shared with. You can delete a connection alias only after it is no longer shared with any accounts or associated with any directories. /// - /// - Parameter DeleteConnectionAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteConnectionAliasInput`) /// - /// - Returns: `DeleteConnectionAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteConnectionAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1893,7 +1872,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteConnectionAliasOutput.httpOutput(from:), DeleteConnectionAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1928,9 +1906,9 @@ extension WorkSpacesClient { /// /// Deletes the specified IP access control group. You cannot delete an IP access control group that is associated with a directory. /// - /// - Parameter DeleteIpGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIpGroupInput`) /// - /// - Returns: `DeleteIpGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIpGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1965,7 +1943,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIpGroupOutput.httpOutput(from:), DeleteIpGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2000,9 +1977,9 @@ extension WorkSpacesClient { /// /// Deletes the specified tags from the specified WorkSpaces resource. /// - /// - Parameter DeleteTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTagsInput`) /// - /// - Returns: `DeleteTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2035,7 +2012,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTagsOutput.httpOutput(from:), DeleteTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2070,9 +2046,9 @@ extension WorkSpacesClient { /// /// Deletes the specified WorkSpace bundle. For more information about deleting WorkSpace bundles, see [ Delete a Custom WorkSpaces Bundle or Image](https://docs.aws.amazon.com/workspaces/latest/adminguide/delete_bundle.html). /// - /// - Parameter DeleteWorkspaceBundleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkspaceBundleInput`) /// - /// - Returns: `DeleteWorkspaceBundleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkspaceBundleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2107,7 +2083,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkspaceBundleOutput.httpOutput(from:), DeleteWorkspaceBundleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2142,9 +2117,9 @@ extension WorkSpacesClient { /// /// Deletes the specified image from your account. To delete an image, you must first delete any bundles that are associated with the image and unshare the image if it is shared with other accounts. /// - /// - Parameter DeleteWorkspaceImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteWorkspaceImageInput`) /// - /// - Returns: `DeleteWorkspaceImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteWorkspaceImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2178,7 +2153,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkspaceImageOutput.httpOutput(from:), DeleteWorkspaceImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2213,9 +2187,9 @@ extension WorkSpacesClient { /// /// Deploys associated applications to the specified WorkSpace /// - /// - Parameter DeployWorkspaceApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeployWorkspaceApplicationsInput`) /// - /// - Returns: `DeployWorkspaceApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeployWorkspaceApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2252,7 +2226,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeployWorkspaceApplicationsOutput.httpOutput(from:), DeployWorkspaceApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2287,9 +2260,9 @@ extension WorkSpacesClient { /// /// Deregisters the specified directory. This operation is asynchronous and returns before the WorkSpace directory is deregistered. If any WorkSpaces are registered to this directory, you must remove them before you can deregister the directory. Simple AD and AD Connector are made available to you free of charge to use with WorkSpaces. If there are no WorkSpaces being used with your Simple AD or AD Connector directory for 30 consecutive days, this directory will be automatically deregistered for use with Amazon WorkSpaces, and you will be charged for this directory as per the [Directory Service pricing terms](http://aws.amazon.com/directoryservice/pricing/). To delete empty directories, see [ Delete the Directory for Your WorkSpaces](https://docs.aws.amazon.com/workspaces/latest/adminguide/delete-workspaces-directory.html). If you delete your Simple AD or AD Connector directory, you can always create a new one when you want to start using WorkSpaces again. /// - /// - Parameter DeregisterWorkspaceDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterWorkspaceDirectoryInput`) /// - /// - Returns: `DeregisterWorkspaceDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterWorkspaceDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2325,7 +2298,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterWorkspaceDirectoryOutput.httpOutput(from:), DeregisterWorkspaceDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2360,9 +2332,9 @@ extension WorkSpacesClient { /// /// Retrieves a list that describes the configuration of Bring Your Own License (BYOL) for the specified account. /// - /// - Parameter DescribeAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountInput`) /// - /// - Returns: `DescribeAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2394,7 +2366,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountOutput.httpOutput(from:), DescribeAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2429,9 +2400,9 @@ extension WorkSpacesClient { /// /// Retrieves a list that describes modifications to the configuration of Bring Your Own License (BYOL) for the specified account. /// - /// - Parameter DescribeAccountModificationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeAccountModificationsInput`) /// - /// - Returns: `DescribeAccountModificationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeAccountModificationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2463,7 +2434,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeAccountModificationsOutput.httpOutput(from:), DescribeAccountModificationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2498,9 +2468,9 @@ extension WorkSpacesClient { /// /// Describes the associations between the application and the specified associated resources. /// - /// - Parameter DescribeApplicationAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationAssociationsInput`) /// - /// - Returns: `DescribeApplicationAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2535,7 +2505,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationAssociationsOutput.httpOutput(from:), DescribeApplicationAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2570,9 +2539,9 @@ extension WorkSpacesClient { /// /// Describes the specified applications by filtering based on their compute types, license availability, operating systems, and owners. /// - /// - Parameter DescribeApplicationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeApplicationsInput`) /// - /// - Returns: `DescribeApplicationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeApplicationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2607,7 +2576,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeApplicationsOutput.httpOutput(from:), DescribeApplicationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2642,9 +2610,9 @@ extension WorkSpacesClient { /// /// Describes the associations between the applications and the specified bundle. /// - /// - Parameter DescribeBundleAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeBundleAssociationsInput`) /// - /// - Returns: `DescribeBundleAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeBundleAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2679,7 +2647,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeBundleAssociationsOutput.httpOutput(from:), DescribeBundleAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2714,9 +2681,9 @@ extension WorkSpacesClient { /// /// Describes the specified client branding. Client branding allows you to customize the log in page of various device types for your users. You can add your company logo, the support email address, support link, link to reset password, and a custom message for users trying to sign in. Only device types that have branding information configured will be shown in the response. /// - /// - Parameter DescribeClientBrandingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClientBrandingInput`) /// - /// - Returns: `DescribeClientBrandingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClientBrandingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2750,7 +2717,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClientBrandingOutput.httpOutput(from:), DescribeClientBrandingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2785,9 +2751,9 @@ extension WorkSpacesClient { /// /// Retrieves a list that describes one or more specified Amazon WorkSpaces clients. /// - /// - Parameter DescribeClientPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeClientPropertiesInput`) /// - /// - Returns: `DescribeClientPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeClientPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2821,7 +2787,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeClientPropertiesOutput.httpOutput(from:), DescribeClientPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2856,9 +2821,9 @@ extension WorkSpacesClient { /// /// Retrieves a list of Amazon Connect client add-ins that have been created. /// - /// - Parameter DescribeConnectClientAddInsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectClientAddInsInput`) /// - /// - Returns: `DescribeConnectClientAddInsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectClientAddInsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2892,7 +2857,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectClientAddInsOutput.httpOutput(from:), DescribeConnectClientAddInsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2927,9 +2891,9 @@ extension WorkSpacesClient { /// /// Describes the permissions that the owner of a connection alias has granted to another Amazon Web Services account for the specified connection alias. For more information, see [ Cross-Region Redirection for Amazon WorkSpaces](https://docs.aws.amazon.com/workspaces/latest/adminguide/cross-region-redirection.html). /// - /// - Parameter DescribeConnectionAliasPermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectionAliasPermissionsInput`) /// - /// - Returns: `DescribeConnectionAliasPermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectionAliasPermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2964,7 +2928,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectionAliasPermissionsOutput.httpOutput(from:), DescribeConnectionAliasPermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2999,9 +2962,9 @@ extension WorkSpacesClient { /// /// Retrieves a list that describes the connection aliases used for cross-Region redirection. For more information, see [ Cross-Region Redirection for Amazon WorkSpaces](https://docs.aws.amazon.com/workspaces/latest/adminguide/cross-region-redirection.html). /// - /// - Parameter DescribeConnectionAliasesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeConnectionAliasesInput`) /// - /// - Returns: `DescribeConnectionAliasesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeConnectionAliasesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3035,7 +2998,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeConnectionAliasesOutput.httpOutput(from:), DescribeConnectionAliasesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3070,9 +3032,9 @@ extension WorkSpacesClient { /// /// Retrieves information about a WorkSpace BYOL image being imported via ImportCustomWorkspaceImage. /// - /// - Parameter DescribeCustomWorkspaceImageImportInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeCustomWorkspaceImageImportInput`) /// - /// - Returns: `DescribeCustomWorkspaceImageImportOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeCustomWorkspaceImageImportOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3105,7 +3067,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeCustomWorkspaceImageImportOutput.httpOutput(from:), DescribeCustomWorkspaceImageImportOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3140,9 +3101,9 @@ extension WorkSpacesClient { /// /// Describes the associations between the applications and the specified image. /// - /// - Parameter DescribeImageAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeImageAssociationsInput`) /// - /// - Returns: `DescribeImageAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeImageAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3177,7 +3138,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeImageAssociationsOutput.httpOutput(from:), DescribeImageAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3212,9 +3172,9 @@ extension WorkSpacesClient { /// /// Describes one or more of your IP access control groups. /// - /// - Parameter DescribeIpGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeIpGroupsInput`) /// - /// - Returns: `DescribeIpGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeIpGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3247,7 +3207,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeIpGroupsOutput.httpOutput(from:), DescribeIpGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3282,9 +3241,9 @@ extension WorkSpacesClient { /// /// Describes the specified tags for the specified WorkSpaces resource. /// - /// - Parameter DescribeTagsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeTagsInput`) /// - /// - Returns: `DescribeTagsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeTagsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3316,7 +3275,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeTagsOutput.httpOutput(from:), DescribeTagsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3351,9 +3309,9 @@ extension WorkSpacesClient { /// /// Describes the associations betweens applications and the specified WorkSpace. /// - /// - Parameter DescribeWorkspaceAssociationsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspaceAssociationsInput`) /// - /// - Returns: `DescribeWorkspaceAssociationsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspaceAssociationsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3388,7 +3346,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceAssociationsOutput.httpOutput(from:), DescribeWorkspaceAssociationsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3423,9 +3380,9 @@ extension WorkSpacesClient { /// /// Retrieves a list that describes the available WorkSpace bundles. You can filter the results using either bundle ID or owner, but not both. /// - /// - Parameter DescribeWorkspaceBundlesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspaceBundlesInput`) /// - /// - Returns: `DescribeWorkspaceBundlesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspaceBundlesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3457,7 +3414,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceBundlesOutput.httpOutput(from:), DescribeWorkspaceBundlesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3492,9 +3448,9 @@ extension WorkSpacesClient { /// /// Describes the available directories that are registered with Amazon WorkSpaces. /// - /// - Parameter DescribeWorkspaceDirectoriesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspaceDirectoriesInput`) /// - /// - Returns: `DescribeWorkspaceDirectoriesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspaceDirectoriesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3526,7 +3482,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceDirectoriesOutput.httpOutput(from:), DescribeWorkspaceDirectoriesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3561,9 +3516,9 @@ extension WorkSpacesClient { /// /// Describes the permissions that the owner of an image has granted to other Amazon Web Services accounts for an image. /// - /// - Parameter DescribeWorkspaceImagePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspaceImagePermissionsInput`) /// - /// - Returns: `DescribeWorkspaceImagePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspaceImagePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3597,7 +3552,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceImagePermissionsOutput.httpOutput(from:), DescribeWorkspaceImagePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3632,9 +3586,9 @@ extension WorkSpacesClient { /// /// Retrieves a list that describes one or more specified images, if the image identifiers are provided. Otherwise, all images in the account are described. /// - /// - Parameter DescribeWorkspaceImagesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspaceImagesInput`) /// - /// - Returns: `DescribeWorkspaceImagesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspaceImagesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3666,7 +3620,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceImagesOutput.httpOutput(from:), DescribeWorkspaceImagesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3701,9 +3654,9 @@ extension WorkSpacesClient { /// /// Describes the snapshots for the specified WorkSpace. /// - /// - Parameter DescribeWorkspaceSnapshotsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspaceSnapshotsInput`) /// - /// - Returns: `DescribeWorkspaceSnapshotsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspaceSnapshotsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3737,7 +3690,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspaceSnapshotsOutput.httpOutput(from:), DescribeWorkspaceSnapshotsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3772,9 +3724,9 @@ extension WorkSpacesClient { /// /// Describes the specified WorkSpaces. You can filter the results by using the bundle identifier, directory identifier, or owner, but you can specify only one filter at a time. /// - /// - Parameter DescribeWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspacesInput`) /// - /// - Returns: `DescribeWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3807,7 +3759,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspacesOutput.httpOutput(from:), DescribeWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3842,9 +3793,9 @@ extension WorkSpacesClient { /// /// Describes the connection status of the specified WorkSpaces. /// - /// - Parameter DescribeWorkspacesConnectionStatusInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspacesConnectionStatusInput`) /// - /// - Returns: `DescribeWorkspacesConnectionStatusOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspacesConnectionStatusOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3876,7 +3827,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspacesConnectionStatusOutput.httpOutput(from:), DescribeWorkspacesConnectionStatusOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3911,9 +3861,9 @@ extension WorkSpacesClient { /// /// Retrieves a list that describes the streaming sessions for a specified pool. /// - /// - Parameter DescribeWorkspacesPoolSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspacesPoolSessionsInput`) /// - /// - Returns: `DescribeWorkspacesPoolSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspacesPoolSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3947,7 +3897,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspacesPoolSessionsOutput.httpOutput(from:), DescribeWorkspacesPoolSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3982,9 +3931,9 @@ extension WorkSpacesClient { /// /// Describes the specified WorkSpaces Pools. /// - /// - Parameter DescribeWorkspacesPoolsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DescribeWorkspacesPoolsInput`) /// - /// - Returns: `DescribeWorkspacesPoolsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DescribeWorkspacesPoolsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4018,7 +3967,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DescribeWorkspacesPoolsOutput.httpOutput(from:), DescribeWorkspacesPoolsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4053,9 +4001,9 @@ extension WorkSpacesClient { /// /// Disassociates a connection alias from a directory. Disassociating a connection alias disables cross-Region redirection between two directories in different Regions. For more information, see [ Cross-Region Redirection for Amazon WorkSpaces](https://docs.aws.amazon.com/workspaces/latest/adminguide/cross-region-redirection.html). Before performing this operation, call [ DescribeConnectionAliases](https://docs.aws.amazon.com/workspaces/latest/api/API_DescribeConnectionAliases.html) to make sure that the current state of the connection alias is CREATED. /// - /// - Parameter DisassociateConnectionAliasInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateConnectionAliasInput`) /// - /// - Returns: `DisassociateConnectionAliasOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateConnectionAliasOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4091,7 +4039,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateConnectionAliasOutput.httpOutput(from:), DisassociateConnectionAliasOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4126,9 +4073,9 @@ extension WorkSpacesClient { /// /// Disassociates the specified IP access control group from the specified directory. /// - /// - Parameter DisassociateIpGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateIpGroupsInput`) /// - /// - Returns: `DisassociateIpGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateIpGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4164,7 +4111,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateIpGroupsOutput.httpOutput(from:), DisassociateIpGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4199,9 +4145,9 @@ extension WorkSpacesClient { /// /// Disassociates the specified application from a WorkSpace. /// - /// - Parameter DisassociateWorkspaceApplicationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateWorkspaceApplicationInput`) /// - /// - Returns: `DisassociateWorkspaceApplicationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateWorkspaceApplicationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4237,7 +4183,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateWorkspaceApplicationOutput.httpOutput(from:), DisassociateWorkspaceApplicationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4272,9 +4217,9 @@ extension WorkSpacesClient { /// /// Retrieves account link information. /// - /// - Parameter GetAccountLinkInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetAccountLinkInput`) /// - /// - Returns: `GetAccountLinkOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetAccountLinkOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4309,7 +4254,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetAccountLinkOutput.httpOutput(from:), GetAccountLinkOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4352,9 +4296,9 @@ extension WorkSpacesClient { /// /// * Imported data can take up to a minute to appear in the WorkSpaces client. /// - /// - Parameter ImportClientBrandingInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportClientBrandingInput`) /// - /// - Returns: `ImportClientBrandingOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportClientBrandingOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4389,7 +4333,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportClientBrandingOutput.httpOutput(from:), ImportClientBrandingOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4424,9 +4367,9 @@ extension WorkSpacesClient { /// /// Imports the specified Windows 10 or 11 Bring Your Own License (BYOL) image into Amazon WorkSpaces using EC2 Image Builder. The image must be an already licensed image that is in your Amazon Web Services account, and you must own the image. For more information about creating BYOL images, see [ Bring Your Own Windows Desktop Licenses](https://docs.aws.amazon.com/workspaces/latest/adminguide/byol-windows-images.html). /// - /// - Parameter ImportCustomWorkspaceImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportCustomWorkspaceImageInput`) /// - /// - Returns: `ImportCustomWorkspaceImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportCustomWorkspaceImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4463,7 +4406,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportCustomWorkspaceImageOutput.httpOutput(from:), ImportCustomWorkspaceImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4498,9 +4440,9 @@ extension WorkSpacesClient { /// /// Imports the specified Windows 10 or 11 Bring Your Own License (BYOL) image into Amazon WorkSpaces. The image must be an already licensed Amazon EC2 image that is in your Amazon Web Services account, and you must own the image. For more information about creating BYOL images, see [ Bring Your Own Windows Desktop Licenses](https://docs.aws.amazon.com/workspaces/latest/adminguide/byol-windows-images.html). /// - /// - Parameter ImportWorkspaceImageInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ImportWorkspaceImageInput`) /// - /// - Returns: `ImportWorkspaceImageOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ImportWorkspaceImageOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4537,7 +4479,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ImportWorkspaceImageOutput.httpOutput(from:), ImportWorkspaceImageOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4572,9 +4513,9 @@ extension WorkSpacesClient { /// /// Lists all account links. /// - /// - Parameter ListAccountLinksInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAccountLinksInput`) /// - /// - Returns: `ListAccountLinksOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAccountLinksOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4608,7 +4549,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAccountLinksOutput.httpOutput(from:), ListAccountLinksOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4643,9 +4583,9 @@ extension WorkSpacesClient { /// /// Retrieves a list of IP address ranges, specified as IPv4 CIDR blocks, that you can use for the network management interface when you enable Bring Your Own License (BYOL). This operation can be run only by Amazon Web Services accounts that are enabled for BYOL. If your account isn't enabled for BYOL, you'll receive an AccessDeniedException error. The management network interface is connected to a secure Amazon WorkSpaces management network. It is used for interactive streaming of the WorkSpace desktop to Amazon WorkSpaces clients, and to allow Amazon WorkSpaces to manage the WorkSpace. /// - /// - Parameter ListAvailableManagementCidrRangesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListAvailableManagementCidrRangesInput`) /// - /// - Returns: `ListAvailableManagementCidrRangesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListAvailableManagementCidrRangesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4678,7 +4618,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListAvailableManagementCidrRangesOutput.httpOutput(from:), ListAvailableManagementCidrRangesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4713,9 +4652,9 @@ extension WorkSpacesClient { /// /// Migrates a WorkSpace from one operating system or bundle type to another, while retaining the data on the user volume. The migration process recreates the WorkSpace by using a new root volume from the target bundle image and the user volume from the last available snapshot of the original WorkSpace. During migration, the original D:\Users\%USERNAME% user profile folder is renamed to D:\Users\%USERNAME%MMddyyTHHmmss%.NotMigrated. A new D:\Users\%USERNAME%\ folder is generated by the new OS. Certain files in the old user profile are moved to the new user profile. For available migration scenarios, details about what happens during migration, and best practices, see [Migrate a WorkSpace](https://docs.aws.amazon.com/workspaces/latest/adminguide/migrate-workspaces.html). /// - /// - Parameter MigrateWorkspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `MigrateWorkspaceInput`) /// - /// - Returns: `MigrateWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `MigrateWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4752,7 +4691,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(MigrateWorkspaceOutput.httpOutput(from:), MigrateWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4787,9 +4725,9 @@ extension WorkSpacesClient { /// /// Modifies the configuration of Bring Your Own License (BYOL) for the specified account. /// - /// - Parameter ModifyAccountInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyAccountInput`) /// - /// - Returns: `ModifyAccountOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyAccountOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4825,7 +4763,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyAccountOutput.httpOutput(from:), ModifyAccountOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4860,9 +4797,9 @@ extension WorkSpacesClient { /// /// Modifies the properties of the certificate-based authentication you want to use with your WorkSpaces. /// - /// - Parameter ModifyCertificateBasedAuthPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyCertificateBasedAuthPropertiesInput`) /// - /// - Returns: `ModifyCertificateBasedAuthPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyCertificateBasedAuthPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4897,7 +4834,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyCertificateBasedAuthPropertiesOutput.httpOutput(from:), ModifyCertificateBasedAuthPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4932,9 +4868,9 @@ extension WorkSpacesClient { /// /// Modifies the properties of the specified Amazon WorkSpaces clients. /// - /// - Parameter ModifyClientPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyClientPropertiesInput`) /// - /// - Returns: `ModifyClientPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyClientPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4969,7 +4905,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyClientPropertiesOutput.httpOutput(from:), ModifyClientPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5004,9 +4939,9 @@ extension WorkSpacesClient { /// /// Modifies the endpoint encryption mode that allows you to configure the specified directory between Standard TLS and FIPS 140-2 validated mode. /// - /// - Parameter ModifyEndpointEncryptionModeInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyEndpointEncryptionModeInput`) /// - /// - Returns: `ModifyEndpointEncryptionModeOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyEndpointEncryptionModeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5040,7 +4975,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyEndpointEncryptionModeOutput.httpOutput(from:), ModifyEndpointEncryptionModeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5075,9 +5009,9 @@ extension WorkSpacesClient { /// /// Modifies multiple properties related to SAML 2.0 authentication, including the enablement status, user access URL, and relay state parameter name that are used for configuring federation with an SAML 2.0 identity provider. /// - /// - Parameter ModifySamlPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifySamlPropertiesInput`) /// - /// - Returns: `ModifySamlPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifySamlPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5112,7 +5046,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifySamlPropertiesOutput.httpOutput(from:), ModifySamlPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5147,9 +5080,9 @@ extension WorkSpacesClient { /// /// Modifies the self-service WorkSpace management capabilities for your users. For more information, see [Enable Self-Service WorkSpace Management Capabilities for Your Users](https://docs.aws.amazon.com/workspaces/latest/adminguide/enable-user-self-service-workspace-management.html). /// - /// - Parameter ModifySelfservicePermissionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifySelfservicePermissionsInput`) /// - /// - Returns: `ModifySelfservicePermissionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifySelfservicePermissionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5184,7 +5117,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifySelfservicePermissionsOutput.httpOutput(from:), ModifySelfservicePermissionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5219,9 +5151,9 @@ extension WorkSpacesClient { /// /// Modifies the specified streaming properties. /// - /// - Parameter ModifyStreamingPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyStreamingPropertiesInput`) /// - /// - Returns: `ModifyStreamingPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyStreamingPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5256,7 +5188,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyStreamingPropertiesOutput.httpOutput(from:), ModifyStreamingPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5291,9 +5222,9 @@ extension WorkSpacesClient { /// /// Specifies which devices and operating systems users can use to access their WorkSpaces. For more information, see [ Control Device Access](https://docs.aws.amazon.com/workspaces/latest/adminguide/update-directory-details.html#control-device-access). /// - /// - Parameter ModifyWorkspaceAccessPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyWorkspaceAccessPropertiesInput`) /// - /// - Returns: `ModifyWorkspaceAccessPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyWorkspaceAccessPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5329,7 +5260,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyWorkspaceAccessPropertiesOutput.httpOutput(from:), ModifyWorkspaceAccessPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5364,9 +5294,9 @@ extension WorkSpacesClient { /// /// Modify the default properties used to create WorkSpaces. /// - /// - Parameter ModifyWorkspaceCreationPropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyWorkspaceCreationPropertiesInput`) /// - /// - Returns: `ModifyWorkspaceCreationPropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyWorkspaceCreationPropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5401,7 +5331,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyWorkspaceCreationPropertiesOutput.httpOutput(from:), ModifyWorkspaceCreationPropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5436,9 +5365,9 @@ extension WorkSpacesClient { /// /// Modifies the specified WorkSpace properties. For important information about how to modify the size of the root and user volumes, see [ Modify a WorkSpace](https://docs.aws.amazon.com/workspaces/latest/adminguide/modify-workspaces.html). The MANUAL running mode value is only supported by Amazon WorkSpaces Core. Contact your account team to be allow-listed to use this value. For more information, see [Amazon WorkSpaces Core](http://aws.amazon.com/workspaces/core/). /// - /// - Parameter ModifyWorkspacePropertiesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyWorkspacePropertiesInput`) /// - /// - Returns: `ModifyWorkspacePropertiesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyWorkspacePropertiesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5479,7 +5408,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyWorkspacePropertiesOutput.httpOutput(from:), ModifyWorkspacePropertiesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5514,9 +5442,9 @@ extension WorkSpacesClient { /// /// Sets the state of the specified WorkSpace. To maintain a WorkSpace without being interrupted, set the WorkSpace state to ADMIN_MAINTENANCE. WorkSpaces in this state do not respond to requests to reboot, stop, start, rebuild, or restore. An AutoStop WorkSpace in this state is not stopped. Users cannot log into a WorkSpace in the ADMIN_MAINTENANCE state. /// - /// - Parameter ModifyWorkspaceStateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ModifyWorkspaceStateInput`) /// - /// - Returns: `ModifyWorkspaceStateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ModifyWorkspaceStateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5551,7 +5479,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ModifyWorkspaceStateOutput.httpOutput(from:), ModifyWorkspaceStateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5586,9 +5513,9 @@ extension WorkSpacesClient { /// /// Reboots the specified WorkSpaces. You cannot reboot a WorkSpace unless its state is AVAILABLE, UNHEALTHY, or REBOOTING. Reboot a WorkSpace in the REBOOTING state only if your WorkSpace has been stuck in the REBOOTING state for over 20 minutes. This operation is asynchronous and returns before the WorkSpaces have rebooted. /// - /// - Parameter RebootWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebootWorkspacesInput`) /// - /// - Returns: `RebootWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebootWorkspacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5620,7 +5547,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebootWorkspacesOutput.httpOutput(from:), RebootWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5655,9 +5581,9 @@ extension WorkSpacesClient { /// /// Rebuilds the specified WorkSpace. You cannot rebuild a WorkSpace unless its state is AVAILABLE, ERROR, UNHEALTHY, STOPPED, or REBOOTING. Rebuilding a WorkSpace is a potentially destructive action that can result in the loss of data. For more information, see [Rebuild a WorkSpace](https://docs.aws.amazon.com/workspaces/latest/adminguide/reset-workspace.html). This operation is asynchronous and returns before the WorkSpaces have been completely rebuilt. /// - /// - Parameter RebuildWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RebuildWorkspacesInput`) /// - /// - Returns: `RebuildWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RebuildWorkspacesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5689,7 +5615,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RebuildWorkspacesOutput.httpOutput(from:), RebuildWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5724,9 +5649,9 @@ extension WorkSpacesClient { /// /// Registers the specified directory. This operation is asynchronous and returns before the WorkSpace directory is registered. If this is the first time you are registering a directory, you will need to create the workspaces_DefaultRole role before you can register a directory. For more information, see [ Creating the workspaces_DefaultRole Role](https://docs.aws.amazon.com/workspaces/latest/adminguide/workspaces-access-control.html#create-default-role). /// - /// - Parameter RegisterWorkspaceDirectoryInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RegisterWorkspaceDirectoryInput`) /// - /// - Returns: `RegisterWorkspaceDirectoryOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RegisterWorkspaceDirectoryOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5766,7 +5691,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RegisterWorkspaceDirectoryOutput.httpOutput(from:), RegisterWorkspaceDirectoryOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5801,9 +5725,9 @@ extension WorkSpacesClient { /// /// Rejects the account link invitation. /// - /// - Parameter RejectAccountLinkInvitationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RejectAccountLinkInvitationInput`) /// - /// - Returns: `RejectAccountLinkInvitationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RejectAccountLinkInvitationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5839,7 +5763,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RejectAccountLinkInvitationOutput.httpOutput(from:), RejectAccountLinkInvitationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5874,9 +5797,9 @@ extension WorkSpacesClient { /// /// Restores the specified WorkSpace to its last known healthy state. You cannot restore a WorkSpace unless its state is AVAILABLE, ERROR, UNHEALTHY, or STOPPED. Restoring a WorkSpace is a potentially destructive action that can result in the loss of data. For more information, see [Restore a WorkSpace](https://docs.aws.amazon.com/workspaces/latest/adminguide/restore-workspace.html). This operation is asynchronous and returns before the WorkSpace is completely restored. /// - /// - Parameter RestoreWorkspaceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RestoreWorkspaceInput`) /// - /// - Returns: `RestoreWorkspaceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RestoreWorkspaceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5911,7 +5834,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RestoreWorkspaceOutput.httpOutput(from:), RestoreWorkspaceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5946,9 +5868,9 @@ extension WorkSpacesClient { /// /// Removes one or more rules from the specified IP access control group. /// - /// - Parameter RevokeIpRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `RevokeIpRulesInput`) /// - /// - Returns: `RevokeIpRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `RevokeIpRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5983,7 +5905,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(RevokeIpRulesOutput.httpOutput(from:), RevokeIpRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6018,9 +5939,9 @@ extension WorkSpacesClient { /// /// Starts the specified WorkSpaces. You cannot start a WorkSpace unless it has a running mode of AutoStop or Manual and a state of STOPPED. /// - /// - Parameter StartWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartWorkspacesInput`) /// - /// - Returns: `StartWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartWorkspacesOutput`) public func startWorkspaces(input: StartWorkspacesInput) async throws -> StartWorkspacesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6047,7 +5968,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartWorkspacesOutput.httpOutput(from:), StartWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6082,9 +6002,9 @@ extension WorkSpacesClient { /// /// Starts the specified pool. You cannot start a pool unless it has a running mode of AutoStop and a state of STOPPED. /// - /// - Parameter StartWorkspacesPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartWorkspacesPoolInput`) /// - /// - Returns: `StartWorkspacesPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartWorkspacesPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6122,7 +6042,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartWorkspacesPoolOutput.httpOutput(from:), StartWorkspacesPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6157,9 +6076,9 @@ extension WorkSpacesClient { /// /// Stops the specified WorkSpaces. You cannot stop a WorkSpace unless it has a running mode of AutoStop or Manual and a state of AVAILABLE, IMPAIRED, UNHEALTHY, or ERROR. /// - /// - Parameter StopWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopWorkspacesInput`) /// - /// - Returns: `StopWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopWorkspacesOutput`) public func stopWorkspaces(input: StopWorkspacesInput) async throws -> StopWorkspacesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6186,7 +6105,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopWorkspacesOutput.httpOutput(from:), StopWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6221,9 +6139,9 @@ extension WorkSpacesClient { /// /// Stops the specified pool. You cannot stop a WorkSpace pool unless it has a running mode of AutoStop and a state of AVAILABLE, IMPAIRED, UNHEALTHY, or ERROR. /// - /// - Parameter StopWorkspacesPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StopWorkspacesPoolInput`) /// - /// - Returns: `StopWorkspacesPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StopWorkspacesPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6259,7 +6177,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StopWorkspacesPoolOutput.httpOutput(from:), StopWorkspacesPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6294,9 +6211,9 @@ extension WorkSpacesClient { /// /// Terminates the specified WorkSpaces. Terminating a WorkSpace is a permanent action and cannot be undone. The user's data is destroyed. If you need to archive any user data, contact Amazon Web ServicesSupport before terminating the WorkSpace. You can terminate a WorkSpace that is in any state except SUSPENDED. This operation is asynchronous and returns before the WorkSpaces have been completely terminated. After a WorkSpace is terminated, the TERMINATED state is returned only briefly before the WorkSpace directory metadata is cleaned up, so this state is rarely returned. To confirm that a WorkSpace is terminated, check for the WorkSpace ID by using [ DescribeWorkSpaces](https://docs.aws.amazon.com/workspaces/latest/api/API_DescribeWorkspaces.html). If the WorkSpace ID isn't returned, then the WorkSpace has been successfully terminated. Simple AD and AD Connector are made available to you free of charge to use with WorkSpaces. If there are no WorkSpaces being used with your Simple AD or AD Connector directory for 30 consecutive days, this directory will be automatically deregistered for use with Amazon WorkSpaces, and you will be charged for this directory as per the [Directory Service pricing terms](http://aws.amazon.com/directoryservice/pricing/). To delete empty directories, see [ Delete the Directory for Your WorkSpaces](https://docs.aws.amazon.com/workspaces/latest/adminguide/delete-workspaces-directory.html). If you delete your Simple AD or AD Connector directory, you can always create a new one when you want to start using WorkSpaces again. /// - /// - Parameter TerminateWorkspacesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateWorkspacesInput`) /// - /// - Returns: `TerminateWorkspacesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateWorkspacesOutput`) public func terminateWorkspaces(input: TerminateWorkspacesInput) async throws -> TerminateWorkspacesOutput { let context = Smithy.ContextBuilder() .withMethod(value: .post) @@ -6323,7 +6240,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateWorkspacesOutput.httpOutput(from:), TerminateWorkspacesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6358,9 +6274,9 @@ extension WorkSpacesClient { /// /// Terminates the specified pool. /// - /// - Parameter TerminateWorkspacesPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateWorkspacesPoolInput`) /// - /// - Returns: `TerminateWorkspacesPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateWorkspacesPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6396,7 +6312,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateWorkspacesPoolOutput.httpOutput(from:), TerminateWorkspacesPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6431,9 +6346,9 @@ extension WorkSpacesClient { /// /// Terminates the pool session. /// - /// - Parameter TerminateWorkspacesPoolSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TerminateWorkspacesPoolSessionInput`) /// - /// - Returns: `TerminateWorkspacesPoolSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TerminateWorkspacesPoolSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6469,7 +6384,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TerminateWorkspacesPoolSessionOutput.httpOutput(from:), TerminateWorkspacesPoolSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6504,9 +6418,9 @@ extension WorkSpacesClient { /// /// Updates a Amazon Connect client add-in. Use this action to update the name and endpoint URL of a Amazon Connect client add-in. /// - /// - Parameter UpdateConnectClientAddInInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectClientAddInInput`) /// - /// - Returns: `UpdateConnectClientAddInOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectClientAddInOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6540,7 +6454,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectClientAddInOutput.httpOutput(from:), UpdateConnectClientAddInOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6579,9 +6492,9 @@ extension WorkSpacesClient { /// /// * To delete a connection alias that has been shared, the shared account must first disassociate the connection alias from any directories it has been associated with. Then you must unshare the connection alias from the account it has been shared with. You can delete a connection alias only after it is no longer shared with any accounts or associated with any directories. /// - /// - Parameter UpdateConnectionAliasPermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateConnectionAliasPermissionInput`) /// - /// - Returns: `UpdateConnectionAliasPermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateConnectionAliasPermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6619,7 +6532,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateConnectionAliasPermissionOutput.httpOutput(from:), UpdateConnectionAliasPermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6654,9 +6566,9 @@ extension WorkSpacesClient { /// /// Replaces the current rules of the specified IP access control group with the specified rules. /// - /// - Parameter UpdateRulesOfIpGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateRulesOfIpGroupInput`) /// - /// - Returns: `UpdateRulesOfIpGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateRulesOfIpGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6692,7 +6604,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateRulesOfIpGroupOutput.httpOutput(from:), UpdateRulesOfIpGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6727,9 +6638,9 @@ extension WorkSpacesClient { /// /// Updates a WorkSpace bundle with a new image. For more information about updating WorkSpace bundles, see [ Update a Custom WorkSpaces Bundle](https://docs.aws.amazon.com/workspaces/latest/adminguide/update-custom-bundle.html). Existing WorkSpaces aren't automatically updated when you update the bundle that they're based on. To update existing WorkSpaces that are based on a bundle that you've updated, you must either rebuild the WorkSpaces or delete and recreate them. /// - /// - Parameter UpdateWorkspaceBundleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkspaceBundleInput`) /// - /// - Returns: `UpdateWorkspaceBundleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkspaceBundleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6765,7 +6676,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkspaceBundleOutput.httpOutput(from:), UpdateWorkspaceBundleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6804,9 +6714,9 @@ extension WorkSpacesClient { /// /// * Sharing Bring Your Own License (BYOL) images across Amazon Web Services accounts isn't supported at this time in Amazon Web Services GovCloud (US). To share BYOL images across accounts in Amazon Web Services GovCloud (US), contact Amazon Web ServicesSupport. /// - /// - Parameter UpdateWorkspaceImagePermissionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkspaceImagePermissionInput`) /// - /// - Returns: `UpdateWorkspaceImagePermissionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkspaceImagePermissionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6842,7 +6752,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkspaceImagePermissionOutput.httpOutput(from:), UpdateWorkspaceImagePermissionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -6877,9 +6786,9 @@ extension WorkSpacesClient { /// /// Updates the specified pool. /// - /// - Parameter UpdateWorkspacesPoolInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateWorkspacesPoolInput`) /// - /// - Returns: `UpdateWorkspacesPoolOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateWorkspacesPoolOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -6917,7 +6826,6 @@ extension WorkSpacesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateWorkspacesPoolOutput.httpOutput(from:), UpdateWorkspacesPoolOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWorkSpacesThinClient/Sources/AWSWorkSpacesThinClient/WorkSpacesThinClientClient.swift b/Sources/Services/AWSWorkSpacesThinClient/Sources/AWSWorkSpacesThinClient/WorkSpacesThinClientClient.swift index a2158fcdd7f..50f2a1ed21e 100644 --- a/Sources/Services/AWSWorkSpacesThinClient/Sources/AWSWorkSpacesThinClient/WorkSpacesThinClientClient.swift +++ b/Sources/Services/AWSWorkSpacesThinClient/Sources/AWSWorkSpacesThinClient/WorkSpacesThinClientClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WorkSpacesThinClientClient: ClientRuntime.Client { public static let clientName = "WorkSpacesThinClientClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WorkSpacesThinClientClient.WorkSpacesThinClientClientConfiguration let serviceName = "WorkSpaces Thin Client" @@ -374,9 +373,9 @@ extension WorkSpacesThinClientClient { /// /// Creates an environment for your thin client devices. /// - /// - Parameter CreateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateEnvironmentInput`) /// - /// - Returns: `CreateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -417,7 +416,6 @@ extension WorkSpacesThinClientClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateEnvironmentOutput.httpOutput(from:), CreateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -449,9 +447,9 @@ extension WorkSpacesThinClientClient { /// /// Deletes a thin client device. /// - /// - Parameter DeleteDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDeviceInput`) /// - /// - Returns: `DeleteDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -489,7 +487,6 @@ extension WorkSpacesThinClientClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteDeviceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDeviceOutput.httpOutput(from:), DeleteDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -521,9 +518,9 @@ extension WorkSpacesThinClientClient { /// /// Deletes an environment. /// - /// - Parameter DeleteEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteEnvironmentInput`) /// - /// - Returns: `DeleteEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -561,7 +558,6 @@ extension WorkSpacesThinClientClient { builder.serialize(ClientRuntime.QueryItemMiddleware(DeleteEnvironmentInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteEnvironmentOutput.httpOutput(from:), DeleteEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -593,9 +589,9 @@ extension WorkSpacesThinClientClient { /// /// Deregisters a thin client device. /// - /// - Parameter DeregisterDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeregisterDeviceInput`) /// - /// - Returns: `DeregisterDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeregisterDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -635,7 +631,6 @@ extension WorkSpacesThinClientClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeregisterDeviceOutput.httpOutput(from:), DeregisterDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -667,9 +662,9 @@ extension WorkSpacesThinClientClient { /// /// Returns information for a thin client device. /// - /// - Parameter GetDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDeviceInput`) /// - /// - Returns: `GetDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -704,7 +699,6 @@ extension WorkSpacesThinClientClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDeviceOutput.httpOutput(from:), GetDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -736,9 +730,9 @@ extension WorkSpacesThinClientClient { /// /// Returns information for an environment. /// - /// - Parameter GetEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEnvironmentInput`) /// - /// - Returns: `GetEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -773,7 +767,6 @@ extension WorkSpacesThinClientClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEnvironmentOutput.httpOutput(from:), GetEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -805,9 +798,9 @@ extension WorkSpacesThinClientClient { /// /// Returns information for a software set. /// - /// - Parameter GetSoftwareSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSoftwareSetInput`) /// - /// - Returns: `GetSoftwareSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSoftwareSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -842,7 +835,6 @@ extension WorkSpacesThinClientClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSoftwareSetOutput.httpOutput(from:), GetSoftwareSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -874,9 +866,9 @@ extension WorkSpacesThinClientClient { /// /// Returns a list of thin client devices. /// - /// - Parameter ListDevicesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDevicesInput`) /// - /// - Returns: `ListDevicesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDevicesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -911,7 +903,6 @@ extension WorkSpacesThinClientClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDevicesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDevicesOutput.httpOutput(from:), ListDevicesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -943,9 +934,9 @@ extension WorkSpacesThinClientClient { /// /// Returns a list of environments. /// - /// - Parameter ListEnvironmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListEnvironmentsInput`) /// - /// - Returns: `ListEnvironmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListEnvironmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -980,7 +971,6 @@ extension WorkSpacesThinClientClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListEnvironmentsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListEnvironmentsOutput.httpOutput(from:), ListEnvironmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1012,9 +1002,9 @@ extension WorkSpacesThinClientClient { /// /// Returns a list of software sets. /// - /// - Parameter ListSoftwareSetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSoftwareSetsInput`) /// - /// - Returns: `ListSoftwareSetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSoftwareSetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1049,7 +1039,6 @@ extension WorkSpacesThinClientClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSoftwareSetsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSoftwareSetsOutput.httpOutput(from:), ListSoftwareSetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1081,9 +1070,9 @@ extension WorkSpacesThinClientClient { /// /// Returns a list of tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1118,7 +1107,6 @@ extension WorkSpacesThinClientClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware(hostPrefix: "api.")) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1150,9 +1138,9 @@ extension WorkSpacesThinClientClient { /// /// Assigns one or more tags (key-value pairs) to the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1191,7 +1179,6 @@ extension WorkSpacesThinClientClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1223,9 +1210,9 @@ extension WorkSpacesThinClientClient { /// /// Removes a tag or tags from a resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1262,7 +1249,6 @@ extension WorkSpacesThinClientClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1294,9 +1280,9 @@ extension WorkSpacesThinClientClient { /// /// Updates a thin client device. /// - /// - Parameter UpdateDeviceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDeviceInput`) /// - /// - Returns: `UpdateDeviceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDeviceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1334,7 +1320,6 @@ extension WorkSpacesThinClientClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDeviceOutput.httpOutput(from:), UpdateDeviceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1366,9 +1351,9 @@ extension WorkSpacesThinClientClient { /// /// Updates an environment. /// - /// - Parameter UpdateEnvironmentInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateEnvironmentInput`) /// - /// - Returns: `UpdateEnvironmentOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateEnvironmentOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1407,7 +1392,6 @@ extension WorkSpacesThinClientClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateEnvironmentOutput.httpOutput(from:), UpdateEnvironmentOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1439,9 +1423,9 @@ extension WorkSpacesThinClientClient { /// /// Updates a software set. /// - /// - Parameter UpdateSoftwareSetInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSoftwareSetInput`) /// - /// - Returns: `UpdateSoftwareSetOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSoftwareSetOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1479,7 +1463,6 @@ extension WorkSpacesThinClientClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSoftwareSetOutput.httpOutput(from:), UpdateSoftwareSetOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWorkSpacesWeb/Sources/AWSWorkSpacesWeb/WorkSpacesWebClient.swift b/Sources/Services/AWSWorkSpacesWeb/Sources/AWSWorkSpacesWeb/WorkSpacesWebClient.swift index 993c0ac7c28..db08b1f077a 100644 --- a/Sources/Services/AWSWorkSpacesWeb/Sources/AWSWorkSpacesWeb/WorkSpacesWebClient.swift +++ b/Sources/Services/AWSWorkSpacesWeb/Sources/AWSWorkSpacesWeb/WorkSpacesWebClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -69,7 +68,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WorkSpacesWebClient: ClientRuntime.Client { public static let clientName = "WorkSpacesWebClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WorkSpacesWebClient.WorkSpacesWebClientConfiguration let serviceName = "WorkSpaces Web" @@ -375,9 +374,9 @@ extension WorkSpacesWebClient { /// /// Associates a browser settings resource with a web portal. /// - /// - Parameter AssociateBrowserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateBrowserSettingsInput`) /// - /// - Returns: `AssociateBrowserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateBrowserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -414,7 +413,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssociateBrowserSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateBrowserSettingsOutput.httpOutput(from:), AssociateBrowserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -446,9 +444,9 @@ extension WorkSpacesWebClient { /// /// Associates a data protection settings resource with a web portal. /// - /// - Parameter AssociateDataProtectionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateDataProtectionSettingsInput`) /// - /// - Returns: `AssociateDataProtectionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateDataProtectionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -485,7 +483,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssociateDataProtectionSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateDataProtectionSettingsOutput.httpOutput(from:), AssociateDataProtectionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -517,9 +514,9 @@ extension WorkSpacesWebClient { /// /// Associates an IP access settings resource with a web portal. /// - /// - Parameter AssociateIpAccessSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateIpAccessSettingsInput`) /// - /// - Returns: `AssociateIpAccessSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateIpAccessSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -556,7 +553,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssociateIpAccessSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateIpAccessSettingsOutput.httpOutput(from:), AssociateIpAccessSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -588,9 +584,9 @@ extension WorkSpacesWebClient { /// /// Associates a network settings resource with a web portal. /// - /// - Parameter AssociateNetworkSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateNetworkSettingsInput`) /// - /// - Returns: `AssociateNetworkSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateNetworkSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -627,7 +623,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssociateNetworkSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateNetworkSettingsOutput.httpOutput(from:), AssociateNetworkSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -659,9 +654,9 @@ extension WorkSpacesWebClient { /// /// Associates a session logger with a portal. /// - /// - Parameter AssociateSessionLoggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateSessionLoggerInput`) /// - /// - Returns: `AssociateSessionLoggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateSessionLoggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -698,7 +693,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssociateSessionLoggerInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateSessionLoggerOutput.httpOutput(from:), AssociateSessionLoggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -730,9 +724,9 @@ extension WorkSpacesWebClient { /// /// Associates a trust store with a web portal. /// - /// - Parameter AssociateTrustStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateTrustStoreInput`) /// - /// - Returns: `AssociateTrustStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateTrustStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -769,7 +763,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssociateTrustStoreInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateTrustStoreOutput.httpOutput(from:), AssociateTrustStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -801,9 +794,9 @@ extension WorkSpacesWebClient { /// /// Associates a user access logging settings resource with a web portal. /// - /// - Parameter AssociateUserAccessLoggingSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateUserAccessLoggingSettingsInput`) /// - /// - Returns: `AssociateUserAccessLoggingSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateUserAccessLoggingSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -840,7 +833,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssociateUserAccessLoggingSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateUserAccessLoggingSettingsOutput.httpOutput(from:), AssociateUserAccessLoggingSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -872,9 +864,9 @@ extension WorkSpacesWebClient { /// /// Associates a user settings resource with a web portal. /// - /// - Parameter AssociateUserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `AssociateUserSettingsInput`) /// - /// - Returns: `AssociateUserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `AssociateUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -911,7 +903,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(AssociateUserSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateUserSettingsOutput.httpOutput(from:), AssociateUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -943,9 +934,9 @@ extension WorkSpacesWebClient { /// /// Creates a browser settings resource that can be associated with a web portal. Once associated with a web portal, browser settings control how the browser will behave once a user starts a streaming session for the web portal. /// - /// - Parameter CreateBrowserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateBrowserSettingsInput`) /// - /// - Returns: `CreateBrowserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateBrowserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -986,7 +977,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateBrowserSettingsOutput.httpOutput(from:), CreateBrowserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1018,9 +1008,9 @@ extension WorkSpacesWebClient { /// /// Creates a data protection settings resource that can be associated with a web portal. /// - /// - Parameter CreateDataProtectionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateDataProtectionSettingsInput`) /// - /// - Returns: `CreateDataProtectionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateDataProtectionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1061,7 +1051,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateDataProtectionSettingsOutput.httpOutput(from:), CreateDataProtectionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1093,9 +1082,9 @@ extension WorkSpacesWebClient { /// /// Creates an identity provider resource that is then associated with a web portal. /// - /// - Parameter CreateIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIdentityProviderInput`) /// - /// - Returns: `CreateIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1136,7 +1125,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIdentityProviderOutput.httpOutput(from:), CreateIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1168,9 +1156,9 @@ extension WorkSpacesWebClient { /// /// Creates an IP access settings resource that can be associated with a web portal. /// - /// - Parameter CreateIpAccessSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateIpAccessSettingsInput`) /// - /// - Returns: `CreateIpAccessSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateIpAccessSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1210,7 +1198,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateIpAccessSettingsOutput.httpOutput(from:), CreateIpAccessSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1242,9 +1229,9 @@ extension WorkSpacesWebClient { /// /// Creates a network settings resource that can be associated with a web portal. Once associated with a web portal, network settings define how streaming instances will connect with your specified VPC. /// - /// - Parameter CreateNetworkSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateNetworkSettingsInput`) /// - /// - Returns: `CreateNetworkSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateNetworkSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1284,7 +1271,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateNetworkSettingsOutput.httpOutput(from:), CreateNetworkSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1316,9 +1302,9 @@ extension WorkSpacesWebClient { /// /// Creates a web portal. /// - /// - Parameter CreatePortalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreatePortalInput`) /// - /// - Returns: `CreatePortalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreatePortalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1359,7 +1345,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreatePortalOutput.httpOutput(from:), CreatePortalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1391,9 +1376,9 @@ extension WorkSpacesWebClient { /// /// Creates a session logger. /// - /// - Parameter CreateSessionLoggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSessionLoggerInput`) /// - /// - Returns: `CreateSessionLoggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSessionLoggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1433,7 +1418,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSessionLoggerOutput.httpOutput(from:), CreateSessionLoggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1465,9 +1449,9 @@ extension WorkSpacesWebClient { /// /// Creates a trust store that can be associated with a web portal. A trust store contains certificate authority (CA) certificates. Once associated with a web portal, the browser in a streaming session will recognize certificates that have been issued using any of the CAs in the trust store. If your organization has internal websites that use certificates issued by private CAs, you should add the private CA certificate to the trust store. /// - /// - Parameter CreateTrustStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateTrustStoreInput`) /// - /// - Returns: `CreateTrustStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateTrustStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1507,7 +1491,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateTrustStoreOutput.httpOutput(from:), CreateTrustStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1539,9 +1522,9 @@ extension WorkSpacesWebClient { /// /// Creates a user access logging settings resource that can be associated with a web portal. /// - /// - Parameter CreateUserAccessLoggingSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserAccessLoggingSettingsInput`) /// - /// - Returns: `CreateUserAccessLoggingSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserAccessLoggingSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1581,7 +1564,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserAccessLoggingSettingsOutput.httpOutput(from:), CreateUserAccessLoggingSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1613,9 +1595,9 @@ extension WorkSpacesWebClient { /// /// Creates a user settings resource that can be associated with a web portal. Once associated with a web portal, user settings control how users can transfer data between a streaming session and the their local devices. /// - /// - Parameter CreateUserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateUserSettingsInput`) /// - /// - Returns: `CreateUserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1655,7 +1637,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateUserSettingsOutput.httpOutput(from:), CreateUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1687,9 +1668,9 @@ extension WorkSpacesWebClient { /// /// Deletes browser settings. /// - /// - Parameter DeleteBrowserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteBrowserSettingsInput`) /// - /// - Returns: `DeleteBrowserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteBrowserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1724,7 +1705,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteBrowserSettingsOutput.httpOutput(from:), DeleteBrowserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1756,9 +1736,9 @@ extension WorkSpacesWebClient { /// /// Deletes data protection settings. /// - /// - Parameter DeleteDataProtectionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteDataProtectionSettingsInput`) /// - /// - Returns: `DeleteDataProtectionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteDataProtectionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1793,7 +1773,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteDataProtectionSettingsOutput.httpOutput(from:), DeleteDataProtectionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1825,9 +1804,9 @@ extension WorkSpacesWebClient { /// /// Deletes the identity provider. /// - /// - Parameter DeleteIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIdentityProviderInput`) /// - /// - Returns: `DeleteIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1862,7 +1841,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIdentityProviderOutput.httpOutput(from:), DeleteIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1894,9 +1872,9 @@ extension WorkSpacesWebClient { /// /// Deletes IP access settings. /// - /// - Parameter DeleteIpAccessSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteIpAccessSettingsInput`) /// - /// - Returns: `DeleteIpAccessSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteIpAccessSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1931,7 +1909,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteIpAccessSettingsOutput.httpOutput(from:), DeleteIpAccessSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1963,9 +1940,9 @@ extension WorkSpacesWebClient { /// /// Deletes network settings. /// - /// - Parameter DeleteNetworkSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteNetworkSettingsInput`) /// - /// - Returns: `DeleteNetworkSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteNetworkSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2000,7 +1977,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteNetworkSettingsOutput.httpOutput(from:), DeleteNetworkSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2032,9 +2008,9 @@ extension WorkSpacesWebClient { /// /// Deletes a web portal. /// - /// - Parameter DeletePortalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeletePortalInput`) /// - /// - Returns: `DeletePortalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeletePortalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2069,7 +2045,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeletePortalOutput.httpOutput(from:), DeletePortalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2101,9 +2076,9 @@ extension WorkSpacesWebClient { /// /// Deletes a session logger resource. /// - /// - Parameter DeleteSessionLoggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSessionLoggerInput`) /// - /// - Returns: `DeleteSessionLoggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSessionLoggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2138,7 +2113,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSessionLoggerOutput.httpOutput(from:), DeleteSessionLoggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2170,9 +2144,9 @@ extension WorkSpacesWebClient { /// /// Deletes the trust store. /// - /// - Parameter DeleteTrustStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteTrustStoreInput`) /// - /// - Returns: `DeleteTrustStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteTrustStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2207,7 +2181,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteTrustStoreOutput.httpOutput(from:), DeleteTrustStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2239,9 +2212,9 @@ extension WorkSpacesWebClient { /// /// Deletes user access logging settings. /// - /// - Parameter DeleteUserAccessLoggingSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserAccessLoggingSettingsInput`) /// - /// - Returns: `DeleteUserAccessLoggingSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserAccessLoggingSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2276,7 +2249,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserAccessLoggingSettingsOutput.httpOutput(from:), DeleteUserAccessLoggingSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2308,9 +2280,9 @@ extension WorkSpacesWebClient { /// /// Deletes user settings. /// - /// - Parameter DeleteUserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteUserSettingsInput`) /// - /// - Returns: `DeleteUserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2345,7 +2317,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteUserSettingsOutput.httpOutput(from:), DeleteUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2377,9 +2348,9 @@ extension WorkSpacesWebClient { /// /// Disassociates browser settings from a web portal. /// - /// - Parameter DisassociateBrowserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateBrowserSettingsInput`) /// - /// - Returns: `DisassociateBrowserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateBrowserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2415,7 +2386,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateBrowserSettingsOutput.httpOutput(from:), DisassociateBrowserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2447,9 +2417,9 @@ extension WorkSpacesWebClient { /// /// Disassociates data protection settings from a web portal. /// - /// - Parameter DisassociateDataProtectionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateDataProtectionSettingsInput`) /// - /// - Returns: `DisassociateDataProtectionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateDataProtectionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2485,7 +2455,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateDataProtectionSettingsOutput.httpOutput(from:), DisassociateDataProtectionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2517,9 +2486,9 @@ extension WorkSpacesWebClient { /// /// Disassociates IP access settings from a web portal. /// - /// - Parameter DisassociateIpAccessSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateIpAccessSettingsInput`) /// - /// - Returns: `DisassociateIpAccessSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateIpAccessSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2555,7 +2524,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateIpAccessSettingsOutput.httpOutput(from:), DisassociateIpAccessSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2587,9 +2555,9 @@ extension WorkSpacesWebClient { /// /// Disassociates network settings from a web portal. /// - /// - Parameter DisassociateNetworkSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateNetworkSettingsInput`) /// - /// - Returns: `DisassociateNetworkSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateNetworkSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2625,7 +2593,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateNetworkSettingsOutput.httpOutput(from:), DisassociateNetworkSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2657,9 +2624,9 @@ extension WorkSpacesWebClient { /// /// Disassociates a session logger from a portal. /// - /// - Parameter DisassociateSessionLoggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateSessionLoggerInput`) /// - /// - Returns: `DisassociateSessionLoggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateSessionLoggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2694,7 +2661,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateSessionLoggerOutput.httpOutput(from:), DisassociateSessionLoggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2726,9 +2692,9 @@ extension WorkSpacesWebClient { /// /// Disassociates a trust store from a web portal. /// - /// - Parameter DisassociateTrustStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateTrustStoreInput`) /// - /// - Returns: `DisassociateTrustStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateTrustStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2764,7 +2730,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateTrustStoreOutput.httpOutput(from:), DisassociateTrustStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2796,9 +2761,9 @@ extension WorkSpacesWebClient { /// /// Disassociates user access logging settings from a web portal. /// - /// - Parameter DisassociateUserAccessLoggingSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateUserAccessLoggingSettingsInput`) /// - /// - Returns: `DisassociateUserAccessLoggingSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateUserAccessLoggingSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2834,7 +2799,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateUserAccessLoggingSettingsOutput.httpOutput(from:), DisassociateUserAccessLoggingSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2866,9 +2830,9 @@ extension WorkSpacesWebClient { /// /// Disassociates user settings from a web portal. /// - /// - Parameter DisassociateUserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DisassociateUserSettingsInput`) /// - /// - Returns: `DisassociateUserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DisassociateUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2904,7 +2868,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateUserSettingsOutput.httpOutput(from:), DisassociateUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2936,9 +2899,9 @@ extension WorkSpacesWebClient { /// /// Expires an active secure browser session. /// - /// - Parameter ExpireSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ExpireSessionInput`) /// - /// - Returns: `ExpireSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ExpireSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2973,7 +2936,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ExpireSessionOutput.httpOutput(from:), ExpireSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3005,9 +2967,9 @@ extension WorkSpacesWebClient { /// /// Gets browser settings. /// - /// - Parameter GetBrowserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetBrowserSettingsInput`) /// - /// - Returns: `GetBrowserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetBrowserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3042,7 +3004,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetBrowserSettingsOutput.httpOutput(from:), GetBrowserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3074,9 +3035,9 @@ extension WorkSpacesWebClient { /// /// Gets the data protection settings. /// - /// - Parameter GetDataProtectionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetDataProtectionSettingsInput`) /// - /// - Returns: `GetDataProtectionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetDataProtectionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3111,7 +3072,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetDataProtectionSettingsOutput.httpOutput(from:), GetDataProtectionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3143,9 +3103,9 @@ extension WorkSpacesWebClient { /// /// Gets the identity provider. /// - /// - Parameter GetIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIdentityProviderInput`) /// - /// - Returns: `GetIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3180,7 +3140,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIdentityProviderOutput.httpOutput(from:), GetIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3212,9 +3171,9 @@ extension WorkSpacesWebClient { /// /// Gets the IP access settings. /// - /// - Parameter GetIpAccessSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIpAccessSettingsInput`) /// - /// - Returns: `GetIpAccessSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIpAccessSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3249,7 +3208,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIpAccessSettingsOutput.httpOutput(from:), GetIpAccessSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3281,9 +3239,9 @@ extension WorkSpacesWebClient { /// /// Gets the network settings. /// - /// - Parameter GetNetworkSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetNetworkSettingsInput`) /// - /// - Returns: `GetNetworkSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetNetworkSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3318,7 +3276,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetNetworkSettingsOutput.httpOutput(from:), GetNetworkSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3350,9 +3307,9 @@ extension WorkSpacesWebClient { /// /// Gets the web portal. /// - /// - Parameter GetPortalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPortalInput`) /// - /// - Returns: `GetPortalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPortalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3387,7 +3344,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPortalOutput.httpOutput(from:), GetPortalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3419,9 +3375,9 @@ extension WorkSpacesWebClient { /// /// Gets the service provider metadata. /// - /// - Parameter GetPortalServiceProviderMetadataInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetPortalServiceProviderMetadataInput`) /// - /// - Returns: `GetPortalServiceProviderMetadataOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetPortalServiceProviderMetadataOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3456,7 +3412,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetPortalServiceProviderMetadataOutput.httpOutput(from:), GetPortalServiceProviderMetadataOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3488,9 +3443,9 @@ extension WorkSpacesWebClient { /// /// Gets information for a secure browser session. /// - /// - Parameter GetSessionInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionInput`) /// - /// - Returns: `GetSessionOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3525,7 +3480,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionOutput.httpOutput(from:), GetSessionOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3557,9 +3511,9 @@ extension WorkSpacesWebClient { /// /// Gets details about a specific session logger resource. /// - /// - Parameter GetSessionLoggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSessionLoggerInput`) /// - /// - Returns: `GetSessionLoggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSessionLoggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3594,7 +3548,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSessionLoggerOutput.httpOutput(from:), GetSessionLoggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3626,9 +3579,9 @@ extension WorkSpacesWebClient { /// /// Gets the trust store. /// - /// - Parameter GetTrustStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrustStoreInput`) /// - /// - Returns: `GetTrustStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrustStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3663,7 +3616,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrustStoreOutput.httpOutput(from:), GetTrustStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3695,9 +3647,9 @@ extension WorkSpacesWebClient { /// /// Gets the trust store certificate. /// - /// - Parameter GetTrustStoreCertificateInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTrustStoreCertificateInput`) /// - /// - Returns: `GetTrustStoreCertificateOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTrustStoreCertificateOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3733,7 +3685,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(GetTrustStoreCertificateInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTrustStoreCertificateOutput.httpOutput(from:), GetTrustStoreCertificateOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3765,9 +3716,9 @@ extension WorkSpacesWebClient { /// /// Gets user access logging settings. /// - /// - Parameter GetUserAccessLoggingSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserAccessLoggingSettingsInput`) /// - /// - Returns: `GetUserAccessLoggingSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserAccessLoggingSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3802,7 +3753,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserAccessLoggingSettingsOutput.httpOutput(from:), GetUserAccessLoggingSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3834,9 +3784,9 @@ extension WorkSpacesWebClient { /// /// Gets user settings. /// - /// - Parameter GetUserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetUserSettingsInput`) /// - /// - Returns: `GetUserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3871,7 +3821,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetUserSettingsOutput.httpOutput(from:), GetUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3903,9 +3852,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list of browser settings. /// - /// - Parameter ListBrowserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListBrowserSettingsInput`) /// - /// - Returns: `ListBrowserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListBrowserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -3940,7 +3889,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListBrowserSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListBrowserSettingsOutput.httpOutput(from:), ListBrowserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -3972,9 +3920,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list of data protection settings. /// - /// - Parameter ListDataProtectionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListDataProtectionSettingsInput`) /// - /// - Returns: `ListDataProtectionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListDataProtectionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4009,7 +3957,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListDataProtectionSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListDataProtectionSettingsOutput.httpOutput(from:), ListDataProtectionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4041,9 +3988,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list of identity providers for a specific web portal. /// - /// - Parameter ListIdentityProvidersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIdentityProvidersInput`) /// - /// - Returns: `ListIdentityProvidersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIdentityProvidersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4078,7 +4025,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIdentityProvidersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIdentityProvidersOutput.httpOutput(from:), ListIdentityProvidersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4110,9 +4056,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list of IP access settings. /// - /// - Parameter ListIpAccessSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListIpAccessSettingsInput`) /// - /// - Returns: `ListIpAccessSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListIpAccessSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4147,7 +4093,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListIpAccessSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListIpAccessSettingsOutput.httpOutput(from:), ListIpAccessSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4179,9 +4124,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list of network settings. /// - /// - Parameter ListNetworkSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListNetworkSettingsInput`) /// - /// - Returns: `ListNetworkSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListNetworkSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4216,7 +4161,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListNetworkSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListNetworkSettingsOutput.httpOutput(from:), ListNetworkSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4248,9 +4192,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list or web portals. /// - /// - Parameter ListPortalsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListPortalsInput`) /// - /// - Returns: `ListPortalsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListPortalsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4285,7 +4229,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListPortalsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListPortalsOutput.httpOutput(from:), ListPortalsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4317,9 +4260,9 @@ extension WorkSpacesWebClient { /// /// Lists all available session logger resources. /// - /// - Parameter ListSessionLoggersInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionLoggersInput`) /// - /// - Returns: `ListSessionLoggersOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionLoggersOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4354,7 +4297,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSessionLoggersInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionLoggersOutput.httpOutput(from:), ListSessionLoggersOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4386,9 +4328,9 @@ extension WorkSpacesWebClient { /// /// Lists information for multiple secure browser sessions from a specific portal. /// - /// - Parameter ListSessionsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListSessionsInput`) /// - /// - Returns: `ListSessionsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListSessionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4424,7 +4366,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListSessionsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListSessionsOutput.httpOutput(from:), ListSessionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4456,9 +4397,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list of tags for a resource. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4493,7 +4434,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4525,9 +4465,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list of trust store certificates. /// - /// - Parameter ListTrustStoreCertificatesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrustStoreCertificatesInput`) /// - /// - Returns: `ListTrustStoreCertificatesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrustStoreCertificatesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4563,7 +4503,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrustStoreCertificatesInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrustStoreCertificatesOutput.httpOutput(from:), ListTrustStoreCertificatesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4595,9 +4534,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list of trust stores. /// - /// - Parameter ListTrustStoresInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTrustStoresInput`) /// - /// - Returns: `ListTrustStoresOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTrustStoresOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4632,7 +4571,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListTrustStoresInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTrustStoresOutput.httpOutput(from:), ListTrustStoresOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4664,9 +4602,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list of user access logging settings. /// - /// - Parameter ListUserAccessLoggingSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUserAccessLoggingSettingsInput`) /// - /// - Returns: `ListUserAccessLoggingSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUserAccessLoggingSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4701,7 +4639,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUserAccessLoggingSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserAccessLoggingSettingsOutput.httpOutput(from:), ListUserAccessLoggingSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4733,9 +4670,9 @@ extension WorkSpacesWebClient { /// /// Retrieves a list of user settings. /// - /// - Parameter ListUserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListUserSettingsInput`) /// - /// - Returns: `ListUserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4770,7 +4707,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(ListUserSettingsInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListUserSettingsOutput.httpOutput(from:), ListUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4802,9 +4738,9 @@ extension WorkSpacesWebClient { /// /// Adds or overwrites one or more tags for the specified resource. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4844,7 +4780,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4876,9 +4811,9 @@ extension WorkSpacesWebClient { /// /// Removes one or more tags from the specified resource. /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4914,7 +4849,6 @@ extension WorkSpacesWebClient { builder.serialize(ClientRuntime.QueryItemMiddleware(UntagResourceInput.queryItemProvider(_:))) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -4946,9 +4880,9 @@ extension WorkSpacesWebClient { /// /// Updates browser settings. /// - /// - Parameter UpdateBrowserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateBrowserSettingsInput`) /// - /// - Returns: `UpdateBrowserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateBrowserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -4987,7 +4921,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateBrowserSettingsOutput.httpOutput(from:), UpdateBrowserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5019,9 +4952,9 @@ extension WorkSpacesWebClient { /// /// Updates data protection settings. /// - /// - Parameter UpdateDataProtectionSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateDataProtectionSettingsInput`) /// - /// - Returns: `UpdateDataProtectionSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateDataProtectionSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5060,7 +4993,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateDataProtectionSettingsOutput.httpOutput(from:), UpdateDataProtectionSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5092,9 +5024,9 @@ extension WorkSpacesWebClient { /// /// Updates the identity provider. /// - /// - Parameter UpdateIdentityProviderInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIdentityProviderInput`) /// - /// - Returns: `UpdateIdentityProviderOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIdentityProviderOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5133,7 +5065,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIdentityProviderOutput.httpOutput(from:), UpdateIdentityProviderOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5165,9 +5096,9 @@ extension WorkSpacesWebClient { /// /// Updates IP access settings. /// - /// - Parameter UpdateIpAccessSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIpAccessSettingsInput`) /// - /// - Returns: `UpdateIpAccessSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIpAccessSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5206,7 +5137,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIpAccessSettingsOutput.httpOutput(from:), UpdateIpAccessSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5238,9 +5168,9 @@ extension WorkSpacesWebClient { /// /// Updates network settings. /// - /// - Parameter UpdateNetworkSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateNetworkSettingsInput`) /// - /// - Returns: `UpdateNetworkSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateNetworkSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5279,7 +5209,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateNetworkSettingsOutput.httpOutput(from:), UpdateNetworkSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5311,9 +5240,9 @@ extension WorkSpacesWebClient { /// /// Updates a web portal. /// - /// - Parameter UpdatePortalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdatePortalInput`) /// - /// - Returns: `UpdatePortalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdatePortalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5353,7 +5282,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdatePortalOutput.httpOutput(from:), UpdatePortalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5385,9 +5313,9 @@ extension WorkSpacesWebClient { /// /// Updates the details of a session logger. /// - /// - Parameter UpdateSessionLoggerInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSessionLoggerInput`) /// - /// - Returns: `UpdateSessionLoggerOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSessionLoggerOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5425,7 +5353,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSessionLoggerOutput.httpOutput(from:), UpdateSessionLoggerOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5457,9 +5384,9 @@ extension WorkSpacesWebClient { /// /// Updates the trust store. /// - /// - Parameter UpdateTrustStoreInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTrustStoreInput`) /// - /// - Returns: `UpdateTrustStoreOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTrustStoreOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5499,7 +5426,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTrustStoreOutput.httpOutput(from:), UpdateTrustStoreOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5531,9 +5457,9 @@ extension WorkSpacesWebClient { /// /// Updates the user access logging settings. /// - /// - Parameter UpdateUserAccessLoggingSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserAccessLoggingSettingsInput`) /// - /// - Returns: `UpdateUserAccessLoggingSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserAccessLoggingSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5572,7 +5498,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserAccessLoggingSettingsOutput.httpOutput(from:), UpdateUserAccessLoggingSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -5604,9 +5529,9 @@ extension WorkSpacesWebClient { /// /// Updates the user settings. /// - /// - Parameter UpdateUserSettingsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateUserSettingsInput`) /// - /// - Returns: `UpdateUserSettingsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateUserSettingsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -5645,7 +5570,6 @@ extension WorkSpacesWebClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateUserSettingsOutput.httpOutput(from:), UpdateUserSettingsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSWorkspacesInstances/Sources/AWSWorkspacesInstances/WorkspacesInstancesClient.swift b/Sources/Services/AWSWorkspacesInstances/Sources/AWSWorkspacesInstances/WorkspacesInstancesClient.swift index cca18499e75..2125bc1a8ea 100644 --- a/Sources/Services/AWSWorkspacesInstances/Sources/AWSWorkspacesInstances/WorkspacesInstancesClient.swift +++ b/Sources/Services/AWSWorkspacesInstances/Sources/AWSWorkspacesInstances/WorkspacesInstancesClient.swift @@ -22,7 +22,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -68,7 +67,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class WorkspacesInstancesClient: ClientRuntime.Client { public static let clientName = "WorkspacesInstancesClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: WorkspacesInstancesClient.WorkspacesInstancesClientConfiguration let serviceName = "Workspaces Instances" @@ -374,9 +373,9 @@ extension WorkspacesInstancesClient { /// /// Attaches a volume to a WorkSpace Instance. /// - /// - Parameter AssociateVolumeInput : Specifies volume attachment parameters. + /// - Parameter input: Specifies volume attachment parameters. (Type: `AssociateVolumeInput`) /// - /// - Returns: `AssociateVolumeOutput` : Confirms volume attachment. + /// - Returns: Confirms volume attachment. (Type: `AssociateVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -413,7 +412,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(AssociateVolumeOutput.httpOutput(from:), AssociateVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -448,9 +446,9 @@ extension WorkspacesInstancesClient { /// /// Creates a new volume for WorkSpace Instances. /// - /// - Parameter CreateVolumeInput : Specifies volume creation parameters. + /// - Parameter input: Specifies volume creation parameters. (Type: `CreateVolumeInput`) /// - /// - Returns: `CreateVolumeOutput` : Returns the created volume identifier. + /// - Returns: Returns the created volume identifier. (Type: `CreateVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -488,7 +486,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateVolumeOutput.httpOutput(from:), CreateVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -523,9 +520,9 @@ extension WorkspacesInstancesClient { /// /// Launches a new WorkSpace Instance with specified configuration parameters, enabling programmatic workspace deployment. /// - /// - Parameter CreateWorkspaceInstanceInput : Defines the configuration parameters for creating a new WorkSpaces Instance. + /// - Parameter input: Defines the configuration parameters for creating a new WorkSpaces Instance. (Type: `CreateWorkspaceInstanceInput`) /// - /// - Returns: `CreateWorkspaceInstanceOutput` : Returns the unique identifier for the newly created WorkSpaces Instance. + /// - Returns: Returns the unique identifier for the newly created WorkSpaces Instance. (Type: `CreateWorkspaceInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -563,7 +560,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateWorkspaceInstanceOutput.httpOutput(from:), CreateWorkspaceInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -598,9 +594,9 @@ extension WorkspacesInstancesClient { /// /// Deletes a specified volume. /// - /// - Parameter DeleteVolumeInput : Specifies the volume to delete. + /// - Parameter input: Specifies the volume to delete. (Type: `DeleteVolumeInput`) /// - /// - Returns: `DeleteVolumeOutput` : Confirms volume deletion. + /// - Returns: Confirms volume deletion. (Type: `DeleteVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -637,7 +633,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteVolumeOutput.httpOutput(from:), DeleteVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -672,9 +667,9 @@ extension WorkspacesInstancesClient { /// /// Deletes the specified WorkSpace /// - /// - Parameter DeleteWorkspaceInstanceInput : The WorkSpace to delete + /// - Parameter input: The WorkSpace to delete (Type: `DeleteWorkspaceInstanceInput`) /// - /// - Returns: `DeleteWorkspaceInstanceOutput` : Confirms the successful deletion of the specified WorkSpace Instance. + /// - Returns: Confirms the successful deletion of the specified WorkSpace Instance. (Type: `DeleteWorkspaceInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -711,7 +706,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteWorkspaceInstanceOutput.httpOutput(from:), DeleteWorkspaceInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -746,9 +740,9 @@ extension WorkspacesInstancesClient { /// /// Detaches a volume from a WorkSpace Instance. /// - /// - Parameter DisassociateVolumeInput : Specifies volume detachment parameters. + /// - Parameter input: Specifies volume detachment parameters. (Type: `DisassociateVolumeInput`) /// - /// - Returns: `DisassociateVolumeOutput` : Confirms volume detachment. + /// - Returns: Confirms volume detachment. (Type: `DisassociateVolumeOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -785,7 +779,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DisassociateVolumeOutput.httpOutput(from:), DisassociateVolumeOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -820,9 +813,9 @@ extension WorkspacesInstancesClient { /// /// Retrieves detailed information about a specific WorkSpace Instance. /// - /// - Parameter GetWorkspaceInstanceInput : Identifies the WorkSpaces Instance to retrieve detailed information for. + /// - Parameter input: Identifies the WorkSpaces Instance to retrieve detailed information for. (Type: `GetWorkspaceInstanceInput`) /// - /// - Returns: `GetWorkspaceInstanceOutput` : Provides comprehensive details about the requested WorkSpaces Instance. + /// - Returns: Provides comprehensive details about the requested WorkSpaces Instance. (Type: `GetWorkspaceInstanceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -858,7 +851,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetWorkspaceInstanceOutput.httpOutput(from:), GetWorkspaceInstanceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -893,9 +885,9 @@ extension WorkspacesInstancesClient { /// /// Retrieves a list of instance types supported by Amazon WorkSpaces Instances, enabling precise workspace infrastructure configuration. /// - /// - Parameter ListInstanceTypesInput : Defines input parameters for retrieving supported WorkSpaces Instances instance types. + /// - Parameter input: Defines input parameters for retrieving supported WorkSpaces Instances instance types. (Type: `ListInstanceTypesInput`) /// - /// - Returns: `ListInstanceTypesOutput` : Contains the list of instance types supported by WorkSpaces Instances. + /// - Returns: Contains the list of instance types supported by WorkSpaces Instances. (Type: `ListInstanceTypesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -930,7 +922,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListInstanceTypesOutput.httpOutput(from:), ListInstanceTypesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -965,9 +956,9 @@ extension WorkspacesInstancesClient { /// /// Retrieves a list of AWS regions supported by Amazon WorkSpaces Instances, enabling region discovery for workspace deployments. /// - /// - Parameter ListRegionsInput : Defines input parameters for retrieving supported WorkSpaces Instances regions. + /// - Parameter input: Defines input parameters for retrieving supported WorkSpaces Instances regions. (Type: `ListRegionsInput`) /// - /// - Returns: `ListRegionsOutput` : Contains the list of supported AWS regions for WorkSpaces Instances. + /// - Returns: Contains the list of supported AWS regions for WorkSpaces Instances. (Type: `ListRegionsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1002,7 +993,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRegionsOutput.httpOutput(from:), ListRegionsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1037,9 +1027,9 @@ extension WorkspacesInstancesClient { /// /// Retrieves tags for a WorkSpace Instance. /// - /// - Parameter ListTagsForResourceInput : Specifies the WorkSpace Instance to retrieve tags for. + /// - Parameter input: Specifies the WorkSpace Instance to retrieve tags for. (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : Returns the list of tags for the specified WorkSpace Instance. + /// - Returns: Returns the list of tags for the specified WorkSpace Instance. (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1075,7 +1065,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1110,9 +1099,9 @@ extension WorkspacesInstancesClient { /// /// Retrieves a collection of WorkSpaces Instances based on specified filters. /// - /// - Parameter ListWorkspaceInstancesInput : Defines filters and pagination parameters for retrieving WorkSpaces Instances. + /// - Parameter input: Defines filters and pagination parameters for retrieving WorkSpaces Instances. (Type: `ListWorkspaceInstancesInput`) /// - /// - Returns: `ListWorkspaceInstancesOutput` : Contains the list of WorkSpaces Instances matching the specified criteria. + /// - Returns: Contains the list of WorkSpaces Instances matching the specified criteria. (Type: `ListWorkspaceInstancesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1147,7 +1136,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListWorkspaceInstancesOutput.httpOutput(from:), ListWorkspaceInstancesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1182,9 +1170,9 @@ extension WorkspacesInstancesClient { /// /// Adds tags to a WorkSpace Instance. /// - /// - Parameter TagResourceInput : Specifies tags to add to a WorkSpace Instance. + /// - Parameter input: Specifies tags to add to a WorkSpace Instance. (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : Confirms successful tag addition. + /// - Returns: Confirms successful tag addition. (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1220,7 +1208,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1255,9 +1242,9 @@ extension WorkspacesInstancesClient { /// /// Removes tags from a WorkSpace Instance. /// - /// - Parameter UntagResourceInput : Specifies tags to remove from a WorkSpace Instance. + /// - Parameter input: Specifies tags to remove from a WorkSpace Instance. (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : Confirms successful tag removal. + /// - Returns: Confirms successful tag removal. (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1293,7 +1280,6 @@ extension WorkspacesInstancesClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) diff --git a/Sources/Services/AWSXRay/Sources/AWSXRay/XRayClient.swift b/Sources/Services/AWSXRay/Sources/AWSXRay/XRayClient.swift index e0d698c9e2b..56df0925003 100644 --- a/Sources/Services/AWSXRay/Sources/AWSXRay/XRayClient.swift +++ b/Sources/Services/AWSXRay/Sources/AWSXRay/XRayClient.swift @@ -23,7 +23,6 @@ import class Smithy.ContextBuilder import class SmithyHTTPAPI.HTTPRequest import class SmithyHTTPAPI.HTTPResponse @_spi(SmithyReadWrite) import class SmithyJSON.Writer -import enum AWSClientRuntime.AWSClockSkewProvider import enum AWSClientRuntime.AWSRetryErrorInfoProvider import enum AWSClientRuntime.AWSRetryMode import enum AWSSDKChecksums.AWSChecksumCalculationMode @@ -67,7 +66,7 @@ import typealias SmithyHTTPAuthAPI.AuthSchemes public class XRayClient: ClientRuntime.Client { public static let clientName = "XRayClient" - public static let version = "1.5.55" + public static let version = "1.5.57" let client: ClientRuntime.SdkHttpClient let config: XRayClient.XRayClientConfiguration let serviceName = "XRay" @@ -373,9 +372,9 @@ extension XRayClient { /// /// You cannot find traces through this API if Transaction Search is enabled since trace is not indexed in X-Ray. Retrieves a list of traces specified by ID. Each trace is a collection of segment documents that originates from a single request. Use GetTraceSummaries to get a list of trace IDs. /// - /// - Parameter BatchGetTracesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `BatchGetTracesInput`) /// - /// - Returns: `BatchGetTracesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `BatchGetTracesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -410,7 +409,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(BatchGetTracesOutput.httpOutput(from:), BatchGetTracesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -442,9 +440,9 @@ extension XRayClient { /// /// Cancels an ongoing trace retrieval job initiated by StartTraceRetrieval using the provided RetrievalToken. A successful cancellation will return an HTTP 200 response. /// - /// - Parameter CancelTraceRetrievalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CancelTraceRetrievalInput`) /// - /// - Returns: `CancelTraceRetrievalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CancelTraceRetrievalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -480,7 +478,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CancelTraceRetrievalOutput.httpOutput(from:), CancelTraceRetrievalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -512,9 +509,9 @@ extension XRayClient { /// /// Creates a group resource with a name and a filter expression. /// - /// - Parameter CreateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateGroupInput`) /// - /// - Returns: `CreateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -549,7 +546,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateGroupOutput.httpOutput(from:), CreateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -581,9 +577,9 @@ extension XRayClient { /// /// Creates a rule to control sampling behavior for instrumented applications. Services retrieve rules with [GetSamplingRules](https://docs.aws.amazon.com/xray/latest/api/API_GetSamplingRules.html), and evaluate each rule in ascending order of priority for each request. If a rule matches, the service records a trace, borrowing it from the reservoir size. After 10 seconds, the service reports back to X-Ray with [GetSamplingTargets](https://docs.aws.amazon.com/xray/latest/api/API_GetSamplingTargets.html) to get updated versions of each in-use rule. The updated rule contains a trace quota that the service can use instead of borrowing from the reservoir. /// - /// - Parameter CreateSamplingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `CreateSamplingRuleInput`) /// - /// - Returns: `CreateSamplingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `CreateSamplingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -619,7 +615,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(CreateSamplingRuleOutput.httpOutput(from:), CreateSamplingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -651,9 +646,9 @@ extension XRayClient { /// /// Deletes a group resource. /// - /// - Parameter DeleteGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteGroupInput`) /// - /// - Returns: `DeleteGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -688,7 +683,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteGroupOutput.httpOutput(from:), DeleteGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -720,9 +714,9 @@ extension XRayClient { /// /// Deletes a resource policy from the target Amazon Web Services account. /// - /// - Parameter DeleteResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteResourcePolicyInput`) /// - /// - Returns: `DeleteResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -758,7 +752,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteResourcePolicyOutput.httpOutput(from:), DeleteResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -790,9 +783,9 @@ extension XRayClient { /// /// Deletes a sampling rule. /// - /// - Parameter DeleteSamplingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `DeleteSamplingRuleInput`) /// - /// - Returns: `DeleteSamplingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `DeleteSamplingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -827,7 +820,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(DeleteSamplingRuleOutput.httpOutput(from:), DeleteSamplingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -859,9 +851,9 @@ extension XRayClient { /// /// Retrieves the current encryption configuration for X-Ray data. /// - /// - Parameter GetEncryptionConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetEncryptionConfigInput`) /// - /// - Returns: `GetEncryptionConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetEncryptionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -893,7 +885,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetEncryptionConfigOutput.httpOutput(from:), GetEncryptionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -925,9 +916,9 @@ extension XRayClient { /// /// Retrieves group resource details. /// - /// - Parameter GetGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupInput`) /// - /// - Returns: `GetGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -962,7 +953,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupOutput.httpOutput(from:), GetGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -994,9 +984,9 @@ extension XRayClient { /// /// Retrieves all active group details. /// - /// - Parameter GetGroupsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetGroupsInput`) /// - /// - Returns: `GetGroupsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetGroupsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1031,7 +1021,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetGroupsOutput.httpOutput(from:), GetGroupsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1063,9 +1052,9 @@ extension XRayClient { /// /// Retrieves all indexing rules. Indexing rules are used to determine the server-side sampling rate for spans ingested through the CloudWatchLogs destination and indexed by X-Ray. For more information, see [Transaction Search](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Transaction-Search.html). /// - /// - Parameter GetIndexingRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetIndexingRulesInput`) /// - /// - Returns: `GetIndexingRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetIndexingRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1100,7 +1089,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetIndexingRulesOutput.httpOutput(from:), GetIndexingRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1132,9 +1120,9 @@ extension XRayClient { /// /// Retrieves the summary information of an insight. This includes impact to clients and root cause services, the top anomalous services, the category, the state of the insight, and the start and end time of the insight. /// - /// - Parameter GetInsightInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInsightInput`) /// - /// - Returns: `GetInsightOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInsightOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1169,7 +1157,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInsightOutput.httpOutput(from:), GetInsightOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1201,9 +1188,9 @@ extension XRayClient { /// /// X-Ray reevaluates insights periodically until they're resolved, and records each intermediate state as an event. You can review an insight's events in the Impact Timeline on the Inspect page in the X-Ray console. /// - /// - Parameter GetInsightEventsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInsightEventsInput`) /// - /// - Returns: `GetInsightEventsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInsightEventsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1238,7 +1225,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInsightEventsOutput.httpOutput(from:), GetInsightEventsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1270,9 +1256,9 @@ extension XRayClient { /// /// Retrieves a service graph structure filtered by the specified insight. The service graph is limited to only structural information. For a complete service graph, use this API with the GetServiceGraph API. /// - /// - Parameter GetInsightImpactGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInsightImpactGraphInput`) /// - /// - Returns: `GetInsightImpactGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInsightImpactGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1307,7 +1293,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInsightImpactGraphOutput.httpOutput(from:), GetInsightImpactGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1339,9 +1324,9 @@ extension XRayClient { /// /// Retrieves the summaries of all insights in the specified group matching the provided filter values. /// - /// - Parameter GetInsightSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetInsightSummariesInput`) /// - /// - Returns: `GetInsightSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetInsightSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1376,7 +1361,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetInsightSummariesOutput.httpOutput(from:), GetInsightSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1408,9 +1392,9 @@ extension XRayClient { /// /// Retrieves a service graph for traces based on the specified RetrievalToken from the CloudWatch log group generated by Transaction Search. This API does not initiate a retrieval job. You must first execute StartTraceRetrieval to obtain the required RetrievalToken. The trace graph describes services that process incoming requests and any downstream services they call, which may include Amazon Web Services resources, external APIs, or databases. The response is empty until the RetrievalStatus is COMPLETE. Retry the request after the status changes from RUNNING or SCHEDULED to COMPLETE to access the full service graph. When CloudWatch log is the destination, this API can support cross-account observability and service graph retrieval across linked accounts. For retrieving graphs from X-Ray directly as opposed to the Transaction-Search Log group, see [GetTraceGraph](https://docs.aws.amazon.com/xray/latest/api/API_GetTraceGraph.html). /// - /// - Parameter GetRetrievedTracesGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetRetrievedTracesGraphInput`) /// - /// - Returns: `GetRetrievedTracesGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetRetrievedTracesGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1446,7 +1430,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetRetrievedTracesGraphOutput.httpOutput(from:), GetRetrievedTracesGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1478,9 +1461,9 @@ extension XRayClient { /// /// Retrieves all sampling rules. /// - /// - Parameter GetSamplingRulesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSamplingRulesInput`) /// - /// - Returns: `GetSamplingRulesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSamplingRulesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1515,7 +1498,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSamplingRulesOutput.httpOutput(from:), GetSamplingRulesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1547,9 +1529,9 @@ extension XRayClient { /// /// Retrieves information about recent sampling results for all sampling rules. /// - /// - Parameter GetSamplingStatisticSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSamplingStatisticSummariesInput`) /// - /// - Returns: `GetSamplingStatisticSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSamplingStatisticSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1584,7 +1566,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSamplingStatisticSummariesOutput.httpOutput(from:), GetSamplingStatisticSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1616,9 +1597,9 @@ extension XRayClient { /// /// Requests a sampling quota for rules that the service is using to sample requests. /// - /// - Parameter GetSamplingTargetsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetSamplingTargetsInput`) /// - /// - Returns: `GetSamplingTargetsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetSamplingTargetsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1653,7 +1634,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetSamplingTargetsOutput.httpOutput(from:), GetSamplingTargetsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1685,9 +1665,9 @@ extension XRayClient { /// /// Retrieves a document that describes services that process incoming requests, and downstream services that they call as a result. Root services process incoming requests and make calls to downstream services. Root services are applications that use the [Amazon Web Services X-Ray SDK](https://docs.aws.amazon.com/xray/index.html). Downstream services can be other applications, Amazon Web Services resources, HTTP web APIs, or SQL databases. /// - /// - Parameter GetServiceGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetServiceGraphInput`) /// - /// - Returns: `GetServiceGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetServiceGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1722,7 +1702,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetServiceGraphOutput.httpOutput(from:), GetServiceGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1754,9 +1733,9 @@ extension XRayClient { /// /// Get an aggregation of service statistics defined by a specific time range. /// - /// - Parameter GetTimeSeriesServiceStatisticsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTimeSeriesServiceStatisticsInput`) /// - /// - Returns: `GetTimeSeriesServiceStatisticsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTimeSeriesServiceStatisticsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1791,7 +1770,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTimeSeriesServiceStatisticsOutput.httpOutput(from:), GetTimeSeriesServiceStatisticsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1823,9 +1801,9 @@ extension XRayClient { /// /// Retrieves a service graph for one or more specific trace IDs. /// - /// - Parameter GetTraceGraphInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTraceGraphInput`) /// - /// - Returns: `GetTraceGraphOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTraceGraphOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1860,7 +1838,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTraceGraphOutput.httpOutput(from:), GetTraceGraphOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1892,9 +1869,9 @@ extension XRayClient { /// /// Retrieves the current destination of data sent to PutTraceSegments and OpenTelemetry protocol (OTLP) endpoint. The Transaction Search feature requires a CloudWatchLogs destination. For more information, see [Transaction Search](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Transaction-Search.html) and [OpenTelemetry](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-OpenTelemetry-Sections.html). /// - /// - Parameter GetTraceSegmentDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTraceSegmentDestinationInput`) /// - /// - Returns: `GetTraceSegmentDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTraceSegmentDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1926,7 +1903,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.URLHostMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTraceSegmentDestinationOutput.httpOutput(from:), GetTraceSegmentDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -1958,9 +1934,9 @@ extension XRayClient { /// /// Retrieves IDs and annotations for traces available for a specified time frame using an optional filter. To get the full traces, pass the trace IDs to BatchGetTraces. A filter expression can target traced requests that hit specific service nodes or edges, have errors, or come from a known user. For example, the following filter expression targets traces that pass through api.example.com: service("api.example.com") This filter expression finds traces that have an annotation named account with the value 12345: annotation.account = "12345" For a full list of indexed fields and keywords that you can use in filter expressions, see [Use filter expressions](https://docs.aws.amazon.com/xray/latest/devguide/aws-xray-interface-console.html#xray-console-filters) in the Amazon Web Services X-Ray Developer Guide. /// - /// - Parameter GetTraceSummariesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `GetTraceSummariesInput`) /// - /// - Returns: `GetTraceSummariesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `GetTraceSummariesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -1995,7 +1971,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(GetTraceSummariesOutput.httpOutput(from:), GetTraceSummariesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2027,9 +2002,9 @@ extension XRayClient { /// /// Returns the list of resource policies in the target Amazon Web Services account. /// - /// - Parameter ListResourcePoliciesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListResourcePoliciesInput`) /// - /// - Returns: `ListResourcePoliciesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListResourcePoliciesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2064,7 +2039,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListResourcePoliciesOutput.httpOutput(from:), ListResourcePoliciesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2096,9 +2070,9 @@ extension XRayClient { /// /// Retrieves a list of traces for a given RetrievalToken from the CloudWatch log group generated by Transaction Search. For information on what each trace returns, see [BatchGetTraces](https://docs.aws.amazon.com/xray/latest/api/API_BatchGetTraces.html). This API does not initiate a retrieval process. To start a trace retrieval, use StartTraceRetrieval, which generates the required RetrievalToken. When the RetrievalStatus is not COMPLETE, the API will return an empty response. Retry the request once the retrieval has completed to access the full list of traces. For cross-account observability, this API can retrieve traces from linked accounts when CloudWatch log is set as the destination across relevant accounts. For more details, see [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html). For retrieving data from X-Ray directly as opposed to the Transaction Search generated log group, see [BatchGetTraces](https://docs.aws.amazon.com/xray/latest/api/API_BatchGetTraces.html). /// - /// - Parameter ListRetrievedTracesInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListRetrievedTracesInput`) /// - /// - Returns: `ListRetrievedTracesOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListRetrievedTracesOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2134,7 +2108,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListRetrievedTracesOutput.httpOutput(from:), ListRetrievedTracesOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2166,9 +2139,9 @@ extension XRayClient { /// /// Returns a list of tags that are applied to the specified Amazon Web Services X-Ray group or sampling rule. /// - /// - Parameter ListTagsForResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `ListTagsForResourceInput`) /// - /// - Returns: `ListTagsForResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `ListTagsForResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2204,7 +2177,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(ListTagsForResourceOutput.httpOutput(from:), ListTagsForResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2236,9 +2208,9 @@ extension XRayClient { /// /// Updates the encryption configuration for X-Ray data. /// - /// - Parameter PutEncryptionConfigInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutEncryptionConfigInput`) /// - /// - Returns: `PutEncryptionConfigOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutEncryptionConfigOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2273,7 +2245,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutEncryptionConfigOutput.httpOutput(from:), PutEncryptionConfigOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2305,9 +2276,9 @@ extension XRayClient { /// /// Sets the resource policy to grant one or more Amazon Web Services services and accounts permissions to access X-Ray. Each resource policy will be associated with a specific Amazon Web Services account. Each Amazon Web Services account can have a maximum of 5 resource policies, and each policy name must be unique within that account. The maximum size of each resource policy is 5KB. /// - /// - Parameter PutResourcePolicyInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutResourcePolicyInput`) /// - /// - Returns: `PutResourcePolicyOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutResourcePolicyOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2346,7 +2317,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutResourcePolicyOutput.httpOutput(from:), PutResourcePolicyOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2378,9 +2348,9 @@ extension XRayClient { /// /// Used by the Amazon Web Services X-Ray daemon to upload telemetry. /// - /// - Parameter PutTelemetryRecordsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTelemetryRecordsInput`) /// - /// - Returns: `PutTelemetryRecordsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTelemetryRecordsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2415,7 +2385,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTelemetryRecordsOutput.httpOutput(from:), PutTelemetryRecordsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2471,9 +2440,9 @@ extension XRayClient { /// /// Trace IDs created via OpenTelemetry have a different format based on the [W3C Trace Context specification](https://www.w3.org/TR/trace-context/). A W3C trace ID must be formatted in the X-Ray trace ID format when sending to X-Ray. For example, a W3C trace ID 4efaaf4d1e8720b39541901950019ee5 should be formatted as 1-4efaaf4d-1e8720b39541901950019ee5 when sending to X-Ray. While X-Ray trace IDs include the original request timestamp in Unix epoch time, this is not required or validated. /// - /// - Parameter PutTraceSegmentsInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `PutTraceSegmentsInput`) /// - /// - Returns: `PutTraceSegmentsOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `PutTraceSegmentsOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2508,7 +2477,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(PutTraceSegmentsOutput.httpOutput(from:), PutTraceSegmentsOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2540,9 +2508,9 @@ extension XRayClient { /// /// Initiates a trace retrieval process using the specified time range and for the given trace IDs in the Transaction Search generated CloudWatch log group. For more information, see [Transaction Search](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Transaction-Search.html). API returns a RetrievalToken, which can be used with ListRetrievedTraces or GetRetrievedTracesGraph to fetch results. Retrievals will time out after 60 minutes. To execute long time ranges, consider segmenting into multiple retrievals. If you are using [CloudWatch cross-account observability](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Unified-Cross-Account.html), you can use this operation in a monitoring account to retrieve data from a linked source account, as long as both accounts have transaction search enabled. For retrieving data from X-Ray directly as opposed to the Transaction-Search Log group, see [BatchGetTraces](https://docs.aws.amazon.com/xray/latest/api/API_BatchGetTraces.html). /// - /// - Parameter StartTraceRetrievalInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `StartTraceRetrievalInput`) /// - /// - Returns: `StartTraceRetrievalOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `StartTraceRetrievalOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2578,7 +2546,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(StartTraceRetrievalOutput.httpOutput(from:), StartTraceRetrievalOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2610,9 +2577,9 @@ extension XRayClient { /// /// Applies tags to an existing Amazon Web Services X-Ray group or sampling rule. /// - /// - Parameter TagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `TagResourceInput`) /// - /// - Returns: `TagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `TagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2649,7 +2616,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(TagResourceOutput.httpOutput(from:), TagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2681,9 +2647,9 @@ extension XRayClient { /// /// Removes tags from an Amazon Web Services X-Ray group or sampling rule. You cannot edit or delete system tags (those with an aws: prefix). /// - /// - Parameter UntagResourceInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UntagResourceInput`) /// - /// - Returns: `UntagResourceOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UntagResourceOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2719,7 +2685,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UntagResourceOutput.httpOutput(from:), UntagResourceOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2751,9 +2716,9 @@ extension XRayClient { /// /// Updates a group resource. /// - /// - Parameter UpdateGroupInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateGroupInput`) /// - /// - Returns: `UpdateGroupOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateGroupOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2788,7 +2753,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateGroupOutput.httpOutput(from:), UpdateGroupOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2820,9 +2784,9 @@ extension XRayClient { /// /// Modifies an indexing rule’s configuration. Indexing rules are used for determining the sampling rate for spans indexed from CloudWatch Logs. For more information, see [Transaction Search](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Transaction-Search.html). /// - /// - Parameter UpdateIndexingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateIndexingRuleInput`) /// - /// - Returns: `UpdateIndexingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateIndexingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2858,7 +2822,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateIndexingRuleOutput.httpOutput(from:), UpdateIndexingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2890,9 +2853,9 @@ extension XRayClient { /// /// Modifies a sampling rule's configuration. /// - /// - Parameter UpdateSamplingRuleInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateSamplingRuleInput`) /// - /// - Returns: `UpdateSamplingRuleOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateSamplingRuleOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2927,7 +2890,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateSamplingRuleOutput.httpOutput(from:), UpdateSamplingRuleOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware()) @@ -2959,9 +2921,9 @@ extension XRayClient { /// /// Modifies the destination of data sent to PutTraceSegments. The Transaction Search feature requires the CloudWatchLogs destination. For more information, see [Transaction Search](https://docs.aws.amazon.com/AmazonCloudWatch/latest/monitoring/CloudWatch-Transaction-Search.html). /// - /// - Parameter UpdateTraceSegmentDestinationInput : [no documentation found] + /// - Parameter input: [no documentation found] (Type: `UpdateTraceSegmentDestinationInput`) /// - /// - Returns: `UpdateTraceSegmentDestinationOutput` : [no documentation found] + /// - Returns: [no documentation found] (Type: `UpdateTraceSegmentDestinationOutput`) /// /// - Throws: One of the exceptions listed below __Possible Exceptions__. /// @@ -2996,7 +2958,6 @@ extension XRayClient { builder.interceptors.add(ClientRuntime.ContentLengthMiddleware()) builder.deserialize(ClientRuntime.DeserializeMiddleware(UpdateTraceSegmentDestinationOutput.httpOutput(from:), UpdateTraceSegmentDestinationOutputError.httpError(from:))) builder.interceptors.add(ClientRuntime.LoggerMiddleware(clientLogMode: config.clientLogMode)) - builder.clockSkewProvider(AWSClientRuntime.AWSClockSkewProvider.provider()) builder.retryStrategy(SmithyRetries.DefaultRetryStrategy(options: config.retryStrategyOptions)) builder.retryErrorInfoProvider(AWSClientRuntime.AWSRetryErrorInfoProvider.errorInfo(for:)) builder.applySigner(ClientRuntime.SignerMiddleware())